Você está na página 1de 262

Experiment 3: Implement an English stemmer

Natural Language Processing (NLP)


Group Members: Muhammad Waqas Moin (15129145), Syed Kamran Hussain (15129128),
Muhammad Tayab (15129129)

The Porter Stemming Algorithm:


Definition:
The Porter stemming algorithm (or Porter stemmer) is a process for removing the commoner
morphological and in flexional endings from words in English. Its main use is as part of a term
normalization process that is usually done when setting up Information Retrieval system.

Introduction:
Porters algorithm was developed for the stemming of English-language texts but the
increasing importance of information retrieval in the 1990s led to a proliferation of interest in
the development of conflation techniques that would enhance the searching of texts written in
other languages. By this time, the Porter algorithm had become the standard for stemming
English, and it hence provided a natural model for the processing of other languages. In some
of these new algorithms the only relationship to the original is the use of a very restricted suffix
dictionary (Porter, 2005), but Porter himself has developed a whole series of stemmers that
draw on his original algorithm and that cover Romance (French, Italian, Portuguese and
Spanish), Germanic (Dutch and German) and Scandinavian languages (Danish, Norwegian and
Swedish), as well as Finnish and Russian (Porter, 2006). 4 These stemmers are described in a
high-level computer programming language, called Snowball (Porter, 2006) that has been
developed to provide a concise but unambiguous description of the rules for a stemmer. Some
non-English stemmers can operate effectively using simple sets of rules, with Latin being
perhaps the best example of a language that is defined in what is essentially algorithmic form
(Schinke et al., 1996). However, this level of regularity and simplicity is by no means common;
in such cases, Snowball provides a concise but powerful description that can then be processed
by a compiler to give a C or Java implementation of the algorithm for the chosen language
(Porter, 2001). In passing, it is worth noting that this paper by Porter contains an extremely
illuminating discussion of stemming and the structures of words that is very well worth reading,
even if one does not wish to obtain any of the downloadable programs

Implementation:
Porters algorithm is important for two reasons. First, it provides a simple approach to
conflation that seems to work well in practice and that is applicable to a range of languages.
Second, it has spurred interest in stemming as a topic for research in its own right, rather than
merely as a low-level component of an information retrieval system. The algorithm was first
published in 1980; however, it and its descendants continue to be employed in a range of
applications that stretch far beyond its original intended use. Now we are using C sharp
programing language using .Net Platform to implementing the Porter Stemming
Algorithm.

Source Code:
using
using
using
using
using

System;
System.Collections.Generic;
System.Linq;
System.Text;
System.Threading.Tasks;

namespace PorterAlgo
{
class PorterStemmer
{
private char[] b;
private int i, j, k, k0;
private bool dirty = false;
private const int INC = 50; /* unit of size whereby b is increased */
private const int EXTRA = 1;
public PorterStemmer()
{
b = new char[INC];
i = 0;
}
/// <summary> reset() resets the stemmer so it can stem another word.

If you

invoke
/// the stemmer by calling add(char) and then stem(), you must call reset()
/// before starting another word.
/// </summary>
public virtual void Reset()
{
i = 0; dirty = false;
}
/// <summary> Add a character to the word being stemmed.

When you are

finished
/// adding characters, you can call stem(void) to process the word.
/// </summary>
public virtual void Add(char ch)
{
if (b.Length <= i + EXTRA)
{
char[] new_b = new char[b.Length + INC];
Array.Copy(b, 0, new_b, 0, b.Length);
b = new_b;
}
b[i++] = ch;
}
/// <summary> After a word has been stemmed, it can be retrieved by
toString(),
/// or a reference to the internal buffer can be retrieved by getResultBuffer
/// and getResultLength (which is generally more efficient.)
/// </summary>
public override System.String ToString()
{
return new System.String(b, 0, i);
}
/// <summary> Returns the length of the word resulting from the stemming
process.</summary>

public virtual int GetResultLength()


{
return i;
}
/// <summary> Returns a reference to a character buffer containing the results
of
/// the stemming process. You also need to consult getResultLength()
/// to determine the length of the result.
/// </summary>
public virtual char[] GetResultBuffer()
{
return b;
}
/* cons(i) is true <=> b[i] is a consonant. */
private bool Cons(int i)
{
switch (b[i])
{
case 'a':
case 'e':
case 'i':
case 'o':
case 'u':
return false;
case 'y':
return (i == k0) ? true : !Cons(i - 1);
default:
return true;
}
}
/* m() measures the number of consonant sequences between k0 and j. if c is
a consonant sequence and v a vowel sequence, and <..> indicates arbitrary
presence,
<c><v>
<c>vc<v>
<c>vcvc<v>
<c>vcvcvc<v>
....
*/

gives
gives
gives
gives

0
1
2
3

private int M()


{
int n = 0;
int i = k0;
while (true)
{
if (i > j)
return n;
if (!Cons(i))
break;
i++;
}
i++;

while (true)
{
while (true)
{
if (i > j)
return n;
if (Cons(i))
break;
i++;
}
i++;
n++;
while (true)
{
if (i > j)
return n;
if (!Cons(i))
break;
i++;
}
i++;
}
}
/* vowelinstem() is true <=> k0,...j contains a vowel */
private bool Vowelinstem()
{
int i;
for (i = k0; i <= j; i++)
if (!Cons(i))
return true;
return false;
}
/* doublec(j) is true <=> j,(j-1) contain a double consonant. */
private bool Doublec(int j)
{
if (j < k0 + 1)
return false;
if (b[j] != b[j - 1])
return false;
return Cons(j);
}
/* cvc(i) is true <=> i-2,i-1,i has the form consonant - vowel - consonant
and also if the second c is not w,x or y. this is used when trying to
restore an e at the end of a short word. e.g.
cav(e), lov(e), hop(e), crim(e), but
snow, box, tray.
*/
private bool Cvc(int i)
{
if (i < k0 + 2 || !Cons(i) || Cons(i - 1) || !Cons(i - 2))
return false;
else
{
int ch = b[i];

if (ch == 'w' || ch == 'x' || ch == 'y')


return false;
}
return true;
}
private bool Ends(System.String s)
{
int l = s.Length;
int o = k - l + 1;
if (o < k0)
return false;
for (int i = 0; i < l; i++)
if (b[o + i] != s[i])
return false;
j = k - l;
return true;
}
/* setto(s) sets (j+1),...k to the characters in the string s, readjusting
k. */
internal virtual void Setto(System.String s)
{
int l = s.Length;
int o = j + 1;
for (int i = 0; i < l; i++)
b[o + i] = s[i];
k = j + l;
dirty = true;
}
/* r(s) is used further down. */
internal virtual void R(System.String s)
{
if (M() > 0)
Setto(s);
}
/* step1() gets rid of plurals and -ed or -ing. e.g.
caresses
ponies
ties
caress
cats

->
->
->
->
->

caress
poni
ti
caress
cat

feed
agreed
disabled

->
->
->

feed
agree
disable

matting
mating
meeting
milling
messing

->
->
->
->
->

mat
mate
meet
mill
mess

meetings

->

meet

*/

private void Step1()


{
if (b[k] == 's')
{
if (Ends("sses"))
k -= 2;
else if (Ends("ies"))
Setto("i");
else if (b[k - 1] != 's')
k--;
}
if (Ends("eed"))
{
if (M() > 0)
k--;
}
else if ((Ends("ed") || Ends("ing")) && Vowelinstem())
{
k = j;
if (Ends("at"))
Setto("ate");
else if (Ends("bl"))
Setto("ble");
else if (Ends("iz"))
Setto("ize");
else if (Doublec(k))
{
int ch = b[k--];
if (ch == 'l' || ch == 's' || ch == 'z')
k++;
}
else if (M() == 1 && Cvc(k))
Setto("e");
}
}
/* step2() turns terminal y to i when there is another vowel in the stem. */
private void Step2()
{
if (Ends("y") && Vowelinstem())
{
b[k] = 'i';
dirty = true;
}
}
/* step3() maps double suffices to single ones. so -ization ( = -ize plus
-ation) maps to -ize etc. note that the string before the suffix must give
m() > 0. */
private void Step3()
{
if (k == k0)
return; /* For Bug 1 */
switch (b[k - 1])
{
case 'a':
if (Ends("ational"))
{
R("ate"); break;

}
if (Ends("tional"))
{
R("tion"); break;
}
break;
case 'c':
if (Ends("enci"))
{
R("ence"); break;
}
if (Ends("anci"))
{
R("ance"); break;
}
break;
case 'e':
if (Ends("izer"))
{
R("ize"); break;
}
break;
case 'l':
if (Ends("bli"))
{
R("ble"); break;
}
if (Ends("alli"))
{
R("al"); break;
}
if (Ends("entli"))
{
R("ent"); break;
}
if (Ends("eli"))
{
R("e"); break;
}
if (Ends("ousli"))
{
R("ous"); break;
}
break;
case 'o':
if (Ends("ization"))
{
R("ize"); break;
}
if (Ends("ation"))
{
R("ate"); break;
}
if (Ends("ator"))
{
R("ate"); break;
}
break;

case 's':
if (Ends("alism"))
{
R("al"); break;
}
if (Ends("iveness"))
{
R("ive"); break;
}
if (Ends("fulness"))
{
R("ful"); break;
}
if (Ends("ousness"))
{
R("ous"); break;
}
break;
case 't':
if (Ends("aliti"))
{
R("al"); break;
}
if (Ends("iviti"))
{
R("ive"); break;
}
if (Ends("biliti"))
{
R("ble"); break;
}
break;
case 'g':
if (Ends("logi"))
{
R("log"); break;
}
break;
}
}
/* step4() deals with -ic-, -full, -ness etc. similar strategy to step3. */
private void Step4()
{
switch (b[k])
{
case 'e':
if (Ends("icate"))
{
R("ic"); break;
}
if (Ends("ative"))
{
R(""); break;
}
if (Ends("alize"))
{

R("al"); break;
}
break;
case 'i':
if (Ends("iciti"))
{
R("ic"); break;
}
break;
case 'l':
if (Ends("ical"))
{
R("ic"); break;
}
if (Ends("ful"))
{
R(""); break;
}
break;
case 's':
if (Ends("ness"))
{
R(""); break;
}
break;
}
}
/* step5() takes off -ant, -ence etc., in context <c>vcvc<v>. */
private void Step5()
{
if (k == k0)
return; /* for Bug 1 */
switch (b[k - 1])
{
case 'a':
if (Ends("al"))
break;
return;
case 'c':
if (Ends("ance"))
break;
if (Ends("ence"))
break;
return;
case 'e':
if (Ends("er"))
break; return;
case 'i':
if (Ends("ic"))
break; return;
case 'l':
if (Ends("able"))

break;
if (Ends("ible"))
break; return;
case 'n':
if (Ends("ant"))
break;
if (Ends("ement"))
break;
if (Ends("ment"))
break;
/* element etc. not stripped before the m */
if (Ends("ent"))
break;
return;
case 'o':
if (Ends("ion") && j >= 0 && (b[j] == 's' || b[j] == 't'))
break;
/* j >= 0 fixes Bug 2 */
if (Ends("ou"))
break;
return;
/* takes care of -ous */
case 's':
if (Ends("ism"))
break;
return;
case 't':
if (Ends("ate"))
break;
if (Ends("iti"))
break;
return;
case 'u':
if (Ends("ous"))
break;
return;
case 'v':
if (Ends("ive"))
break;
return;
case 'z':
if (Ends("ize"))
break;
return;
default:
return;
}
if (M() > 1)
k = j;
}
/* step6() removes a final -e if m() > 1. */

private void Step6()


{
j = k;
if (b[k] == 'e')
{
int a = M();
if (a > 1 || a == 1 && !Cvc(k - 1))
k--;
}
if (b[k] == 'l' && Doublec(k) && M() > 1)
k--;
}

/// <summary> Stem a word provided as a String. Returns the result as a


String.</summary>
public virtual System.String Stem(System.String s)
{
if (Stem(s.ToCharArray(), s.Length))
{
return ToString();
}
else
return s;
}
/// <summary>Stem a word contained in a char[].

Returns true if the stemming

process
/// resulted in a word different from the input. You can retrieve the
/// result with getResultLength()/getResultBuffer() or toString().
/// </summary>
public virtual bool Stem(char[] word)
{
return Stem(word, word.Length);
}
/// <summary>Stem a word contained in a portion of a char[] array. Returns
/// true if the stemming process resulted in a word different from
/// the input. You can retrieve the result with
/// getResultLength()/getResultBuffer() or toString().
/// </summary>
public virtual bool Stem(char[] wordBuffer, int offset, int wordLen)
{
Reset();
if (b.Length < wordLen)
{
char[] new_b = new char[wordLen + EXTRA];
b = new_b;
}
Array.Copy(wordBuffer, offset, b, 0, wordLen);
i = wordLen;
return Stem(0);
}
/// <summary>Stem a word contained in a leading portion of a char[] array.
/// Returns true if the stemming process resulted in a word different
/// from the input. You can retrieve the result with
/// getResultLength()/getResultBuffer() or toString().
/// </summary>
public virtual bool Stem(char[] word, int wordLen)
{
return Stem(word, 0, wordLen);

}
/// <summary>Stem the word placed into the Stemmer buffer through calls to
add().
/// Returns true if the stemming process resulted in a word different
/// from the input. You can retrieve the result with
/// getResultLength()/getResultBuffer() or toString().
/// </summary>
public virtual bool Stem()
{
return Stem(0);
}
public virtual bool Stem(int i0)
{
k = i - 1;
k0 = i0;
if (k > k0 + 1)
{
Step1(); Step2(); Step3(); Step4(); Step5(); Step6();
}
// Also, a word is considered dirty if we lopped off letters
// Thanks to Ifigenia Vairelles for pointing this out.
if (i != k + 1)
dirty = true;
i = k + 1;
return dirty;
}
/// <summary>Test program for demonstrating the Stemmer. It reads a file and
/// stems each word, writing the result to standard out.
/// Usage: Stemmer file-name
/// </summary>
[STAThread]
public static void Main(System.String[] args)
{
PorterStemmer s = new PorterStemmer();
//args = new string[] { "C:\\Users\\Kamran\\Documents\\visual studio
2013\\Projects\\PorterAlgo\\PorterAlgo\\bin\\Debug\\homework.txt"};
for (int i = 0; i < args.Length; i++)
{
try
{
System.IO.Stream in_Renamed = new System.IO.FileStream(args[i],
System.IO.FileMode.Open, System.IO.FileAccess.Read);
byte[] buffer = new byte[1024];
int bufferLen, offset, ch;
bufferLen = in_Renamed.Read(buffer, 0, buffer.Length);
offset = 0;
s.Reset();
while (true)
{
if (offset < bufferLen)
ch = buffer[offset++];
else
{
bufferLen = in_Renamed.Read(buffer, 0, buffer.Length);
offset = 0;
if (bufferLen < 0)
ch = -1;

else
ch = buffer[offset++];
}
if (System.Char.IsLetter((char)ch))
{
s.Add(System.Char.ToLower((char)ch));
}
else
{
s.Stem();
System.Console.Out.Write(s.ToString());
s.Reset();
if (ch < 0)
break;
else
{
System.Console.Out.Write((char)ch);
}
}
}
in_Renamed.Close();
}
catch (System.IO.IOException e)
{
System.Console.Out.WriteLine("error reading " + args[i]);
}
}
}
}
}

Comparison and Result between Experiment 2 & 3:


New Dictionary
(Experiment 3)
19th
abandon
abandon
abat
abbot
abbot's
abhor
abhor
abid
abigail
abigail
abil

Old Dictionary
(Experiment 2)
19th
abandoned
abandonment
abate
abbot
abbot's
abhor
abhorred
abide
abigail
abigails
abilities

abod
abod
abomin
abov
abridg
abroad
abrupt
abruptli
absenc
absent
absolut
absolut
absolv
absorb
absorb
abstract
abstract
abstract
absurd
absurd
abund
abund
abus
abus
abyss
acced
acceler
accent
accent
accept
accept
accept
accept
access
accid
accident
accommod
accommod
accommod
accommod
accompani
accompani
accompani
accompani

abode
abodes
abominable
above
abridge
abroad
abrupt
abruptly
absence
absent
absolute
absolutely
absolved
absorbed
absorbing
abstract
abstracted
abstraction
absurd
absurdity
abundance
abundant
abuse
abused
abyss
acceded
accelerated
accent
accents
accept
acceptance
accepted
accepting
accession
accident
accidental
accommodate
accommodated
accommodation
accommodations
accompanied
accompanies
accompaniment
accompany

accompani
accomplish
accomplish
accomplish
accomplish
accord
accord
accord
accordingli
accost
accost
account
account
accumul
accuraci
accurs
accus
accus
accus
accus
accustom
accustom
achan
ach
achiev
achiev
ach
acknowledg
acknowledg
acknowledg
acknowledg
acknowledg
acquaint
acquaint
acquaint
acquir
acquir
acquir
acquit
acrid
acrimoni
act
act
act

accompanying
accomplish
accomplished
accomplishing
accomplishments
accord
accorded
according
accordingly
accost
accosting
account
accounts
accumulation
accuracy
accursed
accusation
accuse
accused
accusing
accustom
accustomed
achan
ached
achieve
achieved
aching
acknowledge
acknowledged
acknowledges
acknowledging
acknowledgment
acquaintance
acquaintances
acquainted
acquire
acquired
acquirements
acquitted
acrid
acrimony
act
acted
acting

action
action
activ
activ
actor
actor
actress
act
actual
actual
acumen
acut
acut
acut
adag
adapt
add
ad
addict
ad
addit
addit
address
address
address
address
adduc
adela
adel
adel's
adequ
adher
adher
adhes
adhes
adjoin
adjoin
adjourn
adjust
administ
admir
admir
admir
admir

action
actions
active
actively
actor
actors
actress
acts
actual
actually
acumen
acute
acutely
acuteness
adage
adapted
add
added
addicted
adding
addition
additional
address
addressed
addresses
addressing
adduced
adela
adele
adele's
adequate
adherence
adhering
adhesion
adhesiveness
adjoined
adjoining
adjourned
adjusted
administering
admiration
admire
admired
admirers

admir
admir
admiss
admit
admit
admit
admonit
ado
adopt
adopt
adopt
ador
adorn
adrift
adult
advanc
advanc
advanc
advantag
advantag
advantag
advent
adventiti
adventur
advers
advert
advert
advertis
advertis
advertis
advertis
advertis
advic
advis
advis
advis
advisedli
advoc
advoc
aerial
afar
affabl
affabl
affair

admires
admiring
admission
admit
admitted
admitting
admonition
ado
adopt
adopted
adoption
adored
adorned
adrift
adult
advance
advanced
advancing
advantage
advantageous
advantages
advent
adventitious
adventure
adverse
advert
adverted
advertise
advertised
advertisement
advertisements
advertising
advice
advisable
advise
advised
advisedly
advocate
advocated
aerial
afar
affability
affable
affair

affair
affect
affect
affect
affect
affirm
affirm
affirm
affix
affix
afflict
afflict
afford
afford
affright
afoot
afraid
afresh
afternoon
afternoon
afterward
again
against
agat
ag
ag
agent
ag
agil
agit
agit
agit
agn
ago
agoni
agonis
agonis
agoni
agre
agreeabl
agreeabl
agre
agre
ahasueru

affairs
affect
affectation
affected
affection
affirm
affirmative
affirmed
affix
affixed
afflicted
affliction
afford
afforded
affrighted
afoot
afraid
afresh
afternoon
afternoons
afterwards
again
against
agate
age
aged
agent
ages
agile
agitate
agitated
agitation
agnes
ago
agonies
agonised
agonising
agony
agree
agreeable
agreeably
agreed
agrees
ahasuerus

aid
aid
aid
ail
ail
ailment
aim
air
air
airili
air
air
aisl
ajar
akin
alabast
alacr
alarm
alarm
ala
albion
album
alert
alia
alic
alien
alien
alien
alight
alight
alight
alik
aliv
allai
alleg
alleg
alleg
allegi
allevi
allianc
allot
allow
allow
allow

aid
aided
aids
ailed
ailing
ailment
aim
air
aire
airily
airing
airs
aisle
ajar
akin
alabaster
alacrity
alarm
alarmed
alas
albion
album
alert
alias
alice
alien
alienates
alienation
alight
alighted
alights
alike
alive
allay
allegation
allege
alleged
allegiance
alleviate
alliance
allotted
allow
allowance
allowed

allow
allow
alloi
all's
allud
allud
allur
allur
allus
alli
aloft
alon
along
aloof
alor
aloud
alpin
alreadi
altar
alter
alter
alterc
alter
altern
altern
altern
altern
although
altogeth
alwai
amateur
amaz
amaz
ambassador
amber
ambrosia
ambush
amelior
amen
amend
amend
amethyst
ami
amiabl

allowing
allows
alloy
all's
allude
alluded
allure
allured
allusion
ally
aloft
alone
along
aloof
alors
aloud
alpine
already
altar
alter
alterations
altercation
altered
alternate
alternately
alternation
alternations
although
altogether
always
amateur
amazed
amazement
ambassador
amber
ambrosia
ambush
ameliorated
amenable
amend
amends
amethyst
ami
amiable

amic
amid
amidst
ami
amiti
amongst
a'most
amount
ampl
amplitud
ampli
amus
amus
amus
amus
amus
amus
amus
ami
analys
analys
analys
analysi
anathema
anathematis
anatom
anchor
ancient
and
andfeebl
ang
angel
angel
angel
anger
anglais
angl
angri
anguish
animadvers
anim
anim
anim
anim

amicable
amid
amidst
amie
amity
amongst
a'most
amounted
ample
amplitude
amply
amusant
amuse
amused
amusement
amusements
amuses
amusing
amy
analyse
analysed
analysing
analysis
anathemas
anathematised
anatomical
anchor
ancient
andes
andfeeble
ange
angel
angelic
angels
anger
anglaise
angle
angry
anguish
animadversions
animal
animals
animated
animating

anim
animos
ankl
ann
annihil
announc
announc
annoi
annoy
annoi
annum
anon
anoth
answer
answer
answer
answer
answer
antagonist
anticip
anticip
anticip
antipathet
antipathi
antipathi
antipod
antiqu
antiqu
antiqu
antoinetta
anxieti
anxiou
anxious
anybodi
anyth
anywher
anzusehen
apart
apart
apart
apathet
apathi
ap
apertur

animation
animosity
ankle
ann
annihilated
announced
announcement
annoy
annoyance
annoyed
annum
anon
another
answer
answerable
answered
answering
answers
antagonist
anticipate
anticipated
anticipation
antipathetic
antipathies
antipathy
antipodes
antiquated
antique
antiquity
antoinetta
anxiety
anxious
anxiously
anybody
anything
anywhere
anzusehen
apart
apartment
apartments
apathetic
apathy
ape
aperture

apertur
apollo
apologis
apolog
apoplect
apostl
apostrophis
apostrophis
apothecari
appal
appanag
apparatu
apparel
apparel
appar
appar
apparit
appeal
appeal
appeal
appear
appear
appear
appear
appear
appear
appeas
appertain
appetis
appetit
appetit
appl
appl
applic
appli
appli
appli
appoint
appoint
appoint
apport
apport
appreci
appreci

apertures
apollo
apologise
apology
apoplectic
apostles
apostrophised
apostrophising
apothecary
appalling
appanage
apparatus
apparel
apparelling
apparent
apparently
apparition
appeal
appealed
appeals
appear
appearance
appearances
appeared
appearing
appears
appeased
appertained
appetising
appetite
appetites
apple
apples
application
applied
apply
applying
appointed
appointing
appointment
apportion
apportioned
appreciate
appreciating

apprehend
apprehens
apprehens
apprehens
apprend
appris
approach
approach
approach
approach
approb
appropri
appropri
appropri
approv
approv
approv
april
apron
apt
aquilin
arabian
arbitress
arbour
arch
archangel
archdeacon
arch
architectur
arctic
ardent
ardent
ardour
argu
argu
argument
argument
ariel
arisen
aris
aristocrat
arithmet
ark
arm

apprehended
apprehension
apprehensions
apprehensive
apprend
apprise
approach
approached
approaches
approaching
approbation
appropriate
appropriated
appropriateness
approve
approved
approves
april
apron
apt
aquiline
arabian
arbitress
arbour
arch
archangel
archdeacon
arched
architecture
arctic
ardent
ardently
ardour
argue
argued
argument
arguments
ariel
arisen
arises
aristocratic
arithmetic
ark
arm

armchair
arm
arm
arm
aromat
aros
around
arous
arous
arraign
arrang
arrang
arrang
arrang
arrang
arrai
arrest
arriv
arriv
arriv
arriv
arrog
arrog
arrow
arrow
art
art
articl
articl
articul
artific
artifici
artist's
art
ascend
ascend
ascend
ascertain
ascertain
ascet
ascrib
ascrib
ash
asham

armchair
armful
armfuls
arms
aromatic
arose
around
aroused
arousing
arraigned
arrange
arranged
arrangement
arrangements
arranging
array
arrested
arrival
arrive
arrived
arrives
arrogance
arrogate
arrow
arrows
art
artful
article
articles
articulate
artifice
artificial
artist's
arts
ascend
ascended
ascending
ascertain
ascertained
ascetic
ascribe
ascribed
ash
ashamed

ash
asid
ask
ask
ask
ask
aslant
asleep
aspect
asper
aspir
aspir
aspir
assassin
assemblag
assembl
assembl
assent
assert
assert
assert
assez
assidu
assidu
assidu
assign
assign
assimil
assist
assist
assist
associ
associ
associ
associ
associ
assort
assuag
assum
assum
assum
assur
assur
assur

ashes
aside
ask
asked
asking
asks
aslant
asleep
aspect
asperity
aspiration
aspirations
aspired
assassination
assemblage
assemble
assembled
assented
asserted
asserting
assertion
assez
assiduity
assiduous
assiduously
assign
assigned
assimilates
assist
assistance
assisted
associate
associated
associates
association
associations
assortment
assuage
assume
assumed
assuming
assurance
assure
assured

assuredli
assur
astir
astonish
astonish
astonish
asund
asylum
at
athlet
atlant
atmospher
atom
atom
aton
at's
attach
attach
attach
attack
attain
attain
attain
attain
attempt
attempt
attempt
attempt
attend
attend
attend
attend
attend
attend
attent
attent
attent
attent
attest
attest
attic
attic
attir
attir

assuredly
assuring
astir
astonished
astonishing
astonishment
asunder
asylum
ate
athletic
atlantic
atmosphere
atom
atoms
atone
at's
attach
attached
attachment
attack
attain
attained
attaining
attainments
attempt
attempted
attempting
attempts
attend
attendance
attendant
attended
attending
attends
attention
attentions
attentive
attentively
attested
attesting
attic
attics
attire
attired

