Counting letter bigrams in several languages


In [1]:
%matplotlib inline
from collections import defaultdict
from urllib.request import urlopen
import string
import numpy as np
import matplotlib.pyplot as plt

# Turkish
#"ç","ı","ğ","ö","ş","ü",'â'
# German
#"ä","ß","ö","ü"
# French
#"ù","û","ô","â","à","ç","é","è","ê","ë","î","ï","æ"
tr_alphabet = ['•','a','b','c','ç','d','e','f',
                'g','ğ','h','ı','i','j','k','l',
                'm','n','o','ö','p','q','r','s','ş',
                't','u','ü','w','v','x','y','z']
# Union of Frequent letters in French, Turkish, German and English
my_alphabet = ['•','a','â','ä',"à","æ",'b','c','ç','d','e',"é","è","ê","ë",'f',
                'g','ğ','h','ı','i',"î",'ï','j','k','l',
                'm','n','o','œ',"ô",'ö','p','q','r','s','ş',
                't','u','ù',"û",'ü','w','v','x','y','z','ß']
# Only ascii characters
ascii_alphabet = list('•'+string.ascii_lowercase)
# Reduction table from my alphabet to ascii
my2ascii_table = {
    ord('â'):"a",
    ord('ä'):"ae",
    ord("à"):"a",
    ord("æ"):"ae",
    ord('ç'):"c",
    ord("é"):"e",
    ord("è"):"e",
    ord("ê"):"e",
    ord("ë"):"e",
    ord('ğ'):"g",
    ord('ı'):"i",
    ord("î"):"i",
    ord('ï'):"i",
    ord('œ'):"oe",
    ord("ô"):"o",
    ord('ö'):"o",
    ord('ş'):"s",
    ord('ù'):"u",
    ord("û"):"u",
    ord('ü'):"u",
    ord('ß'):"ss"
    }
# Reduction table from my alphabet to frequent letters in turkish text
my2tr_table = {
    ord('â'):"a",
    ord('ä'):"ae",
    ord("à"):"a",
    ord("æ"):"ae",
    ord("é"):"e",
    ord("è"):"e",
    ord("ê"):"e",
    ord("ë"):"e",
    ord("î"):"i",
    ord('ï'):"i",
    ord('œ'):"oe",
    ord("ô"):"o",
    ord('ù'):"u",
    ord("û"):"u",
    ord('ß'):"ss"
    }


def count_transitions(fpp, alphabet, tab):

    #ignore punctuation
    tb = str.maketrans(".\t\n\r ","•••••", '0123456789!"\'#$%&()*,-/:;<=>?@[\\]^_`{|}~+')
    #replace other unicode characters with a bullet (alt-8)
    tbu = {
        ord("İ"):'i',
        ord(u"»"):'•', 
        ord(u"«"):'•', 
        ord(u"°"):'•', 
        ord(u"…"):'•',
        ord(u"”"):'•',
        ord(u"’"):'•',
        ord(u"“"):'•',
        ord(u"\ufeff"):'•',
        775: None}

    # Character pairs 
    D = defaultdict(int)

    for line in fpp:
        s = line.decode('utf-8').translate(tb).lower()
        s = s.translate(tbu)
        s = s.translate(tab)
        #print(s)

        if len(s)>1:
            for i in range(len(s)-1):
                D[s[i:i+2]]+=1
    
    M = len(alphabet)
    a2i = {v: k for k,v in enumerate(alphabet)}
    DD = np.zeros((M,M))

    ky = sorted(D.keys())
    for k in D.keys():
        i = a2i[k[0]]
        j = a2i[k[1]]
        DD[i,j] = D[k]

    return D, DD, alphabet

Count and display occurences of letters in text


In [2]:
local = 'file:///Users/cemgil/Dropbox/Public/swe546/data/'
#local = 'https://dl.dropboxusercontent.com/u/9787379/swe546/data/'
#files = ['starwars_4.txt', 'starwars_5.txt', 'starwars_6.txt', 'hamlet.txt', 'hamlet_deutsch.txt', 'hamlet_french.txt', 'juliuscaesar.txt','othello.txt', 'sonnets.txt', 'antoniusandcleopatra.txt']
files = ['hamlet_turkce.txt','hamlet_deutsch.txt', 'hamlet_french.txt', 'hamlet.txt','starwars_4.txt', 'starwars_5.txt','juliuscaesar.txt','othello.txt']

plt.figure(figsize=(16,18))

i = 0
for f in files:
    url = local+f
    data = urlopen(url) 
    #D, DD, alphabet = count_transitions(data, my_alphabet, {})
    D, DD, alphabet = count_transitions(data, ascii_alphabet, my2ascii_table)
    #D, DD, alphabet = count_transitions(data, tr_alphabet, my2tr_table)
    M = len(alphabet)
    # Ignore space, space transitions
    DD[0,0] = 1
    
    i+=1
    plt.subplot(len(files)/2,2,i)
        
    S = np.sum(DD,axis=0)
    #Subpress spaces
    S[0] = 0
    S = S/np.sum(S)

    plt.bar(np.arange(M)-0.5, S, width=0.7)
    plt.xticks(range(M), alphabet)
    plt.gca().set_ylim((0,0.2))
    plt.title(f)

plt.show()


Counting Bigrams


In [3]:
local = 'file:///Users/cemgil/Dropbox/Public/swe546/data/'
#local = 'https://dl.dropboxusercontent.com/u/9787379/swe546/data/'

#files = ['starwars_4.txt', 'starwars_5.txt', 'starwars_6.txt', 'hamlet.txt', 'hamlet_deutsch.txt', 'hamlet_french.txt', 'juliuscaesar.txt','othello.txt', 'sonnets.txt', 'antoniusandcleopatra.txt']
files = ['hamlet_turkce.txt','hamlet_deutsch.txt', 'hamlet_french.txt', 'hamlet.txt','starwars_4.txt', 'starwars_5.txt','juliuscaesar.txt','othello.txt']

plt.figure(figsize=(17,2*17))

i = 0
for f in files:
    url = local+f
    data = urlopen(url) 
    #D, DD, alphabet = count_transitions(data, my_alphabet, {})
    D, DD, alphabet = count_transitions(data, ascii_alphabet, my2ascii_table)
    #D, DD, alphabet = count_transitions(data, tr_alphabet, my2tr_table)
    M = len(alphabet)
    DD[0,0] = 1
    
    i+=1
    plt.subplot(len(files)/2,2,i)
    plt.imshow(DD, interpolation='nearest', vmin=0,cmap='gray_r')
    plt.xticks(range(M), alphabet)
    plt.xlabel('x(t)')
    plt.yticks(range(M), alphabet)
    plt.ylabel('x(t-1)')
    ax = plt.gca()
    ax.xaxis.tick_top()
    #ax.set_title(f, va='bottom')
    plt.xlabel('x(t) '+f)



In [4]:
plt.figure(figsize=(6,6))

f = 'hamlet.txt'

url = local+f
data = urlopen(url) 
#D, DD, alphabet = count_transitions(data, my_alphabet, {})
D, DD, alphabet = count_transitions(data, ascii_alphabet, my2ascii_table)
#D, DD, alphabet = count_transitions(data, tr_alphabet, my2tr_table)
M = len(alphabet)
DD[0,0] = 1

plt.imshow(DD, interpolation='nearest', vmin=0,cmap='gray_r')
plt.xticks(range(M), alphabet)
plt.xlabel('x(t)')
plt.yticks(range(M), alphabet)
plt.ylabel('x(t-1)')
ax = plt.gca()
ax.xaxis.tick_top()
#ax.set_title(f, va='bottom')
plt.xlabel('x(t)')

plt.savefig('transition.pdf',bbox_inches='tight')
plt.show()


Normalized probability table of $p(x_t|x_{t-1})$


In [6]:
def normalize(A, axis=0):
    Z = np.sum(A, axis=axis,keepdims=True)
    idx = np.where(Z == 0)
    Z[idx] = 1
    return A/Z

local = 'file:///Users/cemgil/Dropbox/Public/swe546/data/'
#local = 'https://dl.dropboxusercontent.com/u/9787379/swe546/data/'

file = 'hamlet_turkce.txt'
data = urlopen(local+file) 
D, DD, alphabet = count_transitions(data, tr_alphabet, my2tr_table)


plt.figure(figsize=(9,9))

T = normalize(DD, axis=0)


plt.imshow(T, interpolation='nearest', vmin=0)
plt.xticks(range(M), alphabet)
plt.yticks(range(M), alphabet)
plt.gca().xaxis.tick_top()

plt.show()


Is Markov(0), Markov(1) or Markov(2) a better model for English letters in plain text ?

Counting Words


In [7]:
def int_to_roman(input):
    """
    Convert an integer to Roman numerals.

    Examples:
    >>> int_to_roman(0)
    Traceback (most recent call last):
    ValueError: Argument must be between 1 and 3999

    >>> int_to_roman(-1)
    Traceback (most recent call last):
    ValueError: Argument must be between 1 and 3999

    >>> int_to_roman(1.5)
    Traceback (most recent call last):
    TypeError: expected integer, got <type 'float'>

    >>> for i in range(1, 21): print int_to_roman(i)
    ...
    I
    II
    III
    IV
    V
    VI
    VII
    VIII
    IX
    X
    XI
    XII
    XIII
    XIV
    XV
    XVI
    XVII
    XVIII
    XIX
    XX
    >>> print int_to_roman(2000)
    MM
    >>> print int_to_roman(1999)
    MCMXCIX
    """
    ints = (1000, 900,  500, 400, 100,  90, 50,  40, 10,  9,   5,  4,   1)
    nums = ('M',  'CM', 'D', 'CD','C', 'XC','L','XL','X','IX','V','IV','I')
    result = ""
    for i in range(len(ints)):
        count = int(input / ints[i])
        result += nums[i] * count
        input -= ints[i] * count
    return result



def roman_to_int(input):
    """
    Convert a roman numeral to an integer.

    >>> r = range(1, 4000)
    >>> nums = [int_to_roman(i) for i in r]
    >>> ints = [roman_to_int(n) for n in nums]
    >>> print r == ints
    1

    >>> roman_to_int('VVVIV')
    Traceback (most recent call last):
    ...
    ValueError: input is not a valid roman numeral: VVVIV
    >>> roman_to_int(1)
    Traceback (most recent call last):
    ...
    TypeError: expected string, got <type 'int'>
    >>> roman_to_int('a')
    Traceback (most recent call last):
    ...
    ValueError: input is not a valid roman numeral: A
    >>> roman_to_int('IL')
    Traceback (most recent call last):
    ...
    ValueError: input is not a valid roman numeral: IL
    """
    if type(input) != type(""):
        raise TypeError("expected string, got %s" % type(input))
    input = input.upper()
    nums = ['M', 'D', 'C', 'L', 'X', 'V', 'I']
    ints = [1000, 500, 100, 50,  10,  5,   1]
    places = []
    for c in input:
        if not c in nums:
            raise ValueError("input is not a valid roman numeral: %s" % input)
    for i in range(len(input)):
        c = input[i]
        value = ints[nums.index(c)]
        # If the next place holds a larger number, this value is negative.
        try:
            nextvalue = ints[nums.index(input[i +1])]
            if nextvalue > value:
                value *= -1
        except IndexError:
        # there is no next place.
            pass
        places.append(value)
    sum = 0
    for n in places: sum += n
    # Easiest test for validity...
    if int_to_roman(sum) == input:
        return sum
    else:
        raise ValueError('input is not a valid roman numeral: %s' % input)

In [8]:
from collections import defaultdict
from urllib.request import urlopen
import string
import numpy as np
import matplotlib.pyplot as plt


local = 'file:///Users/cemgil/Dropbox/Public/swe546/data/'
#local = 'https://dl.dropboxusercontent.com/u/9787379/swe546/data/'
#files = ['starwars_4.txt', 'starwars_5.txt', 'starwars_6.txt', 'hamlet.txt', 'hamlet_deutsch.txt', 'hamlet_french.txt', 'juliuscaesar.txt','othello.txt', 'sonnets.txt', 'antoniusandcleopatra.txt']
files = ['hamlet.txt','starwars_4.txt', 'starwars_5.txt','juliuscaesar.txt','othello.txt']

i = 0
f = files[1]
url = local+f
fp = urlopen(url) 

i = 0

dic = {}

tb = str.maketrans(".\t\n\r,,;-","        ", '0123456789!"\#$%&()*/:<=>?@[\\]^_`{|}~+')

for line in fp:
    
    for w in line.decode().translate(tb).lower().split():
        key = w
        dic[key] = dic.setdefault(key,0) + 1
        

fp.close()

for k in sorted(dic.keys()):
    print(k,dic[k])


'cause 1
'em 3
'nother 1
a 780
aaah 1
abandoned 1
abide 1
abilities 1
ability 1
ablaze 1
able 10
aboard 9
about 79
above 11
absolutely 1
abyss 4
academy 6
accelerate 1
accelerates 1
accelerator 1
according 1
account 1
accurate 1
across 34
act 1
action 2
actions 1
activates 1
activity 4
actually 1
adam 1
added 1
additional 2
addresses 1
addressing 2
adequate 1
adjust 1
adjusting 1
adjustments 3
adjusts 18
admiral 2
adobe 1
advance 2
advances 2
advancing 2
advantage 1
adventurer 3
adventurers 1
adventures 1
advertisingpublicity 1
advice 1
afraid 7
aft 1
after 11
afterburners 1
afternoon 2
again 8
against 21
age 2
agents 1
aghast 1
agility 1
agitated 1
ago 3
agony 1
agree 1
agreement 5
agrees 2
ah 1
ahead 3
aide 2
aided 1
aides 1
aim 7
aimed 2
aiming 1
aims 5
ain't 6
air 10
aisle 1
al 1
alarm 4
alarmed 1
alarms 2
alcove 4
alderaan 25
alec 2
alert 6
alerted 1
alex 1
alexander 1
alien 5
alike 1
alive 3
all 94
alley 1
alleyway 6
alliance 3
allow 3
allowed 1
ally 1
almost 15
alone 5
along 16
already 6
alright 1
also 10
alsup 1
alter 1
alternative 1
alternatives 1
although 2
altitude 1
alvah 1
always 7
am 10
amaze 1
amazed 4
amazement 2
ambassador 1
american 1
amid 1
among 4
an 91
analysis 1
analyzed 2
anchorhead 6
ancient 4
and 687
android 1
angeles 1
anger 6
angle 3
angrily 3
angry 1
anguish 1
angus 1
animated 3
animation 3
animators 1
ann 1
announcing 1
annoyed 1
another 31
answer 3
answers 1
anteater 1
antenna 1
antennae 2
anthony 2
anthropology 1
anticipation 1
antilles 2
anvil 1
anxiously 2
any 23
anyone 4
anything 11
anyway 2
anyways 2
anywhere 2
apart 4
appear 4
appearance 3
appears 10
applicable 1
application 2
approach 9
approaches 9
approaching 11
arc 2
are 139
area 28
areas 1
aren't 5
argue 1
argument 1
arm 8
armaments 2
armed 5
armored 8
arms 10
arnold 1
around 101
array 4
arrive 1
arrives 1
art 3
artist 2
artoo 139
artoo's 8
as 237
aschkynazo 1
ashley 1
aside 1
asked 2
asking 4
asleep 1
asp 1
aspirations 1
assault 1
assembled 1
assembly 1
assistant 9
assistants 2
assortment 1
assumes 1
assuring 1
asteroid 1
asteroids 1
astounding 1
astro 10
at 194
atmosphere 1
atmospheric 1
atomic 1
attached 2
attack 17
attacked 1
attacker 2
attacking 3
attacks 2
attempt 3
attempts 1
attending 1
attention 4
attire 1
attitude 1
attract 1
attracting 1
auditor 1
auditors 1
auer 1
aunt 14
auto 1
autrey 1
auxiliary 2
avoid 5
aw 1
away 46
awe 2
awesome 6
awestruck 1
awful 1
awhile 1
axe 1
axis 1
b 1
babbling 1
baboon 1
baby 1
back 76
backdrop 1
background 10
backing 1
backs 5
backward 3
bad 11
baggy 1
baker 3
balance 2
ball 6
ballard 1
band 2
bandoliers 1
banging 2
bangs 4
bank 1
banners 1
bantha 1
banthas 3
bar 5
barbaric 1
barely 6
bargain 1
bargained 1
barks 3
barnett 1
barrage 6
barrels 1
barrier 1
barry 1
bartender 7
bartender's 1
bartenders 1
base 18
baseball 1
bases 1
bath 1
bats 1
batter 1
battered 12
battering 1
battery 1
battle 23
battles 2
battlestation 1
battling 2
bay 38
bays 1
be 145
beacon 1
beam 14
beamed 1
beams 2
bear 2
beard 2
bearing 1
beasley 1
beast 2
beasts 2
beat 2
beaten 1
beatup 1
beautiful 7
beauty 1
because 1
beck 1
beckett 1
become 6
becomes 5
been 35
beep 4
beeping 21
beeps 21
before 46
beg 1
beggar's 1
begging 1
begin 15
beginning 3
begins 36
begs 1
behalf 1
behave 1
behemoth 1
behind 35
behold 1
being 5
belches 1
believe 7
belligerent 1
belong 1
belongs 3
below 8
belt 9
belts 1
ben 163
ben's 12
beneath 1
bent 2
berg 1
berry 1
bert 1
beru 14
beside 3
besides 3
best 7
bestine 1
beswick 1
bet 2
betray 1
betrayed 1
better 14
between 5
bewildered 1
beyond 3
bickering 1
big 14
bigger 2
biggs 70
biggs' 17
bike 1
billows 1
binary 2
binders 2
binds 2
binoculars 4
bit 9
bits 1
bitter 1
black 4
blackness 1
blade 1
blalack 1
blanket 2
blankly 1
blast 23
blasted 5
blaster 8
blasters 3
blasting 2
blasts 9
blazes 1
blazing 2
bleached 1
blinding 3
blindly 1
blinking 1
blinks 1
block 6
blockade 11
blocked 2
blockhouse 1
blood 2
blow 6
blown 3
blows 3
blue 8
bluff 3
blur 2
blurry 1
board 12
boarded 2
boarding 3
boasting 1
bob 3
boba 1
bobs 1
bocce 2
bodies 5
body 6
boekelheide 1
bold 2
bolt 6
bolts 3
bone 1
bonfire 1
bonnie 1
boom 1
booth 3
borehamwood 1
boring 2
born 2
boss 3
both 3
bother 1
bottom 1
bought 1
bounce 3
bounces 5
bouncing 4
bound 2
bounty 1
bow 2
bowls 2
bows 2
box 4
boxes 1
boy 16
boys 5
brace 2
braced 1
brain 1
brains 1
brandishing 1
braver 1
break 1
breakfast 1
breaking 2
breaks 4
breath 3
breathes 1
brew 1
brian 2
bridge 11
briefing 1
bright 3
brightens 1
brighter 1
brightly 1
bring 4
brings 4
briskly 1
broken 5
bronze 5
brought 2
brown 1
bruce 4
brushing 1
brutally 1
bruton 1
bubbles 1
buckle 1
buddy 1
budge 1
buffeted 2
bug 1
builders 1
building 2
buildings 1
built 1
bulk 1
bull's 1
bumpy 1
bunch 1
bunny 1
burden 2
bureaucracy 1
bureaucrat 1
bureaucrats 1
buried 3
burly 2
burning 4
burst 2
bursts 7
burtt 1
bushbaby 1
bushpilot 2
busily 2
business 3
busted 1
bustle 1
busy 1
but 89
button 11
buttons 6
buy 1
buys 1
buzz 4
buzzer 1
buzzing 4
by 105
bye 3
byrne 2
c 5
cabin 1
cabinet 2
cable 1
cables 2
calculation 1
calculations 2
caleb 1
california 3
call 5
called 3
calling 2
calls 4
calm 3
calmly 3
came 9
camera 8
camerman 2
camermen 1
camie 5
campaigns 1
can 71
can't 28
cancel 1
canceled 1
cannon 13
cannon's 1
cannons 3
cannot 1
cantina 10
cantwell 1
canyon 19
capacity 1
captain 7
captives 1
captured 3
capturted 1
car 1
carbon 1
card 1
care 4
careful 4
carefully 6
cares 1
cargo 2
carpet 1
carr 1
carrie 2
carried 1
carries 2
carroll 1
carry 3
carrying 6
casady 1
case 1
casing 1
cass 2
cast 1
casting 1
casts 1
catapult 1
catch 3
catches 1
caught 1
cause 1
causes 1
causing 6
cautious 1
cautiously 2
cave 1
ceases 1
ceiling 2
ceilinged 2
cell 9
cells 1
center 9
central 7
century 1
ceremony 2
certainly 2
chain 2
chair 4
chamber 7
chance 3
chances 1
change 3
chaos 2
charge 5
charges 3
charging 1
charles 1
charming 1
charter 1
charts 1
chased 1
chases 3
chatter 2
chatters 2
check 5
checked 4
checking 2
checks 5
cheered 1
cheers 1
chess 1
chest 2
chew 1
chewbacca 51
chewbacca's 2
chewie 28
chief 7
chilling 1
chin 1
chips 1
choice 4
chokes 1
choking 1
choose 1
chores 1
chosen 1
chris 1
christian 1
chrome 5
chute 4
cindy 1
circle 5
circles 1
circuited 2
circuits 2
circular 1
city 4
civil 2
civilized 2
clacking 1
clad 5
claims 1
clairvoyance 1
clam 1
clangs 1
clank 1
clanking 1
class 1
classical 1
claw 5
clawed 1
cleaned 1
cleaning 2
clear 5
cleared 2
clears 1
clemente 1
clicking 1
cliff 1
cliffs 1
climates 1
climb 1
climbs 9
clings 1
cloak 2
cloaks 2
clone 2
close 18
closed 2
closely 3
closer 10
closes 1
closing 7
cloud 1
clouds 1
clumsily 1
clumsy 1
clusters 1
cluttered 2
coarse 1
coastline 1
cockpit 195
cockpits 1
cocksure 1
cocky 1
coins 2
colin 2
colliding 1
collision 2
colony 1
colors 1
combat 3
come 47
comes 13
comfort 1
comfortingly 1
coming 20
comlink 21
command 7
commander 16
commands 2
commence 2
comment 1
commerce 1
commission 3
commotion 1
communication 1
companion 4
company 2
compartments 1
compatriots 1
complain 1
complete 3
completed 1
completely 2
complex 3
components 1
composes 1
composite 1
computer 46
computer's 2
concentrates 3
concentrating 1
concern 4
concerned 1
concludes 1
concrete 1
condensers 1
condition 3
conducting 1
cone 1
conference 6
confident 1
confused 2
congratulatory 1
conjure 1
connecting 1
connectors 1
connects 2
connie 1
conscious 1
consciously 1
consider 1
considerable 1
consisting 1
console 2
constantly 1
constructed 1
consular 2
consultant 1
contact 2
container 1
contamination 1
continual 1
continue 12
continued 2
continues 11
continuity 1
contracting 1
contrast 1
control 52
controlled 1
controller 1
controlling 1
controls 23
converges 1
conversation 5
converters 1
convinced 1
convoy 1
cooked 1
cool 2
cooly 1
cooperation 1
coordinates 1
coordinator 3
copilot 1
copy 8
copyright 3
cord 1
core 1
corellian 3
corner 8
corporation 1
correct 1
corresponding 1
corridor 11
corridors 2
corso 1
cost 1
costume 1
could 25
couldn't 4
council 1
count 1
countered 1
counterpart 2
counters 1
countless 1
countryside 2
counts 1
couple 5
coupled 1
coupling 1
couplings 1
courage 3
course 11
courtyard 2
cover 7
covered 6
covers 1
coward 1
cowering 1
crack 1
cracked 1
craft 7
craggy 1
cramped 3
crashed 1
crashes 1
crashing 3
crater 1
crawls 1
crazy 2
create 1
created 1
creates 2
creating 8
creature 17
creatures 15
creatures' 1
credit 1
credits 1
creeps 2
creepy 1
crevice 1
crew 7
crewmen 5
crews 3
cried 1
cries 2
criminal 1
crippled 1
crittenden 1
crops 1
cross 4
crosses 4
crouch 2
crouching 1
crowd 1
crowded 1
crowed 1
crudely 1
cruiser 3
cruisers 2
crumbles 1
crumbling 1
crusade 1
crush 1
crushing 2
crying 1
cuba 1
cuffs 3
cullip 1
cunning 1
curdling 1
curious 1
curls 1
curse 1
curved 1
cushing 2
custodian 1
customs 1
cut 13
cutting 1
cyborg 1
d 3
dalva 1
damage 2
damaged 3
damages 1
damn 1
damned 1
dan 2
dance 1
danger 2
dangerous 7
daniels 2
dantooine 4
dare 1
dark 18
darkening 1
darklighter 1
darkly 5
darkness 2
darth 43
darts 2
dash 1
dashed 1
dashing 1
data 5
david 9
davidson 1
day 17
daze 1
dazzling 2
de 1
deactivate 1
deactivated 1
dead 13
deadly 4
deak 2
deak's 1
deal 1
dealer 1
death 230
deathly 1
debris 4
debts 1
deceive 1
deck 4
deco 1
decorator 1
decoy 1
decrease 1
deep 7
defense 2
defenses 1
defensive 2
defiance 1
deflect 2
deflection 1
deflector 4
deflectors 2
deftly 1
degrees 1
deliberately 1
delicate 1
delivered 2
deluxe 1
demand 1
demonstrate 2
demonstrated 1
demonstration 1
den 1
denham 1
dennis 2
dense 3
dented 3
depart 1
department 1
departure 1
depths 1
der 1
derek 1
descent 1
describing 1
desert 16
deserted 3
design 5
designed 1
designer 2
designs 1
desolate 1
desperate 2
destiny 2
destroy 6
destroyed 5
destructive 2
detachment 2
detention 12
determination 2
determined 3
detoo 18
device 17
device's 1
devices 2
devotion 2
dewaghi 1
dewbacks 1
dia 1
dialogue 1
diamond 1
diana 1
diane 1
did 21
didn 1
didn't 18
die 3
died 1
different 1
dig 1
dignitaries 1
dilley 1
dim 4
dimensional 2
dimly 1
din 2
dingy 3
dining 2
dinner 1
dinosaur 1
diplomatic 3
direct 4
directed 1
direction 9
directions 3
directly 3
director 2
directors 2
directs 1
dirt 1
dirty 1
disappear 4
disappearance 1
disappeared 1
disappears 9
disappoint 1
disbelief 1
disconcerted 1
disconnected 1
discover 1
discovered 2
discovers 1
discuss 1
discussion 1
disgust 3
disgusting 1
dish 1
disheveled 1
disintegrate 1
disk 2
disolve 1
display 3
displaying 1
displays 1
dissolved 1
distance 11
distant 9
distinctly 1
distinguished 1
distorted 1
distracted 1
distraction 1
distress 1
distribution 1
disturbance 1
disturbing 1
ditch 1
dive 14
dives 8
do 47
dock 1
docking 24
dodonna 17
does 3
doesn't 11
doing 3
dolby 2
dome 4
domed 1
domes 2
dominate 2
don 4
don't 71
donate 1
done 6
donna 1
doomed 6
door 32
door's 1
doors 9
doorway 4
doorways 1
dot 1
dots 1
double 3
doubled 1
doubt 1
doubtful 1
douglas 3
dousing 1
down 91
downs 1
downward 2
doyle 1
dozen 6
draft 2
drafted 1
dragged 1
drains 1
draw 1
drawn 2
draws 4
dreaded 1
dreamlike 1
dress 1
dressed 3
drewe 1
drift 2
drifts 1
drill 1
drilling 1
drink 3
drinking 1
drinks 2
drivers 1
drives 1
droid 22
droids 21
drop 2
dropped 2
drops 2
drums 1
drunk 1
duck 1
ducking 2
ducks 3
duel 2
duignan 1
dull 1
dumbfounded 1
dune 7
dunes 2
duo 1
duplication 1
during 4
dust 6
dusting 1
dusty 3
dutch 1
duties 1
dwarf 1
dwelling 1
dwellings 1
dying 1
dykstra 1
e 1
each 10
ear 5
earlier 1
early 3
ease 4
easier 1
easily 2
easy 8
eaten 1
eccentric 1
echo 1
echoes 1
echoing 2
eclipse 1
ecliptic 1
eddie 2
edge 5
edges 2
edition 1
editiors 1
editor 3
editors 3
edlund 1
educational 1
eerie 5
effective 1
effects 9
effort 1
eight 7
eighteen 1
eisley 25
either 6
elbow 1
eldon 1
eleanor 1
electrobinoculars 4
electronic 17
elegant 2
elephants 1
elevator 9
eleven 2
ellenshaw 1
else 2
elstree 1
emanates 1
embarrassment 1
embedded 1
embrace 2
embraces 1
emerge 1
emergency 3
emerges 3
emerging 1
emi 1
emitting 1
emotion 1
emotional 1
emperor 4
empire 14
empire's 2
emplacements 5
empty 5
end 18
endless 1
enemy 9
energy 2
engaged 1
engine 2
engines 4
england 2
english 1
engrossed 1
engulfs 2
enormous 3
enough 16
entanglements 1
enter 10
entered 1
entering 1
enterprises 1
enters 10
entire 7
entrance 6
entry 5
environment 1
episode 1
equally 1
equator 1
equipment 5
equipped 1
erased 1
eric 1
erickson 1
erland 1
erupt 1
erupts 1
escape 10
escaping 1
estimate 1
estimated 1
etiquette 1
evacuate 1
evade 1
evading 1
even 17
event 2
eventually 1
ever 5
every 5
everyone 6
everything 6
everything's 1
everywhere 2
evil 7
exasperated 1
excels 1
except 1
exceptions 1
exchange 3
excitedly 3
excitement 1
excuse 1
execute 1
execution 1
exercises 1
exhaust 10
exhibition 1
exists 1
exit 4
exits 2
exotic 5
expanse 1
expect 2
expected 1
experience 1
explain 1
explanation 2
explode 2
explodes 14
exploding 2
exploit 1
explosion 12
explosions 5
explosive 1
extends 3
extensive 1
exterior 173
extinct 2
extra 3
extract 1
extraordinaire 1
eye 8
eyed 4
eyes 24
face 25
faced 1
faces 2
fact 3
fade 2
fail 1
failed 1
faint 1
fair 2
faith 1
faithful 1
falcon 69
falcontie 1
falkinburg 1
fall 2
fallen 2
falls 3
falters 1
familiar 1
family 1
fanfare 1
fangs 1
fantastic 2
far 19
farm 6
farmer 3
farthest 1
fascist 1
fast 10
faster 2
fat 1
fate 2
father 13
father's 2
fatherly 1
fathers 1
fault 5
faulty 1
fear 5
feared 2
fearsome 2
february 2
feeble 1
feeding 1
feeds 1
feel 5
feeling 2
feelings 1
feels 2
feet 14
felled 1
felt 3
female 1
ferocious 1
fetches 1
fett 1
few 24
fiddles 1
fidelity 1
field 8
fierce 1
fiery 1
fifteen 4
fifties 2
fight 9
fighter 116
fighter's 4
fighters 64
fighting 2
fights 1
figure 5
figures 1
file 1
fill 2
filled 12
filling 2
fills 3
film 7
films 1
filthy 1
fin 2
final 5
finality 1
finally 4
find 17
finds 3
fine 5
finger's 1
fingers 1
finish 2
finishes 2
finned 1
fins 1
fire 32
fireball 3
fired 1
firepower 1
fires 24
firing 20
first 21
fisher 2
fist 2
fit 1
fitting 1
five 28
five's 7
fixer 6
fixes 1
flak 7
flame 3
flames 7
flaming 1
flanked 3
flanking 1
flash 7
flashes 5
flashing 3
flashy 1
flat 1
flattens 1
fleeing 1
fleet 1
flicker 2
flickers 3
flies 5
flight 3
flings 1
flipping 1
flips 1
floating 1
floats 1
floodlight 1
floor 16
flowing 2
flown 1
fluent 1
fluid 1
flung 2
flurry 1
flutter 1
fly 5
flying 7
foes 1
foils 1
foliage 2
follow 8
followed 12
following 3
follows 9
fondle 1
food 4
fool 5
foolish 1
foot 5
for 154
force 24
forced 2
forces 3
ford 2
foreboding 3
foreground 4
forehead 3
foreign 1
forest 2
forever 3
forget 6
forgot 2
forgotten 1
forlorn 1
form 3
formally 1
formation 17
formations 1
former 1
forms 3
fort 1
forth 5
forties 1
fortress 4
fortunate 2
forward 19
fossil 1
fought 1
foul 2
found 13
four 17
fourth 5
fox 2
fragment 4
fragments 1
frail 1
frame 3
francisco 1
frank 1
frankly 1
frantic 3
frantically 5
fraser 1
freak 1
freeborn 1
freedom 1
freighter 4
freleng 1
fresh 1
fresholtz 1
fried 1
friend 15
friend's 1
friendly 1
friends 5
frigate 1
frighten 1
frightened 4
from 119
front 22
frown 1
frozen 4
frustrated 1
frustration 1
frustrations 1
fry 2
frying 1
fueled 1
fuijimoto 1
full 6
fully 2
fumbles 1
fun 1
function 1
functioning 1
funny 2
fur 2
furious 2
furiously 1
furry 5
further 1
fussing 1
gaderffii 1
gaffer 1
gaffi 1
gain 2
gaining 2
gains 2
galactic 2
galaxy 10
gale 1
game 2
games 1
gang 1
gantry 8
garage 8
garbage 21
gargantuan 4
garrick 1
gary 2
gasp 1
gasping 1
gate 1
gates 2
gavigan 1
gawley 1
gaze 1
gazes 1
gear 2
gears 1
gene 1
general 7
general's 1
generals 3
generate 1
generations 1
generator 1
generators 1
geoff 1
george 3
gerry 2
gesture 1
gestures 1
get 70
gets 10
getting 9
giant 18
gibberish 3
gibbs 1
giddy 1
gigantic 1
gilbert 1
girl 6
girl's 1
give 9
given 1
gives 16
giving 4
glad 1
gladly 1
glance 1
glances 2
glares 1
glass 1
gleaming 2
gleefully 1
gliding 1
glint 1
glob 1
gloom 1
glory 1
gloved 1
glover 1
gloves 1
glow 7
glowing 2
go 43
goes 15
goggles 1
going 70
gold 75
goldwyn 1
gone 9
gonna 4
good 23
good's 1
goodness 1
goods 1
gordon 1
gorge 1
got 37
gotta 1
gotten 3
government 1
governor 7
governors 1
grab 2
grabs 10
gracefully 1
gracing 1
graham 1
grand 6
grant 2
graphic 1
graphics 1
grappler 1
grate 1
grease 1
great 11
greater 3
greatly 1
greedo 10
green 11
greenwood 1
greeted 1
greg 1
grey 7
grim 6
grimly 1
grimy 2
grin 2
grinning 1
grip 2
grisly 1
groans 1
groin 1
grossest 1
grotesque 2
grotesquely 1
ground 6
grounded 1
group 17
group's 1
grouped 3
groups 1
grow 2
growing 2
growl 1
growling 2
growls 6
grows 1
grubby 2
gruesome 3
grumbled 1
grumbling 1
grunt 1
grunts 1
guard 9
guardians 1
guarding 2
guards 8
guatemala 2
guess 3
guest 1
guiding 1
guinness 2
gun 18
gun's 1
gunfire 2
gunport 8
gunports 12
guns 13
guttural 1
guy 2
guys 3
h'm 1
had 19
hagon 1
hail 2
hair 2
hairs 2
half 10
hall 1
hallway 33
hallways 1
hamill 2
han 268
han's 6
hand 18
handiwork 1
handle 1
hands 11
handsome 2
hang 4
hangar 18
hanging 2
hangs 2
haphazard 1
happen 2
happened 8
happiness 1
happy 1
hard 5
hardend 1
harrison 2
harsh 1
harvest 4
has 46
hasn't 2
hatch 11
hatches 1
hatchway 3
hate 3
have 84
haven't 8
hawking 1
he 231
he'd 2
he'll 4
he's 25
head 45
headed 1
heading 8
headphones 1
heads 10
headset 24
heap 3
hear 12
heard 16
hears 5
heart 1
heartily 1
heat 2
heave 1
heavenly 1
heavens 6
heavily 3
heavy 8
heels 1
held 1
hell 2
hello 3
helmet 7
helmets 1
help 23
helped 2
helpless 3
helplessness 1
helps 1
hemley 1
henderson 1
her 49
herald 1
herbert 1
herding 1
here 74
here's 1
herman 1
hermit 1
heroic 1
hesitates 1
hey 13
hidden 5
hide 1
hideous 2
hides 1
hiding 3
high 8
higher 1
highness 3
him 119
himself 10
hire 1
hirsch 1
his 357
hiss 1
history 1
hit 23
hits 11
hitting 3
hive 1
hoisted 1
hokey 1
hold 31
holding 8
holds 3
hole 4
holes 3
hollering 2
hologram 2
holographic 3
holster 1
home 10
homestead 18
homing 1
hooded 1
hook 1
hootkins 1
hope 11
hopeless 1
hoping 1
horizon 11
horns 1
horrible 2
horribly 1
horrifying 2
hoses 1
host 1
hot 6
hotshot 1
hotter 1
hottest 1
hour 1
hours 1
house 2
hovel 1
hovering 1
hovers 1
how 19
how'd 1
however 1
howl 2
howling 3
howls 2
huddle 1
huddles 1
huff 2
hug 3
huge 40
hugs 1
huh 2
hulks 1
hull 1
hum 3
human 11
humming 3
hundred 3
hundreds 2
hunk 2
hunt 1
hunter 1
hurls 1
hurries 3
hurry 10
hustle 1
huston 1
hutt 1
hyperspace 7
hypodermic 1
i 282
i'd 10
i'll 21
i'm 72
i've 28
id 1
idea 3
idealistic 1
ideals 1
ideas 2
identification 3
identify 1
idyll 1
if 56
ignites 1
ignition 2
ignore 1
ignoring 3
illustration 2
image 4
imagination 1
imagine 3
immediately 5
immense 1
impact 1
impacted 1
imperial 85
importance 1
important 3
imposing 1
impossible 3
impress 1
in 426
inadvertently 1
inc 2
inch 1
inches 1
including 2
incom 1
inconspicuous 1
increase 3
increasing 2
incredible 3
incredibly 1
indeed 1
indicating 1
indistinct 1
indoors 1
industrial 1
ineptitude 1
inert 2
inferno 1
infinity 3
influence 1
inform 2
information 9
inhuman 1
innards 1
innocent 1
insect 2
insects 1
inside 5
insignificant 1
inspect 2
inspecting 1
inspects 1
instantly 1
instinct 1
instinctively 2
institute 1
instruments 2
insult 1
intact 1
intense 2
intently 3
intercedes 1
intercepted 2
intercom 24
interest 3
interesting 2
interference 1
interior 319
interpret 1
interpreter 1
interrupted 1
interrupting 1
interrupts 1
intertwines 1
into 149
intrigued 1
invisible 1
involved 2
ion 1
irene 1
is 312
isman 1
isn't 8
isolated 1
issues 1
issuing 1
it 199
it'd 2
it'll 3
it's 68
its 13
itself 1
iv 1
j 1
jabba 23
jabba's 2
jabbers 1
jack 3
jam 1
james 2
jammed 2
jamming 1
jawa 14
jawas 14
jay 3
jealousy 1
jedi 16
jedi's 1
jeremy 1
jerky 1
jerry 1
jettisoned 3
jibberish 1
jiggles 1
jim 1
job 1
joe 1
john 9
johnston 1
join 4
joined 1
joins 3
joint 2
joints 2
jon 2
jonathan 1
jones 2
joseph 1
joy 2
joyous 1
jr 1
jug 1
jump 8
jumps 8
jundland 2
jungle 6
junk 3
just 44
justice 1
jutting 1
karen 1
katz 1
keep 11
keeps 1
kenneth 2
kenny 2
kenobi 28
kenobi's 1
kept 2
kessel 2
keys 1
kick 3
kid 15
kidding 2
kids 1
kill 3
killed 4
killer 1
killing 1
kim 1
kind 5
kiss 1
kisses 1
kitchen 3
kitchens 1
klaff 1
kline 1
kneel 1
knew 6
knicking 1
knight 5
knights 3
knock 1
knocked 2
knocks 2
know 39
knowledgeable 1
known 2
knows 2
koehler 1
kuran 1
kurtz 1
lack 1
lad 1
ladder 3
ladders 1
lamb 1
land 1
landing 1
landlocked 1
landscape 2
landspeeder 13
language 5
lanky 2
lap 1
large 30
larger 3
larry 1
lars 10
laser 55
laserbeams 2
laserblast 1
laserblasts 2
laserbolt 5
laserbolts 18
laserfire 28
lasers 6
last 18
lasted 1
latch 1
latches 1
late 4
lateral 1
laugh 2
laughing 7
laughs 4
laughter 2
laws 1
lawson 1
le 1
lead 3
leader 93
leader's 44
leaders 1
leading 5
leads 3
leak 2
lean 1
leaning 1
leans 3
learn 4
learned 1
learner 1
leash 1
least 2
leathery 1
leave 11
leaves 1
leaving 8
led 2
ledge 1
left 10
leg 2
legged 1
leia 140
leia's 2
lens 1
lenzi 1
leo 1
leon 1
leslie 2
less 2
lester 2
let 14
let's 12
lets 12
letting 1
level 7
levels 1
lever 6
levers 1
liability 1
librarians 1
lick 1
lied 2
lies 6
life 11
lifelong 1
lifepod 8
lifted 1
lifter 1
lifts 5
light 20
lighted 4
lighting 2
lightly 1
lightning 3
lights 15
lightsaber 7
lightsabers 2
like 51
likely 1
likes 1
likewise 1
limbs 1
limp 2
limps 1
lind 1
line 5
lined 2
lines 5
link 1
lippincott 1
lips 2
liquid 1
listen 11
listening 4
listens 2
lit 1
litt 1
little 54
lives 1
living 2
load 2
loading 3
local 4
locate 1
locatelli 1
location 6
locations 1
lock 7
locked 5
locker 1
lockers 1
locking 1
log 1
logan 1
logic 1
lon 1
london 1
lone 4
long 35
longer 1
longingly 1
look 57
lookin' 1
looking 27
lookout 1
looks 77
looming 1
looms 3
loop 1
looped 1
loose 7
loosely 1
loosen 1
lord 18
lorne 1
los 1
lose 5
loses 1
losing 2
loss 2
lost 8
lot 16
loud 5
louder 1
loudspeaker 3
lovable 1
love 1
lovely 3
low 10
lower 1
lowers 3
loyalty 1
ltd 1
lucas 3
lucasfilm 1
luck 3
lucky 2
lucy 1
luke 603
luke's 110
lumbers 1
lunge 3
lurches 1
lying 2
lyn 1
m 2
macdougall 1
machine 1
madden 1
made 8
madly 1
madmen 1
madness 1
magic 1
magnetic 4
magnetically 1
maimed 1
main 46
maintain 1
maintenance 2
majestically 1
make 32
maker 2
makes 26
making 8
malfunction 2
malfunctioning 4
malouf 1
malt 1
man 19
man's 3
manage 1
managed 3
manager 2
managers 2
manages 6
maneuver 2
maneuvering 1
maneuvers 5
manipulates 2
manned 1
manner 1
many 7
map 1
march 2
marched 2
marches 2
marching 2
marcia 1
marginally 1
mark 5
marked 1
markings 1
marks 2
mary 1
masaaki 1
mashers 3
mask 1
mass 3
massassi 29
massive 8
master 13
masterful 1
match 2
mate 2
mather 1
matte 1
matted 1
matter 4
maximum 1
may 9
maybe 4
mayhew 2
mccarthy 1
mccrindle 1
mccrum 1
mccue 1
mccune 1
mcinnis 1
mcquarrie 2
me 74
mean 4
meaning 1
means 2
meant 2
meanwhile 2
mechanic 2
mechanical 6
medallion 1
meet 4
meeting 2
melt 1
melting 1
member 2
membrane 1
memory 2
men 5
menacing 1
menacingly 3
mention 2
mercenary 2
mercer 1
mercy 1
merely 2
mesa 5
mesas 4
mess 2
message 7
metal 7
metallic 6
meteor 2
meters 2
michael 2
microphone 1
mid 2
midday 1
middle 5
might 11
mighty 2
mike 5
miki 1
mile 1
miles 2
military 3
mill 2
millennium 65
miller 1
milling 2
million 3
millions 1
mind 7
minded 1
mindless 1
mine 3
miniature 2
minkler 2
minor 1
minute 7
minutes 8
miracle 1
misinformation 1
missed 1
misses 2
missing 2
mission 9
mist 3
mixer 2
mixers 1
moan 2
model 3
modern 1
modifications 1
moff 7
moisture 3
moldy 1
mollo 1
moment 9
momentarily 2
momentary 2
moments 11
money 5
monitor 5
monkey 1
monsters 3
monstrosity 1
monstrous 4
monument 1
moon 15
moons 3
more 35
morning 9
mos 25
most 6
motherly 1
motion 3
motionless 1
motions 2
motivator 1
motti 9
moulds 1
mount 2
mountain 1
mountains 1
mounted 2
mounts 2
mouth 5
mouths 1
move 34
moved 1
movement 1
movements 1
moves 43
moving 12
much 19
muck 3
muffled 3
multiple 1
mumble 1
murdered 1
muren 1
murky 2
murmer 1
mused 1
music 7
must 23
muted 4
mutter 1
muttering 1
my 65
myself 6
mystical 1
naked 1
name 4
named 2
narrow 11
nathan 1
national 3
nationalize 1
naturally 1
navi 1
navigator 1
navigators 1
near 11
nearby 2
nearsighted 1
neat 1
neck 6
need 8
needing 1
needle 1
needn't 1
needs 2
negative 4
negola 1
negotiating 1
nephew 1
nervous 6
nervously 6
network 2
never 13
new 13
next 18
nice 2
nicholson 1
night 2
nine 3
nine's 1
ninety 2
no 57
nobody 1
nods 3
noga 1
noise 6
noises 1
noisily 1
nomads 1
nonsense 1
norihoro 1
normal 3
norman 1
nose 2
nosedives 1
nostrils 1
not 76
nothin' 1
nothing 8
notice 2
notices 3
notified 1
now 51
now's 1
nowhere 7
nudges 1
number 3
numbers 4
nylon 1
o'bannon 1
oaf 1
oasis 1
obeys 1
obi 22
object 1
obscured 1
obtained 2
obvious 4
obviously 1
occasionally 3
odd 3
of 620
off 88
offensive 1
office 8
officer 44
officer's 1
officers 4
official 1
oh 26
oil 5
okay 14
old 45
older 2
ominous 3
ominously 2
on 261
once 5
oncoming 3
one 98
one's 1
onimous 1
only 36
onrushing 2
onto 7
oooh 1
ooze 1
open 18
opening 5
opens 3
operating 1
operation 1
operational 4
operators 2
opponent 1
oppose 1
opposite 3
optical 6
opticals 1
or 34
orbit 2
orbiting 1
orchestra 1
orchestrations 1
order 1
orders 2
organa 3
original 2
other 26
others 14
otherwise 1
ought 3
oughta 1
our 24
out 151
outboard 2
outcropping 1
outer 2
outland 1
outlandish 1
outlet 1
outpost 24
outrider 1
outrun 3
outside 13
outskirts 2
over 123
overestimate 1
overhang 5
overhanging 1
overhead 5
overhears 1
overlooking 2
overrun 1
overtaken 1
overweight 1
overwhelmed 1
overwhelming 1
owen 44
owen's 1
own 4
owner 1
ownership 1
owning 1
p 1
paces 5
paddles 1
paid 3
pain 1
painful 1
pair 2
pamela 1
pan 2
panavisiontechnicolorprints 1
panel 18
panels 1
panicked 1
panics 5
pants 1
paralyzing 1
pardon 4
park 2
parked 3
parmentier 1
parsecs 1
part 6
partially 1
partner 2
parts 5
party 1
pass 2
passage 1
passageway 12
passed 1
passenger 1
passengers 3
passes 3
passing 7
past 31
pat 1
path 3
pathetic 3
patie 1
patient 1
patricia 1
patrons 1
pats 2
patterns 2
paul 3
paws 1
pay 6
peace 1
peaceful 2
peck 1
pecorella 1
pedestal 1
peeks 1
peel 3
peels 5
peer 1
peers 2
penetrate 1
penetrates 1
penetrating 1
penny 1
pensive 1
people 2
people's 1
pepi 1
pepple 1
percent 2
perched 2
perfect 1
perfectly 2
perform 1
performed 1
perhaps 1
period 1
permanently 1
permeate 1
permeates 1
permitted 1
perri 1
person 3
personally 1
perspire 1
persuasion 1
pervis 1
peter 7
peterson 1
petite 1
phil 2
philosopher 1
phony 1
photo 1
photographed 1
photographer 1
photographic 1
photography 5
pick 6
picked 3
picks 1
picture 2
piece 3
pieced 1
pieces 2
piercing 1
pile 1
pilot 16
pilot's 2
pilots 9
pilots' 1
pipe 3
pipes 1
pirate 4
pirates 2
pirateship 40
pirateship's 1
pistol 13
pistols 3
pit 2
pitch 1
pitched 1
pitcher 2
pitiful 1
place 11
placed 2
places 2
plan 4
planet 34
plank 1
plans 12
plate 2
play 5
playfully 1
playing 2
plays 2
plaza 2
please 2
pleased 3
pleasure 1
plight 1
plug 1
plugged 1
plugs 1
plummets 1
plus 2
po 2
pocket 1
pod 6
pods 1
point 9
pointed 1
pointedly 1
pointing 6
pointless 1
points 9
pokes 2
pole 2
poles 1
ponders 3
pool 1
poor 3
pop 2
popping 1
pops 5
porkins 2
porkins' 1
port 18
porter 1
porthole 1
portman 1
ports 2
poses 1
position 16
positions 1
possible 1
possibly 2
post 3
posts 1
pounding 1
pounds 1
pour 1
pours 2
pov 1
power 32
powered 1
powerful 8
powers 3
practice 1
practicing 1
praxis 1
precarious 1
precariously 1
precise 7
precisely 1
prefer 2
preparation 1
preparations 1
prepare 1
prepares 1
preparing 2
presence 3
present 1
pressed 1
presses 4
pressure 4
pretends 2
pretty 3
price 2
primary 3
prime 1
princess 42
printer 1
prison 3
prisoner 2
pristine 1
private 1
prize 1
probably 1
probe 2
problem 1
problems 1
proceeds 1
process 2
produced 1
producer 1
producers 1
production 14
programmed 2
programming 1
projected 11
promise 1
property 3
proportions 1
prosecution 1
protect 1
protected 1
protection 1
protectively 1
protocol 3
proton 1
protruding 1
proud 1
proves 1
provide 2
provided 1
prowess 1
prowse 2
publicist 1
puffs 1
pull 9
pulled 5
pulling 1
pulls 16
punch 1
punches 1
pupil 1
purgatory 1
purposefully 1
purposes 1
pursed 1
pursued 1
pursuing 1
pursuit 4
purvis 1
push 4
pushes 9
put 9
puts 8
puzzled 1
queer 1
question 1
questions 4
quick 5
quickly 9
quiet 9
quietly 4
quite 12
r 16
race 12
races 20
radar 5
radiate 2
radically 2
radio 1
raided 1
raider 5
raiders 2
rainbow 1
raise 1
raised 1
raises 1
ralph 3
ralston 1
ramos 1
ramp 10
rampage 1
ran 1
rand 1
random 2
range 11
ransack 1
rapidly 3
rat 1
rate 1
rather 5
rats 2
rattles 1
ray 5
re 2
reach 6
reached 1
reaches 12
react 1
reaction 2
reactor 5
reacts 3
read 5
readiness 2
readout 10
readouts 3
ready 8
real 4
realize 1
realizes 2
really 13
rears 1
reasonable 1
reassuring 1
rebel 69
rebel's 1
rebellion 14
rebels 3
receding 2
receive 1
received 1
receptacle 1
recesses 1
recognition 1
recognized 1
reconsider 1
recorded 2
recording 5
recovering 1
red 154
reddish 1
reduction 1
refer 1
reflected 1
reflects 1
refrigerated 1
refueling 1
refuses 1
regarding 1
regional 1
regions 1
regret 2
regular 1
reins 1
related 1
relation 1
relations 1
relative 1
release 3
released 1
releasing 1
relentlessly 1
relief 4
religion 2
religions 1
reluctance 1
reluctant 2
reluctantly 1
remaining 3
remains 5
remark 1
remember 4
remembered 1
remind 1
reminding 1
reminds 1
remnants 1
remote 3
remotes 1
remove 3
removes 2
rendezvous 1
repair 3
repaired 3
repairing 2
repairs 1
repeat 2
repeating 1
repeats 1
replaces 2
reply 7
report 2
reports 1
representing 1
represents 1
republic 2
repulsive 1
request 1
required 1
rerecording 2
rescue 4
rescuing 1
resembling 1
resident 1
resignation 1
resigned 1
resistance 1
resolve 1
resounding 1
respective 1
respects 1
respond 2
responds 4
response 5
responsibility 1
rest 5
resting 1
restlessly 1
restore 1
restrained 1
restraining 3
restricted 3
rests 3
result 1
retardant 1
retracted 1
retrieve 2
return 2
returned 3
returns 7
revealed 1
revealing 3
reveals 2
reverberate 1
reverse 1
revised 1
revision 1
revolution 1
reward 6
reynolds 1
rhonda 1
rich 3
richard 6
rick 2
rickman 1
ricochet 1
ricochets 1
ride 5
riderless 1
ridge 4
ridiculous 1
rifle 4
right 63
rightful 1
rim 2
ringing 1
rips 1
rises 3
rising 1
risk 1
risking 1
roams 1
roars 1
robert 5
robes 1
robman 1
robot 32
robot's 1
robots 27
rock 22
rocket 1
rockets 1
rocks 5
rocky 4
rodent 2
roger 1
roguish 1
roll 1
rollup 1
ron 3
ronnie 1
ronto 2
rontos 1
room 66
room's 1
rope 3
rose 1
ross 2
rotate 1
rotates 3
rotating 1
roth 1
rotoscope 1
rotting 1
rough 4
round 6
rounded 1
rounds 2
route 1
row 1
rows 1
roxanne 1
rubble 2
rubs 1
rude 1
rugged 5
ruins 1
rumble 3
rumbles 1
rummages 1
run 16
runaway 1
rundown 1
runner 11
running 4
runs 11
rush 9
rushed 1
rushes 13
rushing 2
rusty 2
rutledge 1
s 6
saber 2
sad 1
saddened 2
saddles 1
sadly 1
safe 3
safely 2
safety 1
said 8
sailing 1
sale 3
sales 1
salt 1
salutes 1
sam 1
same 6
samuel 1
san 1
sand 9
sandcrawler 14
sandpeople 15
sarcastically 2
satellite 2
satisfaction 1
savage 1
save 4
saved 1
saw 1
say 10
saying 2
says 9
scale 1
scaly 1
scanner 1
scanners 1
scanning 4
scans 3
scarred 1
scatter 1
scattered 2
scattering 1
scatters 1
scene 1
scenes 1
scheduled 1
schofield 1
scoots 2
scope 4
scope's 1
scorched 1
score 1
scores 2
scoring 3
scott 1
scout 1
scowl 1
scraggly 1
scramble 1
scrambles 2
scrap 3
scrape 1
scratches 3
scratching 1
scream 3
screaming 3
screams 4
screeching 1
screen 24
screens 2
scruffy 2
scrutinizes 1
scum 2
scurriers 1
scurry 6
scurrying 1
sea 7
seal 1
sealed 1
search 3
searches 3
searching 3
season 6
seasons 1
seat 2
seated 3
seay 1
second 18
seconds 3
secret 4
section 1
sections 1
secure 4
security 3
seduced 1
see 55
seeing 1
seeker 6
seem 6
seemingly 1
seems 21
seen 11
sees 12
self 1
sell 1
semester 1
semi 1
senate 7
senator 5
senators 2
send 4
sending 2
sends 3
sense 2
sensitive 1
sent 2
sentence 3
sentimental 1
sentry 1
serene 1
series 3
seriousness 1
servants 1
serve 1
served 1
serves 1
service 11
set 8
sets 1
settle 3
settlement 4
settlements 1
settlers 1
settles 1
settling 1
seven 9
seventeen 2
several 33
sexy 1
shabby 1
shade 1
shadow 1
shadows 8
shaft 7
shaggy 2
shake 4
shakes 12
shaking 6
shall 2
shape 1
shaped 2
shapes 1
sharman 1
sharp 5
shattered 1
shaw 1
she 36
she'll 4
she's 11
sheepish 1
sheepishly 3
shelagh 1
shell 1
shepherd 1
shield 3
shielded 2
shields 5
shined 1
ship 104
ship's 4
shipments 1
ships 20
shock 2
shoo 1
shoot 3
shooting 3
shoots 7
short 16
shot 7
shots 2
should 15
shoulder 8
shouldered 1
shoulders 4
shouldn't 1
shourt 2
shouting 1
shove 1
shoved 1
shoves 1
show 3
shower 3
showing 2
shows 2
shriek 1
shrieking 1
shrouded 5
shrugs 3
shudder 2
shudders 4
shut 16
shutting 3
shuttle 1
side 50
sides 5
sigh 1
sighing 1
sight 14
sights 2
sign 4
signal 4
signaled 1
signalman 1
signals 2
signed 1
signing 1
silenced 1
silently 2
silhouetted 2
silver 3
similar 3
simple 3
simpletons 1
simply 4
since 6
sinden 1
single 2
sinister 4
sink 1
sips 1
sir 43
sirens 1
sister 2
sit 7
sith 5
sits 12
sitting 5
situation 4
six 6
sixteen 3
sixty 1
size 6
sizes 1
sizing 1
skeptically 1
skim 3
skinner 1
skins 1
sky 4
skyhopper 2
skyhoppers 1
skywalker 6
slam 1
slams 1
slapping 1
slash 1
slaughter 1
slavering 1
slaving 1
sleazy 1
sleek 2
sleeping 1
slender 1
slide 1
slides 9
slight 5
slightly 7
slimy 7
slip 1
slips 2
slow 1
slowly 12
slug 1
slugs 1
slum 2
slump 1
small 57
smaller 4
smashed 2
smell 3
smile 5
smiles 5
smiling 3
smith 2
smoke 15
smokey 1
smoking 5
smoky 1
smoldering 3
smooth 1
smoothly 1
smuggled 1
smugglers 1
smuggling 2
smugness 1
snap 2
snapped 1
snapping 2
snaps 2
sneaking 1
sniffs 1
snub 1
so 33
soars 4
socket 5
soft 2
soften 1
softly 1
solar 3
sold 2
soldier 5
soldiers 5
solemnly 1
solid 1
solo 30
solo's 8
some 29
somebody 4
somebody's 1
someday 2
someone 3
something 32
sometimes 5
somewhat 2
somewhere 1
son 1
soon 7
sorcerer's 1
sorrows 1
sorry 5
sort 1
sound 22
sounding 1
sounds 22
sours 1
south 3
southeast 1
space 90
spacecraft 5
spacefighters 1
spaceport 10
spaceship 5
spaceships 1
spacesuited 1
spans 1
sparking 2
sparkle 1
sparkles 1
sparkling 1
sparks 4
sparse 1
spartan 1
speak 4
speaker 25
speaking 1
speaks 10
special 7
specks 1
spectacle 2
spectacular 4
speech 1
speechless 1
speed 10
speeder 24
speeding 1
speeds 2
spell 1
spencer 1
spew 1
sphere 1
spherical 1
spice 2
spiel 1
spies 3
spindly 1
spins 5
spirit 1
spot 4
spots 9
spouting 1
spraying 1
spread 1
spreading 1
sprinkling 1
squad 3
squads 1
square 2
squeak 1
squeaks 1
squeeze 1
squeezes 2
squints 1
stabilize 1
stabilizer's 1
staff 1
stagger 2
staggering 1
staggeringly 1
stalls 1
stance 1
stand 21
standing 20
stands 23
star 225
star's 9
starboard 1
stardestroyer 5
stardestroyers 1
stare 4
stares 2
starfleet 3
staring 1
stark 1
starpilot 2
starpilots 1
starpirate 1
starring 1
stars 15
starship 22
starships 3
start 9
started 1
starting 4
startled 3
startles 1
startling 1
starts 21
state 1
states 1
static 1
station 37
station's 1
stations 3
stay 14
stayed 1
staying 1
steady 1
steal 1
stealthily 1
stears 1
steel 1
steep 1
stench 1
step 4
stephen 1
stepping 2
steps 5
steve 2
stick 9
sticks 7
stifling 1
still 13
stolen 4
stop 11
stopped 4
stopping 1
stops 15
storage 1
stories 3
stormtrooper 10
stormtroopers 48
stormtroopers' 1
story 1
strafe 1
straight 4
straightening 1
strain 2
strange 8
strap 2
strapped 1
straps 1
strategy 1
streak 9
streaking 2
streaks 12
stream 1
street 15
streets 1
stretch 1
stretches 1
stricken 1
strides 2
strike 1
strikes 1
striking 1
stroke 2
strong 2
struck 3
structure 1
structures 2
struggle 3
struggles 8
stuart 2
stubbornness 1
stubby 3
stuck 1
studies 1
studios 3
studying 3
stuff 2
stumbled 1
stumbles 7
stumbling 1
stun 1
stunned 5
stunt 1
stupid 2
subhallway 12
subhallways 1
sublight 1
subtitles 1
success 1
such 7
sucked 1
sudden 2
suddenly 33
suffer 2
suffered 1
sufficient 1
suggest 3
suggests 1
suicide 1
suit 1
suits 3
sun 3
sunken 1
suns 2
sunset 3
supernova 2
superstructure 1
supervising 2
supervisor 7
supplies 1
supply 1
support 1
suppose 1
supposed 1
suppress 1
sure 20
surely 2
surface 87
surfaces 1
surprise 5
surprised 2
surreal 2
surrounded 2
surrounding 2
surrounds 2
survey 1
surveying 2
survival 1
suspended 1
swearing 1
sweat 1
sweeps 3
sweetheart 1
swept 1
swift 2
swiftly 2
swing 1
swings 6
swishing 1
switch 3
switched 1
switches 2
switching 2
swivels 3
swoop 1
sword 4
swords 1
sympathetic 1
sympathy 1
symphony 1
system 16
systems 10
t 5
tabera 1
table 10
tables 1
tagge 5
tagge's 1
taggi 1
tail 4
tailing 2
tails 1
tak 1
take 32
taken 6
takeoff 1
takes 19
taking 3
talk 4
talked 1
talking 13
talks 1
tall 7
taller 1
tangled 2
tank 2
tanker 1
tapes 1
taps 3
target 20
target's 1
targeter 1
targeting 26
targets 1
tarkin 48
tarnished 1
task 1
tatooine 48
taylor 2
tear 1
technical 5
technician 2
technicians 4
technological 1
teitzell 1
teleport 1
tell 12
telling 2
tells 2
temple 7
ten 19
ten's 9
tenant 1
tensely 1
tension 2
tentacle 3
tentacled 1
term 1
terminal 1
terminals 1
terminate 2
terminated 1
terrain 2
terreri 1
terrible 1
terrified 5
terrifying 1
territories 2
terror 5
terry 1
test 1
testimonial 1
than 21
thank 5
thanks 1
that 113
that'd 1
that'll 4
that's 25
thats 2
the 2105
their 65
them 79
then 44
there 65
there'll 3
there's 23
thermal 1
these 13
they 81
they'd 1
they'll 4
they're 26
they've 6
thin 3
thing 14
thing's 1
things 5
think 40
thinking 3
thinks 1
thinner 1
third 1
thirties 1
thirty 5
this 140
those 20
thought 12
thoughts 1
thousand 8
thousands 1
thrashing 1
threat 1
three 37
threepio 210
threepio's 5
throat 3
throne 1
throng 1
throttle 2
through 53
throughout 4
throwing 4
throws 5
thud 1
thugs 1
thunder 1
thundering 1
thunders 1
tie 81
tied 1
tight 7
tighten 1
tighter 2
tightly 2
tikal 1
time 31
times 4
tinney 1
tiny 13
tippet 1
tired 2
tiree 1
title 1
titles 1
tk 2
to 658
today 1
todd 1
together 9
told 7
tomlinson 1
tomorrow 2
tongue 1
tony 1
too 23
took 1
top 5
topples 1
topside 1
torpedoes 3
torture 1
tosche 1
tosses 2
tossing 1
total 1
totally 2
touches 1
tough 2
tow 1
toward 69
towards 9
towed 1
tower 8
towering 3
towers 2
toy 1
trace 1
traced 2
tracey 1
tracked 1
tracking 1
tracks 5
tractor 9
trades 1
trail 4
training 1
traitor 1
trance 1
transfer 1
transfixed 2
translate 2
translated 1
translator 1
transmission 2
transmissions 6
transmit 1
transmitter 4
transport 7
trapped 1
trash 1
trashmasher 1
travel 1
traveled 1
traveling 13
travels 1
tray 1
treacherous 1
tread 1
trees 2
tremendous 4
tremor 1
trench 39
trenches 1
trespassed 1
trick 1
tricked 1
tricks 1
tried 1
tries 7
trio 3
trip 3
triped 1
tripod 1
triumph 1
trooper 44
troopers 22
troops 32
trouble 8
troubles 1
trudge 1
trudges 1
trumbull 1
trunk 1
trust 4
trusting 1
try 10
trying 13
trys 1
tub 2
tube 3
tugs 1
tumble 1
tumbles 2
tumbling 1
tunic 1
tunics 1
tunisia 2
tunnel 1
tunnels 1
turbine 1
turbo 2
turn 14
turned 2
turning 3
turns 32
turret 1
turrets 1
tusken 6
twangs 1
twelve 4
twelve's 1
twentieth 1
twenty 8
twerp 1
twerps 1
twin 2
twisted 3
twisting 1
twists 3
two 86
two's 2
type 2
types 1
ugly 1
uh 10
ultimate 2
unable 3
unauthorized 1
unavoidable 1
unbroken 1
uncle 19
uncle's 1
uncomprehending 1
unconscious 1
uncontrolled 1
under 15
underestimate 1
underside 1
understand 5
understands 1
unearthly 1
unfastens 1
unfolding 2
unfortunate 1
uniform 1
unimaginable 1
unintelligible 2
unison 1
unit 20
united 1
units 1
universe 3
unknown 1
unleash 1
unleashes 1
unleashing 2
unless 1
unlikely 1
unlock 1
unlocking 2
unpleasant 1
unplugs 1
unrest 1
unseen 1
unsuspecting 1
until 11
unused 2
unusual 2
up 118
upon 3
upset 2
upsetting 1
upside 1
urges 1
us 41
use 11
used 5
useless 1
uses 1
utility 4
vacuum 2
vader 114
vader's 47
vain 1
valley 1
valves 2
van 2
vantage 1
vaporator 1
vaporators 5
various 4
vast 5
vastness 2
veer 1
veering 1
veers 2
vehicle 5
velocity 1
versed 1
vertically 1
very 22
veteran 2
vibrates 1
vic 1
vicious 2
vicky 1
victim 1
victorious 1
victoriously 1
victory 2
view 9
viewer 1
viewscreen 1
vile 1
villainy 1
violently 4
visible 4
vision 2
viskocil 1
visor 1
visual 1
vital 1
voice 50
voices 1
volley 3
voyage 1
vulnerable 1
w 1
waddles 2
wait 18
waiting 5
waits 2
wake 2
waking 1
walk 6
walking 2
walks 5
wall 18
walls 12
walsh 1
wan 22
wander 1
wannberg 1
want 22
wanted 3
wants 1
war 25
wardrobe 1
warm 2
warning 2
warns 1
warrior 3
warriors 2
wars 4
wary 1
was 37
wasn't 5
waste 2
wasteland 10
wastes 1
watch 15
watches 17
watching 6
water 1
watering 1
watts 1
wave 2
waves 4
way 41
waye 1
ways 4
we 66
we'd 1
we'll 15
we're 35
we've 16
weak 2
weakness 3
wealth 1
weapon 5
weapons 11
wear 1
wears 1
weather 2
weathered 1
wedge 32
wedge's 10
wedged 1
week 1
weight 1
weird 1
welcome 1
weld 1
well 38
wells 1
were 23
weren't 1
west 2
whammo 1
what 96
what're 2
what's 17
whatever 2
when 26
where 41
where'd 1
wherever 1
which 26
while 13
whimper 1
whine 1
whining 1
whip 3
whips 3
whispering 1
whispers 3
whistle 6
whistles 9
white 8
who 44
who's 3
whoa 1
whole 6
whose 2
why 14
wicked 1
wide 5
wild 1
wildly 4
will 46
willard 5
william 2
williams 1
wilson 2
win 3
wind 2
winding 1
window 14
winds 1
windy 1
wing 112
wingman 7
wingman's 2
wingmen 11
wings 14
wink 1
winks 1
winning 1
wiping 1
wires 1
wise 2
wish 5
with 193
within 4
without 3
witt 1
wizard's 1
woman 3
woman's 1
women's 1
womp 1
won 1
won't 10
wonder 6
wonderful 3
wondering 1
wookiee 18
wookiees 1
wooldugger 1
word 3
work 10
worked 1
working 6
works 7
world 1
worm 1
wormie 2
worn 2
worried 5
worries 2
worry 10
worse 3
worship 1
worshipfulness 1
worst 1
worth 2
would 14
wouldn't 3
wounded 1
wrapped 1
wraps 1
wretched 1
written 1
wrong 5
x 97
xp 1
y 24
ya 1
yahoo 1
yanked 1
yavin 13
yeah 10
year 7
years 6
yell 2
yelling 7
yellow 5
yells 8
yes 14
yet 4
you 357
you'd 7
you'll 13
you're 41
you've 12
young 20
younger 2
your 111
yours 3
yourself 14
youth 1
zaps 1
ziff 1
zoetrope 1
zone 1
zoom 7
zooms 9

In [9]:
sw = './data/books-eng/stopwords.txt'

f = open(sw,'r')
stopwords = []
for w in f:
    stopwords.append(w.strip())
    
for i in range(300):
    stopwords.append(int_to_roman(i).lower())

In [10]:
stopwords


Out[10]:
['.',
 '-',
 '!',
 ':',
 'rt',
 'retweet',
 '&',
 '"',
 '""',
 ',',
 '(',
 ')',
 'a',
 "a's",
 'able',
 'about',
 'above',
 'according',
 'accordingly',
 'across',
 'actually',
 'after',
 'afterwards',
 'again',
 'against',
 "ain't",
 'all',
 'allow',
 'allows',
 'almost',
 'alone',
 'along',
 'already',
 'also',
 'although',
 'always',
 'am',
 'among',
 'amongst',
 'an',
 'and',
 'another',
 'any',
 'anybody',
 'anyhow',
 'anyone',
 'anything',
 'anyway',
 'anyways',
 'anywhere',
 'apart',
 'appear',
 'appreciate',
 'appropriate',
 'are',
 "aren't",
 'around',
 'as',
 'aside',
 'ask',
 'asking',
 'associated',
 'at',
 'available',
 'away',
 'awfully',
 'b',
 'be',
 'became',
 'because',
 'become',
 'becomes',
 'becoming',
 'been',
 'before',
 'beforehand',
 'behind',
 'being',
 'believe',
 'below',
 'beside',
 'besides',
 'best',
 'better',
 'between',
 'beyond',
 'both',
 'brief',
 'but',
 'by',
 'c',
 "c'mon",
 "c's",
 'came',
 'can',
 "can't",
 'cannot',
 'cant',
 'cause',
 'causes',
 'certain',
 'certainly',
 'changes',
 'clearly',
 'co',
 'com',
 'come',
 'comes',
 'concerning',
 'consequently',
 'consider',
 'considering',
 'contain',
 'containing',
 'contains',
 'corresponding',
 'could',
 "couldn't",
 'course',
 'currently',
 'd',
 'definitely',
 'described',
 'despite',
 'did',
 "didn't",
 'different',
 'do',
 'does',
 "doesn't",
 'doing',
 "don't",
 'done',
 'down',
 'downwards',
 'during',
 'e',
 'each',
 'edu',
 'eg',
 'eight',
 'either',
 'else',
 'elsewhere',
 'enough',
 'entirely',
 'especially',
 'et',
 'etc',
 'even',
 'ever',
 'every',
 'everybody',
 'everyone',
 'everything',
 'everywhere',
 'ex',
 'exactly',
 'example',
 'except',
 'f',
 'far',
 'few',
 'fifth',
 'first',
 'five',
 'followed',
 'following',
 'follows',
 'for',
 'former',
 'formerly',
 'forth',
 'four',
 'from',
 'further',
 'furthermore',
 'g',
 'get',
 'gets',
 'getting',
 'given',
 'gives',
 'go',
 'goes',
 'going',
 'gone',
 'got',
 'gotten',
 'greetings',
 'h',
 'had',
 "hadn't",
 'happens',
 'hardly',
 'has',
 "hasn't",
 'have',
 "haven't",
 'having',
 'he',
 "he's",
 'hello',
 'help',
 'hence',
 'her',
 'here',
 "here's",
 'hereafter',
 'hereby',
 'herein',
 'hereupon',
 'hers',
 'herself',
 'hi',
 'him',
 'himself',
 'his',
 'hither',
 'hopefully',
 'how',
 'howbeit',
 'however',
 'i',
 "i'd",
 "i'll",
 "i'm",
 "i've",
 'ie',
 'if',
 'ignored',
 'immediate',
 'in',
 'inasmuch',
 'inc',
 'indeed',
 'indicate',
 'indicated',
 'indicates',
 'inner',
 'insofar',
 'instead',
 'into',
 'inward',
 'is',
 "isn't",
 'it',
 "it'd",
 "it'll",
 "it's",
 'its',
 'itself',
 'j',
 'just',
 'k',
 'keep',
 'keeps',
 'kept',
 'know',
 'knows',
 'known',
 'l',
 'last',
 'lately',
 'later',
 'latter',
 'latterly',
 'least',
 'less',
 'lest',
 'let',
 "let's",
 'like',
 'liked',
 'likely',
 'little',
 'look',
 'looking',
 'looks',
 'ltd',
 'm',
 'mainly',
 'many',
 'may',
 'maybe',
 'me',
 'mean',
 'meanwhile',
 'merely',
 'might',
 'more',
 'moreover',
 'most',
 'mostly',
 'much',
 'must',
 'my',
 'myself',
 'n',
 'name',
 'namely',
 'nd',
 'near',
 'nearly',
 'necessary',
 'need',
 'needs',
 'neither',
 'never',
 'nevertheless',
 'new',
 'next',
 'nine',
 'no',
 'nobody',
 'non',
 'none',
 'noone',
 'nor',
 'normally',
 'not',
 'nothing',
 'novel',
 'now',
 'nowhere',
 'o',
 'obviously',
 'of',
 'off',
 'often',
 'oh',
 'ok',
 'okay',
 'old',
 'on',
 'once',
 'one',
 'ones',
 'only',
 'onto',
 'or',
 'other',
 'others',
 'otherwise',
 'ought',
 'our',
 'ours',
 'ourselves',
 'out',
 'outside',
 'over',
 'overall',
 'own',
 'p',
 'particular',
 'particularly',
 'per',
 'perhaps',
 'placed',
 'please',
 'plus',
 'possible',
 'presumably',
 'probably',
 'provides',
 'q',
 'que',
 'quite',
 'qv',
 'r',
 'rather',
 'rd',
 're',
 'really',
 'reasonably',
 'regarding',
 'regardless',
 'regards',
 'relatively',
 'respectively',
 'right',
 's',
 'said',
 'same',
 'saw',
 'say',
 'saying',
 'says',
 'second',
 'secondly',
 'see',
 'seeing',
 'seem',
 'seemed',
 'seeming',
 'seems',
 'seen',
 'self',
 'selves',
 'sensible',
 'sent',
 'serious',
 'seriously',
 'seven',
 'several',
 'shall',
 'she',
 'should',
 "shouldn't",
 'since',
 'six',
 'so',
 'some',
 'somebody',
 'somehow',
 'someone',
 'something',
 'sometime',
 'sometimes',
 'somewhat',
 'somewhere',
 'soon',
 'sorry',
 'specified',
 'specify',
 'specifying',
 'still',
 'sub',
 'such',
 'sup',
 'sure',
 't',
 "t's",
 'take',
 'taken',
 'tell',
 'tends',
 'th',
 'than',
 'thank',
 'thanks',
 'thanx',
 'that',
 "that's",
 'thats',
 'the',
 'their',
 'theirs',
 'them',
 'themselves',
 'then',
 'thence',
 'there',
 "there's",
 'thereafter',
 'thereby',
 'therefore',
 'therein',
 'theres',
 'thereupon',
 'these',
 'they',
 "they'd",
 "they'll",
 "they're",
 "they've",
 'think',
 'third',
 'this',
 'thorough',
 'thoroughly',
 'those',
 'though',
 'three',
 'through',
 'throughout',
 'thru',
 'thus',
 'to',
 'together',
 'too',
 'took',
 'toward',
 'towards',
 'tried',
 'tries',
 'truly',
 'try',
 'trying',
 'twice',
 'two',
 'u',
 'un',
 'under',
 'unfortunately',
 'unless',
 'unlikely',
 'until',
 'unto',
 'up',
 'upon',
 'us',
 'use',
 'used',
 'useful',
 'uses',
 'using',
 'usually',
 'uucp',
 'v',
 'value',
 'various',
 'very',
 'via',
 'viz',
 'vs',
 'w',
 'want',
 'wants',
 'was',
 "wasn't",
 'way',
 'we',
 "we'd",
 "we'll",
 "we're",
 "we've",
 'welcome',
 'well',
 'went',
 'were',
 "weren't",
 'what',
 "what's",
 'whatever',
 'when',
 'whence',
 'whenever',
 'where',
 "where's",
 'whereafter',
 'whereas',
 'whereby',
 'wherein',
 'whereupon',
 'wherever',
 'whether',
 'which',
 'while',
 'whither',
 'who',
 "who's",
 'whoever',
 'whole',
 'whom',
 'whose',
 'why',
 'will',
 'willing',
 'wish',
 'with',
 'within',
 'without',
 "won't",
 'wonder',
 'would',
 "wouldn't",
 'x',
 'y',
 'yes',
 'yet',
 'you',
 "you'd",
 "you'll",
 "you're",
 "you've",
 'your',
 'yours',
 'yourself',
 'yourselves',
 'z',
 'zero',
 '',
 'i',
 'ii',
 'iii',
 'iv',
 'v',
 'vi',
 'vii',
 'viii',
 'ix',
 'x',
 'xi',
 'xii',
 'xiii',
 'xiv',
 'xv',
 'xvi',
 'xvii',
 'xviii',
 'xix',
 'xx',
 'xxi',
 'xxii',
 'xxiii',
 'xxiv',
 'xxv',
 'xxvi',
 'xxvii',
 'xxviii',
 'xxix',
 'xxx',
 'xxxi',
 'xxxii',
 'xxxiii',
 'xxxiv',
 'xxxv',
 'xxxvi',
 'xxxvii',
 'xxxviii',
 'xxxix',
 'xl',
 'xli',
 'xlii',
 'xliii',
 'xliv',
 'xlv',
 'xlvi',
 'xlvii',
 'xlviii',
 'xlix',
 'l',
 'li',
 'lii',
 'liii',
 'liv',
 'lv',
 'lvi',
 'lvii',
 'lviii',
 'lix',
 'lx',
 'lxi',
 'lxii',
 'lxiii',
 'lxiv',
 'lxv',
 'lxvi',
 'lxvii',
 'lxviii',
 'lxix',
 'lxx',
 'lxxi',
 'lxxii',
 'lxxiii',
 'lxxiv',
 'lxxv',
 'lxxvi',
 'lxxvii',
 'lxxviii',
 'lxxix',
 'lxxx',
 'lxxxi',
 'lxxxii',
 'lxxxiii',
 'lxxxiv',
 'lxxxv',
 'lxxxvi',
 'lxxxvii',
 'lxxxviii',
 'lxxxix',
 'xc',
 'xci',
 'xcii',
 'xciii',
 'xciv',
 'xcv',
 'xcvi',
 'xcvii',
 'xcviii',
 'xcix',
 'c',
 'ci',
 'cii',
 'ciii',
 'civ',
 'cv',
 'cvi',
 'cvii',
 'cviii',
 'cix',
 'cx',
 'cxi',
 'cxii',
 'cxiii',
 'cxiv',
 'cxv',
 'cxvi',
 'cxvii',
 'cxviii',
 'cxix',
 'cxx',
 'cxxi',
 'cxxii',
 'cxxiii',
 'cxxiv',
 'cxxv',
 'cxxvi',
 'cxxvii',
 'cxxviii',
 'cxxix',
 'cxxx',
 'cxxxi',
 'cxxxii',
 'cxxxiii',
 'cxxxiv',
 'cxxxv',
 'cxxxvi',
 'cxxxvii',
 'cxxxviii',
 'cxxxix',
 'cxl',
 'cxli',
 'cxlii',
 'cxliii',
 'cxliv',
 'cxlv',
 'cxlvi',
 'cxlvii',
 'cxlviii',
 'cxlix',
 'cl',
 'cli',
 'clii',
 'cliii',
 'cliv',
 'clv',
 'clvi',
 'clvii',
 'clviii',
 'clix',
 'clx',
 'clxi',
 'clxii',
 'clxiii',
 'clxiv',
 'clxv',
 'clxvi',
 'clxvii',
 'clxviii',
 'clxix',
 'clxx',
 'clxxi',
 'clxxii',
 'clxxiii',
 'clxxiv',
 'clxxv',
 'clxxvi',
 'clxxvii',
 'clxxviii',
 'clxxix',
 'clxxx',
 'clxxxi',
 'clxxxii',
 'clxxxiii',
 'clxxxiv',
 'clxxxv',
 'clxxxvi',
 'clxxxvii',
 'clxxxviii',
 'clxxxix',
 'cxc',
 'cxci',
 'cxcii',
 'cxciii',
 'cxciv',
 'cxcv',
 'cxcvi',
 'cxcvii',
 'cxcviii',
 'cxcix',
 'cc',
 'cci',
 'ccii',
 'cciii',
 'cciv',
 'ccv',
 'ccvi',
 'ccvii',
 'ccviii',
 'ccix',
 'ccx',
 'ccxi',
 'ccxii',
 'ccxiii',
 'ccxiv',
 'ccxv',
 'ccxvi',
 'ccxvii',
 'ccxviii',
 'ccxix',
 'ccxx',
 'ccxxi',
 'ccxxii',
 'ccxxiii',
 'ccxxiv',
 'ccxxv',
 'ccxxvi',
 'ccxxvii',
 'ccxxviii',
 'ccxxix',
 'ccxxx',
 'ccxxxi',
 'ccxxxii',
 'ccxxxiii',
 'ccxxxiv',
 'ccxxxv',
 'ccxxxvi',
 'ccxxxvii',
 'ccxxxviii',
 'ccxxxix',
 'ccxl',
 'ccxli',
 'ccxlii',
 'ccxliii',
 'ccxliv',
 'ccxlv',
 'ccxlvi',
 'ccxlvii',
 'ccxlviii',
 'ccxlix',
 'ccl',
 'ccli',
 'cclii',
 'ccliii',
 'ccliv',
 'cclv',
 'cclvi',
 'cclvii',
 'cclviii',
 'cclix',
 'cclx',
 'cclxi',
 'cclxii',
 'cclxiii',
 'cclxiv',
 'cclxv',
 'cclxvi',
 'cclxvii',
 'cclxviii',
 'cclxix',
 'cclxx',
 'cclxxi',
 'cclxxii',
 'cclxxiii',
 'cclxxiv',
 'cclxxv',
 'cclxxvi',
 'cclxxvii',
 'cclxxviii',
 'cclxxix',
 'cclxxx',
 'cclxxxi',
 'cclxxxii',
 'cclxxxiii',
 'cclxxxiv',
 'cclxxxv',
 'cclxxxvi',
 'cclxxxvii',
 'cclxxxviii',
 'cclxxxix',
 'ccxc',
 'ccxci',
 'ccxcii',
 'ccxciii',
 'ccxciv',
 'ccxcv',
 'ccxcvi',
 'ccxcvii',
 'ccxcviii',
 'ccxcix']

In [11]:
from collections import defaultdict
from urllib.request import urlopen
import string
import numpy as np
import matplotlib.pyplot as plt


local = 'file:///Users/cemgil/Dropbox/Public/swe546/data/'
#local = 'https://dl.dropboxusercontent.com/u/9787379/swe546/data/'
#files = ['starwars_4.txt', 'starwars_5.txt', 'starwars_6.txt', 'hamlet.txt', 'hamlet_deutsch.txt', 'hamlet_french.txt', 'juliuscaesar.txt','othello.txt', 'sonnets.txt', 'antoniusandcleopatra.txt']
#files = ['war_and_peace.txt','juliuscaesar.txt','macbeth.txt',  'hamlet.txt','othello.txt','sonnets.txt', 'romeoandjuliet.txt']
files = ['juliuscaesar.txt','antoniusandcleopatra.txt', 'hamlet.txt','romeoandjuliet.txt', 'othello.txt','sonnets.txt','starwars_4.txt', 'starwars_5.txt','starwars_6.txt']

tokens = {}
dic = {}
tb = str.maketrans(".\t\n\r,,;-","        ", '0123456789!"\'\#$%&()*/:<=>?@[\\]^_`{|}~+')

for file_index in range(len(files)):
    f = files[file_index]
    url = local+f
    fp = urlopen(url) 

    for line in fp:
        for w in line.decode().translate(tb).lower().split():
            key = w.strip()
            if key not in stopwords:
                dic[key] = dic.setdefault(key,len(dic))
                key2 = (dic[key],file_index)
                tokens[key2] = tokens.setdefault(key2, 0) + 1
            

    fp.close()

inv_dic = {dic[k]: k for k in dic.keys()}
len(dic)


Out[11]:
14876

In [12]:
for i in range(len(inv_dic)):
    print(i,inv_dic[i])


0 act
1 scene
2 rome
3 street
4 enter
5 flavius
6 marullus
7 commoners
8 home
9 idle
10 creatures
11 holiday
12 mechanical
13 walk
14 labouring
15 day
16 sign
17 profession
18 speak
19 trade
20 art
21 thou
22 commoner
23 sir
24 carpenter
25 thy
26 leather
27 apron
28 rule
29 dost
30 apparel
31 respect
32 fine
33 workman
34 cobbler
35 answer
36 directly
37 hope
38 safe
39 conscience
40 mender
41 bad
42 soles
43 knave
44 naughty
45 nay
46 beseech
47 mend
48 meanest
49 saucy
50 fellow
51 cobble
52 live
53 awl
54 meddle
55 tradesmans
56 matters
57 womens
58 surgeon
59 shoes
60 great
61 danger
62 recover
63 proper
64 men
65 trod
66 neats
67 handiwork
68 wherefore
69 shop
70 today
71 lead
72 streets
73 wear
74 work
75 make
76 caesar
77 rejoice
78 triumph
79 conquest
80 brings
81 tributaries
82 follow
83 grace
84 captive
85 bonds
86 chariot
87 wheels
88 blocks
89 stones
90 worse
91 senseless
92 things
93 hard
94 hearts
95 cruel
96 knew
97 pompey
98 time
99 oft
100 climbd
101 walls
102 battlements
103 towers
104 windows
105 yea
106 chimney
107 tops
108 infants
109 arms
110 sat
111 livelong
112 patient
113 expectation
114 pass
115 made
116 universal
117 shout
118 tiber
119 trembled
120 underneath
121 banks
122 hear
123 replication
124 sounds
125 concave
126 shores
127 put
128 attire
129 cull
130 strew
131 flowers
132 pompeys
133 blood
134 run
135 houses
136 fall
137 knees
138 pray
139 gods
140 intermit
141 plague
142 light
143 ingratitude
144 good
145 countrymen
146 fault
147 assemble
148 poor
149 sort
150 draw
151 weep
152 tears
153 channel
154 till
155 lowest
156 stream
157 kiss
158 exalted
159 exeunt
160 basest
161 metal
162 moved
163 vanish
164 tongue
165 tied
166 guiltiness
167 capitol
168 disrobe
169 images
170 find
171 deckd
172 ceremonies
173 feast
174 lupercal
175 matter
176 hung
177 caesars
178 trophies
179 ill
180 drive
181 vulgar
182 perceive
183 thick
184 growing
185 feathers
186 pluckd
187 wing
188 fly
189 ordinary
190 pitch
191 soar
192 view
193 servile
194 fearfulness
195 public
196 place
197 flourish
198 antony
199 calpurnia
200 portia
201 decius
202 brutus
203 cicero
204 cassius
205 casca
206 crowd
207 soothsayer
208 peace
209 ho
210 speaks
211 lord
212 stand
213 antonius
214 doth
215 forget
216 speed
217 touch
218 elders
219 barren
220 touched
221 holy
222 chase
223 shake
224 sterile
225 curse
226 remember
227 performd
228 set
229 leave
230 ceremony
231 ha
232 calls
233 bid
234 noise
235 press
236 shriller
237 music
238 cry
239 turnd
240 beware
241 ides
242 march
243 man
244 bids
245 face
246 throng
247 sayst
248 dreamer
249 sennet
250 order
251 gamesome
252 lack
253 part
254 quick
255 spirit
256 hinder
257 desires
258 observe
259 late
260 eyes
261 gentleness
262 show
263 love
264 wont
265 bear
266 stubborn
267 strange
268 hand
269 friend
270 loves
271 deceived
272 veild
273 turn
274 trouble
275 countenance
276 vexed
277 passions
278 difference
279 conceptions
280 give
281 soil
282 behaviors
283 friends
284 grieved
285 number
286 construe
287 neglect
288 war
289 forgets
290 shows
291 mistook
292 passion
293 means
294 whereof
295 breast
296 mine
297 hath
298 buried
299 thoughts
300 worthy
301 cogitations
302 eye
303 sees
304 reflection
305 tis
306 lamented
307 mirrors
308 hidden
309 worthiness
310 shadow
311 heard
312 immortal
313 speaking
314 groaning
315 ages
316 yoke
317 wishd
318 noble
319 dangers
320 seek
321 prepared
322 glass
323 modestly
324 discover
325 jealous
326 gentle
327 common
328 laugher
329 stale
330 oaths
331 protester
332 fawn
333 hug
334 scandal
335 profess
336 banqueting
337 rout
338 hold
339 dangerous
340 shouting
341 fear
342 people
343 choose
344 king
345 ay
346 long
347 impart
348 aught
349 general
350 honour
351 death
352 indifferently
353 virtue
354 outward
355 favour
356 subject
357 story
358 life
359 single
360 lief
361 awe
362 thing
363 born
364 free
365 fed
366 endure
367 winters
368 cold
369 raw
370 gusty
371 troubled
372 chafing
373 darest
374 leap
375 angry
376 flood
377 swim
378 yonder
379 point
380 word
381 accoutred
382 plunged
383 bade
384 torrent
385 roard
386 buffet
387 lusty
388 sinews
389 throwing
390 stemming
391 controversy
392 ere
393 arrive
394 proposed
395 cried
396 sink
397 aeneas
398 ancestor
399 flames
400 troy
401 shoulder
402 anchises
403 waves
404 tired
405 god
406 wretched
407 creature
408 bend
409 body
410 carelessly
411 nod
412 fever
413 spain
414 fit
415 mark
416 true
417 coward
418 lips
419 colour
420 world
421 lose
422 lustre
423 groan
424 romans
425 write
426 speeches
427 books
428 alas
429 drink
430 titinius
431 sick
432 girl
433 ye
434 amaze
435 feeble
436 temper
437 start
438 majestic
439 palm
440 applauses
441 honours
442 heapd
443 bestride
444 narrow
445 colossus
446 petty
447 huge
448 legs
449 peep
450 dishonourable
451 graves
452 masters
453 fates
454 dear
455 stars
456 underlings
457 sounded
458 fair
459 sound
460 mouth
461 weigh
462 heavy
463 conjure
464 em
465 names
466 meat
467 feed
468 grown
469 age
470 shamed
471 hast
472 lost
473 breed
474 bloods
475 famed
476 talkd
477 wide
478 encompassd
479 room
480 fathers
481 brookd
482 eternal
483 devil
484 state
485 easily
486 aim
487 thought
488 times
489 recount
490 present
491 entreat
492 patience
493 meet
494 high
495 chew
496 villager
497 repute
498 son
499 conditions
500 lay
501 glad
502 weak
503 words
504 struck
505 fire
506 games
507 returning
508 pluck
509 sleeve
510 sour
511 fashion
512 proceeded
513 note
514 train
515 spot
516 glow
517 brow
518 rest
519 chidden
520 calpurnias
521 cheek
522 pale
523 ferret
524 fiery
525 crossd
526 conference
527 senators
528 fat
529 sleek
530 headed
531 sleep
532 nights
533 yond
534 lean
535 hungry
536 thinks
537 hes
538 roman
539 fatter
540 liable
541 avoid
542 spare
543 reads
544 observer
545 deeds
546 plays
547 hears
548 seldom
549 smiles
550 mockd
551 scornd
552 smile
553 ease
554 whiles
555 behold
556 greater
557 thee
558 feard
559 ear
560 deaf
561 thinkst
562 pulld
563 cloak
564 chanced
565 sad
566 crown
567 offered
568 back
569 fell
570 shouted
571 thrice
572 marry
573 wast
574 gentler
575 putting
576 honest
577 neighbours
578 manner
579 hanged
580 mere
581 foolery
582 offer
583 twas
584 coronets
585 told
586 thinking
587 fain
588 loath
589 fingers
590 refused
591 rabblement
592 hooted
593 clapped
594 chapped
595 hands
596 threw
597 sweaty
598 night
599 caps
600 uttered
601 deal
602 stinking
603 breath
604 choked
605 swounded
606 durst
607 laugh
608 opening
609 receiving
610 air
611 soft
612 swound
613 market
614 foamed
615 speechless
616 failing
617 sickness
618 falling
619 tag
620 rag
621 clap
622 hiss
623 pleased
624 displeased
625 players
626 theatre
627 perceived
628 herd
629 plucked
630 ope
631 doublet
632 throat
633 cut
634 occupation
635 hell
636 rogues
637 amiss
638 desired
639 worships
640 infirmity
641 wenches
642 stood
643 soul
644 forgave
645 heed
646 stabbed
647 mothers
648 spoke
649 greek
650 effect
651 neer
652 understood
653 smiled
654 shook
655 heads
656 news
657 pulling
658 scarfs
659 silence
660 fare
661 promised
662 dine
663 morrow
664 alive
665 mind
666 dinner
667 worth
668 eating
669 expect
670 farewell
671 exit
672 blunt
673 mettle
674 school
675 execution
676 bold
677 enterprise
678 puts
679 tardy
680 form
681 rudeness
682 sauce
683 wit
684 stomach
685 digest
686 appetite
687 wait
688 honourable
689 wrought
690 disposed
691 minds
692 likes
693 firm
694 seduced
695 humour
696 throw
697 citizens
698 writings
699 tending
700 opinion
701 holds
702 obscurely
703 ambition
704 glanced
705 seat
706 days
707 thunder
708 lightning
709 opposite
710 sides
711 sword
712 drawn
713 brought
714 breathless
715 stare
716 sway
717 earth
718 shakes
719 unfirm
720 tempests
721 scolding
722 winds
723 rived
724 knotty
725 oaks
726 ambitious
727 ocean
728 swell
729 rage
730 foam
731 threatening
732 clouds
733 tempest
734 dropping
735 civil
736 strife
737 heaven
738 incenses
739 send
740 destruction
741 wonderful
742 slave
743 sight
744 held
745 left
746 flame
747 burn
748 twenty
749 torches
750 joind
751 remaind
752 unscorchd
753 met
754 lion
755 glared
756 surly
757 annoying
758 heap
759 hundred
760 ghastly
761 women
762 transformed
763 swore
764 yesterday
765 bird
766 sit
767 noon
768 hooting
769 shrieking
770 prodigies
771 conjointly
772 reasons
773 natural
774 portentous
775 climate
776 clean
777 purpose
778 disturbed
779 sky
780 whos
781 voice
782 pleasing
783 heavens
784 menace
785 full
786 faults
787 walkd
788 submitting
789 perilous
790 unbraced
791 bared
792 bosom
793 stone
794 cross
795 blue
796 seemd
797 open
798 flash
799 tempt
800 tremble
801 mighty
802 tokens
803 dreadful
804 heralds
805 astonish
806 dull
807 sparks
808 gaze
809 cast
810 impatience
811 fires
812 gliding
813 ghosts
814 birds
815 beasts
816 quality
817 kind
818 fool
819 children
820 calculate
821 change
822 ordinance
823 natures
824 preformed
825 faculties
826 monstrous
827 infused
828 spirits
829 instruments
830 warning
831 thunders
832 lightens
833 opens
834 roars
835 mightier
836 thyself
837 personal
838 action
839 prodigious
840 fearful
841 eruptions
842 thews
843 limbs
844 ancestors
845 woe
846 dead
847 governd
848 sufferance
849 womanish
850 tomorrow
851 establish
852 sea
853 land
854 save
855 italy
856 dagger
857 bondage
858 deliver
859 strong
860 tyrants
861 defeat
862 stony
863 tower
864 beaten
865 brass
866 airless
867 dungeon
868 links
869 iron
870 retentive
871 strength
872 weary
873 worldly
874 bars
875 lacks
876 power
877 dismiss
878 tyranny
879 pleasure
880 bondman
881 bears
882 cancel
883 captivity
884 tyrant
885 wolf
886 sheep
887 hinds
888 haste
889 begin
890 straws
891 trash
892 rubbish
893 offal
894 serves
895 base
896 illuminate
897 vile
898 grief
899 led
900 armd
901 indifferent
902 fleering
903 tale
904 factious
905 redress
906 griefs
907 foot
908 farthest
909 bargain
910 noblest
911 minded
912 undergo
913 consequence
914 stay
915 porch
916 stir
917 walking
918 complexion
919 element
920 favours
921 bloody
922 terrible
923 close
924 awhile
925 cinna
926 gait
927 metellus
928 cimber
929 incorporate
930 attempts
931 stayd
932 sights
933 win
934 party
935 content
936 paper
937 praetors
938 chair
939 window
940 wax
941 statue
942 repair
943 trebonius
944 house
945 hie
946 bestow
947 papers
948 parts
949 entire
950 encounter
951 yields
952 sits
953 peoples
954 offence
955 richest
956 alchemy
957 conceited
958 midnight
959 awake
960 brutuss
961 orchard
962 lucius
963 progress
964 guess
965 soundly
966 calld
967 taper
968 study
969 lighted
970 call
971 spurn
972 crownd
973 nature
974 question
975 bright
976 adder
977 craves
978 wary
979 grant
980 sting
981 abuse
982 greatness
983 disjoins
984 remorse
985 truth
986 affections
987 swayd
988 reason
989 proof
990 lowliness
991 young
992 ambitions
993 ladder
994 whereto
995 climber
996 upward
997 turns
998 attains
999 upmost
1000 round
1001 scorning
1002 degrees
1003 ascend
1004 prevent
1005 quarrel
1006 augmented
1007 extremities
1008 serpents
1009 egg
1010 hatchd
1011 grow
1012 mischievous
1013 kill
1014 shell
1015 burneth
1016 closet
1017 searching
1018 flint
1019 found
1020 seald
1021 lie
1022 bed
1023 letter
1024 boy
1025 calendar
1026 bring
1027 exhalations
1028 whizzing
1029 read
1030 sleepst
1031 strike
1032 instigations
1033 droppd
1034 piece
1035 mans
1036 tarquin
1037 entreated
1038 promise
1039 receivest
1040 petition
1041 wasted
1042 fourteen
1043 knocking
1044 gate
1045 knocks
1046 whet
1047 slept
1048 acting
1049 motion
1050 interim
1051 phantasma
1052 hideous
1053 dream
1054 genius
1055 mortal
1056 council
1057 kingdom
1058 suffers
1059 insurrection
1060 brother
1061 door
1062 desire
1063 moe
1064 hats
1065 ears
1066 half
1067 faces
1068 cloaks
1069 faction
1070 conspiracy
1071 shamest
1072 evils
1073 wilt
1074 cavern
1075 dark
1076 mask
1077 visage
1078 hide
1079 affability
1080 path
1081 native
1082 semblance
1083 erebus
1084 dim
1085 prevention
1086 conspirators
1087 hour
1088 watchful
1089 cares
1090 interpose
1091 betwixt
1092 whisper
1093 lies
1094 east
1095 break
1096 pardon
1097 yon
1098 gray
1099 lines
1100 fret
1101 messengers
1102 confess
1103 sun
1104 arises
1105 south
1106 weighing
1107 youthful
1108 season
1109 year
1110 months
1111 higher
1112 north
1113 presents
1114 stands
1115 swear
1116 resolution
1117 oath
1118 souls
1119 motives
1120 betimes
1121 sighted
1122 range
1123 drop
1124 lottery
1125 kindle
1126 cowards
1127 steel
1128 valour
1129 melting
1130 spur
1131 prick
1132 bond
1133 secret
1134 palter
1135 honesty
1136 engaged
1137 priests
1138 cautelous
1139 carrions
1140 suffering
1141 wrongs
1142 doubt
1143 stain
1144 insuppressive
1145 performance
1146 nobly
1147 guilty
1148 bastardy
1149 smallest
1150 particle
1151 passd
1152 silver
1153 hairs
1154 purchase
1155 buy
1156 mens
1157 voices
1158 commend
1159 judgment
1160 ruled
1161 youths
1162 wildness
1163 whit
1164 gravity
1165 touchd
1166 urged
1167 beloved
1168 outlive
1169 shrewd
1170 contriver
1171 improve
1172 stretch
1173 annoy
1174 caius
1175 head
1176 hack
1177 wrath
1178 envy
1179 limb
1180 sacrificers
1181 butchers
1182 dismember
1183 bleed
1184 lets
1185 boldly
1186 wrathfully
1187 carve
1188 dish
1189 hew
1190 carcass
1191 hounds
1192 subtle
1193 servants
1194 chide
1195 envious
1196 appearing
1197 purgers
1198 murderers
1199 arm
1200 ingrafted
1201 die
1202 sports
1203 company
1204 clock
1205 strikes
1206 count
1207 stricken
1208 doubtful
1209 superstitious
1210 main
1211 fantasy
1212 dreams
1213 apparent
1214 unaccustomd
1215 terror
1216 persuasion
1217 augurers
1218 resolved
1219 oersway
1220 unicorns
1221 betrayd
1222 trees
1223 glasses
1224 elephants
1225 holes
1226 lions
1227 toils
1228 flatterers
1229 hates
1230 flattered
1231 bent
1232 fetch
1233 eighth
1234 uttermost
1235 fail
1236 ligarius
1237 rated
1238 morning
1239 disperse
1240 gentlemen
1241 fresh
1242 merrily
1243 purposes
1244 actors
1245 untired
1246 formal
1247 constancy
1248 fast
1249 asleep
1250 enjoy
1251 honey
1252 dew
1253 slumber
1254 figures
1255 fantasies
1256 busy
1257 care
1258 draws
1259 brains
1260 rise
1261 health
1262 commit
1263 condition
1264 youve
1265 ungently
1266 stole
1267 yesternight
1268 supper
1269 suddenly
1270 arose
1271 musing
1272 sighing
1273 askd
1274 stared
1275 ungentle
1276 scratchd
1277 impatiently
1278 stampd
1279 insisted
1280 answerd
1281 wafture
1282 gave
1283 fearing
1284 strengthen
1285 enkindled
1286 withal
1287 hoping
1288 eat
1289 talk
1290 shape
1291 prevaild
1292 acquainted
1293 wise
1294 embrace
1295 physical
1296 suck
1297 humours
1298 dank
1299 steal
1300 wholesome
1301 dare
1302 contagion
1303 rheumy
1304 unpurged
1305 add
1306 charm
1307 commended
1308 beauty
1309 vows
1310 vow
1311 unfold
1312 resort
1313 darkness
1314 kneel
1315 marriage
1316 excepted
1317 secrets
1318 appertain
1319 limitation
1320 meals
1321 comfort
1322 dwell
1323 suburbs
1324 harlot
1325 wife
1326 ruddy
1327 drops
1328 visit
1329 heart
1330 woman
1331 reputed
1332 catos
1333 daughter
1334 stronger
1335 sex
1336 fatherd
1337 husbanded
1338 counsels
1339 disclose
1340 giving
1341 voluntary
1342 wound
1343 thigh
1344 husbands
1345 render
1346 hark
1347 partake
1348 engagements
1349 charactery
1350 brows
1351 spake
1352 vouchsafe
1353 chose
1354 brave
1355 kerchief
1356 exploit
1357 healthful
1358 bow
1359 discard
1360 derived
1361 loins
1362 exorcist
1363 conjured
1364 mortified
1365 strive
1366 impossible
1367 whats
1368 fired
1369 sufficeth
1370 leads
1371 gown
1372 murder
1373 servant
1374 sacrifice
1375 opinions
1376 success
1377 threatend
1378 lookd
1379 vanished
1380 fright
1381 recounts
1382 horrid
1383 watch
1384 lioness
1385 whelped
1386 yawnd
1387 yielded
1388 fierce
1389 warriors
1390 fought
1391 ranks
1392 squadrons
1393 drizzled
1394 battle
1395 hurtled
1396 horses
1397 neigh
1398 dying
1399 shriek
1400 squeal
1401 avoided
1402 end
1403 purposed
1404 predictions
1405 beggars
1406 comets
1407 blaze
1408 princes
1409 deaths
1410 valiant
1411 taste
1412 wonders
1413 plucking
1414 entrails
1415 offering
1416 beast
1417 shame
1418 cowardice
1419 litterd
1420 elder
1421 wisdom
1422 consumed
1423 confidence
1424 senate
1425 knee
1426 prevail
1427 heres
1428 hail
1429 happy
1430 greeting
1431 false
1432 falser
1433 stretchd
1434 afraid
1435 graybeards
1436 laughd
1437 satisfy
1438 private
1439 satisfaction
1440 stays
1441 dreamt
1442 statua
1443 fountain
1444 spouts
1445 pure
1446 smiling
1447 bathe
1448 apply
1449 warnings
1450 portents
1451 imminent
1452 beggd
1453 interpreted
1454 vision
1455 fortunate
1456 spouting
1457 pipes
1458 bathed
1459 signifies
1460 reviving
1461 tinctures
1462 stains
1463 relics
1464 cognizance
1465 signified
1466 expounded
1467 concluded
1468 mock
1469 apt
1470 renderd
1471 lo
1472 proceeding
1473 foolish
1474 fears
1475 ashamed
1476 yield
1477 robe
1478 publius
1479 stirrd
1480 early
1481 enemy
1482 ague
1483 oclock
1484 strucken
1485 pains
1486 courtesy
1487 revels
1488 notwithstanding
1489 prepare
1490 blame
1491 waited
1492 hours
1493 store
1494 wine
1495 straightway
1496 yearns
1497 artemidorus
1498 reading
1499 trust
1500 wronged
1501 beest
1502 security
1503 defend
1504 lover
1505 suitor
1506 laments
1507 teeth
1508 emulation
1509 mayst
1510 traitors
1511 contrive
1512 prithee
1513 errand
1514 madam
1515 shouldst
1516 side
1517 mountain
1518 tween
1519 womans
1520 counsel
1521 return
1522 sickly
1523 suitors
1524 listen
1525 bustling
1526 rumour
1527 fray
1528 wind
1529 sooth
1530 lady
1531 ist
1532 ninth
1533 suit
1534 befriend
1535 knowst
1536 harms
1537 intended
1538 chance
1539 heels
1540 void
1541 thine
1542 faint
1543 merry
1544 severally
1545 sitting
1546 lepidus
1547 popilius
1548 schedule
1549 oerread
1550 leisure
1551 humble
1552 mines
1553 touches
1554 nearer
1555 ourself
1556 served
1557 delay
1558 instantly
1559 mad
1560 sirrah
1561 urge
1562 petitions
1563 thrive
1564 advances
1565 lena
1566 discovered
1567 makes
1568 sudden
1569 slay
1570 constant
1571 presently
1572 prefer
1573 addressd
1574 rears
1575 ready
1576 puissant
1577 throws
1578 kneeling
1579 couchings
1580 lowly
1581 courtesies
1582 pre
1583 decree
1584 law
1585 fond
1586 rebel
1587 thawd
1588 melteth
1589 fools
1590 sweet
1591 low
1592 crooked
1593 courtsies
1594 spaniel
1595 fawning
1596 banished
1597 cur
1598 wrong
1599 satisfied
1600 sweetly
1601 repealing
1602 banishd
1603 flattery
1604 desiring
1605 freedom
1606 repeal
1607 beg
1608 enfranchisement
1609 move
1610 prayers
1611 northern
1612 star
1613 fixd
1614 resting
1615 firmament
1616 skies
1617 painted
1618 unnumberd
1619 shine
1620 furnishd
1621 flesh
1622 apprehensive
1623 unassailable
1624 rank
1625 unshaked
1626 remain
1627 lift
1628 olympus
1629 bootless
1630 stab
1631 tu
1632 brute
1633 dies
1634 liberty
1635 proclaim
1636 pulpits
1637 affrighted
1638 stiff
1639 debt
1640 paid
1641 pulpit
1642 wheres
1643 confounded
1644 mutiny
1645 standing
1646 cheer
1647 harm
1648 person
1649 rushing
1650 mischief
1651 abide
1652 deed
1653 doers
1654 fled
1655 amazed
1656 wives
1657 doomsday
1658 pleasures
1659 drawing
1660 cuts
1661 years
1662 benefit
1663 abridged
1664 stoop
1665 elbows
1666 besmear
1667 swords
1668 waving
1669 red
1670 weapons
1671 oer
1672 wash
1673 lofty
1674 acted
1675 states
1676 unborn
1677 accents
1678 unknown
1679 sport
1680 basis
1681 worthier
1682 dust
1683 knot
1684 country
1685 boldest
1686 antonys
1687 master
1688 prostrate
1689 royal
1690 loving
1691 honourd
1692 loved
1693 safely
1694 deserved
1695 living
1696 fortunes
1697 affairs
1698 hazards
1699 untrod
1700 faith
1701 depart
1702 untouchd
1703 misgiving
1704 falls
1705 shrewdly
1706 conquests
1707 glories
1708 triumphs
1709 spoils
1710 shrunk
1711 measure
1712 intend
1713 instrument
1714 rich
1715 whilst
1716 purpled
1717 reek
1718 smoke
1719 fulfil
1720 thousand
1721 choice
1722 bleeding
1723 business
1724 pitiful
1725 pity
1726 drives
1727 leaden
1728 points
1729 malice
1730 brothers
1731 receive
1732 reverence
1733 disposing
1734 dignities
1735 appeased
1736 multitude
1737 marcus
1738 credit
1739 slippery
1740 ground
1741 ways
1742 conceit
1743 flatterer
1744 grieve
1745 dearer
1746 anthony
1747 making
1748 shaking
1749 foes
1750 presence
1751 corse
1752 wounds
1753 weeping
1754 terms
1755 friendship
1756 enemies
1757 julius
1758 bayd
1759 hart
1760 didst
1761 hunters
1762 signd
1763 spoil
1764 crimsond
1765 lethe
1766 forest
1767 deer
1768 modesty
1769 praising
1770 compact
1771 prickd
1772 depend
1773 savage
1774 spectacle
1775 regard
1776 produce
1777 funeral
1778 consent
1779 utter
1780 protest
1781 permission
1782 contented
1783 rites
1784 lawful
1785 advantage
1786 speech
1787 devise
1788 dot
1789 ended
1790 meek
1791 ruins
1792 lived
1793 tide
1794 shed
1795 costly
1796 prophesy
1797 dumb
1798 mouths
1799 ruby
1800 utterance
1801 domestic
1802 fury
1803 cumber
1804 objects
1805 familiar
1806 quarterd
1807 custom
1808 ranging
1809 revenge
1810 ate
1811 hot
1812 confines
1813 monarchs
1814 havoc
1815 slip
1816 dogs
1817 foul
1818 smell
1819 carrion
1820 burial
1821 serve
1822 octavius
1823 letters
1824 coming
1825 big
1826 catching
1827 beads
1828 sorrow
1829 began
1830 water
1831 leagues
1832 post
1833 mourning
1834 safety
1835 shalt
1836 borne
1837 oration
1838 issue
1839 discourse
1840 lend
1841 forum
1842 audience
1843 numbers
1844 rendered
1845 citizen
1846 compare
1847 ascended
1848 lovers
1849 silent
1850 censure
1851 senses
1852 judge
1853 assembly
1854 demand
1855 rose
1856 slaves
1857 slew
1858 joy
1859 fortune
1860 offended
1861 rude
1862 pause
1863 reply
1864 enrolled
1865 glory
1866 extenuated
1867 offences
1868 enforced
1869 suffered
1870 mourned
1871 commonwealth
1872 fourth
1873 shouts
1874 clamours
1875 sake
1876 corpse
1877 allowd
1878 beholding
1879 finds
1880 twere
1881 blest
1882 rid
1883 bury
1884 praise
1885 evil
1886 lives
1887 interred
1888 bones
1889 grievous
1890 grievously
1891 faithful
1892 captives
1893 ransoms
1894 coffers
1895 fill
1896 wept
1897 sterner
1898 stuff
1899 presented
1900 kingly
1901 refuse
1902 disprove
1903 withholds
1904 mourn
1905 brutish
1906 coffin
1907 methinks
1908 sayings
1909 rightly
1910 markd
1911 nobler
1912 begins
1913 parchment
1914 seal
1915 commons
1916 testament
1917 dip
1918 napkins
1919 sacred
1920 hair
1921 memory
1922 mention
1923 wills
1924 bequeathing
1925 legacy
1926 wood
1927 bearing
1928 inflame
1929 heirs
1930 oershot
1931 daggers
1932 stabbd
1933 villains
1934 compel
1935 ring
1936 descend
1937 hearse
1938 mantle
1939 summers
1940 evening
1941 tent
1942 overcame
1943 nervii
1944 ran
1945 rent
1946 cursed
1947 followd
1948 doors
1949 unkindly
1950 knockd
1951 angel
1952 dearly
1953 unkindest
1954 vanquishd
1955 burst
1956 muffling
1957 treason
1958 flourishd
1959 feel
1960 dint
1961 gracious
1962 vesture
1963 wounded
1964 marrd
1965 piteous
1966 woful
1967 revenged
1968 traitor
1969 orator
1970 plain
1971 ruffle
1972 forgot
1973 seventy
1974 drachmas
1975 walks
1976 arbours
1977 planted
1978 orchards
1979 abroad
1980 recreate
1981 brands
1982 benches
1983 forms
1984 afoot
1985 thither
1986 straight
1987 mood
1988 madmen
1989 gates
1990 belike
1991 notice
1992 poet
1993 unlucky
1994 charge
1995 wander
1996 married
1997 bachelor
1998 briefly
1999 wisely
2000 youll
2001 bang
2002 proceed
2003 answered
2004 dwelling
2005 tear
2006 pieces
2007 conspirator
2008 verses
2009 cascas
2010 seated
2011 table
2012 sisters
2013 damn
2014 determine
2015 legacies
2016 slight
2017 unmeritable
2018 errands
2019 fold
2020 divided
2021 share
2022 black
2023 sentence
2024 proscription
2025 divers
2026 slanderous
2027 loads
2028 ass
2029 gold
2030 sweat
2031 driven
2032 treasure
2033 load
2034 empty
2035 graze
2036 soldier
2037 horse
2038 appoint
2039 provender
2040 teach
2041 fight
2042 stop
2043 corporal
2044 taught
2045 traind
2046 spirited
2047 feeds
2048 abjects
2049 orts
2050 imitations
2051 staled
2052 property
2053 levying
2054 powers
2055 alliance
2056 combined
2057 covert
2058 disclosed
2059 perils
2060 surest
2061 stake
2062 millions
2063 mischiefs
2064 camp
2065 sardis
2066 drum
2067 lucilius
2068 soldiers
2069 pindarus
2070 meeting
2071 salutation
2072 greets
2073 officers
2074 undone
2075 doubted
2076 received
2077 instances
2078 friendly
2079 cooling
2080 sicken
2081 decay
2082 useth
2083 tricks
2084 simple
2085 hollow
2086 gallant
2087 crests
2088 deceitful
2089 jades
2090 trial
2091 army
2092 arrived
2093 gently
2094 sober
2095 hides
2096 softly
2097 armies
2098 wrangle
2099 enlarge
2100 commanders
2101 charges
2102 guard
2103 wrongd
2104 condemnd
2105 noted
2106 pella
2107 taking
2108 bribes
2109 sardians
2110 praying
2111 slighted
2112 case
2113 nice
2114 comment
2115 itching
2116 sell
2117 mart
2118 offices
2119 undeservers
2120 corruption
2121 chastisement
2122 justice
2123 villain
2124 foremost
2125 supporting
2126 robbers
2127 contaminate
2128 space
2129 large
2130 grasped
2131 dog
2132 bay
2133 moon
2134 hedge
2135 older
2136 practise
2137 abler
2138 rash
2139 choler
2140 frighted
2141 madman
2142 stares
2143 proud
2144 choleric
2145 bondmen
2146 budge
2147 crouch
2148 testy
2149 venom
2150 spleen
2151 split
2152 mirth
2153 laughter
2154 waspish
2155 vaunting
2156 learn
2157 tempted
2158 presume
2159 threats
2160 sums
2161 denied
2162 raise
2163 money
2164 coin
2165 wring
2166 peasants
2167 indirection
2168 pay
2169 legions
2170 grows
2171 covetous
2172 lock
2173 rascal
2174 counters
2175 thunderbolts
2176 dash
2177 infirmities
2178 aweary
2179 hated
2180 braved
2181 chequed
2182 observed
2183 book
2184 learnd
2185 connd
2186 rote
2187 naked
2188 plutus
2189 richer
2190 hate
2191 worst
2192 lovedst
2193 sheathe
2194 scope
2195 dishonour
2196 yoked
2197 lamb
2198 carries
2199 anger
2200 hasty
2201 spark
2202 temperd
2203 vexeth
2204 mother
2205 forgetful
2206 henceforth
2207 earnest
2208 chides
2209 generals
2210 grudge
2211 im
2212 vilely
2213 cynic
2214 rhyme
2215 wars
2216 jigging
2217 companion
2218 lodge
2219 companies
2220 messala
2221 immediately
2222 bowl
2223 philosophy
2224 accidental
2225 scaped
2226 killing
2227 insupportable
2228 touching
2229 loss
2230 impatient
2231 absence
2232 tidings
2233 distract
2234 attendants
2235 absent
2236 swallowd
2237 died
2238 unkindness
2239 thirsty
2240 pledge
2241 oerswell
2242 cup
2243 necessities
2244 bending
2245 expedition
2246 philippi
2247 selfsame
2248 tenor
2249 addition
2250 bills
2251 outlawry
2252 agree
2253 proscriptions
2254 writ
2255 meditating
2256 losses
2257 marching
2258 waste
2259 lying
2260 defense
2261 nimbleness
2262 force
2263 twixt
2264 forced
2265 affection
2266 grudged
2267 contribution
2268 fuller
2269 refreshd
2270 added
2271 encouraged
2272 utmost
2273 brim
2274 ripe
2275 increaseth
2276 height
2277 decline
2278 omitted
2279 voyage
2280 bound
2281 shallows
2282 miseries
2283 afloat
2284 current
2285 ventures
2286 deep
2287 crept
2288 obey
2289 necessity
2290 niggard
2291 repose
2292 beginning
2293 division
2294 speakst
2295 drowsily
2296 watchd
2297 claudius
2298 cushions
2299 varro
2300 sirs
2301 bethink
2302 sought
2303 pocket
2304 lordship
2305 canst
2306 strain
2307 ant
2308 duty
2309 past
2310 song
2311 sleepy
2312 tune
2313 murderous
2314 layst
2315 mace
2316 wake
2317 breakst
2318 leaf
2319 ghost
2320 burns
2321 weakness
2322 shapes
2323 apparition
2324 makest
2325 comest
2326 vanishest
2327 strings
2328 criedst
2329 plains
2330 hopes
2331 hills
2332 upper
2333 regions
2334 proves
2335 battles
2336 warn
2337 answering
2338 tut
2339 bosoms
2340 places
2341 bravery
2342 fasten
2343 courage
2344 messenger
2345 field
2346 exigent
2347 parley
2348 signal
2349 blows
2350 strokes
2351 witness
2352 hole
2353 crying
2354 posture
2355 rob
2356 hybla
2357 bees
2358 honeyless
2359 stingless
2360 soundless
2361 stoln
2362 buzzing
2363 threat
2364 hackd
2365 showd
2366 apes
2367 fawnd
2368 bowd
2369 kissing
2370 feet
2371 damned
2372 neck
2373 arguing
2374 redder
2375 thirty
2376 avenged
2377 slaughter
2378 bringst
2379 wert
2380 couldst
2381 peevish
2382 schoolboy
2383 worthless
2384 masker
2385 reveller
2386 defiance
2387 hurl
2388 stomachs
2389 blow
2390 billow
2391 bark
2392 storm
2393 hazard
2394 converse
2395 birth
2396 compelld
2397 liberties
2398 epicurus
2399 partly
2400 presage
2401 ensign
2402 eagles
2403 perchd
2404 gorging
2405 feeding
2406 consorted
2407 steads
2408 ravens
2409 crows
2410 kites
2411 downward
2412 prey
2413 shadows
2414 canopy
2415 fatal
2416 constantly
2417 incertain
2418 befall
2419 determined
2420 cato
2421 cowardly
2422 arming
2423 providence
2424 govern
2425 begun
2426 everlasting
2427 parting
2428 alarum
2429 ride
2430 loud
2431 demeanor
2432 push
2433 overthrow
2434 alarums
2435 turning
2436 eagerly
2437 enclosed
2438 tents
2439 hill
2440 lovest
2441 mount
2442 spurs
2443 troops
2444 assured
2445 notest
2446 ascends
2447 breathed
2448 compass
2449 horsemen
2450 lights
2451 taen
2452 descends
2453 parthia
2454 prisoner
2455 saving
2456 whatsoever
2457 attempt
2458 freeman
2459 bowels
2460 search
2461 hilts
2462 coverd
2463 guide
2464 stabs
2465 killd
2466 overthrown
2467 disconsolate
2468 setting
2469 rays
2470 dews
2471 mistrust
2472 hateful
2473 error
2474 melancholys
2475 child
2476 conceived
2477 killst
2478 engenderd
2479 thrusting
2480 report
2481 piercing
2482 darts
2483 envenomed
2484 wreath
2485 victory
2486 misconstrued
2487 garland
2488 bidding
2489 apace
2490 regarded
2491 kills
2492 strato
2493 volumnius
2494 slain
2495 owe
2496 thasos
2497 funerals
2498 discomfort
2499 labeo
2500 fighting
2501 bastard
2502 foe
2503 countrys
2504 diest
2505 bravely
2506 assure
2507 prize
2508 kindness
2509 dardanius
2510 clitus
2511 remains
2512 rock
2513 statilius
2514 torch
2515 slaying
2516 whispers
2517 request
2518 meditates
2519 vessel
2520 runs
2521 list
2522 appeard
2523 fields
2524 seest
2525 beat
2526 pit
2527 tarry
2528 office
2529 tarrying
2530 losing
2531 attain
2532 lifes
2533 history
2534 hangs
2535 labourd
2536 smatch
2537 retreat
2538 conquerors
2539 proved
2540 entertain
2541 latest
2542 service
2543 elements
2544 mixd
2545 orderd
2546 honourably
2547 alexandria
2548 cleopatras
2549 palace
2550 demetrius
2551 philo
2552 dotage
2553 oerflows
2554 goodly
2555 files
2556 musters
2557 glowd
2558 plated
2559 mars
2560 devotion
2561 tawny
2562 front
2563 captains
2564 scuffles
2565 fights
2566 buckles
2567 reneges
2568 bellows
2569 fan
2570 cool
2571 gipsys
2572 lust
2573 cleopatra
2574 ladies
2575 eunuchs
2576 fanning
2577 triple
2578 pillar
2579 transformd
2580 strumpets
2581 beggary
2582 reckond
2583 bourn
2584 attendant
2585 grates
2586 sum
2587 fulvia
2588 perchance
2589 scarce
2590 bearded
2591 powerful
2592 mandate
2593 enfranchise
2594 perform
2595 longer
2596 dismission
2597 fulvias
2598 process
2599 egypts
2600 queen
2601 blushest
2602 homager
2603 pays
2604 shrill
2605 tongued
2606 scolds
2607 melt
2608 arch
2609 ranged
2610 empire
2611 kingdoms
2612 clay
2613 dungy
2614 alike
2615 nobleness
2616 mutual
2617 pair
2618 embracing
2619 twain
2620 bind
2621 pain
2622 punishment
2623 weet
2624 peerless
2625 excellent
2626 falsehood
2627 confound
2628 harsh
2629 minute
2630 tonight
2631 ambassadors
2632 fie
2633 wrangling
2634 fully
2635 strives
2636 admired
2637 qualities
2638 prized
2639 short
2640 approves
2641 liar
2642 charmian
2643 iras
2644 alexas
2645 absolute
2646 praised
2647 husband
2648 horns
2649 garlands
2650 infinite
2651 secrecy
2652 domitius
2653 enobarbus
2654 banquet
2655 quickly
2656 foresee
2657 fairer
2658 paint
2659 wrinkles
2660 forbid
2661 vex
2662 prescience
2663 attentive
2664 hush
2665 beloving
2666 heat
2667 liver
2668 drinking
2669 kings
2670 forenoon
2671 widow
2672 fifty
2673 herod
2674 jewry
2675 homage
2676 mistress
2677 figs
2678 approach
2679 boys
2680 wishes
2681 womb
2682 fertile
2683 million
2684 forgive
2685 witch
2686 sheets
2687 privy
2688 drunk
2689 presages
2690 chastity
2691 een
2692 oerflowing
2693 nilus
2694 presageth
2695 famine
2696 wild
2697 bedfellow
2698 soothsay
2699 oily
2700 fruitful
2701 prognostication
2702 scratch
2703 worky
2704 particulars
2705 inch
2706 nose
2707 worser
2708 isis
2709 laughing
2710 grave
2711 cuckold
2712 prayer
2713 deny
2714 weight
2715 amen
2716 goddess
2717 heartbreaking
2718 handsome
2719 loose
2720 wived
2721 deadly
2722 uncuckolded
2723 decorum
2724 whores
2725 theyld
2726 approaches
2727 joining
2728 gainst
2729 drave
2730 infects
2731 teller
2732 concerns
2733 tells
2734 flatterd
2735 labienus
2736 parthian
2737 extended
2738 asia
2739 euphrates
2740 conquering
2741 banner
2742 syria
2743 lydia
2744 ionia
2745 wouldst
2746 mince
2747 rail
2748 phrase
2749 taunt
2750 licence
2751 weeds
2752 ills
2753 earing
2754 sicyon
2755 egyptian
2756 fetters
2757 length
2758 importeth
2759 forbear
2760 contempt
2761 revolution
2762 lowering
2763 shes
2764 shoved
2765 enchanting
2766 ten
2767 idleness
2768 hatch
2769 suffer
2770 departure
2771 compelling
2772 occasion
2773 esteemed
2774 poorer
2775 moment
2776 commits
2777 celerity
2778 cunning
2779 alack
2780 finest
2781 waters
2782 sighs
2783 storms
2784 almanacs
2785 shower
2786 rain
2787 jove
2788 unseen
2789 discredited
2790 travel
2791 thankful
2792 pleaseth
2793 deities
2794 tailors
2795 comforting
2796 robes
2797 worn
2798 members
2799 crowned
2800 consolation
2801 smock
2802 petticoat
2803 onion
2804 broached
2805 wholly
2806 depends
2807 abode
2808 answers
2809 expedience
2810 urgent
2811 strongly
2812 contriving
2813 sextus
2814 pompeius
2815 commands
2816 linkd
2817 deserver
2818 deserts
2819 breeding
2820 coursers
2821 poison
2822 requires
2823 remove
2824 dancing
2825 method
2826 enforce
2827 teachest
2828 sullen
2829 breathing
2830 sustain
2831 dearest
2832 mightily
2833 treasons
2834 swearing
2835 throned
2836 riotous
2837 madness
2838 entangled
2839 sued
2840 staying
2841 eternity
2842 bliss
2843 race
2844 greatest
2845 inches
2846 egypt
2847 services
2848 shines
2849 port
2850 equality
2851 scrupulous
2852 newly
2853 creeps
2854 thrived
2855 threaten
2856 quietness
2857 purge
2858 desperate
2859 folly
2860 childishness
2861 sovereign
2862 garboils
2863 awaked
2864 vials
2865 sorrowful
2866 cease
2867 advice
2868 quickens
2869 slime
2870 affectst
2871 lace
2872 precious
2873 evidence
2874 adieu
2875 belong
2876 play
2877 dissembling
2878 perfect
2879 meetly
2880 target
2881 mends
2882 herculean
2883 carriage
2884 chafe
2885 courteous
2886 oblivion
2887 forgotten
2888 royalty
2889 sweating
2890 labour
2891 becomings
2892 unpitied
2893 laurel
2894 smooth
2895 strewd
2896 separation
2897 abides
2898 flies
2899 residing
2900 gost
2901 fleeting
2902 vice
2903 competitor
2904 fishes
2905 drinks
2906 wastes
2907 lamps
2908 revel
2909 ptolemy
2910 womanly
2911 vouchsafed
2912 partners
2913 abstract
2914 enow
2915 darken
2916 goodness
2917 spots
2918 blackness
2919 hereditary
2920 purchased
2921 chooses
2922 indulgent
2923 tumble
2924 tippling
2925 reel
2926 knaves
2927 composure
2928 rare
2929 blemish
2930 excuse
2931 soils
2932 lightness
2933 filld
2934 vacancy
2935 voluptuousness
2936 surfeits
2937 dryness
2938 fort
2939 drums
2940 chid
2941 rate
2942 mature
2943 knowledge
2944 pawn
2945 experience
2946 biddings
2947 appears
2948 ports
2949 discontents
2950 reports
2951 primal
2952 ebbd
2953 deard
2954 lackd
2955 vagabond
2956 flag
2957 lackeying
2958 varying
2959 rot
2960 menecrates
2961 menas
2962 famous
2963 pirates
2964 keels
2965 inroads
2966 borders
2967 maritime
2968 ont
2969 flush
2970 youth
2971 revolt
2972 resisted
2973 lascivious
2974 wassails
2975 modena
2976 slewst
2977 hirtius
2978 pansa
2979 consuls
2980 heel
2981 foughtst
2982 daintily
2983 savages
2984 gilded
2985 puddle
2986 cough
2987 palate
2988 deign
2989 roughest
2990 berry
2991 rudest
2992 stag
2993 snow
2994 pasture
2995 barks
2996 browsedst
2997 alps
2998 reported
2999 lankd
3000 shames
3001 thrives
3002 inform
3003 meantime
3004 stirs
3005 partaker
3006 mardian
3007 mandragora
3008 gap
3009 eunuch
3010 highness
3011 sing
3012 unseminard
3013 freer
3014 venus
3015 wotst
3016 movest
3017 demi
3018 atlas
3019 burgonet
3020 murmuring
3021 serpent
3022 nile
3023 delicious
3024 phoebus
3025 amorous
3026 pinches
3027 wrinkled
3028 broad
3029 fronted
3030 morsel
3031 monarch
3032 anchor
3033 aspect
3034 unlike
3035 medicine
3036 tinct
3037 kissd
3038 doubled
3039 kisses
3040 orient
3041 pearl
3042 sticks
3043 quoth
3044 sends
3045 oyster
3046 opulent
3047 throne
3048 nodded
3049 soberly
3050 gaunt
3051 steed
3052 neighd
3053 beastly
3054 dumbd
3055 extremes
3056 disposition
3057 remembrance
3058 heavenly
3059 mingle
3060 violence
3061 metst
3062 posts
3063 beggar
3064 ink
3065 emphasis
3066 paragon
3067 salad
3068 green
3069 unpeople
3070 messina
3071 warlike
3072 assist
3073 justest
3074 decays
3075 sue
3076 ignorant
3077 profit
3078 crescent
3079 auguring
3080 loses
3081 flatters
3082 carry
3083 silvius
3084 charms
3085 salt
3086 soften
3087 waned
3088 lip
3089 witchcraft
3090 join
3091 tie
3092 libertine
3093 feasts
3094 brain
3095 fuming
3096 epicurean
3097 cooks
3098 sharpen
3099 cloyless
3100 prorogue
3101 lethed
3102 dulness
3103 varrius
3104 expected
3105 surfeiter
3106 donnd
3107 helm
3108 soldiership
3109 rear
3110 stirring
3111 lap
3112 wearied
3113 greet
3114 trespasses
3115 warrd
3116 lesser
3117 enmities
3118 weret
3119 pregnant
3120 square
3121 entertained
3122 cement
3123 divisions
3124 bet
3125 havet
3126 strongest
3127 captain
3128 jupiter
3129 wearer
3130 beard
3131 shavet
3132 stomaching
3133 int
3134 small
3135 embers
3136 ventidius
3137 mecaenas
3138 agrippa
3139 compose
3140 leaner
3141 rend
3142 debate
3143 trivial
3144 healing
3145 earnestly
3146 sourest
3147 sweetest
3148 curstness
3149 spoken
3150 concern
3151 chiefly
3152 derogately
3153 concernd
3154 practised
3155 catch
3156 intent
3157 befal
3158 contestation
3159 theme
3160 mistake
3161 inquire
3162 learning
3163 drew
3164 discredit
3165 authority
3166 patch
3167 laying
3168 defects
3169 patchd
3170 excuses
3171 partner
3172 graceful
3173 attend
3174 snaffle
3175 pace
3176 easy
3177 uncurbable
3178 wanted
3179 shrewdness
3180 policy
3181 grieving
3182 disquiet
3183 wrote
3184 rioting
3185 taunts
3186 gibe
3187 missive
3188 admitted
3189 feasted
3190 contend
3191 wipe
3192 broken
3193 article
3194 talks
3195 supposing
3196 aid
3197 required
3198 neglected
3199 poisond
3200 penitent
3201 motive
3202 befits
3203 atone
3204 worthily
3205 borrow
3206 anothers
3207 instant
3208 considerate
3209 dislike
3210 differing
3211 acts
3212 hoop
3213 stanch
3214 edge
3215 pursue
3216 sister
3217 octavia
3218 widower
3219 reproof
3220 rashness
3221 perpetual
3222 amity
3223 knit
3224 unslipping
3225 claims
3226 graces
3227 jealousies
3228 import
3229 truths
3230 tales
3231 studied
3232 ruminated
3233 fairly
3234 impediment
3235 designs
3236 bequeath
3237 happily
3238 laid
3239 defy
3240 upons
3241 seeks
3242 misenum
3243 increasing
3244 fame
3245 dispatch
3246 gladness
3247 invite
3248 detain
3249 digested
3250 stayed
3251 boars
3252 roasted
3253 breakfast
3254 twelve
3255 persons
3256 eagle
3257 noting
3258 triumphant
3259 pursed
3260 river
3261 cydnus
3262 appeared
3263 reporter
3264 devised
3265 barge
3266 burnishd
3267 burnd
3268 poop
3269 purple
3270 sails
3271 perfumed
3272 oars
3273 flutes
3274 stroke
3275 faster
3276 beggard
3277 description
3278 pavilion
3279 cloth
3280 tissue
3281 picturing
3282 fancy
3283 outwork
3284 pretty
3285 dimpled
3286 cupids
3287 colourd
3288 fans
3289 delicate
3290 cheeks
3291 undid
3292 gentlewomen
3293 nereides
3294 mermaids
3295 tended
3296 bends
3297 adornings
3298 mermaid
3299 steers
3300 silken
3301 tackle
3302 flower
3303 yarely
3304 frame
3305 invisible
3306 perfume
3307 hits
3308 sense
3309 adjacent
3310 wharfs
3311 city
3312 enthroned
3313 whistling
3314 landing
3315 invited
3316 replied
3317 guest
3318 barberd
3319 wench
3320 ploughd
3321 croppd
3322 hop
3323 forty
3324 paces
3325 panted
3326 defect
3327 perfection
3328 breathe
3329 utterly
3330 wither
3331 variety
3332 cloy
3333 appetites
3334 satisfies
3335 vilest
3336 bless
3337 riggish
3338 settle
3339 blessed
3340 humbly
3341 divide
3342 blemishes
3343 worlds
3344 demon
3345 courageous
3346 unmatchable
3347 oerpowerd
3348 game
3349 luck
3350 beats
3351 odds
3352 thickens
3353 hap
3354 dice
3355 faints
3356 lots
3357 speeds
3358 cocks
3359 nought
3360 quails
3361 inhoopd
3362 commissions
3363 receivet
3364 hasten
3365 dress
3366 conceive
3367 journey
3368 shorter
3369 moody
3370 food
3371 billiards
3372 sore
3373 playd
3374 actor
3375 plead
3376 angle
3377 playing
3378 betray
3379 finnd
3380 bended
3381 hook
3382 pierce
3383 slimy
3384 jaws
3385 ah
3386 youre
3387 caught
3388 wagerd
3389 angling
3390 diver
3391 hang
3392 fish
3393 fervency
3394 morn
3395 tires
3396 mantles
3397 wore
3398 philippan
3399 ram
3400 bluest
3401 veins
3402 lippd
3403 pour
3404 uttering
3405 tart
3406 trumpet
3407 snakes
3408 willt
3409 pearls
3410 thourt
3411 allay
3412 precedence
3413 gaoler
3414 malefactor
3415 pack
3416 infectious
3417 pestilence
3418 horrible
3419 balls
3420 unhair
3421 hales
3422 whippd
3423 wire
3424 stewd
3425 brine
3426 smarting
3427 lingering
3428 pickle
3429 match
3430 province
3431 hadst
3432 moving
3433 boot
3434 gift
3435 rogue
3436 knife
3437 innocent
3438 innocents
3439 scape
3440 thunderbolt
3441 kindly
3442 bite
3443 afeard
3444 hurt
3445 nobility
3446 meaner
3447 message
3448 host
3449 tongues
3450 felt
3451 submerged
3452 cistern
3453 scaled
3454 narcissus
3455 ugly
3456 crave
3457 offend
3458 punish
3459 unequal
3460 merchandise
3461 dispraised
3462 feature
3463 inclination
3464 gorgon
3465 tall
3466 chamber
3467 hostages
3468 written
3469 considerd
3470 twill
3471 discontented
3472 sicily
3473 perish
3474 chief
3475 factors
3476 father
3477 revengers
3478 ghosted
3479 conspire
3480 courtiers
3481 beauteous
3482 drench
3483 rig
3484 navy
3485 burthen
3486 angerd
3487 foams
3488 meant
3489 scourge
3490 despiteful
3491 cuckoo
3492 builds
3493 offers
3494 embraced
3495 larger
3496 sardinia
3497 measures
3498 wheat
3499 greed
3500 unhackd
3501 edges
3502 targes
3503 undinted
3504 telling
3505 liberal
3506 beds
3507 timelier
3508 gaind
3509 counts
3510 casts
3511 vassal
3512 agreed
3513 composition
3514 lot
3515 cookery
3516 grew
3517 feasting
3518 meanings
3519 apollodorus
3520 carried
3521 mattress
3522 farest
3523 envied
3524 behavior
3525 plainness
3526 aboard
3527 galley
3528 lords
3529 treaty
3530 thief
3531 thieves
3532 whatsomeer
3533 slander
3534 turned
3535 weept
3536 looked
3537 called
3538 marcellus
3539 divine
3540 unity
3541 parties
3542 band
3543 strangler
3544 conversation
3545 prove
3546 author
3547 variance
3548 throats
3549 board
3550 theyll
3551 plants
3552 rooted
3553 coloured
3554 alms
3555 pinch
3556 cries
3557 reconciles
3558 entreaty
3559 raises
3560 discretion
3561 fellowship
3562 reed
3563 partisan
3564 heave
3565 sphere
3566 pitifully
3567 disaster
3568 flow
3569 scales
3570 pyramid
3571 lowness
3572 dearth
3573 foison
3574 swells
3575 promises
3576 ebbs
3577 seedsman
3578 ooze
3579 scatters
3580 grain
3581 shortly
3582 harvest
3583 bred
3584 mud
3585 operation
3586 crocodile
3587 ptolemies
3588 pyramises
3589 contradiction
3590 forsake
3591 anon
3592 shaped
3593 breadth
3594 moves
3595 organs
3596 nourisheth
3597 transmigrates
3598 wet
3599 epicure
3600 merit
3601 stool
3602 rises
3603 cap
3604 jolly
3605 sands
3606 earthly
3607 whateer
3608 pales
3609 inclips
3610 hat
3611 sharers
3612 competitors
3613 cable
3614 villany
3615 theet
3616 repent
3617 eer
3618 condemn
3619 desist
3620 palld
3621 offerd
3622 ashore
3623 hid
3624 pointing
3625 increase
3626 reels
3627 alexandrian
3628 ripens
3629 vessels
3630 forbeart
3631 fouler
3632 possess
3633 emperor
3634 dance
3635 bacchanals
3636 celebrate
3637 steepd
3638 battery
3639 holding
3640 volley
3641 vine
3642 plumpy
3643 bacchus
3644 pink
3645 eyne
3646 fats
3647 drownd
3648 grapes
3649 graver
3650 frowns
3651 levity
3652 burnt
3653 enobarb
3654 weaker
3655 splits
3656 disguise
3657 antickd
3658 shore
3659 boat
3660 cabin
3661 trumpets
3662 neptune
3663 fellows
3664 hangd
3665 silius
3666 pacorus
3667 darting
3668 crassus
3669 revenger
3670 sons
3671 orodes
3672 warm
3673 fugitive
3674 parthians
3675 media
3676 mesopotamia
3677 shelters
3678 routed
3679 grand
3680 chariots
3681 lower
3682 acquire
3683 won
3684 officer
3685 sossius
3686 lieutenant
3687 accumulation
3688 renown
3689 achieved
3690 gain
3691 darkens
3692 twould
3693 grants
3694 distinction
3695 signify
3696 magical
3697 effected
3698 banners
3699 jaded
3700 purposeth
3701 athens
3702 convey
3703 withs
3704 permit
3705 ante
3706 parted
3707 dispatchd
3708 sealing
3709 weeps
3710 adores
3711 pareil
3712 arabian
3713 plied
3714 praises
3715 scribes
3716 bards
3717 poets
3718 shards
3719 beetle
3720 approof
3721 builded
3722 batter
3723 fortress
3724 cherishd
3725 distrust
3726 curious
3727 ends
3728 april
3729 spring
3730 showers
3731 cheerful
3732 swans
3733 feather
3734 inclines
3735 cloud
3736 roaring
3737 rheum
3738 willingly
3739 waild
3740 believet
3741 wrestle
3742 fa
3743 rewell
3744 majesty
3745 herods
3746 command
3747 dread
3748 voiced
3749 dwarfish
3750 lookdst
3751 station
3752 breather
3753 observance
3754 knowing
3755 perceivet
3756 bearst
3757 faultiness
3758 brown
3759 forehead
3760 sharpness
3761 employ
3762 harried
3763 serving
3764 warrant
3765 excusable
3766 thousands
3767 semblable
3768 waged
3769 scantly
3770 perforce
3771 vented
3772 lent
3773 hint
3774 tookt
3775 unhappy
3776 undo
3777 prays
3778 destroys
3779 midway
3780 preserve
3781 branchless
3782 requested
3783 preparation
3784 soonest
3785 reconciler
3786 cleave
3787 solder
3788 rift
3789 displeasure
3790 equal
3791 equally
3792 provide
3793 cost
3794 eros
3795 rivality
3796 accuses
3797 appeal
3798 seizes
3799 confine
3800 chaps
3801 grind
3802 garden
3803 spurns
3804 rush
3805 murderd
3806 navys
3807 riggd
3808 naught
3809 contemning
3810 tribunal
3811 silverd
3812 chairs
3813 publicly
3814 caesarion
3815 unlawful
3816 stablishment
3817 cyprus
3818 exercise
3819 proclaimd
3820 armenia
3821 alexander
3822 assignd
3823 cilicia
3824 phoenicia
3825 habiliments
3826 informd
3827 queasy
3828 insolence
3829 accusations
3830 accuse
3831 spoild
3832 isle
3833 shipping
3834 unrestored
3835 lastly
3836 frets
3837 triumvirate
3838 deposed
3839 revenue
3840 abused
3841 deserve
3842 conquerd
3843 castaway
3844 usher
3845 neighs
3846 fainted
3847 longing
3848 roof
3849 raised
3850 populous
3851 maid
3852 prevented
3853 ostentation
3854 unshown
3855 unloved
3856 supplying
3857 stage
3858 constraind
3859 hearing
3860 whereon
3861 granted
3862 obstruct
3863 whore
3864 assembled
3865 bocchus
3866 libya
3867 archelaus
3868 cappadocia
3869 philadelphos
3870 paphlagonia
3871 thracian
3872 adallas
3873 malchus
3874 arabia
3875 pont
3876 mithridates
3877 comagene
3878 polemon
3879 amyntas
3880 mede
3881 lycaonia
3882 sceptres
3883 afflict
3884 withhold
3885 breaking
3886 negligent
3887 destiny
3888 unbewaild
3889 ministers
3890 adulterous
3891 abominations
3892 potent
3893 regiment
3894 trull
3895 noises
3896 dearst
3897 actium
3898 forspoke
3899 denounced
3900 mares
3901 puzzle
3902 froms
3903 spared
3904 traduced
3905 photinus
3906 maids
3907 manage
3908 president
3909 canidius
3910 tarentum
3911 brundusium
3912 ionian
3913 toryne
3914 rebuke
3915 becomed
3916 slackness
3917 dares
3918 tot
3919 dared
3920 wage
3921 pharsalia
3922 vantage
3923 ships
3924 mannd
3925 mariners
3926 muleters
3927 reapers
3928 ingrossd
3929 swift
3930 impress
3931 fleet
3932 yare
3933 disgrace
3934 refusing
3935 consist
3936 footmen
3937 unexecuted
3938 renowned
3939 forego
3940 assurance
3941 sixty
3942 overplus
3943 approaching
3944 descried
3945 nineteen
3946 ship
3947 thetis
3948 rotten
3949 planks
3950 misdoubt
3951 egyptians
3952 phoenicians
3953 ducking
3954 conquer
3955 hercules
3956 leaders
3957 justeius
3958 publicola
3959 caelius
3960 belief
3961 distractions
3962 beguiled
3963 spies
3964 taurus
3965 throes
3966 provoke
3967 exceed
3968 prescript
3969 scroll
3970 jump
3971 marcheth
3972 antoniad
3973 admiral
3974 rudder
3975 seet
3976 blasted
3977 scarus
3978 goddesses
3979 synod
3980 cantle
3981 ignorance
3982 provinces
3983 tokend
3984 ribaudred
3985 nag
3986 leprosy
3987 oertake
3988 midst
3989 twins
3990 breese
3991 cow
3992 june
3993 hoists
3994 beheld
3995 loofd
3996 ruin
3997 magic
3998 claps
3999 doting
4000 mallard
4001 leaving
4002 manhood
4003 violate
4004 sinks
4005 lamentably
4006 flight
4007 grossly
4008 thereabouts
4009 peloponnesus
4010 yielding
4011 tread
4012 upont
4013 lated
4014 laden
4015 instructed
4016 shoulders
4017 treasures
4018 harbour
4019 blush
4020 white
4021 reprove
4022 sweep
4023 replies
4024 loathness
4025 despair
4026 proclaims
4027 leaves
4028 juno
4029 empress
4030 dancer
4031 dealt
4032 lieutenantry
4033 squares
4034 unqualitied
4035 arise
4036 declined
4037 seize
4038 rescue
4039 reputation
4040 unnoble
4041 swerving
4042 stroyd
4043 knewst
4044 tow
4045 supremacy
4046 beck
4047 treaties
4048 dodge
4049 shifts
4050 bulk
4051 marring
4052 conqueror
4053 rates
4054 repays
4055 schoolmaster
4056 viands
4057 scorn
4058 dolabella
4059 thyreus
4060 argument
4061 pinion
4062 superfluous
4063 moons
4064 euphronius
4065 ambassador
4066 myrtle
4067 declare
4068 salutes
4069 lessens
4070 requests
4071 sues
4072 submits
4073 circle
4074 hazarded
4075 disgraced
4076 unheard
4077 bands
4078 invention
4079 perjure
4080 vestal
4081 edict
4082 flaw
4083 ranges
4084 itch
4085 nickd
4086 captainship
4087 opposed
4088 meered
4089 flying
4090 flags
4091 gazing
4092 knowt
4093 grizzled
4094 principalities
4095 wears
4096 gay
4097 comparisons
4098 battled
4099 unstate
4100 happiness
4101 staged
4102 sworder
4103 judgments
4104 parcel
4105 emptiness
4106 subdued
4107 blown
4108 kneeld
4109 buds
4110 admit
4111 loyalty
4112 allegiance
4113 falln
4114 earns
4115 haply
4116 renownd
4117 entreats
4118 standst
4119 scars
4120 constrained
4121 leaky
4122 sinking
4123 quit
4124 require
4125 begs
4126 staff
4127 shrowd
4128 landlord
4129 deputation
4130 prompt
4131 obeying
4132 doom
4133 combating
4134 mused
4135 bestowd
4136 unworthy
4137 raind
4138 performs
4139 fullest
4140 worthiest
4141 obeyd
4142 kite
4143 devils
4144 melts
4145 muss
4146 jack
4147 whip
4148 whelp
4149 acknowledge
4150 cringe
4151 whine
4152 aloud
4153 mercy
4154 tug
4155 pillow
4156 unpressd
4157 forborne
4158 gem
4159 feeders
4160 boggler
4161 viciousness
4162 misery
4163 seel
4164 filth
4165 clear
4166 adore
4167 errors
4168 ats
4169 strut
4170 confusion
4171 trencher
4172 fragment
4173 cneius
4174 hotter
4175 unregisterd
4176 luxuriously
4177 pickd
4178 temperance
4179 rewards
4180 playfellow
4181 plighter
4182 basan
4183 outroar
4184 horned
4185 civilly
4186 halterd
4187 hangman
4188 entertainment
4189 disdainful
4190 harping
4191 guides
4192 orbs
4193 shot
4194 abysm
4195 mislike
4196 hipparchus
4197 enfranched
4198 torture
4199 stripes
4200 begone
4201 terrene
4202 eclipsed
4203 portends
4204 flatter
4205 ties
4206 hearted
4207 engender
4208 source
4209 determines
4210 dissolve
4211 smite
4212 discandying
4213 pelleted
4214 graveless
4215 gnats
4216 oppose
4217 fate
4218 severd
4219 earn
4220 chronicle
4221 treble
4222 sinewd
4223 maliciously
4224 lucky
4225 ransom
4226 jests
4227 gaudy
4228 bowls
4229 bell
4230 sap
4231 pestilent
4232 scythe
4233 outstare
4234 furious
4235 dove
4236 peck
4237 estridge
4238 diminution
4239 restores
4240 preys
4241 eats
4242 rods
4243 combat
4244 ruffian
4245 challenge
4246 hunted
4247 distraction
4248 earnd
4249 woot
4250 household
4251 bounteous
4252 meal
4253 servitors
4254 odd
4255 shoots
4256 clappd
4257 scant
4258 cups
4259 sufferd
4260 followers
4261 tend
4262 period
4263 mangled
4264 takes
4265 eyed
4266 transform
4267 hearty
4268 dolorous
4269 victorious
4270 drown
4271 consideration
4272 careful
4273 corner
4274 landmen
4275 hautboys
4276 signs
4277 watchmen
4278 advance
4279 quarter
4280 attending
4281 armour
4282 chuck
4283 armourer
4284 la
4285 defences
4286 buckled
4287 rarely
4288 unbuckles
4289 dafft
4290 fumblest
4291 queens
4292 squire
4293 tight
4294 armed
4295 lookst
4296 betime
4297 delight
4298 riveted
4299 trim
4300 lads
4301 dame
4302 rebukeable
4303 shameful
4304 cheque
4305 mechanic
4306 compliment
4307 retire
4308 gallantly
4309 revolted
4310 chests
4311 jot
4312 subscribe
4313 adieus
4314 corrupted
4315 prosperous
4316 nookd
4317 olive
4318 freely
4319 plant
4320 van
4321 spend
4322 persuade
4323 incline
4324 sorely
4325 bounty
4326 unloading
4327 mules
4328 safed
4329 bringer
4330 donet
4331 continues
4332 turpitude
4333 swifter
4334 outstrike
4335 ditch
4336 foulst
4337 fits
4338 camps
4339 oppression
4340 exceeds
4341 droven
4342 clouts
4343 bleedst
4344 bench
4345 scotches
4346 score
4347 backs
4348 snatch
4349 hares
4350 maul
4351 runner
4352 reward
4353 spritely
4354 halt
4355 gests
4356 spill
4357 escaped
4358 doughty
4359 handed
4360 shown
4361 hectors
4362 clip
4363 feats
4364 joyful
4365 congealment
4366 gashes
4367 attended
4368 fairy
4369 chain
4370 harness
4371 pants
4372 triumphing
4373 snare
4374 uncaught
4375 nightingale
4376 grey
4377 younger
4378 nourishes
4379 nerves
4380 goal
4381 favouring
4382 warrior
4383 mankind
4384 destroyd
4385 carbuncled
4386 car
4387 targets
4388 capacity
4389 carouses
4390 peril
4391 trumpeters
4392 brazen
4393 din
4394 blast
4395 citys
4396 rattling
4397 tabourines
4398 applauding
4399 sentinels
4400 relieved
4401 court
4402 shiny
4403 embattle
4404 tos
4405 record
4406 melancholy
4407 poisonous
4408 damp
4409 disponge
4410 hardness
4411 dried
4412 powder
4413 finish
4414 infamous
4415 register
4416 leaver
4417 sleeps
4418 swoons
4419 raught
4420 afar
4421 demurely
4422 sleepers
4423 weld
4424 adjoining
4425 haven
4426 appointment
4427 endeavour
4428 charged
4429 taket
4430 galleys
4431 vales
4432 pine
4433 swallows
4434 built
4435 nests
4436 grimly
4437 dejected
4438 starts
4439 fretted
4440 betrayed
4441 carouse
4442 sold
4443 novice
4444 uprise
4445 spanield
4446 discandy
4447 sweets
4448 blossoming
4449 barkd
4450 overtoppd
4451 beckd
4452 crownet
4453 gipsy
4454 spell
4455 avaunt
4456 enraged
4457 deserving
4458 hoist
4459 plebeians
4460 monster
4461 poorst
4462 diminutives
4463 doits
4464 plough
4465 nails
4466 fellst
4467 shirt
4468 nessus
4469 alcides
4470 lichas
4471 graspd
4472 heaviest
4473 club
4474 subdue
4475 plot
4476 telamon
4477 shield
4478 boar
4479 thessaly
4480 embossd
4481 monument
4482 rive
4483 piteously
4484 beholdst
4485 dragonish
4486 vapour
4487 towerd
4488 citadel
4489 pendent
4490 forked
4491 promontory
4492 vespers
4493 pageants
4494 rack
4495 dislimns
4496 indistinct
4497 visible
4498 annexd
4499 untot
4500 packd
4501 cards
4502 enemys
4503 robbd
4504 mingled
4505 discharged
4506 tearing
4507 unarm
4508 task
4509 departst
4510 richly
4511 ajax
4512 continent
4513 crack
4514 frail
4515 bruised
4516 stray
4517 farther
4518 entangles
4519 couch
4520 sprightly
4521 dido
4522 haunt
4523 detest
4524 baseness
4525 neptunes
4526 cities
4527 sworn
4528 inevitable
4529 prosecution
4530 horror
4531 strikest
4532 defeatst
4533 windowd
4534 pleachd
4535 corrigible
4536 penetrative
4537 wheeld
4538 branded
4539 ensued
4540 cured
4541 sworest
4542 precedent
4543 accidents
4544 unpurposed
4545 worship
4546 escape
4547 instruction
4548 bridegroom
4549 intot
4550 scholar
4551 dercetas
4552 diomedes
4553 diomed
4554 sufficing
4555 lockd
4556 prophesying
4557 suspect
4558 purged
4559 emperors
4560 bides
4561 sharp
4562 sorrows
4563 lightly
4564 aloft
4565 comforted
4566 events
4567 comforts
4568 despise
4569 size
4570 proportiond
4571 darkling
4572 oerthrown
4573 triumphd
4574 importune
4575 imperious
4576 fortuned
4577 broochd
4578 drugs
4579 modest
4580 conclusion
4581 demuring
4582 weighs
4583 heaviness
4584 junos
4585 wingd
4586 mercury
4587 joves
4588 quicken
4589 housewife
4590 wheel
4591 provoked
4592 proculeius
4593 miserable
4594 lament
4595 prince
4596 basely
4597 helmet
4598 countryman
4599 valiantly
4600 sty
4601 witherd
4602 pole
4603 girls
4604 level
4605 remarkable
4606 beneath
4607 visiting
4608 commanded
4609 milks
4610 chares
4611 sceptre
4612 injurious
4613 jewel
4614 alls
4615 scottish
4616 sin
4617 lamp
4618 spent
4619 briefest
4620 gallus
4621 frustrate
4622 mocks
4623 pauses
4624 haters
4625 pleasest
4626 dens
4627 moiety
4628 minister
4629 hired
4630 splitted
4631 staind
4632 persisted
4633 taints
4634 rarer
4635 steer
4636 humanity
4637 spacious
4638 lance
4639 diseases
4640 bodies
4641 declining
4642 stall
4643 top
4644 design
4645 mate
4646 unreconciliable
4647 equalness
4648 meeter
4649 confined
4650 intents
4651 preparedly
4652 speediest
4653 employd
4654 calm
4655 desolation
4656 paltry
4657 shackles
4658 bolts
4659 palates
4660 dug
4661 nurse
4662 demands
4663 meanst
4664 greatly
4665 trusting
4666 princely
4667 reference
4668 flows
4669 dependency
4670 hourly
4671 doctrine
4672 obedience
4673 gladly
4674 plight
4675 pitied
4676 caused
4677 surprised
4678 descended
4679 unbar
4680 disarms
4681 rids
4682 languish
4683 undoing
4684 babes
4685 piniond
4686 chastised
4687 varletry
4688 censuring
4689 stark
4690 abhorring
4691 pyramides
4692 gibbet
4693 chains
4694 extend
4695 assuredly
4696 trick
4697 understand
4698 dreamd
4699 stuck
4700 bestrid
4701 reard
4702 crested
4703 propertied
4704 tuned
4705 spheres
4706 quail
4707 orb
4708 winter
4709 autumn
4710 reaping
4711 delights
4712 dolphin
4713 livery
4714 crowns
4715 crownets
4716 realms
4717 islands
4718 plates
4719 dreaming
4720 vie
4721 imagine
4722 condemning
4723 pursued
4724 rebound
4725 smites
4726 root
4727 seleucus
4728 kneels
4729 injuries
4730 sole
4731 project
4732 frailties
4733 extenuate
4734 cruelty
4735 bereave
4736 thereon
4737 rely
4738 scutcheons
4739 advise
4740 plate
4741 jewels
4742 possessd
4743 valued
4744 treasurer
4745 reserved
4746 approve
4747 pomp
4748 shift
4749 estates
4750 goest
4751 wings
4752 soulless
4753 wounding
4754 vouchsafing
4755 lordliness
4756 disgraces
4757 trifles
4758 immoment
4759 toys
4760 dignity
4761 modern
4762 token
4763 livia
4764 induce
4765 mediation
4766 unfolded
4767 cinders
4768 ashes
4769 misthought
4770 merits
4771 acknowledged
4772 roll
4773 merchant
4774 merchants
4775 cheerd
4776 prisons
4777 dispose
4778 provided
4779 thereto
4780 religion
4781 intends
4782 debtor
4783 puppet
4784 greasy
4785 aprons
4786 rules
4787 hammers
4788 uplift
4789 breaths
4790 gross
4791 diet
4792 enclouded
4793 lictors
4794 scald
4795 rhymers
4796 ballad
4797 comedians
4798 extemporally
4799 drunken
4800 squeaking
4801 absurd
4802 attires
4803 chare
4804 wherefores
4805 guardsman
4806 rural
4807 resolutions
4808 marble
4809 planet
4810 clown
4811 bringing
4812 basket
4813 worm
4814 biting
4815 rememberest
4816 saved
4817 fallible
4818 worms
4819 trusted
4820 keeping
4821 heeded
4822 whoreson
4823 mar
4824 forsooth
4825 longings
4826 juice
4827 grape
4828 moist
4829 rouse
4830 title
4831 baser
4832 warmth
4833 aspic
4834 hurts
4835 tellst
4836 curled
4837 wretch
4838 asp
4839 applies
4840 intrinsicate
4841 untie
4842 venomous
4843 unpolicied
4844 eastern
4845 baby
4846 sucks
4847 balm
4848 applying
4849 boast
4850 possession
4851 lass
4852 unparalleld
4853 downy
4854 golden
4855 awry
4856 slow
4857 fitting
4858 princess
4859 effects
4860 dreaded
4861 soughtst
4862 augurer
4863 bravest
4864 levelld
4865 trimming
4866 diadem
4867 tremblingly
4868 external
4869 swelling
4870 toil
4871 vent
4872 aspics
4873 trail
4874 fig
4875 caves
4876 probable
4877 physician
4878 conclusions
4879 solemn
4880 solemnity
4881 hamlet
4882 denmark
4883 dramatis
4884 personae
4885 nephew
4886 polonius
4887 chamberlain
4888 horatio
4889 laertes
4890 lucianus
4891 voltimand
4892 cornelius
4893 rosencrantz
4894 guildenstern
4895 osric
4896 gentleman
4897 priest
4898 bernardo
4899 francisco
4900 reynaldo
4901 clowns
4902 diggers
4903 fortinbras
4904 norway
4905 english
4906 gertrude
4907 ophelia
4908 sailors
4909 hamlets
4910 elsinore
4911 platform
4912 castle
4913 carefully
4914 relief
4915 bitter
4916 quiet
4917 mouse
4918 rivals
4919 liegemen
4920 dane
4921 holla
4922 minutes
4923 tush
4924 assail
4925 fortified
4926 westward
4927 illume
4928 beating
4929 figure
4930 harrows
4931 usurpst
4932 stalks
4933 avouch
4934 combated
4935 frownd
4936 parle
4937 smote
4938 sledded
4939 polacks
4940 ice
4941 martial
4942 stalk
4943 bodes
4944 eruption
4945 strict
4946 observant
4947 nightly
4948 daily
4949 cannon
4950 foreign
4951 implements
4952 shipwrights
4953 sunday
4954 week
4955 joint
4956 labourer
4957 image
4958 emulate
4959 pride
4960 esteemd
4961 ratified
4962 heraldry
4963 forfeit
4964 lands
4965 seized
4966 competent
4967 gaged
4968 returnd
4969 inheritance
4970 vanquisher
4971 covenant
4972 designd
4973 unimproved
4974 skirts
4975 sharkd
4976 lawless
4977 resolutes
4978 compulsatory
4979 foresaid
4980 preparations
4981 romage
4982 mote
4983 palmy
4984 mightiest
4985 tenantless
4986 sheeted
4987 squeak
4988 gibber
4989 trains
4990 disasters
4991 influence
4992 eclipse
4993 precurse
4994 harbingers
4995 preceding
4996 prologue
4997 omen
4998 demonstrated
4999 climatures
5000 illusion
5001 cock
5002 foreknowing
5003 uphoarded
5004 extorted
5005 majestical
5006 invulnerable
5007 vain
5008 malicious
5009 mockery
5010 crew
5011 started
5012 summons
5013 sounding
5014 extravagant
5015 erring
5016 hies
5017 object
5018 probation
5019 faded
5020 crowing
5021 saviours
5022 celebrated
5023 dawning
5024 singeth
5025 planets
5026 hallowd
5027 russet
5028 clad
5029 eastward
5030 acquaint
5031 needful
5032 conveniently
5033 befitted
5034 contracted
5035 wisest
5036 imperial
5037 jointress
5038 defeated
5039 auspicious
5040 dirge
5041 scale
5042 dole
5043 barrd
5044 wisdoms
5045 affair
5046 supposal
5047 disjoint
5048 colleagued
5049 faild
5050 pester
5051 importing
5052 surrender
5053 uncle
5054 impotent
5055 scarcely
5056 nephews
5057 suppress
5058 levies
5059 lists
5060 proportions
5061 bearers
5062 delated
5063 articles
5064 heartily
5065 instrumental
5066 france
5067 coronation
5068 wrung
5069 laboursome
5070 cousin
5071 kin
5072 nighted
5073 vailed
5074 lids
5075 passing
5076 inky
5077 customary
5078 suits
5079 windy
5080 suspiration
5081 havior
5082 moods
5083 denote
5084 actions
5085 passeth
5086 trappings
5087 commendable
5088 duties
5089 survivor
5090 filial
5091 obligation
5092 term
5093 obsequious
5094 persever
5095 obstinate
5096 condolement
5097 impious
5098 stubbornness
5099 unmanly
5100 incorrect
5101 unfortified
5102 understanding
5103 unschoold
5104 opposition
5105 unprevailing
5106 wittenberg
5107 retrograde
5108 chiefest
5109 courtier
5110 unforced
5111 accord
5112 jocund
5113 bruit
5114 solid
5115 thaw
5116 resolve
5117 canon
5118 flat
5119 unprofitable
5120 unweeded
5121 seed
5122 hyperion
5123 satyr
5124 beteem
5125 roughly
5126 month
5127 frailty
5128 niobe
5129 mournd
5130 unrighteous
5131 flushing
5132 galled
5133 wicked
5134 dexterity
5135 incestuous
5136 truant
5137 truster
5138 student
5139 wedding
5140 thrift
5141 baked
5142 meats
5143 coldly
5144 furnish
5145 tables
5146 admiration
5147 attent
5148 marvel
5149 vast
5150 middle
5151 encounterd
5152 pe
5153 stately
5154 oppressd
5155 truncheons
5156 distilled
5157 jelly
5158 deliverd
5159 methought
5160 lifted
5161 address
5162 vanishd
5163 troubles
5164 toe
5165 beaver
5166 frowningly
5167 moderate
5168 sawt
5169 sable
5170 assume
5171 gape
5172 hitherto
5173 conceald
5174 tenable
5175 requite
5176 eleven
5177 oerwhelm
5178 necessaries
5179 embarkd
5180 convoy
5181 assistant
5182 trifling
5183 toy
5184 violet
5185 primy
5186 forward
5187 permanent
5188 lasting
5189 suppliance
5190 temple
5191 waxes
5192 cautel
5193 besmirch
5194 weighd
5195 unvalued
5196 circumscribed
5197 credent
5198 songs
5199 chaste
5200 unmasterd
5201 importunity
5202 chariest
5203 prodigal
5204 unmask
5205 scapes
5206 calumnious
5207 canker
5208 galls
5209 buttons
5210 liquid
5211 contagious
5212 blastments
5213 rebels
5214 lesson
5215 watchman
5216 ungracious
5217 pastors
5218 steep
5219 thorny
5220 puffd
5221 reckless
5222 primrose
5223 dalliance
5224 treads
5225 recks
5226 rede
5227 double
5228 blessing
5229 sail
5230 precepts
5231 character
5232 unproportioned
5233 adoption
5234 grapple
5235 hoops
5236 unfledged
5237 comrade
5238 entrance
5239 beart
5240 reserve
5241 habit
5242 purse
5243 expressd
5244 select
5245 generous
5246 borrower
5247 lender
5248 loan
5249 borrowing
5250 dulls
5251 husbandry
5252 ownself
5253 invites
5254 key
5255 bethought
5256 caution
5257 behoves
5258 tenders
5259 pooh
5260 unsifted
5261 circumstance
5262 sterling
5263 tender
5264 running
5265 importuned
5266 springes
5267 woodcocks
5268 lends
5269 blazes
5270 extinct
5271 scanter
5272 maiden
5273 entreatments
5274 tether
5275 brokers
5276 dye
5277 investments
5278 implorators
5279 unholy
5280 sanctified
5281 pious
5282 bawds
5283 beguile
5284 bites
5285 nipping
5286 eager
5287 ordnance
5288 wassail
5289 swaggering
5290 drains
5291 draughts
5292 rhenish
5293 kettle
5294 bray
5295 breach
5296 west
5297 taxd
5298 nations
5299 clepe
5300 drunkards
5301 swinish
5302 achievements
5303 pith
5304 marrow
5305 attribute
5306 chances
5307 vicious
5308 mole
5309 origin
5310 oergrowth
5311 forts
5312 leavens
5313 plausive
5314 manners
5315 carrying
5316 stamp
5317 virtues
5318 dram
5319 eale
5320 substance
5321 angels
5322 goblin
5323 damnd
5324 airs
5325 blasts
5326 charitable
5327 questionable
5328 canonized
5329 hearsed
5330 cerements
5331 sepulchre
5332 quietly
5333 inurnd
5334 oped
5335 ponderous
5336 complete
5337 revisitst
5338 glimpses
5339 horridly
5340 reaches
5341 beckons
5342 impartment
5343 removed
5344 pins
5345 fee
5346 summit
5347 cliff
5348 beetles
5349 deprive
5350 sovereignty
5351 desperation
5352 fathoms
5353 roar
5354 artery
5355 hardy
5356 nemean
5357 nerve
5358 unhand
5359 imagination
5360 direct
5361 sulphurous
5362 tormenting
5363 doomd
5364 crimes
5365 prison
5366 lightest
5367 harrow
5368 freeze
5369 knotted
5370 locks
5371 quills
5372 fretful
5373 porpentine
5374 blazon
5375 unnatural
5376 meditation
5377 duller
5378 weed
5379 roots
5380 wharf
5381 sleeping
5382 stung
5383 forged
5384 rankly
5385 prophetic
5386 adulterate
5387 traitorous
5388 gifts
5389 seduce
5390 virtuous
5391 lewdness
5392 radiant
5393 sate
5394 celestial
5395 garbage
5396 scent
5397 afternoon
5398 secure
5399 hebenon
5400 vial
5401 porches
5402 leperous
5403 distilment
5404 enmity
5405 quicksilver
5406 courses
5407 alleys
5408 vigour
5409 posset
5410 curd
5411 droppings
5412 milk
5413 thin
5414 tetter
5415 lazar
5416 loathsome
5417 crust
5418 blossoms
5419 unhouseld
5420 disappointed
5421 unaneld
5422 reckoning
5423 account
5424 imperfections
5425 luxury
5426 incest
5427 howsoever
5428 pursuest
5429 taint
5430 thorns
5431 matin
5432 gins
5433 uneffectual
5434 couple
5435 stiffly
5436 distracted
5437 globe
5438 records
5439 saws
5440 pressures
5441 observation
5442 copied
5443 commandment
5444 volume
5445 unmixd
5446 pernicious
5447 writing
5448 hillo
5449 reveal
5450 arrant
5451 whirling
5452 saint
5453 patrick
5454 oermaster
5455 scholars
5456 sweart
5457 truepenny
5458 cellarage
5459 propose
5460 hic
5461 ubique
5462 pioner
5463 wondrous
5464 stranger
5465 soeer
5466 antic
5467 encumberd
5468 headshake
5469 pronouncing
5470 ambiguous
5471 perturbed
5472 express
5473 friending
5474 spite
5475 notes
5476 marvellous
5477 danskers
5478 paris
5479 expense
5480 finding
5481 encompassment
5482 drift
5483 distant
5484 ift
5485 addicted
5486 forgeries
5487 wanton
5488 usual
5489 slips
5490 companions
5491 gaming
5492 fencing
5493 quarrelling
5494 drabbing
5495 incontinency
5496 meaning
5497 quaintly
5498 outbreak
5499 savageness
5500 unreclaimed
5501 assault
5502 sullies
5503 soild
5504 working
5505 prenominate
5506 closes
5507 mass
5508 oertook
5509 ins
5510 tennis
5511 sale
5512 videlicet
5513 brothel
5514 bait
5515 carp
5516 reach
5517 windlasses
5518 assays
5519 bias
5520 indirections
5521 directions
5522 lecture
5523 wi
5524 ply
5525 sewing
5526 stockings
5527 fould
5528 ungarterd
5529 gyved
5530 ancle
5531 purport
5532 loosed
5533 horrors
5534 wrist
5535 perusal
5536 sigh
5537 profound
5538 shatter
5539 helps
5540 ecstasy
5541 violent
5542 fordoes
5543 undertakings
5544 repel
5545 access
5546 quoted
5547 trifle
5548 wreck
5549 beshrew
5550 jealousy
5551 sending
5552 transformation
5553 sith
5554 exterior
5555 resembles
5556 neighbourd
5557 gather
5558 glean
5559 afflicts
5560 opend
5561 remedy
5562 adheres
5563 gentry
5564 expend
5565 supply
5566 visitation
5567 majesties
5568 changed
5569 practises
5570 pleasant
5571 helpful
5572 joyfully
5573 liege
5574 hunts
5575 lunacy
5576 admittance
5577 fruit
5578 distemper
5579 oerhasty
5580 sift
5581 polack
5582 whereat
5583 impotence
5584 falsely
5585 arrests
5586 obeys
5587 receives
5588 assay
5589 overcome
5590 annual
5591 commission
5592 levied
5593 dominions
5594 allowance
5595 expostulate
5596 brevity
5597 tediousness
5598 flourishes
5599 define
5600 defective
5601 remainder
5602 perpend
5603 surmise
5604 idol
5605 beautified
5606 reckon
5607 groans
5608 evermore
5609 machine
5610 solicitings
5611 desk
5612 winking
5613 mute
5614 bespeak
5615 fruits
5616 repulsed
5617 sadness
5618 declension
5619 raves
5620 id
5621 positively
5622 circumstances
5623 centre
5624 lobby
5625 arras
5626 farm
5627 carters
5628 sadly
5629 fishmonger
5630 picked
5631 maggots
5632 conception
5633 extremity
5634 slanders
5635 satirical
5636 beards
5637 purging
5638 amber
5639 plum
5640 tree
5641 gum
5642 plentiful
5643 hams
5644 powerfully
5645 potently
5646 crab
5647 backward
5648 sanity
5649 prosperously
5650 delivered
5651 tedious
5652 honoured
5653 button
5654 shoe
5655 waist
5656 privates
5657 strumpet
5658 denmarks
5659 wards
5660 dungeons
5661 bounded
5662 nut
5663 airy
5664 outstretched
5665 heroes
5666 fay
5667 dreadfully
5668 halfpenny
5669 inclining
5670 justly
5671 confession
5672 modesties
5673 craft
5674 rights
5675 consonancy
5676 preserved
5677 proposer
5678 anticipation
5679 discovery
5680 moult
5681 forgone
5682 exercises
5683 heavily
5684 oerhanging
5685 congregation
5686 vapours
5687 faculty
5688 admirable
5689 apprehension
5690 animals
5691 quintessence
5692 lenten
5693 coted
5694 tribute
5695 adventurous
5696 knight
5697 foil
5698 gratis
5699 humourous
5700 lungs
5701 tickled
5702 sere
5703 blank
5704 verse
5705 tragedians
5706 residence
5707 inhibition
5708 innovation
5709 estimation
5710 rusty
5711 wonted
5712 aery
5713 eyases
5714 tyrannically
5715 berattle
5716 stages
5717 wearing
5718 rapiers
5719 goose
5720 maintains
5721 escoted
5722 writers
5723 exclaim
5724 succession
5725 nation
5726 tarre
5727 player
5728 cuffs
5729 mows
5730 ducats
5731 picture
5732 sblood
5733 appurtenance
5734 comply
5735 garb
5736 extent
5737 aunt
5738 southerly
5739 hawk
5740 handsaw
5741 hearer
5742 swaddling
5743 monday
5744 roscius
5745 buz
5746 tragedy
5747 comedy
5748 pastoral
5749 comical
5750 historical
5751 tragical
5752 individable
5753 poem
5754 unlimited
5755 seneca
5756 plautus
5757 jephthah
5758 israel
5759 wot
5760 row
5761 chanson
5762 abridgement
5763 valenced
5764 byr
5765 ladyship
5766 altitude
5767 chopine
5768 apiece
5769 uncurrent
5770 cracked
5771 french
5772 falconers
5773 passionate
5774 caviare
5775 scenes
5776 sallets
5777 savoury
5778 indict
5779 affectation
5780 thereabout
5781 priams
5782 line
5783 rugged
5784 pyrrhus
5785 hyrcanian
5786 resemble
5787 couched
5788 ominous
5789 smeard
5790 dismal
5791 total
5792 gules
5793 trickd
5794 daughters
5795 impasted
5796 parching
5797 tyrannous
5798 sized
5799 coagulate
5800 gore
5801 carbuncles
5802 hellish
5803 grandsire
5804 priam
5805 fore
5806 accent
5807 striking
5808 greeks
5809 antique
5810 rebellious
5811 repugnant
5812 matchd
5813 whiff
5814 unnerved
5815 ilium
5816 flaming
5817 stoops
5818 crash
5819 milky
5820 reverend
5821 stick
5822 neutral
5823 region
5824 aroused
5825 vengeance
5826 sets
5827 cyclops
5828 marss
5829 eterne
5830 spokes
5831 fellies
5832 nave
5833 fiends
5834 barbers
5835 jig
5836 bawdry
5837 hecuba
5838 mobled
5839 barefoot
5840 bisson
5841 clout
5842 lank
5843 teemed
5844 blanket
5845 alarm
5846 pronounced
5847 mincing
5848 clamour
5849 milch
5850 burning
5851 bestowed
5852 chronicles
5853 epitaph
5854 desert
5855 bodykins
5856 whipping
5857 gonzago
5858 dozen
5859 sixteen
5860 insert
5861 peasant
5862 fiction
5863 wannd
5864 function
5865 suiting
5866 cue
5867 appal
5868 muddy
5869 mettled
5870 peak
5871 john
5872 unpregnant
5873 breaks
5874 pate
5875 plucks
5876 tweaks
5877 swounds
5878 pigeon
5879 liverd
5880 gall
5881 fatted
5882 bawdy
5883 remorseless
5884 treacherous
5885 lecherous
5886 kindless
5887 prompted
5888 unpack
5889 cursing
5890 drab
5891 scullion
5892 foh
5893 malefactions
5894 miraculous
5895 organ
5896 blench
5897 abuses
5898 grounds
5899 relative
5900 grating
5901 harshly
5902 turbulent
5903 feels
5904 crafty
5905 aloof
5906 forcing
5907 pastime
5908 beseechd
5909 inclined
5910 closely
5911 accident
5912 affront
5913 espials
5914 frankly
5915 behaved
5916 affliction
5917 beauties
5918 loneliness
5919 devotions
5920 sugar
5921 smart
5922 lash
5923 harlots
5924 beautied
5925 plastering
5926 withdraw
5927 slings
5928 arrows
5929 outrageous
5930 opposing
5931 ache
5932 shocks
5933 heir
5934 consummation
5935 devoutly
5936 rub
5937 shuffled
5938 coil
5939 calamity
5940 whips
5941 scorns
5942 oppressors
5943 contumely
5944 pangs
5945 despised
5946 laws
5947 quietus
5948 bare
5949 bodkin
5950 fardels
5951 grunt
5952 undiscoverd
5953 traveller
5954 returns
5955 puzzles
5956 hue
5957 sicklied
5958 enterprises
5959 currents
5960 nymph
5961 orisons
5962 sins
5963 rememberd
5964 remembrances
5965 longed
5966 composed
5967 givers
5968 unkind
5969 commerce
5970 sooner
5971 bawd
5972 translate
5973 likeness
5974 paradox
5975 believed
5976 inoculate
5977 stock
5978 relish
5979 nunnery
5980 breeder
5981 sinners
5982 revengeful
5983 crawling
5984 shut
5985 dowry
5986 calumny
5987 monsters
5988 restore
5989 paintings
5990 amble
5991 lisp
5992 nick
5993 wantonness
5994 marriages
5995 expectancy
5996 mould
5997 observers
5998 deject
5999 suckd
6000 bells
6001 jangled
6002 unmatchd
6003 brood
6004 determination
6005 england
6006 seas
6007 countries
6008 variable
6009 expel
6010 settled
6011 commencement
6012 sprung
6013 unwatchd
6014 hall
6015 trippingly
6016 town
6017 crier
6018 whirlwind
6019 beget
6020 smoothness
6021 offends
6022 robustious
6023 periwig
6024 pated
6025 tatters
6026 rags
6027 groundlings
6028 capable
6029 inexplicable
6030 dumbshows
6031 whipped
6032 oerdoing
6033 termagant
6034 tame
6035 tutor
6036 special
6037 oerstep
6038 overdone
6039 mirror
6040 pressure
6041 unskilful
6042 judicious
6043 oerweigh
6044 highly
6045 profanely
6046 christians
6047 christian
6048 pagan
6049 strutted
6050 bellowed
6051 journeymen
6052 imitated
6053 abominably
6054 reformed
6055 reform
6056 altogether
6057 quantity
6058 spectators
6059 considered
6060 villanous
6061 coped
6062 advancement
6063 clothe
6064 candied
6065 lick
6066 crook
6067 hinges
6068 distinguish
6069 election
6070 buffets
6071 commingled
6072 pipe
6073 finger
6074 core
6075 occulted
6076 guilt
6077 unkennel
6078 imaginations
6079 vulcans
6080 stithy
6081 heedful
6082 rivet
6083 detecting
6084 theft
6085 danish
6086 fares
6087 chameleons
6088 crammed
6089 capons
6090 played
6091 university
6092 accounted
6093 enact
6094 killed
6095 capital
6096 calf
6097 attractive
6098 ophelias
6099 maker
6100 cheerfully
6101 sables
6102 ago
6103 build
6104 churches
6105 hobby
6106 enters
6107 lovingly
6108 protestation
6109 declines
6110 lays
6111 bank
6112 pours
6113 poisoner
6114 mutes
6115 wooes
6116 unwilling
6117 accepts
6118 miching
6119 mallecho
6120 imports
6121 stooping
6122 clemency
6123 patiently
6124 posy
6125 cart
6126 tellus
6127 orbed
6128 borrowd
6129 sheen
6130 thirties
6131 hymen
6132 unite
6133 commutual
6134 journeys
6135 littlest
6136 doubts
6137 operant
6138 functions
6139 accurst
6140 wed
6141 wormwood
6142 respects
6143 validity
6144 unripe
6145 unshaken
6146 mellow
6147 ending
6148 enactures
6149 destroy
6150 joys
6151 grieves
6152 slender
6153 aye
6154 favourite
6155 advanced
6156 seasons
6157 orderly
6158 contrary
6159 devices
6160 anchors
6161 blanks
6162 deeply
6163 mischance
6164 protests
6165 jest
6166 trap
6167 tropically
6168 vienna
6169 dukes
6170 baptista
6171 knavish
6172 jade
6173 wince
6174 withers
6175 unwrung
6176 chorus
6177 interpret
6178 puppets
6179 dallying
6180 keen
6181 murderer
6182 pox
6183 damnable
6184 croaking
6185 raven
6186 bellow
6187 agreeing
6188 confederate
6189 mixture
6190 collected
6191 hecates
6192 ban
6193 infected
6194 dire
6195 usurp
6196 poisons
6197 fors
6198 estate
6199 extant
6200 italian
6201 gonzagos
6202 ungalled
6203 turk
6204 provincial
6205 roses
6206 razed
6207 damon
6208 realm
6209 dismantled
6210 reigns
6211 pajock
6212 rhymed
6213 pound
6214 poisoning
6215 recorders
6216 perdy
6217 retirement
6218 distempered
6219 doctor
6220 purgation
6221 plunge
6222 wildly
6223 pronounce
6224 wits
6225 diseased
6226 amazement
6227 sequel
6228 pickers
6229 stealers
6230 surely
6231 bar
6232 grass
6233 proverb
6234 musty
6235 unmannerly
6236 ventages
6237 lingers
6238 thumb
6239 eloquent
6240 stops
6241 harmony
6242 skill
6243 mystery
6244 easier
6245 camel
6246 weasel
6247 backed
6248 whale
6249 witching
6250 churchyards
6251 yawn
6252 breathes
6253 quake
6254 nero
6255 hypocrites
6256 soever
6257 shent
6258 seals
6259 forthwith
6260 lunacies
6261 religious
6262 peculiar
6263 noyance
6264 weal
6265 gulf
6266 massy
6267 highest
6268 mortised
6269 adjoind
6270 annexment
6271 attends
6272 boisterous
6273 speedy
6274 footed
6275 tax
6276 partial
6277 oerhear
6278 smells
6279 eldest
6280 defeats
6281 thicker
6282 confront
6283 forestalled
6284 pardond
6285 retain
6286 shove
6287 buys
6288 shuffling
6289 rests
6290 repentance
6291 limed
6292 struggling
6293 newborn
6294 babe
6295 retires
6296 pat
6297 scannd
6298 hire
6299 salary
6300 bread
6301 audit
6302 seasond
6303 passage
6304 hent
6305 salvation
6306 trip
6307 kick
6308 physic
6309 prolongs
6310 rising
6311 margaret
6312 pranks
6313 screend
6314 sconce
6315 rood
6316 inmost
6317 rat
6318 ducat
6319 lifts
6320 array
6321 discovers
6322 intruding
6323 findst
6324 wringing
6325 penetrable
6326 brassd
6327 bulwark
6328 wag
6329 blurs
6330 hypocrite
6331 blister
6332 dicers
6333 contraction
6334 rhapsody
6335 solidity
6336 compound
6337 tristful
6338 index
6339 counterfeit
6340 presentment
6341 hyperions
6342 curls
6343 herald
6344 combination
6345 mildewd
6346 blasting
6347 batten
6348 moor
6349 hey
6350 waits
6351 step
6352 apoplexd
6353 err
6354 thralld
6355 cozend
6356 hoodman
6357 blind
6358 feeling
6359 smelling
6360 sans
6361 mope
6362 mutine
6363 matrons
6364 compulsive
6365 ardour
6366 frost
6367 actively
6368 panders
6369 turnst
6370 grained
6371 enseamed
6372 honeying
6373 nasty
6374 twentieth
6375 tithe
6376 cutpurse
6377 shelf
6378 shreds
6379 patches
6380 hover
6381 guards
6382 lapsed
6383 important
6384 blunted
6385 weakest
6386 works
6387 incorporal
6388 bedded
6389 excrements
6390 sprinkle
6391 glares
6392 conjoind
6393 preaching
6394 convert
6395 stern
6396 steals
6397 portal
6398 coinage
6399 bodiless
6400 creation
6401 pulse
6402 temperately
6403 utterd
6404 test
6405 gambol
6406 mattering
6407 unction
6408 trespass
6409 skin
6410 film
6411 ulcerous
6412 mining
6413 spread
6414 compost
6415 ranker
6416 fatness
6417 pursy
6418 curb
6419 woo
6420 cleft
6421 purer
6422 uncles
6423 habits
6424 likewise
6425 frock
6426 aptly
6427 refrain
6428 easiness
6429 abstinence
6430 potency
6431 desirous
6432 blessd
6433 bloat
6434 reechy
6435 paddling
6436 ravel
6437 essentially
6438 paddock
6439 bat
6440 gib
6441 concernings
6442 unpeg
6443 ape
6444 creep
6445 schoolfellows
6446 adders
6447 fangd
6448 marshal
6449 knavery
6450 engineer
6451 petard
6452 delve
6453 yard
6454 crafts
6455 packing
6456 lug
6457 guts
6458 neighbour
6459 counsellor
6460 prating
6461 dragging
6462 heaves
6463 rapier
6464 brainish
6465 restraind
6466 owner
6467 disease
6468 divulging
6469 ore
6470 mineral
6471 metals
6472 mountains
6473 draggd
6474 chapel
6475 untimely
6476 diameter
6477 transports
6478 miss
6479 hit
6480 woundless
6481 discord
6482 dismay
6483 stowed
6484 compounded
6485 demanded
6486 sponge
6487 soaks
6488 authorities
6489 jaw
6490 mouthed
6491 swallowed
6492 gleaned
6493 squeezing
6494 dry
6495 fox
6496 offenders
6497 deliberate
6498 appliance
6499 befalln
6500 guarded
6501 eaten
6502 convocation
6503 politic
6504 dishes
6505 cat
6506 stairs
6507 especial
6508 quickness
6509 associates
6510 cherub
6511 leans
6512 holdst
6513 thereof
6514 cicatrice
6515 congruing
6516 hectic
6517 rages
6518 cure
6519 howeer
6520 haps
6521 conveyance
6522 rendezvous
6523 poland
6524 frontier
6525 garrisond
6526 straw
6527 imposthume
6528 wealth
6529 occasions
6530 capability
6531 fust
6532 unused
6533 bestial
6534 craven
6535 scruple
6536 precisely
6537 event
6538 examples
6539 exhort
6540 exposing
6541 unsure
6542 excitements
6543 tomb
6544 importunate
6545 hems
6546 enviously
6547 unshaped
6548 hearers
6549 collection
6550 botch
6551 winks
6552 nods
6553 gestures
6554 unhappily
6555 conjectures
6556 artless
6557 spills
6558 spilt
6559 sings
6560 cockle
6561 sandal
6562 shoon
6563 turf
6564 shroud
6565 larded
6566 bewept
6567 ild
6568 owl
6569 bakers
6570 valentines
6571 valentine
6572 clothes
6573 duppd
6574 departed
6575 gis
6576 charity
6577 tumbled
6578 coach
6579 springs
6580 battalions
6581 muddied
6582 unwholesome
6583 greenly
6584 hugger
6585 mugger
6586 inter
6587 pictures
6588 buzzers
6589 infect
6590 arraign
6591 murdering
6592 switzers
6593 overpeering
6594 flats
6595 impetuous
6596 oerbears
6597 rabble
6598 antiquity
6599 ratifiers
6600 props
6601 applaud
6602 counter
6603 broke
6604 danes
6605 calmly
6606 unsmirched
6607 rebellion
6608 giant
6609 divinity
6610 incensed
6611 juggled
6612 blackest
6613 profoundest
6614 damnation
6615 negligence
6616 certainty
6617 swoopstake
6618 winner
6619 loser
6620 rendering
6621 pelican
6622 repast
6623 guiltless
6624 beam
6625 moral
6626 instance
6627 bore
6628 barefaced
6629 bier
6630 nonny
6631 steward
6632 nothings
6633 rosemary
6634 pansies
6635 document
6636 fitted
6637 fennel
6638 columbines
6639 rue
6640 herb
6641 sundays
6642 daisy
6643 violets
6644 withered
6645 bonny
6646 robin
6647 prettiness
6648 flaxen
6649 poll
6650 moan
6651 commune
6652 collateral
6653 jointly
6654 due
6655 obscure
6656 trophy
6657 hatchment
6658 rite
6659 callt
6660 axe
6661 greeted
6662 sailor
6663 overlooked
6664 pirate
6665 compelled
6666 boarded
6667 knowest
6668 speedier
6669 acquaintance
6670 crimeful
6671 unsinewd
6672 conjunctive
6673 gender
6674 dipping
6675 turneth
6676 gyves
6677 slightly
6678 timberd
6679 reverted
6680 aimd
6681 challenger
6682 perfections
6683 claudio
6684 thereunto
6685 postscript
6686 warms
6687 didest
6688 oerrule
6689 checking
6690 undertake
6691 device
6692 uncharge
6693 unworthiest
6694 siege
6695 riband
6696 careless
6697 graveness
6698 normandy
6699 ive
6700 horseback
6701 incorpsed
6702 natured
6703 toppd
6704 forgery
6705 norman
6706 lamond
6707 brooch
6708 masterly
6709 defence
6710 scrimers
6711 envenom
6712 painting
6713 passages
6714 qualifies
6715 wick
6716 snuff
6717 abate
6718 plurisy
6719 abatements
6720 delays
6721 spendthrift
6722 easing
6723 ulcer
6724 church
6725 sanctuarize
6726 bounds
6727 excellence
6728 varnish
6729 frenchman
6730 wager
6731 remiss
6732 peruse
6733 foils
6734 unbated
6735 anoint
6736 bought
6737 mountebank
6738 cataplasm
6739 simples
6740 convenience
6741 assayd
6742 cunnings
6743 bouts
6744 chalice
6745 nonce
6746 sipping
6747 venomd
6748 willow
6749 aslant
6750 brook
6751 hoar
6752 glassy
6753 fantastic
6754 crow
6755 nettles
6756 daisies
6757 purples
6758 shepherds
6759 grosser
6760 boughs
6761 coronet
6762 clambering
6763 sliver
6764 weedy
6765 chanted
6766 snatches
6767 tunes
6768 incapable
6769 distress
6770 indued
6771 garments
6772 melodious
6773 douts
6774 churchyard
6775 spades
6776 wilfully
6777 crowner
6778 drowned
6779 se
6780 offendendo
6781 wittingly
6782 argues
6783 branches
6784 argal
6785 goodman
6786 delver
6787 nill
6788 drowns
6789 shortens
6790 crowners
6791 quest
6792 gentlewoman
6793 folk
6794 spade
6795 ancient
6796 gardeners
6797 ditchers
6798 makers
6799 adams
6800 heathen
6801 scripture
6802 adam
6803 digged
6804 dig
6805 answerest
6806 mason
6807 shipwright
6808 gallows
6809 outlives
6810 tenants
6811 unyoke
6812 distance
6813 cudgel
6814 asked
6815 yaughan
6816 stoup
6817 liquor
6818 digs
6819 contract
6820 behove
6821 employment
6822 daintier
6823 stealing
6824 steps
6825 clawd
6826 clutch
6827 shipped
6828 intil
6829 skull
6830 jowls
6831 cains
6832 bone
6833 politician
6834 circumvent
6835 chapless
6836 knocked
6837 mazzard
6838 sextons
6839 loggats
6840 pick
6841 shrouding
6842 sheet
6843 lawyer
6844 quiddities
6845 quillets
6846 cases
6847 tenures
6848 knock
6849 dirty
6850 shovel
6851 hum
6852 buyer
6853 statutes
6854 recognizances
6855 fines
6856 vouchers
6857 recoveries
6858 recovery
6859 dirt
6860 vouch
6861 purchases
6862 indentures
6863 conveyances
6864 box
6865 inheritor
6866 sheepskins
6867 skins
6868 calves
6869 liest
6870 card
6871 equivocation
6872 gaffs
6873 kibe
6874 strangely
6875 sexton
6876 pocky
6877 corses
6878 tanner
6879 tanned
6880 decayer
6881 lain
6882 poured
6883 flagon
6884 yoricks
6885 jester
6886 yorick
6887 abhorred
6888 gorge
6889 rims
6890 kissed
6891 gibes
6892 gambols
6893 flashes
6894 merriment
6895 grinning
6896 chap
6897 fallen
6898 ladys
6899 smelt
6900 pah
6901 trace
6902 stopping
6903 bung
6904 curiously
6905 likelihood
6906 returneth
6907 loam
6908 converted
6909 beer
6910 barrel
6911 wall
6912 procession
6913 mourners
6914 maimed
6915 betoken
6916 fordo
6917 retiring
6918 obsequies
6919 enlarged
6920 warrantise
6921 oersways
6922 unsanctified
6923 lodged
6924 flints
6925 pebbles
6926 thrown
6927 virgin
6928 crants
6929 strewments
6930 profane
6931 requiem
6932 unpolluted
6933 churlish
6934 ministering
6935 howling
6936 scattering
6937 hoped
6938 bride
6939 ingenious
6940 deprived
6941 leaps
6942 pile
6943 oertop
6944 pelion
6945 skyish
6946 advancing
6947 conjures
6948 wandering
6949 grappling
6950 prayst
6951 splenitive
6952 wiseness
6953 asunder
6954 eyelids
6955 thoult
6956 eisel
6957 outface
6958 leaping
6959 prate
6960 acres
6961 singeing
6962 zone
6963 ossa
6964 wart
6965 rant
6966 female
6967 couplets
6968 drooping
6969 mew
6970 mutines
6971 bilboes
6972 rashly
6973 indiscretion
6974 plots
6975 pall
6976 rough
6977 scarfd
6978 groped
6979 fingerd
6980 packet
6981 withdrew
6982 forgetting
6983 unseal
6984 exact
6985 sorts
6986 englands
6987 bugs
6988 goblins
6989 supervise
6990 bated
6991 grinding
6992 netted
6993 villanies
6994 statists
6995 yeomans
6996 conjuration
6997 tributary
6998 wheaten
6999 comma
7000 amities
7001 ases
7002 contents
7003 debatement
7004 shriving
7005 ordinant
7006 signet
7007 model
7008 folded
7009 subscribed
7010 gavet
7011 impression
7012 changeling
7013 sequent
7014 insinuation
7015 opposites
7016 whored
7017 poppd
7018 cozenage
7019 portraiture
7020 towering
7021 crib
7022 mess
7023 chough
7024 diligence
7025 bonnet
7026 northerly
7027 sultry
7028 exceedingly
7029 differences
7030 society
7031 showing
7032 feelingly
7033 definement
7034 perdition
7035 inventorially
7036 dizzy
7037 arithmetic
7038 yaw
7039 verity
7040 extolment
7041 infusion
7042 rareness
7043 diction
7044 umbrage
7045 infallibly
7046 concernancy
7047 wrap
7048 rawer
7049 nomination
7050 weapon
7051 imputation
7052 meed
7053 unfellowed
7054 wagered
7055 barbary
7056 imponed
7057 poniards
7058 assigns
7059 girdle
7060 hangers
7061 carriages
7062 responsive
7063 edified
7064 margent
7065 german
7066 passes
7067 lapwing
7068 sucked
7069 bevy
7070 dressy
7071 dotes
7072 yesty
7073 winnowed
7074 bubbles
7075 fitness
7076 whensoever
7077 instructs
7078 continual
7079 forestall
7080 augury
7081 sparrow
7082 readiness
7083 pardont
7084 punishd
7085 exception
7086 denies
7087 disclaiming
7088 arrow
7089 reconcilement
7090 ungored
7091 darkest
7092 betterd
7093 exchange
7094 union
7095 successive
7096 cannoneer
7097 cannons
7098 dunks
7099 judges
7100 palpable
7101 bout
7102 napkin
7103 thinkt
7104 dally
7105 scuffling
7106 woodcock
7107 springe
7108 treachery
7109 envenomd
7110 potion
7111 forgiveness
7112 sergeant
7113 arrest
7114 livest
7115 aright
7116 unsatisfied
7117 felicity
7118 occurrents
7119 solicited
7120 cracks
7121 flights
7122 quarry
7123 cell
7124 bloodily
7125 fulfilld
7126 ability
7127 unknowing
7128 carnal
7129 casual
7130 slaughters
7131 upshot
7132 inventors
7133 claim
7134 happen
7135 royally
7136 loudly
7137 shoot
7138 peal
7139 households
7140 verona
7141 unclean
7142 misadventured
7143 overthrows
7144 parents
7145 continuance
7146 childrens
7147 traffic
7148 sampson
7149 gregory
7150 capulet
7151 bucklers
7152 coals
7153 colliers
7154 collar
7155 montague
7156 runnst
7157 montagues
7158 thrust
7159 maidenheads
7160 tool
7161 frown
7162 abraham
7163 balthasar
7164 kinsmen
7165 swashing
7166 benvolio
7167 tybalt
7168 heartless
7169 clubs
7170 partisans
7171 capulets
7172 crutch
7173 blade
7174 subjects
7175 profaners
7176 stained
7177 quench
7178 fountains
7179 issuing
7180 mistemperd
7181 brawls
7182 disturbd
7183 veronas
7184 beseeming
7185 ornaments
7186 wield
7187 cankerd
7188 disturb
7189 abroach
7190 adversary
7191 swung
7192 hissd
7193 interchanging
7194 thrusts
7195 romeo
7196 worshippd
7197 peerd
7198 grove
7199 sycamore
7200 rooteth
7201 ware
7202 measuring
7203 busied
7204 theyre
7205 pursuing
7206 shunnd
7207 augmenting
7208 adding
7209 cheering
7210 furthest
7211 shady
7212 curtains
7213 auroras
7214 pens
7215 shuts
7216 daylight
7217 artificial
7218 bud
7219 bit
7220 dedicate
7221 grievance
7222 shrift
7223 lengthens
7224 romeos
7225 muffled
7226 pathways
7227 brawling
7228 create
7229 vanity
7230 mis
7231 shapen
7232 chaos
7233 waking
7234 coz
7235 transgression
7236 propagate
7237 prest
7238 fume
7239 sparkling
7240 vexd
7241 nourishd
7242 discreet
7243 choking
7244 preserving
7245 supposed
7246 dians
7247 childish
7248 unharmd
7249 bide
7250 assailing
7251 seducing
7252 sparing
7253 starved
7254 severity
7255 posterity
7256 forsworn
7257 examine
7258 exquisite
7259 masks
7260 eyesight
7261 penalty
7262 hopeful
7263 accustomd
7264 treading
7265 apparelld
7266 limping
7267 inherit
7268 trudge
7269 shoemaker
7270 tailor
7271 fisher
7272 pencil
7273 painter
7274 nets
7275 learned
7276 lessend
7277 anguish
7278 giddy
7279 holp
7280 cures
7281 infection
7282 plaintain
7283 shin
7284 tormented
7285 den
7286 gi
7287 language
7288 honestly
7289 signior
7290 martino
7291 county
7292 anselme
7293 vitravio
7294 placentio
7295 lovely
7296 nieces
7297 mercutio
7298 niece
7299 rosaline
7300 valentio
7301 lucio
7302 lively
7303 helena
7304 crush
7305 sups
7306 unattainted
7307 swan
7308 devout
7309 transparent
7310 heretics
7311 liars
7312 poised
7313 crystal
7314 shining
7315 splendor
7316 maidenhead
7317 ladybird
7318 juliet
7319 thous
7320 lammas
7321 fortnight
7322 eve
7323 susan
7324 earthquake
7325 weand
7326 mantua
7327 nipple
7328 tetchy
7329 trow
7330 waddled
7331 jule
7332 holidame
7333 stinted
7334 bump
7335 cockerels
7336 parlous
7337 bitterly
7338 fallst
7339 stint
7340 prettiest
7341 nursed
7342 teat
7343 esteem
7344 summer
7345 beautys
7346 pen
7347 lineament
7348 obscured
7349 unbound
7350 beautify
7351 cover
7352 manys
7353 clasps
7354 bigger
7355 liking
7356 endart
7357 guests
7358 pantry
7359 maskers
7360 apology
7361 date
7362 prolixity
7363 cupid
7364 hoodwinkd
7365 scarf
7366 tartars
7367 lath
7368 scaring
7369 keeper
7370 faintly
7371 prompter
7372 ambling
7373 nimble
7374 stakes
7375 enpierced
7376 shaft
7377 burden
7378 pricks
7379 thorn
7380 pricking
7381 visor
7382 quote
7383 deformities
7384 betake
7385 wantons
7386 tickle
7387 rushes
7388 proverbd
7389 candle
7390 holder
7391 duns
7392 constables
7393 dun
7394 mire
7395 stickst
7396 dreamers
7397 mab
7398 fairies
7399 midwife
7400 agate
7401 alderman
7402 team
7403 atomies
7404 athwart
7405 noses
7406 wagon
7407 spiders
7408 grasshoppers
7409 traces
7410 web
7411 collars
7412 moonshines
7413 watery
7414 beams
7415 crickets
7416 wagoner
7417 coated
7418 gnat
7419 lazy
7420 hazel
7421 joiner
7422 squirrel
7423 grub
7424 coachmakers
7425 gallops
7426 lawyers
7427 fees
7428 blisters
7429 plagues
7430 sweetmeats
7431 tainted
7432 pigs
7433 tail
7434 tickling
7435 parsons
7436 benefice
7437 driveth
7438 cutting
7439 breaches
7440 ambuscadoes
7441 spanish
7442 blades
7443 healths
7444 fathom
7445 wakes
7446 swears
7447 plats
7448 manes
7449 bakes
7450 elflocks
7451 sluttish
7452 untangled
7453 misfortune
7454 hag
7455 presses
7456 learns
7457 talkst
7458 begot
7459 inconstant
7460 frozen
7461 puffs
7462 misgives
7463 hanging
7464 expire
7465 closed
7466 steerage
7467 musicians
7468 waiting
7469 servingmen
7470 potpan
7471 scrape
7472 unwashed
7473 stools
7474 cupboard
7475 marchpane
7476 porter
7477 grindstone
7478 nell
7479 cheerly
7480 brisk
7481 toes
7482 unplagued
7483 corns
7484 mistresses
7485 dainty
7486 whispering
7487 unlookd
7488 nuptials
7489 lucentio
7490 pentecost
7491 maskd
7492 ward
7493 servingman
7494 enrich
7495 ethiopes
7496 snowy
7497 trooping
7498 forswear
7499 fleer
7500 kinsman
7501 portly
7502 brags
7503 disparagement
7504 endured
7505 scathe
7506 princox
7507 wilful
7508 intrusion
7509 shrine
7510 blushing
7511 pilgrims
7512 pilgrim
7513 mannerly
7514 saints
7515 palmers
7516 chinks
7517 unrest
7518 tiberio
7519 petrucio
7520 loathed
7521 danced
7522 strangers
7523 gapes
7524 groand
7525 betwitched
7526 complain
7527 hooks
7528 tempering
7529 extreme
7530 lane
7531 climbs
7532 leapd
7533 gossip
7534 purblind
7535 cophetua
7536 heareth
7537 stirreth
7538 moveth
7539 rosalines
7540 scarlet
7541 leg
7542 quivering
7543 demesnes
7544 letting
7545 invocation
7546 mistres
7547 humorous
7548 medlar
7549 medlars
7550 caetera
7551 poperin
7552 pear
7553 truckle
7554 discourses
7555 fairest
7556 twinkle
7557 brightness
7558 glove
7559 glorious
7560 winged
7561 upturned
7562 wondering
7563 mortals
7564 bestrides
7565 pacing
7566 belonging
7567 owes
7568 doff
7569 baptized
7570 bescreend
7571 stumblest
7572 camest
7573 climb
7574 perch
7575 limits
7576 prorogued
7577 wanting
7578 direction
7579 foundst
7580 pilot
7581 washd
7582 adventure
7583 bepaint
7584 swearst
7585 perjuries
7586 laughs
7587 faithfully
7588 perverse
7589 overheardst
7590 impute
7591 tips
7592 monthly
7593 circled
7594 idolatry
7595 unadvised
7596 ripening
7597 frank
7598 boundless
7599 flattering
7600 substantial
7601 procure
7602 schoolboys
7603 hist
7604 lure
7605 tassel
7606 hoarse
7607 cave
7608 echo
7609 repetition
7610 softest
7611 remembering
7612 twisted
7613 silk
7614 thread
7615 cherishing
7616 ghostly
7617 friar
7618 laurences
7619 laurence
7620 frowning
7621 chequering
7622 streaks
7623 flecked
7624 drunkard
7625 titans
7626 osier
7627 cage
7628 baleful
7629 juiced
7630 burying
7631 sucking
7632 mickle
7633 herbs
7634 straind
7635 revolts
7636 stumbling
7637 misapplied
7638 dignified
7639 infant
7640 rind
7641 cheers
7642 tasted
7643 slays
7644 encamp
7645 predominant
7646 benedicite
7647 saluteth
7648 distemperd
7649 lodges
7650 unbruised
7651 unstuffd
7652 reign
7653 earliness
7654 roused
7655 distemperature
7656 sweeter
7657 remedies
7658 hatred
7659 intercession
7660 homely
7661 riddling
7662 plainly
7663 combine
7664 francis
7665 forsaken
7666 jesu
7667 maria
7668 sallow
7669 clears
7670 woes
7671 chidst
7672 pupil
7673 badst
7674 waverer
7675 rancour
7676 stumble
7677 torments
7678 wenchs
7679 pin
7680 butt
7681 cats
7682 compliments
7683 proportion
7684 minim
7685 butcher
7686 duellist
7687 passado
7688 punto
7689 reverso
7690 hai
7691 lisping
7692 affecting
7693 fantasticoes
7694 tuners
7695 lamentable
7696 afflicted
7697 mongers
7698 perdona
7699 roe
7700 herring
7701 fishified
7702 petrarch
7703 flowed
7704 laura
7705 kitchen
7706 dowdy
7707 helen
7708 hero
7709 hildings
7710 thisbe
7711 bon
7712 jour
7713 slop
7714 constrains
7715 courtsy
7716 exposition
7717 pump
7718 flowered
7719 singular
7720 soled
7721 solely
7722 singleness
7723 switch
7724 sweeting
7725 cheveril
7726 stretches
7727 ell
7728 sociable
7729 drivelling
7730 lolling
7731 bauble
7732 desirest
7733 depth
7734 occupy
7735 gear
7736 peter
7737 dial
7738 troth
7739 youngest
7740 indite
7741 hare
7742 pie
7743 hoars
7744 singing
7745 ropery
7746 lustier
7747 jacks
7748 scurvy
7749 flirt
7750 gills
7751 skains
7752 mates
7753 afore
7754 quivers
7755 paradise
7756 dealing
7757 gentlemanlike
7758 shrived
7759 penny
7760 abbey
7761 cords
7762 tackled
7763 stair
7764 trusty
7765 nobleman
7766 toad
7767 properer
7768 versal
7769 mocker
7770 sententious
7771 lame
7772 glide
7773 suns
7774 driving
7775 louring
7776 doves
7777 highmost
7778 ball
7779 bandy
7780 folks
7781 feign
7782 unwieldy
7783 jaunt
7784 excels
7785 talked
7786 dined
7787 aches
7788 jaunting
7789 oddly
7790 repliest
7791 poultice
7792 aching
7793 henceforward
7794 messages
7795 nest
7796 drudge
7797 countervail
7798 devouring
7799 consume
7800 deliciousness
7801 confounds
7802 moderately
7803 arrives
7804 gossamer
7805 idles
7806 confessor
7807 sweeten
7808 musics
7809 imagined
7810 ornament
7811 excess
7812 page
7813 brawl
7814 tavern
7815 drawer
7816 cracking
7817 nuts
7818 spy
7819 fun
7820 quarrels
7821 addle
7822 quarrelled
7823 coughing
7824 wakened
7825 easter
7826 tying
7827 consortst
7828 consort
7829 minstrels
7830 discords
7831 fiddlestick
7832 zounds
7833 grievances
7834 follower
7835 afford
7836 appertaining
7837 injured
7838 submission
7839 alla
7840 stoccata
7841 catcher
7842 drybeat
7843 pitcher
7844 outrage
7845 expressly
7846 forbidden
7847 bandying
7848 sped
7849 peppered
7850 braggart
7851 ally
7852 behalf
7853 tybalts
7854 effeminate
7855 softend
7856 valours
7857 mercutios
7858 aspired
7859 respective
7860 lenity
7861 conduct
7862 gavest
7863 beginners
7864 truce
7865 unruly
7866 tilts
7867 retorts
7868 agile
7869 stout
7870 entertaind
7871 price
7872 concludes
7873 exile
7874 interest
7875 amerce
7876 pleading
7877 murders
7878 pardoning
7879 gallop
7880 steeds
7881 lodging
7882 phaethon
7883 cloudy
7884 curtain
7885 performing
7886 runaways
7887 wink
7888 untalkd
7889 agrees
7890 suited
7891 matron
7892 winning
7893 stainless
7894 maidenhoods
7895 hood
7896 unmannd
7897 bating
7898 whiter
7899 browd
7900 garish
7901 mansion
7902 enjoyd
7903 festival
7904 eloquence
7905 torment
7906 vowel
7907 cockatrice
7908 manly
7909 bedaubd
7910 bankrupt
7911 resign
7912 slaughterd
7913 flowering
7914 dragon
7915 beautiful
7916 fiend
7917 angelical
7918 featherd
7919 wolvish
7920 ravening
7921 divinest
7922 seemst
7923 bower
7924 deceit
7925 gorgeous
7926 perjured
7927 dissemblers
7928 aqua
7929 vitae
7930 blisterd
7931 mistaking
7932 needly
7933 rankd
7934 lamentations
7935 limit
7936 wailing
7937 banishment
7938 ropes
7939 exiled
7940 highway
7941 widowed
7942 enamourd
7943 wedded
7944 dooms
7945 bodys
7946 merciful
7947 purgatory
7948 termd
7949 calling
7950 cuttst
7951 smilest
7952 unthankfulness
7953 rushd
7954 courtship
7955 juliets
7956 howlings
7957 absolver
7958 professd
7959 mangle
7960 adversitys
7961 displant
7962 reverse
7963 prevails
7964 dispute
7965 murdered
7966 mightst
7967 unmade
7968 heartsick
7969 mist
7970 infold
7971 simpleness
7972 sympathy
7973 predicament
7974 blubbering
7975 spakest
7976 childhood
7977 cancelld
7978 gun
7979 anatomy
7980 sack
7981 unreasonable
7982 unseemly
7983 railst
7984 usurer
7985 aboundst
7986 usest
7987 bedeck
7988 digressing
7989 perjury
7990 vowd
7991 cherish
7992 misshapen
7993 skitless
7994 flask
7995 afire
7996 dismemberd
7997 blessings
7998 courts
7999 misbehaved
8000 poutst
8001 decreed
8002 reconcile
8003 wentst
8004 lamentation
8005 revived
8006 disguised
8007 sojourn
8008 unluckily
8009 mewd
8010 childs
8011 wednesday
8012 thursday
8013 earl
8014 ado
8015 lark
8016 pierced
8017 pomegranate
8018 severing
8019 candles
8020 tiptoe
8021 misty
8022 meteor
8023 exhales
8024 bearer
8025 needst
8026 mornings
8027 reflex
8028 cynthias
8029 vaulty
8030 straining
8031 unpleasing
8032 sharps
8033 divideth
8034 affray
8035 hunting
8036 goeth
8037 omit
8038 opportunity
8039 divining
8040 bottom
8041 fails
8042 fickle
8043 procures
8044 cousins
8045 weepst
8046 miles
8047 venge
8048 runagate
8049 receipt
8050 abhors
8051 named
8052 wreak
8053 needy
8054 sorted
8055 expectst
8056 peters
8057 drizzle
8058 sunset
8059 rains
8060 downright
8061 conduit
8062 showering
8063 counterfeitst
8064 ebb
8065 sailing
8066 raging
8067 overset
8068 tossed
8069 chop
8070 logic
8071 minion
8072 thankings
8073 prouds
8074 fettle
8075 joints
8076 drag
8077 hurdle
8078 baggage
8079 tallow
8080 disobedient
8081 hilding
8082 prudence
8083 smatter
8084 gossips
8085 mumbling
8086 parentage
8087 stuffd
8088 puling
8089 whining
8090 mammet
8091 starve
8092 bridal
8093 stratagems
8094 stealth
8095 dishclout
8096 speakest
8097 absolved
8098 dispraise
8099 slack
8100 uneven
8101 immoderately
8102 hastes
8103 inundation
8104 slowd
8105 text
8106 wrongst
8107 slanderd
8108 pensive
8109 strains
8110 hearst
8111 label
8112 experienced
8113 umpire
8114 arbitrating
8115 copest
8116 thievish
8117 lurk
8118 charnel
8119 reeky
8120 shanks
8121 yellow
8122 skulls
8123 unstaind
8124 drowsy
8125 surcease
8126 testify
8127 fade
8128 paly
8129 supple
8130 government
8131 continue
8132 uncoverd
8133 vault
8134 kindred
8135 cook
8136 unfurnished
8137 willd
8138 harlotry
8139 headstrong
8140 gadding
8141 behests
8142 enjoind
8143 ast
8144 provision
8145 deck
8146 wayward
8147 reclaimd
8148 culld
8149 behoveful
8150 thrills
8151 freezes
8152 subtly
8153 ministerd
8154 dishonourd
8155 redeem
8156 stifled
8157 healthsome
8158 strangled
8159 receptacle
8160 packed
8161 festering
8162 shrieks
8163 mandrakes
8164 torn
8165 distraught
8166 environed
8167 madly
8168 forefathers
8169 kinsmans
8170 seeking
8171 spit
8172 keys
8173 spices
8174 dates
8175 quinces
8176 pastry
8177 curfew
8178 rung
8179 angelica
8180 cot
8181 quean
8182 watching
8183 hunt
8184 spits
8185 logs
8186 baskets
8187 drier
8188 logger
8189 waken
8190 chat
8191 slug
8192 pennyworths
8193 undraws
8194 dressd
8195 revive
8196 deceased
8197 separated
8198 wail
8199 deflowered
8200 accursed
8201 pilgrimage
8202 solace
8203 catchd
8204 divorced
8205 spited
8206 detestable
8207 beguild
8208 distressed
8209 martyrd
8210 uncomfortable
8211 confusions
8212 promotion
8213 ordained
8214 hymns
8215 dirges
8216 lour
8217 crossing
8218 musician
8219 goodfellows
8220 amended
8221 dump
8222 gleek
8223 minstrel
8224 crotchets
8225 griping
8226 doleful
8227 dumps
8228 oppress
8229 simon
8230 catling
8231 hugh
8232 rebeck
8233 james
8234 soundpost
8235 singer
8236 booted
8237 capels
8238 kindreds
8239 misadventure
8240 apothecary
8241 hereabouts
8242 dwells
8243 tatterd
8244 overwhelming
8245 culling
8246 meagre
8247 tortoise
8248 alligator
8249 shelves
8250 beggarly
8251 boxes
8252 earthen
8253 pots
8254 bladders
8255 seeds
8256 remnants
8257 packthread
8258 cakes
8259 thinly
8260 scatterd
8261 penury
8262 caitiff
8263 forerun
8264 speeding
8265 taker
8266 trunk
8267 violently
8268 hurry
8269 mantuas
8270 utters
8271 wretchedness
8272 fearst
8273 starveth
8274 affords
8275 poverty
8276 consents
8277 compounds
8278 cordial
8279 franciscan
8280 associate
8281 searchers
8282 suspecting
8283 brotherhood
8284 neglecting
8285 yew
8286 digging
8287 whistle
8288 distilld
8289 moans
8290 whistles
8291 wanders
8292 muffle
8293 mattock
8294 wrenching
8295 interrupt
8296 pry
8297 inexorable
8298 tigers
8299 hereabout
8300 maw
8301 gorged
8302 cram
8303 haughty
8304 apprehend
8305 unhallowd
8306 condemned
8307 affright
8308 urging
8309 madmans
8310 conjurations
8311 felon
8312 betossed
8313 rode
8314 misfortunes
8315 lantern
8316 interrd
8317 keepers
8318 crimson
8319 sunder
8320 unsubstantial
8321 paramour
8322 inauspicious
8323 righteous
8324 dateless
8325 engrossing
8326 unsavoury
8327 dashing
8328 rocks
8329 stumbled
8330 vainly
8331 grubs
8332 eyeless
8333 discern
8334 fearfully
8335 masterless
8336 gory
8337 discolourd
8338 comfortable
8339 contradict
8340 thwarted
8341 sisterhood
8342 nuns
8343 timeless
8344 churl
8345 restorative
8346 snatching
8347 sheath
8348 rust
8349 whoeer
8350 attach
8351 descry
8352 trembles
8353 suspicion
8354 outcry
8355 startles
8356 tombs
8357 bleeds
8358 mistaen
8359 sheathed
8360 warns
8361 stoppd
8362 conspires
8363 untaught
8364 ambiguities
8365 descent
8366 suspected
8367 direful
8368 impeach
8369 excused
8370 pined
8371 betrothd
8372 tutord
8373 potions
8374 prefixed
8375 awaking
8376 scare
8377 miscarried
8378 sacrificed
8379 rigour
8380 severest
8381 threatened
8382 countys
8383 friars
8384 writes
8385 pothecary
8386 therewithal
8387 brace
8388 jointure
8389 sacrifices
8390 glooming
8391 punished
8392 othello
8393 moore
8394 venice
8395 shakespeare
8396 homepage
8397 roderigo
8398 iago
8399 abhor
8400 toldst
8401 cappd
8402 evades
8403 bombast
8404 horribly
8405 epithets
8406 nonsuits
8407 mediators
8408 certes
8409 arithmetician
8410 michael
8411 cassio
8412 florentine
8413 squadron
8414 spinster
8415 bookish
8416 theoric
8417 toged
8418 prattle
8419 rhodes
8420 leed
8421 calmd
8422 debitor
8423 creditor
8424 caster
8425 moorships
8426 preferment
8427 gradation
8428 affined
8429 duteous
8430 crooking
8431 cashierd
8432 trimmd
8433 visages
8434 lined
8435 coats
8436 demonstrate
8437 extern
8438 daws
8439 thicklips
8440 carryt
8441 incense
8442 vexation
8443 timorous
8444 yell
8445 spied
8446 brabantio
8447 bags
8448 family
8449 topping
8450 ewe
8451 snorting
8452 distempering
8453 robbing
8454 grange
8455 ruffians
8456 covered
8457 gennets
8458 germans
8459 senator
8460 transported
8461 gondolier
8462 civility
8463 wheeling
8464 deluding
8465 tinder
8466 oppresses
8467 produced
8468 sagittary
8469 bitterness
8470 deceives
8471 tapers
8472 maidhood
8473 contrived
8474 iniquity
8475 yerkd
8476 ribs
8477 prated
8478 provoking
8479 godliness
8480 magnifico
8481 potential
8482 divorce
8483 restraint
8484 signiory
8485 complaints
8486 boasting
8487 promulgate
8488 demerits
8489 unbonneted
8490 reachd
8491 desdemona
8492 unhoused
8493 circumscription
8494 manifest
8495 janus
8496 duke
8497 appearance
8498 hotly
8499 carack
8500 troop
8501 advised
8502 stowd
8503 enchanted
8504 refer
8505 shunned
8506 wealthy
8507 darlings
8508 incur
8509 guardage
8510 sooty
8511 minerals
8512 weaken
8513 disputed
8514 abuser
8515 practiser
8516 arts
8517 inhibited
8518 resist
8519 session
8520 therewith
8521 pagans
8522 statesmen
8523 disproportiond
8524 confirm
8525 turkish
8526 angelo
8527 pageant
8528 importancy
8529 facile
8530 abilities
8531 profitless
8532 ottomites
8533 steering
8534 injointed
8535 restem
8536 montano
8537 servitor
8538 recommends
8539 luccicos
8540 florence
8541 ottoman
8542 oerbearing
8543 engluts
8544 spells
8545 medicines
8546 mountebanks
8547 preposterously
8548 deficient
8549 signiors
8550 approved
8551 offending
8552 tented
8553 pertains
8554 broil
8555 unvarnishd
8556 blushd
8557 maimd
8558 imperfect
8559 mixtures
8560 wider
8561 overt
8562 likelihoods
8563 indirect
8564 affordeth
8565 vices
8566 questiond
8567 sieges
8568 passed
8569 boyish
8570 disastrous
8571 insolent
8572 slavery
8573 redemption
8574 portance
8575 travels
8576 antres
8577 quarries
8578 cannibals
8579 anthropophagi
8580 sheld
8581 greedy
8582 devour
8583 observing
8584 pliant
8585 dilate
8586 parcels
8587 intentively
8588 distressful
8589 thankd
8590 wooer
8591 education
8592 preferring
8593 adopt
8594 clogs
8595 grise
8596 depended
8597 injury
8598 robs
8599 spends
8600 sentences
8601 equivocal
8602 fortitude
8603 substitute
8604 allowed
8605 sufficiency
8606 safer
8607 slubber
8608 gloss
8609 flinty
8610 agnise
8611 alacrity
8612 exhibition
8613 accommodation
8614 besort
8615 levels
8616 reside
8617 unfolding
8618 charter
8619 othellos
8620 consecrate
8621 moth
8622 bereft
8623 support
8624 affects
8625 defunct
8626 dullness
8627 speculative
8628 officed
8629 disports
8630 corrupt
8631 housewives
8632 skillet
8633 indign
8634 adversities
8635 privately
8636 assign
8637 delighted
8638 thinkest
8639 incontinently
8640 silly
8641 silliness
8642 prescription
8643 villainous
8644 guinea
8645 hen
8646 baboon
8647 amend
8648 gardens
8649 sow
8650 lettuce
8651 hyssop
8652 thyme
8653 manured
8654 industry
8655 balance
8656 poise
8657 sensuality
8658 preposterous
8659 motions
8660 stings
8661 unbitted
8662 lusts
8663 sect
8664 scion
8665 puppies
8666 professed
8667 cables
8668 perdurable
8669 toughness
8670 stead
8671 usurped
8672 answerable
8673 sequestration
8674 moors
8675 changeable
8676 luscious
8677 locusts
8678 coloquintida
8679 sated
8680 drowning
8681 sanctimony
8682 barbarian
8683 supersubtle
8684 venetian
8685 tribe
8686 compassing
8687 traverse
8688 snipe
8689 surety
8690 cassios
8691 plume
8692 framed
8693 tenderly
8694 asses
8695 quay
8696 cape
8697 highwrought
8698 ruffiand
8699 oak
8700 mortise
8701 segregation
8702 foaming
8703 pelt
8704 shaked
8705 surge
8706 mane
8707 fixed
8708 molestation
8709 enchafed
8710 enshelterd
8711 embayd
8712 bangd
8713 turks
8714 designment
8715 halts
8716 veronesa
8717 governor
8718 seaside
8719 aerial
8720 arrivance
8721 shippd
8722 stoutly
8723 expert
8724 surfeited
8725 guns
8726 discharge
8727 fortunately
8728 paragons
8729 quirks
8730 blazoning
8731 essential
8732 tire
8733 ingener
8734 favourable
8735 gutterd
8736 congregated
8737 ensteepd
8738 clog
8739 keel
8740 footing
8741 anticipates
8742 sennights
8743 desdemonas
8744 renewd
8745 extincted
8746 emilia
8747 riches
8748 enwheel
8749 contention
8750 bestows
8751 parlors
8752 kitchens
8753 housewifery
8754 slanderer
8755 critical
8756 birdlime
8757 frize
8758 muse
8759 labours
8760 fairness
8761 witty
8762 helpd
8763 paradoxes
8764 alehouse
8765 praisest
8766 nigh
8767 cods
8768 salmons
8769 wight
8770 suckle
8771 ensnare
8772 gyve
8773 strip
8774 clyster
8775 calms
8776 wakend
8777 duck
8778 hells
8779 succeeds
8780 pegs
8781 dote
8782 disembark
8783 watches
8784 bragging
8785 fantastical
8786 satiety
8787 loveliness
8788 conveniences
8789 tenderness
8790 disrelish
8791 instruct
8792 position
8793 eminent
8794 degree
8795 voluble
8796 conscionable
8797 humane
8798 slipper
8799 finder
8800 advantages
8801 devilish
8802 requisites
8803 pudding
8804 paddle
8805 lechery
8806 mutualities
8807 pish
8808 layt
8809 tainting
8810 discipline
8811 favourably
8812 qualification
8813 displanting
8814 profitably
8815 prosperity
8816 peradventure
8817 accountant
8818 gnaw
8819 inwards
8820 evend
8821 hip
8822 egregiously
8823 practising
8824 confused
8825 knaverys
8826 tin
8827 proclamation
8828 bonfires
8829 addiction
8830 beneficial
8831 celebration
8832 nuptial
8833 proclaimed
8834 outsport
8835 earliest
8836 ensue
8837 profits
8838 provocation
8839 inviting
8840 gallants
8841 invent
8842 craftily
8843 qualified
8844 unfortunate
8845 dislikes
8846 caroused
8847 potations
8848 pottle
8849 flusterd
8850 flowing
8851 mongst
8852 flock
8853 pint
8854 canakin
8855 clink
8856 span
8857 potting
8858 swag
8859 bellied
8860 hollander
8861 englishman
8862 facility
8863 sweats
8864 almain
8865 vomit
8866 filled
8867 stephen
8868 peer
8869 breeches
8870 sixpence
8871 lown
8872 pulls
8873 auld
8874 equinox
8875 island
8876 horologe
8877 cradle
8878 prizes
8879 ingraft
8880 twiggen
8881 bottle
8882 rings
8883 diablo
8884 ariseth
8885 barbarous
8886 frights
8887 propriety
8888 groom
8889 devesting
8890 unwitted
8891 tilting
8892 stillness
8893 unlace
8894 brawler
8895 assails
8896 collied
8897 twinnd
8898 brimful
8899 begant
8900 partially
8901 leagued
8902 execute
8903 outran
8904 indignity
8905 balmy
8906 slumbers
8907 waked
8908 surgery
8909 bodily
8910 imposition
8911 offenceless
8912 deceive
8913 commander
8914 indiscreet
8915 parrot
8916 squabble
8917 swagger
8918 fustian
8919 distinctly
8920 pleasance
8921 applause
8922 recovered
8923 drunkenness
8924 unperfectness
8925 severe
8926 moraler
8927 befallen
8928 hydra
8929 inordinate
8930 unblessed
8931 ingredient
8932 devoted
8933 contemplation
8934 denotement
8935 splinter
8936 naming
8937 sincerity
8938 probal
8939 renounce
8940 baptism
8941 symbols
8942 redeemed
8943 enfetterd
8944 unmake
8945 parallel
8946 suggest
8947 plies
8948 pleads
8949 repeals
8950 net
8951 enmesh
8952 hound
8953 fills
8954 cudgelled
8955 heal
8956 dilatory
8957 doest
8958 blossom
8959 billeted
8960 soliciting
8961 coldness
8962 naples
8963 bag
8964 notify
8965 talking
8966 affinity
8967 likings
8968 safest
8969 fortification
8970 strangeness
8971 polite
8972 waterish
8973 supplied
8974 intermingle
8975 solicitor
8976 unfit
8977 languishes
8978 reconciliation
8979 errs
8980 humbled
8981 shallt
8982 tuesday
8983 mammering
8984 wooing
8985 dispraisingly
8986 boon
8987 gloves
8988 nourishing
8989 difficult
8990 fancies
8991 obedient
8992 discernst
8993 echoes
8994 likedst
8995 weighst
8996 givest
8997 disloyal
8998 delations
8999 thinkings
9000 ruminate
9001 whereinto
9002 intrude
9003 uncleanly
9004 apprehensions
9005 leets
9006 meditations
9007 imperfectly
9008 conceits
9009 filches
9010 enriches
9011 custody
9012 wronger
9013 suspects
9014 fineless
9015 suspicions
9016 goat
9017 exsufflicate
9018 surmises
9019 matching
9020 inference
9021 dances
9022 franker
9023 leavet
9024 keept
9025 marrying
9026 dashd
9027 issues
9028 affect
9029 matches
9030 clime
9031 disproportion
9032 recoiling
9033 doubtless
9034 unfolds
9035 scan
9036 vehement
9037 exceeding
9038 human
9039 dealings
9040 haggard
9041 jesses
9042 heartstrings
9043 chamberers
9044 vale
9045 loathe
9046 prerogatived
9047 unshunnable
9048 fated
9049 islanders
9050 handkerchief
9051 reserves
9052 givet
9053 filch
9054 acknown
9055 confirmations
9056 proofs
9057 distaste
9058 sulphur
9059 poppy
9060 syrups
9061 owedst
9062 harmd
9063 pioners
9064 tranquil
9065 plumed
9066 neighing
9067 trump
9068 fife
9069 engines
9070 occupations
9071 ocular
9072 hinge
9073 loop
9074 abandon
9075 accumulate
9076 breeds
9077 honestys
9078 begrimed
9079 knives
9080 suffocating
9081 streams
9082 supervisor
9083 difficulty
9084 prospect
9085 bolster
9086 prime
9087 goats
9088 monkeys
9089 wolves
9090 enterd
9091 tooth
9092 mutter
9093 gripe
9094 sighd
9095 denoted
9096 foregone
9097 thicken
9098 spotted
9099 strawberries
9100 wifes
9101 fraught
9102 pontic
9103 icy
9104 propontic
9105 hellespont
9106 swallow
9107 engage
9108 acceptance
9109 lewd
9110 minx
9111 stabbing
9112 catechise
9113 questions
9114 crusadoes
9115 dissemble
9116 fruitfulness
9117 sequester
9118 fasting
9119 castigation
9120 commonly
9121 charmer
9122 amiable
9123 wive
9124 darling
9125 loset
9126 sibyl
9127 numberd
9128 compasses
9129 sewd
9130 dyed
9131 mummy
9132 skilful
9133 conserved
9134 maidens
9135 veritable
9136 seent
9137 startingly
9138 fetcht
9139 sufficient
9140 founded
9141 shared
9142 hungerly
9143 belch
9144 exist
9145 member
9146 delayd
9147 futurity
9148 advocation
9149 alterd
9150 suffice
9151 unquietness
9152 unhatchd
9153 demonstrable
9154 puddled
9155 inferior
9156 indues
9157 observances
9158 unhandsome
9159 arraigning
9160 subornd
9161 indicted
9162 bianca
9163 pressd
9164 continuate
9165 newer
9166 guesses
9167 womand
9168 circumstanced
9169 unauthorized
9170 hypocrisy
9171 virtuously
9172 tempts
9173 venial
9174 bestowt
9175 protectress
9176 essence
9177 saidst
9178 boding
9179 convinced
9180 blab
9181 unswear
9182 belie
9183 fulsome
9184 confessions
9185 invest
9186 shadowing
9187 trance
9188 credulous
9189 dames
9190 reproach
9191 epilepsy
9192 temples
9193 lethargy
9194 unproper
9195 suppose
9196 oerwhelmed
9197 unsuiting
9198 shifted
9199 scuse
9200 encave
9201 fleers
9202 notable
9203 anew
9204 cope
9205 gesture
9206 selling
9207 unbookish
9208 biancos
9209 importunes
9210 customer
9211 scored
9212 persuaded
9213 haunts
9214 venetians
9215 lolls
9216 fitchew
9217 haunting
9218 dam
9219 minxs
9220 wheresoever
9221 laughed
9222 tasks
9223 needle
9224 plenteous
9225 patent
9226 messes
9227 unprovide
9228 strangle
9229 contaminated
9230 pleases
9231 undertaker
9232 lodovico
9233 brimstone
9234 deputing
9235 amends
9236 teem
9237 dart
9238 syllable
9239 purest
9240 fancys
9241 procreants
9242 hem
9243 loyal
9244 kinds
9245 sores
9246 unmoving
9247 garnerd
9248 dries
9249 discarded
9250 toads
9251 cherubin
9252 grim
9253 esteems
9254 shambles
9255 blowing
9256 smellst
9257 committed
9258 forges
9259 meets
9260 hushd
9261 impudent
9262 raising
9263 smallst
9264 misuse
9265 chiding
9266 bewhored
9267 callat
9268 forsook
9269 insinuating
9270 cogging
9271 cozening
9272 halter
9273 notorious
9274 thouldst
9275 rascals
9276 seamy
9277 actual
9278 divorcement
9279 summon
9280 dealest
9281 daffest
9282 keepest
9283 conveniency
9284 suppliest
9285 foolishly
9286 performances
9287 unjustly
9288 votarist
9289 returned
9290 expectations
9291 fobbed
9292 solicitation
9293 intendment
9294 depute
9295 mauritania
9296 lingered
9297 determinate
9298 removing
9299 uncapable
9300 horrorable
9301 suppertime
9302 incontinent
9303 displease
9304 cheques
9305 unpin
9306 barbara
9307 walked
9308 palestine
9309 nether
9310 murmurd
9311 bode
9312 undot
9313 lawn
9314 gowns
9315 petticoats
9316 venture
9317 laps
9318 elbow
9319 fix
9320 miscarry
9321 satisfying
9322 rubbd
9323 quat
9324 restitution
9325 bobbd
9326 coat
9327 unblest
9328 blotted
9329 gratiano
9330 counterfeits
9331 unsafe
9332 inhuman
9333 garter
9334 gastness
9335 las
9336 whoring
9337 suppd
9338 happd
9339 bedchamber
9340 scar
9341 monumental
9342 alabaster
9343 cunningst
9344 pattern
9345 excelling
9346 promethean
9347 relume
9348 vital
9349 growth
9350 prayd
9351 crime
9352 unreconciled
9353 solicit
9354 unprepared
9355 forfend
9356 deathbed
9357 choke
9358 warranty
9359 confessd
9360 unlawfully
9361 interprets
9362 banish
9363 stifles
9364 linger
9365 alteration
9366 unlocks
9367 yonders
9368 blacker
9369 wedlock
9370 chrysolite
9371 filthy
9372 iteration
9373 gull
9374 dolt
9375 odious
9376 smellt
9377 reprobation
9378 gratify
9379 recognizance
9380 earnestness
9381 belongd
9382 coxcomb
9383 recoverd
9384 puny
9385 whipster
9386 brooks
9387 impediments
9388 control
9389 weapond
9390 dismayd
9391 starrd
9392 compt
9393 roast
9394 gulfs
9395 viper
9396 fable
9397 wrench
9398 ensnared
9399 undertook
9400 heathenish
9401 roderigos
9402 upbraids
9403 relate
9404 perplexd
9405 indian
9406 albeit
9407 medicinal
9408 aleppo
9409 malignant
9410 turband
9411 circumcised
9412 spartan
9413 hunger
9414 tragic
9415 loading
9416 succeed
9417 sonnets
9418 begetter
9419 insuing
9420 mr
9421 wisheth
9422 wishing
9423 adventurer
9424 riper
9425 decease
9426 feedst
9427 lightst
9428 fuel
9429 abundance
9430 buriest
9431 niggarding
9432 glutton
9433 beseige
9434 trenches
9435 gazed
9436 sunken
9437 thriftless
9438 proving
9439 feelst
9440 viewest
9441 renewest
9442 unbless
9443 uneard
9444 disdains
9445 tillage
9446 unthrifty
9447 bequest
9448 largess
9449 acceptable
9450 tombd
9451 executor
9452 unfair
9453 excel
9454 oersnowd
9455 bareness
9456 distillation
9457 pent
9458 leese
9459 ragged
9460 deface
9461 usury
9462 happies
9463 happier
9464 refigured
9465 resembling
9466 reeleth
9467 tract
9468 concord
9469 unions
9470 string
9471 ordering
9472 sire
9473 widows
9474 consumest
9475 issueless
9476 makeless
9477 unthrift
9478 enjoys
9479 user
9480 unprovident
9481 evident
9482 ruinate
9483 wane
9484 growest
9485 departest
9486 youngly
9487 bestowest
9488 convertest
9489 threescore
9490 featureless
9491 barrenly
9492 endowd
9493 carved
9494 print
9495 copy
9496 sunk
9497 erst
9498 girded
9499 sheaves
9500 bristly
9501 lease
9502 yourselfs
9503 uphold
9504 stormy
9505 gusts
9506 unthrifts
9507 astronomy
9508 dearths
9509 predict
9510 derive
9511 prognosticate
9512 presenteth
9513 cheered
9514 vaunt
9515 decrease
9516 wasteful
9517 debateth
9518 sullied
9519 engraft
9520 fortify
9521 unset
9522 liker
9523 yellowd
9524 stretched
9525 metre
9526 temperate
9527 dimmd
9528 changing
9529 untrimmd
9530 owest
9531 brag
9532 wanderst
9533 shade
9534 paws
9535 phoenix
9536 fleets
9537 fading
9538 heinous
9539 untainted
9540 succeeding
9541 shifting
9542 rolling
9543 gilding
9544 gazeth
9545 hues
9546 controlling
9547 amazeth
9548 created
9549 rehearse
9550 couplement
9551 gems
9552 aprils
9553 rondure
9554 hearsay
9555 furrows
9556 expiate
9557 seemly
9558 raiment
9559 chary
9560 faring
9561 unperfect
9562 replete
9563 strengths
9564 weakens
9565 oercharged
9566 presagers
9567 recompense
9568 belongs
9569 stelld
9570 perspective
9571 painters
9572 pictured
9573 glazed
9574 titles
9575 favourites
9576 marigold
9577 painful
9578 famoused
9579 victories
9580 foild
9581 toild
9582 vassalage
9583 embassage
9584 graciously
9585 expired
9586 zealous
9587 imaginary
9588 sightless
9589 debarrd
9590 eased
9591 eithers
9592 blot
9593 swart
9594 complexiond
9595 twire
9596 gildst
9597 beweep
9598 outcast
9599 featured
9600 despising
9601 arising
9602 sessions
9603 afresh
9604 bemoaned
9605 restored
9606 endeared
9607 lacking
9608 survive
9609 survey
9610 bettering
9611 outstrippd
9612 exceeded
9613 equipage
9614 style
9615 meadows
9616 forlorn
9617 disdaineth
9618 staineth
9619 hiding
9620 salve
9621 heals
9622 sheds
9623 eclipses
9624 authorizing
9625 corrupting
9626 salving
9627 excusing
9628 sensual
9629 adverse
9630 advocate
9631 plea
9632 commence
9633 accessary
9634 sourly
9635 undivided
9636 blots
9637 separable
9638 alter
9639 bewailed
9640 decrepit
9641 active
9642 entitled
9643 engrafted
9644 sufficed
9645 pourst
9646 tenth
9647 invocate
9648 deservest
9649 blamed
9650 deceivest
9651 refusest
9652 robbery
9653 spites
9654 temptation
9655 assailed
9656 woos
9657 prevailed
9658 mightest
9659 straying
9660 riot
9661 twofold
9662 tempting
9663 unrespected
9664 darkly
9665 directed
9666 clearer
9667 unseeing
9668 remote
9669 lengths
9670 badges
9671 slide
9672 quicker
9673 embassy
9674 recured
9675 recounting
9676 defendant
9677 cide
9678 impanneled
9679 verdict
9680 league
9681 famishd
9682 smother
9683 resent
9684 awakes
9685 truest
9686 chest
9687 closure
9688 ensconce
9689 uprear
9690 allege
9691 measured
9692 plods
9693 dully
9694 instinct
9695 rider
9696 spurring
9697 onward
9698 posting
9699 mounted
9700 perfectst
9701 locked
9702 blunting
9703 carcanet
9704 wardrobe
9705 imprisond
9706 describe
9707 adonis
9708 poorly
9709 helens
9710 grecian
9711 deem
9712 odour
9713 blooms
9714 tincture
9715 wantonly
9716 masked
9717 discloses
9718 unwood
9719 odours
9720 distills
9721 monuments
9722 unswept
9723 besmeard
9724 statues
9725 overturn
9726 broils
9727 masonry
9728 oblivious
9729 renew
9730 blunter
9731 allayd
9732 sharpend
9733 fullness
9734 accusing
9735 privilege
9736 mended
9737 admiring
9738 pebbled
9739 forwards
9740 nativity
9741 crawls
9742 maturity
9743 wherewith
9744 elipses
9745 transfix
9746 delves
9747 parallels
9748 rarities
9749 mow
9750 sendst
9751 possesseth
9752 grounded
9753 worths
9754 surmount
9755 beated
9756 choppd
9757 tannd
9758 crushd
9759 draind
9760 travelld
9761 steepy
9762 vanishing
9763 confounding
9764 defaced
9765 outworn
9766 interchange
9767 mortality
9768 sways
9769 wreckful
9770 battering
9771 impregnable
9772 miracle
9773 restful
9774 jollity
9775 guilded
9776 shamefully
9777 misplaced
9778 rudely
9779 strumpeted
9780 wrongfully
9781 disabled
9782 miscalld
9783 simplicity
9784 impiety
9785 achieve
9786 imitate
9787 indirectly
9788 exchequer
9789 gains
9790 stores
9791 map
9792 inhabit
9793 tresses
9794 sepulchres
9795 shorn
9796 fleece
9797 yore
9798 churls
9799 matcheth
9800 solve
9801 presentst
9802 unstained
9803 ambush
9804 assaild
9805 victor
9806 recite
9807 untrue
9808 ruind
9809 choirs
9810 sang
9811 twilight
9812 fadeth
9813 glowing
9814 perceivest
9815 bail
9816 memorial
9817 reviewest
9818 review
9819 dregs
9820 wretchs
9821 remembered
9822 miser
9823 enjoyer
9824 doubting
9825 filching
9826 counting
9827 possessing
9828 surfeit
9829 gluttoning
9830 variation
9831 glance
9832 methods
9833 dressing
9834 spending
9835 vacant
9836 imprint
9837 dials
9838 invoked
9839 assistance
9840 alien
9841 poesy
9842 learneds
9843 compile
9844 graced
9845 decayd
9846 deserves
9847 travail
9848 proudest
9849 shallowest
9850 wreckd
9851 building
9852 entombed
9853 breathers
9854 attaint
9855 oerlook
9856 dedicated
9857 fresher
9858 strained
9859 rhetoric
9860 sympathized
9861 quill
9862 impair
9863 immured
9864 dignifies
9865 counterpart
9866 comments
9867 compiled
9868 muses
9869 filed
9870 unletterd
9871 clerk
9872 hymn
9873 polishd
9874 refined
9875 hindmost
9876 inhearse
9877 compeers
9878 astonished
9879 affable
9880 gulls
9881 intelligence
9882 victors
9883 enfeebled
9884 estimate
9885 releasing
9886 granting
9887 misprision
9888 attainted
9889 gainer
9890 lameness
9891 scoped
9892 rearward
9893 rainy
9894 onset
9895 compared
9896 fangled
9897 hawks
9898 adjunct
9899 prouder
9900 workings
9901 sweetness
9902 eves
9903 apple
9904 unmoved
9905 owners
9906 stewards
9907 outbraves
9908 lilies
9909 fester
9910 fragrant
9911 budding
9912 enclose
9913 blesses
9914 habitation
9915 veil
9916 hardest
9917 translated
9918 deemd
9919 lambs
9920 stem
9921 gazers
9922 freezings
9923 decembers
9924 teeming
9925 widowd
9926 wombs
9927 abundant
9928 orphans
9929 unfatherd
9930 dreading
9931 pied
9932 saturn
9933 lilys
9934 vermilion
9935 lily
9936 marjoram
9937 vengeful
9938 forgetst
9939 spendst
9940 darkening
9941 idly
9942 resty
9943 wrinkle
9944 graven
9945 satire
9946 preventst
9947 intermixd
9948 strengthend
9949 merchandized
9950 esteeming
9951 publish
9952 philomel
9953 mournful
9954 burthens
9955 bough
9956 dulling
9957 sinful
9958 striving
9959 forests
9960 perfumes
9961 junes
9962 unbred
9963 expressing
9964 themes
9965 descriptions
9966 wights
9967 knights
9968 prophecies
9969 prefiguring
9970 augurs
9971 incertainties
9972 olives
9973 endless
9974 subscribes
9975 insults
9976 tribes
9977 figured
9978 qualify
9979 exchanged
9980 reignd
9981 besiege
9982 universe
9983 motley
9984 gored
9985 cheap
9986 askance
9987 blenches
9988 essays
9989 harmful
9990 brand
9991 dyers
9992 penance
9993 correct
9994 correction
9995 steeld
9996 critic
9997 stopped
9998 dispense
9999 governs
10000 effectually
10001 delivers
10002 latch
10003 gentlest
10004 deformedst
10005 saith
10006 indigest
10007 cherubins
10008 creating
10009 gust
10010 greeing
10011 milliond
10012 decrees
10013 tan
10014 sharpst
10015 divert
10016 altering
10017 incertainty
10018 crowning
10019 alters
10020 remover
10021 shaken
10022 rosy
10023 sickles
10024 weeks
10025 scanted
10026 repay
10027 frequent
10028 hoisted
10029 transport
10030 wilfulness
10031 maladies
10032 shun
10033 tuff
10034 cloying
10035 sauces
10036 welfare
10037 meetness
10038 needing
10039 anticipate
10040 siren
10041 limbecks
10042 madding
10043 rebuked
10044 befriends
10045 hammerd
10046 deepest
10047 tenderd
10048 sportive
10049 frailer
10050 bevel
10051 maintain
10052 badness
10053 characterd
10054 subsist
10055 missd
10056 retention
10057 tallies
10058 forgetfulness
10059 pyramids
10060 dressings
10061 admire
10062 foist
10063 registers
10064 gatherd
10065 thralled
10066 discontent
10067 heretic
10068 leases
10069 hugely
10070 honouring
10071 bases
10072 ruining
10073 dwellers
10074 paying
10075 forgoing
10076 savour
10077 thrivers
10078 oblation
10079 seconds
10080 informer
10081 impeachd
10082 sickle
10083 waning
10084 showst
10085 withering
10086 growst
10087 wrack
10088 onwards
10089 counted
10090 fairing
10091 profaned
10092 slandering
10093 playst
10094 swayst
10095 wiry
10096 reap
10097 woods
10098 boldness
10099 situation
10100 chips
10101 pursuit
10102 coral
10103 breasts
10104 wires
10105 damaskd
10106 reeks
10107 belied
10108 proudly
10109 proceeds
10110 pitying
10111 disdain
10112 ruth
10113 ushers
10114 beseem
10115 sweetst
10116 harder
10117 engrossd
10118 threefold
10119 rigor
10120 gaol
10121 mortgaged
10122 statute
10123 putst
10124 addeth
10125 beseechers
10126 untold
10127 anchord
10128 erred
10129 transferrd
10130 untutord
10131 unlearned
10132 subtleties
10133 simply
10134 suppressd
10135 unjust
10136 justify
10137 outright
10138 physicians
10139 wresting
10140 slanderers
10141 prone
10142 dissuade
10143 unswayd
10144 awards
10145 reproving
10146 revenues
10147 rents
10148 prizing
10149 tempteth
10150 purity
10151 languishd
10152 woeful
10153 flown
10154 inheritors
10155 aggravate
10156 dross
10157 nurseth
10158 uncertain
10159 prescriptions
10160 frantic
10161 madmens
10162 random
10163 correspondence
10164 censures
10165 keepst
10166 hateth
10167 frownst
10168 lourst
10169 insufficiency
10170 warrantize
10171 unworthiness
10172 cheater
10173 betraying
10174 vowing
10175 enlighten
10176 blindness
10177 kindling
10178 valley
10179 seething
10180 bath
10181 hied
10182 inflaming
10183 nymphs
10184 tripping
10185 votary
10186 warmd
10187 disarmd
10188 quenched
10189 thrall
10190 heats
10191 cools
10192 galaxy
10193 episode
10194 george
10195 lucas
10196 revised
10197 draft
10198 revision
10199 february
10200 edition
10201 educational
10202 backdrop
10203 rollup
10204 slowly
10205 infinity
10206 spaceships
10207 galactic
10208 managed
10209 plans
10210 empires
10211 ultimate
10212 armored
10213 sinister
10214 agents
10215 leia
10216 races
10217 starship
10218 custodian
10219 stolen
10220 awesome
10221 tatooine
10222 emerges
10223 tiny
10224 spacecraft
10225 blockade
10226 firing
10227 lasers
10228 stardestroyer
10229 hundreds
10230 laserbolts
10231 streak
10232 causing
10233 solar
10234 fin
10235 disintegrate
10236 interior
10237 passageway
10238 explosion
10239 robots
10240 artoo
10241 detoo
10242 threepio
10243 po
10244 struggle
10245 bouncing
10246 battered
10247 claw
10248 tripod
10249 computer
10250 surrounding
10251 radar
10252 robot
10253 gleaming
10254 bronze
10255 metallic
10256 surface
10257 deco
10258 theyve
10259 reactor
10260 destroyed
10261 troopers
10262 positions
10263 doomed
10264 unit
10265 series
10266 electronic
10267 therell
10268 beeping
10269 tension
10270 mounts
10271 latches
10272 clank
10273 scream
10274 equipment
10275 hull
10276 overtaken
10277 smaller
10278 underside
10279 dock
10280 nervous
10281 tremendous
10282 fearsome
10283 spacesuited
10284 stormtroopers
10285 corridor
10286 ablaze
10287 laserfire
10288 ricochet
10289 patterns
10290 explosions
10291 scatter
10292 storage
10293 lockers
10294 stagger
10295 shattered
10296 wasteland
10297 horizon
10298 twin
10299 lone
10300 luke
10301 skywalker
10302 heroic
10303 aspirations
10304 eighteen
10305 shaggy
10306 baggy
10307 tunic
10308 lovable
10309 lad
10310 adjusts
10311 valves
10312 moisture
10313 vaporator
10314 floor
10315 oil
10316 aided
10317 beatup
10318 barely
10319 functioning
10320 jerky
10321 sparkle
10322 catches
10323 lukes
10324 instinctively
10325 grabs
10326 electrobinoculars
10327 utility
10328 belt
10329 transfixed
10330 moments
10331 studying
10332 dashed
10333 dented
10334 crudely
10335 repaired
10336 landspeeder
10337 auto
10338 magnetic
10339 scoots
10340 disgust
10341 exasperated
10342 jumps
10343 smoldering
10344 hallway
10345 blinding
10346 darth
10347 vader
10348 grotesque
10349 fascist
10350 imposing
10351 artoos
10352 dome
10353 bewildered
10354 screams
10355 clanking
10356 attacks
10357 threepios
10358 attention
10359 alcove
10360 surreal
10361 dreamlike
10362 finishes
10363 adjusting
10364 joins
10365 battling
10366 heading
10367 spice
10368 kessel
10369 smashed
10370 subhallway
10371 chases
10372 responds
10373 beeps
10374 capturted
10375 marched
10376 amid
10377 squeezes
10378 struggles
10379 transmissions
10380 intercepted
10381 aaah
10382 consular
10383 diplomatic
10384 mission
10385 refuses
10386 eventually
10387 squeeze
10388 gruesome
10389 snapping
10390 limp
10391 tosses
10392 passengers
10393 scurry
10394 subhallways
10395 huddles
10396 organa
10397 alderaan
10398 muted
10399 crushing
10400 louder
10401 trooper
10402 stun
10403 laser
10404 pistol
10405 felled
10406 paralyzing
10407 ray
10408 inspect
10409 inert
10410 emergency
10411 lifepod
10412 snaps
10413 stubby
10414 astro
10415 cramped
10416 pod
10417 permitted
10418 restricted
10419 deactivated
10420 dont
10421 mindless
10422 philosopher
10423 overweight
10424 glob
10425 grease
10426 reluctant
10427 isnt
10428 twangs
10429 angrily
10430 debris
10431 flurry
10432 lanky
10433 regret
10434 viewscreen
10435 terrified
10436 circuited
10437 receding
10438 rotates
10439 funny
10440 damage
10441 doesnt
10442 assuring
10443 response
10444 disappears
10445 anchorhead
10446 settlement
10447 radiate
10448 bleached
10449 buildings
10450 pilots
10451 dusty
10452 vehicle
10453 fist
10454 kids
10455 bursts
10456 fixer
10457 camie
10458 sexy
10459 disheveled
10460 grumbled
10461 yelling
10462 wormie
10463 rampage
10464 bounces
10465 deak
10466 tough
10467 pool
10468 biggs
10469 burly
10470 flashy
10471 contrast
10472 tunics
10473 repairs
10474 background
10475 guys
10476 surprise
10477 emotion
10478 didnt
10479 youd
10480 academy
10481 happened
10482 phony
10483 signed
10484 rand
10485 ecliptic
10486 darklighter
10487 bye
10488 landlocked
10489 simpletons
10490 dazzling
10491 system
10492 group
10493 stumbles
10494 stifling
10495 binoculars
10496 scanning
10497 specks
10498 freighter
10499 tanker
10500 refueling
10501 earlier
10502 banging
10503 worry
10504 shrugs
10505 resignation
10506 hunk
10507 obvious
10508 grumbling
10509 ineptitude
10510 ceilinged
10511 squad
10512 brutally
10513 unable
10514 briskly
10515 smoky
10516 attacked
10517 werent
10518 beamed
10519 generate
10520 traced
10521 link
10522 snap
10523 jettisoned
10524 detachment
10525 retrieve
10526 personally
10527 jundland
10528 mesas
10529 foreboding
10530 dune
10531 helpless
10532 droids
10533 sand
10534 clumsily
10535 respond
10536 desolate
10537 rocky
10538 yells
10539 settlements
10540 technical
10541 malfunctioning
10542 nearsighted
10543 scrap
10544 begging
10545 trudges
10546 adventures
10547 ridge
10548 dunes
10549 twerp
10550 tricked
10551 huff
10552 frustration
10553 hopeless
10554 glint
10555 reflected
10556 reveals
10557 android
10558 frantically
10559 malt
10560 brew
10561 inside
10562 animated
10563 afterburners
10564 deaks
10565 fry
10566 busted
10567 skyhopper
10568 owen
10569 upset
10570 hottest
10571 bushpilot
10572 mos
10573 eisley
10574 skyhoppers
10575 whammo
10576 canyon
10577 starships
10578 missed
10579 kid
10580 havent
10581 shouldnt
10582 seriousness
10583 frigate
10584 central
10585 systems
10586 stunned
10587 kidding
10588 ya
10589 crater
10590 bestine
10591 contact
10592 crazy
10593 forever
10594 spreading
10595 application
10596 sandpeople
10597 raided
10598 outskirts
10599 colony
10600 blaster
10601 vaporators
10602 starting
10603 nationalize
10604 tenant
10605 slaving
10606 couldnt
10607 bother
10608 someday
10609 lookout
10610 drafted
10611 starfleet
10612 gargantuan
10613 formations
10614 shrouded
10615 onimous
10616 unearthly
10617 cautiously
10618 creepy
10619 inadvertently
10620 clicking
10621 pepple
10622 tumbles
10623 flicker
10624 recesses
10625 unsuspecting
10626 waddles
10627 engulfs
10628 eerie
10629 manages
10630 topples
10631 jawas
10632 taller
10633 holster
10634 complex
10635 grubby
10636 guttural
10637 sandcrawler
10638 tank
10639 disk
10640 tube
10641 rats
10642 ladders
10643 behemoth
10644 area
10645 switches
10646 floodlight
10647 swings
10648 rocket
10649 grotesquely
10650 pathetic
10651 whimper
10652 ceiling
10653 sizes
10654 mill
10655 recognition
10656 gloom
10657 scrambles
10658 embraces
10659 enormous
10660 lumbers
10661 dewbacks
10662 shuttle
10663 tracks
10664 picks
10665 terrain
10666 noisily
10667 bounce
10668 commotion
10669 bangs
10670 pop
10671 filling
10672 assortment
10673 jawa
10674 lars
10675 homestead
10676 gibberish
10677 busily
10678 including
10679 parked
10680 consisting
10681 surrounded
10682 adobe
10683 block
10684 fussing
10685 straightening
10686 brushing
10687 attracting
10688 insects
10689 areas
10690 nostrils
10691 dingy
10692 limps
10693 mid
10694 fifties
10695 reddish
10696 farmer
10697 inspects
10698 slump
10699 shouldered
10700 ahead
10701 sales
10702 queer
10703 unintelligible
10704 yeah
10705 beru
10706 courtyard
10707 translator
10708 bocce
10709 remind
10710 leader
10711 addressing
10712 programmed
10713 etiquette
10714 protocol
10715 primary
10716 versed
10717 customs
10718 droid
10719 environment
10720 understands
10721 binary
10722 job
10723 programming
10724 lifter
10725 similar
10726 fluent
10727 shutting
10728 garage
10729 cleaned
10730 tosche
10731 converters
10732 chores
10733 remaining
10734 beep
10735 restrained
10736 zaps
10737 negotiating
10738 pops
10739 motivator
10740 whatre
10741 spiel
10742 attract
10743 taps
10744 real
10745 reluctance
10746 scruffy
10747 dwarf
10748 trades
10749 damaged
10750 uh
10751 class
10752 worked
10753 grimy
10754 entry
10755 cluttered
10756 peaceful
10757 atmosphere
10758 permeates
10759 lowers
10760 tub
10761 cord
10762 contamination
10763 spaceship
10764 finally
10765 frustrations
10766 gonna
10767 glances
10768 teleport
10769 knowledgeable
10770 fact
10771 center
10772 cyborg
10773 relations
10774 unplugs
10775 connectors
10776 chrome
10777 wiping
10778 carbon
10779 scoring
10780 weve
10781 interpreter
10782 stories
10783 interesting
10784 jammed
10785 cruiser
10786 tumbling
10787 dimensional
10788 hologram
10789 projected
10790 rainbow
10791 colors
10792 flickers
10793 jiggles
10794 dimly
10795 lit
10796 obi
10797 wan
10798 kenobi
10799 sheepishly
10800 repeat
10801 pretends
10802 malfunction
10803 data
10804 intrigued
10805 passenger
10806 importance
10807 attached
10808 recording
10809 squeaks
10810 behave
10811 resident
10812 antilles
10813 eccentric
10814 ben
10815 hermit
10816 gazes
10817 restraining
10818 bolt
10819 suggests
10820 longingly
10821 hasnt
10822 hm
10823 wedged
10824 whered
10825 embarrassment
10826 innards
10827 flutter
10828 hurries
10829 reconsider
10830 dining
10831 motherly
10832 fluid
10833 refrigerated
10834 container
10835 tray
10836 cleaning
10837 alarmed
10838 related
10839 uncontrolled
10840 wizards
10841 erased
10842 thatll
10843 exists
10844 condensers
10845 agreement
10846 transmit
10847 owens
10848 scowl
10849 semester
10850 nother
10851 pushes
10852 resigned
10853 paddles
10854 disappear
10855 reluctantly
10856 activates
10857 creates
10858 wasnt
10859 deactivate
10860 faulty
10861 babbling
10862 searches
10863 triped
10864 scans
10865 landscape
10866 problem
10867 stupid
10868 plaza
10869 final
10870 sparse
10871 oasis
10872 idyll
10873 echoing
10874 prepares
10875 hed
10876 units
10877 midday
10878 speeder
10879 blur
10880 gracefully
10881 scanner
10882 accelerator
10883 mesa
10884 coastline
10885 foreground
10886 weather
10887 marginally
10888 rifle
10889 tusken
10890 raiders
10891 coarse
10892 barbaric
10893 raider
10894 nomads
10895 banthas
10896 looped
10897 furry
10898 dinosaur
10899 tails
10900 saddles
10901 strapped
10902 bluff
10903 massive
10904 whoa
10905 poses
10906 menacingly
10907 runaway
10908 rightful
10909 jibberish
10910 alright
10911 southeast
10912 fetches
10913 riderless
10914 react
10915 looms
10916 startled
10917 clangs
10918 rattles
10919 curved
10920 pointed
10921 gaderffii
10922 local
10923 settlers
10924 crevice
10925 forces
10926 dropped
10927 ransack
10928 supplies
10929 fleeing
10930 tighter
10931 swishing
10932 frightened
10933 closer
10934 shabby
10935 leathery
10936 weathered
10937 exotic
10938 climates
10939 penetrating
10940 scraggly
10941 squints
10942 scrutinizes
10943 unconscious
10944 traveled
10945 ponders
10946 scratching
10947 owning
10948 overhanging
10949 cliffs
10950 indoors
10951 tangled
10952 risking
10953 kenobis
10954 hovel
10955 junk
10956 repairing
10957 navigator
10958 ideals
10959 involved
10960 clone
10961 jedi
10962 reminds
10963 rummages
10964 wouldnt
10965 feared
10966 idealistic
10967 crusade
10968 saber
10969 lightsaber
10970 clumsy
10971 handle
10972 elegant
10973 civilized
10974 generations
10975 guardians
10976 republic
10977 listening
10978 helped
10979 energy
10980 surrounds
10981 penetrates
10982 binds
10983 recorded
10984 attack
10985 failed
10986 information
10987 survival
10988 static
10989 transmission
10990 scratches
10991 silently
10992 tarnished
10993 explain
10994 tagge
10995 operational
10996 vulnerable
10997 equipped
10998 realize
10999 motti
11000 twists
11001 nervously
11002 tagges
11003 moff
11004 tarkin
11005 outland
11006 dissolved
11007 permanently
11008 swept
11009 bureaucracy
11010 regional
11011 governors
11012 territories
11013 obtained
11014 readout
11015 useless
11016 technological
11017 constructed
11018 insignificant
11019 frighten
11020 sorcerers
11021 tapes
11022 clairvoyance
11023 chokes
11024 vaders
11025 disturbing
11026 release
11027 bickering
11028 pointless
11029 location
11030 scattered
11031 rubble
11032 gaffi
11033 bantha
11034 hitting
11035 crouching
11036 file
11037 accurate
11038 precise
11039 inspecting
11040 smoking
11041 daze
11042 replaces
11043 fighters
11044 detention
11045 leias
11046 discuss
11047 steady
11048 extends
11049 hypodermic
11050 slides
11051 bonfire
11052 blazing
11053 zooms
11054 overlooking
11055 spaceport
11056 haphazard
11057 concrete
11058 structures
11059 semi
11060 domes
11061 gale
11062 craggy
11063 hive
11064 scum
11065 villainy
11066 cautious
11067 scurriers
11068 cantina
11069 domed
11070 circular
11071 bays
11072 bats
11073 probe
11074 ronto
11075 unusual
11076 swoop
11077 bike
11078 veers
11079 tossing
11080 reins
11081 crowded
11082 hardend
11083 identification
11084 fumbles
11085 controlled
11086 arent
11087 crashed
11088 winding
11089 rontos
11090 outrider
11091 overhead
11092 rundown
11093 blockhouse
11094 fondle
11095 disgusting
11096 shoo
11097 murky
11098 moldy
11099 startling
11100 weird
11101 horrifying
11102 scaly
11103 tentacled
11104 clawed
11105 huddle
11106 repulsive
11107 bartender
11108 recovering
11109 shock
11110 outlandish
11111 bartenders
11112 pats
11113 sips
11114 sympathetic
11115 chewbacca
11116 bushbaby
11117 monkey
11118 fangs
11119 dominate
11120 fur
11121 matted
11122 bandoliers
11123 wookiee
11124 disconcerted
11125 negola
11126 dewaghi
11127 wooldugger
11128 freak
11129 ignore
11130 rodent
11131 belligerent
11132 monstrosity
11133 agitated
11134 continued
11135 insult
11136 effort
11137 unpleasant
11138 crashing
11139 jug
11140 curdling
11141 panics
11142 blasters
11143 astounding
11144 agility
11145 bens
11146 multiple
11147 chin
11148 groin
11149 totally
11150 lasted
11151 normal
11152 downs
11153 booth
11154 han
11155 solo
11156 roguish
11157 starpilot
11158 mercenary
11159 sentimental
11160 cocksure
11161 millennium
11162 falcon
11163 chewie
11164 parsecs
11165 reacts
11166 solos
11167 misinformation
11168 outrun
11169 cruisers
11170 corellian
11171 cargo
11172 entanglements
11173 extra
11174 fifteen
11175 seventeen
11176 huh
11177 docking
11178 ninety
11179 somebodys
11180 check
11181 greedo
11182 faced
11183 pokes
11184 subtitles
11185 boss
11186 jabba
11187 jabbas
11188 hunter
11189 smugglers
11190 shipments
11191 idea
11192 hans
11193 patrons
11194 flipping
11195 coins
11196 resistance
11197 considerable
11198 extract
11199 interrupts
11200 alternative
11201 hovering
11202 slum
11203 alleyway
11204 crowed
11205 hawking
11206 goods
11207 stalls
11208 doorways
11209 checks
11210 tightly
11211 peeks
11212 doorway
11213 sleazy
11214 insect
11215 dealer
11216 spindly
11217 legged
11218 xp
11219 herding
11220 bunch
11221 anteater
11222 rounds
11223 alley
11224 hutt
11225 grisly
11226 grossest
11227 slavering
11228 hulks
11229 scarred
11230 testimonial
11231 prowess
11232 killer
11233 didn
11234 fatherly
11235 disappoint
11236 twerps
11237 exceptions
11238 smuggled
11239 stepping
11240 bug
11241 momentarily
11242 percent
11243 don
11244 boarding
11245 ramp
11246 boba
11247 fett
11248 casing
11249 thugs
11250 restlessly
11251 jabbers
11252 excitedly
11253 signals
11254 nearby
11255 transmitter
11256 pieced
11257 loosely
11258 modifications
11259 urges
11260 rushed
11261 gang
11262 plank
11263 settles
11264 ducks
11265 shots
11266 dive
11267 pirateship
11268 slams
11269 straps
11270 cockpit
11271 chatters
11272 dwellings
11273 types
11274 deflector
11275 calculations
11276 stardestroyers
11277 calculation
11278 floating
11279 hyperspace
11280 maneuvers
11281 shudders
11282 itll
11283 coordinates
11284 navi
11285 gaining
11286 traveling
11287 aint
11288 dusting
11289 crops
11290 supernova
11291 thatd
11292 flashing
11293 strap
11294 brightens
11295 barrier
11296 battlestation
11297 bows
11298 screen
11299 displaying
11300 entered
11301 leash
11302 recognized
11303 stench
11304 charming
11305 signing
11306 terminate
11307 responsibility
11308 tighten
11309 grip
11310 chosen
11311 stations
11312 destructive
11313 possibly
11314 military
11315 overhears
11316 intercom
11317 announcing
11318 dantooine
11319 reasonable
11320 effective
11321 demonstration
11322 technician
11323 ignition
11324 pressed
11325 panel
11326 hooded
11327 lever
11328 pulled
11329 emanates
11330 cone
11331 converges
11332 practice
11333 seeker
11334 falters
11335 disturbance
11336 silenced
11337 rubs
11338 fixes
11339 slugs
11340 practicing
11341 engrossed
11342 holographic
11343 chess
11344 type
11345 monitor
11346 embedded
11347 crosses
11348 chewbaccas
11349 intercedes
11350 argue
11351 screaming
11352 interrupting
11353 worries
11354 upsetting
11355 pull
11356 socket
11357 wookiees
11358 strategy
11359 humming
11360 movements
11361 smugness
11362 controls
11363 suspended
11364 baseball
11365 antennae
11366 hovers
11367 arc
11368 floats
11369 lunge
11370 emitting
11371 hokey
11372 religions
11373 mystical
11374 nonsense
11375 covers
11376 conscious
11377 skeptically
11378 blindly
11379 missing
11380 laserbolt
11381 feelings
11382 seemingly
11383 incredibly
11384 deflect
11385 ceases
11386 original
11387 remotes
11388 notices
11389 cass
11390 scout
11391 reached
11392 deserted
11393 conducting
11394 extensive
11395 lied
11396 consciously
11397 sublight
11398 streaking
11399 shudder
11400 asteroids
11401 aw
11402 asteroid
11403 collision
11404 charts
11405 flips
11406 itd
11407 fighter
11408 finned
11409 identify
11410 jam
11411 camera
11412 vastness
11413 brighter
11414 distinguished
11415 spherical
11416 auxiliary
11417 accelerates
11418 tractor
11419 gotta
11420 nothin
11421 alternatives
11422 towed
11423 immense
11424 staggering
11425 equator
11426 gigantic
11427 mile
11428 dragged
11429 turret
11430 hangar
11431 outboard
11432 shields
11433 buzz
11434 captured
11435 entering
11436 markings
11437 unlock
11438 log
11439 abandoned
11440 takeoff
11441 decoy
11442 pods
11443 checked
11444 exits
11445 orders
11446 panels
11447 revealing
11448 locker
11449 compartments
11450 smuggling
11451 ridiculous
11452 muttering
11453 crewmen
11454 guarding
11455 scanners
11456 gunfire
11457 gantry
11458 comlink
11459 tk
11460 stormtrooper
11461 indicating
11462 aide
11463 annoyed
11464 momentary
11465 chilling
11466 howl
11467 flattens
11468 dressed
11469 removes
11470 sneaking
11471 outlet
11472 plug
11473 network
11474 punches
11475 readouts
11476 coupled
11477 locations
11478 terminals
11479 studies
11480 bargained
11481 fossil
11482 ideas
11483 repeating
11484 scheduled
11485 terminated
11486 growls
11487 grunts
11488 plan
11489 binders
11490 growl
11491 worried
11492 reassuring
11493 helmets
11494 elevator
11495 inconspicuous
11496 vacuum
11497 bureaucrats
11498 bustle
11499 ignoring
11500 trio
11501 completely
11502 bureaucrat
11503 signaled
11504 remark
11505 nudges
11506 transfer
11507 notified
11508 console
11509 punch
11510 alarms
11511 unfastens
11512 howls
11513 dumbfounded
11514 pistols
11515 terrifying
11516 barrage
11517 misses
11518 screeching
11519 corridors
11520 official
11521 everythings
11522 perfectly
11523 negative
11524 leak
11525 operating
11526 explodes
11527 boring
11528 cells
11529 uncomprehending
11530 incredible
11531 staring
11532 uniform
11533 tremor
11534 underestimate
11535 alert
11536 sections
11537 growling
11538 emerge
11539 route
11540 sarcastically
11541 alerted
11542 protection
11543 intense
11544 sweetheart
11545 sheepish
11546 grin
11547 grate
11548 frying
11549 chute
11550 guy
11551 sniffs
11552 oaf
11553 smokey
11554 muck
11555 hatchway
11556 ricochets
11557 dives
11558 magnetically
11559 sealed
11560 absolutely
11561 depths
11562 cowering
11563 yanked
11564 surfaces
11565 gasp
11566 thrashing
11567 membrane
11568 tentacle
11569 wrapped
11570 grab
11571 deathly
11572 bobs
11573 released
11574 disappeared
11575 rumble
11576 poles
11577 closing
11578 snapped
11579 trashmasher
11580 rumbles
11581 buzzer
11582 cabinet
11583 hustle
11584 aims
11585 excitement
11586 overrun
11587 circuits
11588 maintenance
11589 leaning
11590 popping
11591 contracting
11592 plugs
11593 spew
11594 braced
11595 thinner
11596 rips
11597 problems
11598 mashers
11599 agony
11600 hollering
11601 joyous
11602 sensitive
11603 generator
11604 trench
11605 clacking
11606 switching
11607 ledge
11608 leading
11609 connects
11610 adjustments
11611 terminal
11612 belts
11613 dia
11614 noga
11615 victim
11616 relentlessly
11617 petite
11618 worshipfulness
11619 carpet
11620 swiftly
11621 marches
11622 canceled
11623 regular
11624 drill
11625 deftly
11626 milling
11627 braver
11628 groups
11629 rounded
11630 brandishing
11631 joined
11632 assumes
11633 defensive
11634 starpirate
11635 extraordinaire
11636 chased
11637 bridge
11638 spans
11639 retracted
11640 abyss
11641 gasping
11642 explode
11643 reminding
11644 oncoming
11645 resounding
11646 boom
11647 precariously
11648 perched
11649 overhang
11650 oughta
11651 drilling
11652 pounding
11653 plummets
11654 nylon
11655 grappler
11656 rope
11657 wraps
11658 outcropping
11659 tugs
11660 swing
11661 escaping
11662 duo
11663 plugged
11664 laserblasts
11665 slam
11666 tunnels
11667 tunnel
11668 ignites
11669 classical
11670 offensive
11671 stance
11672 learner
11673 sizing
11674 blinking
11675 movement
11676 masterful
11677 slash
11678 blocked
11679 jedis
11680 countered
11681 backing
11682 motionless
11683 lightsabers
11684 surveying
11685 duel
11686 impact
11687 emerging
11688 hallways
11689 tensely
11690 nows
11691 charging
11692 realizes
11693 trapped
11694 opponent
11695 serene
11696 puzzled
11697 disappearance
11698 adventurers
11699 aghast
11700 onrushing
11701 compatriots
11702 crumbles
11703 thud
11704 spectacular
11705 saddened
11706 blankly
11707 protectively
11708 sentry
11709 comfortingly
11710 buddy
11711 gunports
11712 topside
11713 gunport
11714 settling
11715 rotating
11716 turrets
11717 headset
11718 microphone
11719 attacking
11720 graphic
11721 pov
11722 veering
11723 maneuvering
11724 vibrates
11725 minor
11726 falcontie
11727 pan
11728 laserbeams
11729 lurches
11730 oooh
11731 manipulates
11732 lateral
11733 pirateships
11734 sparking
11735 dousing
11736 inferno
11737 spraying
11738 retardant
11739 swivels
11740 victoriously
11741 unleashing
11742 wave
11743 gleefully
11744 cocky
11745 screens
11746 lighting
11747 laserblast
11748 describing
11749 aimed
11750 attacker
11751 atomic
11752 fragments
11753 congratulatory
11754 majestically
11755 strides
11756 homing
11757 beacon
11758 awful
11759 risk
11760 aft
11761 section
11762 rescuing
11763 explanation
11764 tracking
11765 frustrated
11766 intact
11767 analyzed
11768 neednt
11769 copilot
11770 finality
11771 yavin
11772 drifts
11773 orbit
11774 soars
11775 dense
11776 jungle
11777 massassi
11778 outpost
11779 countryside
11780 sours
11781 foliage
11782 rotting
11783 unimaginable
11784 crumbling
11785 willard
11786 composes
11787 formally
11788 tracked
11789 pointedly
11790 ominously
11791 interrupted
11792 discussion
11793 preparing
11794 briefing
11795 dodonna
11796 display
11797 starpilots
11798 navigators
11799 sprinkling
11800 intently
11801 shielded
11802 firepower
11803 defenses
11804 designed
11805 penetrate
11806 outer
11807 addresses
11808 snub
11809 theyd
11810 analysis
11811 maneuver
11812 skim
11813 meters
11814 thermal
11815 exhaust
11816 reaction
11817 murmer
11818 disbelief
11819 proton
11820 torpedoes
11821 wedge
11822 hotshot
11823 bulls
11824 womp
11825 intertwines
11826 relation
11827 orbiting
11828 maximum
11829 velocity
11830 spacefighters
11831 crews
11832 armaments
11833 unlocking
11834 couplings
11835 isolated
11836 activity
11837 loudspeaker
11838 deliberately
11839 debts
11840 suicide
11841 hesitates
11842 lookin
11843 howd
11844 forties
11845 confident
11846 incom
11847 rim
11848 shooting
11849 emotional
11850 occasionally
11851 trespassed
11852 distorted
11853 coupling
11854 hoses
11855 disconnected
11856 fueled
11857 smoothly
11858 signalman
11859 guiding
11860 directs
11861 gracing
11862 peers
11863 goggles
11864 headphones
11865 pedestal
11866 jutting
11867 naturally
11868 permeate
11869 overwhelmed
11870 thundering
11871 ion
11872 rockets
11873 catapult
11874 formation
11875 represents
11876 dots
11877 chatter
11878 estimated
11879 zoom
11880 atmospheric
11881 mike
11882 porkins
11883 wedges
11884 locking
11885 concentrates
11886 buffeted
11887 deflectors
11888 rapidly
11889 antenna
11890 accelerate
11891 revealed
11892 sparkles
11893 grouped
11894 clusters
11895 satellite
11896 wingmen
11897 looming
11898 bob
11899 targeting
11900 axis
11901 squads
11902 peel
11903 expanse
11904 sirens
11905 scramble
11906 turbo
11907 powered
11908 emplacements
11909 drivers
11910 rotate
11911 adjust
11912 listens
11913 speaker
11914 menacing
11915 nosedives
11916 radically
11917 fireball
11918 scorched
11919 flak
11920 cooked
11921 strafe
11922 buckle
11923 evading
11924 belches
11925 turbine
11926 generators
11927 adequate
11928 protect
11929 ringing
11930 deflection
11931 flings
11932 twisting
11933 hurls
11934 erupt
11935 erupts
11936 protruding
11937 blurry
11938 sweeps
11939 superstructure
11940 peels
11941 reverberate
11942 structure
11943 silhouetted
11944 unison
11945 hatches
11946 aides
11947 technicians
11948 scopes
11949 pounds
11950 visual
11951 jamming
11952 ferocious
11953 upside
11954 attitude
11955 tailing
11956 exploding
11957 purposefully
11958 flanked
11959 concerned
11960 communication
11961 rooms
11962 scores
11963 unleash
11964 radio
11965 marked
11966 fives
11967 blinks
11968 twos
11969 viewer
11970 computers
11971 clam
11972 clings
11973 stabilize
11974 marks
11975 vertically
11976 wingmans
11977 flung
11978 veteran
11979 trys
11980 panicked
11981 loosen
11982 tiree
11983 dutch
11984 countless
11985 campaigns
11986 spins
11987 explosive
11988 evacuate
11989 overestimate
11990 fiddles
11991 perspire
11992 roams
11993 evade
11994 tens
11995 cockpits
11996 interference
11997 reflects
11998 fins
11999 porthole
12000 twelves
12001 furiously
12002 concentrating
12003 cooly
12004 unavoidable
12005 scurrying
12006 nines
12007 impacted
12008 starboard
12009 engine
12010 gloved
12011 connecting
12012 helplessness
12013 throttle
12014 lifelong
12015 knicking
12016 stabilizers
12017 damages
12018 precarious
12019 crippled
12020 unbroken
12021 anxiously
12022 bumpy
12023 stealthily
12024 targeter
12025 aiming
12026 bits
12027 watering
12028 lens
12029 mumble
12030 training
12031 switched
12032 manned
12033 pitched
12034 billows
12035 representing
12036 brightly
12037 cleared
12038 barrels
12039 unleashes
12040 wingman
12041 locate
12042 yahoo
12043 colliding
12044 crashes
12045 circles
12046 flanking
12047 levers
12048 hugs
12049 slapping
12050 playfully
12051 shoves
12052 fried
12053 gears
12054 donate
12055 neat
12056 rows
12057 solemnly
12058 aisle
12059 shined
12060 pristine
12061 awestruck
12062 dignitaries
12063 staggeringly
12064 medallion
12065 repeats
12066 disolve
12067 credits
12068 gary
12069 kurtz
12070 starring
12071 hamill
12072 harrison
12073 ford
12074 carrie
12075 cushing
12076 alec
12077 guinness
12078 daniels
12079 kenny
12080 baker
12081 mayhew
12082 david
12083 prowse
12084 purvis
12085 eddie
12086 byrne
12087 production
12088 designer
12089 barry
12090 director
12091 photography
12092 gilbert
12093 taylor
12094 williams
12095 performed
12096 london
12097 symphony
12098 orchestra
12099 copyright
12100 fanfare
12101 photographic
12102 dykstra
12103 stears
12104 editiors
12105 paul
12106 hirsch
12107 marcia
12108 richard
12109 robert
12110 watts
12111 illustration
12112 ralph
12113 mcquarrie
12114 costume
12115 mollo
12116 directors
12117 reynolds
12118 leslie
12119 dilley
12120 stuart
12121 freeborn
12122 mixer
12123 derek
12124 casting
12125 irene
12126 diane
12127 crittenden
12128 vic
12129 ramos
12130 supervising
12131 editor
12132 sam
12133 shaw
12134 dialogue
12135 burtt
12136 editors
12137 rutledge
12138 gordon
12139 davidson
12140 gene
12141 corso
12142 kenneth
12143 wannberg
12144 rerecording
12145 mixers
12146 macdougall
12147 minkler
12148 litt
12149 lester
12150 fresholtz
12151 portman
12152 dolby
12153 consultant
12154 katz
12155 orchestrations
12156 herbert
12157 spencer
12158 eric
12159 tomlinson
12160 todd
12161 boekelheide
12162 jay
12163 colin
12164 bonnie
12165 koehler
12166 operators
12167 ronnie
12168 geoff
12169 glover
12170 decorator
12171 roger
12172 manager
12173 bruce
12174 sharman
12175 tony
12176 waye
12177 gerry
12178 gavigan
12179 terry
12180 madden
12181 arnold
12182 ross
12183 producer
12184 bunny
12185 alsup
12186 lucy
12187 autrey
12188 wilson
12189 carr
12190 miki
12191 herman
12192 gaffer
12193 ron
12194 tabera
12195 bruton
12196 stunt
12197 coordinator
12198 diamond
12199 continuity
12200 ann
12201 skinner
12202 dan
12203 perri
12204 carroll
12205 ballard
12206 rick
12207 clemente
12208 dalva
12209 tak
12210 fuijimoto
12211 leon
12212 erickson
12213 al
12214 locatelli
12215 managers
12216 pepi
12217 lenzi
12218 douglas
12219 beswick
12220 roxanne
12221 jones
12222 karen
12223 controller
12224 brian
12225 gibbs
12226 auditor
12227 leo
12228 auditors
12229 steve
12230 cullip
12231 mccarthy
12232 kim
12233 falkinburg
12234 advertisingpublicity
12235 charles
12236 lippincott
12237 publicist
12238 doyle
12239 photographer
12240 miniature
12241 optical
12242 industrial
12243 camerman
12244 edlund
12245 dennis
12246 muren
12247 camermen
12248 smith
12249 ralston
12250 robman
12251 logan
12252 composite
12253 blalack
12254 praxis
12255 roth
12256 printer
12257 mccue
12258 pecorella
12259 eldon
12260 rickman
12261 jr
12262 assistants
12263 caleb
12264 aschkynazo
12265 moulds
12266 nicholson
12267 bert
12268 terreri
12269 donna
12270 tracey
12271 jim
12272 wells
12273 vicky
12274 witt
12275 mather
12276 matte
12277 artist
12278 ellenshaw
12279 joseph
12280 johnston
12281 additional
12282 cantwell
12283 mccune
12284 builders
12285 beasley
12286 jon
12287 erland
12288 lorne
12289 peterson
12290 gawley
12291 huston
12292 animation
12293 rotoscope
12294 beckett
12295 animators
12296 kuran
12297 jonathan
12298 seay
12299 chris
12300 casady
12301 lyn
12302 diana
12303 berg
12304 phil
12305 tippet
12306 joe
12307 viskocil
12308 greg
12309 auer
12310 graphics
12311 displays
12312 obannon
12313 larry
12314 cuba
12315 walsh
12316 teitzell
12317 mary
12318 lind
12319 librarians
12320 cindy
12321 isman
12322 connie
12323 mccrum
12324 pamela
12325 malouf
12326 alvah
12327 miller
12328 components
12329 shourt
12330 masaaki
12331 norihoro
12332 eleanor
12333 trumbull
12334 william
12335 jerry
12336 greenwood
12337 barnett
12338 ziff
12339 scott
12340 shepherd
12341 lon
12342 tinney
12343 patricia
12344 duignan
12345 kline
12346 rhonda
12347 nathan
12348 opticals
12349 der
12350 veer
12351 photo
12352 mercer
12353 de
12354 patie
12355 freleng
12356 panavisiontechnicolorprints
12357 deluxe
12358 films
12359 reduction
12360 fidelity
12361 shelagh
12362 fraser
12363 pervis
12364 alex
12365 mccrindle
12366 drewe
12367 hemley
12368 lawson
12369 garrick
12370 hagon
12371 klaff
12372 hootkins
12373 angus
12374 mcinnis
12375 jeremy
12376 sinden
12377 graham
12378 ashley
12379 taggi
12380 henderson
12381 le
12382 parmentier
12383 schofield
12384 photographed
12385 tunisia
12386 tikal
12387 national
12388 park
12389 guatemala
12390 california
12391 emi
12392 elstree
12393 studios
12394 borehamwood
12395 anvil
12396 denham
12397 completed
12398 american
12399 zoetrope
12400 san
12401 samuel
12402 goldwyn
12403 los
12404 angeles
12405 producers
12406 institute
12407 anthropology
12408 united
12409 department
12410 cooperation
12411 century
12412 corporation
12413 lucasfilm
12414 ownership
12415 protected
12416 applicable
12417 duplication
12418 distribution
12419 result
12420 criminal
12421 liability
12422 lawrence
12423 kasdan
12424 leigh
12425 brackett
12426 ext
12427 hoth
12428 destroyer
12429 probes
12430 meteorite
12431 sensors
12432 windswept
12433 slope
12434 bundled
12435 lizard
12436 tauntaun
12437 curving
12438 plumes
12439 protective
12440 finished
12441 readings
12442 cube
12443 clicks
12444 wampa
12445 lunging
12446 ferociously
12447 aaargh
12448 ankle
12449 drags
12450 stalwart
12451 rides
12452 securing
12453 mechanics
12454 welding
12455 irritated
12456 grumbles
12457 makeshift
12458 beehive
12459 controllers
12460 monitoring
12461 rieekan
12462 straightens
12463 blurts
12464 anymore
12465 jacket
12466 braided
12467 nordic
12468 hut
12469 adopts
12470 sarcastic
12471 tone
12472 mushy
12473 stews
12474 highnessness
12475 decided
12476 ord
12477 mantell
12478 mystified
12479 aahhh
12480 imagining
12481 goodbye
12482 arrange
12483 heater
12484 commented
12485 freezing
12486 protesting
12487 lifters
12488 irritation
12489 communicator
12490 inqu
12491 abruptly
12492 hurriedly
12493 speeders
12494 adapting
12495 tauntauns
12496 temperatures
12497 sector
12498 alpha
12499 tauntaunll
12500 marker
12501 dusk
12502 jagged
12503 gloomily
12504 ankles
12505 stalactites
12506 futilely
12507 unfasten
12508 throngs
12509 exhausted
12510 focuses
12511 concentration
12512 swinging
12513 flops
12514 staggers
12515 riding
12516 hostile
12517 worriedly
12518 circuit
12519 mournfully
12520 vigil
12521 upright
12522 collapses
12523 shivers
12524 major
12525 derlin
12526 patrols
12527 acknowledgment
12528 coyote
12529 efficient
12530 booms
12531 mistakes
12532 clever
12533 hallucination
12534 weakly
12535 dagobah
12536 yoda
12537 fades
12538 unconsciousness
12539 cradling
12540 urgently
12541 rubbing
12542 rasping
12543 moaning
12544 expires
12545 belly
12546 steaming
12547 stuffs
12548 reeling
12549 odor
12550 whew
12551 til
12552 shelter
12553 ooh
12554 smelled
12555 considerably
12556 snowdrift
12557 dawn
12558 nosed
12559 snowspeeders
12560 snowspeeder
12561 zev
12562 monitors
12563 crackle
12564 filtered
12565 zevs
12566 receiver
12567 transmitters
12568 windward
12569 gingerly
12570 medical
12571 surgeons
12572 obscures
12573 bacta
12574 gelatinous
12575 thrash
12576 raving
12577 delirium
12578 wampas
12579 functional
12580 expresses
12581 gundark
12582 junior
12583 haughtily
12584 activated
12585 delusions
12586 amused
12587 enjoying
12588 humoredly
12589 fuzzball
12590 expressed
12591 flushed
12592 witted
12593 nerf
12594 herder
12595 riled
12596 dumbstruck
12597 grins
12598 announcer
12599 headquarters
12600 personnel
12601 visitor
12602 senior
12603 code
12604 popped
12605 destruct
12606 evacuation
12607 destroyers
12608 surround
12609 fro
12610 footsteps
12611 squat
12612 ozzel
12613 conferring
12614 chill
12615 piett
12616 visuals
12617 devoid
12618 uncharted
12619 instructions
12620 loaded
12621 panic
12622 clearance
12623 launch
12624 hops
12625 eyeing
12626 problematic
12627 surveys
12628 dresses
12629 sevens
12630 plenty
12631 modules
12632 gunners
12633 discussing
12634 verbalize
12635 reroute
12636 cubicle
12637 illuminated
12638 brooding
12639 detected
12640 protecting
12641 sixth
12642 bombardment
12643 wiser
12644 smartly
12645 aaagh
12646 constrict
12647 painfully
12648 deploy
12649 pietts
12650 unexpected
12651 unmixed
12652 warily
12653 lifeless
12654 urgency
12655 briefs
12656 gathered
12657 carriers
12658 escorts
12659 opened
12660 hobbie
12661 bazooka
12662 yelled
12663 rhythmic
12664 packs
12665 tense
12666 escort
12667 skyward
12668 conning
12669 careers
12670 vehicles
12671 announcement
12672 gunner
12673 dack
12674 strapping
12675 bleak
12676 walker
12677 machines
12678 lumbering
12679 walkers
12680 vibrate
12681 accompanied
12682 tightens
12683 battlefield
12684 vector
12685 delta
12686 loom
12687 snowtrench
12688 racing
12689 veerss
12690 viewport
12691 dissipates
12692 armors
12693 harpoons
12694 harpoon
12695 obstacle
12696 sustaining
12697 recedes
12698 dishlike
12699 lumber
12700 activate
12701 hurtles
12702 janson
12703 trailing
12704 continuing
12705 towing
12706 detach
12707 detached
12708 topple
12709 teeters
12710 downed
12711 banking
12712 whooha
12713 chunks
12714 risky
12715 widening
12716 falcons
12717 noticing
12718 bazookalike
12719 debark
12720 erupting
12721 glancing
12722 bucks
12723 spewing
12724 collide
12725 desperately
12726 rocked
12727 electrical
12728 steam
12729 billowing
12730 underground
12731 obliterates
12732 boards
12733 disengage
12734 onslaught
12735 flee
12736 underbelly
12737 projectile
12738 firmly
12739 attaches
12740 dangling
12741 reaching
12742 landmine
12743 insides
12744 spewed
12745 conceivable
12746 locomotive
12747 stilts
12748 exploded
12749 decimal
12750 electrorangefinder
12751 pushed
12752 relentless
12753 lagging
12754 blacks
12755 docked
12756 lags
12757 typical
12758 reopens
12759 goldenrod
12760 chunk
12761 hanger
12762 troublesome
12763 gauge
12764 observes
12765 efforts
12766 hows
12767 clanks
12768 devastating
12769 disbelieving
12770 bucket
12771 babys
12772 surprises
12773 burnout
12774 cubbyhole
12775 chirps
12776 excited
12777 thoughtful
12778 decision
12779 sharply
12780 prints
12781 regroup
12782 unbelieving
12783 exclamation
12784 phrased
12785 chuckling
12786 manual
12787 bumps
12788 readjusts
12789 outmaneuver
12790 evasive
12791 calmed
12792 buffeting
12793 gleam
12794 expectantly
12795 acute
12796 noticed
12797 hyperdrive
12798 heavier
12799 starry
12800 horizontal
12801 boosters
12802 alluvial
12803 dampers
12804 hydrospanners
12805 tools
12806 thump
12807 lurch
12808 oww
12809 turbulence
12810 thumps
12811 winces
12812 jolt
12813 possibility
12814 successfully
12815 navigating
12816 approximately
12817 completes
12818 weave
12819 pelted
12820 scrapes
12821 narrowly
12822 crunch
12823 peek
12824 pulverized
12825 skims
12826 rattled
12827 rocking
12828 hysterics
12829 nicely
12830 maam
12831 skimming
12832 nearing
12833 tunnellike
12834 slows
12835 anxiety
12836 screened
12837 inquiry
12838 picking
12839 technology
12840 operate
12841 buzzes
12842 cycle
12843 retrorockets
12844 deafening
12845 squeals
12846 fog
12847 splash
12848 boggy
12849 lake
12850 plane
12851 periscope
12852 gurgly
12853 tip
12854 outline
12855 steadily
12856 layer
12857 sinuous
12858 bog
12859 swampy
12860 clunk
12861 ignited
12862 wades
12863 phheewaat
12864 runt
12865 moss
12866 soggy
12867 spooky
12868 swamp
12869 ejects
12870 cranial
12871 entryway
12872 surprising
12873 insectlike
12874 apparatuses
12875 respirator
12876 retracts
12877 uncovered
12878 bald
12879 covering
12880 dripping
12881 dimensions
12882 include
12883 items
12884 stable
12885 professor
12886 sliding
12887 indignant
12888 sshh
12889 flushes
12890 averting
12891 wickedly
12892 emotions
12893 clearing
12894 dispersed
12895 gloomy
12896 fusion
12897 furnace
12898 noselike
12899 appreciation
12900 processed
12901 screeches
12902 mysteriously
12903 bluish
12904 wizened
12905 watched
12906 hesitation
12907 hmmm
12908 mmmm
12909 ahhh
12910 rummage
12911 handling
12912 disapproval
12913 teasing
12914 aww
12915 retains
12916 examines
12917 ohhh
12918 retreating
12919 clutching
12920 unnoticed
12921 mudhole
12922 fella
12923 hmm
12924 oohhh
12925 mmm
12926 scurries
12927 quieter
12928 dialect
12929 mystifying
12930 communicate
12931 polarized
12932 replace
12933 whines
12934 reengage
12935 valve
12936 rebuffs
12937 nicer
12938 haltingly
12939 scoundrel
12940 massage
12941 trembling
12942 irresistible
12943 scoundrels
12944 regains
12945 indignation
12946 flux
12947 icily
12948 spoiled
12949 fireworks
12950 battleship
12951 continually
12952 disrupted
12953 needa
12954 amount
12955 sustained
12956 scared
12957 materializes
12958 monks
12959 reminiscent
12960 deeper
12961 frightening
12962 asset
12963 supreme
12964 crouched
12965 downpour
12966 gnarled
12967 baroque
12968 knoll
12969 lagoon
12970 gnomish
12971 radiates
12972 tap
12973 portals
12974 peeking
12975 cozy
12976 cooking
12977 stove
12978 hodgepodge
12979 pans
12980 chopping
12981 shredding
12982 platters
12983 quarters
12984 pot
12985 tasting
12986 unfamiliar
12987 concoction
12988 pleasantly
12989 rootleaf
12990 wasting
12991 gradually
12992 dawns
12993 hah
12994 trained
12995 commitment
12996 future
12997 hmph
12998 heh
12999 detects
13000 softening
13001 yodas
13002 exteriors
13003 brilliant
13004 indicator
13005 suctionlike
13006 windscreen
13007 screech
13008 interested
13009 mysterious
13010 stamps
13011 investigate
13012 mynock
13013 chewing
13014 mynocks
13015 swarm
13016 swoops
13017 shoos
13018 batlike
13019 flap
13020 unholsters
13021 committee
13022 diminished
13023 stalagmites
13024 surging
13025 collapsing
13026 zooming
13027 rolls
13028 vines
13029 panting
13030 climbing
13031 jumping
13032 aggression
13033 wans
13034 apprentice
13035 seductive
13036 passive
13037 mmmmmmmm
13038 branch
13039 poking
13040 gimer
13041 domain
13042 brush
13043 snake
13044 widens
13045 sidesteps
13046 slashes
13047 decapitated
13048 encased
13049 smashes
13050 gasps
13051 priority
13052 avenger
13053 bizarre
13054 bossk
13055 bloodshot
13056 zuckuss
13057 dengar
13058 mangy
13059 ig
13060 disintegrations
13061 harmlessly
13062 subside
13063 steeply
13064 corrects
13065 expecting
13066 puzzlement
13067 surviving
13068 weaves
13069 numerous
13070 avengers
13071 imperials
13072 stationed
13073 nears
13074 track
13075 cloaking
13076 communications
13077 update
13078 apologize
13079 bowling
13080 wavers
13081 concentrate
13082 chirping
13083 lakes
13084 uncertainly
13085 unlearn
13086 focusing
13087 disappearing
13088 luminous
13089 beings
13090 crude
13091 sweeping
13092 gesturing
13093 discouraged
13094 bowed
13095 beach
13096 astonishment
13097 includes
13098 needas
13099 accepted
13100 slumps
13101 destination
13102 trajectory
13103 uneasy
13104 glides
13105 aware
13106 clinging
13107 standard
13108 procedure
13109 float
13110 anoat
13111 lando
13112 mapscreen
13113 landos
13114 calrissian
13115 gambler
13116 bespin
13117 tibanna
13118 gas
13119 conned
13120 amidst
13121 drifting
13122 fetts
13123 decide
13124 shrouds
13125 gaseous
13126 cars
13127 alongside
13128 deviate
13129 touchy
13130 metropolis
13131 platforms
13132 suave
13133 aliens
13134 humans
13135 expression
13136 swindler
13137 innocently
13138 mouthing
13139 threateningly
13140 ahh
13141 administrator
13142 smoothie
13143 facilities
13144 introduction
13145 lobot
13146 fastest
13147 crossed
13148 rounding
13149 corners
13150 plazas
13151 labor
13152 difficulties
13153 businessman
13154 responsible
13155 whod
13156 reflective
13157 successful
13158 mumbles
13159 chu
13160 ta
13161 anteroom
13162 terribly
13163 whooshes
13164 unaware
13165 materialized
13166 shimmering
13167 failure
13168 agent
13169 honor
13170 dilemma
13171 interfere
13172 engulf
13173 assigned
13174 agitation
13175 ribbons
13176 somethings
13177 relax
13178 considers
13179 piled
13180 ugnaughts
13181 hoglike
13182 separate
13183 conveyer
13184 molten
13185 ugnaught
13186 clang
13187 grunting
13188 coolly
13189 refreshment
13190 suspiciously
13191 licks
13192 everyones
13193 proffered
13194 shafts
13195 columns
13196 jurisdiction
13197 guild
13198 advantageous
13199 customers
13200 anxious
13201 developed
13202 insure
13203 deflecting
13204 zips
13205 honored
13206 bespins
13207 transmitted
13208 flooded
13209 chewies
13210 fists
13211 disassembled
13212 barking
13213 philosophical
13214 remarks
13215 torso
13216 bewilderment
13217 connections
13218 elaborate
13219 mechanism
13220 await
13221 filter
13222 treated
13223 unfairly
13224 garrison
13225 deals
13226 connected
13227 backwards
13228 furball
13229 overgrown
13230 mophead
13231 deactivates
13232 stroking
13233 peaks
13234 hauls
13235 butts
13236 wipes
13237 dabs
13238 armor
13239 chemical
13240 tanks
13241 housing
13242 hydraulic
13243 encountering
13244 coffinlike
13245 happening
13246 animate
13247 expressive
13248 intermittently
13249 randomly
13250 angles
13251 compensate
13252 realizing
13253 reinforcements
13254 scuffle
13255 clubbing
13256 bash
13257 captors
13258 wails
13259 slipped
13260 sorrowfully
13261 carbonite
13262 survives
13263 tong
13264 vat
13265 placing
13266 knobs
13267 hibernation
13268 reset
13269 landed
13270 supervision
13271 pushing
13272 whisk
13273 herded
13274 bearings
13275 slamming
13276 dazed
13277 hissing
13278 escapes
13279 stairway
13280 walkway
13281 holsters
13282 lunges
13283 repels
13284 combatants
13285 clash
13286 intersection
13287 binding
13288 releases
13289 spun
13290 wooly
13291 possessed
13292 aggressively
13293 tactics
13294 hooking
13295 sprawls
13296 noiselessly
13297 forcefully
13298 leaped
13299 impressive
13300 goads
13301 foolhardy
13302 retreats
13303 somersault
13304 skillful
13305 looses
13306 collapse
13307 machinery
13308 detaches
13309 smashing
13310 hurtling
13311 deflects
13312 bloodied
13313 rocklike
13314 glimpse
13315 codes
13316 override
13317 seep
13318 residents
13319 packages
13320 berates
13321 lump
13322 obscuring
13323 dashes
13324 battalion
13325 ouch
13326 thoughtless
13327 ow
13328 hairy
13329 understandingly
13330 railing
13331 sideways
13332 viciously
13333 nicks
13334 smokes
13335 recovers
13336 slashing
13337 forearm
13338 armpit
13339 subsides
13340 conflict
13341 shocked
13342 foreseen
13343 slickly
13344 polished
13345 grill
13346 claws
13347 vane
13348 undermost
13349 fragile
13350 newcomer
13351 speck
13352 someones
13353 crossbar
13354 supported
13355 cuff
13356 blip
13357 recognizes
13358 expectant
13359 determinedly
13360 noisy
13361 knowingly
13362 sprayed
13363 emotionally
13364 physically
13365 depression
13366 grandeur
13367 seats
13368 unexpectedly
13369 contemplative
13370 metalized
13371 bandage
13372 wriggles
13373 relaxes
13374 complicated
13375 swirling
13376 january
13377 clutches
13378 gangster
13379 secretly
13380 construction
13381 curling
13382 octopus
13383 benevolent
13384 endor
13385 zipping
13386 hustles
13387 st
13388 vo
13389 confirmation
13390 operator
13391 delineating
13392 jerjerrod
13393 technocrat
13394 arrival
13395 arrogantly
13396 whoosh
13397 assemblage
13398 pleasantries
13399 ashen
13400 motivate
13401 planned
13402 optimistic
13403 appraisal
13404 asks
13405 forgiving
13406 road
13407 lonely
13408 meanders
13409 distinctive
13410 timidly
13411 signaling
13412 spidery
13413 eyeball
13414 tee
13415 chuta
13416 hhat
13417 yudd
13418 detoowha
13419 bo
13420 seethreepiowha
13421 ey
13422 toota
13423 mischka
13424 du
13425 horrific
13426 cavity
13427 gamorrean
13428 brutes
13429 bib
13430 fortuna
13431 humanlike
13432 tentacles
13433 wanna
13434 wanga
13435 wauaga
13436 cont
13437 negatively
13438 nee
13439 badda
13440 chaade
13441 su
13442 goodie
13443 nudd
13444 chaa
13445 trailed
13446 nauseating
13447 underworld
13448 blob
13449 bloated
13450 maniacal
13451 chained
13452 oola
13453 dais
13454 obnoxious
13455 birdlike
13456 salacious
13457 crumb
13458 slobbering
13459 degenerates
13460 politely
13461 shuda
13462 skinned
13463 projects
13464 gangsters
13465 introduce
13466 anaudience
13467 arrangement
13468 mutually
13469 enable
13470 confrontation
13471 goodwill
13472 hardworking
13473 huttese
13474 subtitled
13475 favorite
13476 decoration
13477 hideously
13478 carbonized
13479 shadowy
13480 unspeakable
13481 hapless
13482 unhappiness
13483 ohh
13484 boiler
13485 ev
13486 ninedenine
13487 branding
13488 irons
13489 agonized
13490 acquisitions
13491 cy
13492 languages
13493 readily
13494 splendid
13495 disintegrated
13496 excellencys
13497 plaintive
13498 feisty
13499 tortured
13500 raucous
13501 sloppy
13502 smelly
13503 breasted
13504 reeds
13505 oolas
13506 applauds
13507 daddy
13508 leers
13509 dancers
13510 lustful
13511 tout
13512 da
13513 eitha
13514 na
13515 chuba
13516 negatorie
13517 natoota
13518 tugging
13519 boscka
13520 hysterically
13521 revelers
13522 rancor
13523 cringes
13524 wistfully
13525 gunshot
13526 offscreen
13527 gathering
13528 debauchers
13529 boushh
13530 cloaked
13531 electronically
13532 ubese
13533 translates
13534 illustrious
13535 clattering
13536 detonator
13537 malevolently
13538 sly
13539 fearless
13540 inventive
13541 zeebuss
13542 skiff
13543 hoots
13544 appreciative
13545 column
13546 gunfighter
13547 glare
13548 arrogance
13549 toadlike
13550 flicks
13551 burps
13552 snoring
13553 perimeter
13554 spotlighted
13555 hesitant
13556 decarbonization
13557 emit
13558 contours
13559 freed
13560 forearms
13561 previously
13562 reflexive
13563 slackly
13564 muscles
13565 boushhs
13566 steadies
13567 shhh
13568 weakened
13569 obscene
13570 cackle
13571 cronies
13572 cacophony
13573 glee
13574 sidetracked
13575 smuggler
13576 fodder
13577 chuckles
13578 inexorably
13579 ugh
13580 creaks
13581 blinded
13582 collect
13583 lifting
13584 pal
13585 goin
13586 insistently
13587 pets
13588 spears
13589 denial
13590 hypnotic
13591 rewarded
13592 wriggle
13593 skimpy
13594 manaclenecklace
13595 awakens
13596 clobbers
13597 bascka
13598 recognizable
13599 dungeonlike
13600 gathers
13601 fanged
13602 gulp
13603 swipe
13604 salivating
13605 flails
13606 avalanche
13607 crushes
13608 rancors
13609 barred
13610 crouches
13611 halfway
13612 squashing
13613 sledgehammer
13614 consternation
13615 examining
13616 unworried
13617 pet
13618 exaltedness
13619 carkoon
13620 nesting
13621 sarlacc
13622 definition
13623 cackles
13624 evilly
13625 prisoners
13626 treks
13627 tatooines
13628 skiffs
13629 retinue
13630 sultan
13631 antigravity
13632 convenient
13633 scantily
13634 bumping
13635 spilling
13636 sor
13637 singsong
13638 mucous
13639 beak
13640 sarlaccs
13641 intergalactic
13642 amplified
13643 loudspeakers
13644 victims
13645 almighty
13646 excellency
13647 honorably
13648 pleas
13649 ridden
13650 unobtrusively
13651 mocking
13652 thumbs
13653 facing
13654 prodded
13655 gaping
13656 jaunty
13657 salute
13658 bloodthirsty
13659 fingertips
13660 catapults
13661 midair
13662 flip
13663 vacated
13664 casually
13665 arcing
13666 samurai
13667 overboard
13668 sandy
13669 viscous
13670 scuzzy
13671 uproar
13672 gunmen
13673 dangles
13674 hacks
13675 barges
13676 pinned
13677 lasso
13678 fusillade
13679 brackets
13680 incoming
13681 decimating
13682 spear
13683 badly
13684 lethal
13685 appendage
13686 whacks
13687 squarely
13688 bobas
13689 ignite
13690 missile
13691 congratulations
13692 enslaves
13693 bulbous
13694 grasp
13695 flaccid
13696 contracts
13697 tightening
13698 bulge
13699 sockets
13700 hutts
13701 spasms
13702 luckily
13703 slipping
13704 chasm
13705 sheer
13706 fingerhold
13707 ax
13708 grasps
13709 yanks
13710 baron
13711 slippage
13712 tilted
13713 fuzzy
13714 demolished
13715 uncovering
13716 tumult
13717 kicking
13718 reptilian
13719 rafters
13720 warding
13721 flexes
13722 rigging
13723 mast
13724 kicks
13725 trigger
13726 flair
13727 electromagnets
13728 dangle
13729 skips
13730 conflagration
13731 sandstorm
13732 pressing
13733 hobbles
13734 vague
13735 describable
13736 shrugging
13737 closest
13738 sleepin
13739 affectionately
13740 mussing
13741 warmly
13742 crate
13743 dubiously
13744 betrayal
13745 subsequent
13746 unfrozen
13747 comin
13748 super
13749 neighbor
13750 mammoth
13751 shuttles
13752 rigid
13753 momentous
13754 shriveled
13755 cane
13756 ruler
13757 environs
13758 disconsolately
13759 cottage
13760 hesitantly
13761 coughs
13762 earned
13763 screwing
13764 weariness
13765 compassion
13766 creases
13767 incomplete
13768 shiver
13769 depressed
13770 dejectedly
13771 os
13772 ceased
13773 anakin
13774 derisive
13775 cling
13776 unresponsive
13777 stump
13778 mesmerized
13779 consequences
13780 entranced
13781 prematurely
13782 easiest
13783 offspring
13784 anonymous
13785 insight
13786 comprehend
13787 narrative
13788 attempting
13789 politically
13790 lineage
13791 adopted
13792 democracy
13793 foster
13794 immunity
13795 avoiding
13796 battleships
13797 battlecruisers
13798 largest
13799 depicting
13800 mon
13801 mothma
13802 madine
13803 ackbar
13804 salmon
13805 colored
13806 calamari
13807 insignia
13808 taanab
13809 respectable
13810 bothan
13811 pinpoints
13812 unprotected
13813 overseeing
13814 bothans
13815 generated
13816 attempted
13817 murmur
13818 volunteered
13819 teams
13820 paw
13821 volunteers
13822 questioningly
13823 exciting
13824 anomalous
13825 byes
13826 warmed
13827 complaint
13828 rulers
13829 massing
13830 sullust
13831 crushed
13832 announces
13833 outta
13834 tydirium
13835 requesting
13836 deactivation
13837 commencing
13838 jittery
13839 endangering
13840 optimism
13841 vibration
13842 hanfiltered
13843 sanctuary
13844 site
13845 primeval
13846 dwarfed
13847 helmeted
13848 contingent
13849 crest
13850 crawl
13851 scouts
13852 bushes
13853 bikes
13854 partyll
13855 campsite
13856 sneaks
13857 twig
13858 whirls
13859 crossbow
13860 rousing
13861 fistfight
13862 unoccupied
13863 recklessly
13864 slowing
13865 vanes
13866 chasing
13867 braking
13868 mode
13869 zip
13870 pursuers
13871 cohort
13872 highspeed
13873 slalom
13874 trunks
13875 pursuer
13876 handgun
13877 brakes
13878 avail
13879 weaving
13880 riders
13881 clipping
13882 undergrowth
13883 chops
13884 pitching
13885 revolves
13886 plops
13887 boulder
13888 wearily
13889 ewok
13890 wicket
13891 prods
13892 frightens
13893 fuzz
13894 charred
13895 soreness
13896 puppy
13897 chattering
13898 squeaky
13899 sniffing
13900 reassured
13901 perk
13902 sniff
13903 ewokese
13904 chubby
13905 penetrated
13906 skeptical
13907 bowsas
13908 wreckage
13909 wrecked
13910 gravely
13911 animal
13912 nah
13913 wa
13914 sprooing
13915 jumble
13916 bottommost
13917 slicing
13918 spin
13919 dro
13920 op
13921 regain
13922 dozens
13923 ewoks
13924 wha
13925 someplace
13926 wielded
13927 teebo
13928 confiscate
13929 critters
13930 untangling
13931 nearest
13932 prostrates
13933 chant
13934 mistaken
13935 primitive
13936 impersonate
13937 deity
13938 placatingly
13939 cocoonlike
13940 litter
13941 shaky
13942 wooden
13943 nothingness
13944 village
13945 huts
13946 rickety
13947 walkways
13948 babies
13949 newcomers
13950 barbecue
13951 leaned
13952 litterthrone
13953 rapt
13954 fascination
13955 fascinated
13956 logray
13957 tribal
13958 elevated
13959 haired
13960 chirpa
13961 curiosity
13962 firewood
13963 embarrassed
13964 chime
13965 vigor
13966 challenges
13967 revolving
13968 elp
13969 enfold
13970 spinning
13971 zap
13972 electric
13973 marveling
13974 chiefs
13975 kaleidoscope
13976 flank
13977 pantomimes
13978 mimicking
13979 imitating
13980 distinguishable
13981 confer
13982 pronouncement
13983 sharing
13984 consciousness
13985 teddy
13986 enthusiastically
13987 quickest
13988 drifted
13989 moonlight
13990 wandered
13991 insistence
13992 troubling
13993 stifle
13994 sobs
13995 verdant
13996 surrendered
13997 ponder
13998 skills
13999 extinguishes
14000 paploo
14001 installation
14002 bunkers
14003 flacon
14004 comparison
14005 nien
14006 nunb
14007 countdown
14008 thisll
14009 shortest
14010 ackbars
14011 segments
14012 bunker
14013 reunited
14014 explains
14015 scampers
14016 underbrush
14017 lounging
14018 scary
14019 decides
14020 police
14021 defiantly
14022 completing
14023 overconfidence
14024 transpired
14025 legion
14026 awaits
14027 cohorts
14028 disarming
14029 armada
14030 implications
14031 momentum
14032 mv
14033 dogfight
14034 ensues
14035 armrest
14036 unarmed
14037 overpowers
14038 horn
14039 biker
14040 astrodroid
14041 heroics
14042 furries
14043 stomp
14044 smash
14045 hooked
14046 horrified
14047 viewscreens
14048 magnitude
14049 astrodroids
14050 compartment
14051 appendages
14052 sticking
14053 spurt
14054 nozzles
14055 hotwire
14056 handmade
14057 hanggliders
14058 bombing
14059 adversaries
14060 awaken
14061 rampaging
14062 giants
14063 decimated
14064 defenseless
14065 blocking
14066 sophisticated
14067 sneak
14068 lassoed
14069 lurching
14070 careens
14071 destroying
14072 favor
14073 connection
14074 exchanges
14075 disposes
14076 triumphantly
14077 aggressive
14078 unwise
14079 amazing
14080 catwalk
14081 supports
14082 armadas
14083 individual
14084 confrontations
14085 hanpilot
14086 frenzy
14087 clatters
14088 uselessly
14089 bottomless
14090 uncontrollable
14091 fulfill
14092 lifetime
14093 unfinished
14094 shrinks
14095 buckling
14096 canister
14097 writhes
14098 unbearable
14099 outpouring
14100 increases
14101 intensity
14102 robed
14103 arcs
14104 helplessly
14105 exteriorinterior
14106 portion
14107 narrowing
14108 reflect
14109 narrows
14110 dangerously
14111 intensify
14112 batteries
14113 deadweight
14114 weakening
14115 elderly
14116 focus
14117 bomb
14118 bombard
14119 resonating
14120 regulator
14121 missiles
14122 enhanced
14123 overtake
14124 forgives
14125 piloted
14126 whizzes
14127 misinterpreting
14128 blew
14129 misunderstanding
14130 stacked
14131 pyre
14132 searchlights
14133 festivities
14134 confetti
14135 awash
14136 coruscant
14137 airspeeder
14138 centerpiece
14139 firelight
14140 communal
14141 liberation
14142 hugged
14143 sidelines
14144 midsts
14145 marquand
14146 howard
14147 kazanjian
14148 screenplay
14149 executive
14150 bloom
14151 alan
14152 hume
14153 edited
14154 sean
14155 barton
14156 duwayne
14157 dunham
14158 ken
14159 designers
14160 aggie
14161 guerard
14162 rodgers
14163 nilo
14164 rodis
14165 jamero
14166 kit
14167 tippett
14168 billy
14169 dee
14170 theepio
14171 sebastian
14172 palpatine
14173 ian
14174 mcdiarmid
14175 oz
14176 pennington
14177 colley
14178 carter
14179 antilies
14180 denis
14181 tim
14182 dermot
14183 crowley
14184 caroline
14185 blakiston
14186 warwick
14187 davis
14188 bulloch
14189 femi
14190 sy
14191 snootles
14192 annie
14193 arbogast
14194 claire
14195 davenport
14196 edmonds
14197 jane
14198 busby
14199 malcom
14200 dixon
14201 cottrell
14202 nicki
14203 reade
14204 bareham
14205 oliver
14206 pip
14207 tom
14208 mannion
14209 puppeteers
14210 toby
14211 philpott
14212 barclay
14213 mccormick
14214 roy
14215 williamson
14216 lee
14217 quinn
14218 robinson
14219 decorators
14220 harry
14221 lange
14222 conceptual
14223 fred
14224 schoppe
14225 lamont
14226 fenner
14227 dawking
14228 sharon
14229 cartwright
14230 dresser
14231 doug
14232 von
14233 koss
14234 constuction
14235 bill
14236 welch
14237 irvin
14238 foreman
14239 iiams
14240 callas
14241 clause
14242 elliot
14243 stan
14244 wakashige
14245 laborer
14246 foremen
14247 fukuzawa
14248 johnson
14249 clark
14250 standby
14251 giovanni
14252 ferrara
14253 sketch
14254 carnon
14255 scenic
14256 ted
14257 michell
14258 steven
14259 sallybanks
14260 decor
14261 lettering
14262 dickinson
14263 draftsmen
14264 reg
14265 bream
14266 billerman
14267 campell
14268 djurkovic
14269 gavin
14270 bocquet
14271 kevin
14272 phipps
14273 buyers
14274 lusby
14275 giladjian
14276 storeman
14277 middleton
14278 secretary
14279 carol
14280 regan
14281 glennon
14282 lowin
14283 cameramen
14284 mills
14285 laughridge
14286 benson
14287 puller
14288 frift
14289 napolitano
14290 bonge
14291 tate
14292 martin
14293 kenzie
14294 gaffers
14295 pantages
14296 bremner
14297 herron
14298 helicopter
14299 wolfe
14300 dick
14301 dova
14302 spah
14303 dolly
14304 chunky
14305 huse
14306 stanley
14307 sayer
14308 tommy
14309 electrician
14310 dreyfuss
14311 mauricio
14312 artists
14313 robb
14314 dickie
14315 kay
14316 dudman
14317 brownie
14318 christine
14319 allsopp
14320 daniel
14321 parker
14322 harris
14323 terri
14324 anderson
14325 bromley
14326 modellers
14327 osborn
14328 jan
14329 stevens
14330 overs
14331 padbury
14332 hairdresser
14333 mcdermont
14334 hairdressers
14335 lockey
14336 blanc
14337 articulation
14338 eben
14339 stromquist
14340 armature
14341 ronzani
14342 plastic
14343 sculptural
14344 wiley
14345 sculptors
14346 dave
14347 carson
14348 mcvey
14349 sosalla
14350 judy
14351 elkins
14352 howarth
14353 cheif
14354 moldmaker
14355 wesley
14356 randy
14357 dutra
14358 kirk
14359 thatcher
14360 isaac
14361 turner
14362 jeanne
14363 lauren
14364 ethan
14365 hanson
14366 rodger
14367 consultants
14368 walas
14369 productioncreature
14370 ordinator
14371 patty
14372 blau
14373 latex
14374 lab
14375 mclaughlin
14376 animatronics
14377 engineers
14378 coppinger
14379 elizabeth
14380 janet
14381 tebrooke
14382 jenny
14383 jeweler
14384 wardrode
14385 patrickwheatley
14386 wilcon
14387 murphy
14388 jeffrey
14389 keith
14390 morton
14391 birkinshaw
14392 costumers
14393 kassal
14394 edwin
14395 pellikka
14396 anne
14397 polland
14398 elvira
14399 angelinetta
14400 mick
14401 becker
14402 claudia
14403 everett
14404 laurie
14405 rudd
14406 nancy
14407 servin
14408 karrin
14409 kain
14410 derik
14411 hyde
14412 maggie
14413 patte
14414 janice
14415 gartin
14416 julie
14417 woodbridge
14418 gillett
14419 rita
14420 wakely
14421 eileen
14422 sullivan
14423 hancock
14424 torbett
14425 supervisors
14426 coangelo
14427 lofthouse
14428 holly
14429 ivan
14430 perre
14431 propmakers
14432 hargreaves
14433 plasterer
14434 clarke
14435 shirtcliffe
14436 rigger
14437 stagehabd
14438 burke
14439 ordinators
14440 kreysler
14441 tompkins
14442 engineering
14443 derrick
14444 baylis
14445 peggy
14446 kashuba
14447 dawe
14448 thom
14449 batchelor
14450 shep
14451 manson
14452 audio
14453 christopher
14454 kris
14455 handwerk
14456 kelly
14457 marty
14458 dennie
14459 thorpe
14460 watson
14461 catherine
14462 coombs
14463 hodenfield
14464 kessler
14465 leahy
14466 lyrics
14467 huttesse
14468 holman
14469 starkey
14470 conrad
14471 buff
14472 sanderson
14473 hosker
14474 debra
14475 mcdermott
14476 clive
14477 hartley
14478 burrow
14479 teresa
14480 eckton
14481 ladevich
14482 curt
14483 schulkey
14484 vickie
14485 weir
14486 mann
14487 gloria
14488 suzanne
14489 kathy
14490 ryan
14491 jenks
14492 leasman
14493 twiddy
14494 latham
14495 patrica
14496 louis
14497 friedman
14498 directorsecond
14499 tomblin
14500 micheal
14501 steele
14502 newman
14503 russell
14504 bryce
14505 lata
14506 ordination
14507 sunni
14508 kerwin
14509 gail
14510 samuelson
14511 script
14512 glenn
14513 randall
14514 arranger
14515 selway
14516 buckley
14517 eman
14518 lytle
14519 kathleen
14520 hartney
14521 betty
14522 syrjamaki
14523 leila
14524 kirkpatrick
14525 choreographer
14526 gillian
14527 wendy
14528 rogers
14529 arthur
14530 mitchell
14531 hurren
14532 accountants
14533 sheala
14534 daniell
14535 harley
14536 sian
14537 matcham
14538 dankwardt
14539 pinki
14540 ragan
14541 wright
14542 transportation
14543 schwartz
14544 feinblatt
14545 noblitt
14546 studio
14547 minay
14548 lennie
14549 fike
14550 photographers
14551 albert
14552 nelson
14553 arnell
14554 broom
14555 marketing
14556 sidney
14557 ganis
14558 trembly
14559 barb
14560 lakin
14561 wippert
14562 research
14563 deborah
14564 wingrove
14565 dawson
14566 rodney
14567 neil
14568 trevor
14569 electronics
14570 hone
14571 gittens
14572 whitrod
14573 hatt
14574 yves
14575 bono
14576 lloyd
14577 nichols
14578 knowles
14579 specialists
14580 harman
14581 crawley
14582 pike
14583 simmons
14584 zink
14585 surkin
14586 stirber
14587 bruno
14588 zeebroeck
14589 chapot
14590 klinger
14591 donald
14592 chadler
14593 cox
14594 rebecca
14595 dow
14596 mcalister
14597 farrar
14598 selwyn
14599 eddy
14600 elswit
14601 fichter
14602 stewart
14603 barbee
14604 gredell
14605 hardburger
14606 sweeney
14607 gilberti
14608 mcardle
14609 daulton
14610 bessie
14611 maryan
14612 evans
14613 heidel
14614 fincher
14615 romano
14616 elis
14617 vargo
14618 lim
14619 rosseter
14620 ed
14621 philip
14622 barberio
14623 peg
14624 walter
14625 shannon
14626 geideman
14627 duncan
14628 myers
14629 illustrator
14630 jenson
14631 animator
14632 amand
14633 pangrazio
14634 ordaz
14635 krepela
14636 craig
14637 barron
14638 bailey
14639 fulmer
14640 owyeung
14641 marshall
14642 casey
14643 gallucci
14644 jeff
14645 ira
14646 keeler
14647 cochrane
14648 affonso
14649 butterfield
14650 marchi
14651 mcmahon
14652 ottenberg
14653 bovill
14654 modelshop
14655 keefer
14656 garry
14657 waller
14658 kimberly
14659 knowlton
14660 windell
14661 renee
14662 holt
14663 lessa
14664 comstock
14665 duca
14666 annick
14667 therrien
14668 suki
14669 margot
14670 pipkin
14671 armstrong
14672 petrulli
14673 darryl
14674 studbaker
14675 norwood
14676 repola
14677 stein
14678 amundson
14679 kimberlin
14680 chrisoulis
14681 gleason
14682 ignaszewski
14683 candib
14684 ilm
14685 warren
14686 franklin
14687 vermont
14688 administrative
14689 chrisse
14690 kaysen
14691 paula
14692 karsh
14693 ayers
14694 sonja
14695 paulson
14696 dube
14697 les
14698 thaler
14699 cooper
14700 ned
14701 gorman
14702 fode
14703 fritz
14704 monahan
14705 geoffrey
14706 devalois
14707 chostner
14708 roberto
14709 mcgrath
14710 kerry
14711 mordquist
14712 jeffress
14713 mackenzie
14714 brenneis
14715 reeves
14716 duff
14717 whiteman
14718 machinists
14719 udo
14720 pampel
14721 bonderson
14722 hanks
14723 bolles
14724 wade
14725 childress
14726 cristi
14727 tennler
14728 moehnke
14729 fitzsimmons
14730 finley
14731 hirsh
14732 mcleod
14733 stolz
14734 childers
14735 harold
14736 cole
14737 merlin
14738 ohm
14739 brakett
14740 pyrotechnicians
14741 thaine
14742 morris
14743 pier
14744 steadicam
14745 garret
14746 ultra
14747 productions
14748 color
14749 timers
14750 schurmann
14751 hagans
14752 cutter
14753 sunrise
14754 pacific
14755 monaco
14756 labs
14757 concepts
14758 movie
14759 margo
14760 apostocos
14761 linda
14762 bowley
14763 burroughs
14764 debbie
14765 carrington
14766 balham
14767 maureen
14768 charlton
14769 bobbie
14770 coppen
14771 sadie
14772 corrie
14773 bennett
14774 sarah
14775 cumming
14776 betts
14777 jean
14778 dagostino
14779 blackner
14780 luis
14781 jesus
14782 lummiss
14783 margarita
14784 fernandez
14785 maclean
14786 fondacaro
14787 mandell
14788 sal
14789 carole
14790 friel
14791 stacy
14792 frishman
14793 nunn
14794 gavam
14795 olaughlin
14796 gilden
14797 orenstien
14798 harrell
14799 pedrick
14800 perkins
14801 pam
14802 grizz
14803 phillips
14804 andrew
14805 katie
14806 jackson
14807 glynn
14808 nicholas
14809 dean
14810 shackenford
14811 josephine
14812 staddon
14813 kiran
14814 shah
14815 thompson
14816 felix
14817 silla
14818 kendra
14819 spriggs
14820 wheeler
14821 gerarld
14822 butch
14823 wilhelm
14824 mime
14825 ailsa
14826 berk
14827 crawford
14828 andy
14829 cunningham
14830 graeme
14831 hattrick
14832 gerald
14833 springer
14834 performers
14835 dirk
14836 yohan
14837 morc
14838 boyle
14839 cassidy
14840 tracy
14841 eddon
14842 sandra
14843 grossman
14844 henson
14845 horrigan
14846 alf
14847 leflore
14848 skeaping
14849 weaver
14850 weston
14851 yerkes
14852 zormeier
14853 bureau
14854 management
14855 buttercup
14856 cameras
14857 lenses
14858 dunton
14859 wesscam
14860 europe
14861 electic
14862 gmc
14863 truck
14864 oldsmobile
14865 cinemobileair
14866 sprocket
14867 marin
14868 filmed
14869 panavision
14870 stereo
14871 laboratories
14872 soundtrack
14873 rso
14874 novalization
14875 ballantine

In [13]:
i = 0
for k in dic.keys():
    print(k)
    i+=1
    if i>20000:
        break


act
scene
rome
street
enter
flavius
marullus
commoners
home
idle
creatures
holiday
mechanical
walk
labouring
day
sign
profession
speak
trade
art
thou
commoner
sir
carpenter
thy
leather
apron
rule
dost
apparel
respect
fine
workman
cobbler
answer
directly
hope
safe
conscience
mender
bad
soles
knave
naughty
nay
beseech
mend
meanest
saucy
fellow
cobble
live
awl
meddle
tradesmans
matters
womens
surgeon
shoes
great
danger
recover
proper
men
trod
neats
handiwork
wherefore
shop
today
lead
streets
wear
work
make
caesar
rejoice
triumph
conquest
brings
tributaries
follow
grace
captive
bonds
chariot
wheels
blocks
stones
worse
senseless
things
hard
hearts
cruel
knew
pompey
time
oft
climbd
walls
battlements
towers
windows
yea
chimney
tops
infants
arms
sat
livelong
patient
expectation
pass
made
universal
shout
tiber
trembled
underneath
banks
hear
replication
sounds
concave
shores
put
attire
cull
strew
flowers
pompeys
blood
run
houses
fall
knees
pray
gods
intermit
plague
light
ingratitude
good
countrymen
fault
assemble
poor
sort
draw
weep
tears
channel
till
lowest
stream
kiss
exalted
exeunt
basest
metal
moved
vanish
tongue
tied
guiltiness
capitol
disrobe
images
find
deckd
ceremonies
feast
lupercal
matter
hung
caesars
trophies
ill
drive
vulgar
perceive
thick
growing
feathers
pluckd
wing
fly
ordinary
pitch
soar
view
servile
fearfulness
public
place
flourish
antony
calpurnia
portia
decius
brutus
cicero
cassius
casca
crowd
soothsayer
peace
ho
speaks
lord
stand
antonius
doth
forget
speed
touch
elders
barren
touched
holy
chase
shake
sterile
curse
remember
performd
set
leave
ceremony
ha
calls
bid
noise
press
shriller
music
cry
turnd
beware
ides
march
man
bids
face
throng
sayst
dreamer
sennet
order
gamesome
lack
part
quick
spirit
hinder
desires
observe
late
eyes
gentleness
show
love
wont
bear
stubborn
strange
hand
friend
loves
deceived
veild
turn
trouble
countenance
vexed
passions
difference
conceptions
give
soil
behaviors
friends
grieved
number
construe
neglect
war
forgets
shows
mistook
passion
means
whereof
breast
mine
hath
buried
thoughts
worthy
cogitations
eye
sees
reflection
tis
lamented
mirrors
hidden
worthiness
shadow
heard
immortal
speaking
groaning
ages
yoke
wishd
noble
dangers
seek
prepared
glass
modestly
discover
jealous
gentle
common
laugher
stale
oaths
protester
fawn
hug
scandal
profess
banqueting
rout
hold
dangerous
shouting
fear
people
choose
king
ay
long
impart
aught
general
honour
death
indifferently
virtue
outward
favour
subject
story
life
single
lief
awe
thing
born
free
fed
endure
winters
cold
raw
gusty
troubled
chafing
darest
leap
angry
flood
swim
yonder
point
word
accoutred
plunged
bade
torrent
roard
buffet
lusty
sinews
throwing
stemming
controversy
ere
arrive
proposed
cried
sink
aeneas
ancestor
flames
troy
shoulder
anchises
waves
tired
god
wretched
creature
bend
body
carelessly
nod
fever
spain
fit
mark
true
coward
lips
colour
world
lose
lustre
groan
romans
write
speeches
books
alas
drink
titinius
sick
girl
ye
amaze
feeble
temper
start
majestic
palm
applauses
honours
heapd
bestride
narrow
colossus
petty
huge
legs
peep
dishonourable
graves
masters
fates
dear
stars
underlings
sounded
fair
sound
mouth
weigh
heavy
conjure
em
names
meat
feed
grown
age
shamed
hast
lost
breed
bloods
famed
talkd
wide
encompassd
room
fathers
brookd
eternal
devil
state
easily
aim
thought
times
recount
present
entreat
patience
meet
high
chew
villager
repute
son
conditions
lay
glad
weak
words
struck
fire
games
returning
pluck
sleeve
sour
fashion
proceeded
note
train
spot
glow
brow
rest
chidden
calpurnias
cheek
pale
ferret
fiery
crossd
conference
senators
fat
sleek
headed
sleep
nights
yond
lean
hungry
thinks
hes
roman
fatter
liable
avoid
spare
reads
observer
deeds
plays
hears
seldom
smiles
mockd
scornd
smile
ease
whiles
behold
greater
thee
feard
ear
deaf
thinkst
pulld
cloak
chanced
sad
crown
offered
back
fell
shouted
thrice
marry
wast
gentler
putting
honest
neighbours
manner
hanged
mere
foolery
offer
twas
coronets
told
thinking
fain
loath
fingers
refused
rabblement
hooted
clapped
chapped
hands
threw
sweaty
night
caps
uttered
deal
stinking
breath
choked
swounded
durst
laugh
opening
receiving
air
soft
swound
market
foamed
speechless
failing
sickness
falling
tag
rag
clap
hiss
pleased
displeased
players
theatre
perceived
herd
plucked
ope
doublet
throat
cut
occupation
hell
rogues
amiss
desired
worships
infirmity
wenches
stood
soul
forgave
heed
stabbed
mothers
spoke
greek
effect
neer
understood
smiled
shook
heads
news
pulling
scarfs
silence
fare
promised
dine
morrow
alive
mind
dinner
worth
eating
expect
farewell
exit
blunt
mettle
school
execution
bold
enterprise
puts
tardy
form
rudeness
sauce
wit
stomach
digest
appetite
wait
honourable
wrought
disposed
minds
likes
firm
seduced
humour
throw
citizens
writings
tending
opinion
holds
obscurely
ambition
glanced
seat
days
thunder
lightning
opposite
sides
sword
drawn
brought
breathless
stare
sway
earth
shakes
unfirm
tempests
scolding
winds
rived
knotty
oaks
ambitious
ocean
swell
rage
foam
threatening
clouds
tempest
dropping
civil
strife
heaven
incenses
send
destruction
wonderful
slave
sight
held
left
flame
burn
twenty
torches
joind
remaind
unscorchd
met
lion
glared
surly
annoying
heap
hundred
ghastly
women
transformed
swore
yesterday
bird
sit
noon
hooting
shrieking
prodigies
conjointly
reasons
natural
portentous
climate
clean
purpose
disturbed
sky
whos
voice
pleasing
heavens
menace
full
faults
walkd
submitting
perilous
unbraced
bared
bosom
stone
cross
blue
seemd
open
flash
tempt
tremble
mighty
tokens
dreadful
heralds
astonish
dull
sparks
gaze
cast
impatience
fires
gliding
ghosts
birds
beasts
quality
kind
fool
children
calculate
change
ordinance
natures
preformed
faculties
monstrous
infused
spirits
instruments
warning
thunders
lightens
opens
roars
mightier
thyself
personal
action
prodigious
fearful
eruptions
thews
limbs
ancestors
woe
dead
governd
sufferance
womanish
tomorrow
establish
sea
land
save
italy
dagger
bondage
deliver
strong
tyrants
defeat
stony
tower
beaten
brass
airless
dungeon
links
iron
retentive
strength
weary
worldly
bars
lacks
power
dismiss
tyranny
pleasure
bondman
bears
cancel
captivity
tyrant
wolf
sheep
hinds
haste
begin
straws
trash
rubbish
offal
serves
base
illuminate
vile
grief
led
armd
indifferent
fleering
tale
factious
redress
griefs
foot
farthest
bargain
noblest
minded
undergo
consequence
stay
porch
stir
walking
complexion
element
favours
bloody
terrible
close
awhile
cinna
gait
metellus
cimber
incorporate
attempts
stayd
sights
win
party
content
paper
praetors
chair
window
wax
statue
repair
trebonius
house
hie
bestow
papers
parts
entire
encounter
yields
sits
peoples
offence
richest
alchemy
conceited
midnight
awake
brutuss
orchard
lucius
progress
guess
soundly
calld
taper
study
lighted
call
spurn
crownd
nature
question
bright
adder
craves
wary
grant
sting
abuse
greatness
disjoins
remorse
truth
affections
swayd
reason
proof
lowliness
young
ambitions
ladder
whereto
climber
upward
turns
attains
upmost
round
scorning
degrees
ascend
prevent
quarrel
augmented
extremities
serpents
egg
hatchd
grow
mischievous
kill
shell
burneth
closet
searching
flint
found
seald
lie
bed
letter
boy
calendar
bring
exhalations
whizzing
read
sleepst
strike
instigations
droppd
piece
mans
tarquin
entreated
promise
receivest
petition
wasted
fourteen
knocking
gate
knocks
whet
slept
acting
motion
interim
phantasma
hideous
dream
genius
mortal
council
kingdom
suffers
insurrection
brother
door
desire
moe
hats
ears
half
faces
cloaks
faction
conspiracy
shamest
evils
wilt
cavern
dark
mask
visage
hide
affability
path
native
semblance
erebus
dim
prevention
conspirators
hour
watchful
cares
interpose
betwixt
whisper
lies
east
break
pardon
yon
gray
lines
fret
messengers
confess
sun
arises
south
weighing
youthful
season
year
months
higher
north
presents
stands
swear
resolution
oath
souls
motives
betimes
sighted
range
drop
lottery
kindle
cowards
steel
valour
melting
spur
prick
bond
secret
palter
honesty
engaged
priests
cautelous
carrions
suffering
wrongs
doubt
stain
insuppressive
performance
nobly
guilty
bastardy
smallest
particle
passd
silver
hairs
purchase
buy
mens
voices
commend
judgment
ruled
youths
wildness
whit
gravity
touchd
urged
beloved
outlive
shrewd
contriver
improve
stretch
annoy
caius
head
hack
wrath
envy
limb
sacrificers
butchers
dismember
bleed
lets
boldly
wrathfully
carve
dish
hew
carcass
hounds
subtle
servants
chide
envious
appearing
purgers
murderers
arm
ingrafted
die
sports
company
clock
strikes
count
stricken
doubtful
superstitious
main
fantasy
dreams
apparent
unaccustomd
terror
persuasion
augurers
resolved
oersway
unicorns
betrayd
trees
glasses
elephants
holes
lions
toils
flatterers
hates
flattered
bent
fetch
eighth
uttermost
fail
ligarius
rated
morning
disperse
gentlemen
fresh
merrily
purposes
actors
untired
formal
constancy
fast
asleep
enjoy
honey
dew
slumber
figures
fantasies
busy
care
draws
brains
rise
health
commit
condition
youve
ungently
stole
yesternight
supper
suddenly
arose
musing
sighing
askd
stared
ungentle
scratchd
impatiently
stampd
insisted
answerd
wafture
gave
fearing
strengthen
enkindled
withal
hoping
eat
talk
shape
prevaild
acquainted
wise
embrace
physical
suck
humours
dank
steal
wholesome
dare
contagion
rheumy
unpurged
add
charm
commended
beauty
vows
vow
unfold
resort
darkness
kneel
marriage
excepted
secrets
appertain
limitation
meals
comfort
dwell
suburbs
harlot
wife
ruddy
drops
visit
heart
woman
reputed
catos
daughter
stronger
sex
fatherd
husbanded
counsels
disclose
giving
voluntary
wound
thigh
husbands
render
hark
partake
engagements
charactery
brows
spake
vouchsafe
chose
brave
kerchief
exploit
healthful
bow
discard
derived
loins
exorcist
conjured
mortified
strive
impossible
whats
fired
sufficeth
leads
gown
murder
servant
sacrifice
opinions
success
threatend
lookd
vanished
fright
recounts
horrid
watch
lioness
whelped
yawnd
yielded
fierce
warriors
fought
ranks
squadrons
drizzled
battle
hurtled
horses
neigh
dying
shriek
squeal
avoided
end
purposed
predictions
beggars
comets
blaze
princes
deaths
valiant
taste
wonders
plucking
entrails
offering
beast
shame
cowardice
litterd
elder
wisdom
consumed
confidence
senate
knee
prevail
heres
hail
happy
greeting
false
falser
stretchd
afraid
graybeards
laughd
satisfy
private
satisfaction
stays
dreamt
statua
fountain
spouts
pure
smiling
bathe
apply
warnings
portents
imminent
beggd
interpreted
vision
fortunate
spouting
pipes
bathed
signifies
reviving
tinctures
stains
relics
cognizance
signified
expounded
concluded
mock
apt
renderd
lo
proceeding
foolish
fears
ashamed
yield
robe
publius
stirrd
early
enemy
ague
oclock
strucken
pains
courtesy
revels
notwithstanding
prepare
blame
waited
hours
store
wine
straightway
yearns
artemidorus
reading
trust
wronged
beest
security
defend
lover
suitor
laments
teeth
emulation
mayst
traitors
contrive
prithee
errand
madam
shouldst
side
mountain
tween
womans
counsel
return
sickly
suitors
listen
bustling
rumour
fray
wind
sooth
lady
ist
ninth
suit
befriend
knowst
harms
intended
chance
heels
void
thine
faint
merry
severally
sitting
lepidus
popilius
schedule
oerread
leisure
humble
mines
touches
nearer
ourself
served
delay
instantly
mad
sirrah
urge
petitions
thrive
advances
lena
discovered
makes
sudden
slay
constant
presently
prefer
addressd
rears
ready
puissant
throws
kneeling
couchings
lowly
courtesies
pre
decree
law
fond
rebel
thawd
melteth
fools
sweet
low
crooked
courtsies
spaniel
fawning
banished
cur
wrong
satisfied
sweetly
repealing
banishd
flattery
desiring
freedom
repeal
beg
enfranchisement
move
prayers
northern
star
fixd
resting
firmament
skies
painted
unnumberd
shine
furnishd
flesh
apprehensive
unassailable
rank
unshaked
remain
lift
olympus
bootless
stab
tu
brute
dies
liberty
proclaim
pulpits
affrighted
stiff
debt
paid
pulpit
wheres
confounded
mutiny
standing
cheer
harm
person
rushing
mischief
abide
deed
doers
fled
amazed
wives
doomsday
pleasures
drawing
cuts
years
benefit
abridged
stoop
elbows
besmear
swords
waving
red
weapons
oer
wash
lofty
acted
states
unborn
accents
unknown
sport
basis
worthier
dust
knot
country
boldest
antonys
master
prostrate
royal
loving
honourd
loved
safely
deserved
living
fortunes
affairs
hazards
untrod
faith
depart
untouchd
misgiving
falls
shrewdly
conquests
glories
triumphs
spoils
shrunk
measure
intend
instrument
rich
whilst
purpled
reek
smoke
fulfil
thousand
choice
bleeding
business
pitiful
pity
drives
leaden
points
malice
brothers
receive
reverence
disposing
dignities
appeased
multitude
marcus
credit
slippery
ground
ways
conceit
flatterer
grieve
dearer
anthony
making
shaking
foes
presence
corse
wounds
weeping
terms
friendship
enemies
julius
bayd
hart
didst
hunters
signd
spoil
crimsond
lethe
forest
deer
modesty
praising
compact
prickd
depend
savage
spectacle
regard
produce
funeral
consent
utter
protest
permission
contented
rites
lawful
advantage
speech
devise
dot
ended
meek
ruins
lived
tide
shed
costly
prophesy
dumb
mouths
ruby
utterance
domestic
fury
cumber
objects
familiar
quarterd
custom
ranging
revenge
ate
hot
confines
monarchs
havoc
slip
dogs
foul
smell
carrion
burial
serve
octavius
letters
coming
big
catching
beads
sorrow
began
water
leagues
post
mourning
safety
shalt
borne
oration
issue
discourse
lend
forum
audience
numbers
rendered
citizen
compare
ascended
lovers
silent
censure
senses
judge
assembly
demand
rose
slaves
slew
joy
fortune
offended
rude
pause
reply
enrolled
glory
extenuated
offences
enforced
suffered
mourned
commonwealth
fourth
shouts
clamours
sake
corpse
allowd
beholding
finds
twere
blest
rid
bury
praise
evil
lives
interred
bones
grievous
grievously
faithful
captives
ransoms
coffers
fill
wept
sterner
stuff
presented
kingly
refuse
disprove
withholds
mourn
brutish
coffin
methinks
sayings
rightly
markd
nobler
begins
parchment
seal
commons
testament
dip
napkins
sacred
hair
memory
mention
wills
bequeathing
legacy
wood
bearing
inflame
heirs
oershot
daggers
stabbd
villains
compel
ring
descend
hearse
mantle
summers
evening
tent
overcame
nervii
ran
rent
cursed
followd
doors
unkindly
knockd
angel
dearly
unkindest
vanquishd
burst
muffling
treason
flourishd
feel
dint
gracious
vesture
wounded
marrd
piteous
woful
revenged
traitor
orator
plain
ruffle
forgot
seventy
drachmas
walks
arbours
planted
orchards
abroad
recreate
brands
benches
forms
afoot
thither
straight
mood
madmen
gates
belike
notice
poet
unlucky
charge
wander
married
bachelor
briefly
wisely
youll
bang
proceed
answered
dwelling
tear
pieces
conspirator
verses
cascas
seated
table
sisters
damn
determine
legacies
slight
unmeritable
errands
fold
divided
share
black
sentence
proscription
divers
slanderous
loads
ass
gold
sweat
driven
treasure
load
empty
graze
soldier
horse
appoint
provender
teach
fight
stop
corporal
taught
traind
spirited
feeds
abjects
orts
imitations
staled
property
levying
powers
alliance
combined
covert
disclosed
perils
surest
stake
millions
mischiefs
camp
sardis
drum
lucilius
soldiers
pindarus
meeting
salutation
greets
officers
undone
doubted
received
instances
friendly
cooling
sicken
decay
useth
tricks
simple
hollow
gallant
crests
deceitful
jades
trial
army
arrived
gently
sober
hides
softly
armies
wrangle
enlarge
commanders
charges
guard
wrongd
condemnd
noted
pella
taking
bribes
sardians
praying
slighted
case
nice
comment
itching
sell
mart
offices
undeservers
corruption
chastisement
justice
villain
foremost
supporting
robbers
contaminate
space
large
grasped
dog
bay
moon
hedge
older
practise
abler
rash
choler
frighted
madman
stares
proud
choleric
bondmen
budge
crouch
testy
venom
spleen
split
mirth
laughter
waspish
vaunting
learn
tempted
presume
threats
sums
denied
raise
money
coin
wring
peasants
indirection
pay
legions
grows
covetous
lock
rascal
counters
thunderbolts
dash
infirmities
aweary
hated
braved
chequed
observed
book
learnd
connd
rote
naked
plutus
richer
hate
worst
lovedst
sheathe
scope
dishonour
yoked
lamb
carries
anger
hasty
spark
temperd
vexeth
mother
forgetful
henceforth
earnest
chides
generals
grudge
im
vilely
cynic
rhyme
wars
jigging
companion
lodge
companies
messala
immediately
bowl
philosophy
accidental
scaped
killing
insupportable
touching
loss
impatient
absence
tidings
distract
attendants
absent
swallowd
died
unkindness
thirsty
pledge
oerswell
cup
necessities
bending
expedition
philippi
selfsame
tenor
addition
bills
outlawry
agree
proscriptions
writ
meditating
losses
marching
waste
lying
defense
nimbleness
force
twixt
forced
affection
grudged
contribution
fuller
refreshd
added
encouraged
utmost
brim
ripe
increaseth
height
decline
omitted
voyage
bound
shallows
miseries
afloat
current
ventures
deep
crept
obey
necessity
niggard
repose
beginning
division
speakst
drowsily
watchd
claudius
cushions
varro
sirs
bethink
sought
pocket
lordship
canst
strain
ant
duty
past
song
sleepy
tune
murderous
layst
mace
wake
breakst
leaf
ghost
burns
weakness
shapes
apparition
makest
comest
vanishest
strings
criedst
plains
hopes
hills
upper
regions
proves
battles
warn
answering
tut
bosoms
places
bravery
fasten
courage
messenger
field
exigent
parley
signal
blows
strokes
witness
hole
crying
posture
rob
hybla
bees
honeyless
stingless
soundless
stoln
buzzing
threat
hackd
showd
apes
fawnd
bowd
kissing
feet
damned
neck
arguing
redder
thirty
avenged
slaughter
bringst
wert
couldst
peevish
schoolboy
worthless
masker
reveller
defiance
hurl
stomachs
blow
billow
bark
storm
hazard
converse
birth
compelld
liberties
epicurus
partly
presage
ensign
eagles
perchd
gorging
feeding
consorted
steads
ravens
crows
kites
downward
prey
shadows
canopy
fatal
constantly
incertain
befall
determined
cato
cowardly
arming
providence
govern
begun
everlasting
parting
alarum
ride
loud
demeanor
push
overthrow
alarums
turning
eagerly
enclosed
tents
hill
lovest
mount
spurs
troops
assured
notest
ascends
breathed
compass
horsemen
lights
taen
descends
parthia
prisoner
saving
whatsoever
attempt
freeman
bowels
search
hilts
coverd
guide
stabs
killd
overthrown
disconsolate
setting
rays
dews
mistrust
hateful
error
melancholys
child
conceived
killst
engenderd
thrusting
report
piercing
darts
envenomed
wreath
victory
misconstrued
garland
bidding
apace
regarded
kills
strato
volumnius
slain
owe
thasos
funerals
discomfort
labeo
fighting
bastard
foe
countrys
diest
bravely
assure
prize
kindness
dardanius
clitus
remains
rock
statilius
torch
slaying
whispers
request
meditates
vessel
runs
list
appeard
fields
seest
beat
pit
tarry
office
tarrying
losing
attain
lifes
history
hangs
labourd
smatch
retreat
conquerors
proved
entertain
latest
service
elements
mixd
orderd
honourably
alexandria
cleopatras
palace
demetrius
philo
dotage
oerflows
goodly
files
musters
glowd
plated
mars
devotion
tawny
front
captains
scuffles
fights
buckles
reneges
bellows
fan
cool
gipsys
lust
cleopatra
ladies
eunuchs
fanning
triple
pillar
transformd
strumpets
beggary
reckond
bourn
attendant
grates
sum
fulvia
perchance
scarce
bearded
powerful
mandate
enfranchise
perform
longer
dismission
fulvias
process
egypts
queen
blushest
homager
pays
shrill
tongued
scolds
melt
arch
ranged
empire
kingdoms
clay
dungy
alike
nobleness
mutual
pair
embracing
twain
bind
pain
punishment
weet
peerless
excellent
falsehood
confound
harsh
minute
tonight
ambassadors
fie
wrangling
fully
strives
admired
qualities
prized
short
approves
liar
charmian
iras
alexas
absolute
praised
husband
horns
garlands
infinite
secrecy
domitius
enobarbus
banquet
quickly
foresee
fairer
paint
wrinkles
forbid
vex
prescience
attentive
hush
beloving
heat
liver
drinking
kings
forenoon
widow
fifty
herod
jewry
homage
mistress
figs
approach
boys
wishes
womb
fertile
million
forgive
witch
sheets
privy
drunk
presages
chastity
een
oerflowing
nilus
presageth
famine
wild
bedfellow
soothsay
oily
fruitful
prognostication
scratch
worky
particulars
inch
nose
worser
isis
laughing
grave
cuckold
prayer
deny
weight
amen
goddess
heartbreaking
handsome
loose
wived
deadly
uncuckolded
decorum
whores
theyld
approaches
joining
gainst
drave
infects
teller
concerns
tells
flatterd
labienus
parthian
extended
asia
euphrates
conquering
banner
syria
lydia
ionia
wouldst
mince
rail
phrase
taunt
licence
weeds
ills
earing
sicyon
egyptian
fetters
length
importeth
forbear
contempt
revolution
lowering
shes
shoved
enchanting
ten
idleness
hatch
suffer
departure
compelling
occasion
esteemed
poorer
moment
commits
celerity
cunning
alack
finest
waters
sighs
storms
almanacs
shower
rain
jove
unseen
discredited
travel
thankful
pleaseth
deities
tailors
comforting
robes
worn
members
crowned
consolation
smock
petticoat
onion
broached
wholly
depends
abode
answers
expedience
urgent
strongly
contriving
sextus
pompeius
commands
linkd
deserver
deserts
breeding
coursers
poison
requires
remove
dancing
method
enforce
teachest
sullen
breathing
sustain
dearest
mightily
treasons
swearing
throned
riotous
madness
entangled
sued
staying
eternity
bliss
race
greatest
inches
egypt
services
shines
port
equality
scrupulous
newly
creeps
thrived
threaten
quietness
purge
desperate
folly
childishness
sovereign
garboils
awaked
vials
sorrowful
cease
advice
quickens
slime
affectst
lace
precious
evidence
adieu
belong
play
dissembling
perfect
meetly
target
mends
herculean
carriage
chafe
courteous
oblivion
forgotten
royalty
sweating
labour
becomings
unpitied
laurel
smooth
strewd
separation
abides
flies
residing
gost
fleeting
vice
competitor
fishes
drinks
wastes
lamps
revel
ptolemy
womanly
vouchsafed
partners
abstract
enow
darken
goodness
spots
blackness
hereditary
purchased
chooses
indulgent
tumble
tippling
reel
knaves
composure
rare
blemish
excuse
soils
lightness
filld
vacancy
voluptuousness
surfeits
dryness
fort
drums
chid
rate
mature
knowledge
pawn
experience
biddings
appears
ports
discontents
reports
primal
ebbd
deard
lackd
vagabond
flag
lackeying
varying
rot
menecrates
menas
famous
pirates
keels
inroads
borders
maritime
ont
flush
youth
revolt
resisted
lascivious
wassails
modena
slewst
hirtius
pansa
consuls
heel
foughtst
daintily
savages
gilded
puddle
cough
palate
deign
roughest
berry
rudest
stag
snow
pasture
barks
browsedst
alps
reported
lankd
shames
thrives
inform
meantime
stirs
partaker
mardian
mandragora
gap
eunuch
highness
sing
unseminard
freer
venus
wotst
movest
demi
atlas
burgonet
murmuring
serpent
nile
delicious
phoebus
amorous
pinches
wrinkled
broad
fronted
morsel
monarch
anchor
aspect
unlike
medicine
tinct
kissd
doubled
kisses
orient
pearl
sticks
quoth
sends
oyster
opulent
throne
nodded
soberly
gaunt
steed
neighd
beastly
dumbd
extremes
disposition
remembrance
heavenly
mingle
violence
metst
posts
beggar
ink
emphasis
paragon
salad
green
unpeople
messina
warlike
assist
justest
decays
sue
ignorant
profit
crescent
auguring
loses
flatters
carry
silvius
charms
salt
soften
waned
lip
witchcraft
join
tie
libertine
feasts
brain
fuming
epicurean
cooks
sharpen
cloyless
prorogue
lethed
dulness
varrius
expected
surfeiter
donnd
helm
soldiership
rear
stirring
lap
wearied
greet
trespasses
warrd
lesser
enmities
weret
pregnant
square
entertained
cement
divisions
bet
havet
strongest
captain
jupiter
wearer
beard
shavet
stomaching
int
small
embers
ventidius
mecaenas
agrippa
compose
leaner
rend
debate
trivial
healing
earnestly
sourest
sweetest
curstness
spoken
concern
chiefly
derogately
concernd
practised
catch
intent
befal
contestation
theme
mistake
inquire
learning
drew
discredit
authority
patch
laying
defects
patchd
excuses
partner
graceful
attend
snaffle
pace
easy
uncurbable
wanted
shrewdness
policy
grieving
disquiet
wrote
rioting
taunts
gibe
missive
admitted
feasted
contend
wipe
broken
article
talks
supposing
aid
required
neglected
poisond
penitent
motive
befits
atone
worthily
borrow
anothers
instant
considerate
dislike
differing
acts
hoop
stanch
edge
pursue
sister
octavia
widower
reproof
rashness
perpetual
amity
knit
unslipping
claims
graces
jealousies
import
truths
tales
studied
ruminated
fairly
impediment
designs
bequeath
happily
laid
defy
upons
seeks
misenum
increasing
fame
dispatch
gladness
invite
detain
digested
stayed
boars
roasted
breakfast
twelve
persons
eagle
noting
triumphant
pursed
river
cydnus
appeared
reporter
devised
barge
burnishd
burnd
poop
purple
sails
perfumed
oars
flutes
stroke
faster
beggard
description
pavilion
cloth
tissue
picturing
fancy
outwork
pretty
dimpled
cupids
colourd
fans
delicate
cheeks
undid
gentlewomen
nereides
mermaids
tended
bends
adornings
mermaid
steers
silken
tackle
flower
yarely
frame
invisible
perfume
hits
sense
adjacent
wharfs
city
enthroned
whistling
landing
invited
replied
guest
barberd
wench
ploughd
croppd
hop
forty
paces
panted
defect
perfection
breathe
utterly
wither
variety
cloy
appetites
satisfies
vilest
bless
riggish
settle
blessed
humbly
divide
blemishes
worlds
demon
courageous
unmatchable
oerpowerd
game
luck
beats
odds
thickens
hap
dice
faints
lots
speeds
cocks
nought
quails
inhoopd
commissions
receivet
hasten
dress
conceive
journey
shorter
moody
food
billiards
sore
playd
actor
plead
angle
playing
betray
finnd
bended
hook
pierce
slimy
jaws
ah
youre
caught
wagerd
angling
diver
hang
fish
fervency
morn
tires
mantles
wore
philippan
ram
bluest
veins
lippd
pour
uttering
tart
trumpet
snakes
willt
pearls
thourt
allay
precedence
gaoler
malefactor
pack
infectious
pestilence
horrible
balls
unhair
hales
whippd
wire
stewd
brine
smarting
lingering
pickle
match
province
hadst
moving
boot
gift
rogue
knife
innocent
innocents
scape
thunderbolt
kindly
bite
afeard
hurt
nobility
meaner
message
host
tongues
felt
submerged
cistern
scaled
narcissus
ugly
crave
offend
punish
unequal
merchandise
dispraised
feature
inclination
gorgon
tall
chamber
hostages
written
considerd
twill
discontented
sicily
perish
chief
factors
father
revengers
ghosted
conspire
courtiers
beauteous
drench
rig
navy
burthen
angerd
foams
meant
scourge
despiteful
cuckoo
builds
offers
embraced
larger
sardinia
measures
wheat
greed
unhackd
edges
targes
undinted
telling
liberal
beds
timelier
gaind
counts
casts
vassal
agreed
composition
lot
cookery
grew
feasting
meanings
apollodorus
carried
mattress
farest
envied
behavior
plainness
aboard
galley
lords
treaty
thief
thieves
whatsomeer
slander
turned
weept
looked
called
marcellus
divine
unity
parties
band
strangler
conversation
prove
author
variance
throats
board
theyll
plants
rooted
coloured
alms
pinch
cries
reconciles
entreaty
raises
discretion
fellowship
reed
partisan
heave
sphere
pitifully
disaster
flow
scales
pyramid
lowness
dearth
foison
swells
promises
ebbs
seedsman
ooze
scatters
grain
shortly
harvest
bred
mud
operation
crocodile
ptolemies
pyramises
contradiction
forsake
anon
shaped
breadth
moves
organs
nourisheth
transmigrates
wet
epicure
merit
stool
rises
cap
jolly
sands
earthly
whateer
pales
inclips
hat
sharers
competitors
cable
villany
theet
repent
eer
condemn
desist
palld
offerd
ashore
hid
pointing
increase
reels
alexandrian
ripens
vessels
forbeart
fouler
possess
emperor
dance
bacchanals
celebrate
steepd
battery
holding
volley
vine
plumpy
bacchus
pink
eyne
fats
drownd
grapes
graver
frowns
levity
burnt
enobarb
weaker
splits
disguise
antickd
shore
boat
cabin
trumpets
neptune
fellows
hangd
silius
pacorus
darting
crassus
revenger
sons
orodes
warm
fugitive
parthians
media
mesopotamia
shelters
routed
grand
chariots
lower
acquire
won
officer
sossius
lieutenant
accumulation
renown
achieved
gain
darkens
twould
grants
distinction
signify
magical
effected
banners
jaded
purposeth
athens
convey
withs
permit
ante
parted
dispatchd
sealing
weeps
adores
pareil
arabian
plied
praises
scribes
bards
poets
shards
beetle
approof
builded
batter
fortress
cherishd
distrust
curious
ends
april
spring
showers
cheerful
swans
feather
inclines
cloud
roaring
rheum
willingly
waild
believet
wrestle
fa
rewell
majesty
herods
command
dread
voiced
dwarfish
lookdst
station
breather
observance
knowing
perceivet
bearst
faultiness
brown
forehead
sharpness
employ
harried
serving
warrant
excusable
thousands
semblable
waged
scantly
perforce
vented
lent
hint
tookt
unhappy
undo
prays
destroys
midway
preserve
branchless
requested
preparation
soonest
reconciler
cleave
solder
rift
displeasure
equal
equally
provide
cost
eros
rivality
accuses
appeal
seizes
confine
chaps
grind
garden
spurns
rush
murderd
navys
riggd
naught
contemning
tribunal
silverd
chairs
publicly
caesarion
unlawful
stablishment
cyprus
exercise
proclaimd
armenia
alexander
assignd
cilicia
phoenicia
habiliments
informd
queasy
insolence
accusations
accuse
spoild
isle
shipping
unrestored
lastly
frets
triumvirate
deposed
revenue
abused
deserve
conquerd
castaway
usher
neighs
fainted
longing
roof
raised
populous
maid
prevented
ostentation
unshown
unloved
supplying
stage
constraind
hearing
whereon
granted
obstruct
whore
assembled
bocchus
libya
archelaus
cappadocia
philadelphos
paphlagonia
thracian
adallas
malchus
arabia
pont
mithridates
comagene
polemon
amyntas
mede
lycaonia
sceptres
afflict
withhold
breaking
negligent
destiny
unbewaild
ministers
adulterous
abominations
potent
regiment
trull
noises
dearst
actium
forspoke
denounced
mares
puzzle
froms
spared
traduced
photinus
maids
manage
president
canidius
tarentum
brundusium
ionian
toryne
rebuke
becomed
slackness
dares
tot
dared
wage
pharsalia
vantage
ships
mannd
mariners
muleters
reapers
ingrossd
swift
impress
fleet
yare
disgrace
refusing
consist
footmen
unexecuted
renowned
forego
assurance
sixty
overplus
approaching
descried
nineteen
ship
thetis
rotten
planks
misdoubt
egyptians
phoenicians
ducking
conquer
hercules
leaders
justeius
publicola
caelius
belief
distractions
beguiled
spies
taurus
throes
provoke
exceed
prescript
scroll
jump
marcheth
antoniad
admiral
rudder
seet
blasted
scarus
goddesses
synod
cantle
ignorance
provinces
tokend
ribaudred
nag
leprosy
oertake
midst
twins
breese
cow
june
hoists
beheld
loofd
ruin
magic
claps
doting
mallard
leaving
manhood
violate
sinks
lamentably
flight
grossly
thereabouts
peloponnesus
yielding
tread
upont
lated
laden
instructed
shoulders
treasures
harbour
blush
white
reprove
sweep
replies
loathness
despair
proclaims
leaves
juno
empress
dancer
dealt
lieutenantry
squares
unqualitied
arise
declined
seize
rescue
reputation
unnoble
swerving
stroyd
knewst
tow
supremacy
beck
treaties
dodge
shifts
bulk
marring
conqueror
rates
repays
schoolmaster
viands
scorn
dolabella
thyreus
argument
pinion
superfluous
moons
euphronius
ambassador
myrtle
declare
salutes
lessens
requests
sues
submits
circle
hazarded
disgraced
unheard
bands
invention
perjure
vestal
edict
flaw
ranges
itch
nickd
captainship
opposed
meered
flying
flags
gazing
knowt
grizzled
principalities
wears
gay
comparisons
battled
unstate
happiness
staged
sworder
judgments
parcel
emptiness
subdued
blown
kneeld
buds
admit
loyalty
allegiance
falln
earns
haply
renownd
entreats
standst
scars
constrained
leaky
sinking
quit
require
begs
staff
shrowd
landlord
deputation
prompt
obeying
doom
combating
mused
bestowd
unworthy
raind
performs
fullest
worthiest
obeyd
kite
devils
melts
muss
jack
whip
whelp
acknowledge
cringe
whine
aloud
mercy
tug
pillow
unpressd
forborne
gem
feeders
boggler
viciousness
misery
seel
filth
clear
adore
errors
ats
strut
confusion
trencher
fragment
cneius
hotter
unregisterd
luxuriously
pickd
temperance
rewards
playfellow
plighter
basan
outroar
horned
civilly
halterd
hangman
entertainment
disdainful
harping
guides
orbs
shot
abysm
mislike
hipparchus
enfranched
torture
stripes
begone
terrene
eclipsed
portends
flatter
ties
hearted
engender
source
determines
dissolve
smite
discandying
pelleted
graveless
gnats
oppose
fate
severd
earn
chronicle
treble
sinewd
maliciously
lucky
ransom
jests
gaudy
bowls
bell
sap
pestilent
scythe
outstare
furious
dove
peck
estridge
diminution
restores
preys
eats
rods
combat
ruffian
challenge
hunted
distraction
earnd
woot
household
bounteous
meal
servitors
odd
shoots
clappd
scant
cups
sufferd
followers
tend
period
mangled
takes
eyed
transform
hearty
dolorous
victorious
drown
consideration
careful
corner
landmen
hautboys
signs
watchmen
advance
quarter
attending
armour
chuck
armourer
la
defences
buckled
rarely
unbuckles
dafft
fumblest
queens
squire
tight
armed
lookst
betime
delight
riveted
trim
lads
dame
rebukeable
shameful
cheque
mechanic
compliment
retire
gallantly
revolted
chests
jot
subscribe
adieus
corrupted
prosperous
nookd
olive
freely
plant
van
spend
persuade
incline
sorely
bounty
unloading
mules
safed
bringer
donet
continues
turpitude
swifter
outstrike
ditch
foulst
fits
camps
oppression
exceeds
droven
clouts
bleedst
bench
scotches
score
backs
snatch
hares
maul
runner
reward
spritely
halt
gests
spill
escaped
doughty
handed
shown
hectors
clip
feats
joyful
congealment
gashes
attended
fairy
chain
harness
pants
triumphing
snare
uncaught
nightingale
grey
younger
nourishes
nerves
goal
favouring
warrior
mankind
destroyd
carbuncled
car
targets
capacity
carouses
peril
trumpeters
brazen
din
blast
citys
rattling
tabourines
applauding
sentinels
relieved
court
shiny
embattle
tos
record
melancholy
poisonous
damp
disponge
hardness
dried
powder
finish
infamous
register
leaver
sleeps
swoons
raught
afar
demurely
sleepers
weld
adjoining
haven
appointment
endeavour
charged
taket
galleys
vales
pine
swallows
built
nests
grimly
dejected
starts
fretted
betrayed
carouse
sold
novice
uprise
spanield
discandy
sweets
blossoming
barkd
overtoppd
beckd
crownet
gipsy
spell
avaunt
enraged
deserving
hoist
plebeians
monster
poorst
diminutives
doits
plough
nails
fellst
shirt
nessus
alcides
lichas
graspd
heaviest
club
subdue
plot
telamon
shield
boar
thessaly
embossd
monument
rive
piteously
beholdst
dragonish
vapour
towerd
citadel
pendent
forked
promontory
vespers
pageants
rack
dislimns
indistinct
visible
annexd
untot
packd
cards
enemys
robbd
mingled
discharged
tearing
unarm
task
departst
richly
ajax
continent
crack
frail
bruised
stray
farther
entangles
couch
sprightly
dido
haunt
detest
baseness
neptunes
cities
sworn
inevitable
prosecution
horror
strikest
defeatst
windowd
pleachd
corrigible
penetrative
wheeld
branded
ensued
cured
sworest
precedent
accidents
unpurposed
worship
escape
instruction
bridegroom
intot
scholar
dercetas
diomedes
diomed
sufficing
lockd
prophesying
suspect
purged
emperors
bides
sharp
sorrows
lightly
aloft
comforted
events
comforts
despise
size
proportiond
darkling
oerthrown
triumphd
importune
imperious
fortuned
broochd
drugs
modest
conclusion
demuring
weighs
heaviness
junos
wingd
mercury
joves
quicken
housewife
wheel
provoked
proculeius
miserable
lament
prince
basely
helmet
countryman
valiantly
sty
witherd
pole
girls
level
remarkable
beneath
visiting
commanded
milks
chares
sceptre
injurious
jewel
alls
scottish
sin
lamp
spent
briefest
gallus
frustrate
mocks
pauses
haters
pleasest
dens
moiety
minister
hired
splitted
staind
persisted
taints
rarer
steer
humanity
spacious
lance
diseases
bodies
declining
stall
top
design
mate
unreconciliable
equalness
meeter
confined
intents
preparedly
speediest
employd
calm
desolation
paltry
shackles
bolts
palates
dug
nurse
demands
meanst
greatly
trusting
princely
reference
flows
dependency
hourly
doctrine
obedience
gladly
plight
pitied
caused
surprised
descended
unbar
disarms
rids
languish
undoing
babes
piniond
chastised
varletry
censuring
stark
abhorring
pyramides
gibbet
chains
extend
assuredly
trick
understand
dreamd
stuck
bestrid
reard
crested
propertied
tuned
spheres
quail
orb
winter
autumn
reaping
delights
dolphin
livery
crowns
crownets
realms
islands
plates
dreaming
vie
imagine
condemning
pursued
rebound
smites
root
seleucus
kneels
injuries
sole
project
frailties
extenuate
cruelty
bereave
thereon
rely
scutcheons
advise
plate
jewels
possessd
valued
treasurer
reserved
approve
pomp
shift
estates
goest
wings
soulless
wounding
vouchsafing
lordliness
disgraces
trifles
immoment
toys
dignity
modern
token
livia
induce
mediation
unfolded
cinders
ashes
misthought
merits
acknowledged
roll
merchant
merchants
cheerd
prisons
dispose
provided
thereto
religion
intends
debtor
puppet
greasy
aprons
rules
hammers
uplift
breaths
gross
diet
enclouded
lictors
scald
rhymers
ballad
comedians
extemporally
drunken
squeaking
absurd
attires
chare
wherefores
guardsman
rural
resolutions
marble
planet
clown
bringing
basket
worm
biting
rememberest
saved
fallible
worms
trusted
keeping
heeded
whoreson
mar
forsooth
longings
juice
grape
moist
rouse
title
baser
warmth
aspic
hurts
tellst
curled
wretch
asp
applies
intrinsicate
untie
venomous
unpolicied
eastern
baby
sucks
balm
applying
boast
possession
lass
unparalleld
downy
golden
awry
slow
fitting
princess
effects
dreaded
soughtst
augurer
bravest
levelld
trimming
diadem
tremblingly
external
swelling
toil
vent
aspics
trail
fig
caves
probable
physician
conclusions
solemn
solemnity
hamlet
denmark
dramatis
personae
nephew
polonius
chamberlain
horatio
laertes
lucianus
voltimand
cornelius
rosencrantz
guildenstern
osric
gentleman
priest
bernardo
francisco
reynaldo
clowns
diggers
fortinbras
norway
english
gertrude
ophelia
sailors
hamlets
elsinore
platform
castle
carefully
relief
bitter
quiet
mouse
rivals
liegemen
dane
holla
minutes
tush
assail
fortified
westward
illume
beating
figure
harrows
usurpst
stalks
avouch
combated
frownd
parle
smote
sledded
polacks
ice
martial
stalk
bodes
eruption
strict
observant
nightly
daily
cannon
foreign
implements
shipwrights
sunday
week
joint
labourer
image
emulate
pride
esteemd
ratified
heraldry
forfeit
lands
seized
competent
gaged
returnd
inheritance
vanquisher
covenant
designd
unimproved
skirts
sharkd
lawless
resolutes
compulsatory
foresaid
preparations
romage
mote
palmy
mightiest
tenantless
sheeted
squeak
gibber
trains
disasters
influence
eclipse
precurse
harbingers
preceding
prologue
omen
demonstrated
climatures
illusion
cock
foreknowing
uphoarded
extorted
majestical
invulnerable
vain
malicious
mockery
crew
started
summons
sounding
extravagant
erring
hies
object
probation
faded
crowing
saviours
celebrated
dawning
singeth
planets
hallowd
russet
clad
eastward
acquaint
needful
conveniently
befitted
contracted
wisest
imperial
jointress
defeated
auspicious
dirge
scale
dole
barrd
wisdoms
affair
supposal
disjoint
colleagued
faild
pester
importing
surrender
uncle
impotent
scarcely
nephews
suppress
levies
lists
proportions
bearers
delated
articles
heartily
instrumental
france
coronation
wrung
laboursome
cousin
kin
nighted
vailed
lids
passing
inky
customary
suits
windy
suspiration
havior
moods
denote
actions
passeth
trappings
commendable
duties
survivor
filial
obligation
term
obsequious
persever
obstinate
condolement
impious
stubbornness
unmanly
incorrect
unfortified
understanding
unschoold
opposition
unprevailing
wittenberg
retrograde
chiefest
courtier
unforced
accord
jocund
bruit
solid
thaw
resolve
canon
flat
unprofitable
unweeded
seed
hyperion
satyr
beteem
roughly
month
frailty
niobe
mournd
unrighteous
flushing
galled
wicked
dexterity
incestuous
truant
truster
student
wedding
thrift
baked
meats
coldly
furnish
tables
admiration
attent
marvel
vast
middle
encounterd
pe
stately
oppressd
truncheons
distilled
jelly
deliverd
methought
lifted
address
vanishd
troubles
toe
beaver
frowningly
moderate
sawt
sable
assume
gape
hitherto
conceald
tenable
requite
eleven
oerwhelm
necessaries
embarkd
convoy
assistant
trifling
toy
violet
primy
forward
permanent
lasting
suppliance
temple
waxes
cautel
besmirch
weighd
unvalued
circumscribed
credent
songs
chaste
unmasterd
importunity
chariest
prodigal
unmask
scapes
calumnious
canker
galls
buttons
liquid
contagious
blastments
rebels
lesson
watchman
ungracious
pastors
steep
thorny
puffd
reckless
primrose
dalliance
treads
recks
rede
double
blessing
sail
precepts
character
unproportioned
adoption
grapple
hoops
unfledged
comrade
entrance
beart
reserve
habit
purse
expressd
select
generous
borrower
lender
loan
borrowing
dulls
husbandry
ownself
invites
key
bethought
caution
behoves
tenders
pooh
unsifted
circumstance
sterling
tender
running
importuned
springes
woodcocks
lends
blazes
extinct
scanter
maiden
entreatments
tether
brokers
dye
investments
implorators
unholy
sanctified
pious
bawds
beguile
bites
nipping
eager
ordnance
wassail
swaggering
drains
draughts
rhenish
kettle
bray
breach
west
taxd
nations
clepe
drunkards
swinish
achievements
pith
marrow
attribute
chances
vicious
mole
origin
oergrowth
forts
leavens
plausive
manners
carrying
stamp
virtues
dram
eale
substance
angels
goblin
damnd
airs
blasts
charitable
questionable
canonized
hearsed
cerements
sepulchre
quietly
inurnd
oped
ponderous
complete
revisitst
glimpses
horridly
reaches
beckons
impartment
removed
pins
fee
summit
cliff
beetles
deprive
sovereignty
desperation
fathoms
roar
artery
hardy
nemean
nerve
unhand
imagination
direct
sulphurous
tormenting
doomd
crimes
prison
lightest
harrow
freeze
knotted
locks
quills
fretful
porpentine
blazon
unnatural
meditation
duller
weed
roots
wharf
sleeping
stung
forged
rankly
prophetic
adulterate
traitorous
gifts
seduce
virtuous
lewdness
radiant
sate
celestial
garbage
scent
afternoon
secure
hebenon
vial
porches
leperous
distilment
enmity
quicksilver
courses
alleys
vigour
posset
curd
droppings
milk
thin
tetter
lazar
loathsome
crust
blossoms
unhouseld
disappointed
unaneld
reckoning
account
imperfections
luxury
incest
howsoever
pursuest
taint
thorns
matin
gins
uneffectual
couple
stiffly
distracted
globe
records
saws
pressures
observation
copied
commandment
volume
unmixd
pernicious
writing
hillo
reveal
arrant
whirling
saint
patrick
oermaster
scholars
sweart
truepenny
cellarage
propose
hic
ubique
pioner
wondrous
stranger
soeer
antic
encumberd
headshake
pronouncing
ambiguous
perturbed
express
friending
spite
notes
marvellous
danskers
paris
expense
finding
encompassment
drift
distant
ift
addicted
forgeries
wanton
usual
slips
companions
gaming
fencing
quarrelling
drabbing
incontinency
meaning
quaintly
outbreak
savageness
unreclaimed
assault
sullies
soild
working
prenominate
closes
mass
oertook
ins
tennis
sale
videlicet
brothel
bait
carp
reach
windlasses
assays
bias
indirections
directions
lecture
wi
ply
sewing
stockings
fould
ungarterd
gyved
ancle
purport
loosed
horrors
wrist
perusal
sigh
profound
shatter
helps
ecstasy
violent
fordoes
undertakings
repel
access
quoted
trifle
wreck
beshrew
jealousy
sending
transformation
sith
exterior
resembles
neighbourd
gather
glean
afflicts
opend
remedy
adheres
gentry
expend
supply
visitation
majesties
changed
practises
pleasant
helpful
joyfully
liege
hunts
lunacy
admittance
fruit
distemper
oerhasty
sift
polack
whereat
impotence
falsely
arrests
obeys
receives
assay
overcome
annual
commission
levied
dominions
allowance
expostulate
brevity
tediousness
flourishes
define
defective
remainder
perpend
surmise
idol
beautified
reckon
groans
evermore
machine
solicitings
desk
winking
mute
bespeak
fruits
repulsed
sadness
declension
raves
id
positively
circumstances
centre
lobby
arras
farm
carters
sadly
fishmonger
picked
maggots
conception
extremity
slanders
satirical
beards
purging
amber
plum
tree
gum
plentiful
hams
powerfully
potently
crab
backward
sanity
prosperously
delivered
tedious
honoured
button
shoe
waist
privates
strumpet
denmarks
wards
dungeons
bounded
nut
airy
outstretched
heroes
fay
dreadfully
halfpenny
inclining
justly
confession
modesties
craft
rights
consonancy
preserved
proposer
anticipation
discovery
moult
forgone
exercises
heavily
oerhanging
congregation
vapours
faculty
admirable
apprehension
animals
quintessence
lenten
coted
tribute
adventurous
knight
foil
gratis
humourous
lungs
tickled
sere
blank
verse
tragedians
residence
inhibition
innovation
estimation
rusty
wonted
aery
eyases
tyrannically
berattle
stages
wearing
rapiers
goose
maintains
escoted
writers
exclaim
succession
nation
tarre
player
cuffs
mows
ducats
picture
sblood
appurtenance
comply
garb
extent
aunt
southerly
hawk
handsaw
hearer
swaddling
monday
roscius
buz
tragedy
comedy
pastoral
comical
historical
tragical
individable
poem
unlimited
seneca
plautus
jephthah
israel
wot
row
chanson
abridgement
valenced
byr
ladyship
altitude
chopine
apiece
uncurrent
cracked
french
falconers
passionate
caviare
scenes
sallets
savoury
indict
affectation
thereabout
priams
line
rugged
pyrrhus
hyrcanian
resemble
couched
ominous
smeard
dismal
total
gules
trickd
daughters
impasted
parching
tyrannous
sized
coagulate
gore
carbuncles
hellish
grandsire
priam
fore
accent
striking
greeks
antique
rebellious
repugnant
matchd
whiff
unnerved
ilium
flaming
stoops
crash
milky
reverend
stick
neutral
region
aroused
vengeance
sets
cyclops
marss
eterne
spokes
fellies
nave
fiends
barbers
jig
bawdry
hecuba
mobled
barefoot
bisson
clout
lank
teemed
blanket
alarm
pronounced
mincing
clamour
milch
burning
bestowed
chronicles
epitaph
desert
bodykins
whipping
gonzago
dozen
sixteen
insert
peasant
fiction
wannd
function
suiting
cue
appal
muddy
mettled
peak
john
unpregnant
breaks
pate
plucks
tweaks
swounds
pigeon
liverd
gall
fatted
bawdy
remorseless
treacherous
lecherous
kindless
prompted
unpack
cursing
drab
scullion
foh
malefactions
miraculous
organ
blench
abuses
grounds
relative
grating
harshly
turbulent
feels
crafty
aloof
forcing
pastime
beseechd
inclined
closely
accident
affront
espials
frankly
behaved
affliction
beauties
loneliness
devotions
sugar
smart
lash
harlots
beautied
plastering
withdraw
slings
arrows
outrageous
opposing
ache
shocks
heir
consummation
devoutly
rub
shuffled
coil
calamity
whips
scorns
oppressors
contumely
pangs
despised
laws
quietus
bare
bodkin
fardels
grunt
undiscoverd
traveller
returns
puzzles
hue
sicklied
enterprises
currents
nymph
orisons
sins
rememberd
remembrances
longed
composed
givers
unkind
commerce
sooner
bawd
translate
likeness
paradox
believed
inoculate
stock
relish
nunnery
breeder
sinners
revengeful
crawling
shut
dowry
calumny
monsters
restore
paintings
amble
lisp
nick
wantonness
marriages
expectancy
mould
observers
deject
suckd
bells
jangled
unmatchd
brood
determination
england
seas
countries
variable
expel
settled
commencement
sprung
unwatchd
hall
trippingly
town
crier
whirlwind
beget
smoothness
offends
robustious
periwig
pated
tatters
rags
groundlings
capable
inexplicable
dumbshows
whipped
oerdoing
termagant
tame
tutor
special
oerstep
overdone
mirror
pressure
unskilful
judicious
oerweigh
highly
profanely
christians
christian
pagan
strutted
bellowed
journeymen
imitated
abominably
reformed
reform
altogether
quantity
spectators
considered
villanous
coped
advancement
clothe
candied
lick
crook
hinges
distinguish
election
buffets
commingled
pipe
finger
core
occulted
guilt
unkennel
imaginations
vulcans
stithy
heedful
rivet
detecting
theft
danish
fares
chameleons
crammed
capons
played
university
accounted
enact
killed
capital
calf
attractive
ophelias
maker
cheerfully
sables
ago
build
churches
hobby
enters
lovingly
protestation
declines
lays
bank
pours
poisoner
mutes
wooes
unwilling
accepts
miching
mallecho
imports
stooping
clemency
patiently
posy
cart
tellus
orbed
borrowd
sheen
thirties
hymen
unite
commutual
journeys
littlest
doubts
operant
functions
accurst
wed
wormwood
respects
validity
unripe
unshaken
mellow
ending
enactures
destroy
joys
grieves
slender
aye
favourite
advanced
seasons
orderly
contrary
devices
anchors
blanks
deeply
mischance
protests
jest
trap
tropically
vienna
dukes
baptista
knavish
jade
wince
withers
unwrung
chorus
interpret
puppets
dallying
keen
murderer
pox
damnable
croaking
raven
bellow
agreeing
confederate
mixture
collected
hecates
ban
infected
dire
usurp
poisons
fors
estate
extant
italian
gonzagos
ungalled
turk
provincial
roses
razed
damon
realm
dismantled
reigns
pajock
rhymed
pound
poisoning
recorders
perdy
retirement
distempered
doctor
purgation
plunge
wildly
pronounce
wits
diseased
amazement
sequel
pickers
stealers
surely
bar
grass
proverb
musty
unmannerly
ventages
lingers
thumb
eloquent
stops
harmony
skill
mystery
easier
camel
weasel
backed
whale
witching
churchyards
yawn
breathes
quake
nero
hypocrites
soever
shent
seals
forthwith
lunacies
religious
peculiar
noyance
weal
gulf
massy
highest
mortised
adjoind
annexment
attends
boisterous
speedy
footed
tax
partial
oerhear
smells
eldest
defeats
thicker
confront
forestalled
pardond
retain
shove
buys
shuffling
rests
repentance
limed
struggling
newborn
babe
retires
pat
scannd
hire
salary
bread
audit
seasond
passage
hent
salvation
trip
kick
physic
prolongs
rising
margaret
pranks
screend
sconce
rood
inmost
rat
ducat
lifts
array
discovers
intruding
findst
wringing
penetrable
brassd
bulwark
wag
blurs
hypocrite
blister
dicers
contraction
rhapsody
solidity
compound
tristful
index
counterfeit
presentment
hyperions
curls
herald
combination
mildewd
blasting
batten
moor
hey
waits
step
apoplexd
err
thralld
cozend
hoodman
blind
feeling
smelling
sans
mope
mutine
matrons
compulsive
ardour
frost
actively
panders
turnst
grained
enseamed
honeying
nasty
twentieth
tithe
cutpurse
shelf
shreds
patches
hover
guards
lapsed
important
blunted
weakest
works
incorporal
bedded
excrements
sprinkle
glares
conjoind
preaching
convert
stern
steals
portal
coinage
bodiless
creation
pulse
temperately
utterd
test
gambol
mattering
unction
trespass
skin
film
ulcerous
mining
spread
compost
ranker
fatness
pursy
curb
woo
cleft
purer
uncles
habits
likewise
frock
aptly
refrain
easiness
abstinence
potency
desirous
blessd
bloat
reechy
paddling
ravel
essentially
paddock
bat
gib
concernings
unpeg
ape
creep
schoolfellows
adders
fangd
marshal
knavery
engineer
petard
delve
yard
crafts
packing
lug
guts
neighbour
counsellor
prating
dragging
heaves
rapier
brainish
restraind
owner
disease
divulging
ore
mineral
metals
mountains
draggd
chapel
untimely
diameter
transports
miss
hit
woundless
discord
dismay
stowed
compounded
demanded
sponge
soaks
authorities
jaw
mouthed
swallowed
gleaned
squeezing
dry
fox
offenders
deliberate
appliance
befalln
guarded
eaten
convocation
politic
dishes
cat
stairs
especial
quickness
associates
cherub
leans
holdst
thereof
cicatrice
congruing
hectic
rages
cure
howeer
haps
conveyance
rendezvous
poland
frontier
garrisond
straw
imposthume
wealth
occasions
capability
fust
unused
bestial
craven
scruple
precisely
event
examples
exhort
exposing
unsure
excitements
tomb
importunate
hems
enviously
unshaped
hearers
collection
botch
winks
nods
gestures
unhappily
conjectures
artless
spills
spilt
sings
cockle
sandal
shoon
turf
shroud
larded
bewept
ild
owl
bakers
valentines
valentine
clothes
duppd
departed
gis
charity
tumbled
coach
springs
battalions
muddied
unwholesome
greenly
hugger
mugger
inter
pictures
buzzers
infect
arraign
murdering
switzers
overpeering
flats
impetuous
oerbears
rabble
antiquity
ratifiers
props
applaud
counter
broke
danes
calmly
unsmirched
rebellion
giant
divinity
incensed
juggled
blackest
profoundest
damnation
negligence
certainty
swoopstake
winner
loser
rendering
pelican
repast
guiltless
beam
moral
instance
bore
barefaced
bier
nonny
steward
nothings
rosemary
pansies
document
fitted
fennel
columbines
rue
herb
sundays
daisy
violets
withered
bonny
robin
prettiness
flaxen
poll
moan
commune
collateral
jointly
due
obscure
trophy
hatchment
rite
callt
axe
greeted
sailor
overlooked
pirate
compelled
boarded
knowest
speedier
acquaintance
crimeful
unsinewd
conjunctive
gender
dipping
turneth
gyves
slightly
timberd
reverted
aimd
challenger
perfections
claudio
thereunto
postscript
warms
didest
oerrule
checking
undertake
device
uncharge
unworthiest
siege
riband
careless
graveness
normandy
ive
horseback
incorpsed
natured
toppd
forgery
norman
lamond
brooch
masterly
defence
scrimers
envenom
painting
passages
qualifies
wick
snuff
abate
plurisy
abatements
delays
spendthrift
easing
ulcer
church
sanctuarize
bounds
excellence
varnish
frenchman
wager
remiss
peruse
foils
unbated
anoint
bought
mountebank
cataplasm
simples
convenience
assayd
cunnings
bouts
chalice
nonce
sipping
venomd
willow
aslant
brook
hoar
glassy
fantastic
crow
nettles
daisies
purples
shepherds
grosser
boughs
coronet
clambering
sliver
weedy
chanted
snatches
tunes
incapable
distress
indued
garments
melodious
douts
churchyard
spades
wilfully
crowner
drowned
se
offendendo
wittingly
argues
branches
argal
goodman
delver
nill
drowns
shortens
crowners
quest
gentlewoman
folk
spade
ancient
gardeners
ditchers
makers
adams
heathen
scripture
adam
digged
dig
answerest
mason
shipwright
gallows
outlives
tenants
unyoke
distance
cudgel
asked
yaughan
stoup
liquor
digs
contract
behove
employment
daintier
stealing
steps
clawd
clutch
shipped
intil
skull
jowls
cains
bone
politician
circumvent
chapless
knocked
mazzard
sextons
loggats
pick
shrouding
sheet
lawyer
quiddities
quillets
cases
tenures
knock
dirty
shovel
hum
buyer
statutes
recognizances
fines
vouchers
recoveries
recovery
dirt
vouch
purchases
indentures
conveyances
box
inheritor
sheepskins
skins
calves
liest
card
equivocation
gaffs
kibe
strangely
sexton
pocky
corses
tanner
tanned
decayer
lain
poured
flagon
yoricks
jester
yorick
abhorred
gorge
rims
kissed
gibes
gambols
flashes
merriment
grinning
chap
fallen
ladys
smelt
pah
trace
stopping
bung
curiously
likelihood
returneth
loam
converted
beer
barrel
wall
procession
mourners
maimed
betoken
fordo
retiring
obsequies
enlarged
warrantise
oersways
unsanctified
lodged
flints
pebbles
thrown
virgin
crants
strewments
profane
requiem
unpolluted
churlish
ministering
howling
scattering
hoped
bride
ingenious
deprived
leaps
pile
oertop
pelion
skyish
advancing
conjures
wandering
grappling
prayst
splenitive
wiseness
asunder
eyelids
thoult
eisel
outface
leaping
prate
acres
singeing
zone
ossa
wart
rant
female
couplets
drooping
mew
mutines
bilboes
rashly
indiscretion
plots
pall
rough
scarfd
groped
fingerd
packet
withdrew
forgetting
unseal
exact
sorts
englands
bugs
goblins
supervise
bated
grinding
netted
villanies
statists
yeomans
conjuration
tributary
wheaten
comma
amities
ases
contents
debatement
shriving
ordinant
signet
model
folded
subscribed
gavet
impression
changeling
sequent
insinuation
opposites
whored
poppd
cozenage
portraiture
towering
crib
mess
chough
diligence
bonnet
northerly
sultry
exceedingly
differences
society
showing
feelingly
definement
perdition
inventorially
dizzy
arithmetic
yaw
verity
extolment
infusion
rareness
diction
umbrage
infallibly
concernancy
wrap
rawer
nomination
weapon
imputation
meed
unfellowed
wagered
barbary
imponed
poniards
assigns
girdle
hangers
carriages
responsive
edified
margent
german
passes
lapwing
sucked
bevy
dressy
dotes
yesty
winnowed
bubbles
fitness
whensoever
instructs
continual
forestall
augury
sparrow
readiness
pardont
punishd
exception
denies
disclaiming
arrow
reconcilement
ungored
darkest
betterd
exchange
union
successive
cannoneer
cannons
dunks
judges
palpable
bout
napkin
thinkt
dally
scuffling
woodcock
springe
treachery
envenomd
potion
forgiveness
sergeant
arrest
livest
aright
unsatisfied
felicity
occurrents
solicited
cracks
flights
quarry
cell
bloodily
fulfilld
ability
unknowing
carnal
casual
slaughters
upshot
inventors
claim
happen
royally
loudly
shoot
peal
households
verona
unclean
misadventured
overthrows
parents
continuance
childrens
traffic
sampson
gregory
capulet
bucklers
coals
colliers
collar
montague
runnst
montagues
thrust
maidenheads
tool
frown
abraham
balthasar
kinsmen
swashing
benvolio
tybalt
heartless
clubs
partisans
capulets
crutch
blade
subjects
profaners
stained
quench
fountains
issuing
mistemperd
brawls
disturbd
veronas
beseeming
ornaments
wield
cankerd
disturb
abroach
adversary
swung
hissd
interchanging
thrusts
romeo
worshippd
peerd
grove
sycamore
rooteth
ware
measuring
busied
theyre
pursuing
shunnd
augmenting
adding
cheering
furthest
shady
curtains
auroras
pens
shuts
daylight
artificial
bud
bit
dedicate
grievance
shrift
lengthens
romeos
muffled
pathways
brawling
create
vanity
mis
shapen
chaos
waking
coz
transgression
propagate
prest
fume
sparkling
vexd
nourishd
discreet
choking
preserving
supposed
dians
childish
unharmd
bide
assailing
seducing
sparing
starved
severity
posterity
forsworn
examine
exquisite
masks
eyesight
penalty
hopeful
accustomd
treading
apparelld
limping
inherit
trudge
shoemaker
tailor
fisher
pencil
painter
nets
learned
lessend
anguish
giddy
holp
cures
infection
plaintain
shin
tormented
den
gi
language
honestly
signior
martino
county
anselme
vitravio
placentio
lovely
nieces
mercutio
niece
rosaline
valentio
lucio
lively
helena
crush
sups
unattainted
swan
devout
transparent
heretics
liars
poised
crystal
shining
splendor
maidenhead
ladybird
juliet
thous
lammas
fortnight
eve
susan
earthquake
weand
mantua
nipple
tetchy
trow
waddled
jule
holidame
stinted
bump
cockerels
parlous
bitterly
fallst
stint
prettiest
nursed
teat
esteem
summer
beautys
pen
lineament
obscured
unbound
beautify
cover
manys
clasps
bigger
liking
endart
guests
pantry
maskers
apology
date
prolixity
cupid
hoodwinkd
scarf
tartars
lath
scaring
keeper
faintly
prompter
ambling
nimble
stakes
enpierced
shaft
burden
pricks
thorn
pricking
visor
quote
deformities
betake
wantons
tickle
rushes
proverbd
candle
holder
duns
constables
dun
mire
stickst
dreamers
mab
fairies
midwife
agate
alderman
team
atomies
athwart
noses
wagon
spiders
grasshoppers
traces
web
collars
moonshines
watery
beams
crickets
wagoner
coated
gnat
lazy
hazel
joiner
squirrel
grub
coachmakers
gallops
lawyers
fees
blisters
plagues
sweetmeats
tainted
pigs
tail
tickling
parsons
benefice
driveth
cutting
breaches
ambuscadoes
spanish
blades
healths
fathom
wakes
swears
plats
manes
bakes
elflocks
sluttish
untangled
misfortune
hag
presses
learns
talkst
begot
inconstant
frozen
puffs
misgives
hanging
expire
closed
steerage
musicians
waiting
servingmen
potpan
scrape
unwashed
stools
cupboard
marchpane
porter
grindstone
nell
cheerly
brisk
toes
unplagued
corns
mistresses
dainty
whispering
unlookd
nuptials
lucentio
pentecost
maskd
ward
servingman
enrich
ethiopes
snowy
trooping
forswear
fleer
kinsman
portly
brags
disparagement
endured
scathe
princox
wilful
intrusion
shrine
blushing
pilgrims
pilgrim
mannerly
saints
palmers
chinks
unrest
tiberio
petrucio
loathed
danced
strangers
gapes
groand
betwitched
complain
hooks
tempering
extreme
lane
climbs
leapd
gossip
purblind
cophetua
heareth
stirreth
moveth
rosalines
scarlet
leg
quivering
demesnes
letting
invocation
mistres
humorous
medlar
medlars
caetera
poperin
pear
truckle
discourses
fairest
twinkle
brightness
glove
glorious
winged
upturned
wondering
mortals
bestrides
pacing
belonging
owes
doff
baptized
bescreend
stumblest
camest
climb
perch
limits
prorogued
wanting
direction
foundst
pilot
washd
adventure
bepaint
swearst
perjuries
laughs
faithfully
perverse
overheardst
impute
tips
monthly
circled
idolatry
unadvised
ripening
frank
boundless
flattering
substantial
procure
schoolboys
hist
lure
tassel
hoarse
cave
echo
repetition
softest
remembering
twisted
silk
thread
cherishing
ghostly
friar
laurences
laurence
frowning
chequering
streaks
flecked
drunkard
titans
osier
cage
baleful
juiced
burying
sucking
mickle
herbs
straind
revolts
stumbling
misapplied
dignified
infant
rind
cheers
tasted
slays
encamp
predominant
benedicite
saluteth
distemperd
lodges
unbruised
unstuffd
reign
earliness
roused
distemperature
sweeter
remedies
hatred
intercession
homely
riddling
plainly
combine
francis
forsaken
jesu
maria
sallow
clears
woes
chidst
pupil
badst
waverer
rancour
stumble
torments
wenchs
pin
butt
cats
compliments
proportion
minim
butcher
duellist
passado
punto
reverso
hai
lisping
affecting
fantasticoes
tuners
lamentable
afflicted
mongers
perdona
roe
herring
fishified
petrarch
flowed
laura
kitchen
dowdy
helen
hero
hildings
thisbe
bon
jour
slop
constrains
courtsy
exposition
pump
flowered
singular
soled
solely
singleness
switch
sweeting
cheveril
stretches
ell
sociable
drivelling
lolling
bauble
desirest
depth
occupy
gear
peter
dial
troth
youngest
indite
hare
pie
hoars
singing
ropery
lustier
jacks
scurvy
flirt
gills
skains
mates
afore
quivers
paradise
dealing
gentlemanlike
shrived
penny
abbey
cords
tackled
stair
trusty
nobleman
toad
properer
versal
mocker
sententious
lame
glide
suns
driving
louring
doves
highmost
ball
bandy
folks
feign
unwieldy
jaunt
excels
talked
dined
aches
jaunting
oddly
repliest
poultice
aching
henceforward
messages
nest
drudge
countervail
devouring
consume
deliciousness
confounds
moderately
arrives
gossamer
idles
confessor
sweeten
musics
imagined
ornament
excess
page
brawl
tavern
drawer
cracking
nuts
spy
fun
quarrels
addle
quarrelled
coughing
wakened
easter
tying
consortst
consort
minstrels
discords
fiddlestick
zounds
grievances
follower
afford
appertaining
injured
submission
alla
stoccata
catcher
drybeat
pitcher
outrage
expressly
forbidden
bandying
sped
peppered
braggart
ally
behalf
tybalts
effeminate
softend
valours
mercutios
aspired
respective
lenity
conduct
gavest
beginners
truce
unruly
tilts
retorts
agile
stout
entertaind
price
concludes
exile
interest
amerce
pleading
murders
pardoning
gallop
steeds
lodging
phaethon
cloudy
curtain
performing
runaways
wink
untalkd
agrees
suited
matron
winning
stainless
maidenhoods
hood
unmannd
bating
whiter
browd
garish
mansion
enjoyd
festival
eloquence
torment
vowel
cockatrice
manly
bedaubd
bankrupt
resign
slaughterd
flowering
dragon
beautiful
fiend
angelical
featherd
wolvish
ravening
divinest
seemst
bower
deceit
gorgeous
perjured
dissemblers
aqua
vitae
blisterd
mistaking
needly
rankd
lamentations
limit
wailing
banishment
ropes
exiled
highway
widowed
enamourd
wedded
dooms
bodys
merciful
purgatory
termd
calling
cuttst
smilest
unthankfulness
rushd
courtship
juliets
howlings
absolver
professd
mangle
adversitys
displant
reverse
prevails
dispute
murdered
mightst
unmade
heartsick
mist
infold
simpleness
sympathy
predicament
blubbering
spakest
childhood
cancelld
gun
anatomy
sack
unreasonable
unseemly
railst
usurer
aboundst
usest
bedeck
digressing
perjury
vowd
cherish
misshapen
skitless
flask
afire
dismemberd
blessings
courts
misbehaved
poutst
decreed
reconcile
wentst
lamentation
revived
disguised
sojourn
unluckily
mewd
childs
wednesday
thursday
earl
ado
lark
pierced
pomegranate
severing
candles
tiptoe
misty
meteor
exhales
bearer
needst
mornings
reflex
cynthias
vaulty
straining
unpleasing
sharps
divideth
affray
hunting
goeth
omit
opportunity
divining
bottom
fails
fickle
procures
cousins
weepst
miles
venge
runagate
receipt
abhors
named
wreak
needy
sorted
expectst
peters
drizzle
sunset
rains
downright
conduit
showering
counterfeitst
ebb
sailing
raging
overset
tossed
chop
logic
minion
thankings
prouds
fettle
joints
drag
hurdle
baggage
tallow
disobedient
hilding
prudence
smatter
gossips
mumbling
parentage
stuffd
puling
whining
mammet
starve
bridal
stratagems
stealth
dishclout
speakest
absolved
dispraise
slack
uneven
immoderately
hastes
inundation
slowd
text
wrongst
slanderd
pensive
strains
hearst
label
experienced
umpire
arbitrating
copest
thievish
lurk
charnel
reeky
shanks
yellow
skulls
unstaind
drowsy
surcease
testify
fade
paly
supple
government
continue
uncoverd
vault
kindred
cook
unfurnished
willd
harlotry
headstrong
gadding
behests
enjoind
ast
provision
deck
wayward
reclaimd
culld
behoveful
thrills
freezes
subtly
ministerd
dishonourd
redeem
stifled
healthsome
strangled
receptacle
packed
festering
shrieks
mandrakes
torn
distraught
environed
madly
forefathers
kinsmans
seeking
spit
keys
spices
dates
quinces
pastry
curfew
rung
angelica
cot
quean
watching
hunt
spits
logs
baskets
drier
logger
waken
chat
slug
pennyworths
undraws
dressd
revive
deceased
separated
wail
deflowered
accursed
pilgrimage
solace
catchd
divorced
spited
detestable
beguild
distressed
martyrd
uncomfortable
confusions
promotion
ordained
hymns
dirges
lour
crossing
musician
goodfellows
amended
dump
gleek
minstrel
crotchets
griping
doleful
dumps
oppress
simon
catling
hugh
rebeck
james
soundpost
singer
booted
capels
kindreds
misadventure
apothecary
hereabouts
dwells
tatterd
overwhelming
culling
meagre
tortoise
alligator
shelves
beggarly
boxes
earthen
pots
bladders
seeds
remnants
packthread
cakes
thinly
scatterd
penury
caitiff
forerun
speeding
taker
trunk
violently
hurry
mantuas
utters
wretchedness
fearst
starveth
affords
poverty
consents
compounds
cordial
franciscan
associate
searchers
suspecting
brotherhood
neglecting
yew
digging
whistle
distilld
moans
whistles
wanders
muffle
mattock
wrenching
interrupt
pry
inexorable
tigers
hereabout
maw
gorged
cram
haughty
apprehend
unhallowd
condemned
affright
urging
madmans
conjurations
felon
betossed
rode
misfortunes
lantern
interrd
keepers
crimson
sunder
unsubstantial
paramour
inauspicious
righteous
dateless
engrossing
unsavoury
dashing
rocks
stumbled
vainly
grubs
eyeless
discern
fearfully
masterless
gory
discolourd
comfortable
contradict
thwarted
sisterhood
nuns
timeless
churl
restorative
snatching
sheath
rust
whoeer
attach
descry
trembles
suspicion
outcry
startles
tombs
bleeds
mistaen
sheathed
warns
stoppd
conspires
untaught
ambiguities
descent
suspected
direful
impeach
excused
pined
betrothd
tutord
potions
prefixed
awaking
scare
miscarried
sacrificed
rigour
severest
threatened
countys
friars
writes
pothecary
therewithal
brace
jointure
sacrifices
glooming
punished
othello
moore
venice
shakespeare
homepage
roderigo
iago
abhor
toldst
cappd
evades
bombast
horribly
epithets
nonsuits
mediators
certes
arithmetician
michael
cassio
florentine
squadron
spinster
bookish
theoric
toged
prattle
rhodes
leed
calmd
debitor
creditor
caster
moorships
preferment
gradation
affined
duteous
crooking
cashierd
trimmd
visages
lined
coats
demonstrate
extern
daws
thicklips
carryt
incense
vexation
timorous
yell
spied
brabantio
bags
family
topping
ewe
snorting
distempering
robbing
grange
ruffians
covered
gennets
germans
senator
transported
gondolier
civility
wheeling
deluding
tinder
oppresses
produced
sagittary
bitterness
deceives
tapers
maidhood
contrived
iniquity
yerkd
ribs
prated
provoking
godliness
magnifico
potential
divorce
restraint
signiory
complaints
boasting
promulgate
demerits
unbonneted
reachd
desdemona
unhoused
circumscription
manifest
janus
duke
appearance
hotly
carack
troop
advised
stowd
enchanted
refer
shunned
wealthy
darlings
incur
guardage
sooty
minerals
weaken
disputed
abuser
practiser
arts
inhibited
resist
session
therewith
pagans
statesmen
disproportiond
confirm
turkish
angelo
pageant
importancy
facile
abilities
profitless
ottomites
steering
injointed
restem
montano
servitor
recommends
luccicos
florence
ottoman
oerbearing
engluts
spells
medicines
mountebanks
preposterously
deficient
signiors
approved
offending
tented
pertains
broil
unvarnishd
blushd
maimd
imperfect
mixtures
wider
overt
likelihoods
indirect
affordeth
vices
questiond
sieges
passed
boyish
disastrous
insolent
slavery
redemption
portance
travels
antres
quarries
cannibals
anthropophagi
sheld
greedy
devour
observing
pliant
dilate
parcels
intentively
distressful
thankd
wooer
education
preferring
adopt
clogs
grise
depended
injury
robs
spends
sentences
equivocal
fortitude
substitute
allowed
sufficiency
safer
slubber
gloss
flinty
agnise
alacrity
exhibition
accommodation
besort
levels
reside
unfolding
charter
othellos
consecrate
moth
bereft
support
affects
defunct
dullness
speculative
officed
disports
corrupt
housewives
skillet
indign
adversities
privately
assign
delighted
thinkest
incontinently
silly
silliness
prescription
villainous
guinea
hen
baboon
amend
gardens
sow
lettuce
hyssop
thyme
manured
industry
balance
poise
sensuality
preposterous
motions
stings
unbitted
lusts
sect
scion
puppies
professed
cables
perdurable
toughness
stead
usurped
answerable
sequestration
moors
changeable
luscious
locusts
coloquintida
sated
drowning
sanctimony
barbarian
supersubtle
venetian
tribe
compassing
traverse
snipe
surety
cassios
plume
framed
tenderly
asses
quay
cape
highwrought
ruffiand
oak
mortise
segregation
foaming
pelt
shaked
surge
mane
fixed
molestation
enchafed
enshelterd
embayd
bangd
turks
designment
halts
veronesa
governor
seaside
aerial
arrivance
shippd
stoutly
expert
surfeited
guns
discharge
fortunately
paragons
quirks
blazoning
essential
tire
ingener
favourable
gutterd
congregated
ensteepd
clog
keel
footing
anticipates
sennights
desdemonas
renewd
extincted
emilia
riches
enwheel
contention
bestows
parlors
kitchens
housewifery
slanderer
critical
birdlime
frize
muse
labours
fairness
witty
helpd
paradoxes
alehouse
praisest
nigh
cods
salmons
wight
suckle
ensnare
gyve
strip
clyster
calms
wakend
duck
hells
succeeds
pegs
dote
disembark
watches
bragging
fantastical
satiety
loveliness
conveniences
tenderness
disrelish
instruct
position
eminent
degree
voluble
conscionable
humane
slipper
finder
advantages
devilish
requisites
pudding
paddle
lechery
mutualities
pish
layt
tainting
discipline
favourably
qualification
displanting
profitably
prosperity
peradventure
accountant
gnaw
inwards
evend
hip
egregiously
practising
confused
knaverys
tin
proclamation
bonfires
addiction
beneficial
celebration
nuptial
proclaimed
outsport
earliest
ensue
profits
provocation
inviting
gallants
invent
craftily
qualified
unfortunate
dislikes
caroused
potations
pottle
flusterd
flowing
mongst
flock
pint
canakin
clink
span
potting
swag
bellied
hollander
englishman
facility
sweats
almain
vomit
filled
stephen
peer
breeches
sixpence
lown
pulls
auld
equinox
island
horologe
cradle
prizes
ingraft
twiggen
bottle
rings
diablo
ariseth
barbarous
frights
propriety
groom
devesting
unwitted
tilting
stillness
unlace
brawler
assails
collied
twinnd
brimful
begant
partially
leagued
execute
outran
indignity
balmy
slumbers
waked
surgery
bodily
imposition
offenceless
deceive
commander
indiscreet
parrot
squabble
swagger
fustian
distinctly
pleasance
applause
recovered
drunkenness
unperfectness
severe
moraler
befallen
hydra
inordinate
unblessed
ingredient
devoted
contemplation
denotement
splinter
naming
sincerity
probal
renounce
baptism
symbols
redeemed
enfetterd
unmake
parallel
suggest
plies
pleads
repeals
net
enmesh
hound
fills
cudgelled
heal
dilatory
doest
blossom
billeted
soliciting
coldness
naples
bag
notify
talking
affinity
likings
safest
fortification
strangeness
polite
waterish
supplied
intermingle
solicitor
unfit
languishes
reconciliation
errs
humbled
shallt
tuesday
mammering
wooing
dispraisingly
boon
gloves
nourishing
difficult
fancies
obedient
discernst
echoes
likedst
weighst
givest
disloyal
delations
thinkings
ruminate
whereinto
intrude
uncleanly
apprehensions
leets
meditations
imperfectly
conceits
filches
enriches
custody
wronger
suspects
fineless
suspicions
goat
exsufflicate
surmises
matching
inference
dances
franker
leavet
keept
marrying
dashd
issues
affect
matches
clime
disproportion
recoiling
doubtless
unfolds
scan
vehement
exceeding
human
dealings
haggard
jesses
heartstrings
chamberers
vale
loathe
prerogatived
unshunnable
fated
islanders
handkerchief
reserves
givet
filch
acknown
confirmations
proofs
distaste
sulphur
poppy
syrups
owedst
harmd
pioners
tranquil
plumed
neighing
trump
fife
engines
occupations
ocular
hinge
loop
abandon
accumulate
breeds
honestys
begrimed
knives
suffocating
streams
supervisor
difficulty
prospect
bolster
prime
goats
monkeys
wolves
enterd
tooth
mutter
gripe
sighd
denoted
foregone
thicken
spotted
strawberries
wifes
fraught
pontic
icy
propontic
hellespont
swallow
engage
acceptance
lewd
minx
stabbing
catechise
questions
crusadoes
dissemble
fruitfulness
sequester
fasting
castigation
commonly
charmer
amiable
wive
darling
loset
sibyl
numberd
compasses
sewd
dyed
mummy
skilful
conserved
maidens
veritable
seent
startingly
fetcht
sufficient
founded
shared
hungerly
belch
exist
member
delayd
futurity
advocation
alterd
suffice
unquietness
unhatchd
demonstrable
puddled
inferior
indues
observances
unhandsome
arraigning
subornd
indicted
bianca
pressd
continuate
newer
guesses
womand
circumstanced
unauthorized
hypocrisy
virtuously
tempts
venial
bestowt
protectress
essence
saidst
boding
convinced
blab
unswear
belie
fulsome
confessions
invest
shadowing
trance
credulous
dames
reproach
epilepsy
temples
lethargy
unproper
suppose
oerwhelmed
unsuiting
shifted
scuse
encave
fleers
notable
anew
cope
gesture
selling
unbookish
biancos
importunes
customer
scored
persuaded
haunts
venetians
lolls
fitchew
haunting
dam
minxs
wheresoever
laughed
tasks
needle
plenteous
patent
messes
unprovide
strangle
contaminated
pleases
undertaker
lodovico
brimstone
deputing
amends
teem
dart
syllable
purest
fancys
procreants
hem
loyal
kinds
sores
unmoving
garnerd
dries
discarded
toads
cherubin
grim
esteems
shambles
blowing
smellst
committed
forges
meets
hushd
impudent
raising
smallst
misuse
chiding
bewhored
callat
forsook
insinuating
cogging
cozening
halter
notorious
thouldst
rascals
seamy
actual
divorcement
summon
dealest
daffest
keepest
conveniency
suppliest
foolishly
performances
unjustly
votarist
returned
expectations
fobbed
solicitation
intendment
depute
mauritania
lingered
determinate
removing
uncapable
horrorable
suppertime
incontinent
displease
cheques
unpin
barbara
walked
palestine
nether
murmurd
bode
undot
lawn
gowns
petticoats
venture
laps
elbow
fix
miscarry
satisfying
rubbd
quat
restitution
bobbd
coat
unblest
blotted
gratiano
counterfeits
unsafe
inhuman
garter
gastness
las
whoring
suppd
happd
bedchamber
scar
monumental
alabaster
cunningst
pattern
excelling
promethean
relume
vital
growth
prayd
crime
unreconciled
solicit
unprepared
forfend
deathbed
choke
warranty
confessd
unlawfully
interprets
banish
stifles
linger
alteration
unlocks
yonders
blacker
wedlock
chrysolite
filthy
iteration
gull
dolt
odious
smellt
reprobation
gratify
recognizance
earnestness
belongd
coxcomb
recoverd
puny
whipster
brooks
impediments
control
weapond
dismayd
starrd
compt
roast
gulfs
viper
fable
wrench
ensnared
undertook
heathenish
roderigos
upbraids
relate
perplexd
indian
albeit
medicinal
aleppo
malignant
turband
circumcised
spartan
hunger
tragic
loading
succeed
sonnets
begetter
insuing
mr
wisheth
wishing
adventurer
riper
decease
feedst
lightst
fuel
abundance
buriest
niggarding
glutton
beseige
trenches
gazed
sunken
thriftless
proving
feelst
viewest
renewest
unbless
uneard
disdains
tillage
unthrifty
bequest
largess
acceptable
tombd
executor
unfair
excel
oersnowd
bareness
distillation
pent
leese
ragged
deface
usury
happies
happier
refigured
resembling
reeleth
tract
concord
unions
string
ordering
sire
widows
consumest
issueless
makeless
unthrift
enjoys
user
unprovident
evident
ruinate
wane
growest
departest
youngly
bestowest
convertest
threescore
featureless
barrenly
endowd
carved
print
copy
sunk
erst
girded
sheaves
bristly
lease
yourselfs
uphold
stormy
gusts
unthrifts
astronomy
dearths
predict
derive
prognosticate
presenteth
cheered
vaunt
decrease
wasteful
debateth
sullied
engraft
fortify
unset
liker
yellowd
stretched
metre
temperate
dimmd
changing
untrimmd
owest
brag
wanderst
shade
paws
phoenix
fleets
fading
heinous
untainted
succeeding
shifting
rolling
gilding
gazeth
hues
controlling
amazeth
created
rehearse
couplement
gems
aprils
rondure
hearsay
furrows
expiate
seemly
raiment
chary
faring
unperfect
replete
strengths
weakens
oercharged
presagers
recompense
belongs
stelld
perspective
painters
pictured
glazed
titles
favourites
marigold
painful
famoused
victories
foild
toild
vassalage
embassage
graciously
expired
zealous
imaginary
sightless
debarrd
eased
eithers
blot
swart
complexiond
twire
gildst
beweep
outcast
featured
despising
arising
sessions
afresh
bemoaned
restored
endeared
lacking
survive
survey
bettering
outstrippd
exceeded
equipage
style
meadows
forlorn
disdaineth
staineth
hiding
salve
heals
sheds
eclipses
authorizing
corrupting
salving
excusing
sensual
adverse
advocate
plea
commence
accessary
sourly
undivided
blots
separable
alter
bewailed
decrepit
active
entitled
engrafted
sufficed
pourst
tenth
invocate
deservest
blamed
deceivest
refusest
robbery
spites
temptation
assailed
woos
prevailed
mightest
straying
riot
twofold
tempting
unrespected
darkly
directed
clearer
unseeing
remote
lengths
badges
slide
quicker
embassy
recured
recounting
defendant
cide
impanneled
verdict
league
famishd
smother
resent
awakes
truest
chest
closure
ensconce
uprear
allege
measured
plods
dully
instinct
rider
spurring
onward
posting
mounted
perfectst
locked
blunting
carcanet
wardrobe
imprisond
describe
adonis
poorly
helens
grecian
deem
odour
blooms
tincture
wantonly
masked
discloses
unwood
odours
distills
monuments
unswept
besmeard
statues
overturn
broils
masonry
oblivious
renew
blunter
allayd
sharpend
fullness
accusing
privilege
mended
admiring
pebbled
forwards
nativity
crawls
maturity
wherewith
elipses
transfix
delves
parallels
rarities
mow
sendst
possesseth
grounded
worths
surmount
beated
choppd
tannd
crushd
draind
travelld
steepy
vanishing
confounding
defaced
outworn
interchange
mortality
sways
wreckful
battering
impregnable
miracle
restful
jollity
guilded
shamefully
misplaced
rudely
strumpeted
wrongfully
disabled
miscalld
simplicity
impiety
achieve
imitate
indirectly
exchequer
gains
stores
map
inhabit
tresses
sepulchres
shorn
fleece
yore
churls
matcheth
solve
presentst
unstained
ambush
assaild
victor
recite
untrue
ruind
choirs
sang
twilight
fadeth
glowing
perceivest
bail
memorial
reviewest
review
dregs
wretchs
remembered
miser
enjoyer
doubting
filching
counting
possessing
surfeit
gluttoning
variation
glance
methods
dressing
spending
vacant
imprint
dials
invoked
assistance
alien
poesy
learneds
compile
graced
decayd
deserves
travail
proudest
shallowest
wreckd
building
entombed
breathers
attaint
oerlook
dedicated
fresher
strained
rhetoric
sympathized
quill
impair
immured
dignifies
counterpart
comments
compiled
muses
filed
unletterd
clerk
hymn
polishd
refined
hindmost
inhearse
compeers
astonished
affable
gulls
intelligence
victors
enfeebled
estimate
releasing
granting
misprision
attainted
gainer
lameness
scoped
rearward
rainy
onset
compared
fangled
hawks
adjunct
prouder
workings
sweetness
eves
apple
unmoved
owners
stewards
outbraves
lilies
fester
fragrant
budding
enclose
blesses
habitation
veil
hardest
translated
deemd
lambs
stem
gazers
freezings
decembers
teeming
widowd
wombs
abundant
orphans
unfatherd
dreading
pied
saturn
lilys
vermilion
lily
marjoram
vengeful
forgetst
spendst
darkening
idly
resty
wrinkle
graven
satire
preventst
intermixd
strengthend
merchandized
esteeming
publish
philomel
mournful
burthens
bough
dulling
sinful
striving
forests
perfumes
junes
unbred
expressing
themes
descriptions
wights
knights
prophecies
prefiguring
augurs
incertainties
olives
endless
subscribes
insults
tribes
figured
qualify
exchanged
reignd
besiege
universe
motley
gored
cheap
askance
blenches
essays
harmful
brand
dyers
penance
correct
correction
steeld
critic
stopped
dispense
governs
effectually
delivers
latch
gentlest
deformedst
saith
indigest
cherubins
creating
gust
greeing
milliond
decrees
tan
sharpst
divert
altering
incertainty
crowning
alters
remover
shaken
rosy
sickles
weeks
scanted
repay
frequent
hoisted
transport
wilfulness
maladies
shun
tuff
cloying
sauces
welfare
meetness
needing
anticipate
siren
limbecks
madding
rebuked
befriends
hammerd
deepest
tenderd
sportive
frailer
bevel
maintain
badness
characterd
subsist
missd
retention
tallies
forgetfulness
pyramids
dressings
admire
foist
registers
gatherd
thralled
discontent
heretic
leases
hugely
honouring
bases
ruining
dwellers
paying
forgoing
savour
thrivers
oblation
seconds
informer
impeachd
sickle
waning
showst
withering
growst
wrack
onwards
counted
fairing
profaned
slandering
playst
swayst
wiry
reap
woods
boldness
situation
chips
pursuit
coral
breasts
wires
damaskd
reeks
belied
proudly
proceeds
pitying
disdain
ruth
ushers
beseem
sweetst
harder
engrossd
threefold
rigor
gaol
mortgaged
statute
putst
addeth
beseechers
untold
anchord
erred
transferrd
untutord
unlearned
subtleties
simply
suppressd
unjust
justify
outright
physicians
wresting
slanderers
prone
dissuade
unswayd
awards
reproving
revenues
rents
prizing
tempteth
purity
languishd
woeful
flown
inheritors
aggravate
dross
nurseth
uncertain
prescriptions
frantic
madmens
random
correspondence
censures
keepst
hateth
frownst
lourst
insufficiency
warrantize
unworthiness
cheater
betraying
vowing
enlighten
blindness
kindling
valley
seething
bath
hied
inflaming
nymphs
tripping
votary
warmd
disarmd
quenched
thrall
heats
cools
galaxy
episode
george
lucas
revised
draft
revision
february
edition
educational
backdrop
rollup
slowly
infinity
spaceships
galactic
managed
plans
empires
ultimate
armored
sinister
agents
leia
races
starship
custodian
stolen
awesome
tatooine
emerges
tiny
spacecraft
blockade
firing
lasers
stardestroyer
hundreds
laserbolts
streak
causing
solar
fin
disintegrate
interior
passageway
explosion
robots
artoo
detoo
threepio
po
struggle
bouncing
battered
claw
tripod
computer
surrounding
radar
robot
gleaming
bronze
metallic
surface
deco
theyve
reactor
destroyed
troopers
positions
doomed
unit
series
electronic
therell
beeping
tension
mounts
latches
clank
scream
equipment
hull
overtaken
smaller
underside
dock
nervous
tremendous
fearsome
spacesuited
stormtroopers
corridor
ablaze
laserfire
ricochet
patterns
explosions
scatter
storage
lockers
stagger
shattered
wasteland
horizon
twin
lone
luke
skywalker
heroic
aspirations
eighteen
shaggy
baggy
tunic
lovable
lad
adjusts
valves
moisture
vaporator
floor
oil
aided
beatup
barely
functioning
jerky
sparkle
catches
lukes
instinctively
grabs
electrobinoculars
utility
belt
transfixed
moments
studying
dashed
dented
crudely
repaired
landspeeder
auto
magnetic
scoots
disgust
exasperated
jumps
smoldering
hallway
blinding
darth
vader
grotesque
fascist
imposing
artoos
dome
bewildered
screams
clanking
attacks
threepios
attention
alcove
surreal
dreamlike
finishes
adjusting
joins
battling
heading
spice
kessel
smashed
subhallway
chases
responds
beeps
capturted
marched
amid
squeezes
struggles
transmissions
intercepted
aaah
consular
diplomatic
mission
refuses
eventually
squeeze
gruesome
snapping
limp
tosses
passengers
scurry
subhallways
huddles
organa
alderaan
muted
crushing
louder
trooper
stun
laser
pistol
felled
paralyzing
ray
inspect
inert
emergency
lifepod
snaps
stubby
astro
cramped
pod
permitted
restricted
deactivated
dont
mindless
philosopher
overweight
glob
grease
reluctant
isnt
twangs
angrily
debris
flurry
lanky
regret
viewscreen
terrified
circuited
receding
rotates
funny
damage
doesnt
assuring
response
disappears
anchorhead
settlement
radiate
bleached
buildings
pilots
dusty
vehicle
fist
kids
bursts
fixer
camie
sexy
disheveled
grumbled
yelling
wormie
rampage
bounces
deak
tough
pool
biggs
burly
flashy
contrast
tunics
repairs
background
guys
surprise
emotion
didnt
youd
academy
happened
phony
signed
rand
ecliptic
darklighter
bye
landlocked
simpletons
dazzling
system
group
stumbles
stifling
binoculars
scanning
specks
freighter
tanker
refueling
earlier
banging
worry
shrugs
resignation
hunk
obvious
grumbling
ineptitude
ceilinged
squad
brutally
unable
briskly
smoky
attacked
werent
beamed
generate
traced
link
snap
jettisoned
detachment
retrieve
personally
jundland
mesas
foreboding
dune
helpless
droids
sand
clumsily
respond
desolate
rocky
yells
settlements
technical
malfunctioning
nearsighted
scrap
begging
trudges
adventures
ridge
dunes
twerp
tricked
huff
frustration
hopeless
glint
reflected
reveals
android
frantically
malt
brew
inside
animated
afterburners
deaks
fry
busted
skyhopper
owen
upset
hottest
bushpilot
mos
eisley
skyhoppers
whammo
canyon
starships
missed
kid
havent
shouldnt
seriousness
frigate
central
systems
stunned
kidding
ya
crater
bestine
contact
crazy
forever
spreading
application
sandpeople
raided
outskirts
colony
blaster
vaporators
starting
nationalize
tenant
slaving
couldnt
bother
someday
lookout
drafted
starfleet
gargantuan
formations
shrouded
onimous
unearthly
cautiously
creepy
inadvertently
clicking
pepple
tumbles
flicker
recesses
unsuspecting
waddles
engulfs
eerie
manages
topples
jawas
taller
holster
complex
grubby
guttural
sandcrawler
tank
disk
tube
rats
ladders
behemoth
area
switches
floodlight
swings
rocket
grotesquely
pathetic
whimper
ceiling
sizes
mill
recognition
gloom
scrambles
embraces
enormous
lumbers
dewbacks
shuttle
tracks
picks
terrain
noisily
bounce
commotion
bangs
pop
filling
assortment
jawa
lars
homestead
gibberish
busily
including
parked
consisting
surrounded
adobe
block
fussing
straightening
brushing
attracting
insects
areas
nostrils
dingy
limps
mid
fifties
reddish
farmer
inspects
slump
shouldered
ahead
sales
queer
unintelligible
yeah
beru
courtyard
translator
bocce
remind
leader
addressing
programmed
etiquette
protocol
primary
versed
customs
droid
environment
understands
binary
job
programming
lifter
similar
fluent
shutting
garage
cleaned
tosche
converters
chores
remaining
beep
restrained
zaps
negotiating
pops
motivator
whatre
spiel
attract
taps
real
reluctance
scruffy
dwarf
trades
damaged
uh
class
worked
grimy
entry
cluttered
peaceful
atmosphere
permeates
lowers
tub
cord
contamination
spaceship
finally
frustrations
gonna
glances
teleport
knowledgeable
fact
center
cyborg
relations
unplugs
connectors
chrome
wiping
carbon
scoring
weve
interpreter
stories
interesting
jammed
cruiser
tumbling
dimensional
hologram
projected
rainbow
colors
flickers
jiggles
dimly
lit
obi
wan
kenobi
sheepishly
repeat
pretends
malfunction
data
intrigued
passenger
importance
attached
recording
squeaks
behave
resident
antilles
eccentric
ben
hermit
gazes
restraining
bolt
suggests
longingly
hasnt
hm
wedged
whered
embarrassment
innards
flutter
hurries
reconsider
dining
motherly
fluid
refrigerated
container
tray
cleaning
alarmed
related
uncontrolled
wizards
erased
thatll
exists
condensers
agreement
transmit
owens
scowl
semester
nother
pushes
resigned
paddles
disappear
reluctantly
activates
creates
wasnt
deactivate
faulty
babbling
searches
triped
scans
landscape
problem
stupid
plaza
final
sparse
oasis
idyll
echoing
prepares
hed
units
midday
speeder
blur
gracefully
scanner
accelerator
mesa
coastline
foreground
weather
marginally
rifle
tusken
raiders
coarse
barbaric
raider
nomads
banthas
looped
furry
dinosaur
tails
saddles
strapped
bluff
massive
whoa
poses
menacingly
runaway
rightful
jibberish
alright
southeast
fetches
riderless
react
looms
startled
clangs
rattles
curved
pointed
gaderffii
local
settlers
crevice
forces
dropped
ransack
supplies
fleeing
tighter
swishing
frightened
closer
shabby
leathery
weathered
exotic
climates
penetrating
scraggly
squints
scrutinizes
unconscious
traveled
ponders
scratching
owning
overhanging
cliffs
indoors
tangled
risking
kenobis
hovel
junk
repairing
navigator
ideals
involved
clone
jedi
reminds
rummages
wouldnt
feared
idealistic
crusade
saber
lightsaber
clumsy
handle
elegant
civilized
generations
guardians
republic
listening
helped
energy
surrounds
penetrates
binds
recorded
attack
failed
information
survival
static
transmission
scratches
silently
tarnished
explain
tagge
operational
vulnerable
equipped
realize
motti
twists
nervously
tagges
moff
tarkin
outland
dissolved
permanently
swept
bureaucracy
regional
governors
territories
obtained
readout
useless
technological
constructed
insignificant
frighten
sorcerers
tapes
clairvoyance
chokes
vaders
disturbing
release
bickering
pointless
location
scattered
rubble
gaffi
bantha
hitting
crouching
file
accurate
precise
inspecting
smoking
daze
replaces
fighters
detention
leias
discuss
steady
extends
hypodermic
slides
bonfire
blazing
zooms
overlooking
spaceport
haphazard
concrete
structures
semi
domes
gale
craggy
hive
scum
villainy
cautious
scurriers
cantina
domed
circular
bays
bats
probe
ronto
unusual
swoop
bike
veers
tossing
reins
crowded
hardend
identification
fumbles
controlled
arent
crashed
winding
rontos
outrider
overhead
rundown
blockhouse
fondle
disgusting
shoo
murky
moldy
startling
weird
horrifying
scaly
tentacled
clawed
huddle
repulsive
bartender
recovering
shock
outlandish
bartenders
pats
sips
sympathetic
chewbacca
bushbaby
monkey
fangs
dominate
fur
matted
bandoliers
wookiee
disconcerted
negola
dewaghi
wooldugger
freak
ignore
rodent
belligerent
monstrosity
agitated
continued
insult
effort
unpleasant
crashing
jug
curdling
panics
blasters
astounding
agility
bens
multiple
chin
groin
totally
lasted
normal
downs
booth
han
solo
roguish
starpilot
mercenary
sentimental
cocksure
millennium
falcon
chewie
parsecs
reacts
solos
misinformation
outrun
cruisers
corellian
cargo
entanglements
extra
fifteen
seventeen
huh
docking
ninety
somebodys
check
greedo
faced
pokes
subtitles
boss
jabba
jabbas
hunter
smugglers
shipments
idea
hans
patrons
flipping
coins
resistance
considerable
extract
interrupts
alternative
hovering
slum
alleyway
crowed
hawking
goods
stalls
doorways
checks
tightly
peeks
doorway
sleazy
insect
dealer
spindly
legged
xp
herding
bunch
anteater
rounds
alley
hutt
grisly
grossest
slavering
hulks
scarred
testimonial
prowess
killer
didn
fatherly
disappoint
twerps
exceptions
smuggled
stepping
bug
momentarily
percent
don
boarding
ramp
boba
fett
casing
thugs
restlessly
jabbers
excitedly
signals
nearby
transmitter
pieced
loosely
modifications
urges
rushed
gang
plank
settles
ducks
shots
dive
pirateship
slams
straps
cockpit
chatters
dwellings
types
deflector
calculations
stardestroyers
calculation
floating
hyperspace
maneuvers
shudders
itll
coordinates
navi
gaining
traveling
aint
dusting
crops
supernova
thatd
flashing
strap
brightens
barrier
battlestation
bows
screen
displaying
entered
leash
recognized
stench
charming
signing
terminate
responsibility
tighten
grip
chosen
stations
destructive
possibly
military
overhears
intercom
announcing
dantooine
reasonable
effective
demonstration
technician
ignition
pressed
panel
hooded
lever
pulled
emanates
cone
converges
practice
seeker
falters
disturbance
silenced
rubs
fixes
slugs
practicing
engrossed
holographic
chess
type
monitor
embedded
crosses
chewbaccas
intercedes
argue
screaming
interrupting
worries
upsetting
pull
socket
wookiees
strategy
humming
movements
smugness
controls
suspended
baseball
antennae
hovers
arc
floats
lunge
emitting
hokey
religions
mystical
nonsense
covers
conscious
skeptically
blindly
missing
laserbolt
feelings
seemingly
incredibly
deflect
ceases
original
remotes
notices
cass
scout
reached
deserted
conducting
extensive
lied
consciously
sublight
streaking
shudder
asteroids
aw
asteroid
collision
charts
flips
itd
fighter
finned
identify
jam
camera
vastness
brighter
distinguished
spherical
auxiliary
accelerates
tractor
gotta
nothin
alternatives
towed
immense
staggering
equator
gigantic
mile
dragged
turret
hangar
outboard
shields
buzz
captured
entering
markings
unlock
log
abandoned
takeoff
decoy
pods
checked
exits
orders
panels
revealing
locker
compartments
smuggling
ridiculous
muttering
crewmen
guarding
scanners
gunfire
gantry
comlink
tk
stormtrooper
indicating
aide
annoyed
momentary
chilling
howl
flattens
dressed
removes
sneaking
outlet
plug
network
punches
readouts
coupled
locations
terminals
studies
bargained
fossil
ideas
repeating
scheduled
terminated
growls
grunts
plan
binders
growl
worried
reassuring
helmets
elevator
inconspicuous
vacuum
bureaucrats
bustle
ignoring
trio
completely
bureaucrat
signaled
remark
nudges
transfer
notified
console
punch
alarms
unfastens
howls
dumbfounded
pistols
terrifying
barrage
misses
screeching
corridors
official
everythings
perfectly
negative
leak
operating
explodes
boring
cells
uncomprehending
incredible
staring
uniform
tremor
underestimate
alert
sections
growling
emerge
route
sarcastically
alerted
protection
intense
sweetheart
sheepish
grin
grate
frying
chute
guy
sniffs
oaf
smokey
muck
hatchway
ricochets
dives
magnetically
sealed
absolutely
depths
cowering
yanked
surfaces
gasp
thrashing
membrane
tentacle
wrapped
grab
deathly
bobs
released
disappeared
rumble
poles
closing
snapped
trashmasher
rumbles
buzzer
cabinet
hustle
aims
excitement
overrun
circuits
maintenance
leaning
popping
contracting
plugs
spew
braced
thinner
rips
problems
mashers
agony
hollering
joyous
sensitive
generator
trench
clacking
switching
ledge
leading
connects
adjustments
terminal
belts
dia
noga
victim
relentlessly
petite
worshipfulness
carpet
swiftly
marches
canceled
regular
drill
deftly
milling
braver
groups
rounded
brandishing
joined
assumes
defensive
starpirate
extraordinaire
chased
bridge
spans
retracted
abyss
gasping
explode
reminding
oncoming
resounding
boom
precariously
perched
overhang
oughta
drilling
pounding
plummets
nylon
grappler
rope
wraps
outcropping
tugs
swing
escaping
duo
plugged
laserblasts
slam
tunnels
tunnel
ignites
classical
offensive
stance
learner
sizing
blinking
movement
masterful
slash
blocked
jedis
countered
backing
motionless
lightsabers
surveying
duel
impact
emerging
hallways
tensely
nows
charging
realizes
trapped
opponent
serene
puzzled
disappearance
adventurers
aghast
onrushing
compatriots
crumbles
thud
spectacular
saddened
blankly
protectively
sentry
comfortingly
buddy
gunports
topside
gunport
settling
rotating
turrets
headset
microphone
attacking
graphic
pov
veering
maneuvering
vibrates
minor
falcontie
pan
laserbeams
lurches
oooh
manipulates
lateral
pirateships
sparking
dousing
inferno
spraying
retardant
swivels
victoriously
unleashing
wave
gleefully
cocky
screens
lighting
laserblast
describing
aimed
attacker
atomic
fragments
congratulatory
majestically
strides
homing
beacon
awful
risk
aft
section
rescuing
explanation
tracking
frustrated
intact
analyzed
neednt
copilot
finality
yavin
drifts
orbit
soars
dense
jungle
massassi
outpost
countryside
sours
foliage
rotting
unimaginable
crumbling
willard
composes
formally
tracked
pointedly
ominously
interrupted
discussion
preparing
briefing
dodonna
display
starpilots
navigators
sprinkling
intently
shielded
firepower
defenses
designed
penetrate
outer
addresses
snub
theyd
analysis
maneuver
skim
meters
thermal
exhaust
reaction
murmer
disbelief
proton
torpedoes
wedge
hotshot
bulls
womp
intertwines
relation
orbiting
maximum
velocity
spacefighters
crews
armaments
unlocking
couplings
isolated
activity
loudspeaker
deliberately
debts
suicide
hesitates
lookin
howd
forties
confident
incom
rim
shooting
emotional
occasionally
trespassed
distorted
coupling
hoses
disconnected
fueled
smoothly
signalman
guiding
directs
gracing
peers
goggles
headphones
pedestal
jutting
naturally
permeate
overwhelmed
thundering
ion
rockets
catapult
formation
represents
dots
chatter
estimated
zoom
atmospheric
mike
porkins
wedges
locking
concentrates
buffeted
deflectors
rapidly
antenna
accelerate
revealed
sparkles
grouped
clusters
satellite
wingmen
looming
bob
targeting
axis
squads
peel
expanse
sirens
scramble
turbo
powered
emplacements
drivers
rotate
adjust
listens
speaker
menacing
nosedives
radically
fireball
scorched
flak
cooked
strafe
buckle
evading
belches
turbine
generators
adequate
protect
ringing
deflection
flings
twisting
hurls
erupt
erupts
protruding
blurry
sweeps
superstructure
peels
reverberate
structure
silhouetted
unison
hatches
aides
technicians
scopes
pounds
visual
jamming
ferocious
upside
attitude
tailing
exploding
purposefully
flanked
concerned
communication
rooms
scores
unleash
radio
marked
fives
blinks
twos
viewer
computers
clam
clings
stabilize
marks
vertically
wingmans
flung
veteran
trys
panicked
loosen
tiree
dutch
countless
campaigns
spins
explosive
evacuate
overestimate
fiddles
perspire
roams
evade
tens
cockpits
interference
reflects
fins
porthole
twelves
furiously
concentrating
cooly
unavoidable
scurrying
nines
impacted
starboard
engine
gloved
connecting
helplessness
throttle
lifelong
knicking
stabilizers
damages
precarious
crippled
unbroken
anxiously
bumpy
stealthily
targeter
aiming
bits
watering
lens
mumble
training
switched
manned
pitched
billows
representing
brightly
cleared
barrels
unleashes
wingman
locate
yahoo
colliding
crashes
circles
flanking
levers
hugs
slapping
playfully
shoves
fried
gears
donate
neat
rows
solemnly
aisle
shined
pristine
awestruck
dignitaries
staggeringly
medallion
repeats
disolve
credits
gary
kurtz
starring
hamill
harrison
ford
carrie
cushing
alec
guinness
daniels
kenny
baker
mayhew
david
prowse
purvis
eddie
byrne
production
designer
barry
director
photography
gilbert
taylor
williams
performed
london
symphony
orchestra
copyright
fanfare
photographic
dykstra
stears
editiors
paul
hirsch
marcia
richard
robert
watts
illustration
ralph
mcquarrie
costume
mollo
directors
reynolds
leslie
dilley
stuart
freeborn
mixer
derek
casting
irene
diane
crittenden
vic
ramos
supervising
editor
sam
shaw
dialogue
burtt
editors
rutledge
gordon
davidson
gene
corso
kenneth
wannberg
rerecording
mixers
macdougall
minkler
litt
lester
fresholtz
portman
dolby
consultant
katz
orchestrations
herbert
spencer
eric
tomlinson
todd
boekelheide
jay
colin
bonnie
koehler
operators
ronnie
geoff
glover
decorator
roger
manager
bruce
sharman
tony
waye
gerry
gavigan
terry
madden
arnold
ross
producer
bunny
alsup
lucy
autrey
wilson
carr
miki
herman
gaffer
ron
tabera
bruton
stunt
coordinator
diamond
continuity
ann
skinner
dan
perri
carroll
ballard
rick
clemente
dalva
tak
fuijimoto
leon
erickson
al
locatelli
managers
pepi
lenzi
douglas
beswick
roxanne
jones
karen
controller
brian
gibbs
auditor
leo
auditors
steve
cullip
mccarthy
kim
falkinburg
advertisingpublicity
charles
lippincott
publicist
doyle
photographer
miniature
optical
industrial
camerman
edlund
dennis
muren
camermen
smith
ralston
robman
logan
composite
blalack
praxis
roth
printer
mccue
pecorella
eldon
rickman
jr
assistants
caleb
aschkynazo
moulds
nicholson
bert
terreri
donna
tracey
jim
wells
vicky
witt
mather
matte
artist
ellenshaw
joseph
johnston
additional
cantwell
mccune
builders
beasley
jon
erland
lorne
peterson
gawley
huston
animation
rotoscope
beckett
animators
kuran
jonathan
seay
chris
casady
lyn
diana
berg
phil
tippet
joe
viskocil
greg
auer
graphics
displays
obannon
larry
cuba
walsh
teitzell
mary
lind
librarians
cindy
isman
connie
mccrum
pamela
malouf
alvah
miller
components
shourt
masaaki
norihoro
eleanor
trumbull
william
jerry
greenwood
barnett
ziff
scott
shepherd
lon
tinney
patricia
duignan
kline
rhonda
nathan
opticals
der
veer
photo
mercer
de
patie
freleng
panavisiontechnicolorprints
deluxe
films
reduction
fidelity
shelagh
fraser
pervis
alex
mccrindle
drewe
hemley
lawson
garrick
hagon
klaff
hootkins
angus
mcinnis
jeremy
sinden
graham
ashley
taggi
henderson
le
parmentier
schofield
photographed
tunisia
tikal
national
park
guatemala
california
emi
elstree
studios
borehamwood
anvil
denham
completed
american
zoetrope
san
samuel
goldwyn
los
angeles
producers
institute
anthropology
united
department
cooperation
century
corporation
lucasfilm
ownership
protected
applicable
duplication
distribution
result
criminal
liability
lawrence
kasdan
leigh
brackett
ext
hoth
destroyer
probes
meteorite
sensors
windswept
slope
bundled
lizard
tauntaun
curving
plumes
protective
finished
readings
cube
clicks
wampa
lunging
ferociously
aaargh
ankle
drags
stalwart
rides
securing
mechanics
welding
irritated
grumbles
makeshift
beehive
controllers
monitoring
rieekan
straightens
blurts
anymore
jacket
braided
nordic
hut
adopts
sarcastic
tone
mushy
stews
highnessness
decided
ord
mantell
mystified
aahhh
imagining
goodbye
arrange
heater
commented
freezing
protesting
lifters
irritation
communicator
inqu
abruptly
hurriedly
speeders
adapting
tauntauns
temperatures
sector
alpha
tauntaunll
marker
dusk
jagged
gloomily
ankles
stalactites
futilely
unfasten
throngs
exhausted
focuses
concentration
swinging
flops
staggers
riding
hostile
worriedly
circuit
mournfully
vigil
upright
collapses
shivers
major
derlin
patrols
acknowledgment
coyote
efficient
booms
mistakes
clever
hallucination
weakly
dagobah
yoda
fades
unconsciousness
cradling
urgently
rubbing
rasping
moaning
expires
belly
steaming
stuffs
reeling
odor
whew
til
shelter
ooh
smelled
considerably
snowdrift
dawn
nosed
snowspeeders
snowspeeder
zev
monitors
crackle
filtered
zevs
receiver
transmitters
windward
gingerly
medical
surgeons
obscures
bacta
gelatinous
thrash
raving
delirium
wampas
functional
expresses
gundark
junior
haughtily
activated
delusions
amused
enjoying
humoredly
fuzzball
expressed
flushed
witted
nerf
herder
riled
dumbstruck
grins
announcer
headquarters
personnel
visitor
senior
code
popped
destruct
evacuation
destroyers
surround
fro
footsteps
squat
ozzel
conferring
chill
piett
visuals
devoid
uncharted
instructions
loaded
panic
clearance
launch
hops
eyeing
problematic
surveys
dresses
sevens
plenty
modules
gunners
discussing
verbalize
reroute
cubicle
illuminated
brooding
detected
protecting
sixth
bombardment
wiser
smartly
aaagh
constrict
painfully
deploy
pietts
unexpected
unmixed
warily
lifeless
urgency
briefs
gathered
carriers
escorts
opened
hobbie
bazooka
yelled
rhythmic
packs
tense
escort
skyward
conning
careers
vehicles
announcement
gunner
dack
strapping
bleak
walker
machines
lumbering
walkers
vibrate
accompanied
tightens
battlefield
vector
delta
loom
snowtrench
racing
veerss
viewport
dissipates
armors
harpoons
harpoon
obstacle
sustaining
recedes
dishlike
lumber
activate
hurtles
janson
trailing
continuing
towing
detach
detached
topple
teeters
downed
banking
whooha
chunks
risky
widening
falcons
noticing
bazookalike
debark
erupting
glancing
bucks
spewing
collide
desperately
rocked
electrical
steam
billowing
underground
obliterates
boards
disengage
onslaught
flee
underbelly
projectile
firmly
attaches
dangling
reaching
landmine
insides
spewed
conceivable
locomotive
stilts
exploded
decimal
electrorangefinder
pushed
relentless
lagging
blacks
docked
lags
typical
reopens
goldenrod
chunk
hanger
troublesome
gauge
observes
efforts
hows
clanks
devastating
disbelieving
bucket
babys
surprises
burnout
cubbyhole
chirps
excited
thoughtful
decision
sharply
prints
regroup
unbelieving
exclamation
phrased
chuckling
manual
bumps
readjusts
outmaneuver
evasive
calmed
buffeting
gleam
expectantly
acute
noticed
hyperdrive
heavier
starry
horizontal
boosters
alluvial
dampers
hydrospanners
tools
thump
lurch
oww
turbulence
thumps
winces
jolt
possibility
successfully
navigating
approximately
completes
weave
pelted
scrapes
narrowly
crunch
peek
pulverized
skims
rattled
rocking
hysterics
nicely
maam
skimming
nearing
tunnellike
slows
anxiety
screened
inquiry
picking
technology
operate
buzzes
cycle
retrorockets
deafening
squeals
fog
splash
boggy
lake
plane
periscope
gurgly
tip
outline
steadily
layer
sinuous
bog
swampy
clunk
ignited
wades
phheewaat
runt
moss
soggy
spooky
swamp
ejects
cranial
entryway
surprising
insectlike
apparatuses
respirator
retracts
uncovered
bald
covering
dripping
dimensions
include
items
stable
professor
sliding
indignant
sshh
flushes
averting
wickedly
emotions
clearing
dispersed
gloomy
fusion
furnace
noselike
appreciation
processed
screeches
mysteriously
bluish
wizened
watched
hesitation
hmmm
mmmm
ahhh
rummage
handling
disapproval
teasing
aww
retains
examines
ohhh
retreating
clutching
unnoticed
mudhole
fella
hmm
oohhh
mmm
scurries
quieter
dialect
mystifying
communicate
polarized
replace
whines
reengage
valve
rebuffs
nicer
haltingly
scoundrel
massage
trembling
irresistible
scoundrels
regains
indignation
flux
icily
spoiled
fireworks
battleship
continually
disrupted
needa
amount
sustained
scared
materializes
monks
reminiscent
deeper
frightening
asset
supreme
crouched
downpour
gnarled
baroque
knoll
lagoon
gnomish
radiates
tap
portals
peeking
cozy
cooking
stove
hodgepodge
pans
chopping
shredding
platters
quarters
pot
tasting
unfamiliar
concoction
pleasantly
rootleaf
wasting
gradually
dawns
hah
trained
commitment
future
hmph
heh
detects
softening
yodas
exteriors
brilliant
indicator
suctionlike
windscreen
screech
interested
mysterious
stamps
investigate
mynock
chewing
mynocks
swarm
swoops
shoos
batlike
flap
unholsters
committee
diminished
stalagmites
surging
collapsing
zooming
rolls
vines
panting
climbing
jumping
aggression
wans
apprentice
seductive
passive
mmmmmmmm
branch
poking
gimer
domain
brush
snake
widens
sidesteps
slashes
decapitated
encased
smashes
gasps
priority
avenger
bizarre
bossk
bloodshot
zuckuss
dengar
mangy
ig
disintegrations
harmlessly
subside
steeply
corrects
expecting
puzzlement
surviving
weaves
numerous
avengers
imperials
stationed
nears
track
cloaking
communications
update
apologize
bowling
wavers
concentrate
chirping
lakes
uncertainly
unlearn
focusing
disappearing
luminous
beings
crude
sweeping
gesturing
discouraged
bowed
beach
astonishment
includes
needas
accepted
slumps
destination
trajectory
uneasy
glides
aware
clinging
standard
procedure
float
anoat
lando
mapscreen
landos
calrissian
gambler
bespin
tibanna
gas
conned
amidst
drifting
fetts
decide
shrouds
gaseous
cars
alongside
deviate
touchy
metropolis
platforms
suave
aliens
humans
expression
swindler
innocently
mouthing
threateningly
ahh
administrator
smoothie
facilities
introduction
lobot
fastest
crossed
rounding
corners
plazas
labor
difficulties
businessman
responsible
whod
reflective
successful
mumbles
chu
ta
anteroom
terribly
whooshes
unaware
materialized
shimmering
failure
agent
honor
dilemma
interfere
engulf
assigned
agitation
ribbons
somethings
relax
considers
piled
ugnaughts
hoglike
separate
conveyer
molten
ugnaught
clang
grunting
coolly
refreshment
suspiciously
licks
everyones
proffered
shafts
columns
jurisdiction
guild
advantageous
customers
anxious
developed
insure
deflecting
zips
honored
bespins
transmitted
flooded
chewies
fists
disassembled
barking
philosophical
remarks
torso
bewilderment
connections
elaborate
mechanism
await
filter
treated
unfairly
garrison
deals
connected
backwards
furball
overgrown
mophead
deactivates
stroking
peaks
hauls
butts
wipes
dabs
armor
chemical
tanks
housing
hydraulic
encountering
coffinlike
happening
animate
expressive
intermittently
randomly
angles
compensate
realizing
reinforcements
scuffle
clubbing
bash
captors
wails
slipped
sorrowfully
carbonite
survives
tong
vat
placing
knobs
hibernation
reset
landed
supervision
pushing
whisk
herded
bearings
slamming
dazed
hissing
escapes
stairway
walkway
holsters
lunges
repels
combatants
clash
intersection
binding
releases
spun
wooly
possessed
aggressively
tactics
hooking
sprawls
noiselessly
forcefully
leaped
impressive
goads
foolhardy
retreats
somersault
skillful
looses
collapse
machinery
detaches
smashing
hurtling
deflects
bloodied
rocklike
glimpse
codes
override
seep
residents
packages
berates
lump
obscuring
dashes
battalion
ouch
thoughtless
ow
hairy
understandingly
railing
sideways
viciously
nicks
smokes
recovers
slashing
forearm
armpit
subsides
conflict
shocked
foreseen
slickly
polished
grill
claws
vane
undermost
fragile
newcomer
speck
someones
crossbar
supported
cuff
blip
recognizes
expectant
determinedly
noisy
knowingly
sprayed
emotionally
physically
depression
grandeur
seats
unexpectedly
contemplative
metalized
bandage
wriggles
relaxes
complicated
swirling
january
clutches
gangster
secretly
construction
curling
octopus
benevolent
endor
zipping
hustles
st
vo
confirmation
operator
delineating
jerjerrod
technocrat
arrival
arrogantly
whoosh
assemblage
pleasantries
ashen
motivate
planned
optimistic
appraisal
asks
forgiving
road
lonely
meanders
distinctive
timidly
signaling
spidery
eyeball
tee
chuta
hhat
yudd
detoowha
bo
seethreepiowha
ey
toota
mischka
du
horrific
cavity
gamorrean
brutes
bib
fortuna
humanlike
tentacles
wanna
wanga
wauaga
cont
negatively
nee
badda
chaade
su
goodie
nudd
chaa
trailed
nauseating
underworld
blob
bloated
maniacal
chained
oola
dais
obnoxious
birdlike
salacious
crumb
slobbering
degenerates
politely
shuda
skinned
projects
gangsters
introduce
anaudience
arrangement
mutually
enable
confrontation
goodwill
hardworking
huttese
subtitled
favorite
decoration
hideously
carbonized
shadowy
unspeakable
hapless
unhappiness
ohh
boiler
ev
ninedenine
branding
irons
agonized
acquisitions
cy
languages
readily
splendid
disintegrated
excellencys
plaintive
feisty
tortured
raucous
sloppy
smelly
breasted
reeds
oolas
applauds
daddy
leers
dancers
lustful
tout
da
eitha
na
chuba
negatorie
natoota
tugging
boscka
hysterically
revelers
rancor
cringes
wistfully
gunshot
offscreen
gathering
debauchers
boushh
cloaked
electronically
ubese
translates
illustrious
clattering
detonator
malevolently
sly
fearless
inventive
zeebuss
skiff
hoots
appreciative
column
gunfighter
glare
arrogance
toadlike
flicks
burps
snoring
perimeter
spotlighted
hesitant
decarbonization
emit
contours
freed
forearms
previously
reflexive
slackly
muscles
boushhs
steadies
shhh
weakened
obscene
cackle
cronies
cacophony
glee
sidetracked
smuggler
fodder
chuckles
inexorably
ugh
creaks
blinded
collect
lifting
pal
goin
insistently
pets
spears
denial
hypnotic
rewarded
wriggle
skimpy
manaclenecklace
awakens
clobbers
bascka
recognizable
dungeonlike
gathers
fanged
gulp
swipe
salivating
flails
avalanche
crushes
rancors
barred
crouches
halfway
squashing
sledgehammer
consternation
examining
unworried
pet
exaltedness
carkoon
nesting
sarlacc
definition
cackles
evilly
prisoners
treks
tatooines
skiffs
retinue
sultan
antigravity
convenient
scantily
bumping
spilling
sor
singsong
mucous
beak
sarlaccs
intergalactic
amplified
loudspeakers
victims
almighty
excellency
honorably
pleas
ridden
unobtrusively
mocking
thumbs
facing
prodded
gaping
jaunty
salute
bloodthirsty
fingertips
catapults
midair
flip
vacated
casually
arcing
samurai
overboard
sandy
viscous
scuzzy
uproar
gunmen
dangles
hacks
barges
pinned
lasso
fusillade
brackets
incoming
decimating
spear
badly
lethal
appendage
whacks
squarely
bobas
ignite
missile
congratulations
enslaves
bulbous
grasp
flaccid
contracts
tightening
bulge
sockets
hutts
spasms
luckily
slipping
chasm
sheer
fingerhold
ax
grasps
yanks
baron
slippage
tilted
fuzzy
demolished
uncovering
tumult
kicking
reptilian
rafters
warding
flexes
rigging
mast
kicks
trigger
flair
electromagnets
dangle
skips
conflagration
sandstorm
pressing
hobbles
vague
describable
shrugging
closest
sleepin
affectionately
mussing
warmly
crate
dubiously
betrayal
subsequent
unfrozen
comin
super
neighbor
mammoth
shuttles
rigid
momentous
shriveled
cane
ruler
environs
disconsolately
cottage
hesitantly
coughs
earned
screwing
weariness
compassion
creases
incomplete
shiver
depressed
dejectedly
os
ceased
anakin
derisive
cling
unresponsive
stump
mesmerized
consequences
entranced
prematurely
easiest
offspring
anonymous
insight
comprehend
narrative
attempting
politically
lineage
adopted
democracy
foster
immunity
avoiding
battleships
battlecruisers
largest
depicting
mon
mothma
madine
ackbar
salmon
colored
calamari
insignia
taanab
respectable
bothan
pinpoints
unprotected
overseeing
bothans
generated
attempted
murmur
volunteered
teams
paw
volunteers
questioningly
exciting
anomalous
byes
warmed
complaint
rulers
massing
sullust
crushed
announces
outta
tydirium
requesting
deactivation
commencing
jittery
endangering
optimism
vibration
hanfiltered
sanctuary
site
primeval
dwarfed
helmeted
contingent
crest
crawl
scouts
bushes
bikes
partyll
campsite
sneaks
twig
whirls
crossbow
rousing
fistfight
unoccupied
recklessly
slowing
vanes
chasing
braking
mode
zip
pursuers
cohort
highspeed
slalom
trunks
pursuer
handgun
brakes
avail
weaving
riders
clipping
undergrowth
chops
pitching
revolves
plops
boulder
wearily
ewok
wicket
prods
frightens
fuzz
charred
soreness
puppy
chattering
squeaky
sniffing
reassured
perk
sniff
ewokese
chubby
penetrated
skeptical
bowsas
wreckage
wrecked
gravely
animal
nah
wa
sprooing
jumble
bottommost
slicing
spin
dro
op
regain
dozens
ewoks
wha
someplace
wielded
teebo
confiscate
critters
untangling
nearest
prostrates
chant
mistaken
primitive
impersonate
deity
placatingly
cocoonlike
litter
shaky
wooden
nothingness
village
huts
rickety
walkways
babies
newcomers
barbecue
leaned
litterthrone
rapt
fascination
fascinated
logray
tribal
elevated
haired
chirpa
curiosity
firewood
embarrassed
chime
vigor
challenges
revolving
elp
enfold
spinning
zap
electric
marveling
chiefs
kaleidoscope
flank
pantomimes
mimicking
imitating
distinguishable
confer
pronouncement
sharing
consciousness
teddy
enthusiastically
quickest
drifted
moonlight
wandered
insistence
troubling
stifle
sobs
verdant
surrendered
ponder
skills
extinguishes
paploo
installation
bunkers
flacon
comparison
nien
nunb
countdown
thisll
shortest
ackbars
segments
bunker
reunited
explains
scampers
underbrush
lounging
scary
decides
police
defiantly
completing
overconfidence
transpired
legion
awaits
cohorts
disarming
armada
implications
momentum
mv
dogfight
ensues
armrest
unarmed
overpowers
horn
biker
astrodroid
heroics
furries
stomp
smash
hooked
horrified
viewscreens
magnitude
astrodroids
compartment
appendages
sticking
spurt
nozzles
hotwire
handmade
hanggliders
bombing
adversaries
awaken
rampaging
giants
decimated
defenseless
blocking
sophisticated
sneak
lassoed
lurching
careens
destroying
favor
connection
exchanges
disposes
triumphantly
aggressive
unwise
amazing
catwalk
supports
armadas
individual
confrontations
hanpilot
frenzy
clatters
uselessly
bottomless
uncontrollable
fulfill
lifetime
unfinished
shrinks
buckling
canister
writhes
unbearable
outpouring
increases
intensity
robed
arcs
helplessly
exteriorinterior
portion
narrowing
reflect
narrows
dangerously
intensify
batteries
deadweight
weakening
elderly
focus
bomb
bombard
resonating
regulator
missiles
enhanced
overtake
forgives
piloted
whizzes
misinterpreting
blew
misunderstanding
stacked
pyre
searchlights
festivities
confetti
awash
coruscant
airspeeder
centerpiece
firelight
communal
liberation
hugged
sidelines
midsts
marquand
howard
kazanjian
screenplay
executive
bloom
alan
hume
edited
sean
barton
duwayne
dunham
ken
designers
aggie
guerard
rodgers
nilo
rodis
jamero
kit
tippett
billy
dee
theepio
sebastian
palpatine
ian
mcdiarmid
oz
pennington
colley
carter
antilies
denis
tim
dermot
crowley
caroline
blakiston
warwick
davis
bulloch
femi
sy
snootles
annie
arbogast
claire
davenport
edmonds
jane
busby
malcom
dixon
cottrell
nicki
reade
bareham
oliver
pip
tom
mannion
puppeteers
toby
philpott
barclay
mccormick
roy
williamson
lee
quinn
robinson
decorators
harry
lange
conceptual
fred
schoppe
lamont
fenner
dawking
sharon
cartwright
dresser
doug
von
koss
constuction
bill
welch
irvin
foreman
iiams
callas
clause
elliot
stan
wakashige
laborer
foremen
fukuzawa
johnson
clark
standby
giovanni
ferrara
sketch
carnon
scenic
ted
michell
steven
sallybanks
decor
lettering
dickinson
draftsmen
reg
bream
billerman
campell
djurkovic
gavin
bocquet
kevin
phipps
buyers
lusby
giladjian
storeman
middleton
secretary
carol
regan
glennon
lowin
cameramen
mills
laughridge
benson
puller
frift
napolitano
bonge
tate
martin
kenzie
gaffers
pantages
bremner
herron
helicopter
wolfe
dick
dova
spah
dolly
chunky
huse
stanley
sayer
tommy
electrician
dreyfuss
mauricio
artists
robb
dickie
kay
dudman
brownie
christine
allsopp
daniel
parker
harris
terri
anderson
bromley
modellers
osborn
jan
stevens
overs
padbury
hairdresser
mcdermont
hairdressers
lockey
blanc
articulation
eben
stromquist
armature
ronzani
plastic
sculptural
wiley
sculptors
dave
carson
mcvey
sosalla
judy
elkins
howarth
cheif
moldmaker
wesley
randy
dutra
kirk
thatcher
isaac
turner
jeanne
lauren
ethan
hanson
rodger
consultants
walas
productioncreature
ordinator
patty
blau
latex
lab
mclaughlin
animatronics
engineers
coppinger
elizabeth
janet
tebrooke
jenny
jeweler
wardrode
patrickwheatley
wilcon
murphy
jeffrey
keith
morton
birkinshaw
costumers
kassal
edwin
pellikka
anne
polland
elvira
angelinetta
mick
becker
claudia
everett
laurie
rudd
nancy
servin
karrin
kain
derik
hyde
maggie
patte
janice
gartin
julie
woodbridge
gillett
rita
wakely
eileen
sullivan
hancock
torbett
supervisors
coangelo
lofthouse
holly
ivan
perre
propmakers
hargreaves
plasterer
clarke
shirtcliffe
rigger
stagehabd
burke
ordinators
kreysler
tompkins
engineering
derrick
baylis
peggy
kashuba
dawe
thom
batchelor
shep
manson
audio
christopher
kris
handwerk
kelly
marty
dennie
thorpe
watson
catherine
coombs
hodenfield
kessler
leahy
lyrics
huttesse
holman
starkey
conrad
buff
sanderson
hosker
debra
mcdermott
clive
hartley
burrow
teresa
eckton
ladevich
curt
schulkey
vickie
weir
mann
gloria
suzanne
kathy
ryan
jenks
leasman
twiddy
latham
patrica
louis
friedman
directorsecond
tomblin
micheal
steele
newman
russell
bryce
lata
ordination
sunni
kerwin
gail
samuelson
script
glenn
randall
arranger
selway
buckley
eman
lytle
kathleen
hartney
betty
syrjamaki
leila
kirkpatrick
choreographer
gillian
wendy
rogers
arthur
mitchell
hurren
accountants
sheala
daniell
harley
sian
matcham
dankwardt
pinki
ragan
wright
transportation
schwartz
feinblatt
noblitt
studio
minay
lennie
fike
photographers
albert
nelson
arnell
broom
marketing
sidney
ganis
trembly
barb
lakin
wippert
research
deborah
wingrove
dawson
rodney
neil
trevor
electronics
hone
gittens
whitrod
hatt
yves
bono
lloyd
nichols
knowles
specialists
harman
crawley
pike
simmons
zink
surkin
stirber
bruno
zeebroeck
chapot
klinger
donald
chadler
cox
rebecca
dow
mcalister
farrar
selwyn
eddy
elswit
fichter
stewart
barbee
gredell
hardburger
sweeney
gilberti
mcardle
daulton
bessie
maryan
evans
heidel
fincher
romano
elis
vargo
lim
rosseter
ed
philip
barberio
peg
walter
shannon
geideman
duncan
myers
illustrator
jenson
animator
amand
pangrazio
ordaz
krepela
craig
barron
bailey
fulmer
owyeung
marshall
casey
gallucci
jeff
ira
keeler
cochrane
affonso
butterfield
marchi
mcmahon
ottenberg
bovill
modelshop
keefer
garry
waller
kimberly
knowlton
windell
renee
holt
lessa
comstock
duca
annick
therrien
suki
margot
pipkin
armstrong
petrulli
darryl
studbaker
norwood
repola
stein
amundson
kimberlin
chrisoulis
gleason
ignaszewski
candib
ilm
warren
franklin
vermont
administrative
chrisse
kaysen
paula
karsh
ayers
sonja
paulson
dube
les
thaler
cooper
ned
gorman
fode
fritz
monahan
geoffrey
devalois
chostner
roberto
mcgrath
kerry
mordquist
jeffress
mackenzie
brenneis
reeves
duff
whiteman
machinists
udo
pampel
bonderson
hanks
bolles
wade
childress
cristi
tennler
moehnke
fitzsimmons
finley
hirsh
mcleod
stolz
childers
harold
cole
merlin
ohm
brakett
pyrotechnicians
thaine
morris
pier
steadicam
garret
ultra
productions
color
timers
schurmann
hagans
cutter
sunrise
pacific
monaco
labs
concepts
movie
margo
apostocos
linda
bowley
burroughs
debbie
carrington
balham
maureen
charlton
bobbie
coppen
sadie
corrie
bennett
sarah
cumming
betts
jean
dagostino
blackner
luis
jesus
lummiss
margarita
fernandez
maclean
fondacaro
mandell
sal
carole
friel
stacy
frishman
nunn
gavam
olaughlin
gilden
orenstien
harrell
pedrick
perkins
pam
grizz
phillips
andrew
katie
jackson
glynn
nicholas
dean
shackenford
josephine
staddon
kiran
shah
thompson
felix
silla
kendra
spriggs
wheeler
gerarld
butch
wilhelm
mime
ailsa
berk
crawford
andy
cunningham
graeme
hattrick
gerald
springer
performers
dirk
yohan
morc
boyle
cassidy
tracy
eddon
sandra
grossman
henson
horrigan
alf
leflore
skeaping
weaver
weston
yerkes
zormeier
bureau
management
buttercup
cameras
lenses
dunton
wesscam
europe
electic
gmc
truck
oldsmobile
cinemobileair
sprocket
marin
filmed
panavision
stereo
laboratories
soundtrack
rso
novalization
ballantine

In [14]:
import numpy as np

M = len(dic)
N = len(files)

X = np.zeros((M,N))

for t in tokens.keys():
    X[t[0],t[1]] = 1

In [15]:
%matplotlib inline
import matplotlib as mpl
import matplotlib.pyplot as plt
import numpy as np

In [16]:
plt.figure(figsize=(5,30))
plt.imshow(X[0:500], interpolation='nearest',cmap='gray_r')
plt.show()



In [17]:
U, S, V = np.linalg.svd(X, full_matrices=0)

In [18]:
plt.imshow(V[0:2,:], interpolation='nearest')
plt.show()



In [19]:
plt.figure(figsize=(15,8))
yy = V[0,:]
xx = V[1,:]
plt.plot(xx,yy,'o')
for i,f in enumerate(files):    
    plt.text(xx[i],yy[i], f.replace('.txt',''),)
    
plt.show()



In [106]:
A = np.random.randn(5,4)
U, S, V = np.linalg.svd(A, full_matrices=0)

print(A)
U.dot(np.diag(S).dot(V))


[[ 1.01834013  1.05454084 -0.12569335 -0.653327  ]
 [-0.45919089 -0.06093191  0.12748957 -2.08990518]
 [-0.00671268 -1.76737174 -0.66098001  1.15241306]
 [ 1.74487422  1.55593577 -1.21950539  0.64542144]
 [-0.99008952  1.15882457 -0.54206921 -0.35055043]]
Out[106]:
array([[ 1.01834013,  1.05454084, -0.12569335, -0.653327  ],
       [-0.45919089, -0.06093191,  0.12748957, -2.08990518],
       [-0.00671268, -1.76737174, -0.66098001,  1.15241306],
       [ 1.74487422,  1.55593577, -1.21950539,  0.64542144],
       [-0.99008952,  1.15882457, -0.54206921, -0.35055043]])

In [ ]:
import nltk
from utils import tokenizer
import nltk
from nltk import FreqDist
from nltk.stem.porter import PorterStemmer
from numpy import log, mean
import json, csv, re
import pprint as pp

tokens = nltk.word_tokenize(txt)