Python NLTK: Texts and Frequencies

(C) 2017-2019 by Damir Cavar <dcavar@iu.edu>

Version: 0.5, October 2019

Download: This and various other Jupyter notebooks are available from my GitHub repo.

This is a brief introduction to NLTK for simple frequency analysis of texts. I created this notebook for intro to corpus linguistics and natural language processing classes at Indiana University between 2017 and 2019.

For this to work, in the folder with the notebook we expect a subfolder data that contains a file HOPG.txt. This file contains the novel "A House of Pomegranates" by Oscar Wilde taken as raw text from Project Gutenberg.

Simple File Processing

Reading a text into memory in Python is faily simple. We open a file, read from it, and close the file again. The following code prints out the first 300 characters of the text in memory:


In [1]:
ifile = open("data/HOPG.txt", mode='r', encoding='utf-8')
text = ifile.read()
ifile.close()
print(text[:300], "...")


A HOUSE OF POMEGRANATES




Contents:

The Young King
The Birthday of the Infanta
The Fisherman and his Soul
The Star-child




THE YOUNG KING




[TO MARGARET LADY BROOKE--THE RANEE OF SARAWAK]


It was the night before the day fixed for his coronation, and the
young King was sitting alone in his b ...

The optional parameters in the open function above define the mode of operations on the file and the encoding of the content. For example, setting the mode to r declares that reading from the file is the only permitted operation that we will perform in the following code. Setting the encoding to utf-8 declares that all characters will be encoded using the Unicode encoding schema UTF-8 for the content of the file.

We can now import the NLTK module in Python to work with frequency profiles and n-grams using the tokens or words in the text.


In [3]:
import nltk

We can now lower the text, which means normalizing it to all characters lower case:


In [4]:
text = text.lower()
print(text[:300], "...")


a house of pomegranates




contents:

the young king
the birthday of the infanta
the fisherman and his soul
the star-child




the young king




[to margaret lady brooke--the ranee of sarawak]


it was the night before the day fixed for his coronation, and the
young king was sitting alone in his b ...

To generate a frequency profile from the text file, we can use the NLTK function FreqDist:


In [5]:
myFD = nltk.FreqDist(text)

In [6]:
print(myFD)


<FreqDist with 39 samples and 174018 outcomes>

We can remove certain characters from the distribution, or alternatively replace these characters in the text variable. The following loop removes them from the frequency profile in myFD, which is a dictionary data structure in Python.


In [7]:
for x in ":,.-[];!'\"\t\n/ ?":
    del myFD[x]

We can print out the frequency profile by looping through the returned data structure:


In [8]:
for x in myFD:
    print(x, myFD[x])


a 11231
h 10802
o 9408
u 3269
s 8093
e 17372
f 3089
p 1884
m 3271
g 2666
r 7603
n 8843
t 12521
c 2693
y 2168
k 1026
i 8307
b 1812
d 7249
l 5270
w 3665
x 48
v 1122
q 81
j 103
z 61

To relativize the frequencies, we need to compute the total number of characters. This is assuming that we removed all punctuation symbols. The frequency distribution instance myFD provides a method to access the values associated with the individual characters. This will return a list of values, that is the frequencies associated with the characters.


In [9]:
myFD.values()


Out[9]:
dict_values([11231, 10802, 9408, 3269, 8093, 17372, 3089, 1884, 3271, 2666, 7603, 8843, 12521, 2693, 2168, 1026, 8307, 1812, 7249, 5270, 3665, 48, 1122, 81, 103, 61])

The sum function can summarize these values in its list argument:


In [10]:
sum(myFD.values())


Out[10]:
133657

To avoid type problems when we compute the relative frequency of characters, we can convert the total number of characters into a float. This will guarantee that the division in the following relativisation step will be a float as well.


In [11]:
float(sum(myFD.values()))


Out[11]:
133657.0

We store the resulting number of characters in the total variable:


In [12]:
total = float(sum(myFD.values()))
print(total)


133657.0

We can now generate a probability distribution over characters. To convert the frequencies into relative frequencies we use list comprehension and divide every single list element by total. The resulting relative frequencies are stored in the variable relfreq:


In [13]:
relfrq = [ x/total for x in myFD.values() ]
print(relfrq)


[0.08402852076584093, 0.0808188123330615, 0.07038913038598801, 0.024458127894536014, 0.06055051362816762, 0.1299744869329702, 0.02311139708357961, 0.014095782488010355, 0.024473091570213306, 0.019946579677832064, 0.056884413087230745, 0.06616189200715264, 0.09368009157769515, 0.020148589299475522, 0.016220624434186013, 0.007676365622451499, 0.06215162692563801, 0.013557090163627793, 0.05423584249234982, 0.03942928540966803, 0.0274209356786401, 0.0003591282162550409, 0.008394622054961581, 0.0006060288649303815, 0.0007706292973806085, 0.0004563921081574478]

Let us compute the Entropy) for the character distribution using the relative frequencies. We will need the logarithm function from the Python math module for that:


In [14]:
from math import log

We can define the Entropy) function according to the equation $I = - \sum P(x) log_2( P(x) )$ as:


In [15]:
def entropy(p):
    return -sum( [ x * log(x, 2) for x in p ] )

In [16]:
entropy([1/8, 1/16, 1/4, 1/8, 1/16, 1/16, 1/4, 1/16])


Out[16]:
2.75

We can now compute the entropy of the character distribution:


In [17]:
print(entropy(relfrq))


4.124824125135032

We might be interested in the point-wise entropy of the characters in this distribution, thus needing the entropy of each single character. We can compute that in the following way:


In [18]:
entdist = [ -x * log(x, 2) for x in relfrq ]
print(entdist)


[0.3002319806578157, 0.29330480822209687, 0.2694850339615855, 0.13093762006835424, 0.24497024185626542, 0.38260584969385675, 0.12561626066788154, 0.08666922421352652, 0.13099613411450642, 0.11265259339509692, 0.2352638524022937, 0.2592127456210649, 0.32002184459468397, 0.11350057702872672, 0.09644826809662171, 0.053929238563860095, 0.24910770047189124, 0.08411915007238721, 0.2280405439219216, 0.18392139623527803, 0.1422756742696596, 0.004109580806277946, 0.05789199083219161, 0.006477433994507777, 0.007969598004767611, 0.005064783367910896]

We could now compute the variance over this point-wise entropy distribution or other properties of the frequency distribution as for example median, mode, or standard deviation.

From Characters to Words/Tokens

We see that the frequency profile is for the characters in the text, not the words or tokens. In order to generate a frequency profile over words/tokens in the text, we need to utilize a tokenizer. NLTK provides basic tokenization functions. We will use the word_tokenize function to generate a list of tokens:


In [19]:
tokens = nltk.word_tokenize(text)

We can print out the first 20 tokens to verify our data structure is a list with lower-case strings:


In [20]:
tokens[:20]


Out[20]:
['a',
 'house',
 'of',
 'pomegranates',
 'contents',
 ':',
 'the',
 'young',
 'king',
 'the',
 'birthday',
 'of',
 'the',
 'infanta',
 'the',
 'fisherman',
 'and',
 'his',
 'soul',
 'the']

We can now generate a frequency profile from the token list, as we did with the characters above:


In [21]:
myTokenFD = nltk.FreqDist(tokens)
print(myTokenFD)


<FreqDist with 4009 samples and 38127 outcomes>

The frequency profile can be printed out in the same way as above by looping over the tokens and their frequencies. Note that we restrict the loop to the first 20 tokens here just to keep the notebook smaller. You can remove the [:20] selector in your own experiments.


In [22]:
for token in list(myTokenFD.items()):
    print(token[0], token[1])


a 673
house 26
of 1108
pomegranates 6
contents 1
: 33
the 2552
young 112
king 70
birthday 8
infanta 37
fisherman 76
and 2118
his 483
soul 99
star-child 42
[ 4
to 697
margaret 1
lady 4
brooke 1
-- 26
ranee 1
sarawak 1
] 4
it 353
was 356
night 14
before 53
day 46
fixed 2
for 267
coronation 4
, 2675
sitting 2
alone 10
in 472
beautiful 25
chamber 10
. 1341
courtiers 3
had 235
all 82
taken 5
their 176
leave 10
him 372
bowing 2
heads 7
ground 16
according 1
ceremonious 1
usage 1
retired 3
great 83
hall 4
palace 25
receive 3
few 9
last 14
lessons 1
from 184
professor 1
etiquette 2
; 60
there 97
being 11
some 52
them 154
who 132
still 14
quite 21
natural 4
manners 1
which 59
courtier 1
is 242
i 376
need 13
hardly 4
say 11
very 16
grave 7
offence 1
lad 5
he 645
only 30
but 212
sixteen 1
years 16
age 4
not 208
sorry 1
at 203
departure 1
flung 12
himself 42
back 42
with 391
deep 13
sigh 1
relief 1
on 209
soft 5
cushions 1
embroidered 7
couch 8
lying 15
wild-eyed 1
open-mouthed 1
like 60
brown 6
woodland 4
faun 2
or 40
animal 3
forest 33
newly 1
snared 5
by 101
hunters 2
indeed 22
found 16
coming 12
upon 80
almost 7
chance 1
as 207
bare-limbed 1
pipe 5
hand 53
following 4
flock 1
poor 16
goatherd 4
brought 18
up 88
whose 15
son 15
always 10
fancied 1
be 98
child 27
old 21
's 64
daughter 6
secret 6
marriage 4
one 78
much 25
beneath 9
her 272
station 1
stranger 1
said 171
wonderful 11
magic 2
lute-playing 1
made 57
princess 8
love 41
while 13
others 12
spoke 5
an 47
artist 1
rimini 1
whom 18
shown 6
perhaps 5
too 18
honour 3
suddenly 5
disappeared 3
city 58
leaving 1
work 6
cathedral 6
unfinished 1
been 60
when 144
week 1
stolen 2
away 61
mother 27
side 27
she 204
slept 2
given 17
into 92
charge 1
common 1
peasant 1
wife 8
were 130
without 8
children 33
own 27
lived 4
remote 2
part 7
more 31
than 51
ride 4
town 5
grief 3
plague 3
court 11
physician 2
stated 1
suggested 1
swift 1
italian 3
poison 2
administered 1
cup 12
spiced 1
wine 10
slew 1
within 7
hour 4
wakening 1
white 56
girl 2
birth 3
trusty 1
messenger 1
bare 8
across 18
saddle-bow 1
stooped 2
weary 7
horse 6
knocked 6
rude 2
door 18
hut 2
body 24
lowered 1
open 9
that 399
dug 3
deserted 1
churchyard 1
beyond 3
gates 7
where 30
another 17
also 22
man 39
marvellous 12
foreign 2
beauty 14
hands 37
tied 3
behind 19
knotted 1
cord 4
breast 7
stabbed 2
many 23
red 34
wounds 3
such 14
least 2
story 1
men 18
whispered 7
each 33
other 32
certain 3
deathbed 1
whether 1
moved 13
remorse 1
sin 6
merely 2
desiring 2
kingdom 1
should 29
pass 4
line 1
sent 8
presence 3
council 1
acknowledged 2
heir 1
seems 1
first 8
moment 4
recognition 1
signs 4
strange 22
passion 3
destined 1
have 118
so 123
influence 1
over 64
life 10
those 18
accompanied 3
suite 1
rooms 2
set 36
apart 1
service 5
often 9
cry 17
pleasure 12
broke 5
lips 29
saw 59
delicate 5
raiment 13
rich 11
jewels 3
prepared 2
fierce 3
joy 18
aside 7
rough 6
leathern 3
tunic 4
coarse 4
sheepskin 2
cloak 15
missed 2
times 7
fine 13
freedom 4
apt 1
chafe 1
tedious 1
ceremonies 2
occupied 3
joyeuse 1
they 226
called 32
now 22
lord 16
seemed 27
new 5
world 43
fresh-fashioned 1
delight 6
soon 4
could 37
escape 3
council-board 1
audience-chamber 1
would 64
run 5
down 76
staircase 2
its 55
lions 3
gilt 9
bronze 6
steps 7
bright 15
porphyry 3
wander 5
room 16
corridor 4
seeking 8
find 19
anodyne 1
pain 12
sort 2
restoration 1
sickness 1
these 16
journeys 1
discovery 1
call 15
real 8
voyages 1
through 80
land 7
sometimes 7
slim 3
fair-haired 1
pages 4
floating 2
mantles 1
gay 4
fluttering 3
ribands 2
feeling 2
quick 2
instinct 1
divination 1
secrets 1
art 35
are 66
best 6
learned 3
wisdom 9
loves 4
lonely 4
worshipper 1
curious 10
stories 1
related 1
about 25
this 98
period 1
stout 1
burgo-master 1
come 50
deliver 1
florid 2
oratorical 1
address 2
behalf 1
citizens 2
caught 11
sight 7
kneeling 2
adoration 1
picture 4
just 15
venice 1
herald 1
worship 4
gods 2
occasion 7
several 3
hours 4
after 40
lengthened 1
search 3
discovered 3
little 118
northern 1
turrets 1
gazing 1
trance 1
greek 1
gem 1
carved 10
figure 4
adonis 1
seen 21
tale 3
ran 30
pressing 2
warm 3
marble 5
brow 2
antique 1
statue 2
bed 8
river 8
building 1
stone 7
bridge 1
inscribed 1
name 12
bithynian 1
slave 12
hadrian 1
passed 29
whole 17
noting 1
effect 2
moonlight 2
silver 39
image 5
endymion 1
rare 1
costly 1
materials 1
certainly 11
fascination 1
eagerness 1
procure 1
merchants 12
traffic 3
amber 11
fisher-folk 1
north 2
seas 2
egypt 3
look 21
green 24
turquoise 2
tombs 2
kings 8
possess 4
magical 2
properties 1
persia 1
silken 3
carpets 6
painted 16
pottery 1
india 2
buy 5
gauze 4
stained 3
ivory 13
moonstones 2
bracelets 2
jade 5
sandal-wood 1
blue 15
enamel 3
shawls 1
wool 2
what 63
most 11
robe 16
wear 5
tissued 3
gold 75
ruby-studded 1
crown 15
sceptre 10
rows 3
rings 4
pearls 11
thinking 2
to-night 5
lay 23
luxurious 1
watching 6
pinewood 1
log 1
burning 3
itself 3
out 115
hearth 2
designs 1
famous 3
artists 2
time 19
submitted 1
months 2
orders 3
artificers 1
toil 5
carry 4
searched 3
worthy 2
fancy 3
standing 6
high 11
altar 9
fair 12
smile 8
played 5
lingered 1
boyish 1
lit 5
lustre 1
dark 4
eyes 45
rose 47
seat 1
leaning 3
against 9
penthouse 1
chimney 1
looked 39
round 54
dimly-lit 1
walls 11
hung 14
tapestries 1
representing 2
triumph 1
large 7
press 2
inlaid 4
agate 2
lapis- 1
lazuli 1
filled 18
corner 7
facing 2
window 9
stood 44
curiously 5
wrought 11
cabinet 2
lacquer 3
panels 1
powdered 4
mosaiced 1
placed 9
goblets 1
venetian 1
glass 4
dark-veined 1
onyx 3
pale 16
poppies 3
broidered 5
silk 8
coverlet 1
though 22
fallen 4
tired 4
sleep 7
tall 6
reeds 3
fluted 1
velvet 7
canopy 4
tufts 1
ostrich 2
plumes 3
sprang 2
foam 7
pallid 3
fretted 1
ceiling 3
laughing 9
narcissus 2
held 17
polished 6
mirror 13
above 6
head 34
table 4
flat 5
bowl 5
amethyst 1
outside 4
see 24
huge 13
dome 2
looming 1
bubble 1
shadowy 2
houses 3
sentinels 1
pacing 1
misty 1
terrace 7
far 6
orchard 3
nightingale 3
singing 6
faint 2
perfume 2
jasmine 1
came 95
brushed 4
curls 3
forehead 6
taking 6
lute 3
let 32
fingers 7
stray 1
cords 2
heavy 15
eyelids 4
drooped 3
languor 1
never 21
felt 9
keenly 1
exquisite 1
mystery 1
things 35
midnight 2
sounded 1
clock-tower 1
touched 14
bell 2
entered 18
disrobed 1
ceremony 2
pouring 1
rose-water 2
strewing 1
flowers 16
pillow 1
moments 5
left 14
fell 21
asleep 11
dreamed 3
dream 7
thought 17
long 31
low 7
attic 1
amidst 2
whir 1
clatter 1
looms 1
meagre 1
daylight 1
peered 6
grated 2
windows 6
showed 7
gaunt 2
figures 4
weavers 2
bending 2
cases 1
sickly-looking 1
crouched 3
crossbeams 1
shuttles 2
dashed 2
warp 1
lifted 2
battens 2
stopped 9
fall 3
pressed 4
threads 3
together 8
faces 6
pinched 1
famine 4
thin 10
shook 5
trembled 10
haggard 2
women 5
seated 6
sewing 1
horrible 4
odour 6
place 27
air 18
foul 9
dripped 2
streamed 1
damp 1
went 65
watched 13
weaver 5
angrily 3
'why 14
thou 164
me 236
? 159
spy 1
us 62
our 25
master 20
' 464
'who 6
thy 76
asked 19
'our 3
! 58
cried 65
bitterly 5
'he 12
myself 5
difference 2
between 6
wears 1
clothes 1
go 47
rags 3
am 33
weak 2
hunger 4
suffers 2
overfeeding 1
'the 15
free 6
'and 35
no 80
man's 2
'in 6
war 4
answered 82
strong 3
make 24
slaves 9
peace 11
we 73
must 19
live 8
give 31
mean 2
wages 1
die 8
heap 1
coffers 2
fade 1
become 1
hard 13
evil 31
tread 1
grapes 2
drinks 1
sow 1
corn 7
board 3
empty 6
chains 2
eye 2
beholds 1
'is 6
'it 18
'with 2
well 9
stricken 1
grind 1
needs 2
do 41
bidding 6
priest 23
rides 1
tells 1
beads 3
has 30
care 7
sunless 1
lanes 1
creeps 1
poverty 2
hungry 1
sodden 1
face 40
follows 1
close 12
misery 4
wakes 1
morning 16
shame 5
sits 2
thee 152
happy 5
turned 13
scowling 1
threw 13
shuttle 1
loom 2
threaded 1
thread 2
terror 8
seized 9
'what 22
weaving 1
gave 23
loud 4
woke 4
lo 14
honey-coloured 1
moon 24
hanging 3
dusky 2
again 36
deck 3
galley 7
rowed 1
hundred 6
carpet 5
black 30
ebony 3
turban 3
crimson 2
earrings 4
dragged 2
thick 5
lobes 1
ears 11
pair 3
scales 2
naked 5
ragged 2
loin-cloth 1
chained 1
neighbour 1
hot 6
sun 12
beat 12
brightly 4
negroes 11
gangway 1
lashed 1
whips 1
hide 8
stretched 5
lean 2
arms 22
pulled 1
oars 2
water 29
salt 5
spray 5
flew 8
blades 1
reached 15
bay 8
began 16
take 17
soundings 1
light 4
wind 15
blew 8
shore 17
covered 11
lateen 1
sail 4
dust 6
three 20
arabs 1
mounted 2
wild 20
asses 1
rode 5
spears 3
took 37
bow 4
shot 4
throat 3
heavily 3
surf 5
companions 7
galloped 4
woman 11
wrapped 4
yellow 27
veil 5
followed 13
slowly 7
camel 3
looking 6
then 25
dead 14
cast 4
anchor 2
hauled 1
hold 3
rope-ladder 1
weighted 1
lead 5
making 8
ends 1
fast 3
two 22
iron 4
stanchions 1
youngest 2
gyves 1
off 12
nostrils 8
wax 5
big 6
waist 3
crept 9
wearily 2
ladder 2
sea 41
bubbles 2
sank 5
prow 1
sat 17
shark-charmer 1
beating 4
monotonously 1
drum 1
diver 2
clung 2
panting 2
pearl 11
right 6
thrust 5
did 51
weighed 2
put 30
bag 1
leather 6
tried 6
speak 15
tongue 1
cleave 1
roof 4
mouth 4
refused 1
move 4
chattered 4
quarrel 1
string 1
cranes 1
vessel 2
fairer 5
ormuz 1
shaped 3
full 13
whiter 5
star 8
strangely 5
blood 5
gushed 1
quivered 1
shrugged 3
shoulders 6
overboard 1
laughed 30
reaching 1
bowed 10
shall 38
'for 8
sign 5
draw 3
heard 16
grey 8
dawn 9
clutching 1
fading 1
stars 7
wandering 3
dim 8
wood 15
fruits 2
poisonous 2
adders 1
hissed 1
parrots 2
screaming 3
branch 2
tortoises 2
mud 1
trees 12
apes 5
peacocks 7
till 17
outskirts 3
immense 2
multitude 4
toiling 1
dried-up 1
swarmed 1
crag 3
ants 1
pits 1
cleft 4
rocks 4
axes 1
grabbled 2
sand 9
tore 2
cactus 2
roots 3
trampled 4
scarlet 5
blossoms 4
hurried 4
calling 5
idle 2
darkness 1
cavern 3
death 15
avarice 8
third 14
'they 3
my 103
servants 6
hast 38
grains 1
'give 5
'to 1
plant 2
garden 18
will 93
anything 8
hid 8
fold 2
dipped 1
pool 4
ague 1
cold 16
mist 1
water-snakes 1
wept 9
barren 3
bosom 1
aloud 3
'thou 23
slain 5
'get 3
gone 15
mountains 4
tartary 2
afghans 1
ox 1
marching 1
battle 2
beaten 2
shields 3
helmets 1
valley 10
shouldst 9
tarry 8
get 15
here 16
'nay 24
'but 17
grain 2
shut 2
clenched 4
teeth 3
muttered 5
thicket 2
hemlock 3
fever 1
flame 1
died 7
grass 11
withered 3
feet 33
walked 8
shuddered 3
ashes 2
cruel 12
walled 2
cities 4
cisterns 1
samarcand 1
dry 6
locusts 1
desert 1
nile 2
overflowed 1
banks 2
priests 7
cursed 2
isis 1
osiris 1
whistled 3
flying 4
written 2
crowd 5
vultures 1
wheeled 2
wings 10
alive 1
fled 5
shrieking 1
leaped 1
galloping 3
faster 3
slime 1
bottom 4
dragons 3
jackals 2
trotting 1
along 4
sniffing 1
rubies 5
started 5
turning 2
habited 1
pilgrim 2
holding 2
grew 20
'look 2
shalt 14
seeing 8
sunlight 9
streaming 3
pleasaunce 1
birds 16
chamberlain 6
officers 3
state 4
obeisance 3
aught 4
ever 13
remembered 5
dreams 7
lords 1
'take 3
amazed 1
jesting 1
spake 13
sternly 1
sorrow 10
woven 2
heart 31
ruby 2
told 15
saying 10
'surely 9
mad 8
vision 2
heed 4
lives 3
eat 5
bread 11
sower 1
nor 47
drink 7
talked 1
vinedresser 1
'my 10
pray 11
thoughts 1
thine 15
how 17
people 24
know 22
if 30
king's 1
questioned 1
'will 1
kinglike 1
may 35
sayest 4
yet 19
crowned 2
even 36
forth 17
bade 8
save 8
page 4
kept 8
companion 3
year 14
younger 4
bathed 1
clear 6
opened 16
chest 4
worn 1
hillside 1
shaggy 2
goats 1
shepherd 1
staff 2
wonder 11
smiling 6
plucked 3
briar 1
climbing 1
balcony 2
bent 3
circlet 1
'this 5
thus 1
attired 2
nobles 6
waiting 5
merry 8
wait 3
showest 1
beggar 8
wroth 4
brings 3
unworthy 2
word 9
towards 14
running 6
beside 6
fool 1
riding 1
mocked 11
drew 11
rein 1
'sir 1
knowest 7
luxury 1
cometh 5
your 3
pomp 1
nurtured 1
vices 1
bitter 17
thinkest 1
ravens 1
feed 5
cure 2
wilt 12
buyer 1
`` 20
'' 40
seller 2
sell 11
price 18
trow 2
therefore 15
purple 13
linen 4
suffer 14
'are 2
brothers 1
'ay 1
brother 5
cain 1
tears 10
murmurs 1
afraid 9
portal 1
soldiers 7
halberts 3
dost 7
seek 6
none 12
enters 1
flushed 1
anger 3
waved 2
bishop 5
dress 6
throne 6
meet 19
apparel 1
surely 14
abasement 1
'shall 1
fashioned 3
knit 1
brows 2
winter 6
days 9
done 12
wide 3
robbers 4
moors 1
lie 3
caravans 1
leap 2
camels 5
boar 3
foxes 1
gnaw 1
vines 1
hill 4
pirates 1
waste 1
sea-coast 1
burn 1
ships 3
fishermen 1
nets 7
salt-marshes 1
lepers 2
wattled 4
nigh 2
beggars 2
food 3
dogs 1
canst 6
leper 12
bedfellow 1
lion 4
obey 1
wiser 2
wherefore 9
praise 3
bid 6
glad 7
beseemeth 1
think 3
burden 2
bear 5
'sayest 1
strode 2
past 3
climbed 2
christ 3
vessels 3
chalice 1
vial 1
holy 6
oil 3
knelt 8
candles 3
burned 4
jewelled 3
shrine 3
smoke 3
incense 1
curled 4
wreaths 2
prayer 2
stiff 3
copes 1
tumult 1
street 6
drawn 4
swords 3
nodding 2
steel 2
'where 4
dreamer 1
apparelled 1
boy 8
slay 13
rule 2
prayed 6
finished 5
sadly 2
sun-beams 1
wove 1
blossomed 2
lilies 3
thorn 1
roses 4
redder 2
stems 1
male 1
leaves 13
crystal 5
many-rayed 1
monstrance 2
shone 1
mystical 1
glory 1
god 36
saints 1
carven 1
niches 2
organ 1
pealed 1
music 3
trumpeters 1
trumpets 1
boys 7
sang 9
knees 6
awe 2
sheathed 1
homage 3
greater 4
hath 2
home 5
midst 2
dared 1
angel 1
mrs. 2
william 1
h. 1
grenfell 1
taplow 1
desborough 1
twelve 2
shining 2
gardens 2
although 2
spain 9
every 20
naturally 1
matter 7
importance 1
country 7
really 9
striped 1
tulips 4
straight 2
stalks 1
defiantly 1
'we 3
splendid 5
you 9
butterflies 2
fluttered 2
visiting 2
flower 10
turn 4
lizards 5
crevices 1
wall 6
basking 1
glare 2
split 2
cracked 1
heat 2
bleeding 2
hearts 2
lemons 2
profusion 1
mouldering 1
trellis 1
arcades 1
richer 3
colour 3
magnolia 1
globe-like 1
folded 1
sweet 13
herself 8
vases 1
moss-grown 1
statues 2
ordinary 1
allowed 3
play 10
rank 2
exception 1
invite 1
any 30
friends 1
liked 3
amuse 2
themselves 16
stately 3
grace 4
spanish 5
glided 1
large-plumed 1
hats 3
short 4
cloaks 2
girls 1
trains 1
brocaded 1
gowns 1
shielding 1
fans 3
graceful 1
tastefully 1
somewhat 1
cumbrous 1
fashion 3
satin 1
skirt 1
puffed 1
sleeves 1
corset 1
studded 4
tiny 5
slippers 1
pink 4
rosettes 1
peeped 1
fan 5
hair 21
aureole 1
faded 1
stiffly 1
sad 5
melancholy 2
don 8
pedro 8
aragon 2
hated 1
confessor 1
grand 5
inquisitor 4
granada 2
sadder 1
usual 2
childish 2
gravity 3
assembling 1
counters 1
grim 1
duchess 2
albuquerque 1
queen 9
france 2
sombre 1
splendour 1
dying 1
six 3
almonds 1
blossom 2
twice 4
second 9
fruit 3
gnarled 2
fig-tree 1
centre 6
grass- 1
grown 1
courtyard 1
suffered 4
embalmed 1
moorish 3
return 10
granted 1
heresy 1
suspicion 1
practices 1
already 5
forfeited 1
office 2
tapestried 1
bier 1
chapel 4
monks 4
borne 1
windy 1
march 1
nearly 2
once 17
month 2
muffled 1
lantern 3
'mi 2
reina 2
mi 1
breaking 1
formal 1
governs 1
separate 2
action 1
sets 1
limits 1
clutch 1
agony 2
try 2
wake 3
kisses 2
to-day 5
castle 2
fontainebleau 1
fifteen 1
formally 2
betrothed 1
papal 2
nuncio 2
french 3
returned 8
escurial 1
bearing 3
ringlet 1
memory 1
kiss 4
stepped 2
carriage 1
later 1
hastily 3
performed 3
burgos 1
small 3
frontier 1
countries 1
public 3
entry 1
madrid 3
customary 1
celebration 1
mass 1
church 3
la 1
atocha 1
usually 2
solemn 2
auto-da-fe 1
heretics 1
amongst 2
englishmen 1
delivered 1
secular 1
arm 1
loved 8
madly 4
ruin 1
england 3
possession 1
empire 1
permitted 1
forgotten 5
affairs 1
terrible 6
blindness 1
failed 1
notice 1
elaborate 2
sought 13
please 1
aggravate 1
malady 1
bereft 1
reason 5
doubt 1
abdicated 1
trappist 1
monastery 1
titular 1
prior 1
mercy 5
cruelty 2
notorious 1
suspected 1
having 11
caused 1
means 1
poisoned 3
gloves 1
presented 1
expiration 1
mourning 3
ordained 1
throughout 1
dominions 2
royal 3
edict 1
ministers 2
alliance 1
emperor 17
offered 1
lovely 4
archduchess 1
bohemia 1
niece 1
ambassadors 2
tell 26
wedded 1
bride 2
better 13
answer 12
cost 1
provinces 1
netherlands 2
instigation 1
revolted 1
under 9
leadership 1
fanatics 1
reformed 1
married 2
fiery-coloured 1
joys 2
sudden 1
ending 2
playing 1
pretty 13
petulance 1
manner 7
same 11
wilful 1
way 17
tossing 1
proud 6
curved 3
vrai 1
sourire 1
de 4
glanced 2
gentlemen 1
shrill 2
laughter 4
pitiless 1
dull 3
spices 2
embalmers 1
use 5
taint 1
buried 1
curtains 4
moue 1
disappointment 1
might 16
stayed 2
stupid 1
state-affairs 1
gloomy 1
enter 11
silly 2
everybody 2
besides 2
miss 2
sham 1
bull-fight 3
trumpet 1
sounding 2
nothing 9
puppet-show 1
uncle 3
sensible 1
paid 4
nice 1
compliments 1
tossed 4
pavilion 5
erected 1
end 6
strict 1
order 3
precedence 1
longest 1
names 1
going 4
procession 2
noble 2
fantastically 1
dressed 2
toreadors 1
count 3
tierra-nueva 3
wonderfully 1
handsome 2
fourteen 1
uncovering 1
born 3
hidalgo 1
grandee 1
led 13
solemnly 2
chair 2
raised 4
dais 1
arena 8
grouped 1
whispering 1
entrance 7
camerera-mayor 1
hard-featured 1
ruff 1
bad-tempered 1
something 3
chill 1
flitted 1
wrinkled 1
twitched 2
bloodless 1
nicer 1
seville 2
visit 1
duke 1
parma 1
father 6
pranced 1
richly- 1
caparisoned 1
hobby-horses 2
brandishing 1
javelins 1
streamers 1
attached 1
foot 4
waving 4
bull 5
vaulting 1
lightly 1
barrier 1
charged 1
wicker- 1
insisted 1
hind 2
legs 5
doing 3
fight 1
got 2
excited 1
benches 1
lace 2
handkerchiefs 1
bravo 2
toro 2
sensibly 1
grown-up 1
however 5
prolonged 1
combat 1
during 3
gored 1
riders 1
dismounted 1
obtained 1
permission 1
coup 1
plunged 4
wooden 3
sword 5
neck 9
violence 2
disclosed 1
monsieur 1
lorraine 1
ambassador 1
cleared 1
applause 1
hobbyhorses 1
liveries 1
interlude 1
posture-master 1
tightrope 1
puppets 2
appeared 2
semi-classical 1
tragedy 1
sophonisba 1
stage 1
theatre 1
built 4
purpose 3
acted 1
gestures 4
extremely 4
comforted 1
sweetmeats 1
affected 2
help 5
intolerable 1
simply 1
coloured 5
worked 2
mechanically 1
wires 1
unhappy 1
misfortunes 1
african 1
juggler 2
basket 1
cloth 5
reed 6
shriller 2
snakes 1
wedge-shaped 1
swaying 1
fro 3
sways 1
rather 3
frightened 1
spotted 2
hoods 1
darting 1
tongues 1
pleased 3
orange-tree 1
grow 3
clusters 2
marquess 1
las-torres 1
changed 1
bird 5
amazement 1
knew 17
bounds 1
minuet 1
dancing 4
nuestra 1
senora 1
del 1
pilar 2
charming 2
takes 1
maytime 1
front 9
virgin 1
family 1
saragossa 1
since 1
supposed 1
pay 5
elizabeth 1
administer 1
wafer 2
prince 2
asturias 1
known 3
hearsay 1
dance 32
wore 4
old-fashioned 1
dresses 2
three-cornered 1
fringed 3
surmounted 1
feathers 3
dazzling 1
whiteness 1
costumes 1
accentuated 1
swarthy 2
fascinated 2
dignity 2
intricate 1
slow 2
bows 3
performance 2
doffed 2
plumed 2
reverence 2
courtesy 1
vow 1
send 19
candle 1
troop 1
egyptians 1
gipsies 3
termed 1
advanced 1
cross-legs 1
circle 3
softly 1
zithers 3
moving 1
bodies 2
tune 1
humming 1
below 3
breath 5
dreamy 1
scowled 2
terrified 1
weeks 1
tribe 1
hanged 1
sorcery 1
market- 1
charmed 1
leaned 5
peeping 1
sure 1
anybody 1
gently 1
touching 2
pointed 3
nails 2
nod 1
falling 2
startled 2
clutched 2
pommel 2
dagger 4
leapt 6
whirled 3
enclosure 1
tambourines 1
chaunting 1
love-song 1
guttural 1
language 1
signal 1
strumming 1
sound 8
silence 3
leading 1
chain 7
carrying 6
barbary 2
utmost 1
wizened 1
kinds 4
amusing 2
tricks 2
gipsy 1
masters 1
fought 2
fired 1
guns 1
regular 1
soldier 1
drill 1
bodyguard 1
fact 1
success 1
funniest 2
entertainment 1
undoubtedly 1
dwarf 21
stumbled 1
waddling 1
crooked 3
wagging 1
misshapen 3
shout 1
camerera 3
obliged 1
remind 1
precedents 1
weeping 16
equals 1
inferiors 1
irresistible 1
noted 1
cultivated 1
fantastic 2
monster 12
appearance 3
happened 2
hunting 4
cork-wood 1
surrounded 1
carried 2
surprise 1
charcoal- 3
burner 1
rid 4
ugly 8
useless 1
thing 27
complete 1
unconsciousness 1
grotesque 4
highest 1
spirits 1
freely 1
joyously 1
nature 2
humourous 1
mood 1
mock 4
absolutely 1
keep 7
remembering 1
ladies 1
throw 3
bouquets 1
caffarelli 1
treble 1
pope 1
sweetness 1
voice 9
partly 2
jest 2
tease 1
sweetest 1
seriously 1
knee 1
grinning 1
ear 4
sparkling 1
upset 1
expressed 1
desire 10
immediately 1
repeated 2
plea 1
decided 1
highness 1
delay 1
feast 3
including 1
cake 1
initials 1
sugar 1
flag 1
top 6
accordingly 1
siesta 1
conveyed 1
thanks 2
reception 2
apartments 1
express 1
command 2
kissing 1
absurd 3
ecstasy 1
uncouth 1
clumsy 1
indignant 1
daring 1
intrude 1
capering 1
walks 3
ridiculous 2
restrain 1
feelings 1
longer 5
poppy-juice 1
thousand 1
angry 1
perfect 1
horror 3
screamed 3
twisted 3
stumpy 1
completely 1
proportion 1
makes 3
feel 1
prickly 3
comes 4
near 7
sting 2
thorns 3
actually 1
blooms 1
exclaimed 1
rose-tree 1
present 2
'thief 1
thief 2
geraniums 1
airs 1
relations 1
disgust 1
violets 3
meekly 1
remarked 1
plain 4
retorted 1
good 12
deal 4
justice 3
chief 4
defect 1
why 9
admire 1
person 2
because 2
incurable 1
ugliness 2
ostentatious 1
taste 1
pensive 1
instead 1
jumping 1
merrily 1
throwing 1
attitudes 1
sundial 1
remarkable 1
individual 1
less 3
charles 2
v. 2
aback 1
forgot 2
mark 2
minutes 1
finger 4
milk-white 1
peacock 2
sunning 1
balustrade 1
charcoal-burners 2
burners 2
pretend 1
n't 4
statement 1
entirely 1
agreed 1
'certainly 2
harsh 4
gold-fish 1
basin 1
cool 3
splashing 1
fountain 2
tritons 4
earth 7
somehow 1
elf 1
eddying 1
hollow 1
oak-tree 2
sharing 1
nuts 1
squirrels 2
mind 3
bit 2
sweetly 3
orange 1
groves 1
listen 3
kind 6
terribly 3
berries 4
wolves 2
crumbs 1
hunch 1
divided 2
whatever 4
breakfast 1
cheek 2
showing 1
telling 1
understand 1
single 1
wise 8
understanding 1
easier 1
rest 8
romped 1
'every 1
can 25
lizard 1
'that 4
expect 1
sounds 1
provided 1
course 4
shuts 1
does 2
philosophical 1
else 1
weather 3
rainy 1
excessively 1
annoyed 1
behaviour 2
shows 1
vulgarising 1
incessant 1
rushing 2
well-bred 1
stay 2
exactly 2
hopping 1
dragon-flies 1
want 2
change 1
gardener 1
carries 1
dignified 1
sense 1
repose 1
permanent 1
mere 2
vagrants 1
treated 2
noses 2
haughty 1
delighted 1
scramble 1
indoors 1
hunched 1
titter 1
immensely 1
except 1
wished 1
smiled 10
playmate 2
taught 2
delightful 2
cages 1
rushes 2
grasshoppers 1
sing 4
jointed 2
bamboo 3
pan 1
hear 4
starlings 1
tree-top 1
heron 1
trail 1
track 1
hare 14
footprints 1
wild- 1
dances 10
autumn 2
sandals 3
snow-wreaths 1
blossom-dance 1
orchards 1
spring 4
wood-pigeons 1
nests 1
fowler 1
parent 1
ones 1
dovecot 1
pollard 1
elm 1
tame 1
used 3
rabbits 2
scurried 1
fern 1
jays 1
steely 1
bills 1
hedgehogs 1
curl 1
balls 1
crawled 3
shaking 1
nibbling 1
yes 3
watch 2
horned 3
cattle 2
harm 4
creep 1
tap 2
shutters 2
mule 1
reading 3
book 2
caps 1
jerkins 1
tanned 2
deerskin 1
falconers 1
hooded 2
hawks 2
wrists 2
vintage-time 1
grape-treaders 1
wreathed 1
glossy 1
ivy 1
dripping 1
skins 3
braziers 1
logs 2
charring 1
fire 3
roasting 1
chestnuts 1
caves 3
winding 1
dusty 2
road 5
toledo 1
banners 1
crosses 1
armour 3
matchlocks 1
pikes 1
barefooted 1
lighted 2
bank 1
moss 1
necklace 1
bryony 1
bring 12
acorn-cups 1
dew-drenched 1
anemones 2
glow-worms 1
closed 6
wandered 7
gain 1
private 1
slipped 3
feared 1
gilding 1
everywhere 1
floor 7
stones 7
fitted 1
geometrical 1
pattern 1
jasper 3
pedestals 1
blank 1
richly 1
curtain 2
suns 1
favourite 1
devices 1
hiding 1
rate 1
stole 3
quietly 1
prettier 1
many-figured 1
arras 1
needle-wrought 1
tapestry 1
hunt 2
flemish 1
spent 1
seven 4
composition 1
jean 1
le 1
fou 1
enamoured 2
chase 2
delirium 1
mount 1
rearing 1
horses 5
drag 1
stag 1
hounds 1
leaping 2
horn 5
stabbing 1
deer 1
council-room 1
portfolios 1
stamped 3
emblems 1
hapsburg 1
half- 1
silent 2
horsemen 1
swiftly 6
glades 1
noise 1
phantoms 1
speaking 1
comprachos 1
courage 1
wanted 2
either 4
throne-room 1
late 1
consented 1
personal 1
audience 1
envoys 1
arrangements 1
catholic 1
sovereigns 1
europe 1
eldest 1
hangings 2
cordovan 1
chandelier 1
branches 4
lights 2
underneath 1
towers 2
castile 1
seed 1
pall 1
elaborately 1
step 2
kneeling-stool 1
cushion 2
tissue 5
limit 1
ceremonial 1
cardinal 1
hat 2
tangled 1
tassels 1
tabouret 1
life-sized 1
portrait 1
mastiff 1
philip 1
ii 1
receiving 1
plates 2
holbein's 1
graved 2
cared 1
magnificence 1
petal 3
ask 3
tremulous 1
scented 2
hyacinths 1
early 2
flooded 1
glens 1
grassy 1
knolls 1
primroses 1
nestled 1
clumps 1
oak-trees 1
celandine 1
speedwell 1
irises 1
lilac 2
catkins 1
hazels 1
foxgloves 1
weight 1
dappled 1
bee-haunted 1
cells 1
chestnut 1
spires 1
hawthorn 1
moons 1
next 3
brightest 1
pink-flowered 1
lucca 1
damask 1
patterned 1
dotted 1
dainty 2
furniture 1
massive 1
festooned 2
swinging 1
cupids 1
fire-places 1
screens 1
sea-green 1
stretch 2
distance 1
shadow 10
doorway 2
extreme 1
plainly 1
beheld 2
properly 1
hunchbacked 2
crooked-limbed 1
lolling 1
mane 1
frowned 8
sides 2
mocking 3
copying 1
stopping 1
shouted 1
amusement 1
forward 2
ice 2
quickly 3
smooth 3
imitated 1
struck 8
blow 4
loathed 1
hideous 1
retreated 1
everything 5
double 1
invisible 1
sleeping 3
alcove 1
twin 1
slumbered 1
venus 2
echo 1
mimic 1
shadows 2
movement 1
kissed 14
truth 8
dawned 1
despair 1
sobbing 2
limbs 2
loathsome 2
killed 1
poured 2
cheeks 2
pieces 6
sprawling 2
scattered 1
petals 2
grovelled 1
lest 7
wounded 2
moaning 1
exaggerated 1
shouts 1
'his 1
funny 3
acting 1
funnier 1
applauded 1
sobs 1
fainter 2
gasp 1
capital 1
pause 1
'yes 1
'you 3
clever 1
walking 1
despatches 1
arrived 1
mexico 1
recently 1
established 1
sulking 1
sauntered 1
slapped 1
glove 1
'petit 1
monsire 1
indies 1
wishes 1
amused 1
whipping 1
- 1
bella 1
princesa 1
pity 12
'because 1
broken 2
rose-leaf 1
disdain 2
future 1
h.s.h 1
alice 1
monaco 1
evening 12
black-winged 1
waves 9
fish 6
swam 2
meshes 1
market-place 7
sold 1
net 7
boat 6
swim 1
marvel 2
putting 1
strength 1
tugged 2
ropes 2
lines 1
vase 1
veins 1
nearer 10
corks 1
mermaid 21
wet 3
fleece 1
tail 3
weeds 1
coiled 1
sea-shells 1
sea-coral 1
breasts 4
glistened 1
clasped 3
sea-gull 1
mauve-amethyst 1
struggled 1
tightly 2
depart 2
weep 3
aged 1
makest 1
promise 4
whenever 1
song 2
sea- 2
folk 1
'wilt 3
desired 1
sware 1
oath 1
sea-folk 8
loosened 2
trembling 3
fear 2
dolphins 1
gulls 1
drive 5
flocks 1
cave 7
calves 1
beards 2
hairy 1
conchs 1
passes 1
emerald 2
pavement 3
filigrane 1
coral 1
wave 2
dart 1
cling 2
pinks 1
bourgeon 1
ribbed 1
whales 1
sharp 3
icicles 1
fins 1
sirens 1
stop 1
drowned 2
sunken 1
galleys 2
masts 1
frozen 2
sailors 2
clinging 1
rigging 1
mackerel 1
swimming 1
portholes 1
barnacles 1
travellers 2
keels 1
cuttlefish 1
cliffs 1
nautilus 1
opal 1
steered 1
mermen 2
harps 2
charm 1
kraken 1
catch 1
slippery 1
porpoises 1
backs 1
mermaids 1
mariners 1
sea-lions 1
tusks 1
sea-horses 1
manes 1
tunny-fish 1
spear 3
well-laden 1
sink 2
touch 6
oftentimes 1
seize 1
dived 1
seal 3
dive 1
became 8
sweeter 1
cunning 2
craft 2
vermilion-finned 1
bossy 1
tunnies 1
shoals 1
heeded 3
unused 1
baskets 2
plaited 1
osier 1
parted 1
listened 6
listening 1
sea-mists 1
'little 1
bridegroom 2
human 2
'if 7
wouldst 2
'of 4
gladness 3
mine 8
depth 1
dwell 3
sung 1
show 10
desirest 2
'tell 1
'alas 4
souls 1
wistfully 1
span 1
novice 1
wicket 2
latch 1
'enter 1
sweet- 1
smelling 2
'father 3
hindereth 1
value 3
'alack 2
alack 1
eaten 2
herb 1
noblest 1
nobly 1
precious 5
earthly 1
worth 4
forgiven 1
lost 10
beasts 2
field 8
words 6
fauns 3
sit 6
beseech 1
doth 4
profit 3
stand 6
vile 3
knitting 1
pagan 1
accursed 6
singers 1
night-time 5
lure 1
laugh 5
whisper 3
perilous 1
tempt 5
temptations 2
mouths 2
heaven 6
hell 2
neither 5
surrender 1
'away 1
'thy 2
leman 3
blessing 1
drove 2
clipped 2
piece 27
clothe 1
sea-purple 1
ring 9
minion 1
talk 1
nought 6
'how 6
telleth 1
ponder 1
noon 8
gatherer 1
samphire 1
witch 17
dwelt 6
witcheries 1
eager 2
cloud 2
sped 1
itching 1
palm 1
around 5
opening 1
blossoming 1
d 10
'ye 10
lack 13
steep 1
'fish 1
reed-pipe 1
mullet 1
sailing 1
storm 1
wreck 1
wash 2
chests 2
treasure 9
ashore 1
storms 1
serve 4
stronger 3
sieve 1
pail 1
grows 1
knows 2
i. 1
juice 1
milk 3
follow 3
rise 4
pound 1
toad 6
mortar 1
broth 2
stir 1
sprinkle 1
enemy 1
sleeps 1
viper 4
wheel 1
'yet 3
driven 3
denied 4
mantle 1
'pretty 1
'five 1
mockingly 1
weave 1
moonbeams 1
stroked 1
murmured 8
'nought 2
'then 3
sunset 7
danced 2
'when 12
nest 1
circled 2
dunes 1
rustled 1
fretting 1
pebbles 1
'to-night 1
mountain 4
sabbath 1
speakest 2
matters 3
'go 2
hornbeam 3
dog 3
strike 1
rod 3
willow 2
owl 2
swear 2
question 2
rippled 1
'by 1
hoofs 1
goat 2
witches 4
hadst 5
cap 2
box 2
cedarwood 1
frame 1
vervain 1
charcoal 2
coils 1
risen 1
targe 1
metal 3
fishing-boats 1
sulphurous 1
snarled 2
whining 1
bats 1
'phew 1
'there 3
sniffed 2
shrieked 1
jumped 1
heels 1
shoes 1
dancers 2
'faster 2
spin 1
brain 1
troubled 4
aware 1
rock 2
suit 1
cut 4
toying 1
listless 1
riding-gloves 1
gauntleted 1
sewn 1
seed-pearls 2
device 1
lined 1
sables 1
hang 1
shoulder 2
gemmed 1
spell 2
met 3
wherever 4
bayed 1
bird's 1
wing 1
touches 1
'come 5
besought 7
knowing 1
cross 2
sooner 1
spasm 1
jennet 1
trappings 1
saddle 1
fly 4
'loose 1
named 2
wrestling 1
cat 2
biting 1
foam-flecked 1
grass-green 1
'ask 1
daughters 2
comely 2
waters 3
fawned 1
frowning 2
keepest 1
madest 1
false 3
judas 1
tree 4
'be 4
girdle 2
knife 5
handle 3
skin 4
wondering 2
sea-shore 1
true 3
edge 1
belt 4
climb 1
'lo 2
servant 5
twilight 2
lies 2
trouble 5
piteously 1
sure-footed 1
level 1
bronze-limbed 1
well-knit 1
grecian 1
beckoned 1
forms 1
honey- 1
merciful 1
'therefore 1
'should 1
flute-like 1
depths 1
'once 1
horns 5
beach 1
sunk 1
marshes 3
couched 4
shallow 4
east 2
journeyed 7
seventh 2
tartars 5
shade 1
tamarisk 1
shelter 2
burnt 3
flies 1
crawling 1
disk 1
copper 6
rim 1
strung 1
waggons 2
'at 5
five 4
missing 1
harnessed 1
trotted 1
opposite 2
direction 1
camp-fire 1
company 5
picketed 1
pitching 1
tents 1
pear 1
'as 3
business 3
escaped 1
prophet 4
mohammed 1
negro 1
mare 1
dish 2
lamb 1
flesh 2
roasted 2
daybreak 1
journey 9
red-haired 1
runner 1
mules 2
merchandise 2
forty 2
caravan 2
number 1
curse 1
gryphons 1
guarding 1
scaled 1
snows 1
valleys 2
pygmies 1
arrows 1
hollows 1
drums 1
tower 3
serpents 1
howls 1
brass 8
oxus 1
crossed 1
rafts 1
bladders 1
blown 1
river-horses 1
raged 1
levied 1
tolls 1
maize-cakes 1
baked 1
honey 3
cakes 1
flour 1
dates 2
bead 1
dwellers 1
villages 2
wells 2
hill-summits 1
magadae 1
laktroi 1
sons 1
tigers 2
paint 1
aurantes 1
bury 2
tops 2
caverns 1
krimnians 1
crocodile 1
butter 1
fresh 1
fowls 1
agazonbae 1
dog-faced 1
sibans 1
fortune 3
adder 6
sicken 1
fourth 1
illel 1
night- 1
grove 1
sultry 1
travelling 1
scorpion 1
ripe 3
brake 3
drank 2
juices 1
waited 2
gate 12
sea-dragons 1
guards 5
battlements 1
interpreter 1
island 1
syria 1
hostages 1
crowding 1
crier 1
crying 1
shell 1
uncorded 1
bales 2
figured 3
cloths 1
sycamore 1
ended 1
task 1
wares 1
waxed 1
ethiops 1
sponges 1
tyre 1
sidon 1
cups 5
clay 2
mask 1
gilded 2
bartered 1
craftsmen 1
custom 1
tarried 1
waning 1
wearied 1
streets 7
robes 2
silently 1
rose-red 1
dwelling 2
doors 3
bulls 1
tilted 1
porcelain 1
jutting 1
eaves 1
bells 4
doves 1
tinkle 2
temple 2
paved 1
veined 1
broad 1
serpent-skin 1
plumage 1
mitre 1
decorated 1
crescents 1
yellows 1
frizzed 1
antimony 1
'after 2
slanting 1
combed 1
fringes 1
idol 3
bordered 1
orient 1
stature 4
thighs 1
newly-slain 1
kid 2
loins 1
girt 1
beryls 2
heal 2
'so 2
breathed 2
lotus 1
emeralds 2
chrysolite 1
smeared 1
myrrh 2
cinnamon 1
ware 1
buskins 1
selenites 1
blind 2
seest 1
reflecteth 2
looketh 2
mirrors 2
opinion 1
hidden 5
'love 5
south 2
highways 3
ashter 1
red-dyed 1
pilgrims 1
wont 4
nine 5
stands 2
neighs 1
bedouins 1
cased 1
watch- 1
roofed 1
archer 1
sunrise 2
strikes 1
arrow 2
gong 1
blows 2
dervish 1
mecca 1
koran 1
letters 1
angels 1
entreated 3
'inside 1
bazaar 2
narrow 1
lanterns 1
paper 1
flutter 1
roofs 1
booths 3
turbans 1
golden 3
sequins 1
strings 3
peach-stones 1
glide 1
galbanum 1
nard 1
perfumes 1
islands 1
indian 1
nail-shaped 1
cloves 1
stops 1
pinches 1
frankincense 1
brazier 1
syrian 1
almond 1
embossed 1
creamy 1
anklets 1
wire 2
claws 3
leopard 1
pierced 4
finger-rings 1
hollowed 2
tea-houses 1
guitar 1
opium-smokers 1
passers-by 1
wine-sellers 1
elbow 1
schiraz 1
strew 1
fruitsellers 1
figs 1
bruised 1
melons 2
musk 1
topazes 1
citrons 1
rose-apples 1
red-gold 1
oranges 2
oval 3
elephant 1
trunk 1
vermilion 2
turmeric 1
eating 1
bird-sellers 1
caged 1
scourge 1
'one 1
palanquin 2
poles 1
muslin 1
beetles 1
pale-faced 1
circassian 1
curiosity 1
square 2
tomb 1
hammer 1
armenian 1
caftan 1
spread 2
mosque 1
beard 2
dyed 3
rose-leaves 1
palms 1
saffron 1
stall 1
eyebrows 1
marvelled 1
boldness 1
counselled 1
flee 3
sellers 2
abominated 1
tea-house 1
inside 2
arcade 1
alabaster 1
tiles 1
pillars 2
peach-blossom 1
veiled 3
hastened 2
butts 1
lances 1
rang 1
watered 1
terraces 1
planted 1
tulip-cups 1
moonflowers 1
silver-studded 1
aloes 1
cypress-trees 1
burnt-out 1
torches 2
approached 1
eunuchs 3
fat 1
swayed 1
yellow-lidded 1
captain 4
guard 5
munching 1
pastilles 1
gesture 1
dismissed 1
plucking 1
mulberries 1
elder 1
motioned 1
drawing 1
gerfalcon 1
perched 1
wrist 1
brass- 1
turbaned 1
nubian 3
mighty 1
scimitar 2
blade 1
whizzed 1
hurt 3
lance 1
flight 1
shaft 1
mid-air 1
dishonour 1
writhed 1
snake 1
bubbled 1
wiped 1
sweat 1
napkin 1
purfled 1
half 5
wondered 1
eight 1
brass-sealed 1
lamps 1
wine-jars 1
brim 1
spoken 3
granite 1
swung 1
dazzled 1
couldst 1
believe 2
tortoise-shells 1
size 1
piled 1
stored 2
elephant-hide 1
gold-dust 1
bottles 1
opals 1
sapphires 1
former 1
latter 1
ranged 1
bags 1
turquoise-stones 1
heaped 1
amethysts 1
chalcedonies 1
sards 1
cedar 1
lynx-stones 1
carbuncles 1
both 1
wine-coloured 1
tithe 1
promised 1
drivers 1
share 2
wearest 1
nay 1
leaden 1
riches 5
waits 1
world's 1
inn 3
standeth 1
different-coloured 1
wines 1
ate 2
barley 1
served 1
vinegar 1
laid 4
quill 1
pigeons 1
'let 2
hence 7
sea-gods 1
jealous 1
monsters 1
haste 1
didst 11
nevertheless 2
jewellers 1
booth 1
hurriedly 2
league 3
jar 1
'smite 1
smote 1
smite 1
nowhere 3
rested 1
merchant 12
corded 1
kinsman 1
kinsmen 1
guest-chamber 1
quench 2
thirst 1
rice 1
guest- 1
goat's-hair 1
covering 1
lamb's- 1
waked 1
'rise 3
sleepeth 1
tray 1
purses 4
awoke 1
'dost 1
shedding 1
kindness 2
'strike 1
swooned 1
hate 2
gavest 3
thyself 3
forget 1
tempted 5
ways 1
anywhere 4
strove 1
stirred 4
avails 1
mayest 2
receiveth 1
punishment 2
reward 2
'she 1
worships 1
abide 2
bind 2
dancing-girls 1
samaris 1
henna 1
pleasant 1
eater 1
tulip-trees 1
tails 1
disks 2
feeds 1
stibium 1
swallow 1
hook 1
hangs 1
laughs 1
ankles 1
tight 1
bound 3
wickedness 1
power 3
loosed 1
pours 1
givest 1
wattles 1
abode 1
space 4
pools 1
tide 1
prevail 2
deaf 1
hearken 1
escapes 1
widows 2
fens 1
wallets 1
mend 1
store 2
rivers 1
compassed 1
hurrying 1
received 1
smitten 1
toyed 1
tasted 1
confession 1
shells 1
moaned 1
sea-king 1
hoarsely 1
'flee 1
nigher 1
tarriest 1
greatness 1
safety 1
fires 1
destroy 1
evilly 3
cover 1
fulness 1
break 2
bless 2
musicians 2
candle-bearers 2
swingers 2
censers 2
sake 1
forsook 1
lieth 1
judgment 1
fullers 3
resting 1
deaths 1
commanded 1
herbs 1
pit 1
wrath 3
robed 1
understood 1
tabernacle 1
incensed 1
veils 1
sacristy 1
deacons 1
unrobe 1
alb 1
maniple 1
unrobed 1
whence 1
blessed 3
bright-eyed 1
peer 1
fullers' 1
remained 1
margot 1
tennant 1
asquith 1
woodcutters 2
pine-forest 1
snow 7
frost 1
snapping 1
twigs 1
mountain- 1
torrent 1
motionless 1
ice-king 1
animals 2
'ugh 1
wolf 3
limped 1
brushwood 1
perfectly 1
monstrous 1
government 2
'weet 1
weet 2
twittered 1
linnets 1
shroud 1
bridal 1
turtle-doves 1
frost-bitten 1
duty 1
romantic 1
view 1
situation 1
'nonsense 1
growled 1
fault 1
thoroughly 1
practical 1
loss 1
argument 1
'well 1
woodpecker 1
philosopher 1
atomic 1
theory 1
explanations 1
fir-tree 2
rubbing 1
holes 1
venture 1
enjoy 1
owls 1
rime 1
rolled 1
'tu-whit 1
tu-whoo 2
tu-whit 1
blowing 1
lustily 1
stamping 1
iron-shod 1
boots 2
caked 1
drift 1
millers 1
grinding 1
marsh-water 1
faggots 2
bundles 1
pick 1
trust 1
saint 1
martin 1
watches 1
retraced 1
warily 1
village 7
overjoyed 1
deliverance 1
beast 2
'truly 2
'much 1
injustice 1
parcelled 1
equal 1
division 1
bewailing 1
sky 2
passing 2
clump 1
willow-trees 1
sheepfold 1
stone's-throw 1
crook 1
whoever 1
finds 1
mate 1
outstripped 1
forced 1
willows 1
stooping 1
folds 2
comrade 4
divide 1
alas 1
hope 1
perish 1
pot 1
tenderly 1
shield 3
marvelling 1
foolishness 1
softness 1
godspeed 1
husband 1
safe 1
bundle 1
threshold 2
'show 1
goodman 1
'have 1
changeling 1
bad 1
tend 1
finding 1
appeased 1
careth 2
giveth 1
sparrows 2
feedeth 1
'do 1
tremble 1
shivered 1
'into 1
closer 1
morrow 4
woodcutter 13
black-haired 1
sawn 1
daffodil 1
pure 1
mower 1
selfish 1
despised 1
parentage 1
maimed 1
afflicted 1
highway 1
beg 1
elsewhere 1
outlaws 1
alms 1
weakly 1
ill-favoured 2
summer 1
winds 1
fairness 1
chide 1
dealest 1
desolate 1
succour 1
teach 1
living 1
roam 1
snare 1
blind-worm 1
mole 4
frown 1
flout 1
fleet 1
ruled 4
beggar-woman 9
garments 1
torn 1
travelled 1
plight 1
chestnut-tree 1
'see 1
sitteth 1
green-leaved 1
ill- 1
favoured 1
gaze 1
cleaving 1
rebuked 1
treat 1
truly 1
swoon 2
meat 1
comfort 1
'didst 1
ten 2
'yea 1
'bare 1
star- 3
scornfully 1
recognised 2
tellest 1
playmates 1
drave 3
sealed 1
comeliness 2
forgiveness 5
sorely 1
inquiry 2
perchance 1
blinded 1
linnet 2
clipt 1
squirrel 2
carlots 1
byres 1
mildew 1
hired 1
flints 1
bleed 1
overtake 1
deny 1
sport 1
loving-kindness 2
charity 2
pride 2
strong-walled 1
footsore 1
dropped 1
roughly 1
ye 4
wagged 1
sees 1
marsh 1
crawls 1
fen 1
dwells 1
banner 1
tarrieth 1
pricked 1
helmet 2
evil-visaged 1
pomegranate 1
jars 1
scarf 3
dungeon 3
mouldy 1
trencher 2
'eat 2
brackish 1
'drink 2
drunk 1
locking 1
fastening 1
subtlest 1
magicians 1
libya 1
giaours 1
bringest 5
stripes 2
ill 1
bought 1
magician 11
sweet-scented 1
gladly 1
briars 1
encompassed 1
nettles 1
stung 1
thistle 1
daggers 1
sore 2
distress 1
morn 1
fate 2
forgetting 1
trap 2
hunter 1
released 1
rendered 1
repaid 1
hundred-fold 1
dealt 1
cowl 1
eyelets 1
gleamed 1
coals 1
clattered 1
money 4
wallet 4
'hast 2
rescued 1
'follow 1
thank 1
succoured 3
loaded 1
seekest 1
farthest 1
awaited 1
concourse 1
abased 1
saith 1
prophesied 1
'mother 2
accept 1
humility 1
hatred 1
rejected 1
'thrice 1
sobbed 1
suffering 2
washed 1
clothed 1
banished 1
gifts 1
plenty 1
testing 1

In [23]:
stopwords = """
i
me
my
myself
we
our
ours
ourselves
you
you're
you've
you'll
you'd
your
yours
yourself
yourselves
he
him
his
himself
she
she's
her
hers
herself
it
it's
its
itself
they
them
their
theirs
themselves
what
which
who
whom
this
that
that'll
these
those
am
is
are
was
were
be
been
being
have
has
had
having
do
does
did
doing
a
an
the
and
but
if
or
because
as
until
while
of
at
by
for
with
about
against
between
into
through
during
before
after
above
below
to
from
up
down
in
out
on
off
over
under
again
further
then
once
here
there
when
where
why
how
all
any
both
each
few
more
most
other
some
such
no
nor
not
only
own
same
so
than
too
very
s
t
can
will
just
don
don't
should
should've
now
d
ll
m
o
re
ve
y
ain
aren
aren't
couldn
couldn't
didn
didn't
doesn
doesn't
hadn
hadn't
hasn
hasn't
haven
haven't
isn
isn't
ma
mightn
mightn't
mustn
mustn't
needn
needn't
shan
shan't
shouldn
shouldn't
wasn
wasn't
weren
weren't
won
won't
wouldn
wouldn't
"""

In [24]:
for x in stopwords.split():
    del myTokenFD[x]
print(list(myTokenFD))


['house', 'pomegranates', 'contents', ':', 'young', 'king', 'birthday', 'infanta', 'fisherman', 'soul', 'star-child', '[', 'margaret', 'lady', 'brooke', '--', 'ranee', 'sarawak', ']', 'night', 'day', 'fixed', 'coronation', ',', 'sitting', 'alone', 'beautiful', 'chamber', '.', 'courtiers', 'taken', 'leave', 'bowing', 'heads', 'ground', 'according', 'ceremonious', 'usage', 'retired', 'great', 'hall', 'palace', 'receive', 'last', 'lessons', 'professor', 'etiquette', ';', 'still', 'quite', 'natural', 'manners', 'courtier', 'need', 'hardly', 'say', 'grave', 'offence', 'lad', 'sixteen', 'years', 'age', 'sorry', 'departure', 'flung', 'back', 'deep', 'sigh', 'relief', 'soft', 'cushions', 'embroidered', 'couch', 'lying', 'wild-eyed', 'open-mouthed', 'like', 'brown', 'woodland', 'faun', 'animal', 'forest', 'newly', 'snared', 'hunters', 'indeed', 'found', 'coming', 'upon', 'almost', 'chance', 'bare-limbed', 'pipe', 'hand', 'following', 'flock', 'poor', 'goatherd', 'brought', 'whose', 'son', 'always', 'fancied', 'child', 'old', "'s", 'daughter', 'secret', 'marriage', 'one', 'much', 'beneath', 'station', 'stranger', 'said', 'wonderful', 'magic', 'lute-playing', 'made', 'princess', 'love', 'others', 'spoke', 'artist', 'rimini', 'shown', 'perhaps', 'honour', 'suddenly', 'disappeared', 'city', 'leaving', 'work', 'cathedral', 'unfinished', 'week', 'stolen', 'away', 'mother', 'side', 'slept', 'given', 'charge', 'common', 'peasant', 'wife', 'without', 'children', 'lived', 'remote', 'part', 'ride', 'town', 'grief', 'plague', 'court', 'physician', 'stated', 'suggested', 'swift', 'italian', 'poison', 'administered', 'cup', 'spiced', 'wine', 'slew', 'within', 'hour', 'wakening', 'white', 'girl', 'birth', 'trusty', 'messenger', 'bare', 'across', 'saddle-bow', 'stooped', 'weary', 'horse', 'knocked', 'rude', 'door', 'hut', 'body', 'lowered', 'open', 'dug', 'deserted', 'churchyard', 'beyond', 'gates', 'another', 'also', 'man', 'marvellous', 'foreign', 'beauty', 'hands', 'tied', 'behind', 'knotted', 'cord', 'breast', 'stabbed', 'many', 'red', 'wounds', 'least', 'story', 'men', 'whispered', 'certain', 'deathbed', 'whether', 'moved', 'remorse', 'sin', 'merely', 'desiring', 'kingdom', 'pass', 'line', 'sent', 'presence', 'council', 'acknowledged', 'heir', 'seems', 'first', 'moment', 'recognition', 'signs', 'strange', 'passion', 'destined', 'influence', 'life', 'accompanied', 'suite', 'rooms', 'set', 'apart', 'service', 'often', 'cry', 'pleasure', 'broke', 'lips', 'saw', 'delicate', 'raiment', 'rich', 'jewels', 'prepared', 'fierce', 'joy', 'aside', 'rough', 'leathern', 'tunic', 'coarse', 'sheepskin', 'cloak', 'missed', 'times', 'fine', 'freedom', 'apt', 'chafe', 'tedious', 'ceremonies', 'occupied', 'joyeuse', 'called', 'lord', 'seemed', 'new', 'world', 'fresh-fashioned', 'delight', 'soon', 'could', 'escape', 'council-board', 'audience-chamber', 'would', 'run', 'staircase', 'lions', 'gilt', 'bronze', 'steps', 'bright', 'porphyry', 'wander', 'room', 'corridor', 'seeking', 'find', 'anodyne', 'pain', 'sort', 'restoration', 'sickness', 'journeys', 'discovery', 'call', 'real', 'voyages', 'land', 'sometimes', 'slim', 'fair-haired', 'pages', 'floating', 'mantles', 'gay', 'fluttering', 'ribands', 'feeling', 'quick', 'instinct', 'divination', 'secrets', 'art', 'best', 'learned', 'wisdom', 'loves', 'lonely', 'worshipper', 'curious', 'stories', 'related', 'period', 'stout', 'burgo-master', 'come', 'deliver', 'florid', 'oratorical', 'address', 'behalf', 'citizens', 'caught', 'sight', 'kneeling', 'adoration', 'picture', 'venice', 'herald', 'worship', 'gods', 'occasion', 'several', 'hours', 'lengthened', 'search', 'discovered', 'little', 'northern', 'turrets', 'gazing', 'trance', 'greek', 'gem', 'carved', 'figure', 'adonis', 'seen', 'tale', 'ran', 'pressing', 'warm', 'marble', 'brow', 'antique', 'statue', 'bed', 'river', 'building', 'stone', 'bridge', 'inscribed', 'name', 'bithynian', 'slave', 'hadrian', 'passed', 'whole', 'noting', 'effect', 'moonlight', 'silver', 'image', 'endymion', 'rare', 'costly', 'materials', 'certainly', 'fascination', 'eagerness', 'procure', 'merchants', 'traffic', 'amber', 'fisher-folk', 'north', 'seas', 'egypt', 'look', 'green', 'turquoise', 'tombs', 'kings', 'possess', 'magical', 'properties', 'persia', 'silken', 'carpets', 'painted', 'pottery', 'india', 'buy', 'gauze', 'stained', 'ivory', 'moonstones', 'bracelets', 'jade', 'sandal-wood', 'blue', 'enamel', 'shawls', 'wool', 'robe', 'wear', 'tissued', 'gold', 'ruby-studded', 'crown', 'sceptre', 'rows', 'rings', 'pearls', 'thinking', 'to-night', 'lay', 'luxurious', 'watching', 'pinewood', 'log', 'burning', 'hearth', 'designs', 'famous', 'artists', 'time', 'submitted', 'months', 'orders', 'artificers', 'toil', 'carry', 'searched', 'worthy', 'fancy', 'standing', 'high', 'altar', 'fair', 'smile', 'played', 'lingered', 'boyish', 'lit', 'lustre', 'dark', 'eyes', 'rose', 'seat', 'leaning', 'penthouse', 'chimney', 'looked', 'round', 'dimly-lit', 'walls', 'hung', 'tapestries', 'representing', 'triumph', 'large', 'press', 'inlaid', 'agate', 'lapis-', 'lazuli', 'filled', 'corner', 'facing', 'window', 'stood', 'curiously', 'wrought', 'cabinet', 'lacquer', 'panels', 'powdered', 'mosaiced', 'placed', 'goblets', 'venetian', 'glass', 'dark-veined', 'onyx', 'pale', 'poppies', 'broidered', 'silk', 'coverlet', 'though', 'fallen', 'tired', 'sleep', 'tall', 'reeds', 'fluted', 'velvet', 'canopy', 'tufts', 'ostrich', 'plumes', 'sprang', 'foam', 'pallid', 'fretted', 'ceiling', 'laughing', 'narcissus', 'held', 'polished', 'mirror', 'head', 'table', 'flat', 'bowl', 'amethyst', 'outside', 'see', 'huge', 'dome', 'looming', 'bubble', 'shadowy', 'houses', 'sentinels', 'pacing', 'misty', 'terrace', 'far', 'orchard', 'nightingale', 'singing', 'faint', 'perfume', 'jasmine', 'came', 'brushed', 'curls', 'forehead', 'taking', 'lute', 'let', 'fingers', 'stray', 'cords', 'heavy', 'eyelids', 'drooped', 'languor', 'never', 'felt', 'keenly', 'exquisite', 'mystery', 'things', 'midnight', 'sounded', 'clock-tower', 'touched', 'bell', 'entered', 'disrobed', 'ceremony', 'pouring', 'rose-water', 'strewing', 'flowers', 'pillow', 'moments', 'left', 'fell', 'asleep', 'dreamed', 'dream', 'thought', 'long', 'low', 'attic', 'amidst', 'whir', 'clatter', 'looms', 'meagre', 'daylight', 'peered', 'grated', 'windows', 'showed', 'gaunt', 'figures', 'weavers', 'bending', 'cases', 'sickly-looking', 'crouched', 'crossbeams', 'shuttles', 'dashed', 'warp', 'lifted', 'battens', 'stopped', 'fall', 'pressed', 'threads', 'together', 'faces', 'pinched', 'famine', 'thin', 'shook', 'trembled', 'haggard', 'women', 'seated', 'sewing', 'horrible', 'odour', 'place', 'air', 'foul', 'dripped', 'streamed', 'damp', 'went', 'watched', 'weaver', 'angrily', "'why", 'thou', '?', 'spy', 'us', 'master', "'", "'who", 'thy', 'asked', "'our", '!', 'cried', 'bitterly', "'he", 'difference', 'wears', 'clothes', 'go', 'rags', 'weak', 'hunger', 'suffers', 'overfeeding', "'the", 'free', "'and", "man's", "'in", 'war', 'answered', 'strong', 'make', 'slaves', 'peace', 'must', 'live', 'give', 'mean', 'wages', 'die', 'heap', 'coffers', 'fade', 'become', 'hard', 'evil', 'tread', 'grapes', 'drinks', 'sow', 'corn', 'board', 'empty', 'chains', 'eye', 'beholds', "'is", "'it", "'with", 'well', 'stricken', 'grind', 'needs', 'bidding', 'priest', 'rides', 'tells', 'beads', 'care', 'sunless', 'lanes', 'creeps', 'poverty', 'hungry', 'sodden', 'face', 'follows', 'close', 'misery', 'wakes', 'morning', 'shame', 'sits', 'thee', 'happy', 'turned', 'scowling', 'threw', 'shuttle', 'loom', 'threaded', 'thread', 'terror', 'seized', "'what", 'weaving', 'gave', 'loud', 'woke', 'lo', 'honey-coloured', 'moon', 'hanging', 'dusky', 'deck', 'galley', 'rowed', 'hundred', 'carpet', 'black', 'ebony', 'turban', 'crimson', 'earrings', 'dragged', 'thick', 'lobes', 'ears', 'pair', 'scales', 'naked', 'ragged', 'loin-cloth', 'chained', 'neighbour', 'hot', 'sun', 'beat', 'brightly', 'negroes', 'gangway', 'lashed', 'whips', 'hide', 'stretched', 'lean', 'arms', 'pulled', 'oars', 'water', 'salt', 'spray', 'flew', 'blades', 'reached', 'bay', 'began', 'take', 'soundings', 'light', 'wind', 'blew', 'shore', 'covered', 'lateen', 'sail', 'dust', 'three', 'arabs', 'mounted', 'wild', 'asses', 'rode', 'spears', 'took', 'bow', 'shot', 'throat', 'heavily', 'surf', 'companions', 'galloped', 'woman', 'wrapped', 'yellow', 'veil', 'followed', 'slowly', 'camel', 'looking', 'dead', 'cast', 'anchor', 'hauled', 'hold', 'rope-ladder', 'weighted', 'lead', 'making', 'ends', 'fast', 'two', 'iron', 'stanchions', 'youngest', 'gyves', 'nostrils', 'wax', 'big', 'waist', 'crept', 'wearily', 'ladder', 'sea', 'bubbles', 'sank', 'prow', 'sat', 'shark-charmer', 'beating', 'monotonously', 'drum', 'diver', 'clung', 'panting', 'pearl', 'right', 'thrust', 'weighed', 'put', 'bag', 'leather', 'tried', 'speak', 'tongue', 'cleave', 'roof', 'mouth', 'refused', 'move', 'chattered', 'quarrel', 'string', 'cranes', 'vessel', 'fairer', 'ormuz', 'shaped', 'full', 'whiter', 'star', 'strangely', 'blood', 'gushed', 'quivered', 'shrugged', 'shoulders', 'overboard', 'laughed', 'reaching', 'bowed', 'shall', "'for", 'sign', 'draw', 'heard', 'grey', 'dawn', 'clutching', 'fading', 'stars', 'wandering', 'dim', 'wood', 'fruits', 'poisonous', 'adders', 'hissed', 'parrots', 'screaming', 'branch', 'tortoises', 'mud', 'trees', 'apes', 'peacocks', 'till', 'outskirts', 'immense', 'multitude', 'toiling', 'dried-up', 'swarmed', 'crag', 'ants', 'pits', 'cleft', 'rocks', 'axes', 'grabbled', 'sand', 'tore', 'cactus', 'roots', 'trampled', 'scarlet', 'blossoms', 'hurried', 'calling', 'idle', 'darkness', 'cavern', 'death', 'avarice', 'third', "'they", 'servants', 'hast', 'grains', "'give", "'to", 'plant', 'garden', 'anything', 'hid', 'fold', 'dipped', 'pool', 'ague', 'cold', 'mist', 'water-snakes', 'wept', 'barren', 'bosom', 'aloud', "'thou", 'slain', "'get", 'gone', 'mountains', 'tartary', 'afghans', 'ox', 'marching', 'battle', 'beaten', 'shields', 'helmets', 'valley', 'shouldst', 'tarry', 'get', "'nay", "'but", 'grain', 'shut', 'clenched', 'teeth', 'muttered', 'thicket', 'hemlock', 'fever', 'flame', 'died', 'grass', 'withered', 'feet', 'walked', 'shuddered', 'ashes', 'cruel', 'walled', 'cities', 'cisterns', 'samarcand', 'dry', 'locusts', 'desert', 'nile', 'overflowed', 'banks', 'priests', 'cursed', 'isis', 'osiris', 'whistled', 'flying', 'written', 'crowd', 'vultures', 'wheeled', 'wings', 'alive', 'fled', 'shrieking', 'leaped', 'galloping', 'faster', 'slime', 'bottom', 'dragons', 'jackals', 'trotting', 'along', 'sniffing', 'rubies', 'started', 'turning', 'habited', 'pilgrim', 'holding', 'grew', "'look", 'shalt', 'seeing', 'sunlight', 'streaming', 'pleasaunce', 'birds', 'chamberlain', 'officers', 'state', 'obeisance', 'aught', 'ever', 'remembered', 'dreams', 'lords', "'take", 'amazed', 'jesting', 'spake', 'sternly', 'sorrow', 'woven', 'heart', 'ruby', 'told', 'saying', "'surely", 'mad', 'vision', 'heed', 'lives', 'eat', 'bread', 'sower', 'drink', 'talked', 'vinedresser', "'my", 'pray', 'thoughts', 'thine', 'people', 'know', "king's", 'questioned', "'will", 'kinglike', 'may', 'sayest', 'yet', 'crowned', 'even', 'forth', 'bade', 'save', 'page', 'kept', 'companion', 'year', 'younger', 'bathed', 'clear', 'opened', 'chest', 'worn', 'hillside', 'shaggy', 'goats', 'shepherd', 'staff', 'wonder', 'smiling', 'plucked', 'briar', 'climbing', 'balcony', 'bent', 'circlet', "'this", 'thus', 'attired', 'nobles', 'waiting', 'merry', 'wait', 'showest', 'beggar', 'wroth', 'brings', 'unworthy', 'word', 'towards', 'running', 'beside', 'fool', 'riding', 'mocked', 'drew', 'rein', "'sir", 'knowest', 'luxury', 'cometh', 'pomp', 'nurtured', 'vices', 'bitter', 'thinkest', 'ravens', 'feed', 'cure', 'wilt', 'buyer', '``', "''", 'seller', 'sell', 'price', 'trow', 'therefore', 'purple', 'linen', 'suffer', "'are", 'brothers', "'ay", 'brother', 'cain', 'tears', 'murmurs', 'afraid', 'portal', 'soldiers', 'halberts', 'dost', 'seek', 'none', 'enters', 'flushed', 'anger', 'waved', 'bishop', 'dress', 'throne', 'meet', 'apparel', 'surely', 'abasement', "'shall", 'fashioned', 'knit', 'brows', 'winter', 'days', 'done', 'wide', 'robbers', 'moors', 'lie', 'caravans', 'leap', 'camels', 'boar', 'foxes', 'gnaw', 'vines', 'hill', 'pirates', 'waste', 'sea-coast', 'burn', 'ships', 'fishermen', 'nets', 'salt-marshes', 'lepers', 'wattled', 'nigh', 'beggars', 'food', 'dogs', 'canst', 'leper', 'bedfellow', 'lion', 'obey', 'wiser', 'wherefore', 'praise', 'bid', 'glad', 'beseemeth', 'think', 'burden', 'bear', "'sayest", 'strode', 'past', 'climbed', 'christ', 'vessels', 'chalice', 'vial', 'holy', 'oil', 'knelt', 'candles', 'burned', 'jewelled', 'shrine', 'smoke', 'incense', 'curled', 'wreaths', 'prayer', 'stiff', 'copes', 'tumult', 'street', 'drawn', 'swords', 'nodding', 'steel', "'where", 'dreamer', 'apparelled', 'boy', 'slay', 'rule', 'prayed', 'finished', 'sadly', 'sun-beams', 'wove', 'blossomed', 'lilies', 'thorn', 'roses', 'redder', 'stems', 'male', 'leaves', 'crystal', 'many-rayed', 'monstrance', 'shone', 'mystical', 'glory', 'god', 'saints', 'carven', 'niches', 'organ', 'pealed', 'music', 'trumpeters', 'trumpets', 'boys', 'sang', 'knees', 'awe', 'sheathed', 'homage', 'greater', 'hath', 'home', 'midst', 'dared', 'angel', 'mrs.', 'william', 'h.', 'grenfell', 'taplow', 'desborough', 'twelve', 'shining', 'gardens', 'although', 'spain', 'every', 'naturally', 'matter', 'importance', 'country', 'really', 'striped', 'tulips', 'straight', 'stalks', 'defiantly', "'we", 'splendid', 'butterflies', 'fluttered', 'visiting', 'flower', 'turn', 'lizards', 'crevices', 'wall', 'basking', 'glare', 'split', 'cracked', 'heat', 'bleeding', 'hearts', 'lemons', 'profusion', 'mouldering', 'trellis', 'arcades', 'richer', 'colour', 'magnolia', 'globe-like', 'folded', 'sweet', 'vases', 'moss-grown', 'statues', 'ordinary', 'allowed', 'play', 'rank', 'exception', 'invite', 'friends', 'liked', 'amuse', 'stately', 'grace', 'spanish', 'glided', 'large-plumed', 'hats', 'short', 'cloaks', 'girls', 'trains', 'brocaded', 'gowns', 'shielding', 'fans', 'graceful', 'tastefully', 'somewhat', 'cumbrous', 'fashion', 'satin', 'skirt', 'puffed', 'sleeves', 'corset', 'studded', 'tiny', 'slippers', 'pink', 'rosettes', 'peeped', 'fan', 'hair', 'aureole', 'faded', 'stiffly', 'sad', 'melancholy', 'pedro', 'aragon', 'hated', 'confessor', 'grand', 'inquisitor', 'granada', 'sadder', 'usual', 'childish', 'gravity', 'assembling', 'counters', 'grim', 'duchess', 'albuquerque', 'queen', 'france', 'sombre', 'splendour', 'dying', 'six', 'almonds', 'blossom', 'twice', 'second', 'fruit', 'gnarled', 'fig-tree', 'centre', 'grass-', 'grown', 'courtyard', 'suffered', 'embalmed', 'moorish', 'return', 'granted', 'heresy', 'suspicion', 'practices', 'already', 'forfeited', 'office', 'tapestried', 'bier', 'chapel', 'monks', 'borne', 'windy', 'march', 'nearly', 'month', 'muffled', 'lantern', "'mi", 'reina', 'mi', 'breaking', 'formal', 'governs', 'separate', 'action', 'sets', 'limits', 'clutch', 'agony', 'try', 'wake', 'kisses', 'to-day', 'castle', 'fontainebleau', 'fifteen', 'formally', 'betrothed', 'papal', 'nuncio', 'french', 'returned', 'escurial', 'bearing', 'ringlet', 'memory', 'kiss', 'stepped', 'carriage', 'later', 'hastily', 'performed', 'burgos', 'small', 'frontier', 'countries', 'public', 'entry', 'madrid', 'customary', 'celebration', 'mass', 'church', 'la', 'atocha', 'usually', 'solemn', 'auto-da-fe', 'heretics', 'amongst', 'englishmen', 'delivered', 'secular', 'arm', 'loved', 'madly', 'ruin', 'england', 'possession', 'empire', 'permitted', 'forgotten', 'affairs', 'terrible', 'blindness', 'failed', 'notice', 'elaborate', 'sought', 'please', 'aggravate', 'malady', 'bereft', 'reason', 'doubt', 'abdicated', 'trappist', 'monastery', 'titular', 'prior', 'mercy', 'cruelty', 'notorious', 'suspected', 'caused', 'means', 'poisoned', 'gloves', 'presented', 'expiration', 'mourning', 'ordained', 'throughout', 'dominions', 'royal', 'edict', 'ministers', 'alliance', 'emperor', 'offered', 'lovely', 'archduchess', 'bohemia', 'niece', 'ambassadors', 'tell', 'wedded', 'bride', 'better', 'answer', 'cost', 'provinces', 'netherlands', 'instigation', 'revolted', 'leadership', 'fanatics', 'reformed', 'married', 'fiery-coloured', 'joys', 'sudden', 'ending', 'playing', 'pretty', 'petulance', 'manner', 'wilful', 'way', 'tossing', 'proud', 'curved', 'vrai', 'sourire', 'de', 'glanced', 'gentlemen', 'shrill', 'laughter', 'pitiless', 'dull', 'spices', 'embalmers', 'use', 'taint', 'buried', 'curtains', 'moue', 'disappointment', 'might', 'stayed', 'stupid', 'state-affairs', 'gloomy', 'enter', 'silly', 'everybody', 'besides', 'miss', 'sham', 'bull-fight', 'trumpet', 'sounding', 'nothing', 'puppet-show', 'uncle', 'sensible', 'paid', 'nice', 'compliments', 'tossed', 'pavilion', 'erected', 'end', 'strict', 'order', 'precedence', 'longest', 'names', 'going', 'procession', 'noble', 'fantastically', 'dressed', 'toreadors', 'count', 'tierra-nueva', 'wonderfully', 'handsome', 'fourteen', 'uncovering', 'born', 'hidalgo', 'grandee', 'led', 'solemnly', 'chair', 'raised', 'dais', 'arena', 'grouped', 'whispering', 'entrance', 'camerera-mayor', 'hard-featured', 'ruff', 'bad-tempered', 'something', 'chill', 'flitted', 'wrinkled', 'twitched', 'bloodless', 'nicer', 'seville', 'visit', 'duke', 'parma', 'father', 'pranced', 'richly-', 'caparisoned', 'hobby-horses', 'brandishing', 'javelins', 'streamers', 'attached', 'foot', 'waving', 'bull', 'vaulting', 'lightly', 'barrier', 'charged', 'wicker-', 'insisted', 'hind', 'legs', 'fight', 'got', 'excited', 'benches', 'lace', 'handkerchiefs', 'bravo', 'toro', 'sensibly', 'grown-up', 'however', 'prolonged', 'combat', 'gored', 'riders', 'dismounted', 'obtained', 'permission', 'coup', 'plunged', 'wooden', 'sword', 'neck', 'violence', 'disclosed', 'monsieur', 'lorraine', 'ambassador', 'cleared', 'applause', 'hobbyhorses', 'liveries', 'interlude', 'posture-master', 'tightrope', 'puppets', 'appeared', 'semi-classical', 'tragedy', 'sophonisba', 'stage', 'theatre', 'built', 'purpose', 'acted', 'gestures', 'extremely', 'comforted', 'sweetmeats', 'affected', 'help', 'intolerable', 'simply', 'coloured', 'worked', 'mechanically', 'wires', 'unhappy', 'misfortunes', 'african', 'juggler', 'basket', 'cloth', 'reed', 'shriller', 'snakes', 'wedge-shaped', 'swaying', 'fro', 'sways', 'rather', 'frightened', 'spotted', 'hoods', 'darting', 'tongues', 'pleased', 'orange-tree', 'grow', 'clusters', 'marquess', 'las-torres', 'changed', 'bird', 'amazement', 'knew', 'bounds', 'minuet', 'dancing', 'nuestra', 'senora', 'del', 'pilar', 'charming', 'takes', 'maytime', 'front', 'virgin', 'family', 'saragossa', 'since', 'supposed', 'pay', 'elizabeth', 'administer', 'wafer', 'prince', 'asturias', 'known', 'hearsay', 'dance', 'wore', 'old-fashioned', 'dresses', 'three-cornered', 'fringed', 'surmounted', 'feathers', 'dazzling', 'whiteness', 'costumes', 'accentuated', 'swarthy', 'fascinated', 'dignity', 'intricate', 'slow', 'bows', 'performance', 'doffed', 'plumed', 'reverence', 'courtesy', 'vow', 'send', 'candle', 'troop', 'egyptians', 'gipsies', 'termed', 'advanced', 'cross-legs', 'circle', 'softly', 'zithers', 'moving', 'bodies', 'tune', 'humming', 'breath', 'dreamy', 'scowled', 'terrified', 'weeks', 'tribe', 'hanged', 'sorcery', 'market-', 'charmed', 'leaned', 'peeping', 'sure', 'anybody', 'gently', 'touching', 'pointed', 'nails', 'nod', 'falling', 'startled', 'clutched', 'pommel', 'dagger', 'leapt', 'whirled', 'enclosure', 'tambourines', 'chaunting', 'love-song', 'guttural', 'language', 'signal', 'strumming', 'sound', 'silence', 'leading', 'chain', 'carrying', 'barbary', 'utmost', 'wizened', 'kinds', 'amusing', 'tricks', 'gipsy', 'masters', 'fought', 'fired', 'guns', 'regular', 'soldier', 'drill', 'bodyguard', 'fact', 'success', 'funniest', 'entertainment', 'undoubtedly', 'dwarf', 'stumbled', 'waddling', 'crooked', 'wagging', 'misshapen', 'shout', 'camerera', 'obliged', 'remind', 'precedents', 'weeping', 'equals', 'inferiors', 'irresistible', 'noted', 'cultivated', 'fantastic', 'monster', 'appearance', 'happened', 'hunting', 'cork-wood', 'surrounded', 'carried', 'surprise', 'charcoal-', 'burner', 'rid', 'ugly', 'useless', 'thing', 'complete', 'unconsciousness', 'grotesque', 'highest', 'spirits', 'freely', 'joyously', 'nature', 'humourous', 'mood', 'mock', 'absolutely', 'keep', 'remembering', 'ladies', 'throw', 'bouquets', 'caffarelli', 'treble', 'pope', 'sweetness', 'voice', 'partly', 'jest', 'tease', 'sweetest', 'seriously', 'knee', 'grinning', 'ear', 'sparkling', 'upset', 'expressed', 'desire', 'immediately', 'repeated', 'plea', 'decided', 'highness', 'delay', 'feast', 'including', 'cake', 'initials', 'sugar', 'flag', 'top', 'accordingly', 'siesta', 'conveyed', 'thanks', 'reception', 'apartments', 'express', 'command', 'kissing', 'absurd', 'ecstasy', 'uncouth', 'clumsy', 'indignant', 'daring', 'intrude', 'capering', 'walks', 'ridiculous', 'restrain', 'feelings', 'longer', 'poppy-juice', 'thousand', 'angry', 'perfect', 'horror', 'screamed', 'twisted', 'stumpy', 'completely', 'proportion', 'makes', 'feel', 'prickly', 'comes', 'near', 'sting', 'thorns', 'actually', 'blooms', 'exclaimed', 'rose-tree', 'present', "'thief", 'thief', 'geraniums', 'airs', 'relations', 'disgust', 'violets', 'meekly', 'remarked', 'plain', 'retorted', 'good', 'deal', 'justice', 'chief', 'defect', 'admire', 'person', 'incurable', 'ugliness', 'ostentatious', 'taste', 'pensive', 'instead', 'jumping', 'merrily', 'throwing', 'attitudes', 'sundial', 'remarkable', 'individual', 'less', 'charles', 'v.', 'aback', 'forgot', 'mark', 'minutes', 'finger', 'milk-white', 'peacock', 'sunning', 'balustrade', 'charcoal-burners', 'burners', 'pretend', "n't", 'statement', 'entirely', 'agreed', "'certainly", 'harsh', 'gold-fish', 'basin', 'cool', 'splashing', 'fountain', 'tritons', 'earth', 'somehow', 'elf', 'eddying', 'hollow', 'oak-tree', 'sharing', 'nuts', 'squirrels', 'mind', 'bit', 'sweetly', 'orange', 'groves', 'listen', 'kind', 'terribly', 'berries', 'wolves', 'crumbs', 'hunch', 'divided', 'whatever', 'breakfast', 'cheek', 'showing', 'telling', 'understand', 'single', 'wise', 'understanding', 'easier', 'rest', 'romped', "'every", 'lizard', "'that", 'expect', 'sounds', 'provided', 'course', 'shuts', 'philosophical', 'else', 'weather', 'rainy', 'excessively', 'annoyed', 'behaviour', 'shows', 'vulgarising', 'incessant', 'rushing', 'well-bred', 'stay', 'exactly', 'hopping', 'dragon-flies', 'want', 'change', 'gardener', 'carries', 'dignified', 'sense', 'repose', 'permanent', 'mere', 'vagrants', 'treated', 'noses', 'haughty', 'delighted', 'scramble', 'indoors', 'hunched', 'titter', 'immensely', 'except', 'wished', 'smiled', 'playmate', 'taught', 'delightful', 'cages', 'rushes', 'grasshoppers', 'sing', 'jointed', 'bamboo', 'pan', 'hear', 'starlings', 'tree-top', 'heron', 'trail', 'track', 'hare', 'footprints', 'wild-', 'dances', 'autumn', 'sandals', 'snow-wreaths', 'blossom-dance', 'orchards', 'spring', 'wood-pigeons', 'nests', 'fowler', 'parent', 'ones', 'dovecot', 'pollard', 'elm', 'tame', 'used', 'rabbits', 'scurried', 'fern', 'jays', 'steely', 'bills', 'hedgehogs', 'curl', 'balls', 'crawled', 'shaking', 'nibbling', 'yes', 'watch', 'horned', 'cattle', 'harm', 'creep', 'tap', 'shutters', 'mule', 'reading', 'book', 'caps', 'jerkins', 'tanned', 'deerskin', 'falconers', 'hooded', 'hawks', 'wrists', 'vintage-time', 'grape-treaders', 'wreathed', 'glossy', 'ivy', 'dripping', 'skins', 'braziers', 'logs', 'charring', 'fire', 'roasting', 'chestnuts', 'caves', 'winding', 'dusty', 'road', 'toledo', 'banners', 'crosses', 'armour', 'matchlocks', 'pikes', 'barefooted', 'lighted', 'bank', 'moss', 'necklace', 'bryony', 'bring', 'acorn-cups', 'dew-drenched', 'anemones', 'glow-worms', 'closed', 'wandered', 'gain', 'private', 'slipped', 'feared', 'gilding', 'everywhere', 'floor', 'stones', 'fitted', 'geometrical', 'pattern', 'jasper', 'pedestals', 'blank', 'richly', 'curtain', 'suns', 'favourite', 'devices', 'hiding', 'rate', 'stole', 'quietly', 'prettier', 'many-figured', 'arras', 'needle-wrought', 'tapestry', 'hunt', 'flemish', 'spent', 'seven', 'composition', 'jean', 'le', 'fou', 'enamoured', 'chase', 'delirium', 'mount', 'rearing', 'horses', 'drag', 'stag', 'hounds', 'leaping', 'horn', 'stabbing', 'deer', 'council-room', 'portfolios', 'stamped', 'emblems', 'hapsburg', 'half-', 'silent', 'horsemen', 'swiftly', 'glades', 'noise', 'phantoms', 'speaking', 'comprachos', 'courage', 'wanted', 'either', 'throne-room', 'late', 'consented', 'personal', 'audience', 'envoys', 'arrangements', 'catholic', 'sovereigns', 'europe', 'eldest', 'hangings', 'cordovan', 'chandelier', 'branches', 'lights', 'underneath', 'towers', 'castile', 'seed', 'pall', 'elaborately', 'step', 'kneeling-stool', 'cushion', 'tissue', 'limit', 'ceremonial', 'cardinal', 'hat', 'tangled', 'tassels', 'tabouret', 'life-sized', 'portrait', 'mastiff', 'philip', 'ii', 'receiving', 'plates', "holbein's", 'graved', 'cared', 'magnificence', 'petal', 'ask', 'tremulous', 'scented', 'hyacinths', 'early', 'flooded', 'glens', 'grassy', 'knolls', 'primroses', 'nestled', 'clumps', 'oak-trees', 'celandine', 'speedwell', 'irises', 'lilac', 'catkins', 'hazels', 'foxgloves', 'weight', 'dappled', 'bee-haunted', 'cells', 'chestnut', 'spires', 'hawthorn', 'moons', 'next', 'brightest', 'pink-flowered', 'lucca', 'damask', 'patterned', 'dotted', 'dainty', 'furniture', 'massive', 'festooned', 'swinging', 'cupids', 'fire-places', 'screens', 'sea-green', 'stretch', 'distance', 'shadow', 'doorway', 'extreme', 'plainly', 'beheld', 'properly', 'hunchbacked', 'crooked-limbed', 'lolling', 'mane', 'frowned', 'sides', 'mocking', 'copying', 'stopping', 'shouted', 'amusement', 'forward', 'ice', 'quickly', 'smooth', 'imitated', 'struck', 'blow', 'loathed', 'hideous', 'retreated', 'everything', 'double', 'invisible', 'sleeping', 'alcove', 'twin', 'slumbered', 'venus', 'echo', 'mimic', 'shadows', 'movement', 'kissed', 'truth', 'dawned', 'despair', 'sobbing', 'limbs', 'loathsome', 'killed', 'poured', 'cheeks', 'pieces', 'sprawling', 'scattered', 'petals', 'grovelled', 'lest', 'wounded', 'moaning', 'exaggerated', 'shouts', "'his", 'funny', 'acting', 'funnier', 'applauded', 'sobs', 'fainter', 'gasp', 'capital', 'pause', "'yes", "'you", 'clever', 'walking', 'despatches', 'arrived', 'mexico', 'recently', 'established', 'sulking', 'sauntered', 'slapped', 'glove', "'petit", 'monsire', 'indies', 'wishes', 'amused', 'whipping', '-', 'bella', 'princesa', 'pity', "'because", 'broken', 'rose-leaf', 'disdain', 'future', 'h.s.h', 'alice', 'monaco', 'evening', 'black-winged', 'waves', 'fish', 'swam', 'meshes', 'market-place', 'sold', 'net', 'boat', 'swim', 'marvel', 'putting', 'strength', 'tugged', 'ropes', 'lines', 'vase', 'veins', 'nearer', 'corks', 'mermaid', 'wet', 'fleece', 'tail', 'weeds', 'coiled', 'sea-shells', 'sea-coral', 'breasts', 'glistened', 'clasped', 'sea-gull', 'mauve-amethyst', 'struggled', 'tightly', 'depart', 'weep', 'aged', 'makest', 'promise', 'whenever', 'song', 'sea-', 'folk', "'wilt", 'desired', 'sware', 'oath', 'sea-folk', 'loosened', 'trembling', 'fear', 'dolphins', 'gulls', 'drive', 'flocks', 'cave', 'calves', 'beards', 'hairy', 'conchs', 'passes', 'emerald', 'pavement', 'filigrane', 'coral', 'wave', 'dart', 'cling', 'pinks', 'bourgeon', 'ribbed', 'whales', 'sharp', 'icicles', 'fins', 'sirens', 'stop', 'drowned', 'sunken', 'galleys', 'masts', 'frozen', 'sailors', 'clinging', 'rigging', 'mackerel', 'swimming', 'portholes', 'barnacles', 'travellers', 'keels', 'cuttlefish', 'cliffs', 'nautilus', 'opal', 'steered', 'mermen', 'harps', 'charm', 'kraken', 'catch', 'slippery', 'porpoises', 'backs', 'mermaids', 'mariners', 'sea-lions', 'tusks', 'sea-horses', 'manes', 'tunny-fish', 'spear', 'well-laden', 'sink', 'touch', 'oftentimes', 'seize', 'dived', 'seal', 'dive', 'became', 'sweeter', 'cunning', 'craft', 'vermilion-finned', 'bossy', 'tunnies', 'shoals', 'heeded', 'unused', 'baskets', 'plaited', 'osier', 'parted', 'listened', 'listening', 'sea-mists', "'little", 'bridegroom', 'human', "'if", 'wouldst', "'of", 'gladness', 'mine', 'depth', 'dwell', 'sung', 'show', 'desirest', "'tell", "'alas", 'souls', 'wistfully', 'span', 'novice', 'wicket', 'latch', "'enter", 'sweet-', 'smelling', "'father", 'hindereth', 'value', "'alack", 'alack', 'eaten', 'herb', 'noblest', 'nobly', 'precious', 'earthly', 'worth', 'forgiven', 'lost', 'beasts', 'field', 'words', 'fauns', 'sit', 'beseech', 'doth', 'profit', 'stand', 'vile', 'knitting', 'pagan', 'accursed', 'singers', 'night-time', 'lure', 'laugh', 'whisper', 'perilous', 'tempt', 'temptations', 'mouths', 'heaven', 'hell', 'neither', 'surrender', "'away", "'thy", 'leman', 'blessing', 'drove', 'clipped', 'piece', 'clothe', 'sea-purple', 'ring', 'minion', 'talk', 'nought', "'how", 'telleth', 'ponder', 'noon', 'gatherer', 'samphire', 'witch', 'dwelt', 'witcheries', 'eager', 'cloud', 'sped', 'itching', 'palm', 'around', 'opening', 'blossoming', "'ye", 'lack', 'steep', "'fish", 'reed-pipe', 'mullet', 'sailing', 'storm', 'wreck', 'wash', 'chests', 'treasure', 'ashore', 'storms', 'serve', 'stronger', 'sieve', 'pail', 'grows', 'knows', 'i.', 'juice', 'milk', 'follow', 'rise', 'pound', 'toad', 'mortar', 'broth', 'stir', 'sprinkle', 'enemy', 'sleeps', 'viper', 'wheel', "'yet", 'driven', 'denied', 'mantle', "'pretty", "'five", 'mockingly', 'weave', 'moonbeams', 'stroked', 'murmured', "'nought", "'then", 'sunset', 'danced', "'when", 'nest', 'circled', 'dunes', 'rustled', 'fretting', 'pebbles', "'to-night", 'mountain', 'sabbath', 'speakest', 'matters', "'go", 'hornbeam', 'dog', 'strike', 'rod', 'willow', 'owl', 'swear', 'question', 'rippled', "'by", 'hoofs', 'goat', 'witches', 'hadst', 'cap', 'box', 'cedarwood', 'frame', 'vervain', 'charcoal', 'coils', 'risen', 'targe', 'metal', 'fishing-boats', 'sulphurous', 'snarled', 'whining', 'bats', "'phew", "'there", 'sniffed', 'shrieked', 'jumped', 'heels', 'shoes', 'dancers', "'faster", 'spin', 'brain', 'troubled', 'aware', 'rock', 'suit', 'cut', 'toying', 'listless', 'riding-gloves', 'gauntleted', 'sewn', 'seed-pearls', 'device', 'lined', 'sables', 'hang', 'shoulder', 'gemmed', 'spell', 'met', 'wherever', 'bayed', "bird's", 'wing', 'touches', "'come", 'besought', 'knowing', 'cross', 'sooner', 'spasm', 'jennet', 'trappings', 'saddle', 'fly', "'loose", 'named', 'wrestling', 'cat', 'biting', 'foam-flecked', 'grass-green', "'ask", 'daughters', 'comely', 'waters', 'fawned', 'frowning', 'keepest', 'madest', 'false', 'judas', 'tree', "'be", 'girdle', 'knife', 'handle', 'skin', 'wondering', 'sea-shore', 'true', 'edge', 'belt', 'climb', "'lo", 'servant', 'twilight', 'lies', 'trouble', 'piteously', 'sure-footed', 'level', 'bronze-limbed', 'well-knit', 'grecian', 'beckoned', 'forms', 'honey-', 'merciful', "'therefore", "'should", 'flute-like', 'depths', "'once", 'horns', 'beach', 'sunk', 'marshes', 'couched', 'shallow', 'east', 'journeyed', 'seventh', 'tartars', 'shade', 'tamarisk', 'shelter', 'burnt', 'flies', 'crawling', 'disk', 'copper', 'rim', 'strung', 'waggons', "'at", 'five', 'missing', 'harnessed', 'trotted', 'opposite', 'direction', 'camp-fire', 'company', 'picketed', 'pitching', 'tents', 'pear', "'as", 'business', 'escaped', 'prophet', 'mohammed', 'negro', 'mare', 'dish', 'lamb', 'flesh', 'roasted', 'daybreak', 'journey', 'red-haired', 'runner', 'mules', 'merchandise', 'forty', 'caravan', 'number', 'curse', 'gryphons', 'guarding', 'scaled', 'snows', 'valleys', 'pygmies', 'arrows', 'hollows', 'drums', 'tower', 'serpents', 'howls', 'brass', 'oxus', 'crossed', 'rafts', 'bladders', 'blown', 'river-horses', 'raged', 'levied', 'tolls', 'maize-cakes', 'baked', 'honey', 'cakes', 'flour', 'dates', 'bead', 'dwellers', 'villages', 'wells', 'hill-summits', 'magadae', 'laktroi', 'sons', 'tigers', 'paint', 'aurantes', 'bury', 'tops', 'caverns', 'krimnians', 'crocodile', 'butter', 'fresh', 'fowls', 'agazonbae', 'dog-faced', 'sibans', 'fortune', 'adder', 'sicken', 'fourth', 'illel', 'night-', 'grove', 'sultry', 'travelling', 'scorpion', 'ripe', 'brake', 'drank', 'juices', 'waited', 'gate', 'sea-dragons', 'guards', 'battlements', 'interpreter', 'island', 'syria', 'hostages', 'crowding', 'crier', 'crying', 'shell', 'uncorded', 'bales', 'figured', 'cloths', 'sycamore', 'ended', 'task', 'wares', 'waxed', 'ethiops', 'sponges', 'tyre', 'sidon', 'cups', 'clay', 'mask', 'gilded', 'bartered', 'craftsmen', 'custom', 'tarried', 'waning', 'wearied', 'streets', 'robes', 'silently', 'rose-red', 'dwelling', 'doors', 'bulls', 'tilted', 'porcelain', 'jutting', 'eaves', 'bells', 'doves', 'tinkle', 'temple', 'paved', 'veined', 'broad', 'serpent-skin', 'plumage', 'mitre', 'decorated', 'crescents', 'yellows', 'frizzed', 'antimony', "'after", 'slanting', 'combed', 'fringes', 'idol', 'bordered', 'orient', 'stature', 'thighs', 'newly-slain', 'kid', 'loins', 'girt', 'beryls', 'heal', "'so", 'breathed', 'lotus', 'emeralds', 'chrysolite', 'smeared', 'myrrh', 'cinnamon', 'ware', 'buskins', 'selenites', 'blind', 'seest', 'reflecteth', 'looketh', 'mirrors', 'opinion', 'hidden', "'love", 'south', 'highways', 'ashter', 'red-dyed', 'pilgrims', 'wont', 'nine', 'stands', 'neighs', 'bedouins', 'cased', 'watch-', 'roofed', 'archer', 'sunrise', 'strikes', 'arrow', 'gong', 'blows', 'dervish', 'mecca', 'koran', 'letters', 'angels', 'entreated', "'inside", 'bazaar', 'narrow', 'lanterns', 'paper', 'flutter', 'roofs', 'booths', 'turbans', 'golden', 'sequins', 'strings', 'peach-stones', 'glide', 'galbanum', 'nard', 'perfumes', 'islands', 'indian', 'nail-shaped', 'cloves', 'stops', 'pinches', 'frankincense', 'brazier', 'syrian', 'almond', 'embossed', 'creamy', 'anklets', 'wire', 'claws', 'leopard', 'pierced', 'finger-rings', 'hollowed', 'tea-houses', 'guitar', 'opium-smokers', 'passers-by', 'wine-sellers', 'elbow', 'schiraz', 'strew', 'fruitsellers', 'figs', 'bruised', 'melons', 'musk', 'topazes', 'citrons', 'rose-apples', 'red-gold', 'oranges', 'oval', 'elephant', 'trunk', 'vermilion', 'turmeric', 'eating', 'bird-sellers', 'caged', 'scourge', "'one", 'palanquin', 'poles', 'muslin', 'beetles', 'pale-faced', 'circassian', 'curiosity', 'square', 'tomb', 'hammer', 'armenian', 'caftan', 'spread', 'mosque', 'beard', 'dyed', 'rose-leaves', 'palms', 'saffron', 'stall', 'eyebrows', 'marvelled', 'boldness', 'counselled', 'flee', 'sellers', 'abominated', 'tea-house', 'inside', 'arcade', 'alabaster', 'tiles', 'pillars', 'peach-blossom', 'veiled', 'hastened', 'butts', 'lances', 'rang', 'watered', 'terraces', 'planted', 'tulip-cups', 'moonflowers', 'silver-studded', 'aloes', 'cypress-trees', 'burnt-out', 'torches', 'approached', 'eunuchs', 'fat', 'swayed', 'yellow-lidded', 'captain', 'guard', 'munching', 'pastilles', 'gesture', 'dismissed', 'plucking', 'mulberries', 'elder', 'motioned', 'drawing', 'gerfalcon', 'perched', 'wrist', 'brass-', 'turbaned', 'nubian', 'mighty', 'scimitar', 'blade', 'whizzed', 'hurt', 'lance', 'flight', 'shaft', 'mid-air', 'dishonour', 'writhed', 'snake', 'bubbled', 'wiped', 'sweat', 'napkin', 'purfled', 'half', 'wondered', 'eight', 'brass-sealed', 'lamps', 'wine-jars', 'brim', 'spoken', 'granite', 'swung', 'dazzled', 'couldst', 'believe', 'tortoise-shells', 'size', 'piled', 'stored', 'elephant-hide', 'gold-dust', 'bottles', 'opals', 'sapphires', 'former', 'latter', 'ranged', 'bags', 'turquoise-stones', 'heaped', 'amethysts', 'chalcedonies', 'sards', 'cedar', 'lynx-stones', 'carbuncles', 'wine-coloured', 'tithe', 'promised', 'drivers', 'share', 'wearest', 'nay', 'leaden', 'riches', 'waits', "world's", 'inn', 'standeth', 'different-coloured', 'wines', 'ate', 'barley', 'served', 'vinegar', 'laid', 'quill', 'pigeons', "'let", 'hence', 'sea-gods', 'jealous', 'monsters', 'haste', 'didst', 'nevertheless', 'jewellers', 'booth', 'hurriedly', 'league', 'jar', "'smite", 'smote', 'smite', 'nowhere', 'rested', 'merchant', 'corded', 'kinsman', 'kinsmen', 'guest-chamber', 'quench', 'thirst', 'rice', 'guest-', "goat's-hair", 'covering', "lamb's-", 'waked', "'rise", 'sleepeth', 'tray', 'purses', 'awoke', "'dost", 'shedding', 'kindness', "'strike", 'swooned', 'hate', 'gavest', 'thyself', 'forget', 'tempted', 'ways', 'anywhere', 'strove', 'stirred', 'avails', 'mayest', 'receiveth', 'punishment', 'reward', "'she", 'worships', 'abide', 'bind', 'dancing-girls', 'samaris', 'henna', 'pleasant', 'eater', 'tulip-trees', 'tails', 'disks', 'feeds', 'stibium', 'swallow', 'hook', 'hangs', 'laughs', 'ankles', 'tight', 'bound', 'wickedness', 'power', 'loosed', 'pours', 'givest', 'wattles', 'abode', 'space', 'pools', 'tide', 'prevail', 'deaf', 'hearken', 'escapes', 'widows', 'fens', 'wallets', 'mend', 'store', 'rivers', 'compassed', 'hurrying', 'received', 'smitten', 'toyed', 'tasted', 'confession', 'shells', 'moaned', 'sea-king', 'hoarsely', "'flee", 'nigher', 'tarriest', 'greatness', 'safety', 'fires', 'destroy', 'evilly', 'cover', 'fulness', 'break', 'bless', 'musicians', 'candle-bearers', 'swingers', 'censers', 'sake', 'forsook', 'lieth', 'judgment', 'fullers', 'resting', 'deaths', 'commanded', 'herbs', 'pit', 'wrath', 'robed', 'understood', 'tabernacle', 'incensed', 'veils', 'sacristy', 'deacons', 'unrobe', 'alb', 'maniple', 'unrobed', 'whence', 'blessed', 'bright-eyed', 'peer', "fullers'", 'remained', 'margot', 'tennant', 'asquith', 'woodcutters', 'pine-forest', 'snow', 'frost', 'snapping', 'twigs', 'mountain-', 'torrent', 'motionless', 'ice-king', 'animals', "'ugh", 'wolf', 'limped', 'brushwood', 'perfectly', 'monstrous', 'government', "'weet", 'weet', 'twittered', 'linnets', 'shroud', 'bridal', 'turtle-doves', 'frost-bitten', 'duty', 'romantic', 'view', 'situation', "'nonsense", 'growled', 'fault', 'thoroughly', 'practical', 'loss', 'argument', "'well", 'woodpecker', 'philosopher', 'atomic', 'theory', 'explanations', 'fir-tree', 'rubbing', 'holes', 'venture', 'enjoy', 'owls', 'rime', 'rolled', "'tu-whit", 'tu-whoo', 'tu-whit', 'blowing', 'lustily', 'stamping', 'iron-shod', 'boots', 'caked', 'drift', 'millers', 'grinding', 'marsh-water', 'faggots', 'bundles', 'pick', 'trust', 'saint', 'martin', 'watches', 'retraced', 'warily', 'village', 'overjoyed', 'deliverance', 'beast', "'truly", "'much", 'injustice', 'parcelled', 'equal', 'division', 'bewailing', 'sky', 'passing', 'clump', 'willow-trees', 'sheepfold', "stone's-throw", 'crook', 'whoever', 'finds', 'mate', 'outstripped', 'forced', 'willows', 'stooping', 'folds', 'comrade', 'divide', 'alas', 'hope', 'perish', 'pot', 'tenderly', 'shield', 'marvelling', 'foolishness', 'softness', 'godspeed', 'husband', 'safe', 'bundle', 'threshold', "'show", 'goodman', "'have", 'changeling', 'bad', 'tend', 'finding', 'appeased', 'careth', 'giveth', 'sparrows', 'feedeth', "'do", 'tremble', 'shivered', "'into", 'closer', 'morrow', 'woodcutter', 'black-haired', 'sawn', 'daffodil', 'pure', 'mower', 'selfish', 'despised', 'parentage', 'maimed', 'afflicted', 'highway', 'beg', 'elsewhere', 'outlaws', 'alms', 'weakly', 'ill-favoured', 'summer', 'winds', 'fairness', 'chide', 'dealest', 'desolate', 'succour', 'teach', 'living', 'roam', 'snare', 'blind-worm', 'mole', 'frown', 'flout', 'fleet', 'ruled', 'beggar-woman', 'garments', 'torn', 'travelled', 'plight', 'chestnut-tree', "'see", 'sitteth', 'green-leaved', 'ill-', 'favoured', 'gaze', 'cleaving', 'rebuked', 'treat', 'truly', 'swoon', 'meat', 'comfort', "'didst", 'ten', "'yea", "'bare", 'star-', 'scornfully', 'recognised', 'tellest', 'playmates', 'drave', 'sealed', 'comeliness', 'forgiveness', 'sorely', 'inquiry', 'perchance', 'blinded', 'linnet', 'clipt', 'squirrel', 'carlots', 'byres', 'mildew', 'hired', 'flints', 'bleed', 'overtake', 'deny', 'sport', 'loving-kindness', 'charity', 'pride', 'strong-walled', 'footsore', 'dropped', 'roughly', 'ye', 'wagged', 'sees', 'marsh', 'crawls', 'fen', 'dwells', 'banner', 'tarrieth', 'pricked', 'helmet', 'evil-visaged', 'pomegranate', 'jars', 'scarf', 'dungeon', 'mouldy', 'trencher', "'eat", 'brackish', "'drink", 'drunk', 'locking', 'fastening', 'subtlest', 'magicians', 'libya', 'giaours', 'bringest', 'stripes', 'ill', 'bought', 'magician', 'sweet-scented', 'gladly', 'briars', 'encompassed', 'nettles', 'stung', 'thistle', 'daggers', 'sore', 'distress', 'morn', 'fate', 'forgetting', 'trap', 'hunter', 'released', 'rendered', 'repaid', 'hundred-fold', 'dealt', 'cowl', 'eyelets', 'gleamed', 'coals', 'clattered', 'money', 'wallet', "'hast", 'rescued', "'follow", 'thank', 'succoured', 'loaded', 'seekest', 'farthest', 'awaited', 'concourse', 'abased', 'saith', 'prophesied', "'mother", 'accept', 'humility', 'hatred', 'rejected', "'thrice", 'sobbed', 'suffering', 'washed', 'clothed', 'banished', 'gifts', 'plenty', 'testing']

In [ ]:

Counting N-grams

NLTK provides simple methods to generate n-gram models or frequency profiles over n-grams from any kind of list or sequence. We can for example generate a bi-gram model, that is an n-grams model for n = 2, from the text tokens:


In [25]:
myTokenBigrams = nltk.ngrams(tokens, 2)

To store the bigrams in a list that we want to process and analyze further, we convert the Python generator object myTokenBigrams to a list:


In [26]:
bigrams = list(myTokenBigrams)

Let us verify that the resulting data structure is indeed a list of string tuples. We will print out the first 20 tuples from the bigram list:


In [27]:
print(bigrams[:20])


[('a', 'house'), ('house', 'of'), ('of', 'pomegranates'), ('pomegranates', 'contents'), ('contents', ':'), (':', 'the'), ('the', 'young'), ('young', 'king'), ('king', 'the'), ('the', 'birthday'), ('birthday', 'of'), ('of', 'the'), ('the', 'infanta'), ('infanta', 'the'), ('the', 'fisherman'), ('fisherman', 'and'), ('and', 'his'), ('his', 'soul'), ('soul', 'the'), ('the', 'star-child')]

We can now verify the number of bigrams and check that there are exactly number of tokens - 1 = number of bigrams in the resulting list:


In [28]:
print(len(bigrams))
print(len(tokens))


38126
38127

The frequency profile from these bigrams is generated in exactly the same way as from the token list in the examples above:


In [29]:
myBigramFD = nltk.FreqDist(bigrams)
print(myBigramFD)


<FreqDist with 17766 samples and 38126 outcomes>

If we would want to know some more general properties of the frequency distribution, we can print out information about it. The print statement for this bigram frequency distribution tells us that we have 17,766 types and 38,126 tokens:


In [30]:
print(myBigramFD)


<FreqDist with 17766 samples and 38126 outcomes>

The bigrams and their corresponding frequencies can be printed using a for loop. We restrict the number of printed items to 20, just to keep this list reasonably long. If you would like to see the full frequency profile, remove the [:20] restrictor.


In [31]:
for bigram in list(myBigramFD.items())[:20]:
    print(bigram[0], bigram[1])
print("...")


('a', 'house') 4
('house', 'of') 5
('of', 'pomegranates') 4
('pomegranates', 'contents') 1
('contents', ':') 1
(':', 'the') 2
('the', 'young') 107
('young', 'king') 24
('king', 'the') 1
('the', 'birthday') 3
('birthday', 'of') 3
('of', 'the') 354
('the', 'infanta') 33
('infanta', 'the') 1
('the', 'fisherman') 5
('fisherman', 'and') 3
('and', 'his') 53
('his', 'soul') 51
('soul', 'the') 1
('the', 'star-child') 41
...

Pretty printing the bigrams is possible as well:


In [32]:
for ngram in list(myBigramFD.items()):
    print(" ".join(ngram[0]), ngram[1])
print("...")


a house 4
house of 5
of pomegranates 4
pomegranates contents 1
contents : 1
: the 2
the young 107
young king 24
king the 1
the birthday 3
birthday of 3
of the 354
the infanta 33
infanta the 1
the fisherman 5
fisherman and 3
and his 53
his soul 51
soul the 1
the star-child 41
star-child the 1
king [ 1
[ to 4
to margaret 1
margaret lady 1
lady brooke 1
brooke -- 1
-- the 4
the ranee 1
ranee of 1
of sarawak 1
sarawak ] 1
] it 2
it was 52
was the 20
the night 3
night before 1
before the 8
the day 7
day fixed 1
fixed for 1
for his 7
his coronation 2
coronation , 3
, and 1271
and the 287
king was 1
was sitting 1
sitting alone 1
alone in 1
in his 31
his beautiful 1
beautiful chamber 1
chamber . 1
. his 8
his courtiers 1
courtiers had 1
had all 2
all taken 1
taken their 1
their leave 1
leave of 1
of him 8
him , 146
, bowing 1
bowing their 1
their heads 5
heads to 1
to the 149
the ground 15
ground , 6
, according 1
according to 1
the ceremonious 1
ceremonious usage 1
usage of 1
day , 3
and had 9
had retired 2
retired to 2
the great 25
great hall 2
hall of 1
the palace 18
palace , 5
, to 6
to receive 1
receive a 1
a few 9
few last 1
last lessons 1
lessons from 1
from the 69
the professor 1
professor of 1
of etiquette 1
etiquette ; 1
; there 2
there being 1
being some 1
some of 10
of them 28
them who 1
who had 13
had still 1
still quite 1
quite natural 1
natural manners 1
manners , 1
, which 15
which in 1
in a 46
a courtier 1
courtier is 1
is , 1
, i 20
i need 1
need hardly 1
hardly say 1
say , 1
, a 12
a very 2
very grave 1
grave offence 1
offence . 1
. the 112
the lad 2
lad -- 1
-- for 1
for he 8
he was 43
was only 4
only a 6
a lad 2
lad , 1
, being 5
being but 2
but sixteen 1
sixteen years 1
years of 5
of age 4
age -- 1
-- was 1
was not 6
not sorry 1
sorry at 1
at their 5
their departure 1
departure , 1
had flung 1
flung himself 6
himself back 1
back with 2
with a 43
a deep 3
deep sigh 1
sigh of 1
of relief 1
relief on 1
on the 80
the soft 3
soft cushions 1
cushions of 1
of his 41
his embroidered 2
embroidered couch 1
couch , 3
, lying 1
lying there 1
there , 4
, wild-eyed 1
wild-eyed and 1
and open-mouthed 1
open-mouthed , 1
, like 9
like a 17
a brown 2
brown woodland 1
woodland faun 1
faun , 1
, or 27
or some 2
some young 1
young animal 1
animal of 1
the forest 30
forest newly 1
newly snared 1
snared by 1
by the 36
the hunters 2
hunters . 1
. and 205
and , 18
, indeed 6
indeed , 9
, it 9
hunters who 1
had found 2
found him 2
, coming 2
coming upon 1
upon him 7
him almost 1
almost by 1
by chance 1
chance as 1
as , 1
, bare-limbed 1
bare-limbed and 1
and pipe 2
pipe in 1
in hand 1
hand , 17
, he 73
was following 1
following the 1
the flock 1
flock of 1
the poor 6
poor goatherd 1
goatherd who 1
had brought 3
brought him 6
him up 3
up , 13
and whose 4
whose son 1
son he 1
he had 63
had always 3
always fancied 1
fancied himself 1
himself to 1
to be 17
be . 3
the child 15
child of 5
the old 13
old king 2
king 's 13
's only 2
only daughter 2
daughter by 1
by a 13
a secret 2
secret marriage 1
marriage with 1
with one 2
one much 1
much beneath 1
beneath her 3
her in 8
in station 1
station -- 1
-- a 2
a stranger 1
stranger , 1
, some 8
some said 2
said , 49
, who 30
who , 1
, by 2
the wonderful 3
wonderful magic 1
magic of 1
his lute-playing 1
lute-playing , 1
, had 10
had made 2
made the 4
young princess 1
princess love 1
love him 1
him ; 1
; while 1
while others 1
others spoke 1
spoke of 2
of an 5
an artist 1
artist from 1
from rimini 1
rimini , 1
to whom 1
whom the 2
the princess 2
princess had 1
had shown 2
shown much 2
much , 2
, perhaps 2
perhaps too 1
too much 2
much honour 1
honour , 1
and who 4
had suddenly 1
suddenly disappeared 1
disappeared from 1
the city 34
city , 15
, leaving 1
leaving his 1
his work 1
work in 1
in the 158
the cathedral 5
cathedral unfinished 1
unfinished -- 1
-- he 1
had been 38
been , 2
, when 15
when but 1
but a 14
a week 1
week old 1
old , 3
, stolen 1
stolen away 1
away from 8
from his 28
his mother 6
mother 's 2
's side 1
side , 7
, as 29
as she 13
she slept 1
slept , 1
and given 1
given into 1
into the 55
the charge 1
charge of 1
of a 48
a common 1
common peasant 1
peasant and 1
his wife 7
wife , 1
who were 5
were without 1
without children 1
children of 10
of their 15
their own 2
own , 4
and lived 1
lived in 3
a remote 2
remote part 2
part of 6
forest , 17
, more 1
more than 4
than a 3
a day 9
day 's 6
's ride 1
ride from 1
the town 4
town . 1
. grief 1
grief , 2
or the 6
the plague 2
plague , 1
as the 20
the court 4
court physician 1
physician stated 1
stated , 1
or , 1
as some 1
some suggested 1
suggested , 1
a swift 1
swift italian 1
italian poison 1
poison administered 1
administered in 1
a cup 5
cup of 3
of spiced 1
spiced wine 1
wine , 2
, slew 1
slew , 1
, within 1
within an 1
an hour 1
hour of 4
of her 17
her wakening 1
wakening , 1
, the 70
the white 16
white girl 1
girl who 1
had given 6
given him 2
him birth 1
birth , 1
and as 27
the trusty 1
trusty messenger 1
messenger who 1
who bare 2
bare the 1
child across 1
across his 1
his saddle-bow 1
saddle-bow stooped 1
stooped from 1
his weary 1
weary horse 1
horse and 2
and knocked 6
knocked at 2
at the 55
the rude 1
rude door 1
door of 3
the goatherd 2
goatherd 's 2
's hut 1
hut , 1
the body 14
body of 8
princess was 1
was being 2
being lowered 1
lowered into 1
into an 1
an open 1
open grave 1
grave that 1
that had 16
been dug 1
dug in 1
a deserted 1
deserted churchyard 1
churchyard , 1
, beyond 1
beyond the 2
city gates 1
gates , 1
a grave 1
grave where 1
where it 2
was said 2
said that 3
that another 1
another body 1
body was 4
was also 1
also lying 1
lying , 1
, that 26
that of 1
a young 1
young man 1
man of 1
of marvellous 1
marvellous and 2
and foreign 1
foreign beauty 1
beauty , 4
, whose 3
whose hands 1
hands were 3
were tied 1
tied behind 1
behind him 6
him with 12
a knotted 1
knotted cord 1
cord , 1
whose breast 1
breast was 1
was stabbed 1
stabbed with 1
with many 2
many red 1
red wounds 1
wounds . 1
. such 1
such , 1
, at 5
at least 2
least , 1
, was 6
the story 1
story that 1
that men 2
men whispered 1
whispered to 3
to each 12
each other 15
other . 4
. certain 1
certain it 1
was that 1
that the 36
king , 17
when on 1
on his 19
his deathbed 1
deathbed , 1
, whether 1
whether moved 1
moved by 1
by remorse 1
remorse for 1
his great 2
great sin 1
sin , 1
or merely 1
merely desiring 1
desiring that 1
the kingdom 1
kingdom should 1
should not 2
not pass 1
pass away 1
his line 1
line , 1
had had 2
had the 4
lad sent 1
sent for 2
for , 3
, in 14
the presence 2
presence of 2
the council 1
council , 1
had acknowledged 1
acknowledged him 1
him as 5
as his 3
his heir 1
heir . 1
and it 34
it seems 1
seems that 1
that from 1
the very 2
very first 1
first moment 1
moment of 1
his recognition 1
recognition he 1
shown signs 1
signs of 1
of that 3
that strange 1
strange passion 1
passion for 2
for beauty 1
beauty that 1
that was 23
was destined 1
destined to 1
to have 9
have so 1
so great 7
great an 1
an influence 1
influence over 1
over his 5
his life 3
life . 1
. those 1
those who 13
who accompanied 1
accompanied him 1
him to 8
the suite 1
suite of 1
of rooms 1
rooms set 1
set apart 1
apart for 1
his service 2
service , 2
, often 1
often spoke 1
the cry 4
cry of 9
of pleasure 3
pleasure that 3
that broke 2
broke from 4
his lips 11
lips when 1
when he 43
he saw 18
saw the 11
the delicate 1
delicate raiment 1
raiment and 1
and rich 1
rich jewels 1
jewels that 2
been prepared 1
prepared for 2
for him 8
and of 8
the almost 1
almost fierce 1
fierce joy 1
joy with 1
with which 3
which he 9
he flung 4
flung aside 1
aside his 1
his rough 2
rough leathern 1
leathern tunic 2
tunic and 2
and coarse 1
coarse sheepskin 1
sheepskin cloak 2
cloak . 1
. he 64
he missed 1
missed , 1
at times 1
times the 1
the fine 2
fine freedom 1
freedom of 1
his forest 1
forest life 1
life , 5
and was 12
was always 1
always apt 1
apt to 1
to chafe 1
chafe at 1
the tedious 1
tedious court 1
court ceremonies 1
ceremonies that 1
that occupied 1
occupied so 1
so much 4
much of 1
of each 5
each day 2
, but 96
but the 36
wonderful palace 1
palace -- 1
-- joyeuse 1
joyeuse , 1
as they 17
they called 1
called it 1
it -- 1
-- of 1
of which 4
he now 1
now found 1
found himself 4
himself lord 1
lord , 6
, seemed 6
seemed to 22
to him 77
be a 2
a new 1
new world 2
world fresh-fashioned 1
fresh-fashioned for 1
his delight 1
delight ; 1
; and 25
as soon 2
soon as 3
as he 30
he could 11
could escape 1
escape from 2
the council-board 1
council-board or 1
or audience-chamber 1
audience-chamber , 1
he would 21
would run 1
run down 1
down the 14
great staircase 1
staircase , 2
, with 20
with its 8
its lions 1
lions of 1
of gilt 2
gilt bronze 1
bronze and 1
and its 7
its steps 1
steps of 4
of bright 5
bright porphyry 2
porphyry , 2
and wander 2
wander from 1
from room 1
room to 1
to room 1
room , 6
and from 5
from corridor 1
corridor to 1
to corridor 1
corridor , 1
like one 2
one who 9
who was 21
was seeking 2
seeking to 1
to find 3
find in 1
in beauty 1
beauty an 1
an anodyne 1
anodyne from 1
from pain 1
pain , 3
a sort 2
sort of 2
of restoration 1
restoration from 1
from sickness 1
sickness . 1
. upon 1
upon these 1
these journeys 1
journeys of 1
of discovery 1
discovery , 1
would call 2
call them 1
them -- 1
-- and 1
, they 19
they were 9
were to 2
him real 1
real voyages 1
voyages through 1
through a 8
a marvellous 4
marvellous land 1
land , 2
would sometimes 1
sometimes be 1
be accompanied 1
accompanied by 1
the slim 1
slim , 1
, fair-haired 1
fair-haired court 1
court pages 1
pages , 1
with their 18
their floating 2
floating mantles 1
mantles , 1
and gay 1
gay fluttering 1
fluttering ribands 1
ribands ; 1
; but 1
but more 2
more often 1
often he 1
would be 5
be alone 1
alone , 5
, feeling 1
feeling through 1
a certain 2
certain quick 1
quick instinct 1
instinct , 1
which was 3
was almost 2
almost a 1
a divination 1
divination , 1
the secrets 1
secrets of 1
of art 1
art are 1
are best 1
best learned 1
learned in 1
in secret 1
secret , 1
and that 14
that beauty 1
like wisdom 1
wisdom , 4
, loves 1
loves the 1
the lonely 2
lonely worshipper 1
worshipper . 1
. many 2
many curious 1
curious stories 1
stories were 1
were related 1
related about 1
about him 2
him at 1
at this 2
this period 1
period . 1
. it 26
that a 2
a stout 1
stout burgo-master 1
burgo-master , 1
had come 8
come to 8
to deliver 1
deliver a 1
a florid 1
florid oratorical 1
oratorical address 1
address on 1
on behalf 1
behalf of 1
the citizens 1
citizens of 1
town , 2
had caught 1
caught sight 3
sight of 3
him kneeling 1
kneeling in 1
in real 1
real adoration 1
adoration before 1
before a 1
a great 29
great picture 1
picture that 1
had just 3
just been 1
been brought 2
brought from 1
from venice 1
venice , 1
that seemed 1
to herald 1
herald the 1
the worship 1
worship of 1
of some 8
some new 1
new gods 1
gods . 1
. on 13
on another 1
another occasion 1
occasion he 1
been missed 1
missed for 1
for several 1
several hours 1
hours , 1
and after 17
after a 9
a lengthened 1
lengthened search 1
search had 1
been discovered 3
discovered in 2
a little 32
little chamber 1
chamber in 2
in one 4
one of 25
the northern 1
northern turrets 1
turrets of 1
palace gazing 1
gazing , 1
as one 9
one in 3
a trance 1
trance , 1
at a 4
a greek 1
greek gem 1
gem carved 1
carved with 2
with the 45
the figure 2
figure of 1
of adonis 1
adonis . 1
been seen 3
seen , 2
, so 21
so the 10
the tale 2
tale ran 1
ran , 3
, pressing 1
pressing his 1
his warm 1
warm lips 1
lips to 1
the marble 1
marble brow 1
brow of 1
an antique 1
antique statue 1
statue that 1
the bed 4
bed of 4
the river 4
river on 1
the occasion 5
occasion of 4
the building 1
building of 1
the stone 2
stone bridge 1
bridge , 1
was inscribed 1
inscribed with 1
the name 3
name of 3
the bithynian 1
bithynian slave 1
slave of 1
of hadrian 1
hadrian . 1
had passed 3
passed a 1
a whole 1
whole night 1
night in 1
in noting 1
noting the 1
the effect 1
effect of 1
the moonlight 2
moonlight on 1
on a 18
a silver 1
silver image 1
image of 5
of endymion 1
endymion . 1
. all 4
all rare 1
rare and 1
and costly 1
costly materials 1
materials had 1
had certainly 1
certainly a 1
great fascination 1
fascination for 1
and in 34
his eagerness 1
eagerness to 1
to procure 1
procure them 1
them he 3
had sent 2
sent away 1
away many 1
many merchants 1
merchants , 1
some to 3
to traffic 1
traffic for 1
for amber 1
amber with 1
the rough 2
rough fisher-folk 1
fisher-folk of 1
the north 2
north seas 2
seas , 1
to egypt 1
egypt to 1
to look 13
look for 2
for that 2
that curious 1
curious green 1
green turquoise 1
turquoise which 1
which is 8
is found 1
found only 1
only in 1
the tombs 2
tombs of 2
of kings 2
kings , 2
and is 3
is said 1
said to 79
to possess 1
possess magical 1
magical properties 1
properties , 1
to persia 1
persia for 1
for silken 1
silken carpets 2
carpets and 1
and painted 1
painted pottery 1
pottery , 1
and others 5
others to 2
to india 1
india to 1
to buy 1
buy gauze 1
gauze and 1
and stained 1
stained ivory 1
ivory , 8
, moonstones 1
moonstones and 1
and bracelets 1
bracelets of 1
of jade 4
jade , 2
, sandal-wood 1
sandal-wood and 1
and blue 2
blue enamel 2
enamel and 1
and shawls 1
shawls of 1
of fine 4
fine wool 1
wool . 1
. but 44
but what 4
what had 1
had occupied 1
occupied him 1
him most 1
most was 1
the robe 5
robe he 1
was to 9
to wear 1
wear at 1
at his 8
robe of 5
of tissued 2
tissued gold 2
gold , 24
the ruby-studded 1
ruby-studded crown 1
crown , 4
the sceptre 6
sceptre with 1
its rows 1
rows and 1
and rings 1
rings of 2
of pearls 2
pearls . 5
. indeed 7
was of 8
of this 7
this that 4
that he 47
was thinking 1
thinking to-night 1
to-night , 4
he lay 2
lay back 1
back on 2
his luxurious 1
luxurious couch 1
, watching 2
watching the 2
great pinewood 1
pinewood log 1
log that 1
was burning 1
burning itself 1
itself out 1
out on 3
the open 5
open hearth 1
hearth . 1
the designs 1
designs , 1
which were 3
were from 1
the hands 2
hands of 5
the most 9
most famous 1
famous artists 1
artists of 1
the time 2
time , 4
been submitted 1
submitted to 1
him many 1
many months 1
months before 1
before , 5
and he 89
given orders 3
orders that 3
the artificers 1
artificers were 1
to toil 3
toil night 1
night and 1
and day 1
day to 2
to carry 1
carry them 1
them out 1
out , 8
the whole 12
whole world 8
world was 1
be searched 1
searched for 3
for jewels 1
that would 2
be worthy 1
worthy of 1
their work 1
work . 1
saw himself 1
himself in 5
in fancy 1
fancy standing 1
standing at 1
the high 6
high altar 3
altar of 3
cathedral in 1
the fair 4
fair raiment 3
raiment of 3
a king 16
and a 47
a smile 2
smile played 1
played and 2
and lingered 1
lingered about 1
about his 2
his boyish 1
boyish lips 1
lips , 9
and lit 1
lit up 2
up with 5
a bright 1
bright lustre 1
lustre his 1
his dark 1
dark woodland 1
woodland eyes 1
eyes . 8
. after 3
after some 3
some time 3
time he 1
he rose 11
rose from 1
his seat 1
seat , 1
and leaning 2
leaning against 1
against the 1
the carved 2
carved penthouse 1
penthouse of 1
the chimney 1
chimney , 1
, looked 1
looked round 2
round at 2
the dimly-lit 1
dimly-lit room 1
room . 3
the walls 10
walls were 4
were hung 3
hung with 6
with rich 1
rich tapestries 1
tapestries representing 1
representing the 1
the triumph 1
triumph of 1
of beauty 3
beauty . 3
. a 20
a large 3
large press 1
press , 1
, inlaid 2
inlaid with 4
with agate 1
agate and 1
and lapis- 1
lapis- lazuli 1
lazuli , 1
, filled 2
filled one 1
one corner 2
corner , 1
and facing 1
facing the 2
the window 6
window stood 1
stood a 5
a curiously 1
curiously wrought 2
wrought cabinet 1
cabinet with 1
with lacquer 1
lacquer panels 1
panels of 1
of powdered 2
powdered and 1
and mosaiced 1
mosaiced gold 1
, on 5
on which 6
were placed 1
placed some 1
some delicate 1
delicate goblets 1
goblets of 1
of venetian 1
venetian glass 1
glass , 2
of dark-veined 1
dark-veined onyx 1
onyx . 2
. pale 2
pale poppies 1
poppies were 1
were broidered 2
broidered on 2
the silk 1
silk coverlet 1
coverlet of 1
bed , 2
as though 2
though they 2
they had 23
had fallen 4
fallen from 2
the tired 1
tired hands 1
of sleep 1
sleep , 1
and tall 1
tall reeds 1
reeds of 2
of fluted 1
fluted ivory 1
ivory bare 1
bare up 1
up the 15
the velvet 1
velvet canopy 1
canopy , 3
, from 1
from which 3
which great 1
great tufts 1
tufts of 1
of ostrich 2
ostrich plumes 1
plumes sprang 1
sprang , 1
like white 1
white foam 3
foam , 1
the pallid 2
pallid silver 1
silver of 1
the fretted 1
fretted ceiling 1
ceiling . 2
a laughing 1
laughing narcissus 1
narcissus in 1
in green 1
green bronze 1
bronze held 1
held a 3
a polished 1
polished mirror 1
mirror above 1
above its 1
its head 1
head . 9
the table 1
table stood 1
a flat 1
flat bowl 1
bowl of 4
of amethyst 1
amethyst . 1
. outside 1
outside he 1
could see 2
see the 5
the huge 4
huge dome 1
dome of 1
cathedral , 3
, looming 1
looming like 1
a bubble 1
bubble over 1
over the 28
the shadowy 1
shadowy houses 1
houses , 1
the weary 1
weary sentinels 1
sentinels pacing 1
pacing up 1
up and 16
and down 6
down on 8
the misty 1
misty terrace 1
terrace by 1
river . 3
. far 1
far away 2
away , 16
in an 2
an orchard 1
orchard , 2
a nightingale 2
nightingale was 2
was singing 2
singing . 3
a faint 1
faint perfume 1
perfume of 1
of jasmine 1
jasmine came 1
came through 1
through the 58
open window 2
window . 1
he brushed 2
brushed his 2
his brown 4
brown curls 2
curls back 1
back from 2
his forehead 2
forehead , 3
and taking 5
taking up 1
up a 4
a lute 2
lute , 2
, let 6
let his 1
his fingers 3
fingers stray 1
stray across 1
across the 13
the cords 2
cords . 1
his heavy 1
heavy eyelids 2
eyelids drooped 2
drooped , 1
a strange 4
strange languor 1
languor came 1
came over 4
over him 4
him . 44
. never 2
never before 2
before had 1
had he 5
he felt 3
felt so 1
so keenly 1
keenly , 1
or with 1
with such 3
such exquisite 1
exquisite joy 1
joy , 6
the magic 1
magic and 1
the mystery 1
mystery of 1
of beautiful 1
beautiful things 1
things . 8
. when 24
when midnight 1
midnight sounded 1
sounded from 1
the clock-tower 1
clock-tower he 1
he touched 4
touched a 1
a bell 1
bell , 2
his pages 1
pages entered 1
entered and 2
and disrobed 1
disrobed him 1
with much 4
much ceremony 1
ceremony , 1
, pouring 1
pouring rose-water 1
rose-water over 1
his hands 15
hands , 7
and strewing 1
strewing flowers 1
flowers on 1
his pillow 1
pillow . 1
few moments 5
moments after 1
after that 10
that they 16
had left 1
left the 1
the room 9
he fell 8
fell asleep 5
asleep . 5
he slept 1
slept he 1
he dreamed 1
dreamed a 1
a dream 4
dream , 2
and this 7
this was 4
was his 12
his dream 3
dream . 4
he thought 7
thought that 7
was standing 1
standing in 1
a long 3
long , 4
, low 1
low attic 1
attic , 1
, amidst 1
amidst the 1
the whir 1
whir and 1
and clatter 1
clatter of 1
of many 2
many looms 1
looms . 1
the meagre 1
meagre daylight 1
daylight peered 1
peered in 1
in through 2
the grated 1
grated windows 1
windows , 1
and showed 5
showed him 1
him the 15
the gaunt 2
gaunt figures 1
figures of 2
the weavers 2
weavers bending 1
bending over 1
over their 2
their cases 1
cases . 1
pale , 6
, sickly-looking 1
sickly-looking children 1
children were 2
were crouched 1
crouched on 1
huge crossbeams 1
crossbeams . 1
. as 13
the shuttles 2
shuttles dashed 1
dashed through 1
the warp 1
warp they 1
they lifted 1
lifted up 2
the heavy 3
heavy battens 1
battens , 1
and when 71
when the 47
shuttles stopped 1
stopped they 1
they let 2
let the 1
the battens 1
battens fall 1
fall and 1
and pressed 2
pressed the 1
the threads 2
threads together 1
together . 1
. their 7
their faces 2
faces were 1
were pinched 1
pinched with 1
with famine 1
famine , 2
and their 15
their thin 1
thin hands 1
hands shook 1
shook and 2
and trembled 1
trembled . 4
. some 5
some haggard 1
haggard women 1
women were 1
were seated 2
seated at 1
a table 2
table sewing 1
sewing . 1
a horrible 1
horrible odour 1
odour filled 1
filled the 3
the place 6
place . 3
the air 11
air was 3
was foul 1
foul and 1
and heavy 2
heavy , 3
walls dripped 1
dripped and 1
and streamed 1
streamed with 1
with damp 1
damp . 1
king went 1
went over 2
over to 3
to one 1
weavers , 1
and stood 7
stood by 5
by him 2
him and 12
and watched 3
watched him 6
the weaver 5
weaver looked 1
looked at 16
at him 24
him angrily 1
angrily , 2
and said 77
, 'why 12
'why art 2
art thou 8
thou watching 1
watching me 1
me ? 14
? art 1
thou a 2
a spy 1
spy set 1
set on 2
on us 3
us by 2
by our 1
our master 2
master ? 2
? ' 84
' 'who 1
'who is 4
is thy 11
thy master 1
' asked 6
asked the 7
king . 8
. 'our 1
'our master 1
master ! 1
! ' 18
' cried 22
cried the 19
weaver , 4
, bitterly 1
bitterly . 2
. 'he 9
'he is 4
is a 16
a man 12
man like 1
like myself 1
myself . 1
, there 5
there is 20
is but 10
but this 3
this difference 1
difference between 1
between us 1
us -- 1
-- that 1
he wears 1
wears fine 1
fine clothes 1
clothes while 1
while i 2
i go 3
go in 2
in rags 3
rags , 1
that while 1
i am 32
am weak 1
weak from 1
from hunger 1
hunger he 1
he suffers 1
suffers not 1
not a 11
little from 1
from overfeeding 1
overfeeding . 1
. ' 193
' 'the 3
'the land 1
land is 1
is free 1
free , 3
, ' 155
' said 28
said the 24
, 'and 14
'and thou 1
thou art 20
art no 1
no man's 1
man's slave 1
slave . 5
' 'in 1
'in war 1
war , 1
' answered 16
answered the 10
, 'the 5
'the strong 1
strong make 1
make slaves 2
slaves of 2
the weak 1
weak , 1
in peace 2
peace the 1
the rich 6
rich make 1
poor . 1
. we 10
we must 3
must work 1
work to 1
to live 1
live , 2
and they 34
they give 1
give us 2
us such 1
such mean 1
mean wages 1
wages that 1
that we 7
we die 1
die . 1
we toil 1
toil for 4
for them 5
them all 2
all day 7
day long 8
they heap 1
heap up 1
up gold 1
gold in 3
in their 13
their coffers 1
coffers , 1
and our 2
our children 1
children fade 1
fade away 1
away before 2
before their 1
their time 1
the faces 1
faces of 1
of those 4
those we 1
we love 1
love become 1
become hard 1
hard and 2
and evil 3
evil . 3
we tread 1
tread out 1
out the 5
the grapes 1
grapes , 2
and another 3
another drinks 1
drinks the 1
the wine 3
wine . 3
we sow 1
sow the 1
the corn 3
corn , 4
our own 3
own board 1
board is 1
is empty 1
empty . 4
we have 7
have chains 1
chains , 2
, though 13
though no 1
no eye 1
eye beholds 1
beholds them 1
them ; 5
and are 3
are slaves 1
slaves , 1
though men 2
men call 3
call us 1
us free 1
free . 1
' 'is 1
'is it 2
it so 3
so with 2
with all 4
all ? 1
' he 37
he asked 6
asked , 1
, 'it 10
'it is 10
is so 4
all , 4
, 'with 1
'with the 1
young as 1
as well 3
well as 3
as with 3
the women 2
women as 1
the men 2
men , 6
the little 54
little children 4
children as 2
with those 2
who are 5
are stricken 1
stricken in 1
in years 1
years . 1
the merchants 9
merchants grind 1
grind us 1
us down 1
down , 4
and we 7
must needs 2
needs do 1
do their 2
their bidding 2
bidding . 3
the priest 21
priest rides 1
rides by 1
by and 1
and tells 1
tells his 1
his beads 1
beads , 1
and no 3
no man 4
man has 1
has care 1
care of 5
of us 2
us . 11
. through 2
through our 1
our sunless 1
sunless lanes 1
lanes creeps 1
creeps poverty 1
poverty with 1
with her 18
her hungry 1
hungry eyes 1
eyes , 12
and sin 1
sin with 1
with his 18
his sodden 1
sodden face 1
face follows 1
follows close 1
close behind 1
behind her 2
her . 15
. misery 1
misery wakes 1
wakes us 1
us in 1
the morning 8
morning , 3
and shame 1
shame sits 1
sits with 1
with us 5
us at 2
at night 4
night . 1
what are 1
are these 1
these things 7
things to 1
to thee 15
thee ? 10
? thou 1
art not 1
not one 2
. thy 2
thy face 3
face is 1
is too 2
too happy 1
happy . 1
' and 108
he turned 6
turned away 2
away scowling 1
scowling , 1
and threw 7
threw the 2
the shuttle 1
shuttle across 1
the loom 2
loom , 1
king saw 1
saw that 10
that it 11
was threaded 1
threaded with 1
a thread 2
thread of 2
of gold 21
gold . 16
great terror 3
terror seized 2
seized upon 1
he said 20
, 'what 11
'what robe 1
robe is 1
is this 9
that thou 23
art weaving 1
weaving ? 1
' 'it 1
is the 15
robe for 1
for the 47
the coronation 1
coronation of 1
he answered 17
answered ; 3
; 'what 2
'what is 5
is that 3
that to 2
king gave 1
gave a 8
a loud 4
loud cry 2
cry and 2
and woke 4
woke , 4
and lo 11
lo ! 14
! he 1
was in 9
his own 13
own chamber 1
chamber , 4
and through 6
window he 2
great honey-coloured 1
honey-coloured moon 1
moon hanging 1
hanging in 1
the dusky 2
dusky air 2
air . 7
asleep again 2
again and 4
and dreamed 2
dreamed , 2
was lying 6
lying on 4
the deck 3
deck of 1
a huge 1
huge galley 1
galley that 1
being rowed 1
rowed by 1
a hundred 2
hundred slaves 1
slaves . 2
a carpet 2
carpet by 1
by his 7
his side 6
side the 1
the master 5
master of 5
the galley 6
galley was 1
was seated 2
seated . 1
was black 1
black as 1
as ebony 1
ebony , 2
his turban 3
turban was 1
of crimson 2
crimson silk 2
silk . 1
. great 1
great earrings 1
earrings of 3
of silver 10
silver dragged 1
dragged down 1
the thick 2
thick lobes 1
lobes of 1
his ears 5
ears , 3
hands he 1
had a 8
a pair 3
pair of 3
of ivory 5
ivory scales 1
scales . 1
the slaves 4
slaves were 1
were naked 2
naked , 1
but for 3
for a 22
a ragged 1
ragged loin-cloth 1
loin-cloth , 1
and each 7
each man 3
man was 3
was chained 1
chained to 1
to his 36
his neighbour 1
neighbour . 1
the hot 3
hot sun 1
sun beat 1
beat brightly 1
brightly upon 1
upon them 1
them , 35
the negroes 10
negroes ran 1
ran up 2
the gangway 1
gangway and 1
and lashed 1
lashed them 1
them with 2
with whips 1
whips of 1
of hide 1
hide . 2
. they 29
they stretched 1
stretched out 2
out their 4
their lean 1
lean arms 1
arms and 2
and pulled 1
pulled the 1
heavy oars 1
oars through 1
the water 11
water . 8
the salt 2
salt spray 1
spray flew 1
flew from 1
the blades 1
blades . 1
. at 8
at last 10
last they 3
they reached 2
reached a 1
little bay 4
bay , 1
and began 9
began to 15
to take 4
take soundings 1
soundings . 1
a light 1
light wind 1
wind blew 4
blew from 2
the shore 15
shore , 3
and covered 2
covered the 3
deck and 1
great lateen 1
lateen sail 1
sail with 1
a fine 2
fine red 1
red dust 2
dust . 2
. three 3
three arabs 1
arabs mounted 1
mounted on 1
on wild 1
wild asses 1
asses rode 1
rode out 1
out and 5
threw spears 1
spears at 1
at them 7
them . 22
galley took 1
took a 3
a painted 2
painted bow 1
bow in 2
his hand 21
hand and 8
and shot 1
shot one 1
them in 4
the throat 3
throat . 2
fell heavily 1
heavily into 1
the surf 5
surf , 3
his companions 5
companions galloped 1
galloped away 2
away . 8
a woman 2
woman wrapped 1
wrapped in 3
a yellow 3
yellow veil 1
veil followed 1
followed slowly 1
slowly on 1
a camel 1
camel , 1
, looking 4
looking back 1
back now 1
now and 2
and then 5
then at 4
the dead 5
dead body 1
body . 1
had cast 1
cast anchor 1
anchor and 1
and hauled 1
hauled down 1
the sail 1
sail , 1
negroes went 1
went into 2
the hold 1
hold and 1
and brought 4
brought up 3
long rope-ladder 1
rope-ladder , 1
, heavily 1
heavily weighted 1
weighted with 1
with lead 1
lead . 1
galley threw 1
threw it 4
it over 1
the side 7
, making 1
making the 2
the ends 1
ends fast 1
fast to 1
to two 1
two iron 1
iron stanchions 1
stanchions . 1
. then 9
then the 3
negroes seized 2
seized the 1
the youngest 2
youngest of 2
slaves and 1
knocked his 1
his gyves 1
gyves off 1
off , 2
and filled 2
filled his 1
his nostrils 3
nostrils and 1
ears with 2
with wax 2
wax , 2
and tied 1
tied a 2
a big 1
big stone 1
stone round 1
round his 3
his waist 1
waist . 1
he crept 3
crept wearily 1
wearily down 1
the ladder 2
ladder , 1
and disappeared 1
disappeared into 1
the sea 38
sea . 4
few bubbles 1
bubbles rose 1
rose where 1
where he 1
he sank 1
sank . 1
the other 13
other slaves 1
slaves peered 1
peered curiously 1
curiously over 1
side . 6
the prow 1
prow of 1
galley sat 1
sat a 1
a shark-charmer 1
shark-charmer , 1
, beating 1
beating monotonously 1
monotonously upon 1
upon a 5
a drum 1
drum . 1
time the 1
the diver 2
diver rose 1
rose up 20
up out 1
out of 48
water , 11
and clung 1
clung panting 1
panting to 1
ladder with 1
a pearl 2
pearl in 1
his right 2
right hand 3
hand . 6
seized it 3
it from 6
from him 9
and thrust 2
thrust him 1
him back 1
back . 1
slaves fell 1
asleep over 1
their oars 1
oars . 1
. again 1
and again 1
again he 1
he came 12
came up 3
each time 1
time that 2
he did 3
did so 3
so he 15
he brought 2
brought with 2
with him 16
him a 5
a beautiful 4
beautiful pearl 1
pearl . 4
galley weighed 1
weighed them 1
and put 12
put them 1
them into 1
into a 12
little bag 1
bag of 1
of green 9
green leather 2
leather . 2
king tried 1
tried to 5
to speak 5
speak , 1
but his 8
his tongue 1
tongue seemed 1
to cleave 1
cleave to 1
the roof 2
roof of 3
his mouth 1
mouth , 3
lips refused 1
refused to 1
to move 3
move . 2
negroes chattered 1
chattered to 3
other , 8
to quarrel 1
quarrel over 1
over a 1
a string 1
string of 1
bright beads 1
beads . 2
. two 2
two cranes 1
cranes flew 1
flew round 2
round and 8
and round 6
round the 11
the vessel 1
vessel . 2
diver came 1
up for 2
the last 1
last time 1
the pearl 3
pearl that 1
him was 2
was fairer 2
fairer than 5
than all 4
all the 24
the pearls 2
pearls of 1
of ormuz 1
ormuz , 1
, for 85
for it 13
was shaped 1
shaped like 2
like the 11
the full 1
full moon 1
moon , 6
and whiter 2
whiter than 5
than the 15
morning star 2
star . 2
his face 14
face was 6
was strangely 2
strangely pale 2
fell upon 6
upon the 22
deck the 1
the blood 3
blood gushed 1
gushed from 1
ears and 1
and nostrils 1
nostrils . 3
he quivered 1
quivered for 1
little , 2
then he 4
was still 4
still . 4
negroes shrugged 1
shrugged their 1
their shoulders 4
shoulders , 2
body overboard 1
overboard . 1
galley laughed 1
laughed , 11
, reaching 1
reaching out 1
he took 14
took the 13
pearl , 1
saw it 3
it he 2
he pressed 1
pressed it 2
it to 10
forehead and 1
and bowed 3
bowed . 1
. 'it 7
'it shall 1
shall be 10
be , 1
, 'for 5
'for the 2
sceptre of 3
he made 14
made a 8
a sign 1
sign to 1
negroes to 1
to draw 1
draw up 1
the anchor 1
anchor . 1
king heard 1
heard this 1
this he 1
he gave 8
great cry 4
cry , 2
the long 6
long grey 1
grey fingers 1
fingers of 1
the dawn 3
dawn clutching 1
clutching at 1
the fading 1
fading stars 1
stars . 1
again , 15
was wandering 1
wandering through 1
a dim 1
dim wood 1
wood , 8
, hung 2
with strange 2
strange fruits 1
fruits and 1
and with 21
with beautiful 1
beautiful poisonous 1
poisonous flowers 1
flowers . 2
the adders 1
adders hissed 1
hissed at 1
he went 10
went by 3
by , 4
the bright 5
bright parrots 1
parrots flew 1
flew screaming 1
screaming from 2
from branch 1
branch to 1
to branch 1
branch . 1
. huge 1
huge tortoises 1
tortoises lay 1
lay asleep 1
asleep upon 1
hot mud 1
mud . 1
the trees 8
trees were 1
were full 3
full of 8
of apes 2
apes and 1
and peacocks 4
peacocks . 2
on and 2
and on 24
on he 1
went , 2
, till 2
till he 3
he reached 5
reached the 10
the outskirts 3
outskirts of 3
the wood 8
and there 11
there he 1
saw an 4
an immense 2
immense multitude 1
multitude of 1
of men 2
men toiling 1
toiling in 1
a dried-up 1
dried-up river 1
they swarmed 1
swarmed up 1
the crag 1
crag like 1
like ants 1
ants . 1
they dug 2
dug deep 1
deep pits 1
pits in 1
ground and 6
and went 12
went down 7
down into 7
into them 1
them cleft 1
cleft the 1
the rocks 3
rocks with 1
with great 6
great axes 1
axes ; 1
; others 2
others grabbled 1
grabbled in 1
the sand 8
sand . 2
they tore 1
tore up 1
the cactus 2
cactus by 1
by its 3
its roots 1
roots , 1
and trampled 2
trampled on 2
the scarlet 2
scarlet blossoms 1
blossoms . 1
they hurried 1
hurried about 1
about , 4
, calling 1
calling to 4
was idle 1
idle . 1
. from 9
the darkness 1
darkness of 1
a cavern 1
cavern death 1
death and 1
and avarice 3
avarice watched 1
watched them 3
and death 7
death said 2
' i 42
am weary 2
weary ; 1
; give 1
give me 10
me a 9
a third 6
third of 5
them and 5
and let 7
let me 11
me go 7
go . 5
' but 31
but avarice 2
avarice shook 1
shook her 3
her head 7
. 'they 1
'they are 2
are my 1
my servants 3
servants , 3
' she 32
she answered 6
answered . 10
to her 28
her , 39
'what hast 2
hast thou 5
thou in 2
in thy 3
thy hand 4
hand ? 2
' ' 5
i have 41
have three 1
three grains 1
grains of 1
of corn 3
' 'give 1
'give me 5
me one 1
cried death 1
death , 3
, 'to 1
'to plant 1
plant in 1
in my 6
my garden 1
garden ; 1
; only 1
only one 2
and i 31
i will 55
will go 6
go away 3
will not 16
not give 5
give thee 10
thee anything 3
anything , 3
said avarice 2
avarice , 1
and she 30
she hid 1
hid her 3
her hand 6
hand in 1
the fold 2
fold of 2
her raiment 1
raiment . 1
death laughed 3
and took 8
cup , 2
and dipped 1
dipped it 1
it into 4
a pool 3
pool of 3
of water 7
and out 7
the cup 3
cup rose 1
rose ague 1
ague . 1
. she 16
she passed 2
passed through 11
great multitude 1
multitude , 2
them lay 1
lay dead 1
dead . 2
a cold 1
cold mist 1
mist followed 1
followed her 2
the water-snakes 1
water-snakes ran 1
ran by 1
by her 4
her side 4
when avarice 1
avarice saw 1
the multitude 2
multitude was 1
was dead 2
dead she 1
she beat 2
beat her 2
her breast 1
breast and 1
and wept 3
wept . 1
her barren 1
barren bosom 1
bosom , 1
and cried 11
cried aloud 2
aloud . 1
. 'thou 10
'thou hast 8
hast slain 2
slain a 1
of my 11
she cried 12
cried , 26
, 'get 1
'get thee 3
thee gone 8
gone . 4
. there 18
is war 1
war in 1
the mountains 4
mountains of 1
of tartary 2
tartary , 2
the kings 4
kings of 4
each side 2
side are 1
are calling 1
thee . 18
the afghans 1
afghans have 1
have slain 1
slain the 1
the black 5
black ox 1
ox , 1
are marching 1
marching to 1
to battle 1
battle . 1
they have 7
have beaten 1
beaten upon 1
upon their 10
their shields 1
shields with 1
their spears 2
spears , 1
and have 7
have put 2
put on 5
on their 7
their helmets 1
helmets of 1
of iron 1
iron . 1
. what 9
what is 7
is my 11
my valley 1
valley to 1
thee , 35
thou shouldst 7
shouldst tarry 1
tarry in 2
in it 10
it ? 6
? get 1
get thee 9
gone , 4
and come 1
come here 2
here no 1
no more 8
more . 4
' 'nay 15
'nay , 24
answered death 2
, 'but 11
'but till 2
till thou 3
thou hast 21
hast given 3
given me 3
a grain 2
grain of 2
corn i 2
not go 2
avarice shut 1
shut her 1
and clenched 2
clenched her 2
her teeth 1
teeth . 1
she muttered 5
muttered . 3
took up 2
a black 6
black stone 1
stone , 1
a thicket 2
thicket of 1
of wild 3
wild hemlock 2
hemlock came 1
came fever 1
fever in 1
a robe 3
of flame 1
flame . 1
and touched 2
touched them 1
man that 1
that she 16
she touched 1
touched died 1
died . 3
the grass 8
grass withered 1
withered beneath 1
her feet 5
feet as 1
she walked 3
walked . 2
avarice shuddered 1
shuddered , 2
put ashes 1
ashes on 1
on her 7
'thou art 5
art cruel 2
cruel , 4
cried ; 2
; 'thou 1
cruel . 1
is famine 2
famine in 2
the walled 2
walled cities 2
cities of 2
of india 1
india , 1
the cisterns 1
cisterns of 1
of samarcand 1
samarcand have 1
have run 1
run dry 1
dry . 1
of egypt 1
egypt , 1
the locusts 1
locusts have 1
have come 1
come up 2
up from 7
the desert 1
desert . 1
the nile 2
nile has 1
has not 2
not overflowed 1
overflowed its 1
its banks 1
banks , 1
the priests 7
priests have 1
have cursed 1
cursed isis 1
isis and 1
and osiris 1
osiris . 1
. get 5
gone to 2
to those 2
who need 2
need thee 1
and leave 1
leave me 1
me my 3
servants . 2
avarice . 1
laughed again 2
he whistled 1
whistled through 1
through his 2
fingers , 2
woman came 1
came flying 2
flying through 2
. plague 1
plague was 1
was written 1
written upon 1
upon her 2
her forehead 2
a crowd 2
crowd of 2
of lean 1
lean vultures 1
vultures wheeled 1
wheeled round 1
round her 3
she covered 1
the valley 7
valley with 1
her wings 1
wings , 4
was left 1
left alive 1
alive . 1
avarice fled 1
fled shrieking 1
shrieking through 1
death leaped 1
leaped upon 1
upon his 16
his red 1
red horse 1
and galloped 1
his galloping 1
galloping was 1
was faster 1
faster than 2
the wind 10
wind . 3
the slime 1
slime at 1
the bottom 4
bottom of 4
valley crept 1
crept dragons 1
dragons and 1
and horrible 1
horrible things 1
things with 1
with scales 1
scales , 1
the jackals 1
jackals came 2
came trotting 1
trotting along 1
along the 4
sand , 3
, sniffing 1
sniffing up 1
air with 3
their nostrils 2
king wept 1
wept , 6
said : 7
: 'who 1
'who were 1
were these 1
these men 1
and for 5
for what 8
what were 1
were they 6
they seeking 1
seeking ? 1
' 'for 1
'for rubies 1
rubies for 1
's crown 1
answered one 1
who stood 2
stood behind 2
king started 1
started , 2
, turning 1
turning round 2
round , 6
saw a 6
man habited 1
habited as 1
as a 14
a pilgrim 1
pilgrim and 1
and holding 1
holding in 1
hand a 1
a mirror 3
mirror of 5
silver . 9
he grew 5
grew pale 4
: 'for 1
'for what 1
what king 1
king ? 1
the pilgrim 1
pilgrim answered 1
answered : 1
: 'look 1
'look in 1
in this 11
this mirror 3
mirror , 3
and thou 7
thou shalt 13
shalt see 1
see him 1
he looked 5
looked in 2
the mirror 5
, seeing 7
seeing his 1
own face 2
face , 4
bright sunlight 1
sunlight was 1
was streaming 1
streaming into 1
trees of 1
the garden 12
garden and 1
and pleasaunce 1
pleasaunce the 1
the birds 6
birds were 1
were singing 1
the chamberlain 6
chamberlain and 1
high officers 3
officers of 2
of state 2
state came 1
came in 8
in and 9
and made 12
made obeisance 2
obeisance to 2
the pages 1
pages brought 1
and set 12
set the 3
the crown 4
crown and 3
sceptre before 1
before him 9
king looked 2
were beautiful 1
beautiful . 2
. more 1
more beautiful 2
beautiful were 1
they than 1
than aught 1
aught that 1
had ever 2
ever seen 1
seen . 2
but he 15
he remembered 3
remembered his 2
his dreams 1
dreams , 2
his lords 1
lords : 1
: 'take 2
'take these 2
things away 2
for i 24
not wear 3
wear them 2
the courtiers 2
courtiers were 1
were amazed 1
amazed , 1
and some 4
them laughed 1
for they 7
they thought 2
was jesting 1
jesting . 1
he spake 8
spake sternly 1
sternly to 1
to them 12
them again 1
and hide 3
hide them 1
them from 1
from me 7
me . 30
. though 1
though it 2
it be 4
be the 5
day of 3
my coronation 1
. for 16
for on 1
loom of 1
of sorrow 2
sorrow , 3
and by 3
white hands 2
of pain 2
, has 1
has this 4
this my 1
my robe 1
robe been 1
been woven 1
woven . 1
is blood 1
blood in 1
the heart 3
heart of 3
the ruby 1
ruby , 2
death in 1
he told 4
told them 3
them his 3
his three 3
three dreams 3
dreams . 3
courtiers heard 1
heard them 3
them they 3
they looked 1
at each 2
other and 1
and whispered 1
whispered , 1
, saying 7
saying : 1
: 'surely 3
'surely he 1
he is 7
is mad 1
mad ; 1
; for 2
dream but 1
a vision 2
vision but 1
vision ? 1
? they 1
they are 15
are not 1
not real 1
real things 1
things that 6
that one 3
one should 2
should heed 1
heed them 1
and what 8
what have 1
have we 2
we to 1
to do 13
do with 4
the lives 1
lives of 1
who toil 1
for us 2
us ? 5
? shall 2
shall a 1
man not 1
not eat 1
eat bread 1
bread till 1
he has 4
has seen 1
seen the 3
the sower 1
sower , 1
, nor 32
nor drink 2
drink wine 1
wine till 1
has talked 1
talked with 1
the vinedresser 1
vinedresser ? 1
chamberlain spake 1
spake to 3
, 'my 6
'my lord 3
i pray 9
pray thee 7
thee set 1
set aside 1
aside these 1
these black 1
black thoughts 1
thoughts of 1
of thine 5
thine , 6
on this 2
this fair 1
fair robe 1
robe , 3
set this 2
this crown 3
crown upon 2
upon thy 2
thy head 1
for how 1
how shall 3
shall the 2
the people 18
people know 1
know that 3
art a 2
, if 4
if thou 5
hast not 2
a king's 1
king's raiment 1
raiment ? 2
. 'is 2
so , 8
indeed ? 1
he questioned 1
questioned . 1
. 'will 1
'will they 1
they not 2
not know 7
know me 1
me for 2
king if 1
if i 9
have not 3
's raiment 2
' 'they 1
'they will 1
know thee 1
, my 4
my lord 4
chamberlain . 2
i had 7
had thought 2
that there 3
there had 1
been men 1
men who 1
were kinglike 1
kinglike , 1
answered , 20
'but it 1
it may 5
may be 9
be as 4
as thou 9
thou sayest 3
sayest . 3
and yet 2
yet i 2
wear this 1
this robe 1
nor will 3
will i 9
i be 1
be crowned 1
crowned with 1
with this 2
but even 2
even as 13
as i 6
i came 3
came to 26
palace so 1
so will 2
go forth 2
forth from 3
from it 3
it . 42
he bade 3
bade them 2
all leave 1
leave him 1
, save 2
save one 1
one page 1
page whom 1
whom he 3
he kept 3
kept as 1
his companion 3
companion , 2
lad a 1
a year 3
year younger 1
younger than 1
than himself 1
himself . 4
. him 1
him he 1
kept for 1
had bathed 1
bathed himself 1
in clear 1
clear water 3
he opened 2
opened a 2
great painted 1
painted chest 1
chest , 2
the leathern 1
and rough 2
rough sheepskin 1
cloak that 2
had worn 1
worn when 1
had watched 1
watched on 1
the hillside 1
hillside the 1
the shaggy 1
shaggy goats 1
goats of 1
goatherd . 1
. these 1
these he 1
he put 7
on , 4
hand he 2
took his 2
his rude 1
rude shepherd 1
shepherd 's 1
's staff 1
staff . 1
little page 3
page opened 1
opened his 1
his big 1
big blue 1
blue eyes 2
eyes in 1
in wonder 5
wonder , 6
said smiling 1
smiling to 1
i see 2
see thy 3
thy robe 1
robe and 1
and thy 2
thy sceptre 1
sceptre , 2
but where 2
where is 4
thy crown 1
crown ? 1
king plucked 1
plucked a 1
a spray 2
spray of 3
wild briar 1
briar that 1
was climbing 1
climbing over 1
the balcony 1
balcony , 1
and bent 3
bent it 1
it , 45
a circlet 1
circlet of 1
of it 11
set it 4
it on 5
own head 1
. 'this 1
'this shall 1
shall he 1
he my 1
my crown 1
and thus 1
thus attired 1
attired he 1
he passed 5
passed out 2
his chamber 1
chamber into 1
hall , 2
, where 9
where the 10
the nobles 6
nobles were 1
were waiting 1
waiting for 3
nobles made 1
made merry 3
merry , 4
them cried 1
cried out 5
out to 9
people wait 1
wait for 3
for their 3
their king 1
thou showest 1
showest them 1
them a 6
a beggar 7
beggar , 3
others were 1
were wroth 1
wroth and 1
, 'he 2
'he brings 1
brings shame 2
shame upon 2
upon our 2
our state 2
state , 1
is unworthy 2
unworthy to 2
be our 1
master . 1
answered them 2
them not 4
a word 3
word , 1
but passed 1
passed on 1
porphyry staircase 1
out through 2
the gates 2
gates of 3
of bronze 2
bronze , 3
and mounted 1
mounted upon 1
his horse 1
horse , 2
and rode 1
rode towards 1
towards the 6
page running 1
running beside 1
beside him 2
people laughed 1
laughed and 2
the king 19
's fool 1
fool who 1
who is 8
is riding 1
riding by 1
they mocked 3
mocked him 4
he drew 6
drew rein 1
rein and 1
, 'nay 4
but i 11
am the 3
man came 1
came out 7
the crowd 3
crowd and 1
and spake 1
spake bitterly 1
bitterly to 1
, 'sir 1
'sir , 1
, knowest 1
knowest thou 2
thou not 5
not that 4
that out 1
the luxury 1
luxury of 1
rich cometh 1
cometh the 1
the life 1
life of 1
poor ? 1
? by 1
by your 1
your pomp 1
pomp we 1
we are 5
are nurtured 1
nurtured , 1
and your 1
your vices 1
vices give 1
us bread 2
bread . 2
. to 2
a hard 1
hard master 1
master is 1
is bitter 1
bitter , 2
but to 1
have no 8
no master 1
master to 1
for is 1
is more 2
more bitter 1
bitter still 1
. thinkest 1
thinkest thou 1
thou that 2
the ravens 1
ravens will 1
will feed 1
feed us 1
? and 8
what cure 1
cure hast 1
thou for 1
for these 1
things ? 1
? wilt 2
wilt thou 4
thou say 1
say to 2
the buyer 1
buyer , 1
, `` 16
`` thou 2
shalt buy 1
buy for 1
for so 1
, '' 13
'' and 5
and to 13
the seller 1
seller , 1
shalt sell 1
sell at 1
this price 1
price '' 1
'' ? 1
? i 12
i trow 2
trow not 2
not . 7
. therefore 11
therefore go 1
go back 3
back to 18
to thy 3
thy palace 1
palace and 4
on thy 1
thy purple 1
purple and 1
and fine 1
fine linen 1
linen . 1
what hast 1
thou to 4
us , 7
what we 1
we suffer 1
suffer ? 1
' 'are 2
'are not 1
not the 5
rich and 1
poor brothers 1
brothers ? 1
. 'ay 1
'ay , 1
the man 8
man , 5
'and the 7
rich brother 1
brother is 1
is cain 1
cain . 1
's eyes 3
eyes filled 2
filled with 11
with tears 4
tears , 2
he rode 1
rode on 2
on through 2
the murmurs 1
murmurs of 1
people , 5
page grew 1
grew afraid 4
afraid and 2
and left 4
left him 2
great portal 1
portal of 1
the soldiers 6
soldiers thrust 1
thrust their 1
their halberts 3
halberts out 1
'what dost 1
dost thou 7
thou seek 3
seek here 1
here ? 1
? none 1
none enters 1
enters by 1
by this 1
this door 1
door but 1
face flushed 1
flushed with 1
with anger 2
anger , 2
and waved 2
waved their 2
halberts aside 1
aside and 1
and passed 5
passed in 2
in . 8
old bishop 1
bishop saw 1
saw him 5
him coming 5
coming in 1
his goatherd 1
's dress 1
dress , 4
up in 6
wonder from 1
his throne 1
throne , 2
went to 8
to meet 14
meet him 10
'my son 2
son , 7
, is 2
this a 1
's apparel 1
apparel ? 1
with what 1
what crown 1
crown shall 1
shall i 8
i crown 1
crown thee 2
what sceptre 1
sceptre shall 1
i place 2
place in 2
? surely 3
surely this 1
this should 1
should be 7
be to 1
thee a 1
of joy 5
and not 6
of abasement 1
abasement . 1
' 'shall 1
'shall joy 1
joy wear 1
wear what 1
what grief 1
grief has 1
has fashioned 1
fashioned ? 1
told him 3
him his 2
the bishop 3
bishop had 1
had heard 2
he knit 1
knit his 1
his brows 2
brows , 2
am an 1
an old 3
old man 7
the winter 2
winter of 1
my days 1
days , 1
i know 9
that many 1
many evil 1
evil things 1
things are 2
are done 1
done in 1
the wide 2
wide world 1
world . 7
the fierce 1
fierce robbers 1
robbers come 1
come down 4
down from 7
mountains , 1
and carry 2
carry off 1
off the 1
children , 3
and sell 1
sell them 1
them to 8
the moors 1
moors . 1
the lions 2
lions lie 1
lie in 2
in wait 1
the caravans 1
caravans , 1
and leap 2
leap upon 1
the camels 2
camels . 1
the wild 8
wild boar 2
boar roots 1
roots up 1
corn in 1
valley , 3
the foxes 1
foxes gnaw 1
gnaw the 1
the vines 1
vines upon 1
the hill 3
hill . 1
the pirates 1
pirates lay 1
lay waste 1
waste the 1
the sea-coast 1
sea-coast and 1
and burn 1
burn the 1
the ships 3
ships of 1
the fishermen 1
fishermen , 1
and take 5
take their 1
their nets 1
nets from 1
from them 3
. in 10
the salt-marshes 1
salt-marshes live 1
live the 1
the lepers 2
lepers ; 1
; they 1
have houses 1
houses of 1
of wattled 1
wattled reeds 1
reeds , 1
and none 2
none may 2
may come 1
come nigh 1
nigh them 1
the beggars 2
beggars wander 1
wander through 3
the cities 2
cities , 1
and eat 1
eat their 1
their food 1
food with 1
the dogs 1
dogs . 1
. canst 1
canst thou 2
thou make 1
make these 1
things not 1
not to 8
be ? 1
thou take 1
take the 1
the leper 10
leper for 1
for thy 7
thy bedfellow 1
bedfellow , 1
the beggar 1
beggar at 1
at thy 1
thy board 1
board ? 1
the lion 1
lion do 1
do thy 4
thy bidding 4
bidding , 2
boar obey 1
obey thee 1
? is 3
is not 8
not he 1
he who 7
who made 1
made misery 1
misery wiser 1
wiser than 2
than thou 1
art ? 1
? wherefore 1
wherefore i 3
i praise 1
praise thee 1
thee not 1
not for 3
for this 3
hast done 2
done , 2
i bid 2
bid thee 2
thee ride 1
ride back 1
and make 9
make thy 1
face glad 1
glad , 4
the raiment 2
raiment that 1
that beseemeth 1
beseemeth a 1
crown of 1
gold i 2
will crown 1
of pearl 1
pearl will 1
as for 8
thy dreams 1
, think 2
think no 1
more of 2
the burden 1
burden of 1
this world 3
world is 4
too great 1
great for 1
for one 2
one man 1
man to 1
to bear 1
bear , 1
the world 21
world 's 2
's sorrow 1
sorrow too 1
too heavy 1
heavy for 1
one heart 1
heart to 2
to suffer 4
suffer . 1
' 'sayest 1
'sayest thou 1
that in 3
this house 1
house ? 1
he strode 1
strode past 1
past the 1
bishop , 1
and climbed 1
climbed up 2
the steps 2
the altar 5
altar , 4
stood before 4
the image 3
of christ 3
christ . 1
he stood 6
christ , 2
his left 1
left were 1
were the 6
the marvellous 1
marvellous vessels 1
vessels of 3
the chalice 1
chalice with 1
the yellow 2
yellow wine 1
the vial 1
vial with 1
the holy 5
holy oil 1
oil . 1
he knelt 3
knelt before 2
great candles 1
candles burned 1
burned brightly 1
brightly by 1
the jewelled 2
jewelled shrine 2
shrine , 1
the smoke 2
smoke of 1
the incense 1
incense curled 1
curled in 2
in thin 1
thin blue 1
blue wreaths 1
wreaths through 1
the dome 1
dome . 1
he bowed 3
bowed his 5
his head 18
head in 4
in prayer 1
prayer , 1
priests in 2
their stiff 1
stiff copes 1
copes crept 1
crept away 2
altar . 1
and suddenly 2
suddenly a 2
a wild 5
wild tumult 1
tumult came 1
came from 2
the street 6
street outside 1
outside , 1
in entered 1
entered the 3
nobles with 1
with drawn 1
drawn swords 1
swords and 2
and nodding 2
nodding plumes 1
plumes , 1
and shields 1
shields of 1
of polished 3
polished steel 1
steel . 2
. 'where 3
'where is 4
this dreamer 1
dreamer of 1
of dreams 1
dreams ? 1
' they 7
they cried 4
cried . 5
this king 1
king who 2
is apparelled 1
apparelled like 1
beggar -- 1
-- this 1
this boy 1
boy who 1
who brings 1
state ? 1
surely we 1
we will 6
will slay 4
slay him 3
to rule 2
rule over 2
over us 3
king bowed 1
head again 1
and prayed 6
prayed , 1
had finished 5
finished his 3
his prayer 1
prayer he 1
and turning 1
round he 1
them sadly 1
sadly . 2
! through 1
the painted 4
painted windows 1
windows came 1
came the 10
the sunlight 6
sunlight streaming 1
streaming upon 1
the sun-beams 1
sun-beams wove 1
wove round 1
round him 6
a tissued 1
tissued robe 1
robe that 2
been fashioned 1
fashioned for 2
his pleasure 1
pleasure . 4
dead staff 1
staff blossomed 1
blossomed , 2
and bare 3
bare lilies 1
lilies that 1
that were 2
were whiter 1
than pearls 1
the dry 3
dry thorn 1
thorn blossomed 1
bare roses 1
roses that 1
were redder 1
redder than 2
than rubies 1
rubies . 2
. whiter 1
than fine 1
fine pearls 2
pearls were 1
the lilies 1
lilies , 2
their stems 1
stems were 1
were of 9
bright silver 1
. redder 1
than male 1
male rubies 1
rubies were 1
the roses 2
roses , 3
their leaves 1
leaves were 1
of beaten 1
beaten gold 1
stood there 2
there in 2
shrine flew 1
flew open 1
open , 1
the crystal 1
crystal of 1
the many-rayed 1
many-rayed monstrance 1
monstrance shone 1
shone a 1
and mystical 1
mystical light 1
light . 1
raiment , 4
the glory 1
glory of 1
of god 6
god filled 1
place , 6
the saints 1
saints in 1
their carven 1
carven niches 1
niches seemed 1
king he 1
before them 2
the organ 1
organ pealed 1
pealed out 1
out its 1
its music 1
music , 1
the trumpeters 1
trumpeters blew 1
blew upon 1
their trumpets 1
trumpets , 1
the singing 1
singing boys 1
boys sang 1
sang . 1
people fell 1
their knees 2
knees in 1
in awe 1
awe , 1
nobles sheathed 1
sheathed their 1
their swords 1
and did 3
did homage 1
homage , 1
bishop 's 1
's face 1
face grew 1
hands trembled 1
' a 2
a greater 1
greater than 3
than i 4
i hath 1
hath crowned 1
crowned thee 1
he cried 12
king came 1
came down 4
passed home 1
home through 2
the midst 1
midst of 1
people . 2
but no 3
man dared 1
dared look 1
look upon 1
was like 1
the face 4
face of 5
an angel 1
angel . 1
infanta [ 1
to mrs. 1
mrs. william 1
william h. 1
h. grenfell 1
grenfell of 1
of taplow 1
taplow court 1
court -- 1
-- lady 1
lady desborough 1
desborough ] 1
infanta . 1
she was 18
was just 2
just twelve 1
twelve years 2
age , 3
the sun 11
sun was 4
was shining 2
shining brightly 1
brightly in 1
the gardens 2
gardens of 2
palace . 3
. although 1
although she 1
was a 26
a real 2
real princess 1
princess and 1
infanta of 2
of spain 6
spain , 4
, she 17
she had 17
had only 1
one birthday 1
birthday every 1
every year 5
year , 2
, just 4
just like 4
the children 17
of quite 1
quite poor 1
poor people 1
so it 3
was naturally 1
naturally a 1
a matter 1
matter of 1
of great 3
great importance 1
importance to 1
whole country 1
country that 1
she should 1
should have 2
have a 6
a really 2
really fine 2
fine day 2
day for 1
occasion . 1
day it 1
it certainly 4
certainly was 4
was . 5
the tall 3
tall striped 1
striped tulips 1
tulips stood 1
stood straight 1
straight up 1
up upon 2
their stalks 1
stalks , 1
like long 1
long rows 1
rows of 2
of soldiers 1
soldiers , 3
and looked 12
looked defiantly 1
defiantly across 1
grass at 1
: 'we 2
'we are 1
are quite 1
quite as 3
as splendid 1
splendid as 1
as you 1
you are 2
are now 1
now . 2
' the 7
the purple 2
purple butterflies 1
butterflies fluttered 1
fluttered about 1
about with 2
with gold 1
gold dust 2
dust on 1
their wings 3
, visiting 1
visiting each 1
each flower 1
flower in 1
in turn 1
turn ; 1
; the 3
little lizards 1
lizards crept 1
crept out 1
the crevices 1
crevices of 1
the wall 2
wall , 2
and lay 4
lay basking 1
basking in 1
white glare 1
glare ; 1
the pomegranates 1
pomegranates split 1
split and 1
and cracked 1
cracked with 1
the heat 2
heat , 1
showed their 1
their bleeding 1
bleeding red 1
red hearts 1
hearts . 1
. even 5
even the 9
the pale 5
pale yellow 1
yellow lemons 1
lemons , 1
that hung 1
hung in 2
in such 3
such profusion 1
profusion from 1
the mouldering 1
mouldering trellis 1
trellis and 1
and along 1
the dim 2
dim arcades 1
arcades , 1
have caught 2
caught a 1
a richer 1
richer colour 1
colour from 1
wonderful sunlight 1
sunlight , 3
the magnolia 1
magnolia trees 1
trees opened 1
opened their 1
their great 2
great globe-like 1
globe-like blossoms 1
blossoms of 2
of folded 1
folded ivory 1
a sweet 1
sweet heavy 1
heavy perfume 1
perfume . 1
little princess 2
princess herself 1
herself walked 1
walked up 1
the terrace 6
terrace with 2
her companions 2
companions , 4
and played 1
played at 1
at hide 1
hide and 1
and seek 3
seek round 1
stone vases 1
vases and 1
old moss-grown 1
moss-grown statues 1
statues . 1
on ordinary 1
ordinary days 1
days she 1
only allowed 1
allowed to 3
to play 6
play with 5
with children 1
her own 4
own rank 1
rank , 1
so she 5
always to 1
play alone 1
but her 2
her birthday 2
birthday was 1
was an 5
an exception 1
exception , 1
king had 2
to invite 1
invite any 1
any of 3
her young 1
young friends 1
friends whom 1
whom she 1
she liked 1
liked to 1
to come 5
come and 2
and amuse 1
amuse themselves 1
themselves with 2
there was 20
a stately 1
stately grace 1
grace about 1
about these 1
these slim 1
slim spanish 1
spanish children 1
they glided 1
glided about 1
the boys 3
boys with 1
their large-plumed 1
large-plumed hats 1
hats and 1
and short 1
short fluttering 1
fluttering cloaks 1
cloaks , 1
the girls 1
girls holding 1
holding up 1
the trains 1
trains of 1
their long 3
long brocaded 1
brocaded gowns 1
gowns , 1
and shielding 1
shielding the 1
sun from 1
from their 2
their eyes 2
eyes with 2
with huge 3
huge fans 1
fans of 2
of black 9
black and 2
and silver 1
infanta was 2
most graceful 1
graceful of 1
of all 5
most tastefully 1
tastefully attired 1
attired , 1
, after 4
after the 11
the somewhat 1
somewhat cumbrous 1
cumbrous fashion 1
fashion of 1
day . 3
. her 8
her robe 1
robe was 1
of grey 2
grey satin 1
satin , 1
the skirt 1
skirt and 1
wide puffed 1
puffed sleeves 1
sleeves heavily 1
heavily embroidered 1
embroidered with 3
with silver 8
silver , 5
the stiff 1
stiff corset 1
corset studded 1
studded with 4
with rows 1
two tiny 1
tiny slippers 1
slippers with 1
with big 1
big pink 1
pink rosettes 1
rosettes peeped 1
peeped out 1
out beneath 1
her dress 2
dress as 1
. pink 1
pink and 1
and pearl 3
pearl was 2
was her 3
her great 2
great gauze 1
gauze fan 1
fan , 2
in her 10
her hair 5
hair , 3
which like 1
like an 3
an aureole 1
aureole of 1
of faded 1
faded gold 1
gold stood 1
stood out 1
out stiffly 1
stiffly round 1
her pale 1
pale little 1
little face 1
beautiful white 5
white rose 8
rose . 1
from a 8
a window 1
window in 1
palace the 1
the sad 1
sad melancholy 1
melancholy king 1
king watched 1
. behind 2
him stood 2
stood his 1
his brother 2
brother , 2
, don 1
don pedro 8
pedro of 1
of aragon 1
aragon , 1
, whom 3
he hated 1
hated , 1
his confessor 1
confessor , 1
the grand 5
grand inquisitor 4
inquisitor of 1
of granada 1
granada , 2
, sat 1
sat by 2
. sadder 1
sadder even 1
even than 1
than usual 1
usual was 1
for as 1
infanta bowing 1
bowing with 1
with childish 1
childish gravity 1
gravity to 1
the assembling 1
assembling counters 1
counters , 1
or laughing 1
laughing behind 1
her fan 2
fan at 1
the grim 1
grim duchess 1
duchess of 1
of albuquerque 1
albuquerque who 1
who always 1
always accompanied 1
accompanied her 1
thought of 2
young queen 1
queen , 3
, her 1
her mother 1
mother , 11
who but 1
a short 3
short time 1
time before 2
before -- 1
-- so 1
it seemed 4
him -- 2
-- had 1
come from 3
the gay 2
gay country 1
country of 5
of france 1
france , 1
had withered 1
withered away 1
away in 1
the sombre 1
sombre splendour 1
splendour of 1
the spanish 3
spanish court 2
court , 3
, dying 1
dying just 1
just six 1
six months 1
months after 1
the birth 1
birth of 1
her child 1
child , 6
and before 1
before she 2
had seen 7
the almonds 1
almonds blossom 1
blossom twice 1
twice in 1
the orchard 1
or plucked 1
plucked the 1
the second 8
second year 3
year 's 1
's fruit 1
fruit from 1
old gnarled 1
gnarled fig-tree 1
fig-tree that 1
that stood 6
stood in 4
the centre 6
centre of 5
the now 1
now grass- 1
grass- grown 1
grown courtyard 1
courtyard . 1
. so 16
great had 2
been his 2
his love 7
love for 1
for her 12
her that 3
had not 6
not suffered 1
suffered even 1
the grave 2
grave to 1
to hide 1
hide her 1
her from 2
been embalmed 1
embalmed by 1
a moorish 1
moorish physician 1
physician , 1
who in 2
in return 4
return for 2
this service 1
service had 1
been granted 1
granted his 1
which for 1
for heresy 1
heresy and 1
and suspicion 1
suspicion of 1
of magical 1
magical practices 1
practices had 1
been already 2
already forfeited 1
forfeited , 1
, men 1
men said 1
holy office 2
office , 1
and her 8
her body 3
still lying 1
on its 3
its tapestried 1
tapestried bier 1
bier in 1
black marble 2
marble chapel 1
chapel of 1
just as 4
the monks 4
monks had 1
had borne 1
borne her 1
in on 1
on that 2
that windy 1
windy march 1
march day 1
day nearly 1
nearly twelve 1
years before 2
before . 8
. once 7
once every 1
every month 1
month the 1
, wrapped 1
a dark 1
dark cloak 1
cloak and 2
a muffled 1
muffled lantern 1
lantern in 1
, went 1
went in 4
and knelt 3
knelt by 1
side calling 1
calling out 1
, 'mi 1
'mi reina 1
reina ! 2
! mi 1
mi reina 1
and sometimes 3
sometimes breaking 1
breaking through 1
the formal 1
formal etiquette 1
etiquette that 1
in spain 3
spain governs 1
governs every 1
every separate 1
separate action 1
action of 1
of life 1
and sets 1
sets limits 1
limits even 1
even to 6
the sorrow 1
sorrow of 1
would clutch 1
clutch at 1
pale jewelled 1
jewelled hands 1
hands in 2
wild agony 1
agony of 2
of grief 1
and try 1
try to 1
to wake 1
wake by 1
his mad 1
mad kisses 1
kisses the 1
the cold 4
cold painted 1
painted face 1
face . 3
. to-day 2
to-day he 1
he seemed 3
to see 6
see her 3
her again 4
seen her 2
her first 1
first at 1
the castle 1
castle of 1
of fontainebleau 1
fontainebleau , 1
was but 2
but fifteen 1
fifteen years 1
she still 1
still younger 1
younger . 1
been formally 1
formally betrothed 1
betrothed on 1
that occasion 1
occasion by 1
the papal 2
papal nuncio 2
nuncio in 1
the french 2
french king 1
king and 2
and all 9
had returned 2
returned to 4
the escurial 1
escurial bearing 1
bearing with 2
little ringlet 1
ringlet of 1
of yellow 11
yellow hair 1
the memory 1
memory of 1
of two 2
two childish 1
childish lips 1
lips bending 1
bending down 1
down to 11
to kiss 2
kiss his 1
hand as 1
he stepped 1
stepped into 1
into his 4
his carriage 1
carriage . 1
. later 1
later on 1
on had 1
had followed 1
followed the 2
the marriage 2
marriage , 2
, hastily 1
hastily performed 1
performed at 1
at burgos 1
burgos , 1
a small 2
small town 1
town on 1
the frontier 1
frontier between 1
between the 2
the two 4
two countries 1
countries , 1
grand public 1
public entry 1
entry into 1
into madrid 1
madrid with 1
the customary 1
customary celebration 1
celebration of 1
of high 1
high mass 1
mass at 1
the church 2
church of 2
of la 1
la atocha 1
atocha , 1
a more 1
than usually 1
usually solemn 1
solemn auto-da-fe 1
auto-da-fe , 1
in which 13
which nearly 1
nearly three 1
three hundred 3
hundred heretics 1
heretics , 1
, amongst 1
amongst whom 1
whom were 1
were many 2
many englishmen 1
englishmen , 1
been delivered 1
delivered over 1
the secular 1
secular arm 1
arm to 1
be burned 1
burned . 1
. certainly 2
certainly he 1
had loved 1
loved her 3
her madly 2
madly , 1
the ruin 1
ruin , 1
, many 2
many thought 1
thought , 4
, of 4
his country 1
country , 1
, then 3
at war 1
war with 1
with england 1
england for 1
the possession 1
possession of 1
the empire 1
empire of 1
the new 2
had hardly 1
hardly ever 1
ever permitted 1
permitted her 1
her to 4
be out 1
his sight 1
sight ; 1
had forgotten 1
forgotten , 2
or seemed 1
have forgotten 1
, all 2
all grave 1
grave affairs 1
affairs of 1
state ; 1
with that 1
that terrible 1
terrible blindness 1
blindness that 1
that passion 1
passion brings 1
brings upon 1
upon its 1
its servants 1
had failed 1
failed to 1
to notice 1
notice that 1
the elaborate 2
elaborate ceremonies 1
ceremonies by 1
by which 2
he sought 5
sought to 8
to please 1
please her 1
her did 1
did but 1
but aggravate 1
aggravate the 1
the strange 3
strange malady 1
malady from 1
which she 7
she suffered 1
suffered . 2
when she 8
she died 1
died he 1
was , 5
a time 5
one bereft 1
bereft of 1
of reason 1
reason . 1
is no 6
no doubt 1
doubt but 1
but that 7
would have 5
have formally 1
formally abdicated 1
abdicated and 1
and retired 1
great trappist 1
trappist monastery 1
monastery at 1
at granada 1
was already 3
already titular 1
titular prior 1
prior , 1
he not 4
not been 4
been afraid 1
afraid to 2
to leave 3
leave the 2
little infanta 2
infanta at 1
the mercy 1
mercy of 1
whose cruelty 1
cruelty , 2
, even 6
even in 1
was notorious 1
notorious , 1
was suspected 1
suspected by 1
by many 2
many of 1
of having 1
having caused 1
caused the 1
the queen 4
queen 's 2
's death 1
death by 1
by means 1
means of 1
of poisoned 1
poisoned gloves 1
gloves that 1
had presented 1
presented to 1
her on 3
her visiting 1
visiting his 1
his castle 1
castle in 1
in aragon 1
aragon . 1
even after 1
the expiration 1
expiration of 1
the three 1
three years 4
of public 1
public mourning 1
mourning that 1
had ordained 1
ordained throughout 1
throughout his 1
his whole 2
whole dominions 1
dominions by 1
by royal 1
royal edict 1
edict , 1
would never 1
never suffer 1
suffer his 1
his ministers 1
ministers to 1
speak about 1
about any 1
any new 1
new alliance 1
alliance , 1
the emperor 13
emperor himself 1
himself sent 1
sent to 2
and offered 1
offered him 1
the hand 9
hand of 2
the lovely 1
lovely archduchess 1
archduchess of 1
of bohemia 1
bohemia , 1
, his 4
his niece 1
niece , 1
in marriage 1
bade the 1
the ambassadors 1
ambassadors tell 1
tell their 1
their master 1
master that 1
king of 1
spain was 1
already wedded 1
wedded to 1
to sorrow 1
that though 2
though she 1
a barren 1
barren bride 1
bride he 1
he loved 3
her better 1
better than 6
than beauty 1
beauty ; 1
; an 1
an answer 1
answer that 2
that cost 1
cost his 1
his crown 1
crown the 1
rich provinces 1
provinces of 1
the netherlands 2
netherlands , 1
which soon 1
soon after 1
after , 1
emperor 's 2
's instigation 1
instigation , 1
, revolted 1
revolted against 1
against him 3
him under 1
under the 7
the leadership 1
leadership of 1
some fanatics 1
fanatics of 1
the reformed 1
reformed church 1
church . 1
whole married 1
married life 1
its fierce 1
fierce , 1
, fiery-coloured 1
fiery-coloured joys 1
joys and 1
the terrible 1
terrible agony 1
of its 4
its sudden 1
sudden ending 1
ending , 1
come back 2
him to-day 1
to-day as 1
he watched 1
watched the 1
infanta playing 1
playing on 1
terrace . 2
's pretty 1
pretty petulance 1
petulance of 1
of manner 1
manner , 3
the same 11
same wilful 1
wilful way 1
way of 1
of tossing 1
tossing her 1
head , 7
same proud 1
proud curved 1
curved beautiful 1
beautiful mouth 1
same wonderful 1
wonderful smile 1
smile -- 1
-- vrai 1
vrai sourire 1
sourire de 1
de france 1
france indeed 1
indeed -- 1
-- as 2
she glanced 1
glanced up 1
up now 1
window , 3
or stretched 1
out her 4
her little 1
little hand 1
hand for 1
the stately 1
stately spanish 1
spanish gentlemen 1
gentlemen to 1
kiss . 1
the shrill 1
shrill laughter 1
laughter of 2
children grated 1
grated on 1
bright pitiless 1
pitiless sunlight 1
sunlight mocked 1
mocked his 1
his sorrow 2
a dull 1
dull odour 1
odour of 2
of strange 3
strange spices 1
spices , 1
, spices 1
spices such 1
such as 3
as embalmers 1
embalmers use 1
use , 1
to taint 1
taint -- 1
-- or 1
or was 1
was it 5
it fancy 1
fancy ? 1
? -- 1
the clear 1
clear morning 1
morning air 1
he buried 1
buried his 1
face in 3
infanta looked 1
looked up 2
up again 1
again the 1
the curtains 1
curtains had 2
been drawn 2
drawn , 1
retired . 1
she made 3
little moue 1
moue of 1
of disappointment 1
disappointment , 1
and shrugged 1
shrugged her 1
her shoulders 1
shoulders . 2
. surely 4
surely he 1
he might 10
might have 2
have stayed 1
stayed with 1
birthday . 1
what did 1
did the 4
the stupid 1
stupid state-affairs 1
state-affairs matter 1
matter ? 1
? or 1
or had 1
he gone 1
to that 2
that gloomy 1
gloomy chapel 1
chapel , 2
the candles 1
candles were 1
were always 1
always burning 1
burning , 1
and where 1
where she 3
was never 2
never allowed 1
to enter 7
enter ? 1
? how 1
how silly 1
silly of 1
shining so 1
so brightly 1
brightly , 1
and everybody 1
everybody was 2
was so 8
so happy 1
happy ! 1
! besides 1
besides , 2
would miss 1
miss the 1
the sham 1
sham bull-fight 1
bull-fight for 1
for which 1
which the 10
the trumpet 1
trumpet was 1
already sounding 1
sounding , 1
to say 3
say nothing 1
nothing of 2
the puppet-show 1
puppet-show and 1
other wonderful 1
wonderful things 3
her uncle 3
uncle and 1
inquisitor were 1
were much 2
much more 4
more sensible 1
sensible . 1
come out 1
terrace , 1
and paid 1
paid her 1
her nice 1
nice compliments 1
compliments . 1
she tossed 1
tossed her 1
her pretty 1
pretty head 1
taking don 1
pedro by 1
walked slowly 2
slowly down 1
steps towards 1
towards a 1
long pavilion 1
pavilion of 1
of purple 1
purple silk 2
silk that 1
been erected 1
erected at 1
the end 5
end of 5
garden , 3
other children 2
children following 2
following in 2
in strict 1
strict order 1
order of 1
of precedence 1
precedence , 1
, those 1
the longest 1
longest names 1
names going 1
going first 1
first . 1
a procession 1
procession of 1
of noble 1
noble boys 1
boys , 1
, fantastically 1
fantastically dressed 1
dressed as 1
as toreadors 1
toreadors , 1
, came 4
meet her 1
young count 3
count of 3
of tierra-nueva 3
tierra-nueva , 1
a wonderfully 1
wonderfully handsome 1
handsome lad 1
lad of 1
of about 1
about fourteen 1
fourteen years 1
, uncovering 1
uncovering his 1
head with 2
the grace 1
grace of 2
a born 2
born hidalgo 1
hidalgo and 1
and grandee 1
grandee of 1
, led 1
led her 1
her solemnly 1
solemnly in 1
in to 2
to a 11
little gilt 1
gilt and 1
and ivory 1
ivory chair 1
chair that 1
was placed 2
placed on 1
a raised 1
raised dais 1
dais above 1
above the 2
the arena 8
arena . 1
children grouped 1
grouped themselves 1
themselves all 1
all round 7
, fluttering 1
fluttering their 1
their big 1
big fans 1
fans and 1
and whispering 1
whispering to 1
and don 3
pedro and 1
inquisitor stood 1
stood laughing 1
laughing at 1
the entrance 3
entrance . 2
the duchess 1
duchess -- 1
the camerera-mayor 1
camerera-mayor as 1
was called 3
called -- 1
a thin 2
thin , 1
, hard-featured 1
hard-featured woman 1
woman with 1
yellow ruff 1
ruff , 1
, did 1
did not 13
not look 2
look quite 1
quite so 2
so bad-tempered 1
bad-tempered as 1
as usual 1
usual , 1
and something 1
something like 1
a chill 1
chill smile 1
smile flitted 1
flitted across 1
across her 1
her wrinkled 1
wrinkled face 1
face and 1
and twitched 1
twitched her 1
her thin 2
thin bloodless 1
bloodless lips 1
lips . 4
marvellous bull-fight 1
bull-fight , 1
and much 3
much nicer 1
nicer , 1
infanta thought 1
, than 3
the real 2
real bull-fight 1
bull-fight that 1
brought to 1
see at 1
at seville 2
seville , 2
the visit 1
visit of 1
the duke 1
duke of 1
of parma 1
parma to 1
her father 1
father . 1
boys pranced 1
pranced about 1
about on 1
on richly- 1
richly- caparisoned 1
caparisoned hobby-horses 1
hobby-horses brandishing 1
brandishing long 1
long javelins 1
javelins with 1
with gay 1
gay streamers 1
streamers of 1
bright ribands 1
ribands attached 1
attached to 1
others went 1
went on 2
on foot 1
foot waving 1
waving their 1
their scarlet 1
scarlet cloaks 1
cloaks before 1
the bull 3
bull , 2
and vaulting 1
vaulting lightly 1
lightly over 1
the barrier 1
barrier when 1
he charged 1
charged them 1
bull himself 1
himself , 10
a live 1
live bull 2
though he 9
only made 1
made of 4
of wicker- 1
wicker- work 1
work and 1
and stretched 1
stretched hide 1
hide , 1
sometimes insisted 1
insisted on 1
on running 1
running round 1
arena on 1
his hind 1
hind legs 1
legs , 3
which no 1
no live 1
bull ever 1
ever dreams 1
dreams of 1
of doing 1
doing . 2
a splendid 2
splendid fight 1
fight of 1
it too 1
too , 4
children got 1
got so 1
so excited 1
excited that 1
they stood 1
stood up 2
the benches 1
benches , 1
their lace 1
lace handkerchiefs 1
handkerchiefs and 1
out : 2
: bravo 1
bravo toro 2
toro ! 2
! bravo 1
! just 1
as sensibly 1
sensibly as 1
as if 2
if they 2
been grown-up 1
grown-up people 1
last , 1
, however 5
however , 5
a prolonged 1
prolonged combat 1
combat , 1
, during 2
during which 2
which several 1
several of 1
the hobby-horses 1
hobby-horses were 1
were gored 1
gored through 1
through and 1
through , 2
, their 3
their riders 1
riders dismounted 1
dismounted , 1
tierra-nueva brought 1
brought the 1
bull to 1
his knees 3
knees , 2
and having 8
having obtained 1
obtained permission 1
permission from 1
infanta to 1
to give 2
give the 1
the coup 1
coup de 1
de grace 1
grace , 1
he plunged 4
plunged his 1
his wooden 1
wooden sword 1
sword into 1
the neck 1
neck of 1
the animal 1
animal with 1
such violence 1
violence that 1
the head 2
head came 1
came right 1
right off 1
and disclosed 1
disclosed the 1
the laughing 1
laughing face 1
of little 1
little monsieur 1
monsieur de 1
de lorraine 1
lorraine , 1
the son 3
son of 5
french ambassador 1
ambassador at 1
at madrid 1
madrid . 1
arena was 1
was then 1
then cleared 1
cleared amidst 1
amidst much 1
much applause 1
applause , 1
dead hobbyhorses 1
hobbyhorses dragged 1
dragged solemnly 1
solemnly away 1
away by 1
by two 3
two moorish 1
moorish pages 1
pages in 1
in yellow 1
yellow and 2
and black 3
black liveries 1
liveries , 1
short interlude 1
interlude , 1
which a 1
a french 1
french posture-master 1
posture-master performed 1
performed upon 1
the tightrope 1
tightrope , 1
some italian 1
italian puppets 1
puppets appeared 1
appeared in 1
the semi-classical 1
semi-classical tragedy 1
tragedy of 1
of sophonisba 1
sophonisba on 1
the stage 1
stage of 1
small theatre 1
theatre that 1
been built 1
built up 1
the purpose 1
purpose . 3
they acted 1
acted so 1
so well 1
well , 1
their gestures 1
gestures were 1
were so 1
so extremely 1
extremely natural 1
natural , 1
that at 1
the close 3
close of 3
the play 1
play the 1
the eyes 4
eyes of 6
infanta were 1
were quite 6
quite dim 1
dim with 3
tears . 6
indeed some 1
children really 1
really cried 1
had to 2
be comforted 1
comforted with 1
with sweetmeats 1
sweetmeats , 1
inquisitor himself 1
himself was 3
so affected 1
affected that 1
could not 9
not help 4
help saying 2
saying to 3
to don 1
pedro that 1
him intolerable 1
intolerable that 1
that things 1
things made 1
made simply 1
simply out 1
of wood 2
wood and 1
and coloured 2
coloured wax 1
and worked 1
worked mechanically 1
mechanically by 1
by wires 1
wires , 1
, should 3
be so 1
so unhappy 1
unhappy and 1
and meet 1
meet with 1
such terrible 1
terrible misfortunes 1
misfortunes . 1
. an 2
an african 1
african juggler 1
juggler followed 1
followed , 2
who brought 1
brought in 1
large flat 1
flat basket 1
basket covered 1
covered with 6
a red 3
red cloth 1
cloth , 2
having placed 1
placed it 2
it in 10
arena , 4
took from 4
turban a 2
a curious 3
curious reed 1
reed pipe 1
pipe , 2
and blew 1
blew through 1
through it 1
moments the 2
the cloth 1
cloth began 1
move , 1
the pipe 2
pipe grew 1
grew shriller 1
shriller and 1
and shriller 1
shriller two 1
two green 1
green and 1
and gold 2
gold snakes 1
snakes put 1
put out 2
their strange 3
strange wedge-shaped 1
wedge-shaped heads 1
heads and 2
and rose 2
rose slowly 1
slowly up 1
, swaying 1
swaying to 1
to and 5
and fro 3
fro with 1
the music 1
music as 1
a plant 1
plant sways 1
sways in 1
, were 4
were rather 1
rather frightened 1
frightened at 1
their spotted 1
spotted hoods 1
hoods and 1
and quick 1
quick darting 1
darting tongues 1
tongues , 1
and were 3
more pleased 1
pleased when 1
the juggler 1
juggler made 1
a tiny 1
tiny orange-tree 1
orange-tree grow 1
grow out 1
sand and 1
and bear 1
bear pretty 1
pretty white 1
white blossoms 1
blossoms and 1
and clusters 2
clusters of 2
of real 1
real fruit 1
fruit ; 1
the fan 1
fan of 1
little daughter 2
daughter of 4
the marquess 1
marquess de 1
de las-torres 1
las-torres , 1
and changed 1
changed it 1
a blue 2
blue bird 2
bird that 1
that flew 1
flew all 1
the pavilion 3
pavilion and 1
and sang 2
sang , 2
their delight 1
delight and 1
and amazement 1
amazement knew 1
knew no 1
no bounds 1
bounds . 1
the solemn 1
solemn minuet 1
minuet , 1
, too 4
, performed 1
performed by 1
the dancing 2
dancing boys 1
boys from 1
of nuestra 1
nuestra senora 1
senora del 1
del pilar 1
pilar , 1
was charming 1
charming . 1
infanta had 1
had never 6
before seen 1
seen this 1
this wonderful 1
wonderful ceremony 1
ceremony which 1
which takes 1
takes place 1
place every 1
year at 1
at maytime 1
maytime in 1
in front 8
front of 7
the virgin 1
virgin , 1
her honour 1
honour ; 1
and indeed 3
indeed none 1
none of 1
the royal 1
royal family 1
family of 1
spain had 1
had entered 2
great cathedral 1
cathedral of 1
of saragossa 1
saragossa since 1
since a 1
a mad 1
mad priest 1
priest , 7
, supposed 1
supposed by 1
many to 1
have been 9
been in 2
the pay 1
pay of 1
of elizabeth 1
elizabeth of 1
of england 1
england , 1
had tried 1
to administer 1
administer a 1
a poisoned 1
poisoned wafer 1
wafer to 2
the prince 1
prince of 1
the asturias 1
asturias . 1
had known 1
known only 1
only by 1
by hearsay 1
hearsay of 1
of 'our 1
'our lady 1
lady 's 1
's dance 1
dance , 6
' as 1
as it 5
called , 2
beautiful sight 1
sight . 1
boys wore 1
wore old-fashioned 1
old-fashioned court 1
court dresses 1
dresses of 1
of white 12
white velvet 1
velvet , 3
their curious 1
curious three-cornered 1
three-cornered hats 1
hats were 1
were fringed 1
fringed with 3
silver and 4
and surmounted 1
surmounted with 1
huge plumes 1
plumes of 1
ostrich feathers 1
feathers , 1
the dazzling 1
dazzling whiteness 1
whiteness of 1
their costumes 1
costumes , 1
they moved 3
moved about 1
about in 2
being still 1
still more 1
more accentuated 1
accentuated by 1
by their 1
their swarthy 1
swarthy faces 1
faces and 1
and long 2
long black 2
black hair 2
hair . 5
. everybody 1
was fascinated 1
fascinated by 1
grave dignity 1
dignity with 1
which they 3
moved through 1
the intricate 1
intricate figures 1
the dance 3
elaborate grace 1
their slow 1
slow gestures 1
gestures , 1
and stately 1
stately bows 1
bows , 3
when they 18
finished their 1
their performance 1
performance and 1
and doffed 1
doffed their 1
great plumed 1
plumed hats 1
hats to 1
infanta , 9
she acknowledged 1
acknowledged their 1
their reverence 1
reverence with 1
much courtesy 1
courtesy , 1
a vow 1
vow that 1
she would 11
would send 2
send a 1
large wax 1
wax candle 1
candle to 1
the shrine 1
shrine of 1
of our 5
our lady 1
lady of 1
of pilar 1
pilar in 1
the pleasure 2
given her 1
a troop 1
troop of 1
of handsome 1
handsome egyptians 1
egyptians -- 1
the gipsies 3
gipsies were 2
were termed 1
termed in 1
in those 1
those days 1
days -- 1
-- then 1
then advanced 1
advanced into 1
and sitting 1
sitting down 1
down cross-legs 1
cross-legs , 1
a circle 2
circle , 1
, began 1
play softly 1
softly upon 1
their zithers 1
zithers , 1
, moving 1
moving their 1
their bodies 1
bodies to 1
the tune 1
tune , 1
and humming 1
humming , 1
, almost 1
almost below 1
below their 1
their breath 1
breath , 1
a low 4
low dreamy 1
dreamy air 1
they caught 1
of don 1
pedro they 1
they scowled 1
scowled at 1
them looked 1
looked terrified 1
terrified , 1
for only 1
few weeks 1
weeks before 1
before he 1
had two 2
two of 2
their tribe 1
tribe hanged 1
hanged for 1
for sorcery 1
sorcery in 1
the market- 1
market- place 1
place at 1
the pretty 2
pretty infanta 2
infanta charmed 1
charmed them 1
them as 1
she leaned 1
leaned back 1
back peeping 1
peeping over 1
over her 3
fan with 1
great blue 1
they felt 2
felt sure 1
sure that 1
one so 2
so lovely 1
lovely as 2
was could 1
could never 1
never be 1
be cruel 2
cruel to 7
to anybody 1
anybody . 1
so they 7
they played 2
played on 1
on very 1
very gently 1
gently and 1
and just 1
just touching 2
touching the 1
cords of 1
the zithers 2
zithers with 1
long pointed 2
pointed nails 2
nails , 1
heads began 1
to nod 1
nod as 1
were falling 1
falling asleep 1
. suddenly 2
suddenly , 1
a cry 6
cry so 1
so shrill 1
shrill that 1
that all 3
were startled 1
startled and 1
pedro 's 1
's hand 4
hand clutched 1
clutched at 1
the agate 1
agate pommel 1
pommel of 2
his dagger 3
dagger , 1
they leapt 1
leapt to 2
to their 3
their feet 2
feet and 3
and whirled 2
whirled madly 1
madly round 2
the enclosure 1
enclosure beating 1
beating their 1
their tambourines 1
tambourines , 1
and chaunting 1
chaunting some 1
some wild 2
wild love-song 1
love-song in 1
strange guttural 1
guttural language 1
language . 1
at another 1
another signal 1
signal they 1
they all 1
all flung 1
flung themselves 2
themselves again 1
again to 1
lay there 2
there quite 1
quite still 3
still , 3
the dull 1
dull strumming 1
strumming of 1
zithers being 1
being the 1
the only 3
only sound 1
sound that 1
broke the 1
the silence 1
silence . 1
had done 3
done this 2
this several 1
several times 1
times , 1
they disappeared 1
disappeared for 1
a moment 2
moment and 1
and came 6
came back 3
back leading 1
leading a 1
brown shaggy 1
shaggy bear 1
bear by 1
a chain 4
chain , 1
and carrying 4
carrying on 1
shoulders some 1
some little 1
little barbary 1
barbary apes 2
apes . 1
the bear 1
bear stood 1
stood upon 1
the utmost 1
utmost gravity 1
gravity , 1
the wizened 1
wizened apes 1
apes played 1
played all 1
all kinds 4
kinds of 4
of amusing 1
amusing tricks 1
tricks with 1
with two 1
two gipsy 1
gipsy boys 1
boys who 1
who seemed 2
be their 1
their masters 1
masters , 1
and fought 1
fought with 2
with tiny 2
tiny swords 1
swords , 1
and fired 1
fired off 1
off guns 1
guns , 1
went through 1
a regular 1
regular soldier 1
soldier 's 1
's drill 1
drill just 1
's own 1
own bodyguard 1
bodyguard . 1
in fact 1
fact the 1
were a 2
great success 1
success . 1
the funniest 2
funniest part 1
whole morning 1
morning 's 1
's entertainment 1
entertainment , 1
was undoubtedly 1
undoubtedly the 1
dancing of 1
little dwarf 19
dwarf . 1
he stumbled 1
stumbled into 1
, waddling 1
waddling on 1
his crooked 2
crooked legs 2
legs and 1
and wagging 1
wagging his 1
his huge 1
huge misshapen 1
misshapen head 1
head from 1
from side 1
side to 1
to side 1
children went 1
went off 2
off into 2
loud shout 1
shout of 1
of delight 2
delight , 1
infanta herself 3
herself laughed 1
laughed so 1
much that 1
the camerera 3
camerera was 1
was obliged 1
obliged to 1
to remind 1
remind her 1
that although 1
although there 1
there were 10
many precedents 1
precedents in 1
spain for 1
's daughter 1
daughter weeping 1
weeping before 1
before her 4
her equals 1
equals , 1
were none 1
none for 1
a princess 1
princess of 2
blood royal 1
royal making 1
making so 1
so merry 1
merry before 1
before those 1
were her 3
her inferiors 1
inferiors in 1
in birth 1
birth . 1
the dwarf 2
dwarf , 2
was really 3
really quite 1
quite irresistible 1
irresistible , 1
and even 3
even at 1
, always 1
always noted 1
noted for 1
for its 1
its cultivated 1
cultivated passion 1
the horrible 1
horrible , 1
so fantastic 1
fantastic a 1
little monster 1
monster had 2
never been 2
his first 1
first appearance 1
appearance , 2
too . 1
discovered only 1
only the 2
day before 1
, running 1
running wild 1
wild through 1
nobles who 1
who happened 1
happened to 1
been hunting 1
hunting in 1
great cork-wood 1
cork-wood that 1
that surrounded 1
surrounded the 1
been carried 1
carried off 1
off by 1
by them 1
palace as 1
a surprise 1
surprise for 1
infanta ; 2
; his 1
his father 2
father , 2
a poor 3
poor charcoal- 1
charcoal- burner 1
burner , 1
but too 1
too well 1
well pleased 1
pleased to 1
to get 3
get rid 4
rid of 4
of so 1
so ugly 3
ugly and 2
and useless 1
useless a 1
a child 3
child . 3
. perhaps 3
perhaps the 1
most amusing 1
amusing thing 1
thing about 1
his complete 1
complete unconsciousness 1
unconsciousness of 1
own grotesque 1
grotesque appearance 1
appearance . 1
indeed he 2
seemed quite 1
quite happy 1
happy and 1
and full 2
the highest 1
highest spirits 1
spirits . 1
children laughed 1
he laughed 7
laughed as 1
as freely 1
freely and 1
as joyously 1
joyously as 1
as any 1
and at 23
each dance 1
dance he 1
made them 2
them each 1
each the 1
funniest of 1
of bows 1
, smiling 2
smiling and 1
nodding at 1
them just 1
if he 4
really one 1
of themselves 1
themselves , 2
little misshapen 1
misshapen thing 1
thing that 4
that nature 1
nature , 2
in some 2
some humourous 1
humourous mood 1
mood , 1
had fashioned 1
for others 1
to mock 1
mock at 3
at . 2
she absolutely 1
absolutely fascinated 1
fascinated him 1
not keep 1
keep his 1
his eyes 14
eyes off 1
off her 1
and seemed 3
to dance 6
dance for 4
her alone 2
when at 1
the performance 1
performance , 1
, remembering 1
remembering how 1
how she 1
great ladies 1
ladies of 1
court throw 1
throw bouquets 1
bouquets to 1
to caffarelli 1
caffarelli , 1
the famous 1
famous italian 1
italian treble 1
treble , 1
the pope 1
pope had 1
sent from 1
own chapel 1
chapel to 1
to madrid 1
madrid that 1
might cure 1
cure the 1
's melancholy 1
melancholy by 1
the sweetness 1
sweetness of 1
his voice 2
voice , 2
she took 2
took out 1
hair the 1
the beautiful 4
rose , 5
and partly 2
partly for 1
a jest 1
jest and 1
partly to 1
to tease 1
tease the 1
camerera , 2
, threw 1
him across 1
arena with 1
her sweetest 1
sweetest smile 1
smile , 1
whole matter 1
matter quite 1
quite seriously 1
seriously , 1
and pressing 1
pressing the 1
the flower 1
flower to 1
rough coarse 1
coarse lips 1
lips he 1
put his 4
hand upon 3
his heart 7
heart , 5
and sank 1
sank on 1
on one 2
one knee 1
knee before 1
, grinning 1
grinning from 1
from ear 1
ear to 2
to ear 1
ear , 1
his little 2
little bright 1
bright eyes 1
eyes sparkling 1
sparkling with 1
with pleasure 1
. this 4
this so 1
so upset 1
upset the 1
the gravity 1
gravity of 1
infanta that 1
she kept 1
kept on 1
on laughing 1
laughing long 1
long after 1
dwarf had 1
had ran 1
ran out 3
and expressed 1
expressed a 1
a desire 1
desire to 3
uncle that 1
dance should 1
be immediately 1
immediately repeated 1
repeated . 1
the plea 1
plea that 1
was too 2
too hot 1
hot , 1
, decided 1
decided that 1
it would 1
be better 1
better that 2
that her 2
her highness 1
highness should 1
should return 1
return without 1
without delay 1
delay to 1
where a 2
a wonderful 1
wonderful feast 1
feast had 1
already prepared 1
, including 1
including a 1
real birthday 1
birthday cake 1
cake with 1
own initials 1
initials worked 1
worked all 1
all over 6
over it 1
in painted 1
painted sugar 1
sugar and 1
a lovely 1
lovely silver 1
silver flag 1
flag waving 1
waving from 1
the top 6
top . 1
infanta accordingly 1
accordingly rose 1
much dignity 1
dignity , 1
having given 1
dwarf was 3
dance again 3
again for 1
her after 1
the hour 3
of siesta 1
siesta , 1
and conveyed 1
conveyed her 1
her thanks 1
thanks to 1
tierra-nueva for 1
his charming 1
charming reception 1
reception , 1
she went 3
went back 4
her apartments 1
apartments , 1
same order 1
order in 1
entered . 1
. now 5
now when 2
dwarf heard 1
heard that 1
dance a 1
a second 1
second time 2
own express 1
express command 1
command , 2
so proud 1
proud that 1
he ran 7
out into 6
, kissing 1
kissing the 1
rose in 1
an absurd 1
absurd ecstasy 1
ecstasy of 1
pleasure , 2
and making 4
most uncouth 1
uncouth and 1
and clumsy 1
clumsy gestures 1
gestures of 1
delight . 2
the flowers 5
flowers were 2
quite indignant 1
indignant at 1
his daring 1
daring to 1
to intrude 1
intrude into 1
into their 1
their beautiful 1
beautiful home 1
home , 2
they saw 6
him capering 1
capering up 1
the walks 2
walks , 2
and waving 1
waving his 1
his arms 8
arms above 1
above his 1
such a 3
a ridiculous 1
ridiculous manner 1
they could 2
not restrain 1
restrain their 1
their feelings 1
feelings any 1
any longer 1
longer . 1
is really 2
really far 1
far too 1
too ugly 1
ugly to 1
be allowed 1
play in 1
in any 4
any place 3
place where 2
where we 1
are , 3
the tulips 1
tulips . 1
'he should 3
should drink 1
drink poppy-juice 1
poppy-juice , 1
and go 7
go to 5
to sleep 4
sleep for 1
a thousand 1
thousand years 1
years , 2
great scarlet 1
scarlet lilies 1
they grew 2
grew quite 1
quite hot 1
hot and 1
and angry 1
angry . 1
a perfect 1
perfect horror 1
horror ! 1
' screamed 1
screamed the 1
cactus . 1
. 'why 2
'why , 3
is twisted 1
twisted and 1
and stumpy 1
stumpy , 1
head is 1
is completely 1
completely out 1
of proportion 1
proportion with 1
his legs 2
legs . 1
. really 1
really he 1
he makes 1
makes me 1
me feel 1
feel prickly 1
prickly all 1
over , 8
and if 10
he comes 1
comes near 1
near me 1
me i 3
will sting 1
sting him 1
with my 4
my thorns 1
thorns . 1
' 'and 2
'and he 3
has actually 1
actually got 1
got one 1
my best 1
best blooms 1
blooms , 1
' exclaimed 1
exclaimed the 1
white rose-tree 1
rose-tree . 1
i gave 3
gave it 2
infanta this 1
this morning 1
morning myself 1
myself , 1
a birthday 1
birthday present 1
present , 1
has stolen 1
stolen it 1
from her 4
she called 1
called out 7
: 'thief 1
'thief , 1
, thief 2
thief , 1
thief ! 1
' at 1
top of 5
her voice 3
voice . 1
the red 3
red geraniums 1
geraniums , 1
who did 1
not usually 1
usually give 1
give themselves 1
themselves airs 1
airs , 1
were known 1
known to 1
great many 2
many poor 1
poor relations 1
relations themselves 1
, curled 1
curled up 1
in disgust 1
disgust when 1
the violets 2
violets meekly 1
meekly remarked 1
remarked that 1
was certainly 1
certainly extremely 1
extremely plain 1
plain , 2
, still 1
still he 1
help it 1
they retorted 1
retorted with 1
a good 2
good deal 1
deal of 1
of justice 1
justice that 1
that that 1
his chief 1
chief defect 1
defect , 1
was no 6
no reason 1
reason why 1
why one 1
should admire 1
admire a 1
a person 2
person because 1
because he 1
was incurable 1
incurable ; 1
violets themselves 1
themselves felt 1
felt that 2
the ugliness 1
ugliness of 1
almost ostentatious 1
ostentatious , 1
have shown 2
much better 1
better taste 1
taste if 1
had looked 1
looked sad 1
sad , 2
or at 1
least pensive 1
pensive , 1
, instead 1
instead of 1
of jumping 1
jumping about 1
about merrily 1
merrily , 1
and throwing 1
throwing himself 1
himself into 1
into such 1
such grotesque 1
grotesque and 1
and silly 1
silly attitudes 1
attitudes . 1
old sundial 1
sundial , 1
an extremely 1
extremely remarkable 1
remarkable individual 1
individual , 1
had once 2
once told 1
told the 1
time of 2
of day 1
to no 1
no less 1
less a 1
person than 1
emperor charles 1
charles v. 2
v. himself 1
so taken 1
taken aback 1
aback by 1
dwarf 's 1
's appearance 1
he almost 1
almost forgot 1
forgot to 1
to mark 1
mark two 1
two whole 1
whole minutes 1
minutes with 1
his long 2
long shadowy 1
shadowy finger 1
finger , 2
and could 5
great milk-white 1
milk-white peacock 1
peacock , 1
was sunning 1
sunning herself 1
herself on 1
the balustrade 1
balustrade , 1
that every 1
every one 1
one knew 1
knew that 5
kings were 1
were kings 1
of charcoal-burners 1
charcoal-burners were 1
were charcoal- 1
charcoal- burners 2
burners , 1
was absurd 1
absurd to 2
to pretend 1
pretend that 1
was n't 1
n't so 1
so ; 1
; a 1
a statement 1
statement with 1
the peacock 1
peacock entirely 1
entirely agreed 1
agreed , 1
indeed screamed 1
screamed out 1
, 'certainly 1
'certainly , 1
, certainly 1
certainly , 1
' in 1
loud , 1
, harsh 1
harsh voice 1
the gold-fish 1
gold-fish who 1
who lived 3
the basin 1
basin of 1
the cool 2
cool splashing 1
splashing fountain 1
fountain put 1
put their 4
heads out 1
and asked 5
huge stone 1
stone tritons 1
tritons what 1
what on 1
on earth 2
earth was 1
the matter 1
matter . 1
but somehow 1
somehow the 1
birds liked 1
liked him 1
seen him 1
him often 1
often in 1
, dancing 1
dancing about 1
about like 2
an elf 1
elf after 1
the eddying 1
eddying leaves 1
leaves , 3
or crouched 1
crouched up 1
the hollow 1
hollow of 1
some old 1
old oak-tree 1
oak-tree , 1
, sharing 1
sharing his 1
his nuts 1
nuts with 1
the squirrels 1
squirrels . 1
they did 5
not mind 2
mind his 1
his being 1
being ugly 1
ugly , 2
a bit 2
bit . 1
. why 3
why , 1
the nightingale 1
nightingale herself 1
herself , 2
who sang 1
sang so 1
so sweetly 1
sweetly in 1
the orange 1
orange groves 1
groves at 1
night that 1
that sometimes 1
sometimes the 1
the moon 19
moon leaned 1
leaned down 1
to listen 3
listen , 1
not much 1
much to 3
look at 11
at after 1
after all 2
all ; 1
, besides 1
been kind 1
kind to 1
and during 1
during that 1
that terribly 1
terribly bitter 1
bitter winter 1
winter , 3
when there 2
were no 2
no berries 1
berries on 1
trees , 6
ground was 1
was as 7
as hard 1
hard as 1
as iron 1
iron , 1
the wolves 1
wolves had 1
very gates 1
city to 1
for food 1
food , 1
never once 1
once forgotten 1
forgotten them 1
but had 1
always given 1
given them 1
them crumbs 1
crumbs out 1
little hunch 1
hunch of 1
black bread 1
bread , 3
and divided 1
divided with 1
with them 7
them whatever 1
whatever poor 1
poor breakfast 1
breakfast he 1
had . 1
they flew 1
touching his 1
his cheek 1
cheek with 2
wings as 1
they passed 5
passed , 1
and chattered 2
so pleased 1
pleased that 1
help showing 1
showing them 1
them the 2
and telling 1
telling them 1
them that 1
herself had 1
given it 1
him because 1
because she 1
she loved 2
loved him 3
not understand 1
understand a 1
a single 1
single word 1
word of 1
of what 4
what he 3
was saying 1
saying , 5
that made 2
made no 2
no matter 1
matter , 2
they put 3
heads on 1
one side 1
looked wise 1
wise , 1
is quite 1
as good 2
good as 2
as understanding 1
understanding a 1
a thing 4
thing , 6
and very 1
very much 1
much easier 1
easier . 1
the lizards 3
lizards also 1
also took 1
took an 1
immense fancy 1
fancy to 1
grew tired 1
tired of 2
of running 1
running about 1
about and 1
and flung 5
himself down 5
grass to 1
to rest 2
rest , 1
and romped 1
romped all 1
and tried 1
to amuse 1
amuse him 1
him in 8
the best 2
best way 1
way they 1
could . 1
. 'every 1
'every one 1
one can 1
can not 8
not be 8
as beautiful 1
beautiful as 1
a lizard 1
lizard , 1
; 'that 1
'that would 1
be too 1
to expect 1
expect . 1
it sounds 1
sounds absurd 1
say so 2
really not 2
not so 2
ugly after 1
, provided 1
provided , 1
of course 3
course , 2
one shuts 1
shuts one 1
one 's 1
and does 1
does not 1
lizards were 1
were extremely 1
extremely philosophical 1
philosophical by 1
by nature 1
and often 2
often sat 1
sat thinking 1
thinking for 1
for hours 1
hours and 1
and hours 1
hours together 1
together , 3
was nothing 1
nothing else 1
else to 1
do , 5
or when 1
the weather 1
weather was 1
too rainy 1
rainy for 1
to go 4
go out 2
out . 2
flowers , 5
were excessively 1
excessively annoyed 1
annoyed at 1
their behaviour 1
behaviour , 1
the behaviour 1
behaviour of 1
birds . 1
'it only 1
only shows 1
shows , 1
they said 3
'what a 1
a vulgarising 1
vulgarising effect 1
effect this 1
this incessant 1
incessant rushing 1
rushing and 1
and flying 1
flying about 1
about has 1
has . 1
. well-bred 1
well-bred people 1
people always 1
always stay 1
stay exactly 1
exactly in 1
same place 2
as we 7
we do 2
do . 4
. no 5
no one 2
one ever 1
ever saw 1
saw us 2
us hopping 1
hopping up 1
or galloping 1
galloping madly 1
madly through 1
grass after 1
after dragon-flies 1
dragon-flies . 1
when we 5
do want 1
want change 1
change of 1
of air 1
air , 3
, we 1
we send 1
send for 3
the gardener 1
gardener , 1
he carries 1
carries us 1
us to 2
to another 5
another bed 1
bed . 1
this is 11
is dignified 1
dignified , 1
it should 1
but birds 1
birds and 6
and lizards 1
lizards have 1
no sense 1
sense of 1
of repose 1
repose , 1
indeed birds 1
birds have 1
not even 1
even a 1
a permanent 1
permanent address 1
address . 1
are mere 1
mere vagrants 1
vagrants like 1
gipsies , 1
and should 1
be treated 1
treated in 1
in exactly 1
exactly the 1
same manner 1
manner . 1
' so 26
their noses 1
noses in 1
looked very 1
very haughty 1
haughty , 1
quite delighted 1
delighted when 1
when after 1
time they 1
dwarf scramble 1
scramble up 1
grass , 2
make his 1
his way 5
way across 1
terrace to 1
should certainly 1
certainly be 1
be kept 1
kept indoors 1
indoors for 1
the rest 3
rest of 2
his natural 1
natural life 1
said . 1
. 'look 1
'look at 1
his hunched 1
hunched back 1
back , 5
they began 2
to titter 1
titter . 1
dwarf knew 1
knew nothing 1
all this 2
this . 1
he liked 1
liked the 1
lizards immensely 1
immensely , 1
and thought 1
most marvellous 1
marvellous things 4
things in 2
world , 11
, except 1
except of 1
course the 1
but then 1
then she 3
great difference 1
difference . 1
. how 3
how he 1
he wished 1
wished that 1
had gone 6
gone back 1
her ! 2
! she 3
put him 1
him on 2
her right 1
and smiled 5
smiled at 8
have never 1
never left 1
left her 2
but would 4
have made 2
made her 2
her his 2
his playmate 1
playmate , 1
and taught 1
taught her 1
her all 3
of delightful 1
delightful tricks 1
tricks . 1
for though 1
a palace 2
palace before 1
he knew 10
knew a 1
many wonderful 1
could make 1
make little 1
little cages 1
cages out 1
of rushes 1
rushes for 1
the grasshoppers 1
grasshoppers to 1
to sing 3
sing in 1
in , 8
and fashion 1
fashion the 1
long jointed 1
jointed bamboo 1
bamboo into 1
pipe that 1
that pan 1
pan loves 1
loves to 1
to hear 1
hear . 1
knew the 2
of every 2
every bird 1
bird , 2
could call 1
call the 2
the starlings 1
starlings from 1
the tree-top 1
tree-top , 1
the heron 1
heron from 1
the mere 1
mere . 1
the trail 1
trail of 1
every animal 1
animal , 1
could track 1
track the 1
the hare 11
hare by 1
its delicate 1
delicate footprints 1
footprints , 1
the boar 1
boar by 1
the trampled 1
trampled leaves 1
leaves . 4
the wild- 1
wild- dances 1
dances he 1
knew , 1
the mad 1
mad dance 1
dance in 4
in red 1
red raiment 1
raiment with 1
the autumn 2
autumn , 1
the light 1
light dance 1
in blue 1
blue sandals 1
sandals over 1
dance with 3
with white 3
white snow-wreaths 1
snow-wreaths in 1
in winter 1
the blossom-dance 1
blossom-dance through 1
the orchards 1
orchards in 1
in spring 2
spring . 2
knew where 1
the wood-pigeons 1
wood-pigeons built 1
built their 1
their nests 1
nests , 1
and once 3
once when 1
when a 1
a fowler 1
fowler had 1
had snared 1
snared the 2
the parent 1
parent birds 1
birds , 2
young ones 1
ones himself 1
had built 1
built a 1
little dovecot 1
dovecot for 1
the cleft 2
cleft of 3
a pollard 1
pollard elm 1
elm . 1
quite tame 1
tame , 1
and used 1
used to 1
to feed 2
feed out 1
hands every 1
every morning 3
morning . 2
would like 1
like them 1
the rabbits 2
rabbits that 1
that scurried 1
scurried about 1
long fern 1
fern , 1
the jays 1
jays with 1
their steely 1
steely feathers 1
feathers and 1
black bills 1
bills , 1
the hedgehogs 1
hedgehogs that 1
that could 1
could curl 1
curl themselves 1
themselves up 2
up into 1
into prickly 1
prickly balls 1
balls , 1
great wise 1
wise tortoises 1
tortoises that 1
that crawled 2
crawled slowly 1
slowly about 1
, shaking 1
shaking their 1
and nibbling 1
nibbling at 1
young leaves 1
. yes 3
yes , 2
she must 1
must certainly 1
certainly come 1
forest and 4
and play 1
would give 2
give her 1
own little 1
little bed 2
and would 5
would watch 1
watch outside 1
outside the 2
window till 1
till dawn 1
dawn , 4
see that 3
wild horned 1
horned cattle 1
cattle did 1
not harm 3
harm her 1
nor the 1
gaunt wolves 1
wolves creep 1
creep too 1
too near 1
near the 1
the hut 1
hut . 1
at dawn 3
dawn he 1
would tap 1
tap at 2
the shutters 2
shutters and 1
and wake 1
wake her 1
they would 3
would go 1
and dance 2
dance together 3
together all 1
long . 1
bit lonely 1
lonely in 1
forest . 4
. sometimes 2
sometimes a 1
a bishop 1
bishop rode 1
rode through 1
through on 1
his white 1
white mule 1
mule , 1
, reading 2
reading out 2
painted book 1
book . 1
sometimes in 1
their green 1
green velvet 2
velvet caps 1
caps , 1
their jerkins 1
jerkins of 1
of tanned 2
tanned deerskin 1
deerskin , 1
the falconers 1
falconers passed 1
passed by 2
with hooded 1
hooded hawks 1
hawks on 1
their wrists 1
wrists . 1
at vintage-time 1
vintage-time came 1
the grape-treaders 1
grape-treaders , 1
with purple 2
purple hands 1
hands and 4
and feet 1
feet , 11
, wreathed 1
wreathed with 1
with glossy 1
glossy ivy 1
ivy and 1
carrying dripping 1
dripping skins 1
skins of 1
of wine 1
wine ; 1
the charcoal-burners 1
charcoal-burners sat 1
sat round 1
round their 1
their huge 2
huge braziers 1
braziers at 1
night , 4
dry logs 1
logs charring 1
charring slowly 1
slowly in 1
the fire 3
fire , 1
and roasting 1
roasting chestnuts 1
chestnuts in 1
the ashes 1
ashes , 1
the robbers 1
robbers came 1
their caves 2
caves and 2
merry with 1
once , 2
seen a 1
beautiful procession 1
procession winding 1
winding up 1
long dusty 1
dusty road 1
road to 1
to toledo 1
toledo . 1
monks went 1
front singing 1
singing sweetly 1
sweetly , 1
carrying bright 1
bright banners 1
banners and 1
and crosses 1
crosses of 1
then , 1
in silver 2
silver armour 1
armour , 1
with matchlocks 1
matchlocks and 1
and pikes 1
pikes , 1
their midst 1
midst walked 1
walked three 1
three barefooted 1
barefooted men 1
in strange 1
strange yellow 1
yellow dresses 1
dresses painted 1
painted all 1
over with 2
with wonderful 1
wonderful figures 1
figures , 1
carrying lighted 1
lighted candles 1
candles in 1
their hands 2
hands . 4
certainly there 1
great deal 1
deal to 1
at in 1
was tired 2
tired he 1
would find 2
find a 1
a soft 1
soft bank 1
bank of 1
of moss 1
moss for 1
or carry 1
carry her 1
arms , 4
was very 3
very strong 1
strong , 2
not tall 1
tall . 1
would make 1
make her 1
her a 1
a necklace 1
necklace of 1
of red 12
red bryony 1
bryony berries 1
berries , 1
be quite 1
as pretty 1
pretty as 1
white berries 1
berries that 1
she wore 2
wore on 1
she could 3
could throw 1
throw them 1
them away 1
find her 6
her others 1
others . 2
would bring 1
bring her 1
her acorn-cups 1
acorn-cups and 1
and dew-drenched 1
dew-drenched anemones 1
anemones , 1
and tiny 1
tiny glow-worms 1
glow-worms to 1
be stars 1
stars in 2
pale gold 1
gold of 3
where was 1
was she 2
she ? 1
? he 5
it made 2
made him 4
him no 4
no answer 7
answer . 9
whole palace 1
palace seemed 1
seemed asleep 1
asleep , 2
even where 1
shutters had 1
been closed 1
closed , 1
, heavy 1
heavy curtains 1
drawn across 1
the windows 3
windows to 2
to keep 2
keep out 1
the glare 1
glare . 1
he wandered 3
wandered all 1
round looking 1
looking for 1
for some 1
some place 1
place through 1
through which 1
might gain 1
gain an 1
an entrance 2
entrance , 3
last he 4
he caught 2
little private 1
private door 1
door that 2
lying open 1
open . 1
he slipped 1
slipped through 1
and found 2
splendid hall 1
, far 2
far more 1
more splendid 1
splendid , 2
he feared 1
feared , 1
more gilding 1
gilding everywhere 1
everywhere , 1
the floor 6
floor was 1
was made 2
great coloured 1
coloured stones 1
stones , 2
, fitted 1
fitted together 1
together into 1
of geometrical 1
geometrical pattern 1
pattern . 1
not there 1
, only 3
only some 1
some wonderful 1
wonderful white 1
white statues 1
statues that 1
that looked 1
looked down 3
on him 7
him from 2
their jasper 1
jasper pedestals 1
pedestals , 1
with sad 1
sad blank 1
blank eyes 1
eyes and 1
and strangely 1
strangely smiling 1
smiling lips 1
the hall 1
hall hung 1
hung a 3
a richly 1
richly embroidered 1
embroidered curtain 1
curtain of 1
black velvet 3
, powdered 1
powdered with 2
with suns 1
suns and 1
and stars 1
stars , 3
's favourite 1
favourite devices 1
devices , 1
and broidered 1
the colour 1
colour he 1
loved best 1
best . 1
perhaps she 2
was hiding 1
hiding behind 1
behind that 1
that ? 2
would try 1
try at 1
at any 1
any rate 1
rate . 1
he stole 1
stole quietly 1
quietly across 1
across , 2
and drew 4
drew it 1
it aside 1
aside . 2
no ; 1
only another 1
another room 1
though a 1
a prettier 1
prettier room 1
the one 1
one he 1
just left 1
left . 1
a many-figured 1
many-figured green 1
green arras 1
arras of 1
of needle-wrought 1
needle-wrought tapestry 1
tapestry representing 1
representing a 1
a hunt 1
hunt , 1
the work 1
work of 1
some flemish 1
flemish artists 1
artists who 1
had spent 1
spent more 1
than seven 1
seven years 1
years in 1
in its 5
its composition 1
composition . 1
it had 4
once been 1
been the 1
the chamber 1
chamber of 1
of jean 1
jean le 1
le fou 1
fou , 1
that mad 1
mad king 1
so enamoured 1
enamoured of 2
the chase 1
chase , 1
had often 1
often tried 1
tried in 1
his delirium 1
delirium to 1
to mount 1
mount the 1
huge rearing 1
rearing horses 1
horses , 1
to drag 1
drag down 1
the stag 1
stag on 1
great hounds 1
hounds were 1
were leaping 1
leaping , 1
, sounding 1
sounding his 1
his hunting 1
hunting horn 1
horn , 1
and stabbing 1
stabbing with 1
dagger at 1
pale flying 1
flying deer 1
deer . 1
was now 2
now used 1
used as 1
the council-room 1
council-room , 1
centre table 1
table were 1
were lying 1
lying the 1
red portfolios 1
portfolios of 1
the ministers 1
ministers , 1
, stamped 1
stamped with 1
the gold 7
gold tulips 1
tulips of 1
the arms 1
and emblems 1
emblems of 1
the house 8
of hapsburg 1
hapsburg . 1
dwarf looked 1
wonder all 1
was half- 1
half- afraid 1
go on 1
on . 1
strange silent 1
silent horsemen 1
horsemen that 1
that galloped 1
galloped so 1
so swiftly 1
swiftly through 1
long glades 1
glades without 1
without making 1
making any 1
any noise 1
noise , 1
him like 2
like those 1
those terrible 1
terrible phantoms 1
phantoms of 1
of whom 5
heard the 6
the charcoal- 1
burners speaking 1
speaking -- 1
the comprachos 1
comprachos , 1
who hunt 1
hunt only 1
only at 1
they meet 1
meet a 1
, turn 1
turn him 1
him into 3
a hind 1
hind , 1
and chase 1
chase him 1
took courage 1
courage . 1
he wanted 2
wanted to 1
to tell 4
tell her 2
he too 1
too loved 1
room beyond 1
beyond . 1
ran across 1
soft moorish 1
moorish carpets 1
carpets , 2
and opened 2
opened the 6
the door 8
door . 3
no ! 1
not here 2
here either 1
either . 1
room was 1
was quite 1
quite empty 1
a throne-room 1
throne-room , 1
, used 1
used for 1
the reception 1
reception of 1
of foreign 1
foreign ambassadors 1
ambassadors , 1
which of 1
of late 1
late had 1
been often 1
often , 1
, consented 1
consented to 1
give them 1
a personal 1
personal audience 1
audience ; 1
same room 1
room in 2
which , 1
many years 1
, envoys 1
envoys had 1
had appeared 1
appeared from 1
from england 1
england to 1
to make 4
make arrangements 1
arrangements for 1
marriage of 1
their queen 1
then one 1
the catholic 1
catholic sovereigns 1
sovereigns of 1
of europe 1
europe , 1
's eldest 1
eldest son 1
son . 1
the hangings 1
hangings were 1
gilt cordovan 1
cordovan leather 1
leather , 2
a heavy 2
heavy gilt 1
gilt chandelier 1
chandelier with 1
with branches 1
branches for 1
for three 1
hundred wax 1
wax lights 1
lights hung 1
hung down 1
and white 1
white ceiling 1
. underneath 1
underneath a 1
great canopy 1
canopy of 1
gold cloth 1
lions and 1
and towers 1
towers of 1
of castile 1
castile were 1
broidered in 1
in seed 1
seed pearls 1
pearls , 3
, stood 3
stood the 4
the throne 4
throne itself 2
itself , 1
, covered 1
a rich 1
rich pall 1
pall of 1
velvet studded 1
silver tulips 1
tulips and 1
and elaborately 1
elaborately fringed 1
and pearls 1
second step 1
step of 1
throne was 1
placed the 3
the kneeling-stool 1
kneeling-stool of 1
its cushion 1
cushion of 1
of cloth 2
cloth of 2
silver tissue 1
tissue , 2
and below 1
below that 1
that again 1
and beyond 1
the limit 1
limit of 1
the canopy 2
the chair 1
chair for 1
nuncio , 1
who alone 1
alone had 1
the right 1
right to 1
be seated 1
seated in 1
's presence 1
presence on 1
of any 5
any public 1
public ceremonial 1
ceremonial , 1
whose cardinal 1
cardinal 's 1
's hat 1
hat , 2
its tangled 1
tangled scarlet 1
scarlet tassels 1
tassels , 1
, lay 1
lay on 2
a purple 1
purple tabouret 1
tabouret in 1
front . 1
, facing 1
a life-sized 1
life-sized portrait 1
portrait of 1
of charles 1
v. in 1
in hunting 1
hunting dress 1
great mastiff 1
mastiff by 1
a picture 1
picture of 1
of philip 1
philip ii 1
ii . 1
. receiving 1
receiving the 1
the homage 1
homage of 1
netherlands occupied 1
occupied the 1
other wall 1
wall . 1
. between 1
windows stood 1
black ebony 1
ebony cabinet 1
cabinet , 1
with plates 1
plates of 2
the figures 1
figures from 1
from holbein's 1
holbein's dance 1
dance of 1
of death 2
death had 1
been graved 1
graved -- 1
-- by 1
that famous 1
famous master 1
master himself 1
dwarf cared 1
cared nothing 1
nothing for 1
for all 5
this magnificence 1
magnificence . 1
would not 10
not have 2
have given 1
given his 1
his rose 2
rose for 2
pearls on 1
nor one 1
one white 1
white petal 1
petal of 1
itself . 1
wanted was 1
infanta before 1
pavilion , 1
to ask 2
ask her 1
come away 1
away with 1
him when 1
his dance 1
dance . 4
. here 1
here , 4
was close 1
close and 1
but in 2
forest the 1
blew free 1
sunlight with 1
with wandering 1
wandering hands 1
gold moved 1
moved the 1
the tremulous 1
tremulous leaves 1
leaves aside 1
were flowers 1
, not 1
so splendid 1
perhaps , 1
flowers in 1
more sweetly 1
sweetly scented 1
scented for 1
all that 6
that ; 1
; hyacinths 1
hyacinths in 1
in early 1
early spring 1
spring that 1
that flooded 1
flooded with 1
with waving 1
waving purple 1
purple the 1
cool glens 1
glens , 1
and grassy 1
grassy knolls 1
knolls ; 1
; yellow 1
yellow primroses 1
primroses that 1
that nestled 1
nestled in 1
in little 2
little clumps 1
clumps round 1
the gnarled 1
gnarled roots 1
roots of 1
the oak-trees 1
oak-trees ; 1
; bright 1
bright celandine 1
celandine , 1
blue speedwell 1
speedwell , 1
and irises 1
irises lilac 1
lilac and 1
were grey 1
grey catkins 1
catkins on 1
the hazels 1
hazels , 1
the foxgloves 1
foxgloves drooped 1
drooped with 1
the weight 1
weight of 1
their dappled 1
dappled bee-haunted 1
bee-haunted cells 1
cells . 1
the chestnut 1
chestnut had 1
had its 2
its spires 1
spires of 1
white stars 1
the hawthorn 1
hawthorn its 1
its pallid 1
pallid moons 1
moons of 1
yes : 1
: surely 1
surely she 1
would come 2
come if 1
could only 1
only find 1
come with 9
fair forest 1
long he 4
would dance 1
her delight 1
smile lit 1
up his 3
eyes at 1
the thought 1
passed into 1
the next 3
next room 1
. of 3
the rooms 1
rooms this 1
the brightest 1
brightest and 1
most beautiful 1
were covered 1
a pink-flowered 1
pink-flowered lucca 1
lucca damask 1
damask , 1
, patterned 1
patterned with 1
with birds 1
and dotted 1
dotted with 1
with dainty 1
dainty blossoms 1
silver ; 1
the furniture 1
furniture was 1
of massive 1
massive silver 1
, festooned 1
festooned with 2
with florid 1
florid wreaths 1
wreaths , 1
and swinging 1
swinging cupids 1
cupids ; 1
; in 1
two large 1
large fire-places 1
fire-places stood 1
stood great 2
great screens 1
screens broidered 1
broidered with 2
with parrots 1
parrots and 1
peacocks , 1
floor , 4
of sea-green 1
sea-green onyx 1
onyx , 1
to stretch 1
stretch far 1
away into 3
the distance 1
distance . 1
. nor 6
nor was 2
was he 4
he alone 1
alone . 2
. standing 1
standing under 1
the shadow 5
shadow of 6
the doorway 2
doorway , 1
the extreme 1
extreme end 1
little figure 1
figure watching 1
watching him 3
heart trembled 1
trembled , 3
joy broke 3
he moved 1
moved out 3
sunlight . 1
figure moved 1
out also 1
also , 6
it plainly 1
plainly . 1
infanta ! 1
! it 3
a monster 1
monster , 2
most grotesque 1
grotesque monster 1
monster he 1
ever beheld 1
beheld . 1
. not 1
not properly 1
properly shaped 1
shaped , 1
as all 1
all other 1
other people 1
people were 2
were , 1
but hunchbacked 1
hunchbacked , 2
and crooked-limbed 1
crooked-limbed , 1
huge lolling 1
lolling head 1
head and 2
and mane 1
mane of 1
dwarf frowned 1
frowned , 4
the monster 6
monster frowned 1
frowned also 1
also . 8
it laughed 1
laughed with 1
and held 5
held its 1
its hands 1
hands to 1
to its 3
its sides 1
sides , 1
he himself 2
was doing 2
made it 3
it a 1
a mocking 1
mocking bow 1
bow , 1
it returned 2
returned him 1
low reverence 1
reverence . 1
went towards 3
towards it 3
it came 2
, copying 1
copying each 1
each step 1
step that 1
made , 1
and stopping 1
stopping when 1
he stopped 1
stopped himself 1
he shouted 1
shouted with 1
with amusement 1
amusement , 1
and ran 9
ran forward 1
forward , 1
and reached 1
reached out 4
out his 6
monster touched 1
touched his 4
his , 1
as cold 1
cold as 1
as ice 1
ice . 1
afraid , 2
and moved 1
moved his 1
hand across 1
monster 's 1
hand followed 1
followed it 1
it quickly 1
quickly . 1
he tried 1
to press 1
press on 1
but something 1
something smooth 1
smooth and 1
and hard 1
hard stopped 1
stopped him 1
monster was 1
now close 1
close to 4
seemed full 2
of terror 2
terror . 1
his hair 3
hair off 1
off his 3
it imitated 1
imitated him 1
he struck 5
struck at 2
at it 2
returned blow 1
blow for 1
for blow 1
blow . 1
he loathed 1
loathed it 1
made hideous 1
hideous faces 1
faces at 1
drew back 3
it retreated 1
retreated . 1
is it 4
thought for 1
moment , 1
was strange 1
strange , 1
but everything 1
everything seemed 1
have its 1
its double 1
double in 1
this invisible 1
invisible wall 1
wall of 2
of clear 3
, picture 1
picture for 1
for picture 1
picture was 1
was repeated 1
repeated , 1
and couch 1
couch for 1
for couch 1
couch . 2
the sleeping 2
sleeping faun 1
faun that 1
that lay 2
lay in 1
the alcove 1
alcove by 1
doorway had 1
its twin 1
twin brother 1
brother that 1
that slumbered 1
slumbered , 1
the silver 3
silver venus 1
venus that 1
sunlight held 1
held out 4
her arms 7
arms to 5
a venus 1
venus as 1
as lovely 1
as herself 1
herself . 1
. was 1
it echo 1
echo ? 1
had called 1
called to 16
her once 1
once in 3
had answered 1
answered him 21
him word 1
word for 1
for word 1
word . 3
. could 1
could she 2
she mock 1
mock the 1
the eye 1
eye , 1
she mocked 1
mocked the 1
the voice 1
voice ? 1
? could 3
she make 1
make a 1
a mimic 1
mimic world 1
world just 1
real world 1
world ? 3
could the 2
the shadows 2
shadows of 2
of things 1
things have 1
have colour 1
colour and 1
and life 1
life and 1
and movement 1
movement ? 1
could it 1
be that 7
that -- 1
-- ? 1
he started 1
taking from 1
his breast 5
breast the 2
turned round 5
and kissed 6
kissed it 3
a rose 1
rose of 1
its own 1
, petal 1
petal for 1
for petal 1
petal the 1
same ! 1
it kissed 1
it with 9
with like 1
like kisses 1
kisses , 1
its heart 2
heart with 1
with horrible 1
horrible gestures 1
gestures . 1
the truth 1
truth dawned 1
dawned upon 1
wild cry 1
of despair 1
despair , 1
and fell 2
fell sobbing 1
sobbing to 1
ground . 1
was misshapen 1
misshapen and 1
and hunchbacked 1
, foul 1
foul to 2
at and 1
and grotesque 1
grotesque . 1
was at 2
him that 4
children had 1
been laughing 1
laughing , 2
princess who 1
who he 1
thought loved 1
-- she 1
she too 1
too had 1
been merely 1
merely mocking 1
mocking at 1
his ugliness 1
ugliness , 1
making merry 1
merry over 1
his twisted 1
twisted limbs 1
limbs . 1
why had 2
had they 1
not left 1
where there 2
no mirror 1
mirror to 1
tell him 2
him how 1
how loathsome 1
loathsome he 1
was ? 1
? why 1
had his 2
father not 1
not killed 1
killed him 1
, rather 1
rather than 1
than sell 1
sell him 1
his shame 1
shame ? 1
? the 2
hot tears 1
tears poured 1
poured down 1
down his 2
his cheeks 2
cheeks , 1
he tore 1
tore the 1
rose to 2
to pieces 1
pieces . 3
the sprawling 1
sprawling monster 1
monster did 1
same , 1
and scattered 1
scattered the 1
the faint 1
faint petals 1
petals in 1
it grovelled 1
grovelled on 1
it watched 1
a face 1
face drawn 1
drawn with 1
with pain 2
pain . 5
, lest 1
lest he 2
he should 2
should see 2
see it 5
covered his 1
he crawled 1
crawled , 1
like some 1
some wounded 1
wounded thing 1
, into 1
shadow , 3
there moaning 1
moaning . 1
at that 1
that moment 1
moment the 1
herself came 1
in with 1
companions through 1
the ugly 1
ugly little 1
dwarf lying 1
and beating 1
beating the 1
floor with 1
his clenched 1
clenched hands 1
most fantastic 1
fantastic and 1
and exaggerated 1
exaggerated manner 1
they went 6
into shouts 1
shouts of 1
of happy 1
happy laughter 1
laughter , 1
stood all 1
. 'his 1
'his dancing 1
dancing was 1
was funny 1
funny , 1
; 'but 2
'but his 1
his acting 1
acting is 1
is funnier 1
funnier still 1
is almost 1
almost as 1
the puppets 1
puppets , 1
only of 1
course not 1
not quite 1
so natural 1
natural . 1
she fluttered 1
fluttered her 1
her big 1
big fan 1
and applauded 1
applauded . 1
dwarf never 2
never looked 1
his sobs 1
sobs grew 1
grew fainter 1
fainter and 1
and fainter 1
fainter , 1
suddenly he 1
curious gasp 1
gasp , 1
and clutched 1
clutched his 1
fell back 1
back again 2
lay quite 1
. 'that 2
'that is 2
is capital 1
capital , 1
a pause 1
pause ; 1
'but now 1
now you 1
you must 2
must dance 4
for me 3
' 'yes 1
'yes , 1
cried all 1
, 'you 2
'you must 3
must get 1
get up 1
for you 1
are as 3
as clever 1
clever as 1
the barbary 1
apes , 1
more ridiculous 1
ridiculous . 1
dwarf made 1
infanta stamped 1
stamped her 1
her foot 1
foot , 2
and called 13
uncle , 1
was walking 1
walking on 1
chamberlain , 1
reading some 1
some despatches 1
despatches that 1
just arrived 1
arrived from 1
from mexico 1
mexico , 1
office had 1
had recently 1
recently been 1
been established 1
established . 1
. 'my 2
'my funny 1
funny little 2
dwarf is 1
is sulking 1
sulking , 1
must wake 1
wake him 1
and tell 2
they smiled 1
and sauntered 1
sauntered in 1
pedro stooped 1
stooped down 1
and slapped 1
slapped the 1
dwarf on 1
the cheek 1
embroidered glove 1
glove . 1
. 'you 1
, 'petit 1
'petit monsire 1
monsire . 1
. you 1
spain and 1
the indies 1
indies wishes 1
wishes to 1
be amused 1
amused . 1
never moved 1
moved . 1
a whipping 1
whipping master 1
master should 1
be sent 1
said don 1
pedro wearily 1
wearily , 1
chamberlain looked 1
looked grave 1
grave , 1
knelt beside 1
beside the 1
heart . 4
moments he 1
he shrugged 1
shrugged his 1
his shoulders 1
having made 2
low bow 1
bow to 1
said - 1
- 'mi 1
'mi bella 1
bella princesa 1
princesa , 1
, your 1
your funny 1
dwarf will 1
will never 1
never dance 1
again . 3
it is 21
a pity 1
pity , 2
ugly that 1
king smile 1
smile . 2
' 'but 2
'but why 1
why will 1
will he 1
not dance 2
again ? 1
, laughing 2
laughing . 1
. 'because 1
'because his 1
heart is 4
is broken 1
broken , 1
infanta frowned 1
her dainty 1
dainty rose-leaf 1
rose-leaf lips 1
lips curled 1
in pretty 1
pretty disdain 1
disdain . 1
. 'for 1
the future 1
future let 1
let those 1
who come 1
with me 20
me have 1
no hearts 1
hearts , 1
she ran 1
garden . 4
soul [ 1
to h.s.h 1
h.s.h . 1
. alice 1
alice , 1
, princess 1
of monaco 1
monaco ] 1
] every 1
every evening 3
evening the 3
young fisherman 71
fisherman went 4
went out 6
out upon 4
sea , 16
threw his 2
his nets 4
nets into 1
the land 4
land he 1
caught nothing 1
nothing , 3
or but 1
but little 3
little at 1
at best 1
best , 1
a bitter 6
bitter and 1
and black-winged 1
black-winged wind 1
wind , 2
rough waves 1
waves rose 2
up to 4
meet it 2
but when 6
blew to 1
the fish 4
fish came 1
in from 2
the deep 9
deep , 5
and swam 1
swam into 1
the meshes 1
meshes of 1
nets , 2
took them 1
the market-place 7
market-place and 2
and sold 1
sold them 1
. every 2
evening he 4
and one 8
one evening 3
the net 3
net was 1
so heavy 1
heavy that 1
that hardly 1
hardly could 1
could he 7
he draw 1
draw it 1
the boat 1
boat . 1
to himself 7
, 'surely 5
'surely i 2
caught all 1
fish that 1
that swim 1
swim , 1
or snared 1
snared some 1
some dull 1
dull monster 1
monster that 1
that will 1
will be 7
a marvel 1
marvel to 1
to men 1
some thing 1
thing of 3
of horror 2
horror that 1
great queen 2
queen will 1
will desire 1
desire , 2
and putting 1
putting forth 1
forth all 1
all his 1
his strength 1
strength , 1
he tugged 2
tugged at 2
the coarse 2
coarse ropes 1
ropes till 1
till , 1
like lines 1
lines of 1
of blue 1
enamel round 1
round a 1
a vase 1
vase of 1
long veins 1
veins rose 1
up on 2
arms . 3
the thin 2
thin ropes 1
ropes , 1
and nearer 2
nearer and 1
nearer came 1
the circle 1
circle of 2
of flat 1
flat corks 1
corks , 1
net rose 1
rose at 1
last to 1
no fish 1
fish at 1
at all 1
all was 1
nor any 3
any monster 1
monster or 1
or thing 1
horror , 1
but only 3
little mermaid 12
mermaid lying 1
lying fast 1
fast asleep 1
hair was 2
a wet 1
wet fleece 1
fleece of 1
each separate 1
separate hair 1
hair as 1
fine gold 2
of glass 2
glass . 1
as white 3
white ivory 1
her tail 2
tail was 1
. silver 1
tail , 1
the green 4
green weeds 1
weeds of 1
sea coiled 1
coiled round 1
round it 2
it ; 1
and like 3
like sea-shells 1
sea-shells were 1
her ears 1
her lips 1
lips were 2
were like 6
like sea-coral 1
sea-coral . 1
cold waves 1
waves dashed 1
dashed over 1
her cold 1
cold breasts 1
breasts , 2
salt glistened 1
glistened upon 1
her eyelids 1
eyelids . 1
so beautiful 2
beautiful was 1
she that 1
that when 2
fisherman saw 5
saw her 4
her he 2
was filled 2
with wonder 5
drew the 2
net close 1
leaning over 1
side he 1
he clasped 1
clasped her 1
touched her 1
she gave 2
cry like 1
a startled 1
startled sea-gull 1
sea-gull , 1
in terror 1
terror with 1
her mauve-amethyst 1
mauve-amethyst eyes 1
and struggled 1
struggled that 1
she might 1
might escape 1
escape . 1
he held 3
held her 3
her tightly 1
tightly to 1
not suffer 4
suffer her 1
to depart 2
depart . 1
she saw 3
could in 1
in no 1
no way 1
way escape 1
she began 1
to weep 2
weep , 2
thee let 1
go , 4
and my 3
my father 2
father is 1
is aged 1
aged and 1
and alone 1
fisherman answered 5
not let 2
let thee 3
thee go 3
go save 1
save thou 1
thou makest 1
makest me 1
a promise 1
promise that 2
that whenever 1
whenever i 1
i call 1
call thee 2
, thou 4
thou wilt 7
wilt come 1
and sing 1
sing to 1
to me 25
me , 45
fish delight 1
delight to 1
listen to 2
the song 1
song of 1
the sea- 1
sea- folk 1
folk , 1
and so 6
so shall 1
shall my 1
my nets 2
nets be 1
be full 1
full . 1
' 'wilt 1
'wilt thou 3
in very 3
very truth 3
truth let 1
i promise 1
promise thee 1
thee this 1
this ? 1
the mermaid 8
mermaid . 5
. 'in 3
'in very 1
truth i 2
will let 1
fisherman . 7
the promise 2
promise he 1
he desired 1
desired , 1
and sware 1
sware it 1
it by 1
the oath 1
oath of 1
the sea-folk 7
sea-folk . 1
he loosened 1
loosened his 1
arms from 1
from about 1
about her 2
she sank 2
sank down 2
, trembling 1
trembling with 2
strange fear 1
fear . 2
mermaid , 6
she rose 2
rose out 4
water and 5
sang to 1
. round 3
her swam 1
swam the 1
the dolphins 1
dolphins , 1
wild gulls 1
gulls wheeled 1
wheeled above 1
above her 1
she sang 5
sang a 1
marvellous song 1
song . 1
for she 3
sang of 3
sea-folk who 1
who drive 1
drive their 1
their flocks 1
flocks from 1
from cave 1
cave to 1
to cave 1
cave , 3
carry the 1
little calves 1
calves on 1
shoulders ; 1
; of 8
the tritons 2
tritons who 1
who have 2
have long 1
long green 1
green beards 1
beards , 2
and hairy 1
hairy breasts 1
and blow 1
blow through 1
through twisted 1
twisted conchs 1
conchs when 1
king passes 1
passes by 1
by ; 1
palace of 3
king which 1
is all 2
all of 1
of amber 6
amber , 1
a roof 1
clear emerald 1
emerald , 2
a pavement 2
pavement of 3
bright pearl 1
pearl ; 1
sea where 1
great filigrane 1
filigrane fans 1
of coral 1
coral wave 1
wave all 1
fish dart 1
dart about 1
like silver 1
silver birds 1
the anemones 1
anemones cling 1
cling to 2
rocks , 2
the pinks 1
pinks bourgeon 1
bourgeon in 1
the ribbed 1
ribbed yellow 1
yellow sand 1
the big 1
big whales 1
whales that 1
that come 1
seas and 1
have sharp 1
sharp icicles 1
icicles hanging 1
hanging to 1
their fins 1
fins ; 1
the sirens 1
sirens who 1
who tell 1
tell of 2
of such 1
such wonderful 1
merchants have 2
have to 1
to stop 1
stop their 1
their ears 1
wax lest 1
lest they 1
they should 1
should hear 1
hear them 1
leap into 1
and be 4
be drowned 1
drowned ; 1
the sunken 1
sunken galleys 1
galleys with 1
their tall 1
tall masts 1
masts , 1
the frozen 1
frozen sailors 1
sailors clinging 1
clinging to 1
the rigging 1
rigging , 1
the mackerel 1
mackerel swimming 1
swimming in 1
open portholes 1
portholes ; 1
little barnacles 1
barnacles who 1
are great 1
great travellers 1
travellers , 2
and cling 1
the keels 1
keels of 1
ships and 1
go round 1
world ; 1
the cuttlefish 1
cuttlefish who 1
who live 1
live in 3
the sides 1
sides of 1
the cliffs 1
cliffs and 1
and stretch 1
stretch out 1
black arms 1
and can 2
can make 1
make night 1
night come 1
come when 1
they will 1
will it 2
the nautilus 1
nautilus who 1
who has 3
has a 5
a boat 1
boat of 1
own that 1
that is 19
is carved 2
carved out 4
an opal 1
opal and 1
and steered 1
steered with 1
a silken 1
silken sail 1
sail ; 1
the happy 1
happy mermen 1
mermen who 1
who play 1
play upon 1
upon harps 1
harps and 1
can charm 1
charm the 1
great kraken 1
kraken to 1
sleep ; 1
children who 1
who catch 1
catch hold 1
hold of 1
the slippery 1
slippery porpoises 1
porpoises and 1
and ride 1
ride laughing 1
laughing upon 1
their backs 1
backs ; 1
the mermaids 1
mermaids who 1
who lie 1
foam and 1
and hold 1
hold out 1
their arms 1
the mariners 1
mariners ; 1
the sea-lions 1
sea-lions with 1
their curved 1
curved tusks 1
tusks , 1
the sea-horses 1
sea-horses with 1
floating manes 1
manes . 1
the tunny-fish 1
tunny-fish came 1
deep to 1
fisherman threw 1
nets round 1
round them 1
and caught 2
caught them 1
others he 1
took with 2
a spear 2
spear . 2
when his 3
his boat 2
boat was 1
was well-laden 1
well-laden , 1
mermaid would 1
would sink 1
sink down 1
smiling at 1
. yet 11
yet would 1
would she 1
she never 1
never come 1
come near 1
near him 1
might touch 1
touch her 1
. oftentimes 1
oftentimes he 1
he called 8
her and 3
prayed of 2
but she 5
not ; 1
to seize 1
seize her 1
her she 1
she dived 1
dived into 1
water as 1
a seal 1
seal might 1
might dive 1
dive , 1
nor did 3
did he 2
he see 1
again that 1
that day 1
day the 3
the sound 5
sound of 5
voice became 1
became sweeter 1
sweeter to 1
ears . 2
so sweet 1
sweet was 1
voice that 1
he forgot 1
forgot his 1
nets and 1
his cunning 1
cunning , 1
had no 2
no care 1
his craft 1
craft . 1
. vermilion-finned 1
vermilion-finned and 1
with eyes 1
of bossy 1
bossy gold 1
the tunnies 1
tunnies went 1
by in 2
in shoals 1
shoals , 1
he heeded 2
heeded them 1
his spear 1
spear lay 1
lay by 1
side unused 1
unused , 1
his baskets 1
baskets of 1
of plaited 1
plaited osier 1
osier were 1
were empty 1
. with 4
with lips 1
lips parted 1
parted , 1
and eyes 1
eyes dim 1
he sat 5
sat idle 1
idle in 1
boat and 1
and listened 5
listened , 1
, listening 1
listening till 1
till the 3
the sea-mists 1
sea-mists crept 1
crept round 1
the wandering 1
wandering moon 1
moon stained 1
stained his 1
brown limbs 1
limbs with 1
: 'little 1
'little mermaid 1
, little 2
i love 6
love thee 3
. take 1
take me 1
thy bridegroom 2
bridegroom , 2
mermaid shook 1
hast a 1
a human 2
human soul 2
soul , 28
. 'if 2
'if only 1
only thou 1
thou wouldst 1
wouldst send 1
send away 1
away thy 1
thy soul 4
then could 1
could i 1
fisherman said 5
, 'of 3
'of what 2
what use 3
use is 3
my soul 14
soul to 4
i can 17
not see 4
. i 28
i may 15
may not 15
not touch 4
touch it 4
i do 6
do not 4
know it 4
surely i 2
will send 2
send it 1
it away 1
much gladness 1
gladness shall 1
be mine 1
mine . 4
and standing 1
standing up 1
painted boat 2
boat , 1
send my 5
soul away 4
'and you 1
you shall 1
be my 1
my bride 1
bride , 1
be thy 3
the depth 1
depth of 1
sea we 1
will dwell 1
dwell together 1
hast sung 1
sung of 1
of thou 1
shalt show 1
show me 3
thou desirest 2
desirest i 1
will do 2
nor shall 2
shall our 1
our lives 1
lives be 1
be divided 1
divided . 1
mermaid laughed 1
laughed for 1
for pleasure 1
pleasure and 1
and hid 6
her face 5
her hands 3
. 'but 1
'but how 1
i send 2
soul from 2
. 'tell 1
'tell me 1
me how 4
how i 3
may do 1
do it 2
it shall 3
be done 2
done . 1
' 'alas 4
'alas ! 4
! i 3
know not 3
not , 11
mermaid : 1
: 'the 2
'the sea-folk 1
sea-folk have 1
no souls 1
souls . 1
looking wistfully 1
wistfully at 1
now early 1
early on 1
next morning 1
, before 1
the span 1
span of 1
man 's 3
hand above 1
hill , 1
priest and 1
knocked three 2
three times 3
times at 1
the novice 1
novice looked 1
looked out 2
the wicket 2
wicket , 2
saw who 1
who it 2
back the 2
the latch 1
latch and 1
, 'enter 1
'enter . 1
fisherman passed 1
knelt down 4
the sweet- 1
sweet- smelling 1
smelling rushes 1
rushes of 1
cried to 2
priest who 1
was reading 1
holy book 1
book and 1
, 'father 2
'father , 3
am in 1
in love 1
love with 1
sea-folk , 3
soul hindereth 1
hindereth me 1
me from 3
from having 1
having my 1
my desire 3
desire . 2
. tell 4
tell me 14
can send 2
for in 4
in truth 1
no need 4
need of 8
what value 1
value is 1
priest beat 1
beat his 2
breast , 2
and answered 1
, 'alack 1
'alack , 2
, alack 1
alack , 1
art mad 2
mad , 1
or hast 1
hast eaten 1
eaten of 1
some poisonous 1
poisonous herb 1
herb , 1
the soul 25
soul is 3
the noblest 1
noblest part 1
of man 1
was given 1
given to 4
to us 5
by god 2
god that 1
we should 2
should nobly 1
nobly use 1
use it 1
no thing 1
thing more 1
more precious 3
precious than 3
any earthly 1
earthly thing 1
that can 1
can be 1
be weighed 1
weighed with 1
with it 3
is worth 2
worth all 2
gold that 5
is in 11
the rubies 1
rubies of 1
kings . 1
therefore , 3
my son 3
think not 1
not any 1
any more 2
this matter 1
a sin 1
sin that 1
that may 3
be forgiven 1
forgiven . 1
are lost 4
lost , 3
they who 4
who would 1
would traffic 1
traffic with 2
them are 1
lost also 1
the beasts 1
beasts of 1
the field 5
field that 1
that know 1
not good 1
good from 1
from evil 1
evil , 7
the lord 3
lord has 1
not died 1
fisherman 's 1
tears when 1
he heard 4
the bitter 1
bitter words 1
words of 2
knees and 1
the fauns 3
fauns live 1
are glad 2
rocks sit 1
sit the 2
the mermen 1
mermen with 1
their harps 1
harps of 1
red gold 6
. let 1
me be 1
i beseech 1
beseech thee 1
their days 1
days are 1
the days 3
days of 2
of flowers 1
for my 5
, what 1
what doth 2
doth my 1
soul profit 1
profit me 1
if it 4
it stand 1
stand between 1
between me 1
me and 6
the thing 3
that i 27
love ? 1
'the love 1
love of 2
body is 2
is vile 1
vile , 1
, knitting 1
knitting his 1
'and vile 1
vile and 1
evil are 1
are the 5
the pagan 1
pagan things 1
things god 1
god suffers 1
suffers to 1
to wander 1
his world 1
. accursed 2
accursed be 4
fauns of 1
the woodland 2
woodland , 2
and accursed 3
the singers 1
singers of 1
sea ! 1
have heard 1
them at 1
at night-time 5
night-time , 2
have sought 1
to lure 1
lure me 1
from my 3
my beads 1
they tap 1
and laugh 2
laugh . 2
they whisper 1
whisper into 1
into my 1
my ears 1
ears the 1
tale of 1
their perilous 1
perilous joys 1
joys . 1
they tempt 1
tempt me 1
me with 7
with temptations 2
temptations , 2
when i 6
i would 9
would pray 1
pray they 1
they make 1
make mouths 1
mouths at 1
at me 11
i tell 3
tell thee 3
lost . 1
them there 1
no heaven 1
heaven nor 1
nor hell 1
hell , 2
in neither 1
neither shall 1
shall they 2
they praise 1
praise god 1
god 's 5
's name 1
name . 4
' 'father 1
fisherman , 15
, 'thou 10
'thou knowest 4
knowest not 2
not what 1
what thou 2
my net 1
net i 1
i snared 1
the daughter 1
she is 6
is fairer 1
star , 3
moon . 2
body i 1
give my 1
her love 1
love i 1
would surrender 1
surrender heaven 1
heaven . 1
me what 2
what i 5
i ask 1
ask of 1
of thee 5
peace . 4
' 'away 1
'away ! 1
! away 1
away ! 1
priest : 1
: 'thy 1
'thy leman 1
leman is 1
is lost 1
shalt be 2
be lost 1
lost with 1
gave him 5
no blessing 1
blessing , 1
but drove 1
drove him 1
his door 1
market-place , 4
he walked 1
slowly , 1
with bowed 1
bowed head 1
in sorrow 1
sorrow . 3
merchants saw 1
coming , 7
to whisper 1
whisper to 1
them came 1
came forth 2
forth to 3
called him 1
him by 3
by name 1
name , 3
to sell 1
sell ? 1
will sell 2
sell thee 1
thee my 2
thee buy 1
buy it 1
it of 1
of me 5
weary of 1
merchants mocked 1
mocked at 4
a man's 1
man's soul 1
? it 1
not worth 2
worth a 2
a clipped 2
clipped piece 2
piece of 27
. sell 1
sell us 1
us thy 1
thy body 1
body for 1
a slave 4
slave , 5
will clothe 1
clothe thee 1
thee in 5
in sea-purple 1
sea-purple , 1
put a 2
a ring 3
ring upon 1
thy finger 1
make thee 1
thee the 1
the minion 1
minion of 1
queen . 2
but talk 1
talk not 1
not of 2
for to 1
us it 1
is nought 2
nought , 2
nor has 2
has it 2
it any 2
any value 2
value for 1
for our 1
our service 1
service . 1
himself : 1
: 'how 1
'how strange 1
strange a 2
thing this 1
is ! 1
! the 2
priest telleth 1
telleth me 1
me that 2
merchants say 1
say that 3
shore of 7
to ponder 1
ponder on 1
on what 2
should do 1
at noon 2
noon he 3
remembered how 1
how one 1
a gatherer 1
gatherer of 1
of samphire 1
samphire , 1
had told 1
him of 1
certain young 1
young witch 4
witch who 1
who dwelt 4
dwelt in 3
a cave 3
cave at 1
head of 1
the bay 3
bay and 1
very cunning 1
cunning in 1
her witcheries 1
witcheries . 1
he set 3
set to 2
so eager 2
eager was 1
he to 2
a cloud 2
cloud of 2
of dust 1
dust followed 1
followed him 3
he sped 1
sped round 1
sand of 1
shore . 4
. by 1
the itching 1
itching of 1
her palm 1
palm the 1
witch knew 1
knew his 1
his coming 1
she laughed 2
let down 1
down her 1
her red 4
red hair 5
hair falling 1
falling around 1
around her 1
she stood 1
stood at 1
the opening 1
opening of 1
the cave 1
hand she 2
hemlock that 1
was blossoming 1
blossoming . 1
. 'what 3
'what d 1
d 'ye 10
'ye lack 10
lack ? 10
? what 5
what d 9
came panting 1
panting up 1
the steep 1
steep , 1
bent down 1
down before 1
. 'fish 1
'fish for 1
thy net 1
net , 1
wind is 1
is foul 1
foul ? 1
little reed-pipe 1
reed-pipe , 1
i blow 1
blow on 1
on it 2
it the 4
the mullet 1
mullet come 1
come sailing 1
sailing into 1
bay . 2
but it 5
it has 5
a price 8
price , 6
, pretty 6
pretty boy 6
boy , 7
price . 5
? a 1
a storm 1
storm to 1
to wreck 1
wreck the 1
ships , 1
and wash 1
wash the 1
the chests 1
chests of 2
of rich 1
rich treasure 1
treasure ashore 1
ashore ? 1
have more 1
more storms 1
storms than 1
wind has 1
has , 1
i serve 2
serve one 1
is stronger 3
stronger than 3
a sieve 1
sieve and 1
a pail 1
pail of 1
water i 1
send the 1
great galleys 1
galleys to 1
know a 1
a flower 5
flower that 2
that grows 1
grows in 1
, none 1
none knows 1
knows it 1
it but 1
but i. 1
i. it 1
has purple 1
purple leaves 1
a star 2
star in 1
its juice 1
juice is 1
is as 3
white as 3
as milk 1
milk . 1
. shouldst 1
shouldst thou 2
thou touch 1
touch with 1
this flower 1
flower the 1
the hard 2
hard lips 1
lips of 2
would follow 2
follow thee 2
thee all 2
. out 1
king she 1
would rise 1
rise , 1
and over 4
world she 1
can pound 1
pound a 1
a toad 2
toad in 1
a mortar 1
mortar , 1
make broth 1
broth of 1
and stir 1
stir the 1
the broth 1
broth with 1
a dead 1
dead man 1
. sprinkle 1
sprinkle it 1
on thine 1
thine enemy 1
enemy while 1
while he 3
he sleeps 1
sleeps , 1
he will 6
will turn 1
turn into 1
black viper 1
viper , 1
own mother 1
mother will 2
a wheel 1
wheel i 1
can draw 1
draw the 1
moon from 1
from heaven 2
heaven , 1
a crystal 1
crystal i 1
can show 1
show thee 2
thee death 1
death . 1
? tell 1
me thy 4
thy desire 1
will give 3
give it 2
it thee 1
shalt pay 2
pay me 2
' 'my 2
'my desire 1
desire is 1
little thing 3
, 'yet 2
'yet hath 1
hath the 1
priest been 1
been wroth 1
wroth with 1
and driven 2
driven me 1
me forth 4
forth . 2
have mocked 1
and denied 1
denied me 1
therefore am 1
am i 1
i come 1
thee evil 1
and whatever 2
whatever be 1
thy price 3
price i 1
i shall 4
shall pay 1
pay it 1
' 'what 6
'what wouldst 1
wouldst thou 1
thou ? 2
the witch 11
witch , 6
coming near 1
near to 2
witch grew 1
and shuddered 2
her blue 1
blue mantle 1
mantle . 1
. 'pretty 1
'pretty boy 1
muttered , 2
, 'that 1
a terrible 1
terrible thing 1
thing to 4
he tossed 2
tossed his 2
curls and 1
and laughed 2
laughed . 6
'my soul 1
nought to 2
'what wilt 1
thou give 2
me if 1
looking down 1
down at 2
her beautiful 1
beautiful eyes 1
. 'five 1
'five pieces 1
pieces of 3
'and my 1
the wattled 2
wattled house 3
house where 2
where i 1
i live 1
boat in 1
which i 2
i sail 1
sail . 1
. only 1
only tell 1
how to 1
i possess 1
possess . 1
laughed mockingly 1
mockingly at 1
and struck 1
struck him 2
the spray 1
of hemlock 1
hemlock . 1
can turn 1
turn the 1
autumn leaves 1
leaves into 1
into gold 1
'and i 10
can weave 1
weave the 1
pale moonbeams 1
moonbeams into 1
into silver 1
silver if 1
he whom 1
whom i 5
serve is 1
is richer 2
richer than 2
and has 1
has their 1
their dominions 1
dominions . 1
'what then 1
then shall 1
i give 4
, 'if 5
'if thy 1
price be 1
be neither 1
neither gold 1
gold nor 1
nor silver 2
silver ? 1
witch stroked 1
stroked his 1
hair with 1
thin white 1
white hand 1
'thou must 1
she murmured 3
murmured , 4
she smiled 2
she spoke 1
spoke . 1
. 'nought 2
'nought but 2
fisherman in 1
wonder and 2
his feet 12
feet . 2
that , 2
him again 4
. 'then 3
'then at 1
at sunset 6
sunset in 1
some secret 1
secret place 1
place we 1
we shall 1
shall dance 1
'and after 1
have danced 1
danced thou 1
shalt tell 1
me the 9
thing which 1
i desire 1
to know 1
know . 1
she shook 1
. 'when 9
'when the 5
moon is 3
is full 3
full , 2
she peered 1
peered all 1
listened . 4
bird rose 1
rose screaming 1
from its 3
its nest 1
nest and 1
and circled 1
circled over 1
the dunes 1
dunes , 1
and three 2
three spotted 1
spotted birds 1
birds rustled 1
rustled through 1
coarse grey 1
grey grass 1
grass and 2
and whistled 2
whistled to 1
no other 1
other sound 1
sound save 1
save the 3
a wave 1
wave fretting 1
fretting the 1
the smooth 1
smooth pebbles 1
pebbles below 1
below . 1
she reached 1
drew him 1
him near 1
put her 7
her dry 1
dry lips 1
lips close 1
his ear 1
ear . 1
. 'to-night 1
'to-night thou 1
thou must 4
must come 1
the mountain 4
mountain , 2
she whispered 2
whispered . 1
a sabbath 1
sabbath , 1
be there 1
there . 4
fisherman started 1
started and 2
at her 3
she showed 1
showed her 2
her white 2
white teeth 1
teeth and 1
. 'who 1
is he 3
he of 1
whom thou 5
thou speakest 1
speakest ? 1
asked . 3
'it matters 1
matters not 3
. 'go 1
'go thou 1
thou to-night 1
and stand 1
stand under 1
the branches 3
branches of 3
the hornbeam 3
hornbeam , 2
and wait 1
my coming 1
coming . 2
. if 3
if a 2
black dog 2
dog run 1
run towards 1
towards thee 1
, strike 1
strike it 1
a rod 2
rod of 2
of willow 2
willow , 2
it will 4
if an 1
an owl 1
owl speak 1
speak to 9
, make 1
make it 1
it no 4
full i 1
be with 1
with thee 13
will dance 1
together on 1
grass . 2
'but wilt 1
thou swear 1
swear to 1
me to 16
may send 1
made question 1
question . 1
she moved 1
through her 1
hair rippled 1
rippled the 1
. 'by 1
'by the 1
the hoofs 1
hoofs of 1
the goat 1
goat i 1
i swear 1
swear it 1
made answer 3
art the 1
best of 1
the witches 4
witches , 1
will surely 5
surely dance 1
thee to-night 1
to-night on 1
mountain . 1
would indeed 1
indeed that 1
thou hadst 3
hadst asked 1
asked of 3
me either 1
either gold 1
gold or 1
or silver 1
but such 1
as thy 1
price is 1
is thou 1
shalt have 1
have it 3
thing . 1
he doffed 1
doffed his 1
his cap 1
cap to 1
bent his 1
head low 1
low , 1
ran back 3
town filled 1
great joy 1
joy . 2
witch watched 1
passed from 1
her sight 1
sight she 1
she entered 1
entered her 1
her cave 1
having taken 1
taken a 1
mirror from 1
a box 1
box of 2
of carved 1
carved cedarwood 1
cedarwood , 1
she set 1
it up 1
a frame 1
frame , 1
and burned 1
burned vervain 1
vervain on 1
on lighted 1
lighted charcoal 1
charcoal before 1
before it 1
and peered 2
peered through 2
the coils 1
coils of 1
smoke . 1
time she 2
she clenched 1
in anger 1
anger . 1
been mine 1
mine , 1
am as 3
as fair 2
fair as 2
is . 2
that evening 1
evening , 1
moon had 1
had risen 1
risen , 1
fisherman climbed 1
stood under 1
hornbeam . 1
. like 2
a targe 1
targe of 1
polished metal 1
metal the 1
the round 1
round sea 1
sea lay 1
lay at 2
the fishing-boats 1
fishing-boats moved 1
moved in 1
great owl 1
owl , 1
with yellow 1
yellow sulphurous 1
sulphurous eyes 1
, called 1
his name 1
dog ran 1
ran towards 1
towards him 1
and snarled 1
snarled . 1
struck it 1
it went 2
went away 2
away whining 1
whining . 1
at midnight 1
midnight the 1
witches came 1
air like 1
like bats 1
bats . 1
. 'phew 1
'phew ! 1
they lit 1
lit upon 1
, 'there 1
'there is 2
is some 1
some one 2
one here 1
here we 1
we know 1
not ! 1
they sniffed 2
sniffed about 1
made signs 1
signs . 1
. last 1
last of 1
all came 1
hair streaming 1
streaming in 1
wore a 2
a dress 1
dress of 1
gold tissue 2
tissue embroidered 1
with peacocks 1
peacocks ' 1
' eyes 1
little cap 1
cap of 1
velvet was 1
was on 2
he , 2
he ? 1
' shrieked 1
shrieked the 1
witches when 1
she only 1
only laughed 2
ran to 3
taking the 1
fisherman by 1
she led 2
led him 5
him out 2
moonlight and 1
round they 1
they whirled 1
whirled , 1
witch jumped 1
jumped so 1
so high 1
high that 1
scarlet heels 1
heels of 1
her shoes 1
shoes . 1
then right 1
right across 1
the dancers 2
dancers came 1
the galloping 1
galloping of 1
a horse 1
no horse 1
horse was 1
be seen 1
felt afraid 1
afraid . 3
. 'faster 2
'faster , 2
she threw 1
threw her 1
arms about 1
his neck 6
neck , 2
her breath 1
breath was 1
was hot 1
hot upon 1
, faster 1
faster ! 1
the earth 3
earth seemed 2
to spin 1
spin beneath 1
beneath his 1
his brain 1
brain grew 1
grew troubled 1
troubled , 1
terror fell 1
fell on 3
as of 2
some evil 1
evil thing 4
was watching 1
he became 2
became aware 1
aware that 1
that under 1
a rock 1
rock there 1
a figure 1
figure that 1
been there 1
there before 2
man dressed 1
dressed in 1
a suit 1
suit of 1
, cut 1
cut in 1
spanish fashion 1
fashion . 1
a proud 1
proud red 1
red flower 2
flower . 1
seemed weary 1
weary , 1
was leaning 1
leaning back 1
back toying 1
toying in 1
a listless 1
listless manner 1
manner with 1
the pommel 1
dagger . 1
grass beside 1
him lay 2
lay a 2
a plumed 1
plumed hat 1
of riding-gloves 1
riding-gloves gauntleted 1
gauntleted with 1
with gilt 3
gilt lace 1
lace , 1
and sewn 1
sewn with 1
with seed-pearls 1
seed-pearls wrought 1
wrought into 1
curious device 1
device . 1
short cloak 1
cloak lined 1
lined with 1
with sables 1
sables hang 1
hang from 1
his shoulder 2
shoulder , 1
his delicate 1
delicate white 1
were gemmed 1
gemmed with 1
with rings 1
rings . 1
. heavy 1
drooped over 1
fisherman watched 1
one snared 1
snared in 1
a spell 1
spell . 1
last their 1
eyes met 1
met , 1
and wherever 2
wherever he 2
he danced 1
danced it 1
man were 1
were upon 1
witch laugh 1
laugh , 1
caught her 2
her by 2
the waist 2
waist , 2
whirled her 1
round . 2
a dog 1
dog bayed 1
bayed in 1
dancers stopped 1
stopped , 1
and going 2
going up 1
up two 1
two by 1
two , 1
, knelt 1
kissed the 5
's hands 1
little smile 1
smile touched 1
his proud 1
proud lips 1
a bird's 1
bird's wing 1
wing touches 1
touches the 1
and makes 1
makes it 1
it laugh 1
but there 4
was disdain 1
disdain in 1
kept looking 1
looking at 1
. 'come 1
'come ! 1
! let 1
let us 10
us worship 1
worship , 1
' whispered 2
whispered the 2
great desire 2
do as 1
she besought 1
besought him 3
him seized 1
seized on 2
he followed 1
came close 1
close , 1
and without 1
without knowing 1
knowing why 1
why he 3
did it 2
made on 1
the sign 3
sign of 3
the cross 2
cross , 2
called upon 1
holy name 1
no sooner 1
sooner had 1
he done 1
done so 1
so than 1
witches screamed 1
screamed like 1
like hawks 1
hawks and 1
and flew 1
flew away 1
pallid face 1
face that 1
been watching 1
him twitched 1
twitched with 1
a spasm 1
spasm of 1
man went 2
little wood 1
whistled . 1
a jennet 1
jennet with 1
silver trappings 1
trappings came 1
came running 1
running to 1
he leapt 1
leapt upon 2
the saddle 1
saddle he 1
fisherman sadly 1
witch with 1
hair tried 1
to fly 1
fly away 1
away also 1
fisherman caught 1
her wrists 1
wrists , 1
her fast 1
fast . 1
. 'loose 1
'loose me 1
'and let 2
for thou 5
hast named 1
named what 1
what should 2
be named 1
named , 1
and shown 2
shown the 2
sign that 1
be looked 1
'but i 4
go till 1
hast told 1
told me 2
the secret 1
secret . 1
'what secret 1
secret ? 1
, wrestling 1
wrestling with 1
wild cat 1
cat , 2
and biting 1
biting her 1
her foam-flecked 1
foam-flecked lips 1
knowest , 2
her grass-green 1
grass-green eyes 1
eyes grew 1
grew dim 1
she said 2
, 'ask 1
'ask me 1
me anything 1
anything but 1
that ! 1
the more 1
more tightly 1
tightly . 1
not free 1
free herself 1
the daughters 2
daughters of 2
as comely 1
comely as 1
as those 1
those that 2
that dwell 1
dwell in 2
the blue 2
blue waters 1
waters , 1
she fawned 1
fawned on 1
face close 1
his . 1
he thrust 1
thrust her 1
her back 1
back frowning 2
frowning , 2
'if thou 1
thou keepest 1
keepest not 1
thou madest 1
madest to 1
slay thee 5
thee for 3
a false 2
false witch 2
witch . 1
she grew 1
grew grey 1
grey as 1
a blossom 1
blossom of 1
the judas 1
judas tree 1
tree , 1
shuddered . 1
. 'be 1
'be it 1
soul and 2
not mine 1
. do 4
it as 2
wilt . 1
her girdle 1
girdle a 1
little knife 3
knife that 2
a handle 1
handle of 3
green viper 3
viper 's 3
's skin 3
skin , 2
and gave 4
'what shall 1
shall this 1
this serve 1
serve me 1
, wondering 1
wondering . 1
was silent 1
silent for 1
moments , 1
a look 1
look of 1
terror came 1
she brushed 1
brushed her 1
hair back 1
and smiling 1
smiling strangely 1
strangely she 1
'what men 1
body , 2
but is 1
soul . 9
. stand 1
stand on 2
the sea-shore 1
sea-shore with 1
with thy 2
thy back 1
and cut 2
cut away 2
from around 2
around thy 1
thy feet 1
feet thy 1
thy shadow 1
soul 's 1
's body 1
and bid 2
bid thy 1
soul leave 1
leave thee 2
do so 2
so . 2
fisherman trembled 1
'is this 4
this true 1
true ? 1
he murmured 3
murmured . 2
is true 1
true , 1
would that 2
not told 1
told thee 4
thee of 4
she clung 1
clung to 1
knees weeping 1
weeping . 1
the rank 1
rank grass 1
going to 2
the edge 1
edge of 1
mountain he 1
he placed 1
the knife 2
knife in 1
his belt 2
belt and 1
to climb 1
climb down 1
down . 1
soul that 1
was within 3
within him 3
him called 1
, 'lo 2
'lo ! 2
have dwelt 1
dwelt with 1
all these 2
these years 1
been thy 1
thy servant 2
servant . 1
. send 1
send me 5
me not 5
not away 1
from thee 3
thee now 1
now , 2
what evil 3
evil have 1
have i 7
i done 1
done thee 1
fisherman laughed 3
done me 1
me no 6
no evil 1
. 'the 5
'the world 1
is wide 1
wide , 1
is heaven 1
heaven also 1
and hell 1
that dim 1
dim twilight 1
twilight house 1
house that 1
that lies 1
lies between 1
between . 1
. go 1
go wherever 1
wherever thou 1
wilt , 2
but trouble 1
trouble me 1
my love 5
love is 4
is calling 1
soul besought 2
him piteously 1
piteously , 1
heeded it 1
it not 13
but leapt 1
leapt from 1
from crag 1
crag to 1
to crag 1
crag , 1
being sure-footed 1
sure-footed as 1
wild goat 1
goat , 1
the level 1
level ground 1
yellow shore 1
. bronze-limbed 1
bronze-limbed and 1
and well-knit 1
well-knit , 1
a statue 1
statue wrought 1
wrought by 1
a grecian 1
grecian , 1
stood on 3
sand with 1
his back 3
the foam 2
foam came 1
came white 1
white arms 1
arms that 1
that beckoned 1
beckoned to 1
the waves 4
rose dim 1
dim forms 1
forms that 1
that did 2
did him 1
him homage 1
homage . 1
. before 1
lay his 1
his shadow 2
and behind 1
him hung 1
hung the 1
moon in 1
the honey- 1
honey- coloured 1
coloured air 1
soul said 9
'if indeed 1
indeed thou 1
must drive 1
drive me 2
, send 1
not forth 1
forth without 1
without a 2
a heart 3
is cruel 2
, give 1
thy heart 4
take with 1
smiled . 1
. 'with 1
'with what 1
should i 4
love my 1
love if 1
gave thee 2
my heart 1
heart ? 2
. 'nay 3
but be 3
be merciful 1
merciful , 1
said his 2
soul : 1
: 'give 1
is very 1
very cruel 1
am afraid 2
'my heart 1
love 's 2
's , 1
, 'therefore 1
'therefore tarry 1
tarry not 1
but get 2
' 'should 1
'should i 1
i not 1
not love 1
love also 1
also ? 2
asked his 1
. 'get 2
knife with 1
its handle 1
away his 2
shadow from 1
around his 2
it rose 1
was even 5
as himself 1
crept back 1
thrust the 1
knife into 1
belt , 1
a feeling 1
feeling of 1
of awe 1
awe came 1
me see 3
face no 2
but we 1
must meet 1
meet again 1
. its 4
its voice 1
voice was 2
was low 1
low and 1
and flute-like 1
flute-like , 1
its lips 1
lips hardly 1
hardly moved 1
moved while 1
while it 3
it spake 1
spake . 1
. 'how 2
'how shall 3
shall we 3
we meet 1
meet ? 1
'thou wilt 1
wilt not 2
not follow 1
follow me 1
me into 4
the depths 1
depths of 1
sea ? 1
' 'once 1
'once every 1
year i 1
will come 2
to this 3
this place 5
and call 1
call to 6
'it may 2
wilt have 1
have need 4
'what need 1
need should 1
have of 1
'but be 1
be it 1
plunged into 3
the waters 2
waters and 1
tritons blew 2
blew their 1
their horns 2
horns and 1
mermaid rose 1
arms around 1
neck and 3
kissed him 3
the mouth 2
mouth . 1
soul stood 1
lonely beach 1
beach and 1
had sunk 1
sunk down 1
went weeping 3
weeping away 3
away over 3
the marshes 3
marshes . 3
year was 6
was over 6
soul came 3
sea and 1
'why dost 4
thou call 3
soul answered 12
, 'come 3
'come nearer 3
nearer , 8
may speak 3
speak with 3
have seen 3
seen marvellous 3
came nearer 5
and couched 3
couched in 3
the shallow 4
shallow water 4
and leaned 3
leaned his 3
head upon 3
, 'when 3
'when i 3
i left 3
left thee 4
thee i 1
i turned 2
turned my 2
my face 2
face to 3
the east 2
east and 1
and journeyed 3
journeyed . 2
east cometh 1
cometh everything 2
everything that 3
is wise 1
wise . 3
. six 2
six days 2
days i 2
i journeyed 2
journeyed , 1
morning of 2
the seventh 2
seventh day 2
day i 2
a hill 1
hill that 1
the country 4
the tartars 5
tartars . 1
i sat 2
sat down 1
down under 2
the shade 1
shade of 1
a tamarisk 1
tamarisk tree 1
tree to 1
to shelter 1
shelter myself 1
myself from 1
sun . 1
land was 1
was dry 1
dry and 1
and burnt 1
burnt up 1
heat . 1
people went 1
fro over 2
the plain 3
plain like 1
like flies 1
flies crawling 1
crawling upon 1
a disk 1
disk of 1
polished copper 1
copper . 1
'when it 2
was noon 2
noon a 1
dust rose 1
the flat 2
flat rim 1
rim of 1
land . 2
tartars saw 1
they strung 1
strung their 1
their painted 1
painted bows 1
having leapt 1
their little 2
little horses 1
horses they 1
they galloped 1
galloped to 1
women fled 1
fled screaming 1
screaming to 1
the waggons 2
waggons , 1
hid themselves 1
themselves behind 1
behind the 3
the felt 1
felt curtains 1
curtains . 1
. 'at 5
'at twilight 1
twilight the 1
tartars returned 1
returned , 1
but five 1
five of 1
them were 1
were missing 1
missing , 1
that came 1
back not 1
few had 1
been wounded 1
wounded . 1
they harnessed 1
harnessed their 1
their horses 1
horses to 1
waggons and 1
and drove 1
drove hastily 1
hastily away 1
three jackals 1
cave and 1
peered after 1
after them 1
then they 1
sniffed up 1
nostrils , 2
and trotted 1
trotted off 1
off in 1
the opposite 1
opposite direction 1
direction . 1
moon rose 2
rose i 2
i saw 7
a camp-fire 1
camp-fire burning 1
burning on 1
a company 2
company of 2
of merchants 1
merchants were 1
seated round 1
on carpets 1
carpets . 2
their camels 1
camels were 1
were picketed 1
picketed behind 1
behind them 1
negroes who 1
were their 1
their servants 1
servants were 1
were pitching 1
pitching tents 1
tents of 1
tanned skin 1
skin upon 1
making a 1
a high 1
high wall 1
the prickly 1
prickly pear 1
pear . 1
. 'as 3
'as i 2
came near 2
near them 1
the chief 3
chief of 1
merchants rose 1
drew his 1
his sword 1
sword , 3
asked me 3
my business 1
business . 2
i answered 7
answered that 2
i was 4
a prince 1
prince in 1
my own 3
own land 1
had escaped 1
escaped from 1
tartars , 1
had sought 2
make me 1
me their 1
their slave 1
chief smiled 1
smiled , 1
showed me 1
me five 1
five heads 1
heads fixed 1
fixed upon 1
upon long 1
long reeds 1
of bamboo 1
bamboo . 1
'then he 1
me who 2
the prophet 1
prophet of 1
god , 7
him mohammed 1
mohammed . 1
'when he 1
the false 1
false prophet 1
prophet , 3
bowed and 1
took me 2
me by 6
and placed 3
placed me 1
a negro 1
negro brought 1
brought me 1
me some 1
some mare 1
mare 's 1
's milk 1
milk in 2
a wooden 2
wooden dish 1
dish , 1
a piece 6
of lamb 1
lamb 's 1
's flesh 1
flesh roasted 1
roasted . 1
'at daybreak 1
daybreak we 1
we started 1
started on 1
on our 2
our journey 2
journey . 1
i rode 1
a red-haired 1
red-haired camel 1
camel by 1
side of 6
chief , 1
a runner 1
runner ran 1
ran before 1
before us 2
us carrying 1
carrying a 2
men of 1
of war 1
war were 1
were on 1
on either 2
either hand 1
the mules 2
mules followed 1
followed with 1
the merchandise 1
merchandise . 2
were forty 1
forty camels 1
camels in 1
the caravan 2
caravan , 1
mules were 1
were twice 1
twice forty 1
forty in 1
in number 1
number . 1
. 'we 1
'we went 1
went from 1
tartars into 1
who curse 1
curse the 1
we saw 1
the gryphons 1
gryphons guarding 1
guarding their 1
their gold 1
gold on 1
white rocks 1
the scaled 1
scaled dragons 1
dragons sleeping 1
sleeping in 1
caves . 1
we passed 3
passed over 1
mountains we 1
we held 1
held our 1
our breath 1
breath lest 1
lest the 3
the snows 1
snows might 1
might fall 1
fall on 1
man tied 1
a veil 2
veil of 3
of gauze 2
gauze before 1
before his 3
the valleys 2
valleys the 1
the pygmies 1
pygmies shot 1
shot arrows 1
arrows at 1
at us 2
us from 1
the hollows 1
hollows of 1
night-time we 1
we heard 1
wild men 1
men beating 1
beating on 1
their drums 1
drums . 1
we came 4
the tower 2
tower of 2
apes we 1
we set 1
set fruits 1
fruits before 1
harm us 1
of serpents 1
serpents we 1
we gave 2
gave them 2
them warm 1
warm milk 1
in howls 1
howls of 1
of brass 6
brass , 2
us go 4
go by 2
by . 2
times in 1
in our 1
journey we 1
the banks 1
banks of 1
the oxus 1
oxus . 1
we crossed 1
crossed it 1
on rafts 1
rafts of 1
wood with 1
great bladders 1
bladders of 1
of blown 1
blown hide 1
the river-horses 1
river-horses raged 1
raged against 1
against us 1
us and 2
and sought 3
to slay 2
slay us 1
camels saw 1
saw them 3
they trembled 1
'the kings 1
each city 1
city levied 1
levied tolls 1
tolls on 1
suffer us 1
enter their 1
their gates 2
gates . 2
they threw 1
threw us 1
bread over 1
walls , 2
little maize-cakes 1
maize-cakes baked 1
baked in 1
in honey 1
honey and 1
and cakes 1
cakes of 1
fine flour 1
flour filled 1
with dates 1
dates . 1
for every 1
every hundred 1
hundred baskets 1
baskets we 1
a bead 1
bead of 1
amber . 2
the dwellers 1
dwellers in 1
the villages 2
villages saw 1
us coming 1
they poisoned 1
poisoned the 1
the wells 2
wells and 1
and fled 2
fled to 1
the hill-summits 1
hill-summits . 1
we fought 1
the magadae 1
magadae who 1
are born 1
born old 1
and grow 1
grow younger 1
younger and 1
and younger 1
younger every 1
and die 1
die when 1
are little 1
children ; 1
the laktroi 1
laktroi who 1
who say 1
the sons 1
sons of 1
of tigers 1
tigers , 1
and paint 1
paint themselves 1
themselves yellow 1
black ; 1
the aurantes 1
aurantes who 1
who bury 1
bury their 1
their dead 1
dead on 1
the tops 2
tops of 2
of trees 1
and themselves 1
themselves live 1
in dark 1
dark caverns 1
caverns lest 1
sun , 3
is their 2
their god 1
should slay 1
slay them 1
the krimnians 1
krimnians who 1
who worship 1
worship a 1
a crocodile 1
crocodile , 1
and give 2
it earrings 1
green glass 1
and feed 1
feed it 1
with butter 1
butter and 1
and fresh 1
fresh fowls 1
fowls ; 1
the agazonbae 1
agazonbae , 1
are dog-faced 1
dog-faced ; 1
the sibans 1
sibans , 1
have horses 1
horses ' 1
' feet 1
and run 2
run more 1
more swiftly 1
swiftly than 1
than horses 1
horses . 1
our company 1
company died 1
died in 1
in battle 1
battle , 1
third died 1
died of 2
of want 1
want . 1
rest murmured 1
murmured against 1
against me 2
brought them 1
them an 1
an evil 6
evil fortune 1
fortune . 1
i took 1
a horned 1
horned adder 1
adder from 1
from beneath 1
beneath a 1
a stone 1
stone and 1
let it 1
it sting 1
sting me 1
i did 8
not sicken 1
sicken they 1
'in the 1
the fourth 1
fourth month 1
month we 1
we reached 2
city of 4
of illel 1
illel . 1
was night- 1
night- time 1
time when 1
the grove 1
grove that 1
is outside 1
was sultry 1
sultry , 1
moon was 2
was travelling 1
travelling in 1
in scorpion 1
scorpion . 1
we took 1
the ripe 1
ripe pomegranates 1
pomegranates from 1
and brake 2
brake them 1
and drank 1
drank their 1
their sweet 1
sweet juices 1
juices . 1
then we 1
we lay 1
lay down 3
our carpets 1
and waited 2
waited for 1
dawn . 1
. 'and 13
'and at 1
dawn we 1
we rose 1
rose and 1
the gate 10
gate of 9
city . 17
was wrought 1
wrought out 1
red bronze 1
and carved 2
with sea-dragons 1
sea-dragons and 1
and dragons 1
dragons that 1
that have 2
have wings 1
wings . 1
the guards 5
guards looked 1
the battlements 1
battlements and 1
asked us 1
us our 1
our business 1
the interpreter 1
interpreter of 1
caravan answered 1
we had 2
the island 1
island of 1
of syria 1
syria with 1
much merchandise 1
they took 1
took hostages 1
hostages , 1
and told 1
told us 1
us that 1
would open 1
open the 1
gate to 1
noon , 2
and bade 4
bade us 1
us tarry 2
tarry till 1
till then 1
then . 1
noon they 1
they opened 2
gate , 1
we entered 1
entered in 7
people came 1
came crowding 1
crowding out 1
the houses 1
houses to 1
a crier 1
crier went 1
went round 1
city crying 1
crying through 1
a shell 1
shell . 1
we stood 1
negroes uncorded 1
uncorded the 1
the bales 2
bales of 1
of figured 3
figured cloths 1
cloths and 1
carved chests 1
of sycamore 1
sycamore . 1
had ended 1
ended their 1
their task 1
task , 1
merchants set 1
set forth 2
forth their 1
strange wares 1
wares , 1
the waxed 1
waxed linen 1
linen from 2
from egypt 1
egypt and 1
painted linen 1
the ethiops 1
ethiops , 1
purple sponges 1
sponges from 1
from tyre 1
tyre and 1
blue hangings 1
hangings from 1
from sidon 1
sidon , 1
the cups 1
cups of 3
of cold 2
cold amber 1
amber and 2
fine vessels 1
glass and 1
the curious 2
curious vessels 1
of burnt 2
burnt clay 2
clay . 2
house a 1
of women 1
women watched 1
watched us 1
. one 4
them wore 1
a mask 1
mask of 1
of gilded 2
gilded leather 1
'and on 1
the first 2
first day 1
priests came 2
came and 1
and bartered 1
bartered with 1
second day 2
day came 2
nobles , 1
the third 8
third day 3
the craftsmen 1
craftsmen and 1
their custom 1
custom with 1
all merchants 1
merchants as 1
as long 1
long as 1
they tarry 1
'and we 1
we tarried 1
tarried for 1
a moon 1
was waning 1
waning , 1
i wearied 1
wearied and 1
and wandered 1
wandered away 2
away through 1
the streets 5
streets of 2
city and 1
garden of 6
its god 1
god . 8
their yellow 1
yellow robes 1
robes moved 1
moved silently 1
silently through 1
green trees 1
marble stood 1
the rose-red 1
rose-red house 1
house in 1
the god 16
god had 1
his dwelling 1
dwelling . 2
its doors 1
doors were 1
powdered lacquer 1
lacquer , 1
and bulls 1
bulls and 1
peacocks were 1
were wrought 1
wrought on 2
on them 3
in raised 1
raised and 1
and polished 1
polished gold 1
the tilted 1
tilted roof 1
roof was 1
of sea- 1
sea- green 1
green porcelain 1
porcelain , 1
the jutting 1
jutting eaves 1
eaves were 1
were festooned 1
with little 2
little bells 1
bells . 2
white doves 1
doves flew 1
flew past 1
past , 1
they struck 1
struck the 1
the bells 1
bells with 1
wings and 2
them tinkle 1
tinkle . 1
'in front 1
the temple 2
temple was 1
water paved 1
paved with 1
with veined 1
veined onyx 1
i lay 2
down beside 3
beside it 3
my pale 1
pale fingers 1
fingers i 1
i touched 3
touched the 4
the broad 1
broad leaves 1
came towards 1
towards me 1
behind me 2
had sandals 1
sandals on 1
, one 2
of soft 1
soft serpent-skin 1
serpent-skin and 1
other of 1
of birds 2
birds ' 1
' plumage 1
plumage . 1
head was 1
a mitre 1
mitre of 1
black felt 1
felt decorated 1
decorated with 1
silver crescents 1
crescents . 1
. seven 1
seven yellows 1
yellows were 1
were woven 1
woven into 1
his robe 1
his frizzed 1
frizzed hair 1
was stained 1
stained with 1
with antimony 1
antimony . 1
. 'after 2
'after a 2
little while 1
i told 2
that my 1
desire was 1
' '' 8
'' the 2
god is 3
is hunting 1
hunting , 1
'' said 1
looking strangely 1
strangely at 1
his small 1
small slanting 1
slanting eyes 1
'' tell 2
me in 3
in what 1
what forest 1
will ride 1
ride with 1
'' i 5
'he combed 1
combed out 1
soft fringes 1
fringes of 1
his tunic 2
tunic with 1
nails . 1
. `` 2
`` the 2
is asleep 1
'' he 3
me on 1
what couch 1
will watch 1
watch by 1
is at 1
the feast 2
feast , 1
'' if 1
if the 1
wine be 1
be sweet 1
sweet i 1
will drink 2
drink it 2
be bitter 1
bitter i 1
him also 1
'' was 1
was my 1
my answer 1
'he bowed 1
, taking 1
taking me 1
he raised 2
raised me 1
me up 1
and led 7
led me 5
temple . 1
'and in 1
first chamber 1
chamber i 1
an idol 2
idol seated 1
seated on 1
a throne 1
throne of 1
of jasper 1
jasper bordered 1
bordered with 1
great orient 1
orient pearls 1
was carved 2
of ebony 1
in stature 2
stature was 2
the stature 2
stature of 2
man . 2
its forehead 2
forehead was 2
a ruby 1
and thick 1
thick oil 2
oil dripped 1
dripped from 1
its hair 1
hair on 1
on to 2
its thighs 1
thighs . 1
its feet 1
feet were 4
were red 1
red with 2
blood of 1
a newly-slain 1
newly-slain kid 1
kid , 1
its loins 1
loins girt 1
girt with 1
a copper 3
copper belt 1
belt that 1
was studded 1
with seven 1
seven beryls 1
beryls . 2
i said 3
`` is 2
this the 5
god ? 3
? '' 4
answered me 3
'' this 1
. '' 14
'' ' 3
'' show 2
i cried 2
`` or 2
or i 5
surely slay 3
it became 2
became withered 1
withered . 1
priest besought 2
besought me 3
`` let 2
let my 2
lord heal 2
heal his 2
his servant 2
servant , 3
will show 3
show him 2
'' 'so 2
'so i 2
i breathed 2
breathed with 2
my breath 2
breath upon 2
became whole 1
whole again 1
he trembled 3
trembled and 2
second chamber 1
idol standing 1
standing on 1
a lotus 1
lotus of 1
jade hung 1
great emeralds 1
emeralds . 1
was twice 1
twice the 1
a chrysolite 1
chrysolite , 1
its breasts 1
breasts were 1
were smeared 1
smeared with 1
with myrrh 1
myrrh and 2
and cinnamon 1
cinnamon . 1
one hand 1
hand it 1
it held 1
a crooked 1
crooked sceptre 1
other a 1
a round 1
round crystal 1
crystal . 1
it ware 1
ware buskins 1
buskins of 1
its thick 1
thick neck 1
neck was 1
was circled 1
circled with 1
of selenites 1
selenites . 1
'' 'and 6
`` this 2
they became 3
became blind 1
blind . 1
the sight 1
sight came 1
trembled again 1
third chamber 1
! there 4
no idol 1
idol in 1
nor image 1
any kind 4
kind , 4
of round 1
round metal 1
metal set 1
on an 1
an altar 1
of stone 1
stone . 1
`` where 1
me : 2
: `` 2
`` there 1
no god 1
god but 1
mirror that 1
thou seest 1
seest , 1
of wisdom 3
wisdom . 4
it reflecteth 2
reflecteth all 1
all things 2
that are 5
are in 2
in heaven 1
heaven and 1
earth , 1
save only 1
him who 2
who looketh 2
looketh into 2
into it 4
this it 1
reflecteth not 1
so that 7
be wise 1
many other 1
other mirrors 1
mirrors are 1
are there 1
but they 7
are mirrors 1
mirrors of 1
of opinion 1
opinion . 1
this only 1
only is 1
who possess 2
possess this 1
mirror know 1
know everything 1
everything , 1
nor is 3
is there 5
there anything 1
anything hidden 1
hidden from 1
possess it 1
not wisdom 1
therefore is 1
we worship 1
worship it 1
i looked 1
looked into 2
had said 1
did a 2
strange thing 3
did matters 2
a valley 2
valley that 1
's journey 5
journey from 4
from this 6
place have 2
i hidden 2
hidden the 2
do but 1
but suffer 1
suffer me 6
enter into 2
into thee 2
thee again 1
be wiser 1
the wise 1
wise men 1
and wisdom 1
wisdom shall 1
be thine 3
thine . 3
. suffer 2
none will 1
as wise 1
wise as 1
thou . 1
. 'love 4
'love is 5
is better 5
than wisdom 3
mermaid loves 2
loves me 2
is nothing 2
nothing better 2
better , 2
soul went 2
deep and 2
the south 2
south and 1
south cometh 1
is precious 1
precious . 1
journeyed along 1
the highways 2
highways that 1
that lead 1
lead to 1
of ashter 1
ashter , 1
, along 1
the dusty 1
dusty red-dyed 1
red-dyed highways 1
highways by 1
the pilgrims 1
pilgrims are 1
are wont 1
wont to 4
go did 1
did i 3
i journey 2
journey , 2
i lifted 1
up my 2
my eyes 1
city lay 1
at my 2
my feet 2
valley . 1
. 'there 2
'there are 1
are nine 1
nine gates 1
gates to 1
this city 11
each gate 1
gate stands 1
stands a 1
a bronze 1
bronze horse 1
horse that 1
that neighs 1
neighs when 1
the bedouins 1
bedouins come 1
mountains . 1
walls are 2
are cased 1
cased with 1
with copper 1
copper , 1
the watch- 1
watch- towers 1
towers on 1
are roofed 1
roofed with 1
with brass 2
brass . 2
in every 1
every tower 1
tower stands 1
stands an 1
an archer 1
archer with 1
a bow 1
at sunrise 1
sunrise he 2
he strikes 1
strikes with 1
with an 6
an arrow 2
arrow on 1
a gong 1
gong , 1
sunset he 4
he blows 1
blows through 1
a horn 1
horn of 1
of horn 2
horn . 2
i sought 1
enter , 2
guards stopped 1
stopped me 1
who i 1
i made 2
a dervish 1
dervish and 1
on my 1
my way 1
way to 1
of mecca 1
mecca , 1
a green 1
green veil 1
veil on 1
the koran 1
koran was 1
was embroidered 1
embroidered in 1
silver letters 1
letters by 1
the angels 1
angels . 1
were filled 3
and entreated 1
entreated me 1
to pass 3
pass in 1
. 'inside 1
'inside it 1
is even 1
a bazaar 1
bazaar . 2
surely thou 3
shouldst have 3
been with 3
. across 2
the narrow 1
narrow streets 1
streets the 1
gay lanterns 1
lanterns of 1
of paper 1
paper flutter 1
flutter like 1
like large 1
large butterflies 1
butterflies . 1
wind blows 1
blows over 1
the roofs 1
roofs they 1
they rise 1
rise and 1
and fall 1
fall as 1
as painted 1
painted bubbles 1
bubbles do 1
their booths 1
booths sit 1
merchants on 1
on silken 1
have straight 1
straight black 1
black beards 1
their turbans 1
turbans are 1
are covered 1
with golden 1
golden sequins 1
sequins , 1
long strings 1
strings of 3
carved peach-stones 1
peach-stones glide 1
glide through 1
through their 1
their cool 1
cool fingers 1
fingers . 1
them sell 2
sell galbanum 1
galbanum and 1
and nard 1
nard , 1
and curious 1
curious perfumes 1
perfumes from 1
the islands 1
islands of 1
the indian 1
indian sea 1
oil of 1
red roses 1
and myrrh 1
and little 3
little nail-shaped 1
nail-shaped cloves 1
cloves . 1
when one 2
one stops 1
stops to 1
they throw 1
throw pinches 1
pinches of 1
of frankincense 1
frankincense upon 1
a charcoal 1
charcoal brazier 1
brazier and 1
make the 1
air sweet 1
sweet . 1
a syrian 1
syrian who 1
who held 2
held in 1
hands a 1
thin rod 1
rod like 1
a reed 1
reed . 2
. grey 1
grey threads 1
threads of 2
of smoke 1
smoke came 1
its odour 1
odour as 1
it burned 1
burned was 1
the odour 1
the pink 1
pink almond 1
almond in 1
. others 1
others sell 1
sell silver 1
silver bracelets 1
bracelets embossed 1
embossed all 1
with creamy 1
creamy blue 1
blue turquoise 1
turquoise stones 1
and anklets 1
anklets of 1
brass wire 1
wire fringed 1
little pearls 1
and tigers 1
tigers ' 1
' claws 1
claws set 1
set in 3
in gold 2
the claws 1
claws of 2
that gilt 1
gilt cat 1
the leopard 1
leopard , 1
, set 2
gold also 1
and earrings 1
of pierced 2
pierced emerald 1
and finger-rings 1
finger-rings of 1
of hollowed 1
hollowed jade 1
jade . 2
the tea-houses 1
tea-houses comes 1
comes the 1
the guitar 1
guitar , 1
the opium-smokers 1
opium-smokers with 1
their white 1
white smiling 1
smiling faces 1
faces look 1
look out 2
out at 1
the passers-by 1
passers-by . 1
. 'of 1
'of a 2
a truth 3
truth thou 2
the wine-sellers 1
wine-sellers elbow 1
elbow their 1
their way 3
way through 3
crowd with 1
great black 1
black skins 1
skins on 1
. most 1
most of 1
sell the 2
wine of 2
of schiraz 1
schiraz , 1
as sweet 1
sweet as 1
as honey 1
honey . 1
they serve 1
serve it 1
little metal 1
metal cups 1
cups and 1
and strew 1
strew rose 1
rose leaves 1
leaves upon 1
upon it 3
market-place stand 1
stand the 1
the fruitsellers 1
fruitsellers , 1
who sell 1
sell all 1
of fruit 1
fruit : 1
: ripe 1
ripe figs 1
figs , 1
their bruised 1
bruised purple 1
purple flesh 1
flesh , 1
, melons 1
melons , 1
, smelling 1
smelling of 1
of musk 1
musk and 1
and yellow 1
yellow as 1
as topazes 1
topazes , 1
, citrons 1
citrons and 1
and rose-apples 1
rose-apples and 1
white grapes 1
, round 1
round red-gold 1
red-gold oranges 1
oranges , 2
and oval 1
oval lemons 1
lemons of 1
green gold 1
once i 1
an elephant 1
elephant go 1
its trunk 1
trunk was 1
was painted 1
painted with 2
with vermilion 1
vermilion and 1
and turmeric 1
turmeric , 1
over its 1
its ears 2
ears it 1
a net 1
net of 1
silk cord 1
cord . 1
it stopped 2
stopped opposite 1
opposite one 1
the booths 2
booths and 1
began eating 1
eating the 1
the oranges 1
man only 1
. thou 3
thou canst 1
canst not 1
not think 1
think how 1
how strange 1
a people 1
people they 1
are . 1
glad they 1
they go 1
the bird-sellers 1
bird-sellers and 1
and buy 1
buy of 1
a caged 1
caged bird 1
it free 1
free that 1
that their 2
their joy 1
joy may 1
be greater 1
greater , 1
are sad 1
sad they 1
they scourge 1
scourge themselves 1
with thorns 1
thorns that 1
their sorrow 1
sorrow may 1
not grow 1
grow less 1
less . 1
. 'one 1
'one evening 1
evening i 1
i met 1
met some 1
some negroes 1
negroes carrying 1
heavy palanquin 1
palanquin through 1
the bazaar 1
gilded bamboo 1
bamboo , 1
the poles 1
poles were 1
of vermilion 1
vermilion lacquer 1
lacquer studded 1
brass peacocks 1
windows hung 1
hung thin 1
thin curtains 1
curtains of 1
of muslin 1
muslin embroidered 1
with beetles 1
beetles ' 1
' wings 1
tiny seed-pearls 1
seed-pearls , 1
it passed 1
a pale-faced 1
pale-faced circassian 1
circassian looked 1
i followed 1
followed behind 1
behind , 1
negroes hurried 1
hurried their 1
their steps 2
steps and 1
and scowled 1
scowled . 1
not care 1
care . 1
i felt 1
felt a 1
great curiosity 1
curiosity come 1
come over 1
over me 1
'at last 1
they stopped 1
stopped at 1
a square 1
square white 1
white house 1
house . 2
no windows 1
to it 6
little door 3
door like 1
a tomb 1
tomb . 1
they set 3
set down 2
the palanquin 1
palanquin and 1
times with 1
copper hammer 1
hammer . 1
an armenian 1
armenian in 1
a caftan 1
caftan of 1
leather peered 1
opened , 4
and spread 1
spread a 1
carpet on 2
the woman 7
woman stepped 1
stepped out 1
she turned 2
me again 1
never seen 2
seen any 1
any one 2
so pale 1
pale . 1
i returned 1
place and 1
sought for 4
house , 9
no longer 4
longer there 1
i knew 1
knew who 1
who the 1
woman was 1
and wherefore 2
wherefore she 1
had smiled 1
. 'certainly 1
'certainly thou 1
feast of 1
new moon 1
moon the 1
young emperor 2
emperor came 1
his palace 2
the mosque 1
mosque to 1
to pray 1
pray . 1
hair and 1
and beard 1
beard were 1
were dyed 1
dyed with 1
with rose-leaves 1
rose-leaves , 1
cheeks were 1
were powdered 1
the palms 1
palms of 1
and hands 1
were yellow 1
yellow with 1
with saffron 1
saffron . 1
'at sunrise 1
went forth 3
palace in 1
he returned 1
it again 2
again in 2
people flung 1
themselves on 1
hid their 1
faces , 1
not do 2
i stood 2
the stall 1
stall of 1
a seller 1
seller of 1
of dates 1
dates and 1
waited . 1
emperor saw 2
saw me 4
raised his 1
his painted 1
painted eyebrows 1
eyebrows and 1
and stopped 1
stopped . 1
stood quite 1
no obeisance 1
obeisance . 1
people marvelled 1
marvelled at 1
my boldness 1
boldness , 1
and counselled 1
counselled me 1
to flee 1
flee from 1
i paid 1
paid no 1
no heed 2
heed to 2
but went 1
went and 1
and sat 2
sat with 1
the sellers 2
sellers of 2
strange gods 1
gods , 1
who by 1
by reason 3
reason of 3
their craft 1
craft are 1
are abominated 1
abominated . 1
them what 1
, each 1
each of 1
them gave 1
gave me 1
a god 1
god and 1
prayed me 1
leave them 1
'that night 1
a cushion 1
cushion in 1
the tea-house 1
tea-house that 1
street of 3
pomegranates , 2
guards of 1
emperor entered 1
i went 1
in they 1
they closed 1
closed each 1
each door 1
door behind 2
chain across 1
across it 1
. inside 1
inside was 1
great court 1
court with 1
an arcade 1
arcade running 1
running all 1
white alabaster 1
alabaster , 1
set here 1
here and 1
there with 2
with blue 1
blue and 1
and green 2
green tiles 1
tiles . 1
the pillars 2
pillars were 1
green marble 1
marble , 1
the pavement 1
a kind 1
kind of 1
of peach-blossom 1
peach-blossom marble 1
marble . 1
seen anything 2
anything like 1
like it 1
it before 1
i passed 1
passed across 1
court two 1
two veiled 1
veiled women 1
women looked 1
a balcony 1
balcony and 1
and cursed 1
cursed me 1
guards hastened 1
hastened on 1
the butts 1
butts of 1
the lances 1
lances rang 1
rang upon 1
the polished 1
polished floor 1
floor . 1
a gate 1
of wrought 1
wrought ivory 1
i found 3
found myself 1
myself in 1
a watered 1
watered garden 1
of seven 1
seven terraces 1
terraces . 1
was planted 1
planted with 1
with tulip-cups 1
tulip-cups and 1
and moonflowers 1
moonflowers , 1
and silver-studded 1
silver-studded aloes 1
aloes . 1
a slim 1
slim reed 1
reed of 2
of crystal 2
crystal a 1
a fountain 1
fountain hung 1
the cypress-trees 1
cypress-trees were 1
like burnt-out 1
burnt-out torches 1
torches . 2
from one 2
'at the 1
garden stood 1
little pavilion 1
pavilion . 2
we approached 1
approached it 1
it two 1
two eunuchs 1
eunuchs came 1
meet us 1
their fat 1
fat bodies 1
bodies swayed 1
swayed as 1
they walked 1
walked , 1
they glanced 1
glanced curiously 1
curiously at 2
their yellow-lidded 1
yellow-lidded eyes 1
them drew 1
drew aside 1
aside the 1
the captain 4
captain of 4
the guard 4
guard , 1
low voice 1
voice whispered 1
other kept 1
kept munching 1
munching scented 1
scented pastilles 1
pastilles , 1
an affected 1
affected gesture 1
gesture out 1
an oval 1
oval box 1
of lilac 1
lilac enamel 1
enamel . 1
guard dismissed 1
dismissed the 1
soldiers . 1
the eunuchs 2
eunuchs following 1
following slowly 1
slowly behind 1
behind and 1
and plucking 1
plucking the 1
the sweet 1
sweet mulberries 1
mulberries from 1
trees as 1
passed . 1
once the 1
the elder 1
elder of 1
two turned 1
evil smile 1
'then the 1
guard motioned 1
motioned me 1
me towards 1
entrance of 1
i walked 1
walked on 1
on without 1
without trembling 1
trembling , 1
and drawing 1
drawing the 1
heavy curtain 1
curtain aside 1
aside i 1
i entered 1
'the young 1
emperor was 1
was stretched 1
stretched on 1
a couch 1
couch of 1
of dyed 2
dyed lion 1
lion skins 1
skins , 1
a gerfalcon 1
gerfalcon perched 1
perched upon 1
his wrist 1
wrist . 1
a brass- 1
brass- turbaned 1
turbaned nubian 1
nubian , 1
, naked 1
naked down 1
with heavy 1
heavy earrings 1
earrings in 1
his split 1
split ears 1
table by 1
the couch 2
couch lay 1
a mighty 1
mighty scimitar 1
scimitar of 1
of steel 1
me he 1
he frowned 1
`` what 1
thy name 2
name ? 1
? knowest 1
am emperor 1
emperor of 1
city ? 2
'' but 1
'he pointed 1
pointed with 1
his finger 1
finger at 1
the scimitar 1
scimitar , 1
the nubian 2
nubian seized 1
and rushing 1
rushing forward 1
forward struck 1
great violence 1
violence . 1
the blade 1
blade whizzed 1
whizzed through 1
through me 1
did me 1
no hurt 2
hurt . 1
man fell 1
fell sprawling 1
sprawling on 1
his teeth 1
teeth chattered 1
chattered with 1
with terror 2
terror and 1
he hid 1
hid himself 1
himself behind 1
'the emperor 1
emperor leapt 1
taking a 1
a lance 1
lance from 1
a stand 1
stand of 1
of arms 1
he threw 1
it at 1
i caught 1
caught it 1
its flight 1
flight , 1
brake the 1
the shaft 1
shaft into 1
into two 1
two pieces 1
he shot 1
shot at 1
arrow , 1
i held 1
held up 2
my hands 2
stopped in 1
in mid-air 1
mid-air . 1
drew a 1
a dagger 1
dagger from 1
a belt 1
belt of 1
white leather 1
and stabbed 1
stabbed the 1
nubian in 1
throat lest 1
the slave 1
slave should 1
should tell 1
his dishonour 1
dishonour . 1
man writhed 1
writhed like 1
a trampled 1
trampled snake 1
snake , 1
red foam 1
foam bubbled 1
bubbled from 1
'as soon 1
dead the 1
emperor turned 1
turned to 1
had wiped 1
wiped away 1
away the 1
bright sweat 1
sweat from 1
his brow 1
brow with 1
little napkin 1
napkin of 1
of purfled 1
purfled and 1
and purple 1
silk , 3
`` art 1
a prophet 2
harm thee 1
can do 1
do thee 1
thee no 4
hurt ? 1
thee leave 1
leave my 1
my city 4
city to-night 1
for while 1
while thou 1
art in 1
it i 1
am no 4
longer its 1
its lord 2
lord . 2
`` i 1
go for 1
for half 1
half of 3
of thy 6
thy treasure 2
treasure . 1
. give 2
me half 1
treasure , 2
'' 'he 1
'he took 1
me out 2
guard saw 1
he wondered 1
wondered . 1
eunuchs saw 1
knees shook 1
they fell 2
ground in 1
in fear 1
a chamber 1
palace that 1
that has 1
has eight 1
eight walls 1
walls of 1
red porphyry 1
a brass-sealed 1
brass-sealed ceiling 1
ceiling hung 1
with lamps 1
lamps . 1
emperor touched 1
touched one 1
walls and 1
it opened 2
passed down 1
down a 1
a corridor 1
corridor that 1
was lit 2
lit with 1
many torches 1
in niches 1
niches upon 1
upon each 1
side stood 2
great wine-jars 1
wine-jars filled 1
filled to 1
the brim 1
brim with 1
silver pieces 1
the corridor 1
corridor the 1
emperor spake 1
spake the 1
the word 1
word that 1
be spoken 1
spoken , 2
a granite 1
granite door 1
door swung 1
swung back 1
secret spring 1
spring , 1
hands before 1
face lest 1
lest his 1
eyes should 1
be dazzled 1
dazzled . 1
'thou couldst 1
couldst not 1
not believe 1
believe how 1
how marvellous 1
marvellous a 1
a place 2
place it 1
were huge 1
huge tortoise-shells 1
tortoise-shells full 1
and hollowed 1
hollowed moonstones 1
moonstones of 1
great size 1
size piled 1
piled up 1
with red 1
red rubies 1
gold was 3
was stored 1
stored in 1
in coffers 1
coffers of 1
of elephant-hide 1
elephant-hide , 1
the gold-dust 1
gold-dust in 1
in leather 1
leather bottles 1
bottles . 1
were opals 1
opals and 1
and sapphires 1
sapphires , 1
the former 1
former in 1
in cups 2
crystal , 1
the latter 1
latter in 1
round green 1
green emeralds 1
emeralds were 1
were ranged 1
ranged in 1
in order 1
order upon 1
upon thin 1
thin plates 1
corner were 1
were silk 1
silk bags 1
bags filled 1
filled , 1
some with 1
with turquoise-stones 1
turquoise-stones , 1
others with 1
with beryls 1
the ivory 1
ivory horns 1
horns were 1
were heaped 1
heaped with 1
purple amethysts 1
amethysts , 1
the horns 1
horns of 2
brass with 1
with chalcedonies 1
chalcedonies and 1
and sards 1
sards . 1
pillars , 1
of cedar 1
cedar , 1
with strings 1
yellow lynx-stones 1
lynx-stones . 1
flat oval 1
oval shields 1
shields there 1
were carbuncles 1
carbuncles , 1
, both 1
both wine-coloured 1
wine-coloured and 1
coloured like 1
like grass 1
have told 2
thee but 2
a tithe 1
tithe of 1
what was 1
was there 2
'and when 1
emperor had 1
had taken 1
taken away 1
hands from 1
from before 1
face he 1
my house 1
of treasure 1
and half 1
half that 2
is thine 3
i promised 1
promised to 1
thee camels 1
camels and 1
and camel 1
camel drivers 1
drivers , 1
they shall 1
shall do 1
bidding and 1
take thy 2
thy share 1
share of 1
the treasure 4
treasure to 1
to whatever 1
whatever part 1
world thou 4
desirest to 1
thing shall 1
done to-night 1
city a 1
man whom 1
not slay 1
slay . 1
'' 'but 1
is here 1
here is 1
silver also 1
also is 1
and thine 1
thine are 1
the precious 1
precious jewels 1
jewels and 1
the things 3
things of 2
of price 1
of these 1
these . 1
i take 1
take aught 1
aught from 1
that little 1
little ring 1
ring that 2
thou wearest 1
wearest on 1
the finger 1
finger of 1
emperor frowned 1
frowned . 1
`` it 1
ring of 3
of lead 1
lead , 1
'' nor 1
value . 1
therefore take 1
thy half 1
treasure and 2
go from 2
'' nay 1
nay , 1
`` but 1
will take 1
take nought 1
nought but 1
that leaden 1
leaden ring 1
ring , 1
know what 2
is written 1
written within 1
within it 2
what purpose 2
emperor trembled 1
and besought 2
`` take 1
take all 1
the half 1
is mine 1
mine shall 1
thine also 2
cave that 1
have , 1
the ring 2
of riches 1
riches . 1
it waits 1
waits for 1
thy coming 1
this ring 1
ring is 1
. come 6
come therefore 1
therefore and 1
take it 1
the world's 1
world's riches 1
riches shall 1
than riches 3
riches , 3
third year 2
, 'in 2
'in a 2
a city 4
city that 3
know of 1
of there 1
is an 1
an inn 1
inn that 2
that standeth 1
standeth by 1
a river 3
sat there 1
with sailors 1
sailors who 1
who drank 1
drank of 1
two different-coloured 1
different-coloured wines 1
wines , 1
and ate 2
ate bread 1
bread made 1
of barley 1
barley , 1
little salt 1
salt fish 1
fish served 1
served in 1
in bay 1
bay leaves 1
leaves with 1
with vinegar 1
vinegar . 1
we sat 1
sat and 1
there entered 1
entered to 1
us an 1
man bearing 1
bearing a 1
a leathern 1
leathern carpet 1
carpet and 1
lute that 1
two horns 1
had laid 1
laid out 1
the carpet 2
struck with 1
a quill 1
quill on 1
the wire 1
wire strings 1
his lute 1
a girl 1
girl whose 1
whose face 1
was veiled 2
veiled ran 1
ran in 2
dance before 1
veiled with 1
gauze , 1
naked . 1
. naked 1
naked were 1
moved over 1
carpet like 1
like little 1
little white 1
white pigeons 1
pigeons . 1
never have 1
i seen 1
anything so 1
so marvellous 1
marvellous ; 1
city in 4
she dances 7
dances is 1
' now 1
fisherman heard 2
the words 1
remembered that 1
mermaid had 1
no feet 1
desire came 1
can return 1
return to 3
to my 7
love , 5
and strode 1
strode towards 1
had reached 3
dry shore 1
shore he 2
soul gave 1
joy and 2
and entered 4
entered into 2
into him 1
saw stretched 1
stretched before 1
him upon 1
sand that 1
that shadow 2
body that 1
, 'let 2
'let us 2
us not 1
not tarry 2
tarry , 2
get hence 1
hence at 1
at once 1
the sea-gods 1
sea-gods are 1
are jealous 1
jealous , 1
have monsters 1
monsters that 1
that do 1
they made 2
made haste 1
haste , 1
that night 1
night they 1
they journeyed 2
journeyed beneath 2
beneath the 3
next day 1
day they 4
the evening 3
evening of 3
they came 6
, 'is 3
dances of 3
thou didst 7
didst speak 3
not this 2
but another 2
another . 3
. nevertheless 2
nevertheless let 2
us enter 3
enter in 4
they entered 3
streets , 3
the jewellers 1
jewellers the 1
a fair 1
fair silver 1
silver cup 2
cup set 1
forth in 1
a booth 1
booth . 1
, 'take 1
'take that 1
that silver 1
cup and 4
hide it 2
hid it 2
tunic , 1
went hurriedly 2
hurriedly out 2
gone a 3
a league 3
league from 3
fisherman frowned 1
flung the 1
cup away 1
'why didst 3
didst thou 4
thou tell 2
take this 2
this cup 1
do ? 3
, 'be 3
'be at 3
at peace 8
peace , 5
, be 3
be at 6
of sandals 1
sandals , 1
child standing 1
standing by 1
a jar 1
jar of 1
, 'smite 1
'smite that 1
that child 1
he smote 1
smote the 1
child till 1
till it 2
it wept 1
this they 1
city the 1
fisherman grew 2
grew wroth 1
wroth , 1
to smite 1
smite the 1
, therefore 2
therefore let 1
but nowhere 3
nowhere could 3
fisherman find 1
find the 2
river or 1
the inn 1
its side 1
people of 1
city looked 1
looked curiously 1
go hence 2
hence , 6
she who 2
who dances 1
dances with 2
white feet 2
feet is 1
here . 1
but let 1
night is 1
is dark 1
dark and 1
there will 1
be robbers 1
robbers on 1
the way 3
way . 1
sat him 3
him down 3
down in 3
and rested 1
rested , 1
time there 1
there went 1
a hooded 1
hooded merchant 1
merchant who 1
a cloak 3
cloak of 5
bare a 1
a lantern 2
lantern of 2
pierced horn 1
horn at 1
a jointed 1
jointed reed 1
the merchant 11
merchant said 1
thou sit 1
sit in 3
seeing that 5
booths are 1
are closed 1
closed and 1
bales corded 1
corded ? 1
can find 2
find no 2
no inn 1
inn in 1
nor have 2
i any 1
any kinsman 1
kinsman who 1
who might 1
might give 1
me shelter 1
shelter . 1
'are we 1
we not 2
not all 1
all kinsmen 1
kinsmen ? 1
merchant . 1
'and did 1
one god 1
god make 1
make us 1
? therefore 1
therefore come 1
a guest-chamber 1
guest-chamber . 1
fisherman rose 3
and followed 1
merchant to 1
his house 1
a garden 3
pomegranates and 1
merchant brought 1
him rose-water 1
rose-water in 1
copper dish 1
dish that 1
might wash 1
wash his 1
and ripe 1
ripe melons 1
melons that 1
might quench 1
quench his 1
his thirst 1
thirst , 1
set a 1
a bowl 3
of rice 1
rice and 1
of roasted 1
roasted kid 1
kid before 1
finished , 1
merchant led 1
the guest- 1
guest- chamber 1
bade him 3
him sleep 1
sleep and 1
at rest 1
rest . 2
fisherman gave 1
him thanks 1
thanks , 1
the carpets 1
carpets of 1
dyed goat's-hair 1
goat's-hair . 1
had covered 1
covered himself 1
himself with 2
a covering 1
covering of 1
black lamb's- 1
lamb's- wool 1
wool he 1
three hours 1
hours before 1
before dawn 1
and while 1
still night 1
soul waked 1
waked him 1
, 'rise 3
'rise up 1
room of 2
merchant , 2
he sleepeth 1
sleepeth , 1
and slay 1
take from 1
his gold 2
for we 3
and crept 1
crept towards 1
the feet 2
feet of 3
merchant there 1
lying a 1
a curved 1
curved sword 1
the tray 1
tray by 1
merchant held 1
held nine 1
nine purses 4
purses of 4
the sword 2
touched it 1
merchant started 1
and awoke 1
awoke , 1
and leaping 1
leaping up 1
up seized 1
seized himself 1
himself the 1
sword and 1
, 'dost 1
'dost thou 1
thou return 1
return evil 1
evil for 1
for good 1
good , 3
and pay 1
pay with 1
the shedding 1
shedding of 1
of blood 1
blood for 1
the kindness 2
kindness that 2
shown thee 1
, 'strike 1
'strike him 1
him so 1
he swooned 1
swooned and 1
he seized 1
seized then 1
the nine 2
fled hastily 1
hastily through 1
set his 2
the star 2
star that 1
star of 1
of morning 1
fisherman beat 1
thou bid 1
bid me 1
me slay 1
slay the 1
merchant and 1
take his 1
gold ? 3
art evil 2
hast made 2
made me 2
do i 1
i hate 2
hate . 1
. thee 1
thee also 2
also i 1
hate , 1
thee tell 1
me wherefore 1
wherefore thou 1
hast wrought 3
wrought with 2
this wise 2
'when thou 1
didst send 2
forth into 2
thou gavest 3
gavest me 3
no heart 4
so i 2
i learned 1
learned to 1
do all 1
things and 1
and love 1
love them 1
'what sayest 1
sayest thou 1
' murmured 1
murmured the 1
answered his 3
knowest it 1
it well 1
well . 1
. hast 1
thou forgotten 1
forgotten that 2
so trouble 2
trouble not 3
not thyself 3
thyself nor 1
nor me 1
for there 1
no pain 1
pain that 1
shalt not 2
give away 1
any pleasure 1
not receive 1
receive . 1
heard these 2
these words 2
words he 1
but thou 4
and hast 3
me forget 1
forget my 1
hast tempted 1
tempted me 1
hast set 1
set my 1
feet in 1
the ways 1
ways of 1
of sin 2
sin . 2
not forgotten 1
when thou 1
come , 4
another city 2
make merry 2
have nine 1
fisherman took 1
flung them 1
them down 2
will have 1
have nought 1
journey with 1
thee anywhere 1
anywhere , 1
i sent 1
sent thee 1
thee away 3
send thee 1
away now 1
wrought me 1
no good 1
good . 2
turned his 2
the handle 1
skin he 1
he strove 1
strove to 1
to cut 1
cut from 1
feet that 1
body which 1
yet his 1
soul stirred 1
stirred not 4
not from 4
nor paid 1
paid heed 1
his command 1
but said 2
'the spell 1
spell that 1
witch told 1
thee avails 1
avails thee 1
more , 2
not leave 1
nor mayest 1
mayest thou 1
thou drive 1
life may 1
may a 1
man send 1
send his 1
who receiveth 1
receiveth back 1
back his 1
soul must 1
must keep 1
keep it 1
him for 2
for ever 1
ever , 1
is his 1
his punishment 1
punishment and 1
his reward 1
reward . 1
pale and 1
clenched his 1
, 'she 1
'she was 1
witch in 1
in that 2
she told 1
that . 1
'but she 1
was true 1
true to 1
him she 1
she worships 1
worships , 1
whose servant 1
servant she 1
she will 1
be ever 1
ever . 1
fisherman knew 1
could no 1
longer get 1
evil soul 1
would abide 1
abide with 2
him always 1
always , 1
ground weeping 1
weeping bitterly 3
when it 1
was day 1
will bind 1
bind my 1
hands that 1
and close 1
close my 1
my lips 1
lips that 1
not speak 1
speak thy 1
thy words 1
words , 2
will return 1
she whom 1
love has 1
has her 1
her dwelling 1
sea will 1
i return 1
return , 1
bay where 2
is wont 1
sing , 1
will call 1
her the 3
the evil 3
evil i 1
have done 1
done and 1
evil thou 1
on me 4
soul tempted 1
tempted him 1
, 'who 3
thy love 7
shouldst return 1
her ? 2
world has 1
has many 1
many fairer 1
than she 1
there are 2
the dancing-girls 1
dancing-girls of 1
of samaris 1
samaris who 1
who dance 1
the manner 1
manner of 2
and beasts 1
beasts . 1
feet are 1
are painted 1
with henna 1
henna , 1
hands they 1
have little 1
little copper 1
copper bells 1
they laugh 1
laugh while 1
while they 2
they dance 1
their laughter 1
laughter is 1
as clear 1
clear as 1
the laughter 1
show them 1
this trouble 1
trouble of 1
thine about 1
about the 2
sin ? 1
that which 2
is pleasant 1
pleasant to 1
to eat 1
eat not 1
not made 1
made for 2
the eater 1
eater ? 1
there poison 1
poison in 1
is sweet 1
sweet to 1
to drink 1
drink ? 1
? trouble 1
thyself , 1
but come 2
little city 1
city hard 1
hard by 3
which there 2
of tulip-trees 1
tulip-trees . 1
there dwell 1
this comely 1
comely garden 1
garden white 1
white peacocks 1
peacocks and 1
peacocks that 1
have blue 1
blue breasts 1
breasts . 1
their tails 1
tails when 1
they spread 1
spread them 1
sun are 1
are like 1
like disks 1
disks of 1
ivory and 1
like gilt 1
gilt disks 1
disks . 1
who feeds 1
feeds them 1
them dances 1
dances for 1
their pleasure 1
sometimes she 1
dances on 1
at other 1
other times 1
times she 1
her eyes 3
eyes are 1
are coloured 1
coloured with 1
with stibium 1
stibium , 1
her nostrils 2
nostrils are 1
are shaped 1
the wings 1
wings of 1
a swallow 1
swallow . 1
a hook 1
hook in 1
nostrils hangs 1
hangs a 1
she laughs 1
laughs while 1
while she 1
dances , 1
silver rings 1
rings that 1
are about 1
her ankles 1
ankles tinkle 1
tinkle like 1
like bells 1
bells of 1
thyself any 1
answered not 2
not his 2
but closed 1
closed his 1
lips with 1
the seal 2
seal of 2
of silence 2
silence and 1
a tight 1
tight cord 1
cord bound 1
bound his 1
journeyed back 1
place from 1
where his 1
love had 1
been wont 2
sing . 1
and ever 3
ever did 3
did his 3
soul tempt 2
tempt him 3
way , 4
answer , 1
nor would 2
would he 2
he do 1
do any 1
the wickedness 1
wickedness that 1
it sought 1
make him 1
great was 4
the power 3
power of 3
the love 2
love that 1
he loosed 1
loosed the 1
the cord 1
cord from 1
silence from 1
she came 1
came not 1
his call 1
call , 1
long and 1
besought her 1
soul mocked 1
'surely thou 4
hast but 1
little joy 1
joy out 1
love . 8
art as 2
in time 1
death pours 1
pours water 1
water into 1
a broken 1
broken vessel 1
thou givest 1
givest away 1
away what 1
hast , 1
and nought 1
nought is 1
is given 3
return . 1
it were 3
were better 1
better for 1
for thee 3
thee to 6
know where 2
valley of 1
pleasure lies 1
lies , 1
what things 1
are wrought 1
wrought there 1
a cleft 1
the rock 1
rock he 1
he built 1
built himself 1
himself a 1
of wattles 1
wattles , 1
and abode 1
abode there 1
there for 1
the space 4
space of 4
year . 1
and every 5
morning he 3
every noon 2
night-time he 2
spake her 2
her name 2
yet never 3
never did 2
did she 3
she rise 2
rise out 2
sea to 2
nor in 2
place of 5
sea could 2
he find 4
her though 1
the caves 1
green water 1
the pools 1
pools of 1
the tide 1
tide and 1
wells that 1
are at 1
deep . 1
with evil 3
and whisper 1
whisper of 1
of terrible 1
terrible things 1
yet did 3
not prevail 1
prevail against 2
the year 1
soul thought 1
thought within 1
within himself 1
have tempted 3
tempted my 1
my master 5
master with 1
am . 3
will tempt 1
him now 1
now with 1
with good 2
the joy 1
joy of 1
hast turned 1
turned a 1
a deaf 1
deaf ear 1
me now 1
now to 1
's pain 1
wilt hearken 1
hearken . 1
for of 1
truth pain 1
pain is 1
lord of 1
there any 2
who escapes 1
escapes from 1
its net 1
net . 1
there be 2
be some 1
some who 1
who lack 2
lack raiment 1
others who 1
lack bread 2
be widows 1
widows who 2
who sit 2
in purple 1
purple , 2
and widows 1
rags . 2
the fens 1
fens go 1
go the 1
lepers , 1
are cruel 1
beggars go 1
go up 1
highways , 1
their wallets 1
wallets are 1
are empty 1
cities walks 1
walks famine 1
plague sits 1
sits at 1
forth and 1
and mend 1
mend these 1
things , 3
make them 1
. wherefore 5
wherefore shouldst 1
thou tarry 1
tarry here 2
here calling 1
seeing she 1
she comes 1
comes not 2
thy call 1
call ? 1
is love 2
shouldst set 1
this high 1
high store 1
store upon 1
answered it 1
it nought 1
the rivers 1
rivers of 1
valleys that 1
are under 1
waves , 3
sea that 2
night makes 1
makes purple 1
dawn leaves 1
leaves grey 1
grey . 1
fisherman at 1
sat in 1
house alone 1
! now 1
now i 1
tempted thee 2
thee with 3
wherefore will 1
i tempt 1
tempt thee 1
longer , 1
enter thy 1
be one 1
one with 2
thee even 1
as before 3
' 'surely 1
thou mayest 1
mayest enter 1
'for in 1
days when 1
when with 1
with no 1
heart thou 1
didst go 1
go through 1
must have 1
have much 1
much suffered 1
cried his 1
no place 1
of entrance 1
so compassed 1
compassed about 1
with love 1
this heart 1
' 'yet 1
'yet i 1
i could 1
could help 1
help thee 1
spake there 1
there came 5
came a 1
of mourning 2
mourning from 1
cry that 1
men hear 1
hear when 1
sea-folk is 1
is dead 2
fisherman leapt 1
leapt up 1
left his 1
his wattled 1
ran down 1
black waves 1
waves came 1
came hurrying 1
hurrying to 1
, bearing 1
a burden 1
burden that 1
was whiter 1
than silver 1
. white 1
surf it 1
flower it 1
it tossed 1
tossed on 1
waves . 2
surf took 1
took it 2
foam took 1
shore received 1
received it 1
and lying 1
lying at 1
feet the 1
. dead 1
dead at 1
feet it 1
lying . 3
. weeping 1
weeping as 2
one smitten 1
smitten with 1
pain he 1
he kissed 5
cold red 1
red of 1
and toyed 1
toyed with 1
the wet 1
wet amber 1
amber of 1
the hair 2
, weeping 3
one trembling 1
with joy 3
brown arms 1
arms he 1
held it 1
breast . 1
. cold 1
cold were 1
the lips 1
, yet 5
yet he 2
kissed them 1
. salt 1
salt was 1
the honey 1
honey of 1
he tasted 1
tasted it 1
bitter joy 1
the closed 1
closed eyelids 1
eyelids , 1
wild spray 1
spray that 1
lay upon 1
their cups 1
cups was 1
was less 1
less salt 1
salt than 1
than his 2
his tears 2
dead thing 1
thing he 1
made confession 1
confession . 1
. into 1
the shells 1
shells of 1
ears he 1
he poured 1
poured the 1
the harsh 2
harsh wine 1
his tale 1
tale . 1
put the 1
little hands 1
hands round 1
fingers he 1
thin reed 1
. bitter 1
, bitter 1
bitter was 1
his joy 1
strange gladness 1
gladness was 1
his pain 1
black sea 1
sea came 2
foam moaned 1
moaned like 1
a leper 2
leper . 2
white claws 1
of foam 1
foam the 1
sea grabbled 1
grabbled at 1
the sea-king 1
sea-king came 1
mourning again 1
and far 1
far out 1
sea the 1
great tritons 1
blew hoarsely 1
hoarsely upon 1
horns . 1
. 'flee 1
'flee away 1
'for ever 1
ever doth 1
doth the 1
sea come 1
come nigher 1
nigher , 1
thou tarriest 1
tarriest it 1
. flee 2
flee away 2
that thy 1
is closed 1
closed against 1
the greatness 1
greatness of 1
away to 1
of safety 1
safety . 1
not send 1
me without 1
heart into 1
into another 1
another world 1
fisherman listened 1
listened not 1
but called 1
called on 2
mermaid and 1
, 'love 1
and more 1
and fairer 1
men . 1
the fires 1
fires can 1
not destroy 1
destroy it 1
nor can 2
can the 1
waters quench 1
quench it 1
i called 1
on thee 1
thee at 2
didst not 1
not come 2
my call 1
call . 1
moon heard 1
heard thy 1
yet hadst 1
hadst thou 2
thou no 1
heed of 1
for evilly 1
evilly had 1
had i 2
own hurt 1
hurt had 1
i wandered 3
yet ever 1
did thy 1
love abide 1
ever was 1
it strong 1
did aught 1
aught prevail 1
against it 1
though i 2
have looked 1
looked upon 2
upon evil 1
evil and 1
upon good 1
and now 1
now that 1
art dead 1
dead , 1
, surely 1
will die 1
die with 1
depart , 1
to cover 1
cover him 1
its waves 2
end was 1
at hand 1
kissed with 1
with mad 1
mad lips 1
lips the 1
cold lips 1
heart that 1
him brake 1
brake . 1
as through 1
the fulness 1
fulness of 1
love his 1
heart did 1
did break 1
break , 2
soul found 1
found an 1
entrance and 1
was one 1
him even 2
sea covered 1
fisherman with 1
morning the 1
priest went 3
to bless 1
bless the 2
been troubled 1
troubled . 1
him went 1
went the 2
monks and 2
the musicians 2
musicians , 2
the candle-bearers 2
candle-bearers , 1
the swingers 2
swingers of 2
of censers 2
censers , 2
great company 2
company . 1
priest reached 1
fisherman lying 1
lying drowned 1
drowned in 1
and clasped 2
clasped in 1
arms was 1
aloud and 1
not bless 1
sea nor 1
nor anything 1
anything that 1
be all 1
all they 1
who traffic 1
who for 1
for love 1
's sake 1
sake forsook 1
forsook god 1
so lieth 1
lieth here 1
here with 1
his leman 2
leman slain 1
slain by 1
's judgment 1
judgment , 1
, take 1
take up 1
his body 3
body and 1
leman , 1
and bury 1
bury them 1
the corner 4
corner of 4
field of 2
the fullers 3
fullers , 2
set no 1
no mark 1
mark above 1
above them 1
nor sign 1
that none 2
may know 1
know the 1
their resting 1
resting . 1
for accursed 1
accursed were 1
they in 1
their lives 1
lives , 1
accursed shall 1
they be 1
be in 2
their deaths 1
deaths also 1
people did 1
did as 1
he commanded 1
commanded them 1
where no 1
no sweet 1
sweet herbs 1
herbs grew 1
grew , 1
dug a 1
deep pit 1
pit , 1
and laid 2
laid the 1
dead things 1
things within 1
day that 1
a holy 1
holy day 1
went up 1
the chapel 1
might show 1
show to 2
people the 1
the wounds 2
wounds of 1
and speak 1
them about 1
the wrath 3
wrath of 3
had robed 1
robed himself 1
his robes 1
robes , 1
bowed himself 1
himself before 1
altar was 1
was covered 2
strange flowers 1
flowers that 2
that never 1
never had 1
seen before 1
. strange 1
strange were 1
they to 1
at , 4
of curious 1
curious beauty 1
their beauty 1
beauty troubled 1
troubled him 2
their odour 2
odour was 2
was sweet 2
sweet in 2
felt glad 1
and understood 1
understood not 1
not why 1
was glad 2
glad . 2
had opened 1
the tabernacle 1
tabernacle , 1
and incensed 1
incensed the 1
the monstrance 1
monstrance that 1
fair wafer 1
again behind 1
the veil 1
of veils 1
veils , 1
he began 1
, desiring 1
desiring to 1
them of 1
the beauty 1
beauty of 1
white flowers 1
flowers troubled 1
came another 1
another word 1
word into 1
spake not 1
but of 1
god whose 1
whose name 1
name is 1
and why 1
he so 1
so spake 1
spake , 1
knew not 1
his word 1
word the 1
people wept 1
the sacristy 1
sacristy , 1
eyes were 3
of tears 2
the deacons 1
deacons came 1
to unrobe 1
unrobe him 1
the alb 1
alb and 1
the girdle 1
girdle , 1
the maniple 1
maniple and 1
the stole 1
stole . 1
stood as 1
had unrobed 1
unrobed him 1
'what are 1
that stand 1
and whence 1
whence do 1
do they 1
they come 2
come ? 1
they answered 1
'what flowers 1
flowers they 1
are we 1
we can 1
not tell 1
tell , 1
fullers ' 1
' field 1
field . 1
priest trembled 1
and returned 1
own house 3
house and 2
prayed . 1
, while 3
still dawn 1
forth with 1
candle-bearers and 1
company , 1
and blessed 1
blessed the 1
wild things 1
fauns also 1
also he 1
he blessed 2
blessed , 2
little things 1
that dance 1
the bright-eyed 1
bright-eyed things 1
that peer 1
peer through 1
the leaves 1
in god 1
's world 2
world he 1
and wonder 1
wonder . 1
never again 1
the fullers' 1
fullers' field 1
field grew 1
grew flowers 1
flowers of 1
field remained 1
remained barren 1
barren even 1
nor came 1
sea-folk into 1
bay as 1
another part 1
star-child [ 1
to miss 1
miss margot 1
margot tennant 1
tennant -- 1
-- mrs. 1
mrs. asquith 1
asquith ] 1
] once 1
once upon 1
time two 1
two poor 1
poor woodcutters 1
woodcutters were 1
were making 1
making their 1
way home 1
great pine-forest 1
pine-forest . 1
was winter 1
a night 1
night of 1
of bitter 1
bitter cold 1
cold . 3
the snow 5
snow lay 1
lay thick 1
thick upon 1
and upon 1
trees : 1
the frost 1
frost kept 1
kept snapping 1
snapping the 1
little twigs 1
twigs on 1
either side 1
passed : 1
: and 1
the mountain- 1
mountain- torrent 1
torrent she 1
was hanging 1
hanging motionless 1
motionless in 1
in air 1
the ice-king 1
ice-king had 1
had kissed 1
kissed her 1
so cold 1
cold was 1
it that 1
that even 1
the animals 2
animals and 1
birds did 1
what to 1
make of 1
. 'ugh 1
'ugh ! 1
' snarled 1
snarled the 1
the wolf 3
wolf , 1
he limped 1
limped through 1
the brushwood 1
brushwood with 1
his tail 1
tail between 1
between his 1
, 'this 3
'this is 4
is perfectly 1
perfectly monstrous 1
monstrous weather 1
weather . 1
why does 1
does n't 1
n't the 1
the government 2
government look 1
look to 1
' 'weet 1
'weet ! 1
! weet 2
weet ! 2
' twittered 1
twittered the 1
green linnets 1
linnets , 1
'the old 1
old earth 1
earth is 2
dead and 1
have laid 1
laid her 1
her out 1
out in 1
white shroud 1
shroud . 1
'the earth 1
is going 1
be married 1
married , 1
is her 1
her bridal 1
bridal dress 1
the turtle-doves 1
turtle-doves to 1
little pink 1
pink feet 1
quite frost-bitten 1
frost-bitten , 1
was their 2
their duty 1
duty to 1
take a 1
a romantic 1
romantic view 1
view of 1
the situation 1
situation . 1
. 'nonsense 1
'nonsense ! 1
' growled 1
growled the 1
wolf . 1
tell you 1
you that 1
the fault 1
fault of 1
government , 1
if you 1
you do 1
do n't 2
n't believe 1
believe me 1
shall eat 1
eat you 1
you . 1
wolf had 1
a thoroughly 1
thoroughly practical 1
practical mind 1
mind , 2
never at 1
a loss 1
loss for 1
good argument 1
argument . 1
. 'well 1
'well , 1
own part 1
part , 1
the woodpecker 1
woodpecker , 1
born philosopher 1
philosopher , 1
n't care 1
care an 1
an atomic 1
atomic theory 1
theory for 1
for explanations 1
explanations . 1
thing is 1
at present 1
present it 1
is terribly 1
terribly cold 2
' terribly 1
cold it 1
little squirrels 1
squirrels , 1
lived inside 1
inside the 1
tall fir-tree 1
fir-tree , 2
, kept 1
kept rubbing 1
rubbing each 1
other 's 1
's noses 1
noses to 1
keep themselves 1
themselves warm 1
warm , 1
rabbits curled 1
curled themselves 1
their holes 1
holes , 1
not venture 1
venture even 1
of doors 1
doors . 1
only people 1
people who 1
to enjoy 1
enjoy it 1
great horned 1
horned owls 1
owls . 1
their feathers 1
feathers were 1
quite stiff 1
stiff with 1
with rime 1
rime , 1
they rolled 1
rolled their 1
their large 1
large yellow 1
yellow eyes 1
other across 1
, 'tu-whit 1
'tu-whit ! 1
! tu-whoo 2
tu-whoo ! 2
! tu-whit 1
tu-whit ! 1
! what 1
what delightful 1
delightful weather 1
weather we 1
are having 1
having ! 1
' on 1
on went 1
two woodcutters 1
woodcutters , 1
, blowing 1
blowing lustily 1
lustily upon 1
their fingers 1
and stamping 1
stamping with 1
huge iron-shod 1
iron-shod boots 1
boots upon 1
the caked 1
caked snow 1
snow . 2
once they 3
they sank 1
sank into 1
deep drift 1
drift , 1
out as 1
as millers 1
millers are 1
the stones 1
stones are 1
are grinding 1
grinding ; 1
they slipped 1
slipped on 1
hard smooth 1
smooth ice 1
ice where 1
the marsh-water 1
marsh-water was 1
was frozen 1
frozen , 1
their faggots 1
faggots fell 1
fell out 1
their bundles 1
bundles , 1
to pick 1
pick them 1
them up 1
and bind 1
bind them 1
them together 1
together again 1
again ; 1
had lost 1
lost their 1
they knew 1
snow is 1
who sleep 1
sleep in 2
their trust 1
trust in 1
the good 1
good saint 1
saint martin 1
martin , 1
who watches 1
watches over 1
over all 1
all travellers 1
and retraced 1
retraced their 1
steps , 1
went warily 1
warily , 1
and saw 3
saw , 1
far down 1
valley beneath 1
beneath them 1
the lights 1
lights of 1
the village 6
village in 1
they dwelt 1
dwelt . 1
so overjoyed 1
overjoyed were 1
they at 1
their deliverance 1
deliverance that 1
they laughed 3
laughed aloud 1
aloud , 1
them like 1
flower of 2
moon like 1
yet , 1
had laughed 1
laughed they 1
became sad 1
they remembered 2
remembered their 1
their poverty 1
poverty , 1
them said 2
'why did 1
did we 1
we make 1
that life 1
life is 1
is for 1
rich , 1
for such 1
are ? 1
? better 1
had died 1
cold in 1
or that 1
that some 2
wild beast 1
beast had 1
fallen upon 1
upon us 1
and slain 1
slain us 1
' 'truly 2
'truly , 2
, 'much 1
'much is 1
to some 1
some , 1
little is 1
to others 1
. injustice 1
injustice has 1
has parcelled 1
parcelled out 1
there equal 1
equal division 1
division of 1
of aught 1
aught save 1
save of 1
but as 1
were bewailing 1
bewailing their 1
their misery 1
misery to 1
other this 1
this strange 1
thing happened 1
happened . 1
there fell 1
fell from 1
heaven a 1
very bright 1
bright and 1
and beautiful 1
beautiful star 1
it slipped 1
slipped down 1
the sky 2
sky , 2
, passing 1
passing by 2
other stars 1
its course 1
they watched 1
watched it 1
it wondering 1
wondering , 1
to sink 1
sink behind 1
behind a 1
a clump 1
clump of 1
of willow-trees 1
willow-trees that 1
stood hard 1
little sheepfold 1
sheepfold no 1
a stone's-throw 1
stone's-throw away 1
'why ! 1
a crook 1
crook of 1
gold for 1
for whoever 1
whoever finds 1
finds it 1
eager were 1
they for 1
them ran 1
ran faster 1
his mate 1
mate , 1
and outstripped 1
outstripped him 1
and forced 1
forced his 1
the willows 1
willows , 1
other side 2
was indeed 2
indeed a 1
gold lying 1
white snow 1
he hastened 1
hastened towards 1
and stooping 1
stooping down 1
down placed 1
placed his 1
hands upon 1
of golden 2
golden tissue 2
, curiously 1
with stars 2
and wrapped 2
in many 1
many folds 1
folds . 1
his comrade 4
comrade that 1
found the 2
treasure that 1
comrade had 1
they sat 1
sat them 1
snow , 2
and loosened 1
loosened the 1
the folds 1
folds of 1
the cloak 7
they might 1
might divide 1
divide the 1
the pieces 1
but , 1
, alas 1
alas ! 1
! no 1
no gold 1
nor , 1
, treasure 1
treasure of 1
little child 1
child who 1
was asleep 1
other : 1
: 'this 1
bitter ending 1
ending to 1
to our 1
our hope 1
hope , 1
we any 1
any good 1
good fortune 1
fortune , 1
doth a 1
child profit 1
profit to 1
man ? 1
? let 1
us leave 1
leave it 1
it here 1
go our 1
our way 1
are poor 1
poor men 1
have children 1
own whose 1
whose bread 1
bread we 1
we may 1
give to 1
companion answered 1
him : 6
: 'nay 2
were an 1
child to 1
to perish 1
perish here 1
here in 1
and though 1
as poor 1
poor as 1
art , 1
have many 1
many mouths 1
mouths to 1
feed , 1
and but 1
little in 1
the pot 1
pot , 1
yet will 1
i bring 4
bring it 4
it home 1
home with 1
my wife 1
wife shall 1
shall have 1
have care 2
so very 1
very tenderly 1
tenderly he 1
wrapped the 1
cloak around 1
around it 1
to shield 1
shield it 1
harsh cold 1
cold , 1
made his 2
way down 1
hill to 1
village , 3
comrade marvelling 1
marvelling much 1
much at 1
his foolishness 1
foolishness and 1
and softness 1
softness of 1
of heart 3
comrade said 1
hast the 1
therefore give 1
cloak , 1
is meet 1
meet that 1
should share 1
share . 1
cloak is 1
is neither 1
neither mine 1
mine nor 1
nor thine 1
child 's 2
only , 1
him godspeed 1
godspeed , 1
knocked . 1
wife opened 1
door and 1
her husband 1
husband had 1
returned safe 1
safe to 1
she put 2
arms round 1
the bundle 1
bundle of 1
of faggots 1
faggots , 1
and brushed 1
brushed the 1
snow off 1
his boots 1
boots , 1
him come 1
come in 1
have found 3
found something 1
something in 1
have brought 1
brought it 1
he stirred 1
the threshold 2
threshold . 2
. 'show 1
'show it 1
house is 1
is bare 1
bare , 1
many things 1
cloak back 1
sleeping child 1
. 'alack 1
, goodman 1
goodman ! 1
, 'have 1
'have we 1
not children 1
needs bring 1
bring a 1
a changeling 1
changeling to 1
to sit 1
sit by 1
the hearth 1
hearth ? 1
who knows 1
knows if 1
not bring 1
bring us 1
us bad 1
bad fortune 1
fortune ? 1
and how 2
we tend 1
tend it 1
was wroth 1
wroth against 1
a star-child 1
star-child , 6
told her 1
strange manner 1
the finding 1
finding of 1
be appeased 1
appeased , 1
but mocked 1
and spoke 1
spoke angrily 1
cried : 1
: 'our 1
'our children 1
children lack 1
and shall 1
we feed 1
feed the 1
of another 1
another ? 1
? who 1
there who 1
who careth 1
careth for 2
who giveth 1
giveth us 1
us food 1
food ? 1
but god 1
god careth 1
the sparrows 2
sparrows even 1
even , 1
and feedeth 1
feedeth them 1
. 'do 1
'do not 1
sparrows die 1
die of 3
of hunger 3
hunger in 1
winter ? 1
she asked 1
'and is 1
not winter 1
winter now 1
now ? 1
man answered 1
answered nothing 1
but stirred 1
bitter wind 3
wind from 1
forest came 1
open door 1
door , 1
her tremble 1
tremble , 1
she shivered 1
shivered , 1
: 'wilt 1
not close 1
close the 1
door ? 1
? there 1
there cometh 1
cometh a 1
wind into 1
am cold 1
' 'into 1
'into a 1
is hard 1
hard cometh 1
cometh there 1
there not 1
not always 1
always a 1
wind ? 1
woman answered 2
him nothing 1
but crept 1
crept closer 1
closer to 1
fire . 1
in swiftly 1
swiftly , 2
child in 1
she kissed 1
laid it 1
bed where 1
own children 1
children was 1
the morrow 4
morrow the 4
the woodcutter 13
woodcutter took 1
curious cloak 1
gold and 1
great chest 1
chain of 2
amber that 1
was round 1
's neck 1
neck his 1
wife took 1
took and 1
the chest 2
chest also 1
star-child was 2
was brought 1
woodcutter , 7
sat at 1
same board 1
board with 1
their playmate 1
playmate . 1
year he 1
became more 1
beautiful to 1
all those 1
village were 1
were swarthy 1
swarthy and 1
and black-haired 1
black-haired , 1
was white 1
white and 1
and delicate 1
delicate as 1
as sawn 1
sawn ivory 1
his curls 1
curls were 1
the rings 1
the daffodil 1
daffodil . 1
, also 1
the petals 1
petals of 1
flower , 1
like violets 1
violets by 1
river of 1
of pure 1
pure water 1
body like 1
the narcissus 1
narcissus of 1
a field 1
field where 1
the mower 1
mower comes 1
his beauty 1
beauty work 1
work him 1
him evil 1
grew proud 1
proud , 2
and cruel 2
and selfish 1
selfish . 1
he despised 1
despised , 1
saying that 1
of mean 1
mean parentage 1
parentage , 1
was noble 1
noble , 1
being sprang 1
sprang from 1
made himself 1
himself master 1
master over 1
over them 1
called them 1
his servants 1
no pity 1
pity had 1
he for 1
poor , 1
or for 1
for those 1
were blind 1
blind or 1
or maimed 1
maimed or 1
or in 1
any way 1
way afflicted 1
afflicted , 1
would cast 1
cast stones 2
stones at 4
and drive 1
drive them 1
them forth 1
forth on 1
the highway 1
highway , 1
bid them 1
them beg 1
beg their 1
their bread 1
bread elsewhere 1
elsewhere , 1
none save 1
the outlaws 1
outlaws came 1
came twice 1
twice to 1
that village 1
village to 1
ask for 1
for alms 1
alms . 1
one enamoured 1
would mock 1
the weakly 1
weakly and 1
and ill-favoured 1
ill-favoured , 1
make jest 1
jest of 1
and himself 1
himself he 1
loved , 1
in summer 1
summer , 1
the winds 1
winds were 1
were still 1
would lie 1
lie by 1
the well 3
well in 1
priest 's 1
's orchard 1
orchard and 1
and look 2
look down 1
the marvel 1
marvel of 1
laugh for 1
pleasure he 1
had in 1
his fairness 1
fairness . 1
. often 1
often did 2
woodcutter and 3
wife chide 1
chide him 1
and say 1
say : 1
'we did 1
not deal 1
deal with 2
thee as 2
thou dealest 1
dealest with 1
are left 1
left desolate 1
desolate , 1
have none 1
none to 1
to succour 1
succour them 1
wherefore art 2
thou so 1
so cruel 1
to all 2
all who 1
need pity 1
pity ? 1
' often 1
old priest 1
priest send 1
seek to 2
to teach 1
teach him 1
of living 1
living things 1
'the fly 1
fly is 1
thy brother 1
brother . 1
no harm 1
harm . 1
wild birds 1
birds that 1
that roam 1
roam through 1
forest have 1
have their 1
their freedom 1
freedom . 2
. snare 1
snare them 1
thy pleasure 2
. god 1
god made 1
the blind-worm 1
blind-worm and 1
the mole 4
mole , 3
each has 1
has its 1
its place 1
. who 1
who art 1
to bring 2
bring pain 1
pain into 1
into god 1
? even 1
the cattle 1
cattle of 1
field praise 1
praise him 1
star-child heeded 1
heeded not 1
not their 1
their words 1
would frown 1
frown and 1
and flout 1
flout , 1
and lead 1
lead them 1
companions followed 1
was fair 1
fair , 1
and fleet 1
fleet of 1
of foot 1
could dance 1
make music 1
music . 1
wherever the 1
star-child led 1
led them 1
they followed 1
whatever the 1
star-child bade 1
them do 1
did they 1
they . 1
he pierced 1
pierced with 1
a sharp 1
sharp reed 1
reed the 1
dim eyes 1
he cast 1
leper they 1
laughed also 1
in all 1
things he 1
he ruled 2
ruled them 1
became hard 1
hard of 2
heart even 1
now there 1
there passed 1
passed one 1
one day 1
day through 1
village a 1
poor beggar-woman 2
beggar-woman . 4
her garments 1
garments were 1
were torn 1
torn and 1
and ragged 1
ragged , 1
were bleeding 1
bleeding from 1
rough road 1
road on 1
had travelled 1
travelled , 1
very evil 1
evil plight 1
plight . 1
and being 1
being weary 1
weary she 1
she sat 1
sat her 1
her down 1
under a 1
a chestnut-tree 1
chestnut-tree to 1
star-child saw 2
, 'see 1
'see ! 1
there sitteth 1
sitteth a 1
a foul 1
foul beggar-woman 1
beggar-woman under 1
under that 1
that fair 1
fair and 1
and green-leaved 1
green-leaved tree 1
tree . 2
us drive 1
drive her 1
her hence 1
is ugly 1
and ill- 1
ill- favoured 1
favoured . 1
near and 1
threw stones 2
and mocked 1
mocked her 1
she looked 1
terror in 1
she move 1
move her 1
her gaze 1
gaze from 1
was cleaving 1
cleaving logs 1
logs in 1
a haggard 1
haggard hard 1
, saw 1
saw what 1
what the 1
doing , 1
and rebuked 1
rebuked him 1
art hard 1
heart and 1
and knowest 1
not mercy 1
mercy , 1
evil has 1
this poor 1
poor woman 1
woman done 1
done to 1
thee that 1
shouldst treat 1
treat her 1
wise ? 1
star-child grew 1
grew red 1
and stamped 1
stamped his 1
his foot 1
foot upon 1
'who art 1
to question 1
question me 1
no son 2
thine to 1
' 'thou 2
'thou speakest 1
speakest truly 1
truly , 1
'yet did 1
i show 1
thee pity 1
pity when 1
found thee 1
woman heard 1
words she 1
fell into 1
a swoon 1
swoon . 1
woodcutter carried 1
carried her 1
wife had 1
had care 1
the swoon 1
swoon into 1
into which 1
fallen , 1
set meat 1
meat and 1
and drink 1
drink before 1
bade her 1
her have 1
have comfort 1
comfort . 1
would neither 1
neither eat 1
eat nor 1
drink , 1
, 'didst 1
'didst thou 1
not say 1
child was 1
was found 1
found in 1
forest ? 1
not ten 1
ten years 2
years from 2
this day 3
day ? 1
woodcutter answered 1
, 'yea 1
'yea , 1
forest that 1
is ten 1
'and what 1
what signs 1
signs didst 1
thou find 2
find with 1
him ? 1
. 'bare 1
'bare he 1
not upon 1
neck a 1
amber ? 1
? was 1
not round 1
tissue broidered 1
stars ? 1
'it was 2
the amber 2
amber chain 2
chain from 1
chest where 1
where they 1
they lay 1
lay , 1
showed them 1
them she 1
she wept 1
wept for 1
for joy 1
my little 2
little son 2
son whom 1
i lost 1
lost in 1
thee send 1
him quickly 1
quickly , 2
in search 2
search of 2
him have 1
wandered over 3
wife went 1
the star- 3
star- child 3
, 'go 1
'go into 1
there shalt 1
shalt thou 1
find thy 1
thy mother 6
is waiting 1
and great 1
great gladness 1
gladness . 1
her who 1
was waiting 1
waiting there 1
laughed scornfully 1
scornfully and 1
my mother 9
mother ? 3
? for 2
see none 1
none here 1
here but 1
this vile 1
vile beggar-woman 1
am thy 1
mother . 2
mad to 1
star-child angrily 1
angrily . 1
and ugly 1
therefore get 2
thee hence 3
thy foul 1
foul face 1
art indeed 1
indeed my 1
i bare 1
bare in 1
she fell 1
her knees 1
'the robbers 1
robbers stole 1
stole thee 1
thee from 1
to die 1
die , 2
i recognised 2
recognised thee 1
thee when 1
saw thee 1
the signs 1
signs also 1
also have 1
recognised , 1
tissue and 1
chain . 2
therefore i 1
thee come 1
for over 1
world have 1
wandered in 1
star-child stirred 1
his place 1
but shut 1
shut the 1
the doors 1
doors of 1
heart against 1
against her 1
any sound 1
sound heard 1
heard save 1
woman weeping 1
weeping for 1
for pain 1
he spoke 1
spoke to 1
was hard 1
and bitter 1
bitter . 1
'if in 1
art my 2
'it had 1
been better 1
better hadst 1
thou stayed 1
stayed away 1
here to 1
bring me 3
to shame 1
shame , 1
i thought 1
thought i 1
some star 1
beggar 's 1
's child 1
thou tellest 1
tellest me 1
see thee 1
! my 1
, 'wilt 1
not kiss 1
kiss me 1
me before 1
before i 1
go ? 1
have suffered 1
suffered much 1
find thee 1
'but thou 1
art too 1
too foul 1
and rather 1
rather would 1
would i 1
i kiss 1
kiss the 1
the adder 3
adder or 1
the toad 4
toad than 1
than thee 1
woman rose 1
forest weeping 1
bitterly , 2
his playmates 1
playmates that 1
might play 1
they beheld 1
beheld him 1
as foul 1
foul as 1
toad , 2
as loathsome 1
loathsome as 1
adder . 2
suffer thee 1
they drave 1
drave him 3
star-child frowned 1
frowned and 1
they say 1
well of 2
look into 1
shall tell 1
me of 1
my beauty 1
! his 2
was sealed 1
sealed like 1
an adder 1
'surely this 1
this has 1
has come 1
come upon 1
upon me 1
my sin 1
have denied 2
denied my 1
driven her 1
her away 1
and been 1
been proud 1
go and 1
seek her 1
her through 1
i rest 2
rest till 2
till i 3
found her 2
shoulder and 1
'what doth 1
doth it 1
it matter 1
matter if 1
hast lost 1
lost thy 1
thy comeliness 1
comeliness ? 1
? stay 1
stay with 1
not mock 1
at thee 1
been cruel 1
a punishment 1
punishment has 1
this evil 1
evil been 1
been sent 1
i must 4
must go 1
world till 1
i find 2
she give 1
me her 2
her forgiveness 3
forgiveness . 2
ran away 4
mother to 1
sun set 1
set he 1
sleep on 1
a bed 1
of leaves 1
animals fled 1
fled from 1
his cruelty 1
was alone 1
alone save 1
save for 1
toad that 1
that watched 1
the slow 1
slow adder 1
adder that 2
crawled past 1
past . 1
and plucked 1
plucked some 1
some bitter 1
bitter berries 1
berries from 1
trees and 1
ate them 1
great wood 1
weeping sorely 1
sorely . 1
of everything 1
he met 1
met he 1
made inquiry 2
inquiry if 1
if perchance 1
perchance they 1
seen his 1
'thou canst 2
canst go 1
go beneath 1
earth . 1
mother there 1
there ? 1
mole answered 1
hast blinded 1
blinded mine 1
mine eyes 1
how should 2
know ? 1
the linnet 2
linnet , 1
canst fly 1
fly over 1
tall trees 1
and canst 1
canst see 1
, canst 1
thou see 1
see my 1
linnet answered 1
hast clipt 1
clipt my 1
my wings 1
wings for 1
i fly 1
fly ? 1
little squirrel 1
squirrel who 1
the fir-tree 1
was lonely 1
lonely , 1
, 'where 1
the squirrel 1
squirrel answered 1
slain mine 1
. dost 1
slay thine 1
star-child wept 1
wept and 1
prayed forgiveness 1
forgiveness of 1
's things 1
, seeking 1
seeking for 5
the beggar-woman 5
day he 1
plain . 1
villages the 1
children mocked 1
the carlots 1
carlots would 1
suffer him 1
the byres 1
byres lest 1
might bring 1
bring mildew 1
mildew on 1
the stored 1
stored corn 1
so foul 1
foul was 1
their hired 1
hired men 1
men drave 1
him away 2
was none 1
none who 1
had pity 5
pity on 7
nor could 2
he hear 1
hear anywhere 1
anywhere of 1
beggar-woman who 2
though for 1
of three 3
years he 3
often seemed 1
the road 3
road in 1
run after 1
after her 1
her till 1
the sharp 1
sharp flints 1
flints made 1
feet to 1
to bleed 1
bleed . 1
but overtake 1
overtake her 1
and those 1
dwelt by 1
way did 1
did ever 1
ever deny 1
deny that 1
or any 1
any like 1
like to 1
made sport 1
sport of 1
world there 1
was neither 1
neither love 1
love nor 1
nor loving-kindness 1
loving-kindness nor 1
nor charity 1
charity for 1
even such 1
a world 1
world as 1
for himself 1
great pride 1
pride . 2
a strong-walled 1
strong-walled city 1
river , 1
, weary 1
weary and 1
and footsore 1
footsore though 1
made to 1
soldiers who 2
on guard 1
guard dropped 1
dropped their 1
halberts across 1
said roughly 1
roughly to 1
thy business 1
business in 1
am seeking 3
pray ye 2
ye to 2
pass , 1
them wagged 1
wagged a 1
black beard 1
beard , 1
his shield 1
shield and 1
truth , 1
, thy 1
be merry 1
merry when 1
she sees 1
sees thee 1
art more 1
more ill-favoured 1
ill-favoured than 1
toad of 1
the marsh 1
marsh , 1
that crawls 1
crawls in 1
the fen 1
fen . 1
mother dwells 1
dwells not 1
not in 1
another , 1
yellow banner 1
banner in 1
, said 1
thou seeking 1
'my mother 1
mother is 1
beggar even 1
am , 1
have treated 1
treated her 1
her evilly 1
evilly , 1
pass that 1
she may 1
may give 1
forgiveness , 2
she tarrieth 1
tarrieth in 1
and pricked 1
pricked him 1
spears . 1
away weeping 1
weeping , 1
one whose 2
whose armour 2
armour was 2
was inlaid 2
gilt flowers 2
on whose 2
whose helmet 2
helmet couched 1
couched a 1
a lion 2
lion that 2
had wings 2
inquiry of 1
was who 1
sought entrance 1
beggar and 1
have driven 1
driven him 1
'but we 1
the foul 1
foul thing 1
thing for 1
his price 1
price shall 1
the price 3
price of 2
of sweet 2
sweet wine 2
and an 2
old and 1
and evil-visaged 1
evil-visaged man 1
man who 1
was passing 1
by called 1
will buy 1
buy him 1
that price 1
had paid 1
paid the 1
star-child by 1
gone through 1
through many 1
many streets 1
streets they 1
was set 1
a wall 1
wall that 1
a pomegranate 1
pomegranate tree 1
man touched 1
door with 2
of graved 1
graved jasper 1
jasper and 1
down five 1
five steps 2
brass into 1
garden filled 1
with black 1
black poppies 1
poppies and 1
green jars 1
jars of 1
man took 1
took then 1
then from 1
a scarf 1
scarf of 2
figured silk 2
and bound 1
bound with 1
and drave 1
the scarf 2
scarf was 1
was taken 1
taken off 1
star-child found 1
a dungeon 1
dungeon , 1
lit by 1
man set 1
set before 2
him some 1
some mouldy 1
mouldy bread 1
bread on 1
a trencher 1
trencher and 1
, 'eat 2
'eat , 2
some brackish 1
brackish water 1
water in 1
, 'drink 2
'drink , 2
had eaten 1
eaten and 1
and drunk 1
drunk , 1
, locking 1
locking the 1
and fastening 1
fastening it 1
an iron 1
iron chain 1
indeed the 1
the subtlest 1
subtlest of 1
the magicians 1
magicians of 1
of libya 1
libya and 1
had learned 1
learned his 1
his art 1
art from 1
nile , 1
and frowned 1
frowned at 1
a wood 1
wood that 1
is nigh 1
nigh to 1
of giaours 1
giaours there 1
are three 1
three pieces 1
one is 2
is of 2
white gold 8
another is 1
yellow gold 9
third one 1
is red 1
red . 1
to-day thou 3
shalt bring 1
the piece 16
thou bringest 5
bringest it 2
not back 1
will beat 5
beat thee 1
hundred stripes 2
stripes . 2
away quickly 1
sunset i 1
be waiting 1
. see 1
bringest the 1
or it 1
shall go 1
go ill 1
ill with 1
my slave 2
have bought 1
bought thee 1
he bound 1
bound the 1
star-child with 1
him through 1
of poppies 1
poppies , 1
and up 1
the five 1
having opened 1
his ring 1
ring he 1
set him 1
street . 1
star-child went 5
wood of 1
the magician 10
magician had 2
had spoken 2
spoken to 1
now this 1
this wood 1
wood was 1
very fair 1
fair to 1
at from 1
from without 1
without , 1
of singing 1
singing birds 1
of sweet-scented 1
sweet-scented flowers 1
child entered 1
entered it 1
it gladly 1
gladly . 1
did its 1
its beauty 1
beauty profit 1
profit him 1
him little 1
for wherever 1
went harsh 1
harsh briars 1
briars and 1
and thorns 1
thorns shot 1
shot up 1
and encompassed 1
encompassed him 1
evil nettles 1
nettles stung 1
stung him 1
the thistle 1
thistle pierced 1
pierced him 1
her daggers 1
daggers , 1
in sore 1
sore distress 1
distress . 1
he anywhere 1
anywhere find 2
from morn 1
morn to 1
to noon 1
from noon 1
noon to 1
to sunset 1
sunset . 1
face towards 1
towards home 1
knew what 2
what fate 1
fate was 1
in store 1
store for 1
heard from 1
thicket a 1
cry as 1
in pain 1
and forgetting 1
forgetting his 1
own sorrow 1
sorrow he 1
saw there 1
there a 1
little hare 3
hare caught 1
caught in 1
a trap 1
trap that 1
some hunter 1
hunter had 1
had set 1
set for 1
star-child had 4
and released 1
released it 1
am myself 1
myself but 1
yet may 1
may i 2
thee thy 1
thy freedom 1
hare answered 1
me freedom 1
freedom , 1
what shall 1
return ? 1
star-child said 3
can i 1
i anywhere 1
find it 4
master he 3
beat me 4
' 'come 1
'come thou 1
thou with 1
hare , 7
will lead 1
lead thee 1
is hidden 2
hidden , 1
went with 1
! in 1
great oak-tree 1
oak-tree he 1
seeking . 1
and seized 1
'the service 1
service that 1
did to 1
thee thou 2
hast rendered 1
rendered back 1
again many 1
many times 1
times over 1
i showed 1
showed thee 1
hast repaid 1
repaid a 1
a hundred-fold 1
hundred-fold . 1
'but as 1
thou dealt 1
dealt with 1
did deal 1
it ran 4
away swiftly 3
now at 1
city there 1
seated one 1
. over 1
face hung 1
a cowl 1
cowl of 1
grey linen 1
linen , 1
the eyelets 1
eyelets his 1
eyes gleamed 1
gleamed like 1
like red 1
red coals 1
coals . 1
star-child coming 1
struck upon 1
wooden bowl 1
bowl , 1
and clattered 1
clattered his 1
his bell 1
, 'give 3
of money 3
money , 2
must die 2
hunger . 2
have thrust 1
thrust me 1
has pity 1
have but 1
but one 2
one piece 2
money in 1
my wallet 2
wallet , 3
am his 1
his slave 2
leper entreated 2
entreated him 2
magician 's 2
's house 2
magician opened 2
opened to 2
, 'hast 2
'hast thou 2
thou the 2
star-child answered 3
magician fell 2
and beat 2
beat him 2
him an 1
an empty 2
empty trencher 1
trencher , 1
empty cup 1
flung him 1
again into 2
the dungeon 2
dungeon . 2
magician came 2
'if to-day 2
bringest me 2
surely keep 1
keep thee 1
as my 1
thee three 1
he searched 2
down and 5
was weeping 2
weeping there 2
hare that 1
had rescued 1
rescued from 1
the trap 1
trap , 1
hare said 2
thou weeping 1
weeping ? 1
what dost 1
seek in 1
wood ? 1
hidden here 1
not my 1
master will 1
and keep 2
keep me 2
me as 2
' 'follow 1
'follow me 1
ran through 1
wood till 1
the pool 1
pool the 1
i thank 1
thank thee 1
'for lo 2
! this 2
that you 1
you have 1
have succoured 1
succoured me 2
hadst pity 2
me first 2
first , 2
swiftly . 2
star-child took 1
put it 2
his wallet 2
and hurried 2
hurried to 2
leper saw 1
money or 1
shall die 1
have in 1
wallet but 1
him sore 1
sore , 1
and loaded 1
loaded him 1
with chains 1
and cast 1
cast him 1
will set 1
set thee 1
thee free 1
but if 1
not i 1
at evening 1
hare . 1
'the piece 1
thou seekest 1
seekest is 1
the cavern 2
cavern that 1
is behind 1
behind thee 1
therefore weep 1
weep no 1
more but 1
be glad 1
' 'how 1
i reward 1
reward thee 1
third time 1
time thou 1
hast succoured 2
star-child entered 1
cavern , 1
its farthest 1
farthest corner 1
corner he 1
he found 1
leper seeing 1
seeing him 1
road , 1
red money 1
, 'thy 1
'thy need 1
need is 1
is greater 2
than mine 1
' yet 1
yet was 1
heart heavy 1
evil fate 1
fate awaited 1
awaited him 1
but lo 1
! as 1
guards bowed 1
bowed down 1
, 'how 2
'how beautiful 1
beautiful is 1
is our 1
our lord 3
lord ! 1
of citizens 1
citizens followed 1
'surely there 1
is none 1
none so 1
beautiful in 1
world ! 1
child wept 1
, 'they 1
are mocking 1
mocking me 1
making light 1
light of 1
my misery 1
misery . 1
so large 1
large was 1
the concourse 1
concourse of 1
he lost 1
lost the 1
himself at 1
last in 1
great square 1
square , 1
palace opened 1
priests and 2
city ran 1
ran forth 1
they abased 1
abased themselves 1
themselves before 1
art our 1
lord for 1
for whom 1
whom we 1
been waiting 1
waiting , 1
our king 2
no king 1
's son 1
how say 1
say ye 1
ye that 1
am beautiful 1
beautiful , 1
am evil 1
evil to 1
at ? 1
' then 1
helmet crouched 1
crouched a 1
, held 1
a shield 1
shield , 1
'how saith 1
saith my 1
lord that 1
not beautiful 1
beautiful ? 1
star-child looked 1
looked , 1
his comeliness 1
comeliness had 1
eyes which 1
not seen 1
seen there 1
officers knelt 1
was prophesied 1
prophesied of 1
of old 1
old that 1
that on 1
day should 1
should come 1
come he 1
let our 1
lord take 1
this sceptre 1
his justice 1
justice and 2
and mercy 2
mercy our 1
king over 1
am not 1
not worthy 1
worthy , 1
denied the 1
the mother 1
mother who 1
bare me 1
nor may 1
and known 1
known her 1
must wander 1
wander again 1
again over 1
and may 1
though ye 1
ye bring 1
sceptre . 1
spake he 1
face from 1
them towards 1
street that 1
that led 1
led to 1
! amongst 1
amongst the 1
crowd that 1
that pressed 1
pressed round 1
leper , 2
had sat 1
road . 1
ran over 1
and kneeling 1
kneeling down 1
down he 1
wounds on 1
's feet 1
and wet 1
wet them 1
the dust 1
dust , 1
and sobbing 1
sobbing , 1
whose heart 1
heart might 1
might break 1
her : 1
: 'mother 2
'mother , 2
i denied 1
denied thee 1
my pride 1
. accept 1
accept me 1
my humility 1
humility . 1
. mother 2
thee hatred 1
hatred . 1
do thou 1
me love 1
i rejected 1
rejected thee 1
. receive 1
receive thy 1
thy child 1
child now 1
beggar-woman answered 1
him not 2
clasped the 1
: 'thrice 1
'thrice did 1
my mercy 1
mercy . 1
. bid 1
bid my 1
mother speak 1
me once 1
once . 1
leper answered 1
he sobbed 1
sobbed again 1
my suffering 1
suffering is 1
can bear 1
bear . 1
thy forgiveness 1
beggar-woman put 1
hand on 2
'rise , 2
leper put 1
' also 1
! they 1
a queen 1
queen said 1
thy father 1
father whom 1
succoured . 1
king said 1
mother whose 1
whose feet 1
feet thou 1
hast washed 1
washed with 1
thy tears 1
and clothed 1
clothed him 1
in fair 1
sceptre in 1
river he 1
ruled , 1
was its 1
. much 1
much justice 1
mercy did 1
he show 1
evil magician 1
magician he 1
he banished 1
banished , 1
wife he 1
he sent 1
sent many 1
many rich 1
rich gifts 1
gifts , 1
their children 1
children he 1
gave high 1
high honour 1
honour . 1
he suffer 1
suffer any 1
any to 1
to bird 1
bird or 1
or beast 1
beast , 1
but taught 1
taught love 1
love and 1
and loving-kindness 1
loving-kindness and 1
and charity 1
charity , 1
poor he 1
gave bread 1
the naked 1
naked he 1
gave raiment 1
was peace 1
peace and 1
and plenty 1
plenty in 1
yet ruled 1
ruled he 1
not long 1
his suffering 1
suffering , 1
so bitter 1
bitter the 1
fire of 1
his testing 1
testing , 1
for after 1
he died 1
who came 1
came after 1
after him 1
him ruled 1
ruled evilly 1
evilly . 1
...

You can remove the [:20] restrictor above and print out the entire frequency profile. If you select and copy the profile to your clipboard, you can paste it into your favorite spreadsheet software and sort, analyze, and study the distribution in many interesting ways.

Instead of running the frequency profile through a loop we can also use a list comprehension construction in Python to generate a list of tuples with the n-gram and its frequency:


In [33]:
ngrams = [ (" ".join(ngram), myBigramFD[ngram]) for ngram in myBigramFD ]
print(ngrams[:100])


[('a house', 4), ('house of', 5), ('of pomegranates', 4), ('pomegranates contents', 1), ('contents :', 1), (': the', 2), ('the young', 107), ('young king', 24), ('king the', 1), ('the birthday', 3), ('birthday of', 3), ('of the', 354), ('the infanta', 33), ('infanta the', 1), ('the fisherman', 5), ('fisherman and', 3), ('and his', 53), ('his soul', 51), ('soul the', 1), ('the star-child', 41), ('star-child the', 1), ('king [', 1), ('[ to', 4), ('to margaret', 1), ('margaret lady', 1), ('lady brooke', 1), ('brooke --', 1), ('-- the', 4), ('the ranee', 1), ('ranee of', 1), ('of sarawak', 1), ('sarawak ]', 1), ('] it', 2), ('it was', 52), ('was the', 20), ('the night', 3), ('night before', 1), ('before the', 8), ('the day', 7), ('day fixed', 1), ('fixed for', 1), ('for his', 7), ('his coronation', 2), ('coronation ,', 3), (', and', 1271), ('and the', 287), ('king was', 1), ('was sitting', 1), ('sitting alone', 1), ('alone in', 1), ('in his', 31), ('his beautiful', 1), ('beautiful chamber', 1), ('chamber .', 1), ('. his', 8), ('his courtiers', 1), ('courtiers had', 1), ('had all', 2), ('all taken', 1), ('taken their', 1), ('their leave', 1), ('leave of', 1), ('of him', 8), ('him ,', 146), (', bowing', 1), ('bowing their', 1), ('their heads', 5), ('heads to', 1), ('to the', 149), ('the ground', 15), ('ground ,', 6), (', according', 1), ('according to', 1), ('the ceremonious', 1), ('ceremonious usage', 1), ('usage of', 1), ('day ,', 3), ('and had', 9), ('had retired', 2), ('retired to', 2), ('the great', 25), ('great hall', 2), ('hall of', 1), ('the palace', 18), ('palace ,', 5), (', to', 6), ('to receive', 1), ('receive a', 1), ('a few', 9), ('few last', 1), ('last lessons', 1), ('lessons from', 1), ('from the', 69), ('the professor', 1), ('professor of', 1), ('of etiquette', 1), ('etiquette ;', 1), ('; there', 2), ('there being', 1), ('being some', 1)]

We can generate an increasing frequency profile using the sort function on the second element of the tuple list, that is on the frequency:


In [34]:
sortedngrams = sorted(ngrams, key=lambda x: x[1])
print(sortedngrams[:20])
print("...")


[('pomegranates contents', 1), ('contents :', 1), ('king the', 1), ('infanta the', 1), ('soul the', 1), ('star-child the', 1), ('king [', 1), ('to margaret', 1), ('margaret lady', 1), ('lady brooke', 1), ('brooke --', 1), ('the ranee', 1), ('ranee of', 1), ('of sarawak', 1), ('sarawak ]', 1), ('night before', 1), ('day fixed', 1), ('fixed for', 1), ('king was', 1), ('was sitting', 1)]
...

We can increase the speed of this sorted call by using the itemgetter() function in the operator module. Let us import this function:


In [35]:
from operator import itemgetter

We can now define the sort-key for sorted using the itemgetter function and selecting with 1 the second element in the tuple. Remember that the enumeration of elements in lists or tuples in Python starts at 0.


In [36]:
sortedngrams = sorted(ngrams, key=itemgetter(1))
print(sortedngrams[:20])
print("...")


[('pomegranates contents', 1), ('contents :', 1), ('king the', 1), ('infanta the', 1), ('soul the', 1), ('star-child the', 1), ('king [', 1), ('to margaret', 1), ('margaret lady', 1), ('lady brooke', 1), ('brooke --', 1), ('the ranee', 1), ('ranee of', 1), ('of sarawak', 1), ('sarawak ]', 1), ('night before', 1), ('day fixed', 1), ('fixed for', 1), ('king was', 1), ('was sitting', 1)]
...

A decreasing frequency profile can be generated using another parameter to sorted:


In [37]:
sortedngrams = sorted(ngrams, key=itemgetter(1), reverse=True)
print(sortedngrams[:20])
print("...")


[(', and', 1271), ('of the', 354), ('and the', 287), ('. and', 205), (". '", 193), ('in the', 158), (", '", 155), ('to the', 149), ('him ,', 146), ('. the', 112), ("' and", 108), ('the young', 107), (', but', 96), ('and he', 89), (', for', 85), ("? '", 84), ('on the', 80), ('said to', 79), ('to him', 77), ('and said', 77)]
...

We can pretty-print the decreasing frequency profile:


In [38]:
sortedngrams = sorted(ngrams, key=itemgetter(1), reverse=True)
for t in sortedngrams[:20]:
    print(t[0], t[1])
print("...")


, and 1271
of the 354
and the 287
. and 205
. ' 193
in the 158
, ' 155
to the 149
him , 146
. the 112
' and 108
the young 107
, but 96
and he 89
, for 85
? ' 84
on the 80
said to 79
to him 77
and said 77
...

In [54]:
total = float(sum(myBigramFD.values()))
exceptions = ["]", "[", "--", ",", ".", "'s", "?", "!", "'", "'ye"]
myStopWords = stopwords.split()
results = []
for x in myBigramFD:
    if x[0] in exceptions or x[1] in exceptions:
        continue
    if x[0] in myStopWords or x[1] in myStopWords:
        continue
    #print("%s\t%s\t%s" % (x[0], x[1], myBigramFD[x]/total))
    results.append( (x[0], x[1], myBigramFD[x]/total) )
#print(results)
sortedresults = sorted(results, key=itemgetter(2), reverse=True)
for x in sortedresults[:20]:
    print(x[0], x[1], x[2])


young fisherman 0.0018622462361642972
young king 0.0006294916854639878
thou hast 0.0005508052247809893
thou art 0.0005245764045533231
little dwarf 0.000498347584325657
thou shalt 0.00034097466295966006
little mermaid 0.0003147458427319939
soul answered 0.0003147458427319939
give thee 0.0002622882022766616
let us 0.0002622882022766616
get thee 0.00023605938204899544
soul said 0.00023605938204899544
yellow gold 0.00023605938204899544
whole world 0.00020983056182132927
art thou 0.00020983056182132927
day long 0.00020983056182132927
'thou hast 0.00020983056182132927
thee gone 0.00020983056182132927
white rose 0.00020983056182132927
white gold 0.00020983056182132927

To be continued...

(C) 2017-2019 by Damir Cavar <dcavar@iu.edu>