attitud
attract
attract
attract
attract
attract
attribut
attribut
attribut
audaci
audac
audibl
audienc
auditor
auditress
aught
augment
augment
august
augusta
aunt
aunt
aura
auricula
aussi
auster
author
author
autobiographi
automaton
autumn
avail
avail
avait
avarici
aveng
avenu
averag
aver
avers
avert
avert
avic
avid

attitude
attract
attracted
attraction
attractive
attractiveness
attribute
attributed
attributes
audacious
audacity
audible
audience
auditors
auditress
aught
augment
augmented
august
augusta
aunt
aunts
aura
auriculas
aussi
austere
authority
authors
autobiography
automaton
autumn
avail
availed
avait
avaricious
avenge
avenue
average
averred
aversion
avert
averted
aviced
avidity

avoid
avoid
avow
await
await
awak
awaken
awak
awar
awai
aw
aw
awhil
awkward
awok
awri
ax
azur
babel
babi
bachelor
bachelor's
back
backboard
back
background
back
backstair
backward
backward
bad
bade
badg
badinag
badli
baffl
baffl
bag
bag
bah
bairn
bake
bake
balanc

avoid
avoided
avow
awaited
awaiting
awake
awakened
awaking
aware
away
awe
awful
awhile
awkward
awoke
awry
axe
azure
babel
baby
bachelor
bachelor's
back
backboards
backed
background
backs
backstairs
backward
backwards
bad
bade
badge
badinage
badly
baffle
baffled
bag
bags
bah
bairn
bake
baked
balance

balanc
balconi
balk
ball
ballad
ballad
ball
balm
balmi
balustrad
ban
band
bandag
bandag
bandag
bandit
band
bane
banish
banish
banist
banist
bank
banker
bank
banner
baptiz
bar
barbara
barbar
barb
barber
bare
bare
barefoot
bare
bargain
bargain
bargain
bark
bark
bark
barmecid
baro

balanced
balcony
balked
ball
ballad
ballads
balls
balm
balmy
balustrade
ban
band
bandage
bandaged
bandages
bandit
bands
bane
banish
banishment
banister
banisters
bank
banker
banks
banner
baptized
bar
barbara
barbarism
barbed
barber
bare
bared
barefoot
barely
bargain
bargaining
bargains
bark
barked
barking
barmecide
baroness

bar
barrel
barren
barrier
barrier
barrist
bar
ba
base
bashaw
basin
basin
bask
basket
bask
bass
bastard
bate
bath
bath
bath
batho
bat
battl
battl
battledor
battlement
battlement
bai
bai
bazaar
beacon
bead
bead
beak
beam
beam
beam
beamless
beam
bear
beard
bear
bear

barred
barrel
barren
barrier
barriers
barrister
bars
bas
base
bashaw
basin
basins
bask
basket
basking
bass
bastard
bates
bath
bathe
bathed
bathos
bats
battle
battled
battledore
battlemented
battlements
bay
baying
bazaars
beacon
bead
beads
beak
beam
beamed
beaming
beamless
beams
bear
bearded
bearing
bears

beast
beast
beast's
beat
beaten
beat
beau
beaut
beauti
beauti
beautifulli
beauti
beaver
becalm
becam
beck
beckon
beckon
beckon
beck
becloud
becom
becom
becom
becomingli
bed
bedcloth
bedroom
bedroom
bed
bedsid
bedstead
bedtim
bee
beech
bee
befallen
befal
befel
befit
befit
befor
beforehand
befriend

beast
beasts
beast's
beat
beaten
beating
beau
beaute
beauties
beautiful
beautifully
beauty
beaver
becalmed
became
beck
beckon
beckoned
beckoning
becks
beclouded
become
becomes
becoming
becomingly
bed
bedclothes
bedroom
bedrooms
beds
bedside
bedsteads
bedtime
bee
beech
bees
befallen
befalling
befell
befit
befitted
before
beforehand
befriended

beg
began
beggar
beggarli
beg
beg
begin
begin
begot
begrim
beguil
beguil
begun
behalf
behav
beheld
behest
behind
behold
be
be
be's
belabour
belat
beldam
belfri
beli
belief
believ
believ
believ
believ
bell
bell
bellow
bell
belong
belong
belong
belong
belov
below
belvider
bemoan

beg
began
beggar
beggarly
begged
begging
begin
beginning
begot
begrimed
beguile
beguiled
begun
behalf
behave
beheld
behest
behind
behold
being
beings
being's
belabour
belated
beldame
belfry
belied
belief
believe
believed
believes
believing
bell
belle
bellowed
bells
belong
belonged
belonging
belongs
beloved
below
belvidere
bemoaned

bench
bench
bend
bend
bend
beneath
benefactress
benefactress's
benefici
benefit
benefit
benevol
benevol
benign
benign
bent
bequeath
bereav
bertha
beset
besid
besid
besot
bessi
bessi's
best
bestow
bestow
betak
bethesda
bethought
betim
betook
betrai
betrai
better
between
beulah
beverag
bewail
bewar
bewick
bewick's
bewild

bench
benches
bend
bending
bends
beneath
benefactress
benefactress's
beneficial
benefit
benefits
benevolence
benevolent
benign
benignant
bent
bequeath
bereavement
bertha
beset
beside
besides
besotted
bessie
bessie's
best
bestow
bestowed
betake
bethesda
bethought
betimes
betook
betray
betrayed
better
between
beulah
beverage
bewailing
beware
bewick
bewick's
bewildered

bewilder
bewitch
beyond
bianca
bia
bibl
bid
bidden
bid
bide
bid
bien
bientot
big
bigamist
bigami
bigger
bilberri
bilg
biliou
billiard
billiard
billow
billow
bind
biographi
bird
bird
biscuit
bit
bite
bitter
bitter
bitternutt
black
blackberri
blacken
blacker
black
blade
blame
blame
blame
blame

bewilderment
bewitched
beyond
bianca
bias
bible
bid
bidden
bidding
bide
bids
bien
bientot
big
bigamist
bigamy
bigger
bilberries
bilge
bilious
billiard
billiards
billow
billows
bind
biography
bird
birds
biscuits
bit
bite
bitter
bitterness
bitternutt
black
blackberries
blackened
blacker
blackness
blades
blame
blamed
blames
blaming

blanch
blanch
blank
blank
blasphem
blasphemi
blast
blast
blaze
blaze
blaze
bleach
bleak
blear
bled
bleed
blend
blend
blend
blent
bless
bless
bless
bless
blew
blight
blight
blight
blind
blind
blind
blink
bliss
bliss
blither
bloat
block
blockhead
blond
blood
bloodless
bloodshot
bloodi
bloom

blanche
blanched
blank
blanks
blasphemous
blasphemy
blast
blasted
blaze
blazed
blazing
bleached
bleak
bleared
bled
bleeding
blended
blending
blends
blent
bless
blessed
blesses
blessing
blew
blight
blighted
blights
blind
blindness
blinds
blink
bliss
blissful
blither
bloated
block
blockhead
blond
blood
bloodless
bloodshot
bloody
bloom

bloom
bloom
blossom
blossom
blossom
blot
blot
blow
blow
blown
blow
blowup
blubber
blue
bluebeard's
bluer
blunder
blunder
blunt
blunt
bluntli
blush
blush
blush
boadicea
board
board
boast
boast
boast
boat
bobbi
bodi
bodili
bodi
bog
boh
bohemian
boil
boil
boil
boil
boi
boister

bloomed
blooming
blossom
blossomed
blossoms
blot
blotted
blow
blowing
blown
blows
blowup
blubbering
blue
bluebeard's
bluer
blunder
blunders
blunt
blunted
bluntly
blush
blushed
blushes
boadicea
board
boards
boast
boasted
boastful
boat
bobby
bodies
bodily
body
bog
boh
bohemian
boil
boiled
boiling
boils
bois
boisterous

boit
bold
bolder
boldli
bole
bolster
bolt
bolt
bolt
bombazeen
bon
bonbon
bond
bond
bone
bone
bonfir
bonn
bonnet
bonni
bont
book
bookcas
bookcas
book
bookshelv
boot
boot
booti
border
border
border
border
bore
bore
born
born
borrow
bosom
bosom
botani
both
bother
bothwel

boite
bold
bolder
boldly
boles
bolsters
bolt
bolted
bolting
bombazeen
bon
bonbons
bond
bonds
bone
bones
bonfire
bonne
bonnet
bonny
bonte
book
bookcase
bookcases
books
bookshelves
boot
boots
booty
border
bordered
bordering
borders
bore
bored
born
borne
borrowed
bosom
bosomed
botany
both
bother
bothwell

bottl
bottom
bottomless
boudoir
boudoir
bough
bough
bought
boulogn
bound
boundari
bound
bound
boundless
bound
bounteou
bourn
bow
bow
bowl
bowstr
box
box
box
boi
boi
brace
bracelet
bracelet
brace
brackish
brahma
braid
brain
brainless
brain
brake
branch
branchi
brand
brand
brass
brat
brat

bottle
bottom
bottomless
boudoir
boudoirs
bough
boughs
bought
boulogne
bound
boundary
bounded
bounding
boundless
bounds
bounteous
bourne
bow
bowed
bowling
bowstring
box
boxed
boxes
boy
boys
brace
bracelet
bracelets
bracing
brackish
brahma
braided
brain
brainless
brains
brake
branches
branchy
brand
brands
brass
brat
brats

brazen
breach
bread
breadth
break
breakag
breaker
breakfast
breakfast
break
breast
breast
breath
breath
breath
breath
breath
breathless
bred
breech
breez
briar
bridal
bride
bridegroom
bride's
bridesmaid
bridewel
bridg
bridl
brief
briefli
brigg
bright
brighten
brighten
brighter
brightest
brightli
bright
brilliant
brilliantli
brim
brim

brazen
breach
bread
breadth
break
breakage
breakers
breakfast
breakfasted
breaking
breast
breasting
breath
breathe
breathed
breathing
breathings
breathless
bred
breeches
breeze
briar
bridal
bride
bridegroom
bride's
bridesmaids
bridewell
bridge
bridle
brief
briefly
briggs
bright
brighten
brightening
brighter
brightest
brightly
brightness
brilliant
brilliantly
brim
brimmed

brimston
brine
bring
bring
bring
brink
brisk
bristl
bristl
bristli
british
brittl
broad
brobdingnag
brocad
brocklebridg
brocklehurst
brocklehurst
brocklehurst's
broke
broken
bronz
brooch
brood
brood
brook
brooklet
brother
brother
brother's
brought
broughton
brow
browbeaten
brown
brow
brows
brush
brush
brush
brusqu
bubbl
buckl
bud

brimstone
brine
bring
bringing
brings
brink
brisk
bristled
bristling
bristly
british
brittle
broad
brobdingnag
brocaded
brocklebridge
brocklehurst
brocklehursts
brocklehurst's
broke
broken
bronze
brooch
brooded
brooding
brook
brooklet
brother
brothers
brother's
brought
broughton
brow
browbeaten
brown
brows
browsed
brush
brushed
brushing
brusque
bubbling
buckles
buds

build
built
bulk
bulki
bull
bullet
bulli
bun
bunch
bunch
bundl
bungler
buoi
buoyanc
buoyant
burden
burden
burden
burdensom
burgh
burglar
buri
burn
burn
burn
burnish
burn
burn's
burnt
burst
burst
bush
bush
bushi
busi
busier
busi
busili
busi
bust
bustl
bustl
bustl
busi

building
built
bulk
bulky
bull
bullet
bullied
bun
bunch
bunches
bundle
bungler
buoy
buoyancy
buoyant
burden
burdened
burdens
burdensome
burgh
burglar
buried
burn
burned
burning
burnished
burns
burns's
burnt
burst
bursting
bush
bushes
bushy
busied
busier
busies
busily
business
bust
bustle
bustled
bustling
busy

butcher
butler
butler's
butter
butterfli
button
button
buxom
bui
bui
bui
buzz
bye
bygon
cabinet
cachinn
cadeau
cadeaux
cadenc
cage
cairngorm
cake
cake
calcul
calico
caligula
call
call
caller
call
callou
call
calm
calm
calmer
calm
calmli
calm
calv
came
camel
camel
cameo
camp

butcher
butler
butler's
butter
butterflies
button
buttoned
buxom
buy
buying
buys
buzzing
bye
bygone
cabinet
cachinnation
cadeau
cadeaux
cadence
cage
cairngorm
cake
cakes
calculated
calico
caligula
call
called
callers
calling
callous
calls
calm
calmed
calmer
calming
calmly
calmness
calves
came
camel
camels
cameo
camp

camphor
canadian
canari
candl
candlelight
candl
candlestick
candour
cane
canin
canker
cannili
cannon
cano
canopi
cant
canva
canzonett
cap
capabl
capac
capac
cape
caper
capit
capric
caprici
captiou
captiv
captiv
captiv
car
carcass
card
card
care
care
career
care
carefulli
careless
careless
care
caress

camphor
canadian
canary
candle
candlelight
candles
candlestick
candour
cane
canine
cankering
cannily
cannon
canoe
canopied
cant
canvas
canzonette
cap
capable
capacities
capacity
cape
caper
capital
caprice
capricious
captious
captivated
captivating
captive
car
carcasses
card
cards
care
cared
career
careful
carefully
careless
carelessness
cares
caress

caress
caress
careworn
cargo
carol
carpet
carpet
carpet
carriag
carriag
carri
carrier
carrion
carri
carri
carter
carthag
carton
carv
carv
ca
case
casement
case
cash
cashmer
casket
cast
castawai
cast
cast
castl
cat
catalogu
cataract
catastroph
catch
catch
catech
catherin
cathol
cat
cattl
caught

caressed
caresses
careworn
cargo
carolling
carpet
carpeted
carpets
carriage
carriages
carried
carrier
carrion
carry
carrying
carter
carthage
carton
carved
carvings
cas
case
casement
cases
cash
cashmeres
casket
cast
castaway
caste
casting
castle
cat
catalogue
cataract
catastrophe
catch
catching
catechism
catherine
catholic
cats
cattle
caught

caus
caus
caus
causewai
causewai
caution
cautiou
cavalcad
cavali
cavali
cave
cavil
caw
caw
ceas
ceas
ceaseless
ceas
ceil
ceil
cela
celebr
celer
celesti
celin
celin's
cell
cella
cell
censur
censur
cent
central
centr
centuri
centuri's
ceremoni
ceris
certain
certain
certainli
certainti
ce
cessat

cause
caused
causes
causeway
causewayed
caution
cautious
cavalcade
cavalier
cavaliers
cave
cavillers
cawed
cawing
cease
ceased
ceaseless
ceases
ceiled
ceiling
cela
celebrated
celerity
celestial
celine
celine's
cell
cella
cells
censure
censures
cent
central
centre
centuries
century's
ceremony
cerises
certain
certainement
certainly
certainty
ces
cessation

c'est
c'etait
cetera
chafe
chagrin
chain
chair
chair
chais
chalk
challeng
chamber
chambermaid
chamber
chambr
chambr
chanc
chanc
chancel
chandeli
chang
chang
chang
changel
changent
chang
chang
channel
chant
chao
chapter
chapter
charact
characteris
characterist
characterist
charact
charad
charad
charg
charg
charg
chargewhich
charit

c'est
c'etait
cetera
chafed
chagrin
chain
chair
chairs
chaise
chalk
challenge
chamber
chambermaid
chambers
chambre
chambres
chance
chanced
chancel
chandelier
change
changed
changeful
changeling
changent
changes
changing
channel
chanted
chaos
chapter
chapters
character
characterised
characteristic
characteristically
characters
charade
charades
charge
charged
charges
chargewhich
charitable

chariti
charivari
charlatan
charl
charm
charm
charmer
charmer
charm
charm
charnel
char
charter
charwoman
charwomen
chase
chasm
chasm
chasse
chasten
chastis
chastis
chastis
chat
chatter
chatter
chatter
chatter
cheat
cheat
check
check
cheek
cheek
cheer
cheer
cheer
cheerfulli
cheer
cheerili
cheer
cheerless
chees
chemis

charity
charivari
charlatan
charles
charm
charmed
charmer
charmers
charming
charms
charnel
charred
charter
charwoman
charwomen
chase
chasm
chasms
chasseed
chastened
chastisement
chastiser
chastising
chat
chatter
chattered
chattering
chatters
cheat
cheated
check
checked
cheek
cheeks
cheer
cheered
cheerful
cheerfully
cheerfulness
cheerily
cheering
cheerless
cheese
chemises

chere
cherish
cherish
cherish
cherri
cherri
cherub
chest
chest
chestnut
chest
chez
chicken
chicken
chick
chidden
chide
chief
chiefli
chiffon
chiffonnier
chilblain
child
childer
childhood
childhood's
childish
childless
childlik
children
children's
child
child's
chill
chill
chill
chilli
chime
chime
chimera
chimera
chimnei
chimnei
chin

chere
cherish
cherished
cherishing
cherries
cherry
cherubs
chest
chested
chestnut
chests
chez
chicken
chickens
chicks
chidden
chidings
chief
chiefly
chiffone
chiffonnieres
chilblains
child
childer
childhood
childhood's
childish
childless
childlike
children
children's
childs
child's
chill
chilled
chilling
chilly
chime
chimed
chimera
chimeras
chimney
chimneys
chin

china
chink
chintz
chip
chirrup
chisel
chocol
choic
choicest
choke
choler
choos
choos
chord
chord
chose
chosen
christ
christendom
christen
christian
christian
christma
chronicl
chuckl
church
churchyard
ciel
cigar
cinder
cinder
cinq
circl
circl
circl
circlet
circumst
circumst
cise
citi
citi
civil
civilis
civil

china
chink
chintz
chips
chirruped
chisel
chocolate
choice
choicest
choked
choler
choose
choosing
chord
chords
chose
chosen
christ
christendom
christened
christian
christians
christmas
chronicles
chuckled
church
churchyard
ciel
cigar
cinder
cinders
cinq
circle
circled
circles
circlet
circumstance
circumstances
cise
cities
city
civil
civilised
civilities

civil
civilli
clad
claim
claimant
claim
claim
claim
clammi
clamor
clamor
clamour
clamour
clang
clank
clap
clap
clara
clash
clasp
clasp
class
class
clatter
clatter
clai
clean
clean
cleanli
clear
clear
clearer
clearest
clear
clearli
cleft
clement
clench
clergyman
clergyman's
clerk
clever
click
client

civility
civilly
clad
claim
claimants
claimed
claiming
claims
clammy
clamorous
clamorously
clamour
clamoured
clang
clanked
clap
clapped
clara
clashed
clasp
clasped
class
classes
clatter
clattering
clay
clean
cleaned
cleanly
clear
cleared
clearer
clearest
clearing
clearly
cleft
clement
clenched
clergyman
clergyman's
clerk
clever
click
client

cliff
climat
climat
climax
climb
clime
cling
cling
cling
cloak
cloak
cloak
clock
clockwork
clod
clog
close
close
close
closer
closet
close
cloth
cloth
cloth
cloth
cloth
cloud
cloudless
cloud
cloudi
cloven
clump
clung
cluster
cluster
clutch
clutch
coach
coachman
coachmen
coal
coars
coars

cliffs
climate
climates
climax
climbed
clime
cling
clinging
clings
cloak
cloaked
cloaks
clock
clockwork
clod
clogged
close
closed
closely
closer
closet
closing
cloth
clothe
clothed
clothes
clothing
cloud
cloudless
clouds
cloudy
cloven
clump
clung
clustered
clusters
clutch
clutched
coach
coachman
coachmen
coal
coarse
coarsely

coars
coast
coat
coat
coax
coax
cobweb
cocher
coercion
coffe
coffin
coffr
cognis
coher
coiffer
coil
coin
coin
cold
colder
coldest
coldli
cold
cold
collar
collar
collect
collect
collectedli
collect
collect
colleg
colloquis
colloqui
colonel
coloni
coloss
colour
colour
colourless
colour
column
column
combat

coarseness
coast
coat
coated
coax
coaxing
cobwebs
cochere
coercion
coffee
coffin
coffre
cognisant
coherently
coiffer
coils
coin
coined
cold
colder
coldest
coldly
coldness
colds
collar
collared
collect
collected
collectedly
collecting
collective
college
colloquise
colloquy
colonel
colony
colossal
colour
coloured
colourless
colours
column
columns
combats

comb
combin
combin
combin
combust
come
comer
come
comfit
comfort
comfort
comfort
comfort
comfort
comfort
comfortless
come
command
command
command
command
comm
commenc
commenc
commenc
commend
commend
comment
comment
commiss
commiss
commiss
commit
commit
committe
commit
common
commonplac
commonplac
commot
commun
commun
commun
commun

combed
combinations
combine
combined
combustion
come
comer
comes
comfits
comfort
comfortable
comfortably
comforted
comforter
comforting
comfortless
coming
command
commanded
commanding
commands
comme
commence
commenced
commencement
commendations
commended
comment
commented
commission
commissioned
commissions
commit
committed
committee
committing
common
commonplace
commonplaces
commotion
communicate
communicated
communicates
communicating

commun
commun
commun
communion
commun
compact
companion
companion
companionless
companion
companionship
compani
compar
compar
compar
compar
compar
comparison
compart
compass
compassion
compel
compel
compens
compet
compet
competitor
competitor
complac
complac
complac
complain
complaint
complaint
complet
complet
complet
complet
complexion
complexion
compliant
compliment
compli
compli

communication
communications
communicative
communion
community
compact
companion
companionable
companionless
companions
companionship
company
comparative
comparatively
compare
compared
comparing
comparison
compartment
compassion
compassionate
compel
compels
compensate
competency
competent
competitor
competitors
complacency
complacent
complacently
complain
complaint
complaints
complete
completed
completely
completer
complexion
complexioned
compliant
complimenting
comply
complying

compos
compos
composur
compound
comprehend
comprehend
comprehens
comprehens
comprend
compress
compris
comrad
con
conceal
conceal
conceal
conceal
conceiv
conceiv
conceiv
conceiv
concentr
concentr
concentr
concept
concern
concern
concess
conclud
conclus
conclus
condemn
condemnatori
condemn
condemn
condens
condescens
condiment
condit
condit
condit
condol
condol
condor

composed
composes
composure
compound
comprehend
comprehended
comprehension
comprehensive
comprends
compressed
comprised
comrade
con
conceal
concealed
concealing
concealment
conceive
conceived
conceives
conceiving
concentrate
concentrated
concentre
conception
concern
concerning
concession
concluded
conclusion
conclusions
condemn
condemnatory
condemned
condemning
condense
condescension
condiments
condition
conditioned
conditions
condoled
condolence
condor

conduc
conduct
conduct
conduct
conductor
cone
confabul
confabul
confer
confer
confer
confess
confess
confid
confid
confid
confid
confidenti
confidenti
confin
confin
confin
confin
confirm
confirm
confirm
conflagr
conflict
conform
conform
confound
confound
confront
confront
confront
confus
confusedli
confus
congeal
congeni
congratul
congratul
congratul
congreg

conducive
conduct
conducted
conducting
conductor
cones
confabulate
confabulation
conference
conferences
conferred
confess
confession
confidant
confide
confidence
confidences
confidential
confidentially
confine
confined
confines
confining
confirm
confirmation
confirmed
conflagration
conflict
conform
conformity
confound
confounded
confronted
confronting
confronts
confused
confusedly
confusion
congealed
congenial
congratulate
congratulation
congratulations
congregation

conjectur
conjectur
conjectur
conjug
connaught
connect
connect
connect
con
conquer
conqueror
conqueror's
conquest
conscienc
conscienti
conscienti
conscienti
consciou
conscious
consecr
consecr
consecr
consent
consent
consent
consequ
consequ
consequ
consequ
conservatori
consid
consider
consider
consider
consider
consid
consid
consid
consist
consist
consist
consist
consist
consist

conjecture
conjectured
conjectures
conjugal
connaught
connected
connection
connections
conning
conquered
conqueror
conqueror's
conquest
conscience
conscientious
conscientiously
conscientiousness
conscious
consciousness
consecrated
consecrating
consecration
consent
consented
consenting
consequence
consequences
consequent
consequently
conservatory
consider
considerable
considerate
considerateness
consideration
considered
considering
considers
consist
consisted
consistency
consistent
consisting
consists

consol
consol
consolatori
consol
consol
consort
consort
conspicu
constanc
constant
constantli
constern
constitut
constraint
constrict
constrict
constru
constru
consult
consult
consult
consult
consumpt
contact
contagion
contain
contain
contain
contamin
contamin
contempl
contempl
contempl
contemporari
contempt
conten
contend
content
content
content
content
cont
contest
contin

consolation
consolations
consolatory
consoled
consoles
consort
consorting
conspicuous
constancy
constant
constantly
consternation
constitution
constraint
constricted
constricting
construe
construed
consult
consultation
consulted
consulting
consumption
contact
contagion
contained
containing
contains
contaminate
contamination
contemplate
contemplated
contemplation
contemporary
contempt
contenance
contending
content
contented
contentment
contents
contes
contest
continent

continu
continu
continu
continu
continu
continu
continu
contort
contort
contour
contract
contradict
contradict
contradictori
contrari
contrast
contrast
contrast
contrast
contribut
contriv
control
control
controvert
contumaci
contumeli
conveni
conveni
conveni
convent
convent
convention
convention
convers
convers
convers
convers
convers
convers
convei
convey
convei
convei
convict

continual
continually
continue
continued
continuing
continuous
continuously
contort
contorted
contour
contracted
contradict
contradicted
contradictory
contrary
contrast
contrasted
contrasting
contrasts
contribute
contrived
control
controlling
controvert
contumacy
contumelious
convenience
convenient
conveniently
convent
conventional
conventionalities
conventionally
conversation
conversational
conversations
converse
conversed
conversing
convey
conveyance
conveyed
conveying
conviction

convinc
convolvuli
convuls
convuls
convuls
cook
cook
cook
cook's
cool
cool
coolli
cool
copi
copi
cops
copi
copi
coquetri
coral
cord
cord
cordial
cordial
cordial
core
cormor
corn
corner
corner
cornfield
cornfield
cornic
coronet
corps
corps
corpul
correct
correct
correct
correct
correspond
correspond
corridor

convinced
convolvuli
convulsions
convulsive
convulsively
cook
cooked
cooking
cook's
cool
cooled
coolly
coolness
copied
copies
copse
copy
copying
coquetry
coral
cord
corded
cordial
cordiality
cordially
core
cormorant
corn
corner
corners
cornfield
cornfields
cornice
coronet
corpse
corpses
corpulent
correct
corrected
correcting
correctness
correspondent
corresponding
corridor

corrobor
corrod
corrod
corrupt
corrupt
corrupt
corsair
corsair
cost
costli
costum
costum
costum
cosi
cottag
couch
couch
cough
cough
cough
counsel
counsel
count
count
counten
counten
counter
counteract
counterbal
counterpan
counterpan
countess
countless
countri
countri
counti
coupl
coupl
courag
cours
court
court
courteou
courtship

corroborate
corroded
corroding
corrupt
corruptible
corruption
corsair
corsairs
cost
costly
costume
costumed
costumes
cosy
cottage
couch
couches
cough
coughed
coughing
counsel
counsels
count
counted
countenance
countenances
counter
counteracting
counterbalance
counterpane
counterpanes
countesses
countless
countries
country
county
couple
coupled
courage
course
court
courted
courteous
courtship

courtyard
cousin
cousin
cover
cover
cover
cover
coverlet
covert
covet
covet
cowardli
cow
crab
crack
crack
crackl
cradl
craft
crag
craggi
crape
crash
crash
crater
crave
crave
crave
crawl
crawl
crayon
creak
creak
creas
creas
creat
creat
creation
creator
creatur
creatur
credibl
credit
creditor

courtyard
cousin
cousins
cover
covered
covering
coverings
coverlet
covert
covet
coveted
cowardly
cows
crabbed
crack
cracking
crackle
cradle
craft
crag
craggy
crape
crash
crashed
crater
craves
craving
cravings
crawled
crawling
crayons
creak
creaked
crease
creased
create
created
creation
creator
creature
creatures
credible
credit
creditor

credul
creed
creep
creol
crept
crescent
crevic
crew
crib
cri
cri
crime
crime
crimin
crimin
crimp
crimson
crisi
criticis
crock
crocus
croi
crone
croon
croquant
croquer
cross
cross
cross
crouch
crow
crowd
crowd
crowd
crown
crown
crow
crucibl
crucifix
cruel
cruelli
cruelti
crumb
crumbl

credulity
creed
creeping
creole
crept
crescent
crevices
crew
crib
cried
cries
crime
crimes
criminal
criminality
crimped
crimson
crisis
criticise
crock
crocuses
crois
crone
crooned
croquant
croquer
cross
crossed
crossing
crouched
crow
crowd
crowded
crowding
crown
crowned
crows
crucibles
crucifix
cruel
cruelly
cruelty
crumb
crumbled

crumb
crumpl
crunch
crush
crush
crush
crust
crust
crusti
cry
cry
crystal
cudgel
cue
cuirass
culpabl
cultiv
cultiv
cumber
cumberland
cumber
cumbrou
cun
cup
cup
curaci
curb
curbless
curdl
cure
curios
curiou
curious
curl
curl
curl
curl
current
current
current
curs
curs
curs
cursorili

crumbs
crumpled
crunching
crushed
crushes
crushing
crust
crusted
crusty
cry
crying
crystal
cudgel
cue
cuirass
culpable
cultivate
cultivation
cumber
cumberland
cumbers
cumbrous
cunning
cup
cups
curacy
curb
curbless
curdles
cure
curiosity
curious
curiously
curl
curled
curling
curls
current
currently
currents
curse
cursed
curses
cursorily

curtail
curtail
curtain
curtain
curtain
curtsei
curtsei
curtsei
curv
cushion
cushion
cushion
cushion
custard
custodi
custom
customari
custom
custom
cut
cut
cut
cuyp
cynic
cynosur
dabbl
dagger
daili
dainti
daisi
dale
dale
damag
damask
dame
damer
dame
damn
damp
damper
damp
damsel
dana
danc

curtail
curtailed
curtain
curtained
curtains
curtsey
curtseyed
curtseying
curves
cushion
cushioned
cushioning
cushions
custards
custody
custom
customary
customer
customers
cut
cuts
cutting
cuyp
cynical
cynosure
dabbling
dagger
daily
dainty
daisies
dale
dales
damaging
damask
dame
damer
dames
damned
damp
damper
damping
damsel
danae
dance

dancer
dancer's
danc
dandl
dandi
danger
danger
danger
daniel
dan
danser
dappl
dare
dare
daren't
daresai
dare
dark
darken
darken
darken
darken
darker
darkli
dark
darksom
darl
darl
darn
dart
dart
dart
dash
dash
dash
date
date
d'athlet
daughter
daughter
daunt
david
dawn
dawn

dancer
dancer's
dancing
dandled
dandy
danger
dangerous
dangers
daniel
dans
danser
dappled
dare
dared
daren't
daresay
daring
dark
darken
darkened
darkening
darkens
darker
darkly
darkness
darksome
darling
darlings
darning
dart
darted
darting
dash
dashed
dashing
date
dated
d'athlete
daughter
daughters
daunted
david
dawn
dawned

dai
daylight
dai
dai's
dazzl
dazzl
dead
deadest
deadli
deaf
deal
dearer
dearest
dearli
dearth
death
deathb
deathless
death
debarrass
debas
debas
debaucheri
debt
decai
decai
deceas
deceas
deceit
deceit
deceiv
deceiv
decemb
decent
decent
decid
decid
decidedli
decis
decis
decis
deck
declaim
declar

day
daylight
days
day's
dazzled
dazzling
dead
deadest
deadly
deaf
deal
dearer
dearest
dearly
dearth
death
deathbed
deathless
deaths
debarrassed
debasement
debasing
debauchery
debt
decay
decaying
decease
deceased
deceit
deceitful
deceive
deceived
december
decent
decently
decide
decided
decidedly
decision
decisions
decisive
deck
declaimed
declaration

declar
declar
declar
declar
declin
declin
decor
dedan
deed
deed
deem
deem
deem
deep
deepden
deepen
deepen
deepen
deeper
deepest
deepli
default
defect
defect
defect
defenc
defend
defer
defer
deferenti
deferenti
defer
defianc
defici
defici
defici
defi
defin
defin
definit
deform
deform
deform
defraud

declare
declared
declares
declaring
decline
declined
decorated
dedans
deed
deeds
deem
deemed
deeming
deep
deepden
deepen
deepened
deepening
deeper
deepest
deeply
defaulters
defect
defective
defects
defence
defend
defer
deference
deferential
deferentially
deferred
defiance
deficiencies
deficiency
deficient
defied
define
defined
definite
deformed
deformities
deformity
defrauded

defi
defi
degener
degener
deglutit
degrad
degrad
degrad
degre
degre
deign
deiti
deject
deject
delai
delai
deliber
deliber
deliber
delicaci
delic
delici
delight
delight
delight
delightfulli
delight
delin
deliri
delirium
deliv
deliv
deliv
dell
dell
delud
delud
delug
delug
dem
demand
demand
demand
demand

defy
defying
degenerate
degenerated
deglutition
degradation
degraded
degrading
degree
degrees
deigned
deity
dejected
dejection
delay
delayed
deliberated
deliberately
deliberating
delicacy
delicate
delicious
delight
delighted
delightful
delightfully
delights
delineate
delirious
delirium
deliver
delivered
delivering
dell
dells
delude
deluding
deluge
deluged
dem
demand
demande
demanded
demands

demeanour
demon
demoniac
demon's
demonstr
demonstr
demur
demur
den
deni
denomin
denomin
denot
denot
dens
dent
dentel
dent's
denud
deni
deni
depart
depart
depart
depart
departur
depend
depend
depend
depend
depend
depend
depend
depend
deport
deposit
deprav
deprec
depress
depress
depriv
depth
depth
der

demeanour
demon
demoniac
demon's
demonstration
demonstrations
demurely
demureness
den
denied
denominated
denominating
denote
denoting
dense
dent
dentelles
dent's
denuded
deny
denying
depart
departed
departing
department
departure
depend
dependant
dependants
depended
dependence
dependency
dependent
depends
deportment
deposit
depraved
deprecation
depressed
depression
deprive
depth
depths
der

deriv
deriv
deriv
de
descend
descend
descend
descend
describ
describ
describ
descript
descript
desecr
desert
desert
desert
desert
desert
deserv
deserv
design
design
design
desir
desir
desir
desir
desir
desir
desist
desk
desol
desol
despair
despatch
despatch
desper
desper
despic
despic
despis
despis
despis

derive
derived
deriving
des
descend
descended
descending
descends
describe
described
describing
description
descriptive
desecrated
desert
deserted
deserting
desertion
deserts
deserve
deserved
design
designation
designing
desirable
desire
desired
desires
desiring
desirous
desist
desk
desolate
desolation
despair
despatch
despatched
desperate
desperation
despicable
despicably
despise
despised
despises

despit
despitefulli
despoil
despond
despond
despot
despot
despot
dessert
destin
destini
destitut
destitut
destroi
destroi
destruct
detail
detail
detail
detain
detect
detect
detect
detect
determin
determin
determin
determinedli
detest
detest
deuc
deutsch
devast
develop
develop
deviat
deviat
devic
devil
devilish
deviou
devis
devis
devoid

despite
despitefully
despoiled
despondent
desponding
despot
despotic
despotism
dessert
destined
destiny
destitute
destitution
destroy
destroyed
destruction
detail
detailing
details
detaining
detect
detected
detecting
detection
determination
determinations
determined
determinedly
detestable
detestation
deuce
deutsch
devastation
developed
development
deviate
deviation
device
devil
devilish
devious
devise
devised
devoid

devot
devot
devot
devot
devot
devour
devour
devour
dew
dewi
diableri
diadem
dialogu
diametr
diamond
diamond
dian
diana
diana's
diari
dick
dicken
dictat
dictionari
dictum
die
di
diet
differ
differ
differ
differ
differ
difficult
difficulti
difficulti
diffid
diffid
digest
digest
digniti
digress
dilat
dilat

devote
devoted
devotion
devotional
devotions
devour
devoured
devouring
dew
dewy
diablerie
diademed
dialogue
diametrically
diamond
diamonds
dian
diana
diana's
diary
dick
dickens
dictates
dictionary
dictum
die
died
diet
differ
differed
difference
different
differently
difficult
difficulties
difficulty
diffidence
diffident
digest
digested
dignity
digression
dilated
dilating

dilig
dim
dimens
diminish
diminut
dimli
dim
dim
dimpl
din
dine
dine
dingi
dine
dinner
dinner
dint
dionysiu
dip
dip
dip
direct
direct
direct
direct
directli
director
direct
dirti
disadvantag
disagre
disappear
disappear
disappear
disappoint
disappoint
disapprov
disapprovingli
disarrang
disarrang
disast
disast
disavow
disavow

diligence
dim
dimensions
diminish
diminutive
dimly
dimmed
dimness
dimpled
din
dine
dined
dingy
dining
dinner
dinners
dint
dionysius
dip
dipped
dips
direct
directed
direction
directions
directly
director
directs
dirty
disadvantageously
disagreeable
disappear
disappeared
disappearing
disappointed
disappointment
disapprove
disapprovingly
disarrange
disarrangement
disaster
disasters
disavowal
disavowed

disburthen
disc
discern
discern
discharg
discharg
discipl
disciplin
disciplin
disclos
disclos
disclosur
disclosur
discolour
discomfort
disconnect
disconsol
discont
discont
discord
discours
discov
discov
discoveri
discov
discoveri
discreet
discreetli
discret
discrimin
discrimin
discuss
discuss
discuss
diseas
diseas
disembarrass
disembodi
disembowel
disfigur
disgrac
disgrac
disguis
disguis

disburthen
disc
discern
discerned
discharge
discharged
disciples
discipline
disciplined
disclose
disclosed
disclosure
disclosures
discoloured
discomfort
disconnected
disconsolate
discontent
discontented
discord
discourse
discover
discovered
discoveries
discovering
discovery
discreet
discreetly
discretion
discriminate
discriminated
discussed
discussing
discussion
disease
diseased
disembarrassed
disembodied
disembowelling
disfigured
disgrace
disgraceful
disguise
disguised

disgust
disgust
disgust
disgust
dish
dish
dish
dishevel
dishonest
dishonour
disinclin
disinterest
disk
dislik
dislik
dislik
dislik
dismal
dismai
dismai
dismiss
dismiss
disobedi
disobei
disord
disord
disown
disown
disown
dispassion
dispensari
dispens
dispens
dispers
displac
displai
displeas
displeas
displeasur
dispos
disposit
disproportion
disput
disqualifi

disgust
disgusted
disgusting
disgusts
dish
dished
dishes
dishevelled
dishonest
dishonour
disinclined
disinterested
disk
dislike
disliked
dislikes
disliking
dismal
dismay
dismayed
dismiss
dismissed
disobedience
disobeying
disorder
disordered
disown
disowned
disowning
dispassionate
dispensary
dispense
dispensed
dispersed
displaced
displayed
displeased
displeasing
displeasure
disposed
disposition
disproportionate
dispute
disqualified

disquietud
disregard
disregard
disregard
dissatisfi
dissent
dissever
dissimilar
dissip
dissip
dissip
dissolut
dissolv
dissolv
dissuad
distanc
distant
distantli
distast
distinct
distinct
distinctli
distinct
distinguish
distinguish
distinguish
distinguish
distort
distract
distract
distress
distress
distress
distribut
district
distrust
disturb
disturb
disturb
disturb
disturb
dit
ditto
dive

disquietude
disregard
disregarded
disregardful
dissatisfied
dissent
disseverment
dissimilar
dissipated
dissipation
dissipations
dissolution
dissolve
dissolved
dissuade
distance
distant
distantly
distasteful
distinct
distinction
distinctly
distinctness
distinguish
distinguishable
distinguished
distinguishing
distortion
distracting
distractions
distress
distressed
distressing
distributed
district
distrust
disturb
disturbance
disturbed
disturbing
disturbs
dit
ditto
dive

diverg
diver
divert
divest
divest
divid
divid
divin
divin
divin
divin
divis
dizzi
doat
doat
docil
dock
doctor
doctor
doctrin
doctrin
document
dof
dog
dogma
dogmat
dog
doigt
do
doit
dole
doll
doll's
domest
dommag
donc
done
donna
donner
doom
door
door
doorstep
dormitori

diverged
divers
divert
divest
divested
divided
dividing
divine
divined
diviners
divining
division
dizzy
doat
doated
docile
dock
doctor
doctors
doctrine
doctrines
document
doffed
dog
dogmas
dogmatical
dogs
doigts
doing
doit
doleful
doll
doll's
domestic
dommage
donc
done
donna
donner
doom
door
doors
doorstep
dormitories

dormitori
dose
doth
dot
doubl
doubl
doubt
doubt
doubt
doubtfulli
doubtless
doubt
dove
dove
dowag
dowag
dowag's
down
downright
downstair
doze
dozen
doze
drab
drag
drain
drank
drape
draperi
draperi
draught
draught
draw
drawer
drawer
draw
draw
drawl
drawl
drawn
draw
dread
dread
dread

dormitory
dose
doth
dotted
double
doubled
doubt
doubted
doubtful
doubtfully
doubtless
doubts
dove
doves
dowager
dowagers
dowager's
down
downright
downstairs
doze
dozen
dozing
drab
dragged
drain
drank
draped
draperies
drapery
draught
draughts
draw
drawer
drawers
drawing
drawings
drawled
drawling
drawn
draws
dread
dreaded
dreadful

dreadfulli
dread
dread
dream
dream
dream
dreamland
dream
dreamt
drear
drearili
dreari
dreari
dreg
drench
dress
dress
dresser
dress
dress
dressmak
drew
dri
drift
drift
drift
drill
drink
drink
drink
drip
drive
driven
driver
drive
drive
drizzl
droop
droop
drop
drop
drop
drop
dropt

dreadfully
dreading
dreads
dream
dreamed
dreaming
dreamland
dreams
dreamt
drear
drearily
dreariness
dreary
dreg
drenched
dress
dressed
dresser
dresses
dressing
dressmaker
drew
dried
drift
drifted
drifts
drilled
drink
drinking
drinks
dripping
drive
driven
driver
drives
driving
drizzling
drooped
drooping
drop
dropped
dropping
drops
dropt

dross
drove
drover
drown
drown
drug
drunkard
dry
dry
dub
dubiou
dudgeon
due
duet
dug
dull
dull
dul
duli
dumb
dumfound
dun
dungeon
dupe
duplic
durabl
durat
dure
dusk
duskier
duski
dust
dust
duti
duti
duti
dwell
dwell
dwelt
dye
dy
dy
each
eager

dross
drove
drover
drown
drowned
drug
drunkard
dry
drying
dubbed
dubious
dudgeon
due
duet
dug
dull
dulls
dulness
duly
dumb
dumfoundered
dun
dungeon
dupe
duplicity
durable
duration
during
dusk
duskier
dusky
dust
dusting
duties
dutiful
duty
dwell
dwelling
dwelt
dye
dyed
dying
each
eager

eagerli
eager
ear
earl
earlier
earliest
earli
earn
earn
earnest
earnestli
earnest
earn
ear
ear
earth
earthli
earthquak
earth's
earthward
eas
eas
easel
easili
east
easter
eastern
eastward
easi
eat
eatabl
eaten
eat
ebb
ebon
eboni
eccentr
eccentr
echo
echo
eclips
economi
economi's
ecstasi

eagerly
eagerness
ear
earl
earlier
earliest
early
earn
earned
earnest
earnestly
earnestness
earnings
earrings
ears
earth
earthly
earthquake
earth's
earthward
ease
eased
easel
easily
east
easter
eastern
eastward
easy
eat
eatable
eaten
eating
ebb
ebon
ebony
eccentric
eccentricity
echo
echoed
eclipse
economy
economy's
ecstasies

ecstasi
ecstat
eddi
eddi
eden
edg
edg
edg
edif
editor
edouard
eduardo
educ
educ
edward
edwin
eel
e'en
eeri
effac
effac
effect
effect
effectu
effervesc
effici
effigi
effluenc
effluvia
effort
effortless
effort
effus
egg
egot
egotist
egypt
eight
eighteen
eighti
einer
ejacul
ejacul
elabor

ecstasy
ecstatic
eddies
eddying
eden
edge
edged
edging
edification
editor
edouard
eduardo
educating
education
edward
edwin
eel
e'en
eerie
efface
effaced
effect
effected
effectually
effervesce
efficiency
effigies
effluence
effluvia
effort
effortless
efforts
effusion
eggs
egotism
egotistical
egypt
eight
eighteen
eighty
einer
ejaculated
ejaculations
elaborate

elabor
elaps
elat
elbow
eld
elder
elderli
elder
eldest
elect
elect
electr
eleg
eleg
element
elementari
element
elev
eleven
elf
elfish
elicit
elicit
eliez
elig
eliza
elizabeth
eliza's
ell
ell
elliott
elm
elong
eloqu
eloqu
elsewher
elud
elv
embarrass
embarrass
ember
embitt
emblem
emblem

elaborately
elapsed
elate
elbow
eld
elder
elderly
elders
eldest
elected
election
electric
elegance
elegant
element
elementary
elements
elevate
eleven
elf
elfish
elicit
elicited
eliezer
eligible
eliza
elizabeth
eliza's
elle
elles
elliott
elm
elongated
eloquence
eloquent
elsewhere
elude
elves
embarrass
embarrassment
embers
embittered
emblem
emblems

embodi
embolden
embow
embrac
embrac
embrac
embrac
embroid
embroideri
embroid
embroideri
embrown
embrut
emerg
emerg
emerg
emin
emir
emot
emot
emperor
emphasi
emphat
emphat
empir
emploi
emploi
employ
employ
empti
empti
empti
emul
enabl
enact
enchain
enchain
enclos
enclos
enclos
enclosur
encount
encount
encount

embody
emboldened
embowered
embrace
embraced
embraces
embracing
embroidered
embroideries
embroidering
embroidery
embrowned
embruted
emerged
emergencies
emerging
eminence
emir
emotion
emotions
emperors
emphasis
emphatic
emphatically
empire
employ
employed
employer
employment
emptied
empty
emptying
emulation
enabled
enactment
enchained
enchaining
enclose
enclosed
enclosing
enclosure
encounter
encountered
encountering

encourag
encourag
encourag
encroach
encroach
encumbr
end
endear
endeavour
endeavour
endeavour
endeavour
end
endless
endow
end
endur
endur
endur
endur
enemi
enemi
energet
energi
energi
enfant
enfeebl
enforc
enforc
engag
engend
engend
england
english
englishman's
engrav
enigma
enigma
enigmat
enjoin
enjoi
enjoi
enjoi
enjoy

encourage
encouraged
encouraging
encroach
encroaches
encumbrance
end
endearments
endeavour
endeavoured
endeavouring
endeavours
ended
endless
endowed
ends
endurance
endure
endured
enduring
enemies
enemy
energetic
energies
energy
enfant
enfeebled
enforce
enforced
engaged
engender
engendered
england
english
englishman's
engravings
enigma
enigmas
enigmatical
enjoined
enjoy
enjoyed
enjoying
enjoyment

enjoy
enlarg
enlarg
enlighten
enlighten
enmiti
enorm
enough
enounc
enrag
enrich
enrol
ensconc
enslav
ensnar
ensu
ensu
ensur
entail
entangl
enter
enter
enter
enter
entertain
entertain
entertain
entertain
enthusiast
entic
entir
entir
entitl
entitl
entrail
entranc
entrap
entreat
entreat
entreati
entreat
entwin
enumer
envelop

enjoyments
enlarge
enlarged
enlighten
enlightened
enmity
enormous
enough
enounce
enrage
enriched
enrolled
ensconced
enslaved
ensnares
ensued
ensuing
ensure
entailed
entanglement
enter
entered
entering
enters
entertain
entertained
entertaining
entertainment
enthusiastic
enticed
entire
entirely
entitle
entitled
entrails
entrance
entrapped
entreat
entreated
entreaties
entreating
entwine
enumeration
enveloped

envelop
enviou
environ
environ
envi
epicur
episod
epithet
equal
equal
equal
equal
equal
equestrian
equestrian
equilibrium
equipag
equip
equit
equival
equivoc
era
erad
er
erect
erect
erect
erect
erewhil
ermin
err
errand
er
error
error
escap
escap
eschew
eshton
eshton
eshton's
especi
especi
espous

envelopes
envious
environed
environs
envy
epicure
episode
epithet
equal
equality
equalling
equally
equals
equestrian
equestrians
equilibrium
equipages
equipped
equitable
equivalent
equivocal
era
eradicated
ere
erect
erected
erection
erectness
erewhile
ermine
err
errand
erred
error
errors
escape
escaped
eschewed
eshton
eshtons
eshton's
especial
especially
espouse

espous
essai
essenc
essenc
essenti
est
establish
establish
estat
estat
esteem
esteem
estrang
etc
etern
etern
et
etiol
etr
etymolog
eulogium
europ
eutychu
evacu
evad
evangel
evas
ev
even
even
even
event
event
eventid
event
evergreen
everybodi
everyth
everywher
evid
evid
evid
evid
evil

espousing
essay
essence
essences
essential
est
established
establishment
estate
estates
esteem
esteemed
estranged
etc
eternal
eternity
etes
etiolated
etre
etymology
eulogiums
europe
eutychus
evacuated
evaded
evangelical
evasive
eve
even
evening
evenings
event
eventful
eventide
events
evergreen
everybody
everything
everywhere
evidence
evidences
evident
evidently
evil

evinc
evinc
evinc
ev'n
ew
ewer
ewer
exact
exact
exact
exactli
exact
exagger
exagger
examin
examin
examin
examin
exampl
exasper
exceed
exceedingli
excel
excel
excel
excel
except
except
except
excess
exchang
exchang
excit
excit
excit
excit
excit
excit
excit
excit
exclaim
exclaim
exclam
exclam

evince
evinced
evincing
ev'n
ewe
ewer
ewers
exact
exacted
exacting
exactly
exactness
exaggerate
exaggerated
examination
examine
examined
examining
example
exasperation
exceeding
exceedingly
excel
excellence
excellent
excellently
except
excepted
exception
excesses
exchange
exchanged
excitable
excitation
excite
excited
excitement
excitements
excites
exciting
exclaimed
exclaiming
exclamation
exclamations

exclud
exclud
exclud
excresc
excruci
excurs
excus
excus
execr
execut
execut
execut
exercis
exercis
exercis
exert
exhaust
exhaust
exhibit
exhibit
exhort
exig
exig
exil
exil
exist
exist
exist
exist
exit
exodu
exoner
exot
expand
expand
expand
expans
expans
expect
expect
expect
expect
expect
expect

exclude
excluded
excluding
excrescence
excruciating
excursion
excuse
excused
execrations
execute
executed
execution
exercise
exercised
exercises
exert
exhausted
exhaustion
exhibit
exhibition
exhortations
exigencies
exigency
exile
exiled
exist
existence
existent
exists
exit
exodus
exonerated
exotics
expand
expanded
expanding
expanse
expansive
expect
expectant
expectation
expected
expecting
expects

expedi
expedi
expel
expel
expens
expens
experi
experienc
experi
experienc
experi
expiat
expiat
expir
explain
explain
explain
explan
explan
explanatori
explicit
exploit
explor
explor
explos
expos
expos
expostul
expostul
exposur
express
express
express
express
express
expressli
exquisit
exquisit
extant
extend
extend
extend
extend
extens

expediency
expedient
expel
expelled
expense
expensive
experience
experienced
experiences
experiencing
experiment
expiate
expiating
expired
explain
explained
explains
explanation
explanations
explanatory
explicit
exploits
explore
explored
explosion
expose
exposed
expostulate
expostulations
exposure
express
expressed
expressing
expression
expressive
expressly
exquisite
exquisitely
extant
extend
extended
extending
extends
extensive

exterior
extern
extern
extern
extinguish
extinguish
extinguish
extirp
extort
extort
extract
extran
extraordinari
extravag
extrem
extrem
extrem
extrem
extrem
extric
extric
extric
exult
exult
exult
exultingli
ey
eyebrow
eyebrow
ei
eyelash
eyelash
ey
eyr
eyr
eyri
fabl
fabric
facad
face
face
faced
face
facil

exterior
external
externally
externals
extinguished
extinguisher
extinguishing
extirpate
extort
extorted
extract
extraneous
extraordinary
extravagance
extreme
extremely
extremes
extremities
extremity
extricate
extricating
extrication
exult
exultant
exultation
exultingly
eye
eyebrow
eyebrows
eyed
eyelash
eyelashes
eyes
eyre
eyres
eyrie
fable
fabric
facade
face
faced
facedness
faces
facile

fact
factori
fact
faculti
faculti
fade
fade
fade
fag
fag
fail
fail
fail
fail
failur
faim
fain
faint
faintest
faint
faintli
faint
fair
fairer
fairfax
fairfax's
fairi
fairli
fairi
faisait
faith
faith
faithfulli
falcon
fall
fallen
fallibl
fall
fall
falsehood
falter
falter
falter
familiar

fact
factory
facts
faculties
faculty
fade
faded
fading
fagged
fagging
fail
failed
failing
fails
failure
faim
fain
faint
faintest
fainting
faintly
faintness
fair
fairer
fairfax
fairfax's
fairies
fairly
fairy
faisait
faith
faithful
faithfully
falcon
fall
fallen
fallible
falling
falls
falsehood
falter
faltering
falters
familiar

familiarli
famili
famili
famili's
famin
famish
famou
fanat's
fanci
fanci
fanci
fanci
fand
fang
fan
fantast
far
farc
fare
farewel
farm
farmer
farmhous
farm
farther
farthest
fascin
fascin
fascin
fashion
fashion
fashion
fashion
fast
fasten
fasten
fasten
faster
fastidi
fast
fat
fate
fate
fate

familiarly
families
family
family's
famine
famished
famous
fanatic's
fancied
fancies
fancy
fancying
fand
fang
fans
fantastic
far
farce
fare
farewell
farm
farmer
farmhouse
farms
farther
farthest
fascinated
fascinating
fascination
fashion
fashionable
fashioned
fashions
fast
fasten
fastened
fastening
faster
fastidious
fasting
fat
fate
fated
fateful

father
father's
fathom
fathomless
fatigu
fatigu
fatuu
faugh
fault
fault
faut
favour
favour
favour
favourit
favour
fawk
fawn
fear
fear'd
fear
fear
fear
fear
fearless
fear
feasibl
feast
feast
feat
feather
feather
featur
featur
featur
februari
fed
fee
feebl
feebl
feeblest
feebli
feed
feed

father
father's
fathom
fathomless
fatigue
fatigued
fatuus
faugh
fault
faults
faut
favour
favourable
favoured
favourite
favours
fawkes
fawn
fear
fear'd
feared
fearful
fearfulness
fearing
fearless
fears
feasible
feast
feasted
feat
feather
feathers
feature
featured
features
february
fed
fee
feeble
feebleness
feeblest
feebly
feed
feeding

feed
feel
feel
feel
feel
fee
feet
feign
felix
fell
fell
fellow
felt
femal
femm
fenc
fender
ferment
ferndean
ferni
ferret
fervent
fervent
fervid
fervour
festal
festiv
festoon
festoon
fetch
fetch
fetid
fetter
fetter
feuill
fever
feverish
feverishli
few
fewer
fiction
fiddler
fidel
fidget

feeds
feel
feeling
feelings
feels
fees
feet
feigned
felix
fell
felling
fellow
felt
female
femmes
fence
fender
ferment
ferndean
ferny
ferret
fervent
fervently
fervid
fervour
festal
festive
festooned
festoons
fetch
fetched
fetid
fettered
fetters
feuille
fever
feverish
feverishly
few
fewer
fiction
fiddler
fidelity
fidget

fie
field
field
fiend
fiendish
fierc
fiercest
fieri
fifteen
fifteenth
fifth
fifti
fig
fight
figment
figur
figur
figur
figur
file
file
filett
filial
file
fill
fill
fill
fillip
filthi
final
final
find
find
fine
fine
finer
finest
finger
finger
finish
finish
fir
fire
fireless

fie
field
fields
fiend
fiendish
fierce
fiercest
fiery
fifteen
fifteenth
fifth
fifty
fig
fight
figments
figuratively
figure
figured
figures
file
filed
filette
filial
filing
fill
filled
filling
fillip
filthy
final
finally
find
finding
fine
finely
finer
finest
finger
fingers
finish
finished
fir
fire
fireless

firelit
fireplac
fire
firesid
firm
firmer
firmli
firm
fir
first
firstli
fish
fissur
fit
fit
fitli
fit
fit
five
fix
fix
fixedli
fixed
fix
fixiti
flabbi
flag
flag
flake
flame
flame
flame
flame
flank
flash
flash
flash
flat
flat
flatter
flatter
flatteri
flavour
flaxen

firelit
fireplace
fires
fireside
firm
firmer
firmly
firmness
firs
first
firstly
fish
fissure
fit
fitful
fitly
fits
fitting
five
fix
fixed
fixedly
fixedness
fixing
fixity
flabby
flag
flags
flakes
flame
flamed
flames
flaming
flanked
flash
flashed
flashing
flat
flatness
flatter
flattered
flattery
flavour
flaxen

flai
fleck
fled
flee
fleet
fleet
flesh
fleur
flew
flexibl
flexibl
flicker
flicker
flight
fling
fling
flint
flinti
flirt
flit
flit
flitter
flit
float
float
float
flock
flock
flog
flog
flood
flood
floor
floor
florenc
flow
flow
flower
floweret
flower
floweri
flow
flown
fluctuat

flayed
flecked
fled
flee
fleet
fleeting
flesh
fleurs
flew
flexibility
flexible
flickering
flickers
flight
fling
flinging
flint
flinty
flirted
flit
flitted
flittered
flitting
float
floated
floating
flock
flocked
flog
flogged
flood
floods
floor
flooring
florence
flow
flowed
flower
floweret
flowers
flowery
flowing
flown
fluctuations

fluenci
fluent
fluentli
flung
flurri
flush
flutter
flutter
fly
fly
foam
foami
foe
fog
foil
foi
fold
fold
fold
fold
foliag
folk
folk
folk's
follow
follow
follow
follow
follow
folli
foment
fond
fonder
fond
fontain
food
fool
fool
foolish
foot
foot
foot
footman
footmen

fluency
fluent
fluently
flung
flurried
flushed
fluttered
fluttering
fly
flying
foam
foamy
foe
fog
foil
fois
fold
folded
folding
folds
foliage
folk
folks
folk's
follow
followed
followers
following
follows
folly
fomented
fond
fonder
fondness
fontaine
food
fool
fooled
foolish
foot
footed
footing
footman
footmen

footstool
forag
forbad
forbear
forbear
forbid
forbidden
forbid
forbor
forc
forc
forc
forebod
forefeet
forefing
foregon
foreground
forehead
foreign
foreign
foreign
forenoon
foresight
forest
forest
foretold
forgav
forget
forget
forgiv
forgiv
forgiv
forgot
forgotten
fork
forlorn
forlorn
form
formal
formalist
formal
form
former
formerli

footstool
forage
forbade
forbearance
forbearing
forbid
forbidden
forbidding
forbore
force
forced
forces
foreboding
forefeet
forefinger
foregone
foreground
forehead
foreign
foreigner
foreigners
forenoon
foresight
forest
forests
foretold
forgave
forget
forgetting
forgive
forgiveness
forgiving
forgot
forgotten
fork
forlorn
forlornness
form
formal
formalist
formally
formed
former
formerly

formid
form
formless
form
formula
forr
forsak
forsaken
forsak
forsak
forsook
fort
forth
forthwith
fortitud
fortnight
fortun
fortun
fortun
fortun
forti
forward
forward
forward
foster
foster
fought
foul
fouler
found
foundri
fount
four
four
fourteen
fourth
fowl
fox
fraction
fractiou
fragil
fragment
fragmentari
fragment

formidable
forming
formless
forms
formula
forres
forsake
forsaken
forsakes
forsaking
forsook
forte
forth
forthwith
fortitude
fortnight
fortunate
fortunately
fortune
fortunes
forty
forward
forwarded
forwards
foster
fostering
fought
foul
fouler
found
foundry
fount
four
fours
fourteen
fourth
fowl
fox
fraction
fractious
fragile
fragment
fragmentary
fragments

fragranc
fragrant
frail
frame
frame
frame
frame
franc
frank
franker
frankli
frank
frantic
franz
freak
freak
freder
frederick
free
freed
freedom
freedom
freeli
freer
freez
freezingli
french
frenzi
frequent
frequent
frequent
fresh
freshen
freshen
freshen
freshest
fresh
fret
fret
friend
friendless
friendli
friendli
friend

fragrance
fragrant
frail
frame
framed
frames
framing
france
frank
franker
frankly
frankness
frantic
franz
freak
freaks
frederic
frederick
free
freed
freedom
freedoms
freely
freer
freezing
freezingly
french
frenzy
frequent
frequented
frequently
fresh
freshened
freshening
freshens
freshest
freshness
fretted
fretting
friend
friendless
friendliness
friendly
friends

friend's
friendship
friez
fright
frighten
frighten
fright
frigid
frill
fring
frivol
fro
frock
frock
front
frost
frost
frosti
frown
frown
frown
frowningli
frown
froze
frozen
fruit
fruition
fuel
fulfil
fulfil
fulfil
full
fulli
fulmin
fumbl
fume
fume
fun
funchal
function
functionari
fund
fund
funer

friend's
friendship
frieze
fright
frightened
frightens
frightful
frigid
frills
fringed
frivolous
fro
frock
frocks
front
frost
frosts
frosty
frown
frowned
frowning
frowningly
frowns
froze
frozen
fruit
fruition
fuel
fulfil
fulfilled
fulfilment
full
fully
fulminating
fumbled
fume
fumes
fun
funchal
function
functionary
fund
funds
funeral

fur
furbish
furiou
furious
furnac
furnish
furnish
furnitur
fur
furrow
furrow
fur
further
further
furtiv
furi
fuse
fustian
futur
gaieti
gaili
gain
gain
gait
galaxi
gale
gale
gall
gallant
gallantri
gall
galleri
gallic
gallop
gallop
gallow
gambl
gambol
game
game
gander
gape
gape
gape

fur
furbish
furious
furiously
furnace
furnish
furnished
furniture
furred
furrowed
furrowing
furs
further
furtherance
furtively
fury
fuses
fustian
future
gaiety
gaily
gain
gained
gait
galaxy
gale
gales
gall
gallant
gallantry
galled
gallery
gallic
gallop
galloped
gallows
gambles
gambols
game
games
gander
gape
gaped
gaping

garb
garden
garden
garden
gardez
garland
garment
garnish
garret
garter
gaslight
gasp
gate
gate
gateshead
gather
gather
gather
gather
gaunt
gauzi
gave
gai
gaze
gaze
gazel
gazer
gaze
gedanken
gem
gem
gem
gener
gener
gener
gener
generos
gener
gener
genesi
genial
genial
genii
geniu

garb
garden
gardener
gardens
gardez
garlands
garments
garnish
garret
garters
gaslight
gasped
gate
gates
gateshead
gather
gathered
gathering
gathers
gaunt
gauzy
gave
gay
gaze
gazed
gazelle
gazer
gazing
gedanken
gem
gemmed
gems
general
generalities
generally
generations
generosity
generous
generously
genesis
genial
genially
genii
genius

genteel
gentl
gentleman
gentlemanlik
gentleman's
gentlemen
gentlemen's
gentl
gentler
gentli
gentri
genuin
geographi
georg
georgiana
georgiana's
georgi
german
germin
germ
gestur
gestur
get
get
gewicht
ghastli
ghastli
ghost
ghostli
ghostli
ghost
ghoul
giacinta
giant
giant
gibberish
gibson
gibson
giddi
gift
gift
gift
giggl
giggl

genteel
gentle
gentleman
gentlemanlike
gentleman's
gentlemen
gentlemen's
gentleness
gentler
gently
gentry
genuine
geography
george
georgiana
georgiana's
georgy
german
germinate
germs
gesture
gestures
gets
getting
gewichte
ghastliness
ghastly
ghost
ghostliness
ghostly
ghosts
ghoul
giacinta
giant
giants
gibberish
gibson
gibsons
giddy
gift
gifted
gifts
giggled
giggling

gild
gild
gingerbread
gingham
gipsi
gipsi
gipsi
gipsi's
girandol
girdl
girdl
girdl
girl
girl
girl's
girt
give
given
give
give
glad
gladli
gladsom
glamour
glanc
glanc
glanc
glanc
glare
glare
glass
glass
glassi
glaze
glaze
gleam
gleam
gleam
gleam
glean
glee
gleeful
glide
glide

gild
gilding
gingerbread
gingham
gipsies
gipsy
gipsying
gipsy's
girandoles
girdle
girdled
girdling
girl
girls
girl's
girt
give
given
gives
giving
glad
gladly
gladsome
glamour
glance
glanced
glances
glancing
glare
glared
glass
glasses
glassiness
glazed
glazing
gleam
gleamed
gleaming
gleams
glean
glee
gleeful
glide
glided

glide
glidingli
glimmer
glimps
glimps
glisten
glisten
glitter
glitter
glitter
gloam
globe
globe
gloom
gloomi
glorifi
gloriou
glori
gloss
glossiest
glossili
glove
glove
glow
glow
glow
gnaw
gnome
goad
goblin
goblin
goblin's
god
god`
god
god's
goe
go
gold
golden
goldsmith's
gone
good
good

gliding
glidingly
glimmered
glimpse
glimpses
glistened
glistening
glitter
glittering
glitters
gloaming
globe
globes
gloom
gloomy
glorify
glorious
glory
gloss
glossiest
glossily
glove
gloves
glow
glowed
glowing
gnawed
gnome
goaded
goblin
goblins
goblin's
god
god`
gods
god's
goes
going
gold
golden
goldsmith's
gone
good
goodness

gooseberri
gore
gorg
gorg
gori
gospel
gossam
gossip
gothic
gouvernant
govern
gover
gover
gover
gown
grace
grace
gracefulli
grace
graciou
gracious
gradat
gradual
gradual
grafinnen
grain
grain
grammar
grand
grand
grandest
grandeur
grandfath
granit
grant
grant
grape
grappl
grasp
grasp
grasp
grass
grassi
grate

gooseberry
gore
gorge
gorged
gory
gospel
gossamer
gossip
gothic
gouvernante
governed
governess
governesses
governessing
gown
grace
graceful
gracefully
graces
gracious
graciously
gradations
gradual
gradually
grafinnen
grain
grains
grammar
grand
grande
grandest
grandeur
grandfather
granite
grant
granted
grapes
grappled
grasp
grasped
grasping
grass
grassy
grate

grate
grate
grate
gratif
gratifi
gratifi
grate
gratitud
grave
gravel
grave
graven
grave
graviti
great
greater
greatest
greatli
grecian
greek
green
greener
greenland
green
greet
greet
greet
gregari
grew
grei
grei
grief
griev
griev
grievou
grim
grimac
grimac
grimac
grimli
grimm
grimsbi
grimi
grind

grated
grateful
grates
gratification
gratified
gratify
grating
gratitude
grave
gravel
gravely
graven
graves
gravity
great
greater
greatest
greatly
grecian
greek
green
greener
greenland
greenness
greet
greeted
greeting
gregarious
grew
grey
greys
grief
grieve
grieved
grievous
grim
grimace
grimaces
grimacing
grimly
grimms
grimsby
grimy
grinding

grip
gripe
grizzl
groan
groan
groomsmen
grope
grope
gross
grotesqu
ground
ground
group
group
group
grove
grovel
grovel
grove
grow
grow
growl
grown
grow
growth
gruff
gruffli
gryce
guarante
guard
guard
guarded
guardian
guardian's
guardianship
guess
guess
guest
guest
guidanc
guid
guid
guid
guid

grip
gripe
grizzled
groan
groaned
groomsmen
groped
groping
gross
grotesque
ground
grounds
group
grouped
groups
grove
grovelled
grovelling
groves
grow
growing
growled
grown
grows
growth
gruff
gruffly
gryce
guarantee
guard
guarded
guardedness
guardian
guardian's
guardianship
guess
guessed
guest
guests
guidance
guide
guided
guides
guiding

guilt
guilti
guis
gulf
gulliv
gulliv's
gun
gurgl
gush
gush
gust
gust
gusti
gui
gytrash
habergeon
habil
habit
habit
habit
habitu
habitu
habitu
habitu
hacknei
hadn't
hag
hail
hair
hair
halcyon
half
hall
halo
halt
halv
hamlet
hamper
hand
hand
hand
handiwork
handkerchief
handkerchief

guilt
guilty
guise
gulf
gulliver
gulliver's
guns
gurgled
gush
gushed
gust
gusts
gusty
guy
gytrash
habergeon
habiller
habit
habitation
habits
habitual
habitually
habituated
habituating
hackneyed
hadn't
hag
hailed
hair
haired
halcyon
half
hall
haloed
halted
halves
hamlet
hampered
hand
handed
handful
handiwork
handkerchief
handkerchiefs

handl
handl
handl
hand
handsom
handsom
hang
hang
hang
hannah
hannah's
happen
happen
happen
happen
happier
happiest
happili
happi
happi
harangu
harass
harass
harass
harbourag
hard
harden
harden
harden
hardest
hardihood
hardili
hardli
hard
hardship
hardi
harem
harlequin's
harlot
harm
harm
harm
harmless
harmoni

handle
handled
handling
hands
handsome
handsomer
hang
hanging
hangings
hannah
hannah's
happen
happened
happening
happens
happier
happiest
happily
happiness
happy
harangue
harass
harassed
harassing
harbourage
hard
harden
hardened
hardens
hardest
hardihood
hardily
hardly
hardness
hardships
hardy
harem
harlequin's
harlot
harm
harmed
harming
harmless
harmonious

harmoni
harmonis
harmoni
har
har
harp
harsh
harshli
harsh
harvest
hast
hast
hast
hasten
hasten
hasten
hastili
hasti
hat
hate
hate
hate
hate
hatr
hat
hat
haughtili
haughti
haughti
haul
haunt
haunt
haunt
haunt
hauteur
havannah
haven
haven't
have
haw
hawthorn
hai
hayfield
hayhil

harmoniously
harmonised
harmony
harnessed
harnessing
harp
harsh
harshly
harshness
harvest
hast
haste
hasted
hasten
hastened
hastening
hastily
hasty
hat
hate
hated
hateful
hating
hatred
hats
hatted
haughtily
haughtiness
haughty
hauled
haunt
haunted
haunting
haunts
hauteur
havannah
haven
haven't
having
haws
hawthorn
hay
hayfield
hayhill

haymak
hazard
hazel
head
head
headlong
head
headston
headstrong
heal
heal
heal
health
healthi
heap
heap
hear
heard
hear
hear
hears
heart
heart
hearth
hearthrug
hearth
heartili
heartless
heart
heart's
hearti
heat
heath
heathen
heathen
heather
heat
heav
heaven
heavenli
heaven's
heavili
heavi
heav

haymakers
hazarding
hazel
head
headed
headlong
heads
headstone
headstrong
heal
healed
heals
health
healthy
heap
heaps
hear
heard
hearing
hears
hearse
heart
hearted
hearth
hearthrug
hearths
heartily
heartless
hearts
heart's
hearty
heat
heath
heathen
heathens
heather
heats
heaved
heaven
heavenly
heaven's
heavily
heaviness
heaving

heavi
hebdomad
hebrew
hebrid
hector
hedg
hedg
heed
heed
heel
heidelberg
height
height
heirloom
held
helen
helen's
hell
help
help
helper
help
hem
hem
henc
henri
hepburn
herald
herald
herb
hercul
herd
herd
here
hereaft
heretofor
heritag
hermit's
hero
heroic
her
herself
hervor
hesit

heavy
hebdomadal
hebrew
hebrides
hector
hedge
hedges
heeded
heeding
heel
heidelberg
height
heights
heirlooms
held
helen
helen's
hell
help
helped
helpers
helping
hem
hemmed
hence
henry
hepburn
herald
heralds
herbs
hercules
herd
herded
here
hereafter
heretofore
heritage
hermit's
hero
heroic
herring
herself
hervor
hesitate

hesitatingli
hesit
heterogen
heur
hewn
hiatu
hid
hidden
hideou
hideous
hide
hide
hi
hieroglyph
high
higher
highest
highland's
highli
highwayman
hill
hillo
hillock
hill
hillsid
hillsid
hilli
himself
hind
hinder
hindranc
hindranc
hing
hint
hint
hint
hip
hire
hire
hiss
histori
hit
hitch
hither

hesitatingly
hesitation
heterogeneous
heures
hewn
hiatus
hid
hidden
hideous
hideously
hides
hiding
hied
hieroglyphics
high
higher
highest
highlander's
highly
highwayman
hill
hillo
hillocks
hills
hillside
hillsides
hilly
himself
hind
hindering
hindrance
hindrances
hinges
hint
hinted
hints
hips
hired
hiring
hiss
history
hit
hitch
hither

hitherto
hoard
hoard
hoard
hoars
hoari
hob
hoist
hoist
hold
hold
hold
hole
holidai
holidai
holland
hollow
hollow
holli
hollyhock
holm
holi
homag
home
homeless
homeward
homili
honest
honei
honei
honeymoon
honour
honour
honour
hoof
hoof
hoop
hope
hope
hope
hopeless
hope
hope
hop

hitherto
hoard
hoarding
hoards
hoarse
hoary
hob
hoist
hoisted
hold
holding
holds
holes
holiday
holidays
holland
hollow
hollows
holly
hollyhocks
holm
holy
homage
home
homeless
homeward
homily
honest
honey
honeyed
honeymoon
honour
honourable
honoured
hoof
hoofs
hooped
hope
hoped
hopeful
hopeless
hopes
hoping
hopped

hop
horizon
horizont
horizont
horn
horn
horribl
horror
horror
hors
horseback
horseman
hors
hors's
hose
hospit
hospit
host
hostess
hostil
hot
hotel
hothous
hour
houri
hourli
hour
hour's
hous
housebreak
hous
household
housekeep
housekeep's
housemaid
housemaid's
hous
housewif
hover
hover
howl
howl
hue
hueless

hopping
horizon
horizontal
horizontally
horn
horned
horrible
horror
horrors
horse
horseback
horseman
horses
horse's
hose
hospital
hospitality
host
hostess
hostile
hot
hotel
hothouse
hour
houri
hourly
hours
hour's
house
housebreakers
housed
household
housekeeper
housekeeper's
housemaid
housemaid's
houses
housewifely
hovered
hovering
howl
howling
hue
hueless

hue
huge
hum
human
human
humbl
humbl
humbler
humbl
humbug
humili
humil
hum
hum
humour
humour
humph
hundr
hundr
hung
hunger
hungri
hunt
hunt
hurl
hurl
hurrican
hurri
hurri
hurri
hurt
hurt
husband
husband
husband's
hush
hush
hush
hush
huski
hybrid
hyena
hymn
hypochondria

hues
huge
hum
human
humanity
humble
humbled
humbler
humbling
humbug
humiliation
humility
hummed
humming
humour
humoured
humph
hundred
hundreds
hung
hunger
hungry
hunt
hunting
hurl
hurling
hurricanes
hurried
hurry
hurrying
hurt
hurting
husband
husbands
husband's
hush
hushed
hushes
hushing
husky
hybrid
hyena
hymn
hypochondria

hypochondriac
hypocrisi
hypocrit
hypothesi
hysteria
hyster
hyster
ic
iceberg
iceland
ich
icili
ici
idea
ideal
idea
ident
idioci
idiot
idiot
idiot
idl
idl
idol
idolatr
idyl
igni
ignomini
ignomini
ignor
ignor
ill
illegitim
ill
illumin
illumin
illumin
illustr
illustr
imag
imagin
imaginari
imagin
imagin's

hypochondriac
hypocrisy
hypocrite
hypothesis
hysteria
hysterical
hysterics
ice
iceberg
iceland
ich
icily
icy
idea
ideal
ideas
identity
idiocy
idiot
idiotic
idiots
idle
idling
idol
idolatrous
idyls
ignis
ignominious
ignominy
ignorance
ignorant
ill
illegitimate
illness
illuminated
illumination
illumined
illustrated
illustration
image
imaginable
imaginary
imagination
imagination's

imagin
imagin
imagin
imbecil
imbecil
imbib
imit
immeasur
immeasur
immedi
immedi
immens
immor
immort
immut
imp
impalp
impart
impart
impart
impart
impass
impass
impass
impati
impati
impati
imped
impedi
impedi
impenetr
imper
imperfect
imperfect
imperi
imperi
impetu
impetu
implicitli
impli
implor
implor
impli
import

imagine
imagined
imagining
imbecile
imbecility
imbibed
imitating
immeasurable
immeasurably
immediate
immediately
immense
immoral
immortal
immutable
imp
impalpable
impart
imparted
imparting
imparts
impassable
impassible
impassioned
impatience
impatient
impatiently
impeded
impediment
impediments
impenetrability
imperative
imperfect
imperfection
imperial
imperious
impetuous
impetus
implicitly
implied
implore
implored
imply
import

import
import
import
importun
importun
importun
importun
impos
impos
imposs
impostor
impot
impress
impress
impress
impress
impress
improb
impromptu
improv
improv
improv
improvis
imp
impud
impuls
impuls
impuls
impuls
impur
imput
inaccuraci
inact
inamorata
inanim
inanit
inarticul
inattent
inaud
incap
incapac
incarn
incens
incens

importance
important
imported
importune
importuned
importunes
importunity
impose
imposing
impossible
impostor
impotent
impress
impressed
impression
impressions
impressive
improbable
impromptu
improved
improvement
improvements
improvised
imps
impudence
impulse
impulses
impulsive
impulsively
impure
imputation
inaccuracy
inactive
inamorata
inanimate
inanition
inarticulate
inattention
inaudible
incapable
incapacity
incarnate
incense
incensed

incessantli
inch
incid
incid
incivil
inclement
inclin
inclin
inclin
inclin
inclin
includ
includ
includ
incom
incompet
incomprehens
incongru
inconsist
inconsist
inconsol
increas
increas
increas
increas
incred
incredul
incredul
incubi
incumb
incur
indebt
inde
indefatig
indefinit
indel
indemn
independ
independ
indescrib
indestruct
india
indian
indic

incessantly
inch
incident
incidents
incivility
inclement
inclination
incline
inclined
inclines
inclining
include
included
including
income
incompetency
incomprehensible
incongruous
inconsistent
inconsistently
inconsolable
increase
increased
increases
increasing
incredible
incredulity
incredulous
incubi
incumbent
incurred
indebted
indeed
indefatigable
indefinite
indelibly
indemnity
independency
independent
indescribable
indestructible
india
indian
indicate

indic
indi
indiffer
indiffer
indiffer
indig
indig
indign
indign
indirect
indiscret
indiscrimin
indispos
indissolubl
indissolubl
indit
individu
individu
indol
indomit
indoor
induc
induc
induc
indulg
indulg
indulg
indulg
industri
ineff
ineffectu
inert
inestim
inevit
inevit
inexhaust
inexor
inexperi
inexperienc
inexplic
inexpress
inexpress
inextric
inextric

indicated
indies
indifference
indifferent
indifferently
indigence
indigent
indignant
indignation
indirect
indiscretion
indiscriminately
indisposed
indissoluble
indissolubly
inditing
individual
individuals
indolence
indomitable
indoor
induce
induced
inducement
indulge
indulged
indulgence
indulgent
industrious
ineffable
ineffectual
inertness
inestimable
inevitable
inevitably
inexhaustible
inexorable
inexperience
inexperienced
inexplicable
inexpressible
inexpressibly
inextricable
inextricably

infam
infami
infant
infantin
infatu
infatuatedli
infect
infer
infer
inferior
inferior
inferior
infern
infer
infinit
infinitud
infinitum
infirm
inflam
inflammatori
inflat
inflat
inflect
inflex
inflict
inflict
inflict
influenc
influenc
influx
inform
inform
inform
inform
inform
inform
infus
ing
ingeni
ingram
ingram's
ingratitud
ingredi
inhabit

infamous
infamy
infant
infantine
infatuated
infatuatedly
infection
infer
inference
inferior
inferiority
inferiors
infernal
inferred
infinite
infinitude
infinitum
infirm
inflamed
inflammatory
inflated
inflation
inflections
inflexible
inflict
inflicted
inflictions
influence
influenced
influx
inform
informality
informant
information
informed
informer
infused
ing
ingenious
ingram
ingram's
ingratitude
ingredient
inhabit

inhabit
inhabit
inhabit
inhal
inherit
initi
injudici
injur
injur
injuri
injuri
injustic
inkl
inmat
inmat
inmost
inn
innat
inner
innoc
innoc
innov
inopportun
inquir
inquir
inquiri
inquiringli
inquiri
inquisit
insan
insan
inscrib
inscript
inscrut
insect
insecur
insens
insid
insignific
insincer
insipid
insist
insist
insist

inhabitant
inhabitants
inhabited
inhale
inherited
initial
injudicious
injure
injured
injuries
injury
injustice
inkling
inmate
inmates
inmost
inn
innate
inner
innocence
innocent
innovation
inopportune
inquire
inquired
inquiries
inquiringly
inquiry
inquisitive
insane
insanity
inscribed
inscription
inscrutable
insect
insecurity
insensible
inside
insignificant
insincere
insipid
insist
insisted
insists

insol
insol
insol
insolv
inspect
inspector
inspector
inspir
inspir
inspir
instal
instal
instal
instanc
instanc
instant
instantli
instead
instig
instil
instinct
instinct
instinct
institut
instruct
instructor
instructress
instrument
instrument
insuffer
insuffici
insult
insult
insult
insuper
insupport
insurrect
integr
intellect
intellectu
intellig
intellig
intellig
intemper

insolence
insolent
insolently
insolvency
inspection
inspector
inspectors
inspiration
inspire
inspired
instal
installed
installing
instance
instanced
instant
instantly
instead
instigated
instilled
instinct
instinctive
instinctively
institution
instruction
instructor
instructress
instrument
instruments
insufferable
insufficient
insult
insulted
insulting
insuperable
insupportable
insurrection
integrity
intellect
intellectual
intelligence
intelligent
intelligible
intemperate

intend
intend
intend
intens
intent
intent
intent
intercess
interchang
intercours
interest
interest
interest
interest
interfer
interfer
interim
interior
interject
interlocutor
interlocutor's
interlocutric
interlop
interlud
inter
intermin
interpos
interpret
interpret
interpret
interpret
interrog
interrupt
interrupt
interrupt
interv
interv
interven
interven
interven
interview
interweav
intim
intim

intend
intended
intends
intensely
intent
intention
intentions
intercession
interchanged
intercourse
interest
interested
interesting
interests
interfere
interference
interim
interior
interjected
interlocutor
interlocutor's
interlocutrice
interloper
interlude
interment
interminable
interposed
interpreted
interpreter
interpreting
interprets
interrogator
interrupt
interrupted
interruption
interval
intervals
intervened
intervenes
intervening
interview
interweaving
intimate
intimated

intim
intimid
intoler
intoler
inton
intric
intrins
introduc
introduc
introduct
introductori
intrud
intrud
intrud
intrud
intrus
intrust
intrust
inur
invad
invalid
invalu
invari
invent
invent
invest
investig
invest
inviol
invis
invit
invit
invit
invit
invok
involuntarili
involuntari
involv
inward
inwardli
irat
ir
ir
ireland

intimating
intimidated
intolerable
intolerably
intonation
intricate
intrinsic
introduce
introduced
introduction
introductory
intrude
intruded
intruder
intruders
intrusion
intrust
intrusted
inured
invade
invalid
invaluable
invariably
invention
inventive
invested
investigation
investment
inviolate
invisible
invitation
invite
invited
inviting
invoke
involuntarily
involuntary
involved
inward
inwardly
irate
ire
ireful
ireland

irid
irksom
iron
iron
iron
iron
irrat
irregular
irregular
irregular
irrepress
irresist
irresist
irrevoc
irrit
irrit
irrit
island
isl
isol
isol
israelitish
issu
issu
issu
italian
itali
iter
itself
ivori
ivi
jack
jacket
j'ai
jail
jamaica
jame
jane
jane's
janet
janian
januari
jargon
jasmin

irids
irksome
iron
ironical
ironing
irons
irrational
irregular
irregularities
irregularity
irrepressible
irresistible
irresistibly
irrevocably
irritated
irritating
irritation
island
isles
isolated
isolation
israelitish
issue
issued
issuing
italian
italy
iteration
itself
ivory
ivy
jack
jacket
j'ai
jail
jamaica
james
jane
jane's
janet
janian
january
jargon
jasmine

jaw
jaw
jai
jealou
jealousi
jeannett
jelli
jerk
jest
jest
jet
jetti
jew
jewel
jewel's
jewel
jew
jingl
joan
job
job's
john
john's
johnston
join
join
join
joke
jonah
jona
joubert
joubert
joue
jour
journei
journei
jove
joi
joyless
joyou
jubile
juda
judg
judg

jaw
jaws
jay
jealous
jealousy
jeannette
jellies
jerked
jest
jests
jet
jetty
jew
jewel
jeweller's
jewels
jews
jingling
joan
job
job's
john
john's
johnstone
join
joined
joining
joke
jonah
jonas
joubert
jouberts
joues
jour
journey
journeyings
jove
joy
joyless
joyous
jubilee
judas
judge
judged

judg
judgment
judgment
judici
jug
juggernaut
julia
julia's
juli
jump
jump
jump
junctur
june
justic
justif
justifi
justifi
justli
juvenil
j'y
kaleidoscop
keen
keener
keenest
keenli
keep
keeper
keep
keep
keepsak
keepsak
kennel
kept
kei
keyhol
kei
kick
kick
kidnapp
kidnap
kill
kill
kin

judging
judgment
judgments
judicious
jug
juggernaut
julia
julia's
july
jump
jumped
jumping
juncture
june
justice
justification
justified
justify
justly
juveniles
j'y
kaleidoscope
keen
keener
keenest
keenly
keep
keeper
keeping
keeps
keepsake
keepsakes
kennel
kept
key
keyhole
keys
kicked
kicking
kidnappers
kidnapping
kill
killed
kin

kind
kinder
kindest
kindl
kindl
kindl
kindli
kind
kindr
kind
king
kingdom
kingli
king
kingston
kinsfolk
kiss
kiss
kiss
kiss
kitchen
knack
knave
knawn't
knead
knee
kneel
kneel
kneel
knee
knell
knelt
knew
knife
knit
knit
knock
knock
knocker
knock
knoll
knot
knot
knot

kind
kinder
kindest
kindle
kindled
kindling
kindly
kindness
kindred
kinds
king
kingdom
kingly
kings
kingston
kinsfolk
kiss
kissed
kisses
kissing
kitchen
knack
knaves
knawn't
kneaded
knee
kneel
kneeling
kneels
knees
knell
knelt
knew
knife
knit
knitting
knock
knocked
knocker
knocks
knoll
knot
knots
knotted

knotti
know
know
knowledg
known
know
knuckl
l15
l30
labour
labour
labour
labour
lace
lachrymos
lack
lack
ladder
laden
ladi
ladi
ladi's
ladyship
lag
laid
lair
lake
lamb
lamb
lame
lament
lament
lamp
lamp
lanc
land
land
land
landlord
land
landscap
landscap
lane
lane

knotty
know
knowing
knowledge
known
knows
knuckles
l15
l30
labour
labourers
labouring
labours
lace
lachrymose
lack
lacked
ladder
laden
ladies
lady
lady's
ladyship
lagging
laid
lair
lake
lamb
lambs
lameness
lamentable
lamentations
lamp
lamps
lances
land
landed
landing
landlord
lands
landscape
landscapes
lane
lanes

languag
languid
languidli
languish
languish
lantern
lap
lapdog
lapland
lappet
laps
laps
laps
larder
larg
larg
larger
largest
lark
lash
lash
lass
lassitud
last
last
lastli
latch
late
late
later
latin
latmo
latter
latterli
lattic
lattic
laugh
laugh
laugher
laugh
laugh
laughter
launch
launch

language
languid
languidly
languish
languishing
lantern
lap
lapdog
lapland
lappets
lapse
lapsed
lapses
larder
large
largely
larger
largest
larks
lash
lashes
lass
lassitude
last
lasted
lastly
latched
late
lately
later
latin
latmos
latter
latterly
lattice
latticed
laugh
laughed
laugher
laughing
laughs
laughter
launch
launched

laundress
laurel
laurel
lavish
lavishli
law
law
lawfulli
lawn
law
law's
lawyer
lai
lai
lea
lead
leader
leader's
lead
lead
leaf
leafless
leafi
leah
leah's
lean
lean
lean
lean
leant
leap
leapt
learn
learn
learn
learnt
lea
leav
leav
leaven
leav
leav
lectur
lectur

laundress
laurel
laurels
lavish
lavishly
law
lawful
lawfully
lawn
laws
law's
lawyer
lay
laying
lea
lead
leader
leader's
leading
leads
leaf
leafless
leafy
leah
leah's
lean
leaned
leaning
leans
leant
leap
leapt
learn
learned
learning
learnt
leas
leave
leaved
leaven
leaves
leaving
lecture
lectured

lectur
led
ledg
lee
left
leg
legal
legalis
legate
legend
leg
legibl
legion
legitim
leg
leisur
leisur
lend
lend
length
length
lenient
le
less
l'essai
lessen
lessen
lesson
lesson
lest
letharg
lethargi
letter
letterpress
letter
let
leur
levantin
level
level
lever
leviathan
lexicon
liabl

lectures
led
ledge
lee
left
leg
legal
legalise
legatee
legends
legged
legible
legion
legitimate
legs
leisure
leisurely
lend
lendings
length
lengths
lenient
les
less
l'essaie
lessened
lessening
lesson
lessons
lest
lethargic
lethargy
letter
letterpress
letters
letting
leurs
levantine
level
levelled
lever
leviathan
lexicon
liable

liaison
liaison
liar
liar
liber
liber
liber
liber
liber
liberti
librari
licens
licenseduproar
lid
lid
lie
li
li
life
lifeless
life's
lift
lift
lift
ligatur
light
light
lighter
light
lightli
light
lightn
light
ligu
like
likelihood
like
like
likewis
like
lilac
lili
lilliput
lili

liaison
liaisons
liar
liars
liberal
liberality
liberally
liberate
liberated
liberty
library
license
licenseduproar
lid
lids
lie
lied
lies
life
lifeless
life's
lift
lifted
lifting
ligature
light
lighted
lighter
lighting
lightly
lightness
lightning
lights
ligue
liked
likelihood
likeness
likes
likewise
liking
lilac
lilies
lilliput
lily

limb
limb
limb
limit
limit
limp
limpid
lind
line
lineament
lineament
line
linen
line
linger
linger
linger
linger
lingeringli
link
linnet
l'instant
lion
lip
lip
liquid
lisl
lisp
list
listen
listen
listen
listen
listless
listless
lit
literatur
littl
live
live
liveli
live
live
livid

limb
limbed
limbs
limit
limits
limped
limpid
lindeness
line
lineament
lineaments
lined
linen
lines
linger
lingered
lingerer
lingering
lingeringly
links
linnet
l'instant
lion
lip
lips
liquid
lisle
lisp
list
listen
listened
listener
listening
listless
listlessness
lit
literature
little
live
lived
livelier
lively
lives
livid

live
lizard
lizzi
lloyd
load
load
loaf
loath
lobbi
local
lock
lock
locket
lock
lock
lodg
lodg
lodg
loft
loftier
loftiest
lofti
logic
london
lone
loneli
lone
lonesom
long
long
longer
longest
long
long
look
look
look
look
loop
loos
loosen
lord
lorn
lose

living
lizard
lizzy
lloyd
load
loaded
loaf
loathings
lobby
locality
lock
locked
locket
locking
locks
lodge
lodged
lodging
loft
loftier
loftiest
lofty
logical
london
lone
loneliness
lonely
lonesome
long
longed
longer
longest
longing
longings
look
looked
looking
looks
looped
loose
loosened
lord
lorn
lose

lose
lose
loss
lost
lot
lotu
loud
louder
loudli
louisa
loung
love
love
loveliest
loveli
love
lover
lover
lover's
love
love
low
lower
lower
lowli
lowood
lowton
lozeng
lucid
ludicr
luggag
lugubri
lui
luke
lull
lull
lump
lunar
lunat
lunch
lung
lure
lurid
lurk

loses
losing
loss
lost
lot
lotus
loud
louder
loudly
louisa
lounging
love
loved
loveliest
loveliness
lovely
lover
lovers
lover's
loves
loving
low
lower
lowered
lowly
lowood
lowton
lozenged
lucid
ludicrous
luggage
lugubrious
lui
luke
lull
lulled
lump
lunar
lunatic
lunch
lungs
lure
lurid
lurk

lust
lustr
lustr
lustrou
lust
luxuri
luxuri
luxuri
ly
lynn
lynn
m'a
ma'am
macbeth
machin
mad
madam
madam
made
madeira
'madeira
mademoisel
madli
mad
magic
magistr
magnanim
magnet
magnific
magnific
magnifi
magnifi
magnifiqu
magnifi
magnitud
mahogani
mahomet
maid
maid
maim
main
maintain
mainten
mai

lust
lustre
lustres
lustrous
lusts
luxuriant
luxuries
luxury
lying
lynn
lynns
m'a
ma'am
macbeth
machine
mad
madam
madame
made
madeira
'madeira
mademoiselle
madly
madness
magic
magistrate
magnanimity
magnet
magnificent
magnificently
magnified
magnifies
magnifiques
magnify
magnitude
mahogany
mahomet
maid
maids
maimed
main
maintain
maintenance
mais

majest
majest
majesti
major
make
maker
make
make
mal
maladi
male
malevol
malici
malign
mama
maman
mama's
man
manag
manag
manag
manag
mandat
mane
mang
manhood
maniac
maniac
manifest
manifest
manli
manna
manner
manner
manoeuvr
manoeuvr
manoeuvr
manor
man's
mansion
mansion's
mantel
mantelpiec
mantl

majestic
majestically
majesty
majority
make
maker
makes
making
mal
malady
male
malevolent
malicious
malignant
mama
maman
mama's
man
manage
managed
management
manager
mandate
mane
mange
manhood
maniac
maniacs
manifestation
manifestations
manly
manna
manner
manners
manoeuvre
manoeuvred
manoeuvres
manor
man's
mansion
mansion's
mantel
mantelpiece
mantle

mantl
manufactur
manufactur
manur
mani
map
marbl
marbl
march
march
maria
marin
mark
mark
mark
mark
marriag
marrid
marri
marrow
marri
marri
marseil
marsh
marshal
marshal
marsh
marston
martha
martyr
martyrdom
martyr
marvel
marvel
marvel
mari
mari's
masculin
mask
mask
mason
mason's
masqu
masquerad

mantling
manufacture
manufacturing
manure
many
map
marble
marbled
march
marched
maria
marine
mark
marked
marking
marks
marriage
marride
married
marrow
marry
marrying
marseilles
marsh
marshal
marshalled
marshes
marston
martha
martyr
martyrdom
martyrs
marvel
marvelled
marvellous
mary
mary's
masculine
mask
masked
mason
mason's
masque
masquerade

mass
mass
mass
massiv
mast
master
'master
master
master
masterless
master
master's
masteri
mastiff
mat
match
match
mate
materi
materi
mate
matrimoni
matron
matronli
matron
matt
mat
matter
matter
matter
matthew
mat
mattress
matur
matur
maxim
mdlle
meadow
meadow
meagr
meal
meal
mean
meanest

mass
masse
masses
massive
mast
master
'master
mastered
masterful
masterless
masters
master's
mastery
mastiffs
mat
match
matches
mate
material
materials
mates
matrimony
matron
matronly
matrons
matt
matted
matter
mattered
matters
matthew
matting
mattresses
matured
maturing
maxim
mdlle
meadow
meadows
meagre
meal
meals
mean
meanest

mean
mean
meant
meantim
measur
measur
measureless
measur
meat
mechan
medal
meddl
meddl
mede
mediat
mediatrix
medic
medit
medit
medit
mediterranean
medium
meed
meek
meet
meet
meetli
meet
mein
melancholi
mellow
mellow
melodi
melt
melt
melt
melt
member
member
meme
memento
memento
memoir
memor

meaning
means
meant
meantime
measure
measured
measureless
measures
meat
mechanically
medals
meddle
meddling
medes
mediation
mediatrix
medical
meditated
meditating
meditation
mediterranean
medium
meed
meek
meet
meeting
meetly
meets
meines
melancholy
mellow
mellowing
melody
melt
melted
melting
melts
member
members
meme
memento
mementoes
memoirs
memorable

memorandum
memori
memori
men
menac
menac
menac
mend
mendic
men's
mental
mental
menteur
mention
mention
mention
mercenari
merchant
merciless
merci
mere
mere
meretrici
meridian
merino
merit
merit
merit
mermaid
merrili
merriment
merri
me
mesdam
mesh
mesrour
mesrour's
mess
messag
messalina's
messeng
messr
met
metal

memorandum
memories
memory
men
menace
menaced
menaces
mended
mendicant
men's
mental
mentally
menteur
mention
mentioned
mentioning
mercenary
merchant
merciless
mercy
mere
merely
meretricious
meridian
merino
merit
meriting
merits
mermaid
merrily
merriment
merry
mes
mesdames
meshes
mesrour
mesrour's
mess
message
messalina's
messenger
messrs
met
metal

metal
mete
method
mich
middl
midland
midnight
midst
midsumm
mien
mighti
migrat
mild
milder
mile
mile
militari
milk
milki
millcot
mill
miller
miller's
million
minc
mind
mind
mind
mindless
mind
mind's
mine
mingl
mingl
mingl
miniatur
ministr
minoi
minut
minut
minut
miracul
mire
mirror

metallic
meted
method
mich
middle
midland
midnight
midst
midsummer
mien
mighty
migrated
mild
milder
mile
miles
military
milk
milky
millcote
mille
miller
miller's
millions
mince
mind
minded
mindful
mindless
minds
mind's
mine
mingle
mingled
mingling
miniature
ministrant
minois
minute
minutely
minutes
miraculous
mire
mirror

mirror
mirthless
miri
mi
misapprehens
mischief
misconstru
miser
miseri
miseri
misfortun
misgiv
mishap
misjudg
misjudg
miss
miss
miss
mission
missionari
missi
mist
mistak
mistaken
mistim
mistress
mistress
mistrust
mistrust
mist
misti
misunderstand
mit
mitten
mix
mix
mix
moan
moan
moan
mobil
mock
mockeri
mock

mirrors
mirthless
miry
mis
misapprehension
mischief
misconstrue
miserable
miseries
misery
misfortune
misgiving
mishap
misjudge
misjudged
miss
missed
misses
mission
missionary
missis
mist
mistake
mistaken
mistimed
mistress
mistresses
mistrust
mistrustful
mists
misty
misunderstandings
mit
mittens
mix
mixed
mixes
moan
moaned
moaning
mobile
mocked
mockery
mocking

mode
model
moder
moder
modern
mode
modest
modestli
modesti
moi
moieti
moisten
mole
molest
moment
momentarili
momentari
moment
moment
moment's
mon
mond
monei
monitor
monitor
monitress
monkei
monosyllab
monoton
monotoni
monsieur
monster
month
month
mood
moodili
moodi
mood
moodi
moon
moonbeam
moonless
moonlight
moonlit

mode
model
moderate
moderation
modern
modes
modest
modestly
modesty
moi
moiety
moistened
mole
molested
moment
momentarily
momentary
momently
moments
moment's
mon
monde
money
monitor
monitors
monitress
monkey
monosyllabic
monotonous
monotony
monsieur
monster
month
months
mood
moodily
moodiness
moods
moody
moon
moonbeams
moonless
moonlight
moonlit

moonris
moor
moorland
moor
moorsid
mope
moral
moralist
moral
moral
morbid
more
moreen
moreland
moreov
more's
morn
morn
morn's
moros
moros
morrow
morrow's
morsel
mortal
mortal
mortal
mortgag
mortif
mortifi
mortifi
mortifi
mosaic
mosquito
moss
mossi
mostli
moth
mother
mother's
moth
motion
motionless
motiv

moonrise
moor
moorland
moors
moorside
mope
moral
moralists
morality
morally
morbid
more
moreen
moreland
moreover
more's
morning
mornings
morning's
morose
moroseness
morrow
morrow's
morsel
mortal
mortality
mortally
mortgages
mortification
mortified
mortify
mortifying
mosaic
mosquitoes
moss
mossy
mostly
moth
mother
mother's
moths
motion
motionless
motive

motiv
motto
mould
mould
moulder
mould
mound
mound
mount
mountain
mountain
mount
mount
mourn
mourn
mourn
mous
mouth
mouth
mouth
mouth
move
move
movement
movement
move
mr
much
mud
muff
muffl
muffl
muffl
mug
mule
mullion
multipl
multipli
multitudin
mumbl
mun
murder
murder
murder

motives
motto
mould
moulded
moulder
mouldings
mound
mounds
mount
mountain
mountains
mounted
mounting
mourn
mournful
mourning
mouse
mouth
mouthed
mouthful
mouths
move
moved
movement
movements
moving
mrs
much
mud
muff
muffle
muffled
muffling
mug
mule
mullioned
multiplicity
multiplied
multitudinous
mumbling
mun
murder
murdered
murderer

murderess
murmur
murmur
murmur
murmur
muscl
muscular
muse
mushroom
music
music
musician
muse
muse
musk
muslin
mustard
muster
mute
mutini
mutini
mutter
mutter
mutual
mutual
myself
mysteri
mysteri
mysteri
mysteri
mystic
mystif
nacht
naiad's
nail
nail
nail
naiv
naivet
nake
name
name
nameless
name

murderess
murmur
murmured
murmuring
murmurs
muscles
muscular
mused
mushrooms
music
musical
musician
musing
musings
musk
muslin
mustard
muster
mute
mutinied
mutiny
muttered
muttering
mutual
mutually
myself
mysteries
mysterious
mysteriously
mystery
mystic
mystification
nacht
naiad's
nail
nailed
nails
naive
naivete
naked
name
named
nameless
namely

name
naomi
napl
narrat
narr
narrat
narrow
narrow
narrowli
nasal
nasmyth
nasti
natal
nation
nativ
natur
natur
natur
natur
natur
natur's
naught
naughti
nauseou
n'avon
nai
naze
near
nearer
nearest
nearli
neat
neatest
necessari
necess
neck
necklac
neck
nectar
need
need
need
needl
needl

names
naomi
naples
narrated
narrative
narrator
narrow
narrower
narrowly
nasal
nasmyth
nasty
natal
nations
native
natural
naturally
nature
natured
natures
nature's
naught
naughty
nauseous
n'avons
nay
naze
near
nearer
nearest
nearly
neat
neatest
necessary
necessity
neck
necklace
necks
nectar
need
needed
needful
needle
needleful

needl
need
neg
negativ
neglect
neglect
neglig
negoti
negu
neighbour
neighbourhood
neighbour
neighbour
neophyt
nero
nerv
nerv
nervou
nest
n'est
nestl
nestl
nestl
nest
net
n'etait
net
nettl
neutralis
never
nevertheless
new
newcom
newer
newfoundland
newli
new
next
nice
niceti
nich
nicher
niec
niggard

needles
needs
negative
negatived
neglect
neglected
negligently
negotiation
negus
neighbour
neighbourhood
neighbouring
neighbours
neophyte
nero
nerve
nerves
nervous
nest
n'est
nestle
nestled
nestling
nests
net
n'etait
netting
nettled
neutralised
never
nevertheless
new
newcomer
newer
newfoundland
newly
news
next
nice
nicety
niche
nichered
niece
niggard

nigh
nigher
night
nightcap
nightfal
nightingal
nightingal's
nightmar
night
night's
nimbl
nimbl
nine
nip
niver
noan
nobil
nobl
nobleman
nobleman's
nobl
nobli
nobodi
nod
nod
nois
noiselessli
nois
noisi
nom
nomin
nonchal
nonchalantli
none
nonnett
nonsens
nook
nook
noon
noontid
noos
normal
north
northern

nigh
nigher
night
nightcap
nightfall
nightingale
nightingale's
nightmare
nights
night's
nimble
nimbly
nine
nipped
niver
noan
nobility
noble
nobleman
nobleman's
nobleness
nobly
nobody
nod
nodded
noise
noiselessly
noises
noisy
nom
nominally
nonchalance
nonchalantly
none
nonnette
nonsense
nook
nooks
noon
noontide
noose
normal
north
northern

northumberland
northward
norwai
nose
nostril
note
note
note
noth
notic
notic
notic
notifi
note
notion
notion
notwithstand
nourish
nou
nova
novel
novelti
novemb
novic
noviti
now
nowher
noxiou
nudg
nuisanc
numb
number
number
number
number
numb
numer
nun
nunneri
nurs
nursemaid's
nurseri
nurserymaid
nurs

northumberland
northward
norway
nose
nostrils
note
noted
notes
nothing
notice
noticed
noticing
notified
noting
notion
notions
notwithstanding
nourishment
nous
nova
novel
novelty
november
novice
novitiate
now
nowhere
noxious
nudge
nuisance
numbed
number
numbered
numbering
numbers
numbness
numerous
nun
nunnery
nurse
nursemaid's
nursery
nurserymaid
nursing

nut
nutriment
nut
n'y
oak
oaken
oak
oat
oaten
oath
obedi
obedi
obes
obei
obei
obei
object
object
objection
objectless
object
oblig
oblig
oblig
oblig
oblig
obligingli
obliter
oblivion
oblong
obnoxi
obscur
obscur
obscur
observ
observ
observ
observ
observ
observ
observ
observ
obstacl
obstacl

nut
nutriment
nuts
n'y
oak
oaken
oaks
oat
oaten
oath
obedience
obedient
obese
obey
obeyed
obeying
object
objection
objectionable
objectless
objects
obligation
obligations
oblige
obliged
obliging
obligingly
obliterating
oblivion
oblong
obnoxious
obscure
obscured
obscurity
observant
observation
observations
observe
observed
observer
observers
observing
obstacle
obstacles

obstruct
obtain
obtain
obtrus
obviat
obviou
obvious
obvious
occas
occasion
occasion
occas
occas
occup
occup
occup
occup
occupi
occupi
occupi
occur
occur
occurr
occurr
occur
ocean
o'clock
octob
odd
odditi
odditi
odiou
odour
o'er
offenc
offend
offend
offens
offer
offer
offer
offic
offic's
offici

obstruction
obtain
obtained
obtrusive
obviating
obvious
obviously
obviousness
occasion
occasional
occasionally
occasioning
occasions
occupant
occupants
occupation
occupations
occupied
occupy
occupying
occur
occurred
occurrence
occurrences
occurs
ocean
o'clock
october
odd
oddities
oddity
odious
odour
o'er
offences
offend
offending
offensive
offer
offered
offering
office
officer's
official

offici
offici
offspr
ofsatan
often
o'gall
ogr
oil
oil
old
older
oliv
oliv
oliv's
omen
omin
omin
omiss
omit
omit
omnipot
omnipres
onc
ond
on
on
on's
onion
onu
oni
opaqu
open
open
open
openli
opera
oper
oper
opinion
opinion
oppon
opportun
oppos
oppos

officiated
officious
offspring
ofsatan
oftener
o'gall
ogre
oil
oiled
old
older
olive
oliver
oliver's
omens
ominous
ominously
omission
omit
omitted
omnipotence
omnipresence
once
onding
one
ones
one's
onion
onus
ony
opaque
open
opened
opening
openly
opera
operation
operations
opinion
opinions
opponent
opportunity
opposed
opposing

opposit
oppress
oppress
oppress
oppress
opprobrium
optic
oral
orang
orb
orchard
ordain
ordeal
order
order
order
orderli
order
ordinarili
ordinari
or
organ
organ
orient
origin
origin
origin
origin
ornament
ornament
ornament
orphan
orphan
orthodox
ostens
ostler's
ostrich
other
other's
otherwis
ottoman
ottoman
ought
oui

opposite
oppress
oppressed
oppresses
oppression
opprobrium
optics
oral
orange
orb
orchard
ordains
ordeal
order
ordered
ordering
orderly
orders
ordinarily
ordinary
ore
organ
organs
oriental
origin
original
originality
originated
ornament
ornamental
ornaments
orphan
orphans
orthodox
ostensible
ostler's
ostrich
others
other's
otherwise
ottoman
ottomans
ought
oui

ourselv
out
outbreak
outcast
outdoor
outer
outlawri
outlet
outlin
outrag
outrag
outrival
outsid
outstretch
outward
outwardli
oval
over
overcast
overcloud
overcom
overcom
overflow
overflow
overflow
overgrew
overgrown
overhead
overheard
overleap
overlook
overlook
overlook
overpass
overpow
overshadow
overtak
overtaken
overtax
overwhelm
overwhelm
overwhelm
ow
ow

ourselves
out
outbreaks
outcast
outdoor
outer
outlawry
outlet
outline
outrage
outraged
outrivalled
outside
outstretched
outward
outwardly
oval
over
overcast
overclouded
overcome
overcomes
overflow
overflowed
overflowing
overgrew
overgrown
overhead
overheard
overleaping
overlook
overlooked
overlooks
overpass
overpowered
overshadowed
overtake
overtaken
overtaxed
overwhelm
overwhelmed
overwhelming
owe
owed

ower
ow
owl
owner
owner
pace
pace
pacifi
pace
pack
pack
pack
pagan
page
page
paid
pain
pain
painfulli
pain
paint
paint
paint
paint
pair
pale
pale
paler
palett
palisad
palliat
pallid
pallor
palm
palmistri
palsi
palsi
paltri
pamela
pamper
pamphlet
panel
panel
panel

ower
owing
owls
owner
owners
pace
paced
pacify
pacing
pack
packed
packing
pagan
page
pages
paid
pain
painful
painfully
pains
paint
painted
painting
paintings
pair
pale
paleness
paler
palette
palisades
palliate
pallid
pallor
palm
palmistry
palsied
palsy
paltry
pamela
pampering
pamphlet
panel
panelled
panels

pane
pang
pang
pansi
pant
pant
pant
pantomim
pantri
papa
papa's
paper
paper
paper
paper
par
parabl
paradis
paradox
paragraph
parallel
paralys
paralys
paramount
parcel
parchment
pardon
parent
parentag
parent
parenthes
parentless
parent
parent's
parian
pari
parishion
parisienn's
park
parl
parlei
parlei
parlez
parlour

panes
pang
pangs
pansies
pant
panted
panting
pantomime
pantry
papa
papa's
paper
papered
papering
papers
par
parable
paradise
paradox
paragraph
parallels
paralyse
paralysed
paramount
parcel
parchments
pardon
parent
parentage
parental
parenthese
parentless
parents
parent's
parian
paris
parishioner
parisienne's
park
parle
parley
parleying
parlez
parlour

paroxysm
paroxysm
parson
parsonag
part
partak
partaken
part
parterr
parterr
partial
partial
partial
particip
particular
particularli
particular
parti
part
partit
partli
partner
partout
part
parti
pa
pass
passag
passag
pass
passe
passeng
passeng
pass
pass
passion
passion
passion
passionless
passion
passiv
passiv
passport
past

paroxysm
paroxysms
parson
parsonage
part
partake
partaken
parted
parterre
parterres
partial
partiality
partially
participation
particular
particularly
particulars
parties
parting
partitions
partly
partner
partout
parts
party
pas
pass
passage
passages
passed
passees
passenger
passengers
passes
passing
passion
passionate
passionately
passionless
passions
passive
passively
passport
past

pasteboard
pastil
pastim
pastor
pastri
pastur
pat
patchwork
patent
patern
path
pathless
patho
path
patienc
patient
patient
patient
patriarch
patron
patro
pauper
pauper's
paus
paus
pavement
pave
pai
pai
paymast
paynim
pai
pea
peac
peacefulli
peak
peak
peal
pear
pearl
pearli
peat
pebbl
peculiar

pasteboard
pastille
pastime
pastor
pastry
pasture
pat
patchwork
patent
paternity
path
pathless
pathos
paths
patience
patient
patiently
patients
patriarchal
patron
patroness
pauper
pauper's
pause
paused
pavement
paving
pay
paying
paymaster
paynim
pays
pea
peace
peacefully
peak
peaks
peal
pear
pearl
pearly
peat
pebbly
peculiar

peculiar
peculiarli
pecuniari
pedest
peep
peep
peep
peer
peeress
peer's
peliss
peliss
pelt
penalti
penc
penchant
pencil
pencil
pencil
pencil
pendent
penetr
penetr
penetr
penetr
penknif
penni
pensiv
penuri
peopl
peopl's
per
perceiv
perceiv
percept
perch
pere
peremptorili
peremptori
perfect
perfect
perfectli
perfidi
perfidi

peculiarities
peculiarly
pecuniary
pedestal
peep
peeped
peeping
peered
peeress
peer's
pelisse
pelisses
pelted
penalties
pence
penchant
pencil
pencilled
pencilling
pencils
pendent
penetrate
penetrated
penetrating
penetration
penknife
penny
pensive
penurious
people
people's
per
perceive
perceived
perceptible
perched
pere
peremptorily
peremptory
perfect
perfection
perfectly
perfidious
perfidy

perform
perform
perform
perform
perform
perfum
perhap
peril
peril
peril
period
perish
perish
perish
perjur
perman
perman
permiss
permit
permit
permit
perpendicular
perpetr
perpetr
perpetr
perpetu
perplex
perplex
persecut
persever
persever
persian
persist
person
personag
person
personn
person
person's
perspect
persuad
persuad
persuas
pertinaci

perform
performance
performances
performed
performers
perfume
perhaps
peril
perilous
perils
period
perish
perished
perishing
perjured
permanent
permanently
permission
permit
permitted
permitting
perpendicular
perpetrate
perpetrated
perpetrator
perpetual
perplex
perplexed
persecuting
perseverance
persevere
persians
persist
person
personage
personal
personne
persons
person's
perspective
persuade
persuaded
persuasion
pertinaciously

perus
perus
perus
pervad
pervad
pervers
pervers
perviou
pestil
pet
petal
petersburg
petit
petit
petit
petit
petit
petrifi
petticoat
pettish
petti
peu
peut
pewter
phantom
phantom
phase
phial
philanthropist
philosoph
philter
phlegmat
phrase
phrase
phylacteri
physic
physic
physician
physiognomi
piano
pick
pick
pick
pictori

perusal
peruse
perused
pervaded
pervading
perverse
perversity
pervious
pestilence
pet
petals
petersburg
petit
petite
petition
petitioned
petitions
petrified
petticoats
pettishness
petty
peu
peut
pewter
phantom
phantoms
phase
phial
philanthropist
philosophers
philter
phlegmatic
phrase
phrases
phylactery
physical
physically
physician
physiognomy
piano
pick
picking
pickings
pictorial

pictur
pictur
pictur
picturesqu
pictur
pie
piec
piec
piec
pierc
piercingli
pierrot
pieti
pig
pigeon
pigmi
pigmi
pile
pilgrim
pillar
pillar
pillow
pillow
pilot
pin
pinafor
pinafor
pinch
pine
pineappl
pine
pinion
pinion
pinion
pink
pinnacl
pin
pin
pint
pioneer
piou
pip
pipe
piquant

pictur
picture
pictures
picturesque
picturing
pie
piece
pieces
piecing
piercing
piercingly
pierrot
piety
pig
pigeons
pigmies
pigmy
piled
pilgrim
pillar
pillars
pillow
pillows
pilot
pin
pinafore
pinafores
pinch
pine
pineapples
pining
pinion
pinioned
pinions
pink
pinnacle
pinned
pinning
pint
pioneer
pious
pip
pipe
piquant

piqu
pirat
pi
pisa
pish
pistol
pit
pitch
pitch
pitcher
pitcher
piteous
pith
piti
piti
piti
piti
place
place
place
placid
placid
place
plagu
plaid
plain
plain
plainli
plain
plain
plait
plan
planet
planet
plank
plank
plan
plant
plantat
plant
planter
plant
plaster
plate

piqued
pirate
pis
pisa
pished
pistols
pit
pitch
pitched
pitcher
pitchers
piteously
pith
pitied
pities
pity
pitying
place
placed
places
placid
placidity
placing
plague
plaid
plain
plained
plainly
plainness
plains
plaits
plan
planet
planets
plank
planks
plans
plant
plantation
planted
planter
plants
plaster
plate

plate
plate
plate
platter
plausibl
plai
plai
player
plai
playth
plea
plead
pleasant
pleasantest
pleasantli
pleas
pleas
pleas
pleas
pleasur
pleasur
pleasur
plebeian
pledg
pledg
plenteou
plenti
pliabil
plianci
pli
plot
plot
plot
plot
plover
pluck
pluck
plumag
plume
plume
plume
plump
plum
plumi

plated
plateful
plates
platter
plausible
play
played
players
playing
playthings
plea
pleaded
pleasant
pleasantest
pleasantly
please
pleased
pleases
pleasing
pleasurable
pleasure
pleasures
plebeian
pledge
pledged
plenteous
plenty
pliability
pliancy
plied
plot
plots
plotted
plotting
plover
pluck
plucked
plumage
plume
plumes
pluming
plump
plums
plumy

plung
plung
plung
poacher
pocket
pocket
poetri
poignant
point
point
pointer
point
point
pois
pois
poison
poison
poke
polar
pole
polish
polish
polish
polit
polit
polit
polit
pollard
poltroon
pomegran
pomp
pompou
pompous
pond
ponder
ponder
poni
pooh
pool
pool
pool's
poor
poorhous
poorli

plunge
plunges
plunging
poacher
pocket
pockets
poetry
poignant
point
pointed
pointer
pointing
points
poise
poised
poison
poisoned
poke
polar
pole
polish
polished
polishing
polite
politeness
political
politics
pollard
poltroon
pomegranates
pomp
pompous
pompously
pond
ponder
pondering
pony
pooh
pool
poole
poole's
poor
poorhouse
poorly

poplar
popul
popul
porcelain
porch
pore
porridg
port
portal
port
portent
portent
porter
porter's
portfolio
portion
portion
portmanteau
portrait
portrait
portrai
portrai
portrai
posit
posit
posit
posit
possess
possess
possess
possess
possess
possess
possessor
possibl
possibl
possibl
post
post
postman
post
pot
potato
potent

poplars
population
populous
porcelain
porch
pored
porridge
port
portal
porte
portentous
portents
porter
porter's
portfolio
portion
portions
portmanteau
portrait
portraits
portray
portrayed
portraying
position
positions
positive
positively
possess
possessed
possesses
possessing
possession
possessions
possessor
possibility
possible
possibly
post
posted
postman
posts
pot
potatoes
potent

poultri
poundag
pound
pour
pour
pour
pour
poverti
powder
power
power
powerless
power
practic
practic
practis
prais
prais
prank
prate
prattl
prai
prai
prayer
prayer
pre
preach
precaut
precaut
preced
preced
preced
precept
precinct
preciou
precious
precis
precis
preclud
precoci
preconceiv
precursor
predecessor
predica

poultry
poundage
pounds
pour
poured
pouring
pours
poverty
powdered
power
powerful
powerless
powers
practical
practice
practised
praise
praised
pranks
prating
prattle
pray
prayed
prayer
prayers
pre
preach
precaution
precautions
precede
preceded
preceding
precept
precincts
precious
preciously
precise
precisely
precluded
precocious
preconceived
precursor
predecessor
predicament

predict
predict
predispos
predomin
predomin
predomin
predomin
prefac
prefer
prefer
prefer
prefer
prefer
prejudic
prejud
prelud
prematur
prematur
premis
premium
prendr
prenomen
preoccupi
prepar
prepar
prepar
prepar
prepar
prerog
prerog
presenc
present
present
presenti
presenti
present
present
preserv
preserv
presid
press
press
press
pressur

predicted
prediction
predisposed
predominant
predominate
predominated
predominating
preface
prefer
preference
preferences
preferred
prefers
prejudice
prejudiced
prelude
premature
prematurely
premise
premium
prendre
prenomens
preoccupied
preparation
preparations
prepare
prepared
preparing
prerogative
prerogatives
presence
present
presented
presentiment
presentiments
presently
presents
preserved
preserver
presided
press
pressed
pressing
pressure

presum
presumpt
prete
pretenc
pretend
pretend
pretens
pretercanin
preternatur
pretext
pretext
prettiest
pretti
prevail
preval
prevent
prevent
previou
previous
prei
price
priceless
prick
prickli
prick
pride
priest
prig
prim
prime
primit
primros
primros
princ
princ
princess
princip
principl
principl
principl
print
print
prison
prison

presume
presumption
prete
pretence
pretend
pretended
pretension
pretercanine
preternatural
pretext
pretexts
prettiest
pretty
prevailed
prevalent
prevent
prevented
previous
previously
prey
price
priceless
pricked
prickly
pricks
pride
priest
prig
prim
prime
primitive
primrose
primroses
prince
princely
princess
principal
principle
principled
principles
printed
prints
prison
prisoned

prison
privat
privat
privat
privat
privileg
privileg
privileg
prize
probabl
probabl
probabl
probat
problem
proce
proceed
proceedeth
proceed
proceed
process
process
proclaim
produc
produc
produc
product
profess
profess
profess
profit
proflig
profound
profoundli
profus
profus
progress
project
project
prolong
prolong
prolong
promin
promin
promis

prisoner
private
privately
privation
privations
privilege
privileged
privileges
prize
probability
probable
probably
probation
problem
proceed
proceeded
proceedeth
proceeding
proceedings
process
procession
proclaiming
produce
produced
producing
products
professed
professes
profession
profit
profligate
profound
profoundly
profusely
profusion
progress
project
projection
prolong
prolonged
prolonging
prominences
prominent
promise

promis
promontori
promot
prompt
prompt
prompt
promptli
prone
pronounc
pronounc
pronounc
pronunci
proof
proof
prop
propens
propens
proper
properti
propiti
proport
proportion
proport
propos
propos
propos
propound
propound
prop
proprietor
proprieti
prosecut
prospect
prospect
prospect
prosper
prostrat
prostrat
prostrat
protect
protect
protect
protect
protector

promised
promontories
promoted
prompt
prompted
promptings
promptly
prone
pronounce
pronounced
pronouncing
pronunciation
proof
proofs
prop
propensities
propensity
proper
property
propitious
proportion
proportionate
proportions
proposals
propose
proposed
propound
propounded
propped
proprietor
propriety
prosecuting
prospect
prospective
prospects
prosperity
prostrate
prostrating
prostration
protect
protected
protecting
protection
protector

protege
protest
protract
protract
proud
prove
prove
prove
provid
provid
provid
providenti
provis
provoc
provok
provok
prudenc
prurienc
psalm
psalm
pshaw
public
publicli
publish
pud
pud
puddl
pueril
puffi
pui
pull
pull
puls
puls
punctual
punctual
punctual
punctuat
pungent
punish
punish
punish
puni
pupil

protegee
protestations
protract
protracted
proud
prove
proved
proves
provide
provided
providence
providential
provision
provocation
provoked
provoking
prudence
prurience
psalm
psalms
pshawed
public
publicly
publish
pudding
puddings
puddle
puerile
puffy
puis
pull
pulled
pulse
pulses
punctual
punctuality
punctually
punctuation
pungent
punish
punished
punishment
puny
pupil

pupil
puppet
puppet
puppi
purchas
purchas
purchas
purchas
pure
purer
puritan
puriti
purloin
purpl
purpos
purpos
purpos
purs
purs
pursu
pursu
pursu
pursuit
push
push
push
put
put
put
puzzl
puzzl
puzzl
puzzl
pyramid
quail
quaint
quaintli
quaint
quaker
quakeress
quakerish
quakerlik
qualif
qualifi

pupils
puppet
puppets
puppy
purchase
purchased
purchases
purchasing
pure
purer
puritanical
purity
purloined
purple
purpose
purposely
purposes
purse
purses
pursue
pursued
pursuing
pursuits
push
pushed
pushing
put
puts
putting
puzzle
puzzled
puzzles
puzzling
pyramids
quailed
quaint
quaintly
quaintness
quaker
quakeress
quakerish
quakerlike
qualifications
qualified

qualiti
qualiti
quand
quantiti
quarrel
quarrel
quarri
quarter
quarter
qu'avez
que
queen
queenli
queer
quel
quell
qu'ell
quell
quell
quench
quench
quenchless
queri
queri
quest
question
question
question
question
question
qui
quibbl
quick
quicken
quicken
quicken
quickli
quiescenc
quiescent
quiet
quieter
quietli
qu'il
quilt

qualities
quality
quand
quantity
quarrel
quarrelling
quarried
quarter
quarters
qu'avez
que
queen
queenly
queer
quel
quell
qu'elle
quelled
quells
quench
quenched
quenchless
queries
query
quest
question
questioned
questioners
questioning
questions
qui
quibble
quick
quickened
quickening
quickens
quickly
quiescence
quiescent
quiet
quieter
quietly
qu'il
quilt

quit
quit
quit
quit
quiver
quiver
quiver
quiz
quot
qu'oui
rabbit
rabidli
race
rack
raci
radianc
radiant
rag
rage
rageou
rag
rage
ragout
railleri
rail
raiment
rain
rainbow
rain
rain
raini
rais
rais
rake
rake
rake
ralli
ralli
ralli
rambl
rambl
ran
rancid
rang

quit
quite
quitted
quitting
quiver
quivered
quivering
quiz
quote
qu'oui
rabbit
rabidly
race
racked
racy
radiance
radiant
rag
rage
rageous
ragged
raging
ragout
raillery
rails
raiment
rain
rainbow
rained
rains
rainy
raise
raised
rake
rakes
raking
rallied
rally
rallying
ramble
rambled
ran
rancid
rang

rang
rang
rank
rank
ransack
ransack
rap
rapid
rapid
rapidli
rap
raptur
raptur
raptur
rare
rare
rascal
rash
rassela
rat
rate
ration
ration
ration
rat
rattl
rave
rave
raven
raven
raven
raven
rave
rave
raw
raw
rai
rayless
rai
reach
reach
reach
reaction
read

range
ranged
rank
ranks
ransack
ransacked
rap
rapid
rapidity
rapidly
raps
rapture
raptures
rapturously
rare
rarely
rascals
rashness
rasselas
rat
rate
ration
rational
rationally
rats
rattling
rave
raved
raven
ravenous
ravenously
ravens
raving
ravings
raw
rawness
ray
rayless
rays
reach
reached
reaching
reaction
read

reader
reader
readili
readi
read
read
readi
real
realis
realis
realis
realiti
realli
realm
realm
reappear
rear
rear
reason
reason
reason
reason
reassur
rebecca
rebel
rebellion
rebuff
rebuk
recal
recal
recal
recal
reced
receiv
receiv
receiv
receiv
recent
recept
recess
recess
recipi
recipi
reciproc

reader
readers
readily
readiness
reading
readings
ready
real
realisation
realise
realised
reality
really
realm
realms
reappeared
rear
reared
reason
reasonable
reasoned
reasons
reassuring
rebecca
rebel
rebellions
rebuff
rebuking
recall
recalled
recalling
recalls
receding
receive
received
receives
receiving
recent
reception
recess
recesses
recipient
recipients
reciprocate

reckless
recklessli
reckless
reclaim
reclin
reclin
recognis
recognis
recognis
recognis
recognit
recoil
recoil
recollect
recollect
recollect
recollect
recollect
recomm
recommenc
recommend
recommend
recommend
recompens
reconcil
reconcil
reconcil
record
record
record
recov
recov
recreat
recruit
recur
recur
recurr
red
redeem
redeem
red
redol
reduc
redund

reckless
recklessly
recklessness
reclaimed
reclined
reclining
recognise
recognised
recognises
recognising
recognition
recoil
recoiled
recollect
recollected
recollecting
recollection
recollections
recommence
recommenced
recommend
recommendation
recommended
recompense
reconcile
reconciled
reconciling
record
recorded
records
recover
recovered
recreation
recruit
recur
recurred
recurrence
red
redeemer
redeeming
redness
redolent
reduced
redundancy

reed
reed
reed's
reel
refectori
refer
refer
refer
refer
refil
refin
refin
reflect
reflect
reflect
reflect
reflect
reform
reform
refrain
refresh
refresh
refresh
refresh
refresh
refug
refulg
refus
refus
refus
regain
regain
regain
regal
regard
regardai
regard
regard
regener
regener
regener
region
region
regist

reed
reeds
reed's
reel
refectory
refer
references
referred
referring
refilled
refined
refinement
reflect
reflected
reflecting
reflection
reflections
reform
reformation
refrain
refresh
refreshed
refreshing
refreshment
refreshments
refuge
refulgent
refuse
refused
refusing
regain
regained
regaining
regaled
regard
regardais
regarded
regarding
regenerate
regenerates
regeneration
region
regions
register

regist
regl
regret
regret
regret
regret
regret
regular
regular
regul
regul
regul
rehears
reign
reign
rein
rein
reiter
reiter
reject
reject
rejoic
rejoind
rejoin
relaps
relaps
relat
relat
relat
relationship
rel
rel
relax
relax
releas
releas
relentless
relianc
relic
relief
reliev
reliev
religieus
religion

registering
regle
regret
regretful
regrets
regretted
regretting
regular
regularity
regulated
regulation
regulations
rehearsal
reign
reigned
rein
reins
reiterate
reiterated
rejected
rejection
rejoicing
rejoinder
rejoined
relapse
relapsing
related
relation
relations
relationship
relative
relatives
relax
relaxed
released
releasing
relentless
reliance
relics
relief
relieve
relieved
religieuses
religion

religi
relinquish
relinquish
relish
relish
reluct
reluctantli
reli
remain
remaind
remain
remain
remand
remark
remark
remark
remark
remark
remedi
rememb
rememb
rememb
rememb
remembr
remerci
remind
remind
remind
remind
remind
reminisc
reminisc
remitt
remnant
remonstr
remonstr
remors
remot
remov
remov
remov
rencontr
rend
render

religious
relinquished
relinquishing
relish
relished
reluctant
reluctantly
rely
remain
remainder
remained
remains
remand
remark
remarkable
remarkably
remarked
remarks
remedy
remember
remembered
remembering
remembers
remembrance
remercie
remind
reminded
reminder
reminding
reminds
reminiscence
reminiscences
remittent
remnant
remonstrance
remonstrate
remorse
remote
remove
removed
removing
rencontre
rend
render

render
render
rend
renew
renew
renew
renew
renounc
rent
rent
repaid
repair
repair
repair
reparte
repass
repast
repeat
repeat
repeatedli
repeat
repel
repent
repent
repent
repetit
repin
replac
replac
replac
replet
repli
repli
repli
repli
report
report
repos
repos
repos
repositori
repres
represent
repres

rendered
rendering
rending
renew
renewal
renewed
renewing
renounce
rent
rented
repaid
repair
repaired
repairing
repartee
repassed
repast
repeat
repeated
repeatedly
repeating
repelled
repent
repentance
repentant
repetitions
repined
replace
replaced
replacing
repletion
replied
replies
reply
replying
report
reported
repose
reposed
reposing
repository
represent
representation
represented

repres
repress
repress
reprimand
reprimand
reproach
reprob
reproof
reproof
reprov
republican
repudi
repugn
repuls
repuls
repuls
repuls
request
request
request
requir
requir
requir
requisit
requisit
rescind
rescuer
resembl
resembl
resembl
resembl
resent
resent
reserv
reservoir
resid
resid
resid
resid
resign
resign
resist
resist
resist

representing
repress
repressed
reprimand
reprimanded
reproach
reprobation
reproof
reproofs
reproved
republican
repudiated
repugnance
repulse
repulsed
repulsion
repulsive
request
requested
requesting
require
required
requirements
requisite
requisition
rescind
rescuer
resemblance
resemble
resembled
resembles
resentment
resentments
reserve
reservoir
reside
resided
residence
resident
resign
resignation
resist
resistance
resisted

resist
resistless
resistlessli
resist
resolut
resolut
resolut
resolv
resolv
resolv
resound
resourc
resourc
respect
respect
respect
respect
respect
respect
respect
resplend
respond
respons
respons
respons
respons
respons
rest
rest
rest
rest
restless
restlessli
restless
restor
restor
restrain
restrain
restraint
restrict
restrict
restrict
result
result

resisting
resistless
resistlessly
resists
resolute
resolutely
resolution
resolve
resolved
resolves
resounded
resource
resources
respect
respectability
respectable
respectably
respected
respectful
respecting
resplendent
responded
response
responses
responsibilities
responsibility
responsible
rest
reste
rested
resting
restless
restlessly
restlessness
restore
restored
restrain
restrained
restraint
restricted
restricting
restrictive
result
resulted

result
result
resum
resum
resurgam
retain
retain
retain
retali
retir
retir
retir
retort
retouch
retrac
retrac
retreat
retreat
retreat
retreat
retrospect
return
return
return
return
return
rev
reveal
reveal
reveal
revel
revel
revel
revenez
reveng
reverber
rever
reverend
reveri
revers
revert
revient
review
review

resulting
results
resume
resumed
resurgam
retain
retained
retaining
retaliation
retire
retired
retirement
retorted
retouch
retrace
retraced
retreat
retreated
retreating
retreats
retrospective
return
returned
returning
returnings
returns
rev
reveal
revealed
revealing
revelation
revelations
revels
revenez
revenge
reverberation
reverence
reverend
reverie
reverse
revert
revient
review
reviewed

revil
revil
revisit
revisit
reviv
reviv
reviv
reviv
revolt
revolt
reward
reward
rhine
ribaldri
ribband
rib
rich
richard
richest
richli
rich
rid
riddl
ride
rider
ridg
ridg
ridg
ridicul
ride
right
rightli
right
rigid
rigidli
rigor
rigour
rigour
rill
ring
ring
ringlet
ringlet
ring

revile
reviled
revisit
revisiting
revive
revived
revives
reviving
revolt
revolted
reward
rewards
rhine
ribaldry
ribband
ribs
rich
richard
richest
richly
richness
rid
riddle
ride
rider
ridge
ridged
ridges
ridiculous
riding
right
rightly
rights
rigid
rigidly
rigorous
rigour
rigours
rill
ring
ringing
ringleted
ringlets
rings

riot
ripe
ripen
ripen
rippl
rippl
rise
risen
riser
rise
rise
risk
risk
risk
rite
rite
rival
rivalri
riven
river
rivet
rizzio
road
road
roam
roam
roar
roar
roar
roast
rob
robber
robber
robe
robe
robert
robe
robin
robe
robust
rochest
rochest
rochest's
rock

riot
ripe
ripened
ripening
ripple
ripplings
rise
risen
riser
rises
rising
risk
risking
risks
rite
rites
rival
rivalries
riven
river
riveted
rizzio
road
roads
roamed
roaming
roar
roared
roaring
roast
rob
robber
robbers
robe
robed
robert
robes
robin
robing
robust
rochester
rochesters
rochester's
rock

rock
rock
rod
rode
roll
roll
roll
roll
roman
romanc
romanc
romant
rome
romp
roof
roof
rook
rookeri
rook
room
room
root
root
root
rope
rose
rosebud
rose
rosi
rotten
roue
roug
roug
rough
roughli
rough
round
round
roundli
rous
rous
rous
routin
rove

rocking
rocks
rod
rode
roll
rolled
rolling
rolls
roman
romance
romances
romantic
rome
romping
roof
roofs
rook
rookery
rooks
room
rooms
root
rooted
roots
rope
rose
rosebuds
roses
rosy
rotten
roue
rouge
rouges
rough
roughly
roughness
round
rounded
roundly
rouse
roused
rousing
routine
rove

rove
rover
rove
row
rowland
row
royal
rub
rubber
rub
rubbish
rubicon
rubric
rubi
ruddi
rude
rude
rue
ru
ruffian's
ruffl
rug
rug
ruin
ruin
ruin
ruin
rule
ruler
rule
rumbl
rumbl
rummag
rummag
rumour
run
rung
run
run
rush
rush
rush
rushlight
russet

roved
rover
roving
row
rowland
rows
royal
rubbed
rubber
rubbing
rubbish
rubicon
rubric
ruby
ruddy
rude
rudeness
rue
rued
ruffian's
ruffle
rug
rugged
ruin
ruined
ruining
ruins
rule
ruler
rules
rumbled
rumbling
rummage
rummaging
rumour
run
rung
running
runs
rush
rushed
rushing
rushlight
russet

rustic
rustl
rustl
rusti
ruth
ruthless
sabbath
sabl
sacqu
sacr
sacrific
sad
sadden
saddest
saddl
sadli
sad
safe
safe
safeti
sagaci
sagac
sage
sago
sail
sail
saint's
sake
salamand
salari
salient
sallow
sallow
salon
saloon
saloon
salt
salt
salubri
salvat
sam
same
sam's
samson

rustic
rustle
rustling
rusty
ruth
ruthless
sabbath
sable
sacques
sacred
sacrifice
sad
saddened
saddest
saddle
sadly
sadness
safe
safely
safety
sagacious
sagacity
sage
sago
sail
sailed
saint's
sake
salamander
salary
salient
sallow
sallowness
salon
saloon
saloons
salt
salts
salubrious
salvation
sam
same
sam's
samson

samson's
samuel
sanctifi
sanction
sanction
sanction
sanctiti
sanctuari
sanctum
sandal
sandal
sand
sandwich
sane
sang
sanguin
saniti
sank
san
sap
sarah
sarcasm
sarcast
sarcast
sardon
sardon
sash
sash
sat
satin
satir
satisfact
satisfactorili
satisfactori
satisfi
satisfi
saturdai
saturnin
saucepan
saucer
savag
save
save
save

samson's
samuel
sanctifies
sanction
sanctioned
sanctions
sanctity
sanctuary
sanctum
sandal
sandals
sanded
sandwich
sane
sang
sanguine
sanity
sank
sans
sap
sarah
sarcasm
sarcastic
sarcastically
sardonic
sardonically
sash
sashes
sat
satin
satirical
satisfaction
satisfactorily
satisfactory
satisfied
satisfy
saturdays
saturnine
saucepan
saucer
savage
save
saved
saving

saviour
savourless
saw
sai
scaffold
scald
scale
scali
scandal
scant
scanti
scanti
scapegoat
scarc
scarc
scare
scarecrow
scare
scarf
scarlet
scatcherd
scatcherd's
scath
scatter
scatter
scatter
scene
sceneri
scene
scent
sceptic
sceptic
schale
scheme
scheme
school
schoolboi
schoolroom
school
scienc
scissor
scold
scold
scold

saviour
savourless
saw
saying
scaffold
scalding
scale
scaly
scandalous
scant
scantiness
scanty
scapegoat
scarce
scarcely
scare
scarecrow
scared
scarf
scarlet
scatcherd
scatcherd's
scathed
scattered
scattering
scatterings
scene
scenery
scenes
scent
sceptic
scepticism
schale
scheme
scheming
school
schoolboy
schoolroom
schools
science
scissors
scold
scolded
scolding

scorch
scorch
score
scorn
scorn
scotland
scoundrel
scour
scourg
scowl
scowl
scowl
scrape
scrap
scratch
scratch
scream
scream
scream
scream
screen
screen
scriptur
scrub
scrub
scrupl
scrupul
scrutinis
scrutinis
scrutinis
scrutini
scuffl
sculptor's
sea
seal
seal
seal
search
search
search
season
season
seat
seat

scorched
scorches
scores
scorn
scorned
scotland
scoundrel
scoured
scourge
scowl
scowled
scowling
scrape
scraps
scratch
scratched
scream
screamed
screaming
screams
screen
screened
scripture
scrub
scrubbing
scruple
scrupulously
scrutinise
scrutinised
scrutinising
scrutiny
scuffle
sculptor's
sea
seal
sealed
sealing
search
searched
searching
season
seasons
seat
seated

seat
seat
seclus
second
second
secondhand
secondli
second
secreci
secret
secret
secret
secret
section
section
secur
secur
secur
secur
secur
sed
seduc
see
seed
seed
see
seek
seek
seem
seem
seem
seemingli
seem
seen
see
seiz
seldom
select
select
select
select
select
self
selfish

seating
seats
seclusion
second
seconded
secondhand
secondly
seconds
secrecy
secret
secrete
secreted
secrets
section
sections
secure
secured
securely
securing
security
sedative
seducer
see
seed
seeds
seeing
seek
seeking
seem
seemed
seeming
seemingly
seems
seen
sees
seized
seldom
select
selected
selecting
selection
selects
self
selfish

sell
sell
semi
semicircl
semicircl
seminari
send
send
send
senior
sensat
sensat
sens
senseless
senseless
sens
sensibl
sensibl
sensit
sensual
sent
sentenc
sentenc
sentenc
sententi
sentient
sentiment
sentiment
sentiment
separ
separ
separ
separ
sequel
sequest
sera
seraglio
seraph
sere
seren
seren
seren
seri
seriou

sell
selling
semi
semicircle
semicircles
seminary
send
sending
sends
senior
sensation
sensations
sense
senseless
senselessness
senses
sensibility
sensible
sensitive
sensual
sent
sentence
sentenced
sentences
sententious
sentient
sentiment
sentimental
sentiments
separate
separated
separating
separation
sequel
sequestered
sera
seraglio
seraph
sere
serene
serenely
serenity
series
serious

serious
sermon
sermonis
serri
servant
servant
servant's
serv
serv
servic
servic
servi
serv
servitud
set
set
settl
settl
settl
seul
seulement
seven
seventeen
seventh
sever
sever
sever
sever
sever
sever
severn
sew
sew
sew
sewn
sew
sex
shabbi
shade
shade
shade
shadow
shadow
shadowi

seriously
sermon
sermonised
serried
servant
servants
servant's
serve
served
service
services
servies
serving
servitude
set
setting
settle
settled
settling
seule
seulement
seven
seventeen
seventh
sever
several
severe
severed
severely
severity
severn
sew
sewed
sewing
sewn
sews
sex
shabby
shade
shaded
shades
shadow
shadows
shadowy

shaft
shaggi
shake
shaken
shake
shall
shallow
shambl
shame
shame
shape
shape
shape
shape
share
share
share
sharp
sharpen
sharper
sharpli
shatter
shawl
shawl
shed
shed
sheen
sheep
sheepishli
sheet
sheet
shelf
shell
shelter
shelter
shelter
shepherd
shift
shift
shift
shill
shill
shimmer
shine

shaft
shaggy
shake
shaken
shaking
shall
shallows
shambles
shame
shameful
shape
shaped
shapely
shapes
share
shared
shares
sharp
sharpened
sharpers
sharply
shattered
shawl
shawls
shed
shedding
sheen
sheep
sheepishly
sheet
sheets
shelf
shell
shelter
sheltered
sheltering
shepherd
shift
shifted
shifting
shilling
shillings
shimmer
shine

shine
shine
ship
ship
shire
shirk
shirt
shiver
shiver
shiver
shock
shock
shock
shockingli
shod
shoe
shoemak's
shoe
shone
shook
shoot
shoot
shop
shore
shore
shorn
short
shorten
shorter
shortli
shot
shoulder
shoulder
shoulder
shout
shout
show
show
shower
shower
show
shown
showi
shrank

shines
shining
ship
ships
shire
shirked
shirt
shiver
shivered
shivering
shock
shocked
shocking
shockingly
shod
shoe
shoemaker's
shoes
shone
shook
shoot
shooting
shop
shore
shores
shorn
short
shortened
shorter
shortly
shot
shoulder
shouldered
shoulders
shout
shouted
show
showed
shower
showers
showing
shown
showy
shrank

shred
shrewd
shrewdli
shriek
shriek
shriek
shrilli
shrine
shrine
shrink
shrink
shrivel
shroud
shroud
shroud
shrub
shrubberi
shrub
shudder
shudder
shudder
shun
shun
shun
shut
shutter
shutter
shut
shuttlecock
shy
shyness
siberia
sibyl
sick
sicken
sicken
sicken
sickli
sick
side
sideboard
side
sidewai
sidl

shreds
shrewd
shrewdly
shriek
shrieked
shrieks
shrilly
shrine
shrined
shrink
shrinking
shrivelled
shroud
shrouded
shrouding
shrub
shrubbery
shrubs
shudder
shuddered
shuddering
shun
shunned
shuns
shut
shutter
shutters
shutting
shuttlecock
shy
shyness
siberia
sibyl
sick
sickened
sickening
sickens
sickly
sickness
side
sideboard
sides
sideways
sidling

sigh
sigh
sigh
sight
sign
signal
sign
signific
signific
signific
significantli
signif
signifi
signifi
signifi
signior
signora
sign
silenc
silenc
silent
silent
silhouett
silk
silken
sill
silli
silver
silver
silveri
similar
similarli
simpl
simpleton
simplic
simplifi
simpli
simul
simul
simultan
sin
sincer
sincer
sincer

sigh
sighed
sighs
sight
sign
signal
signed
significance
significancy
significant
significantly
signification
signifier
signifies
signify
signior
signoras
signs
silence
silenced
silent
silently
silhouette
silk
silken
sill
silly
silver
silvered
silvery
similar
similarly
simple
simpleton
simplicity
simplified
simply
simulate
simulating
simultaneously
sin
sincere
sincerely
sincerity

sin
sing
singer
singer
sing
singl
singli
singular
singular
singularli
sinist
sink
sink
sinless
sinner
sinner's
sin
sir
sister
sister
sister's
sit
site
sit
sit
situat
situat
situat
six
sixteen
sixth
sixti
size
size
skein
skeleton
sketch
sketch
sketch
sketch
ski
skill
skin
skin

sinful
sing
singer
singers
singing
single
singly
singular
singularity
singularly
sinister
sink
sinking
sinless
sinner
sinner's
sins
sir
sister
sisters
sister's
sit
site
sits
sitting
situated
situation
situations
six
sixteen
sixth
sixty
size
sized
skein
skeletons
sketch
sketched
sketches
sketching
skies
skill
skin
skinned

skip
skirt
skirt
skirt
sky
slacken
slain
slander
slant
slap
slate
slattern
slatternli
slaughter
slave
slaveri
slavish
sleek
sleep
sleeper
sleeper
sleep
sleepless
sleep
sleepi
sleet
sleev
slender
slenderli
slept
slice
slice
slid
slide
slight
slightli
slim
slime
slip
slip
slipper
slipper
slipperi
slip

skipped
skirt
skirted
skirts
sky
slackened
slain
slander
slanting
slapped
slate
slattern
slatternly
slaughtered
slave
slavery
slavish
sleek
sleep
sleeper
sleepers
sleeping
sleepless
sleeps
sleepy
sleet
sleeve
slender
slenderly
slept
slice
slices
slid
sliding
slight
slightly
slim
slime
slip
slipped
slipper
slippers
slippery
slips

slope
slope
slough
slow
slowli
slumber
slumber
slur
sly
small
smaller
smallest
smart
smartli
smell
smell
smell
smelt
smile
smile
smile
smile
smith
smitten
smoke
smoke
smoke
smoki
smooth
smooth
smoothli
smote
smother
smother
snake
snappish
snapt
snare
snarl
snarl
snatch
snatch
snatch
snaw

slope
sloping
slough
slow
slowly
slumber
slumbered
slur
sly
small
smaller
smallest
smart
smartly
smell
smelling
smells
smelt
smile
smiled
smiles
smiling
smith
smitten
smoke
smoked
smoking
smoky
smooth
smoothed
smoothly
smote
smother
smothered
snake
snappish
snapt
snare
snarl
snarling
snatch
snatched
snatching
snaw

sneak
sneer
sneer
sneeringli
sneer
snivel
snore
snore
snow
snowdrop
snow
snowflak
snow
snowi
snuff
snuf
snug
snugli
soak
soak
soap
soar
soart
sob
sob
sob
sober
sober
sobrieti
sob
sociabl
social
societi
socket
sodden
sofa
sofa
soft
soften
soften
soften
softer
softest
softli

sneaking
sneer
sneering
sneeringly
sneers
snivel
snored
snoring
snow
snowdrops
snowed
snowflakes
snows
snowy
snuff
snuffed
snug
snugly
soaked
soaking
soap
soar
soart
sob
sobbed
sobbing
sober
sobered
sobriety
sobs
sociable
social
society
socket
sodden
sofa
sofas
soft
soften
softened
softening
softer
softest
softly

soft
soil
soir
sojourn
solac
sold
soldierli
soldier
sole
solec
solemn
solemnis
solemnli
solicit
solicitor
solicitor's
solicit
solicitud
solid
soliloquis
soliloqui
solitari
solitud
solo
solomon
solut
solv
solv
sombr
somebodi
somebodi's
somehow
someth
sometim
somewhat
somewher
son
song
song
sonor
sont
soon
sooner
soot

softness
soil
soir
sojourn
solace
sold
soldierly
soldiers
sole
solecism
solemn
solemnising
solemnly
solicited
solicitor
solicitor's
solicitous
solicitude
solid
soliloquised
soliloquy
solitary
solitude
solo
solomon
solution
solve
solved
sombre
somebody
somebody's
somehow
something
sometimes
somewhat
somewhere
son
song
songs
sonorous
sont
soon
sooner
soot

sooth
sooth
soothingli
sophi
sophist
soporif
sorceress
sordid
sore
sore
sorrow
sorrow
sorrow
sorri
sort
sort
sort
sotto
sough
sought
soul
soulier
soulless
soul
sound
sound
sound
soundli
sound
soup
sourc
sour
sourli
south
southern
southernwood
souvent
sovereign
sow
space
spaciou
span
spaniard
spanish

soothe
soothing
soothingly
sophie
sophistical
soporific
sorceress
sordid
sore
sorely
sorrow
sorrowful
sorrows
sorry
sort
sorted
sorts
sotto
sough
sought
soul
souliers
soulless
souls
sound
sounded
sounding
soundly
sounds
soup
source
soured
sourly
south
southern
southernwood
souvent
sovereign
sowing
space
spacious
span
spaniard
spanish

spar
spare
spare
spark
sparkl
sparkl
sparkl
spark
sparrow's
spasm
spasmod
spat
speak
speaker
speak
speak
spear
special
special
speci
specimen
speck
speck
spectacl
spectacl
spectat
spectat
spectr
sped
speech
speech
speechless
speed
spell
spellbound
spend
spend
spent
sphere
sphynx
spice
spike
spill
spilt

spar
spare
spared
spark
sparkled
sparkles
sparkling
sparks
sparrow's
spasm
spasmodic
spat
speak
speaker
speaking
speaks
spear
special
specially
species
specimen
speck
specking
spectacle
spectacles
spectator
spectators
spectre
sped
speech
speeches
speechless
speed
spell
spellbound
spend
spends
spent
sphere
sphynx
spice
spike
spill
spilt

spine
spire
spirit
spirit
spirito
spirit
spiritu
spite
spite
spitzbergen
splash
splash
splashi
splendid
splendidli
splinter
split
spoil
spoil
spoilt
spoke
spoken
spokesman
spong
spong
spontan
spontan
spoon
spoon
spooni
spoon
spooni
sport
sport
sportsman
spot
spotless
spot
sprain
sprain
sprang
sprai
sprai
spread

spine
spire
spirit
spirited
spirito
spirits
spiritual
spite
spiteful
spitzbergen
splash
splashing
splashy
splendid
splendidly
splinters
split
spoiled
spoiling
spoilt
spoke
spoken
spokesman
sponge
sponged
spontaneous
spontaneously
spoonful
spoonfuls
spoonies
spoons
spoony
sport
sports
sportsman
spot
spotless
spots
sprain
sprained
sprang
spray
sprays
spread

spread
sprightli
spring
sprinkl
sprite
sprung
spue
spurn
spurn
spur
spy
squar
squar
squarer
squar
stab
stab
stabl
stabl
stage
stagger
stagger
stagnat
stagnat
staid
stain
stainless
stain
stair
staircas
staircas
stair
stall
stalwart
stamboul
stamp
stamp
stamp
stand
standard
stand
stand
stanza
star

spreading
sprightly
spring
sprinkled
sprite
sprung
spue
spurn
spurned
spurred
spy
square
squareness
squarer
squares
stab
stabbed
stable
stables
stage
staggered
staggering
stagnate
stagnation
staid
stained
stainless
stains
stair
staircase
staircases
stairs
stalled
stalwart
stamboul
stamp
stamped
stamping
stand
standard
standing
stands
stanzas
star

starch
stare
stark
starlight
starri
star
start
start
start
startl
start
starvat
starv
starv
starv
state
state
stateliest
stateli
state
statement
state
station
station
station
statu
statur
statut
stai
stai
stai
stai
stead
steadfast
steadfastli
steadi
steadili
stead
steadi
steal
steal
steam
steam
steam

starched
stared
stark
starlight
starry
stars
start
started
starting
startled
starts
starvation
starve
starved
starving
state
stated
stateliest
stateliness
stately
statement
stating
station
stationed
stations
statue
stature
statute
stay
stayed
staying
stays
stead
steadfast
steadfastly
steadied
steadily
steads
steady
steal
stealing
steam
steamed
steams

steed
steel
steel
steeli
steepl
stem
stem
step
step
step
stern
sternen
ster
sternest
stern
stick
stiff
stiffen
stiffli
stiff
stifl
stifl
stifl
stile
still
stiller
still
stimul
stimul
stimul
stimulu
sting
stingi
sting
stingi
stipul
stir
stir
stir
stitch
stitch
stock
stock
stock

steed
steel
steeled
steely
steeple
stem
stems
step
stepped
steps
stern
sternen
sterness
sternest
sternness
stick
stiff
stiffened
stiffly
stiffness
stifle
stifled
stifling
stile
still
stiller
stillness
stimulate
stimulated
stimulating
stimulus
sting
stinginess
stinging
stingy
stipulate
stir
stirred
stirring
stitch
stitching
stock
stocking
stockings

stock
stole
stone
stone
stoni
stood
stool
stool
stoop
stoop
stoop
stoop
stop
stop
stop
stop
store
store
storeroom
store
storei
storei
stori
storm
stormili
storm
stormi
stori
stout
stow
straggl
straight
strain
strain
strain
strain
strait
strand
strang
strang
stranger
stranger
strangest
strangl

stocks
stole
stone
stones
stony
stood
stool
stools
stoop
stooped
stooping
stoops
stop
stopped
stopping
stops
store
stored
storeroom
stores
storey
storeys
stories
storm
stormily
storms
stormy
story
stout
stowed
straggled
straight
strain
strained
straining
strains
strait
stranded
strange
strangely
stranger
strangers
strangest
strangle

strangl
strap
strapper
strata
straw
strawberri
strai
strai
strai
streak
streak
stream
stream
stream
stream
street
street
strength
strengthen
strenuous
stress
stretch
stretch
strewn
strict
strict
stride
strike
strike
strike
strikingli
string
stringent
string
strip
stripe
strip
strive
striven
strive
stroke
stroke
stroke
stroke

strangled
strapped
strapper
strata
straw
strawberries
stray
strayed
straying
streak
streaks
stream
streamed
streaming
streams
street
streets
strength
strengthened
strenuously
stress
stretch
stretched
strewn
strict
strictness
stride
strike
strikes
striking
strikingly
string
stringent
strings
strip
striped
stripped
strive
striven
striving
stroke
stroked
strokes
stroking

stroll
stroll
strong
stronger
strongli
strove
struck
struggl
struggl
struggl
stubbl
stubborn
stubborn
stud
student
studi
studi
studiou
studi
studi
stuff
stumbl
stun
stupefi
stupid
stupor
style
style
stylish
suav
subdu
subdu
subdu
subject
subject
subject
subjoin
sublim
sublunari
submerg
submiss
submiss
submit
submit

strolling
strolls
strong
stronger
strongly
strove
struck
struggle
struggled
struggling
stubble
stubborn
stubbornness
studded
students
studied
studies
studious
study
studying
stuff
stumbled
stunned
stupefied
stupid
stupor
style
styled
stylish
suave
subdue
subdued
subduing
subject
subjected
subjects
subjoined
sublime
sublunary
submerged
submission
submissive
submit
submitted

subordin
subordin
subordin's
subscrib
subscrib
subscript
subsequ
subsequ
subsid
subsid
subsid
substanc
substanti
substitut
subtl
succe
succeed
succeed
success
success
success
successor
successor
succumb
such
suck
sudden
suddenli
suffer
suffer
suffer
suffer
suffic
suffic
suffici
suffici
suffoc
suffoc
suffus
suffus
suffus
suggest
suggest
suggest

subordinate
subordinates
subordinate's
subscribed
subscribes
subscription
subsequent
subsequently
subside
subsided
subsiding
substance
substantial
substitute
subtle
succeed
succeeded
succeeding
success
succession
successive
successor
successors
succumbed
such
sucked
sudden
suddenly
suffer
suffered
suffering
sufferings
suffice
sufficed
sufficient
sufficiently
suffocated
suffocating
suffused
suffusing
suffusion
suggest
suggested
suggesting

suggest
suggest
suggest
suicid
suit
suit
suit
suitor
suitor
suit
suivai
sulki
sullen
sullenli
sulli
sulli
sulphur
sultan
sum
summer
summit
summit
summon
summon
summon
sumptuous
sun
sunbeam
sundai
sundai
sunder
sundri
sung
sunk
sunken
sunless
sunlit
sunni
sunris
sun
sunset
sunshin
sup
superb

suggestion
suggestions
suggests
suicide
suit
suited
suiting
suitor
suitors
suits
suivais
sulky
sullen
sullenly
sullied
sully
sulphur
sultan
sum
summer
summit
summits
summon
summoned
summons
sumptuously
sun
sunbeam
sunday
sundays
sundered
sundry
sung
sunk
sunken
sunless
sunlit
sunny
sunrise
suns
sunset
sunshine
sup
superb

supercili
supercili
superfici
superintend
superintend
superintend's
superior
superior
superl
superstit
superstiti
sup
supper
suppl
supplic
supplic
suppli
suppli
support
support
support
suppos
suppos
suppos
supposit
suppress
suppress
suppress
suppress
sure
sure
surer
surfac
surfeit
surg
surgeon
surgeon's
surg
surg
surli
surmis
surmount
surnam
surpass

supercilious
superciliousness
superficiality
superintendence
superintendent
superintendent's
superior
superiority
superlatively
superstition
superstitiously
supped
supper
supple
supplicated
supplication
supplied
supply
support
supported
supporting
suppose
supposed
supposing
supposition
suppress
suppressed
suppressing
suppression
sure
surely
surer
surface
surfeited
surge
surgeon
surgeon's
surges
surging
surly
surmised
surmount
surnames
surpass

surpass
surplic
surpris
surpris
surpris
surround
surround
surround
surtout
surveil
survei
survei
suscept
suspect
suspect
suspend
suspens
suspicion
sustain
sustain
sutte
swallow
swallow
swallow
swam
swarthi
swath
swath
swai
swai
swear
swear
swear
sweep
sweep
sweet
sweetbriar
sweeten
sweeter
sweetest
sweetli
sweetmeat
swell
swell

surpassed
surplice
surprise
surprised
surprises
surround
surrounded
surrounding
surtout
surveillance
surveyed
surveying
susceptible
suspect
suspected
suspended
suspense
suspicion
sustain
sustained
suttee
swallow
swallowed
swallowing
swam
swarthy
swathed
swaths
sway
swayed
swear
swearing
swears
sweep
sweeping
sweet
sweetbriars
sweetens
sweeter
sweetest
sweetly
sweetmeats
swell
swelled

swell
swept
swift
swim
swim
swimmingli
swine
swing
switch
swollen
swoon
swore
sworn
syllab
syllabl
syllabl
sylph
sylph's
symmetr
sympathet
sympathi
sympathis
sympathis
sympathi
syncop
synonym
system
systemat
system
tabernacl
tabl
tableau
tabl
tablet
taciturn
taciturn
tack
tail
tail
taill
taint
take
taken
take

swelling
swept
swift
swim
swimming
swimmingly
swine
swing
switch
swollen
swooning
swore
sworn
syllabic
syllable
syllables
sylph
sylph's
symmetrically
sympathetic
sympathies
sympathise
sympathising
sympathy
syncope
synonymous
system
systematic
systems
tabernacle
table
tableau
tables
tablet
taciturn
taciturnity
tack
tail
tailed
taille
taint
take
taken
takes

take
tale
talent
talent
tale
talisman
talk
talk
talk
talk
tall
taller
tallest
talon
tame
tame
tame
tangl
tant
tantrum
tap
tape
tapestri
tapestri
tap
tardi
tarri
tarri
tart
tart
task
task
tast
tast
tast
taught
tauntingli
tawni
tea
teach
teachabl
teacher
teacher
teach

taking
tale
talented
talents
tales
talisman
talk
talked
talking
talks
tall
taller
tallest
talons
tame
tamely
tameness
tangled
tant
tantrums
tap
tape
tapestried
tapestry
tapped
tardy
tarried
tarry
tart
tarts
task
tasks
taste
tasted
tastes
taught
tauntingly
tawny
tea
teach
teachable
teacher
teachers
teaches

teach
teapot
tear
tear
tearless
tear
teas
teas
teatim
tediou
tedium
tedo
teeth
tell
teller
teller
tell
tell
temper
tempera
temperatur
temper
tempest
tempest
tempestu
templ
templ
templ's
temporarili
temporari
temptat
tempt
ten
tenaci
tenant
tenant
tenantless
tenantri
tenant
tendenc
tendenc
tender
tender
tenderest

teaching
teapot
tear
tearing
tearless
tears
tease
teased
teatime
tedious
tedium
tedo
teeth
tell
teller
tellers
telling
tells
temper
temperament
temperature
tempered
tempest
tempests
tempestuously
temple
temples
temple's
temporarily
temporary
temptation
tempted
ten
tenacious
tenant
tenanted
tenantless
tenantry
tenants
tendencies
tendency
tender
tenderer
tenderest

tenderli
tender
tend
tenement
tenet
tenez
tenor
tens
tent
tenth
term
term
termin
termin
termin
term
terribl
terrifi
terror
terror
test
testament
testimoni
testimoni
tete
text
thank
thank
thank
thank
thankless
thank
thanksgiv
thaw
theatr
thee
their
theme
them's
themselv
thenc
theodor
theoret
theori

tenderly
tenderness
tending
tenement
tenets
tenez
tenor
tenses
tent
tenth
term
termed
terminated
terminating
termination
terms
terrible
terrified
terror
terrors
test
testament
testimonial
testimony
tete
texts
thank
thanked
thankful
thankfulness
thankless
thanks
thanksgiving
thaw
theatre
thee
theirs
theme
them's
themselves
thence
theodore
theoretical
theory

therebi
therefor
therefrom
therein
thereof
thereon
therewith
thick
thicken
thicker
thickli
thief's
thimbl
thin
thing
thing
thinguri
think
think
think
third
thirdli
third
thirst
thirst
thirsti
thirteen
thirti
thither
thorn
thornfield
thorn
thorni
thoroughli
those
thou
though
thought
thought
thoughtless
thought
thousand
thousand
thread

thereby
therefore
therefrom
therein
thereof
thereon
therewith
thick
thickened
thicker
thickly
thief's
thimble
thin
thing
things
thingury
think
thinking
thinks
third
thirdly
thirds
thirst
thirsted
thirsty
thirteen
thirty
thither
thorn
thornfield
thorns
thorny
thoroughly
those
thou
though
thought
thoughtful
thoughtless
thoughts
thousand
thousands
thread

thread
thread
thread
threaten
threaten
threaten
three
threshold
threw
thrice
thrift
thrill
thrill
thrive
throat
throb
throb
throb
throb
throe
throe
throne
throng
throttl
through
throw
throw
thrown
thrust
thrust
thule
thumb
thump
thunder
thunderbolt
thunder
thunder
thunderloft
thunderstorm
thursdai
thu
thwart
thy
tick

threaded
threading
threads
threatened
threatening
threatens
three
threshold
threw
thrice
thrift
thrill
thrilled
thriving
throat
throb
throbbed
throbbing
throbs
throe
throes
throne
throng
throttled
through
throw
throwing
thrown
thrust
thrusting
thule
thumb
thumped
thunder
thunderbolt
thundered
thundering
thunderloft
thunderstorm
thursday
thus
thwarted
thy
tick

tide
tide
tidi
tidi
tie
ti
tien
tiger
tightli
tigress
till
timber
time
time
timepiec
time
tin
ting
tinkl
tinkl
tinkler
tint
tint
tint
tini
tip
tirad
tire
tire
tiresom
tissu
titl
titl
titter
titter
titter
toad
toast
toast
toe
toe
togeth
toi
toil

tide
tidings
tidy
tidying
tie
tied
tiens
tigers
tightly
tigress
till
timber
time
timed
timepiece
times
tin
tinge
tinkle
tinkled
tinkler
tint
tinted
tints
tiny
tip
tirade
tire
tired
tiresome
tissue
title
titled
titter
tittered
titters
toad
toast
toasting
toe
toes
together
toi
toil

toil
toilet
toilett
toilett
toil
token
token
told
toler
toler
toler
toll
toll
tomb
tomorrow
tone
t'on
tone
tongu
tongu
tonight
tonnag
ton
took
tool
toonhmin
top
topic
top
topsi
tore
torment
torment
torment
torment
torn
torpid
torrent
torrent
tortur
tortur
tortur
tortur
toss

toiled
toilet
toilette
toilettes
toils
token
tokens
told
tolerable
tolerably
tolerated
tolled
tolling
tomb
tomorrow
tone
t'one
tones
tongue
tongues
tonight
tonnage
tons
took
tool
toonhmine
top
topic
tops
topsy
tore
torment
tormented
tormenting
torments
torn
torpid
torrent
torrents
torture
tortured
tortures
torturing
toss

toss
toss
total
t'other
totter
totter
touch
touch
touch
tough
tow
toward
towel
tower
town
town
toi
toi
trace
trace
trace
trace
track
trackless
tract
tractabl
trade
tradesman
tradit
traffic
tragic
trail
trail
train
train
trait
traitor
traitor
trait
tramp
trampl
trampl
trancelik
tranquil

tossed
tossing
total
t'other
tottered
tottering
touch
touched
touching
tough
tow
towards
towel
tower
town
towns
toy
toys
trace
traced
traces
tracing
track
trackless
tract
tractable
trade
tradesman
traditions
traffic
tragic
trail
trailing
train
trained
trait
traitor
traitors
traits
tramp
trampled
trampling
trancelike
tranquil

tranquil
tranquillis
tranquil
tranquilli
transact
transact
transfix
transform
transform
transform
transgress
transient
transit
transitori
translat
translat
transpar
transpir
transplant
transport
trap
trap
trat
travail
travel
travel
travel
travel
travel's
travel
travel
travers
travers
travers
trai
trai
treacher
treacheri
tread
treasur
treasur
treasur
treasur
treat

tranquille
tranquillised
tranquillity
tranquilly
transacted
transaction
transfix
transformation
transformed
transforming
transgress
transient
transit
transitory
translate
translation
transparent
transpired
transplanted
transported
trap
trappings
trat
travail
travel
travelled
traveller
travellers
traveller's
travelling
travels
traverse
traversed
traversing
tray
trays
treacherous
treachery
tread
treasure
treasured
treasurer
treasures
treat

treat
treat
treatment
treat
tree
tree
trembl
trembl
tremblent
trembl
tremblingli
tremor
trepid
tress
trial
trial
tribe
tribe
tribun
tribut
trice
trick
trick
trickl
trickl
trick
tri
trifl
trifl
trifl
trim
trim
trim
trio
trip
trip
trite
triumph
triumphantli
triumph
trivial
trivial
trivial
trodden

treated
treating
treatment
treats
tree
trees
tremble
trembled
tremblent
trembling
tremblingly
tremors
trepidation
tresses
trial
trials
tribe
tribes
tribunal
tribute
trice
trick
tricked
trickle
trickling
tricks
tried
trifle
trifles
trifling
trim
trimmed
trimming
trio
trip
tripping
trite
triumph
triumphantly
triumphed
trivial
trivialities
triviality
trodden

trode
troop
tropic
trot
troubl
troubl
troubl
troublesom
troubl
trough
trouser
truant
trucul
truest
truli
trunk
trunk
truss
trust
trust
trust
truth
truth
try
try
tuck
tucker
tucker
tuesdai
tuft
tug
tug
tuition
tulip
tumbl
tumult
tune
tunefulli
tune
turban
turban
turbid
turbul
turf

trode
trooping
tropics
trot
trouble
troubled
troubles
troublesome
troubling
trough
trousers
truant
truculent
truest
truly
trunk
trunks
truss
trust
trusted
trusting
truth
truthful
try
trying
tuck
tucker
tuckers
tuesday
tufted
tug
tugging
tuition
tulips
tumble
tumult
tune
tunefully
tunes
turban
turbans
turbid
turbulent
turf

turk
turkei
turk's
turn
turn
turn
turn
turn
turtl
turvi
tutor
tutor
twain
twang
tweak
twelv
twenti
twice
twig
twilight
twine
twine
twinkl
twist
twist
twitter
two
tyne
type
type
typhu
tyranni
tyrant
tyrian
ugh
ugli
ultim
umbrella
unabl
unaccount
unaccount
unacquaint
unalloi
unalter

turk
turkey
turk's
turn
turned
turning
turnings
turns
turtle
turvy
tutor
tutors
twain
twang
tweak
twelve
twenty
twice
twigs
twilight
twined
twining
twinkled
twisted
twisting
twittering
two
tyne
type
types
typhus
tyrannies
tyrant
tyrian
ugh
ugly
ultimate
umbrella
unable
unaccountable
unaccountably
unacquainted
unalloyed
unalterable

unami
unannounc
unask
unavail
unawar
unblown
unbolt
unbroken
unburden
uncal
uncanni
unceremoni
uncertain
uncertainti
unchang
unchang
unchast
unchildlik
uncivil
uncl
uncl
uncl's
unclos
unclos
uncloud
uncom
uncommit
uncongeni
unconnect
unconsci
unconsci
uncontrol
uncov
unction
und
undec
undeceiv
undefin
under
undergo
undergo
undergon
underhand
understand

unamiable
unannounced
unasked
unavailing
unawares
unblown
unbolt
unbroken
unburdening
uncalled
uncanny
unceremoniously
uncertain
uncertainty
unchangeable
unchanged
unchaste
unchildlike
uncivil
uncle
uncles
uncle's
unclose
unclosed
unclouded
uncomely
uncommitted
uncongenial
unconnected
unconscious
unconsciousness
uncontrolled
uncovering
unction
und
undeceive
undeceived
undefined
under
undergo
undergoing
undergone
underhand
understand

understand
understand
understood
undertak
undertak's
underton
underw
undevelop
undiscov
undisturb
undivid
undon
undress
undress
undress
undrew
undu
undul
un
unearthli
uneasi
uneduc
unembroid
unemploi
unequ
unexpect
unexpectedli
unexplor
unfathom
unfeel
unfinish
unfledg
unfold
unforc
unfortun
unfortun
unfost
unfound
unfrequ
unfriendli
unfurrow
unglov
ungovern
unguard

understanding
understands
understood
undertake
undertaker's
undertone
underwent
undeveloped
undiscovered
undisturbed
undivided
undone
undress
undressed
undressing
undrew
undue
undulating
une
unearthly
uneasy
uneducated
unembroidered
unemployed
unequal
unexpected
unexpectedly
unexplored
unfathomed
unfeeling
unfinished
unfledged
unfolded
unforced
unfortunate
unfortunately
unfostered
unfounded
unfrequently
unfriendly
unfurrowed
ungloved
ungovernable
unguarded

unhappi
unhealthi
unhealthi
unheard
unheed
unhop
uniform
uniformli
unimpeach
unimpress
unimpression
unintention
uninvit
union
union
uniqu
unit
uniti
univers
univers
unjust
unjustli
unkind
unkind
unknit
unknown
unlaw
unless
unlik
unlik
unlimit
unlock
unloos
unlov
unluckili
unlucki
unmarri
unmolest
unnatur
unnecessari
unnot
unnumb
unobjection
unobserv

unhappy
unhealthiness
unhealthy
unheard
unheeded
unhoped
uniform
uniformly
unimpeachable
unimpressible
unimpressionable
unintentionally
uninvited
union
unions
unique
united
unity
universal
universally
unjust
unjustly
unkind
unkindness
unknit
unknown
unlawful
unless
unlike
unlikely
unlimited
unlocked
unloosed
unlove
unluckily
unlucky
unmarried
unmolested
unnatural
unnecessary
unnoticed
unnumbered
unobjectionable
unobserved

unobtrus
unpleasantli
unpollut
unprepar
unprincipl
unproduct
unprofit
unquiet
unreal
unreason
unreason
unremittingli
unres
unresist
unreturn
unrip
unsanct
unsatisfi
unseason
unseen
unsettl
unshod
unsnuf
unsophist
unsound
unspoken
unsteadi
unstrung
unsubstanti
unsund
unsustain
untast
untaught
untemp
untidili
untidi
unti
until
untim
untir
untrodden
unti
unus
unusu

unobtrusive
unpleasantly
unpolluted
unprepared
unprincipled
unproductive
unprofitable
unquiet
unreal
unreasonable
unreasonably
unremittingly
unresentful
unresisting
unreturned
unripe
unsanctioned
unsatisfied
unseasonable
unseen
unsettled
unshod
unsnuffed
unsophisticated
unsounded
unspoken
unsteady
unstrung
unsubstantiality
unsundered
unsustained
untasted
untaught
untempered
untidily
untidy
untie
until
untimely
untiring
untrodden
untying
unused
unusual

unutter
unutt
unvari
unvarnish
unveil
unwarr
unwatch
unwelcom
unwholesom
unwil
unwis
unwis
unwont
unworthi
upa
upbraid
upbraid
upbraid
upon
upper
uprais
upright
upright
uproot
upstair
uptor
upward
upward
urg
urgent
usag
us
us
us
useless
usher
usual
usual
usur
usuri
usurp
utmost
utter
utter

unutterable
unuttered
unvaried
unvarnished
unveiled
unwarranted
unwatched
unwelcome
unwholesome
unwilling
unwise
unwisely
unwonted
unworthy
upas
upbraid
upbraided
upbraiding
upon
upper
upraised
upright
uprightness
uprooting
upstairs
uptore
upward
upwards
urged
urgent
usage
use
used
useful
useless
ushered
usual
usually
usurer
usurious
usurped
utmost
utter
utterance

utter
utter
utterli
vacant
vacat
vacat
vacat
vacat
vagabond
vagrant
vagu
vain
vainli
vai
vale
valet
valet
vallei
vallei
valour
valuabl
valu
valu
valueless
valu
vampyr
van
vanish
vanish
vanish
vaniti
vanquish
vapid
vapour
vapour
vapouri
varen
varianc
variat
vari
varieti
varieti
variou
varri

uttered
uttering
utterly
vacant
vacate
vacated
vacation
vacations
vagabond
vagrant
vague
vain
vainly
vais
vale
valet
valets
valley
valleys
valour
valuable
value
valued
valueless
valuing
vampyre
van
vanish
vanished
vanishing
vanity
vanquishing
vapid
vapour
vapours
vapoury
varens
variance
variation
varied
varieties
variety
various
varry

vari
vari
vase
vase
vassalag
vast
vault
veget
vehem
vehement
vehicl
vehicl
veil
veil
veil
veil
vein
vein
velvet
vend
vener
vener
vengeanc
venic
venom
vent
ventur
ventur
venturesom
ventur
verandah
verb
verdur
vere
verg
verg
veriest
verili
vernacularli
vernal
vers
vers
veri
vessel

vary
varying
vase
vases
vassalage
vast
vault
vegetation
vehemence
vehement
vehicle
vehicles
veil
veiled
veiling
veils
vein
veins
velvet
vending
venerable
veneration
vengeance
venice
venom
vent
venture
ventured
venturesome
venturing
verandah
verb
verdure
vere
verge
verging
veriest
verily
vernacularly
vernal
verse
verses
very
vessel

vessel
vestri
vex
vexat
vexat
vex
vex
vibrat
vibrat
vibrat
vice
vice
vicinag
vicin
viciou
vicious
vicomt
victim
victim
victori
victualag
vienna
view
view
view
viewless
vigil
vigil
vignett
vigor
vigor
vigour
vile
villa
villag
villain
villain
villaini
vinaigrett
vindict
vine
vinegar
vine
vineyard

vessels
vestry
vex
vexation
vexations
vexed
vexing
vibrated
vibrating
vibration
vice
vices
vicinage
vicinity
vicious
viciously
vicomte
victim
victims
victory
victualage
vienna
view
viewed
viewing
viewless
vigilance
vigils
vignettes
vigorous
vigorously
vigour
vile
villa
village
villain
villains
villainy
vinaigrettes
vindictive
vine
vinegar
vines
vineyards

vine
violat
violat
violenc
violent
violent
virgil
virgin
viril
virtual
virtu
virul
virul
visag
visibl
visibl
vision
visionari
vision
visit
visit
visit
visit
visit
visitor
visitor
visit
vital
vital
vital
vivaci
vivaci
vivac
vivid
vividli
vivid
viz
vocabulari
vocal
vocalist
vocat
voce
vogu
voic

vining
violate
violation
violence
violent
violently
virgil
virgin
virile
virtually
virtue
virulence
virulent
visage
visible
visibly
vision
visionary
visions
visit
visitant
visitation
visited
visiting
visitor
visitors
visits
vital
vitality
vitals
vivacious
vivaciously
vivacity
vivid
vividly
vividness
viz
vocabulary
vocal
vocalist
vocation
voce
vogue
voice

voic
void
voila
voitur
volatil
volcan
volcano
volum
volum
voluntari
volunt
voluptu
vo
vote
votr
vouch
vouchsaf
vouchsaf
vou
vow
vow
vow
vow
voyag
vrai
vulgar
vulner
vultur
wade
wade
waft
wage
wage
wag
wag
waggon
wail
wail
wail
wail
waist
waistcoat
waistcoat
wait

voices
void
voila
voiture
volatile
volcanic
volcano
volume
volumes
voluntary
volunteered
voluptuous
vos
vote
votre
vouch
vouchsafe
vouchsafed
vous
vow
vowed
vowing
vows
voyage
vrai
vulgar
vulnerable
vulture
waded
wading
waft
wage
wages
wagged
wagging
waggon
wail
wailed
wailing
wailings
waist
waistcoat
waistcoats
wait

wait
waiter
wait
wait
wake
wake
wake
waken
waken
waken
wake
wake
wale
walk
walk
walk
walk
wall
wall
wall
walnut
waltz
wander
wander
wander
wander's
wander
wander
wane
wane
want
want
want
wantonli
war
warbl
warbl
ward
wardrob
wardrob
'ware
warehous
warili
warm

waited
waiter
waiting
waits
wake
waked
wakefulness
waken
wakened
wakening
wakes
waking
wales
walk
walked
walking
walks
wall
walled
walls
walnut
waltz
wander
wandered
wanderer
wanderer's
wandering
wanderings
wane
waned
want
wanted
wanting
wantonly
war
warbled
warbling
ward
wardrobe
wardrobes
'ware
warehouse
warily
warm

warm
warmer
warmheart
warm
warmli
warm
warmth
warn
warn
warn
warn
warp
warrant
war
wash
wash
wash
washstand
washi
wast
wast
watch
watch
watcher
watch
watch
watch
watch
water
water
water
wateri
wave
wave
wave
wave
wax
wax
waxen
wax
wax
waxwork
wai
wai

warmed
warmer
warmhearted
warming
warmly
warms
warmth
warn
warned
warning
warnings
warped
warrant
wars
wash
washed
washing
washstand
washy
waste
wasted
watch
watched
watcher
watches
watchful
watching
watchings
water
watered
waters
watery
wave
waved
waves
waving
wax
waxed
waxen
waxes
waxing
waxwork
way
ways

waysid
wayward
weak
weakli
weak
wealth
wealthi
weapon
weapon
wear
weari
wear
wear
weari
weather
web
wed
wed
wed
wedlock's
wee
week
weekli
week
week's
weep
weep
weigh
weigh
weigh
weigh
weight
weight
welcom
welcom
welfar
welkin
well
welsh
went
wept
werk
west
western

wayside
wayward
weak
weakly
weakness
wealth
wealthy
weapon
weapons
wear
weariness
wearing
wears
weary
weather
web
wed
wedded
wedding
wedlock's
wee
week
weekly
weeks
week's
weep
weeping
weigh
weighed
weighing
weighs
weight
weights
welcome
welcoming
welfare
welkin
well
welsh
went
wept
werke
west
western

wet
wet
whalebon
whatev
wheel
wheel
wheel
wheel
whenc
whenev
wherea
whereat
wherein
whereof
whereupon
wherev
whether
whet
whei
while
whilst
whim
whimper
whine
whip
whirl
whirl
whirl
whirl
whirlwind
whisker
whisper
whisper
whisper
whisper
whisper
whistl
whistl
whit
whitcross
white
white
whiter
whitewash

wet
wetting
whalebone
whatever
wheel
wheeled
wheeling
wheels
whence
whenever
whereas
whereat
wherein
whereof
whereupon
wherever
whether
whetted
whey
whiles
whilst
whim
whimpering
whining
whip
whirl
whirled
whirling
whirls
whirlwind
whiskers
whisper
whispered
whispering
whisperings
whispers
whistled
whistling
whit
whitcross
white
whiteness
whiter
whitewashed

whither
whitish
whole
wholesom
wholli
whose
wick
wick
wicked
wicket
wide
wide
wider
widest
widow
widow's
wie
wield
wife
wild
wilder
wilder
wildest
wildli
wild
wilfulli
will
william
will
willingli
willow
will
wilson
wilson
wilt
win
wind
wind
wind
window
windowless
window
wind
windi

whither
whitish
whole
wholesome
wholly
whose
wick
wicked
wickedness
wicket
wide
widely
wider
widest
widow
widow's
wie
wielded
wife
wild
wilder
wilderness
wildest
wildly
wilds
wilfully
willed
williams
willing
willingly
willow
wills
wilson
wilsons
wilt
win
wind
winding
windings
window
windowless
windows
winds
windy

wine
wing
wing
wing
winner
winter
winter
winter's
wintri
wipe
wipe
wire
wisdom
wise
wise
wiser
wish
wish
wish
wish
wisp
wist
wistfulli
wit
witch
witcheri
witch's
withdraw
withdrawn
withdrew
wither
wither
wither
withheld
within
without
wit
wit
wit
wit
wit
witti
wive
woe

wine
wing
winged
wings
winner
winter
winters
winter's
wintry
wipe
wiped
wire
wisdom
wise
wisely
wiser
wish
wished
wishes
wishing
wisp
wistful
wistfully
wit
witch
witchery
witch's
withdraw
withdrawn
withdrew
wither
withered
withering
withheld
within
without
witness
witnessed
witnesses
witnessing
wits
witty
wives
woe

woe
woke
wolf
wolfish
wolf's
woman
womankind
woman's
women
won
wonder
wonder
wonder
wonder
wonderingli
wondrou
wont
wont
wood
wooden
woodland
wood
woodwork
woollen
wor
word
word
wore
work
workbox
work
workhous
work
work
work
workwoman
world
worldli
world
world's
worm
wormwood
worn
worri

woes
woke
wolfe
wolfish
wolf's
woman
womankind
woman's
women
won
wonder
wondered
wonderful
wondering
wonderingly
wondrous
wont
wonted
wood
wooden
woodland
woods
woodwork
woollen
wor
word
words
wore
work
workbox
worked
workhouse
working
workings
works
workwoman
world
worldly
worlds
world's
worm
wormwood
worn
worried

worri
wors
worship
worship
worst
worst
worth
worthier
worthless
worthi
wot
wound
wound
wound
woven
wraith
wrap
wrap
wrapper
wrap
wrap
wrapt
wrath
wreath
wreath
wreath
wreck
wren
wrench
wren
wrestl
wrestl
wretch
wretch
wretchedli
wretched
wring
wrist
wrist
write
writh
writh
write
written

worries
worse
worship
worshipped
worst
worsted
worth
worthier
worthless
worthy
wot
wound
wounded
wounds
woven
wraith
wrap
wrapped
wrappers
wrapping
wraps
wrapt
wrath
wreath
wreathed
wreaths
wreck
wren
wrenched
wrens
wrestle
wrestled
wretch
wretched
wretchedly
wretchedness
wring
wrist
wrists
write
writhed
writhing
writing
written

wrong
wrong
wrongli
wrong
wrote
wrought
wrung
yaa
yard
yard
yawn
year
yearn
year
yell
ye'll
yellow
yell
ye
yesterdai
ye've
yew
yield
yield
yield
yond
yonder
young
younger
your
yourself
youth
youth
zeal
zembla
zenith
zigzag
zone
zorn
?which
fals

wrong
wronged
wrongly
wrongs
wrote
wrought
wrung
yaas
yard
yards
yawns
year
yearning
years
yell
ye'll
yellow
yells
yes
yesterday
ye've
yew
yield
yielded
yielding
yond
yonder
young
younger
yours
yourself
youth
youthful
zeal
zembla
zenith
zigzag
zone
zornes
?which
FALSE
TRUE

Você também pode gostar