Two word sentences from books

Task

Random sentence from book
You are encouraged to solve this task according to the task description, using any language you may know.

  • Read in the book «The War of the Worlds», by H. G. Wells.
  • Skip to the start of the book, proper.
  • Remove extraneous punctuation, but keep at least sentence-ending punctuation characters . ! and ?
  • Keep account of what words follow words and how many times it is seen, (treat sentence terminators as words too).
  • Keep account of what words follow two words and how many times it is seen, (again treating sentence terminators as words too).
  • Assume that a sentence starts with a not to be shown full-stop character then use a weighted random choice of the possible words that may follow a full-stop to add to the sentence.
  • Then repeatedly add words to the sentence based on weighted random choices of what words my follow the last two words to extend the sentence.
  • Stop after adding a sentence ending punctuation character.
  • Tidy and then print the sentence.

Show examples of random sentences generated.

Related task
  • Markov_chain_text_generator

ALGOL 68[edit]

Works with: ALGOL 68G version Any — tested with release 2.8.3.win32

# generate random sentences using text from a book as a basis        #

# use the associative array in the Associate array/iteration task    #
PR read "aArray.a68" PR

# returns s with chars removed                                       #
PRIO REMOVE = 1;
OP   REMOVE = ( STRING s, chars )STRING:
     BEGIN
        [ LWB s : UPB s ]CHAR result;
        INT r pos := LWB result - 1;
        FOR s pos FROM LWB s TO UPB s DO
            IF NOT char in string( s[ s pos ], NIL, chars ) THEN
                # have a character that needn't be removed           #
                r pos +:= 1;
                result[ r pos ] := s[ s pos ]
            FI
        OD;
        result[ LWB s : r pos ]
     END # REMOVE # ;
# returns text converted to an INT or -1 if text is not a number     #
OP   TOINT    = ( STRING text )INT:
     BEGIN
        INT  result     := 0;
        BOOL is numeric := TRUE;
        FOR ch pos FROM LWB text TO UPB text WHILE is numeric DO
            CHAR c = text[ ch pos ];
            is numeric := ( c >= "0" AND c <= "9" );
            IF is numeric THEN ( result *:= 10 ) +:= ABS c - ABS "0" FI        
        OD;
        IF is numeric THEN result ELSE -1 FI
     END # TOINT # ;

# get the file name and number of words for the prefix and           #
# max number of words and sentences from the command line            #
STRING file name           := "twotw.txt";
STRING start word          := "";
INT    prefix length       := 2;
INT    number of sentences := 10;
INT    max words           := 1 000 000;
FOR arg pos TO argc - 1 DO
    STRING arg upper := argv( arg pos );
    FOR ch pos FROM LWB arg upper TO UPB arg upper DO
        IF is lower( arg upper[ ch pos ] ) THEN arg upper[ ch pos ] := to upper( arg upper[ ch pos ] ) FI
    OD;
    IF   arg upper  = "FILE"   THEN
        file name           :=       argv( arg pos + 1 )
    ELIF arg upper  = "PREFIX" THEN
        prefix length       := TOINT argv( arg pos + 1 )
    ELIF arg upper  = "SENTENCES" THEN
        number of sentences := TOINT argv( arg pos + 1 )
    ELIF arg upper  = "MAXWORDS" THEN
        max words           := TOINT argv( arg pos + 1 )
    ELIF arg upper  = "STARTWORD" THEN
        start word          :=       argv( arg pos + 1 )
    FI
OD;

# delimiter for separating suffixes - must not appear in the text    #
CHAR   suffix delimiter = REPR 1; # ^A #
STRING punctuation      = """'@,/;:(){}[]*&^%$£";

IF  FILE input file;
    open( input file, file name, stand in channel ) /= 0
THEN
    # failed to open the file #
    print( ( "Unable to open """ + file name + """", newline ) )
ELSE
    # file opened OK #
    BOOL at eof := FALSE;
    BOOL at eol := FALSE;
    # set the EOF handler for the file #
    on logical file end( input file
                       , ( REF FILE f )BOOL:
                         BEGIN
                             # note that we reached EOF on the #
                             # latest read #
                             at eof := TRUE;
                             # return TRUE so processing can continue #
                             TRUE
                         END
                       );
    # set the end-of-line handler for the file so get word can see line boundaries #
    on line end( input file
               , ( REF FILE f )BOOL:
                 BEGIN
                     # note we reached end-of-line #
                     at eol := TRUE;
                     # return FALSE to use the default eol handling  #
                     # i.e. just get the next charactefr             #
                     FALSE
                 END
               );
    CHAR   c    := " ";
    # returns the next word from input file                          #
    # a word is any sequence of characters separated by spaces and   #
    # suffix delimiters, or one of the characters ".", "!" or "?"    #
    PROC get word = STRING:
         IF at eof THEN ""
         ELSE # not at end of file                                   #
            STRING word := "";
            at eol := FALSE;
            IF c = "." OR c = "!" OR c = "?" THEN
                # sentence ending "word"                             #
                word := c;
                get( input file, ( c ) )
            ELSE
                # "normal" word                                      #
                WHILE ( c = " " OR c = suffix delimiter ) AND NOT at eof DO get( input file, ( c ) ) OD;
                WHILE c /= " "
                  AND c /= "."
                  AND c /= "!"
                  AND c /= "?"
                  AND c /= suffix delimiter
                  AND NOT at eol
                  AND NOT at eof
                DO
                    word +:= c;
                    get( input file, ( c ) )
                OD
            FI;
            at eol := FALSE;
            word
         FI # get word # ;

    # returns a random number between 1 and n inclusive              #
    PROC random choice = ( INT n )INT: IF n < 2 THEN n ELSE ENTIER ( ( next random * n ) + 1 ) FI;

    # chooses a suffix at random to continue a sentence              #
    PROC choose suffix = ( STRING sfxs )STRING:
         BEGIN
            # count the number of suffixes                           #
            INT suffix max := 0;
            FOR s pos FROM LWB sfxs TO UPB sfxs DO
               IF sfxs[ s pos ] = suffix delimiter THEN suffix max +:= 1 FI
            OD;
            # select a random suffix to continue the text with       #
            STRING sfx          := "";
            INT    prev pos     := LWB sfxs - 1;
            INT    suffix count := random choice( suffix max );
            FOR s pos FROM LWB sfxs TO UPB sfxs WHILE suffix count > 0  DO
                IF sfxs[ s pos ] = suffix delimiter THEN
                    # found the end of a suffix                      #
                    sfx           := sfxs[ prev pos + 1 : s pos - 1 @ 1 ];
                    prev pos      := s pos;
                    suffix count -:= 1
                FI
            OD;
            sfx
         END # choose suffix # ;

    # skip to the start word, if there is one                        #
    IF start word /= "" THEN WHILE NOT at eof AND get word /= start word DO SKIP OD FI;
    # get the first prefix from the file                             #
    [ prefix length ]STRING prefix;
    FOR p pos TO prefix length WHILE NOT at eof DO prefix[ p pos ] := get word OD;
    IF at eof THEN
        # not enough words in the file                               #
        print( ( file name, " contains less than ", whole( prefix length, 0 ), " words", newline ) )
    ELSE
        # have some words                                            #
        INT word count := prefix length;
        # store the prefixes and suffixes in the associatibe array   #
        # we store the suffix as a single concatenated               #
        # string delimited by suffix delimiters, the string will     #
        # have a leading delimiter                                   #
        # suffixes that appear multiple times in the input text will #
        # appear multiple time in the array, this will allow them to #
        # have a higher probability than suffixes that appear fewer  #
        # times                                                      #
        # this will use more memory than storing the sufixes and a   #
        # count, but simplifies the generation                       #
        # with a prefix length of 2 (as required by the task),       #
        # the War Of The Worlds can be processed - for longer prefix #
        # lengths a less memory hungry algorithm would be needed     #
        REF AARRAY suffixes := INIT LOC AARRAY;
        INT prefix count    := 0;
        WHILE NOT at eof AND word count <= max words
        DO
            # concatenate the prefix words to a single string        #
            STRING prefix text := prefix[ 1 ];
            FOR p pos FROM 2 TO prefix length DO prefix text +:= ( " " + prefix[ p pos ] ) OD;
            STRING suffix := get word;
            # if the prefix has no lower case, ignore it as it is    #
            # probably a chapter heading or similar                  #
            IF BOOL has lowercase := FALSE;
               FOR s pos FROM LWB prefix text TO UPB prefix text
               WHILE NOT ( has lowercase := is lower( prefix text[ s pos ] ) )
               DO SKIP OD;
               has lowercase
            THEN
                # the prefix contains some lower case                #
                # store the suffixes associated with the prefix      #
                IF NOT ( suffixes CONTAINSKEY prefix text ) THEN
                    # first time this prefix has appeared            #
                    prefix count +:= 1
                FI;
                IF prefix[ 1 ] = "." OR prefix[ 1 ] = "!" OR prefix[ 1 ] = "?" THEN
                    # have the start of a sentence                   #
                    suffixes // "*." +:= ( suffix delimiter + prefix text )
                FI;
                STRING prefix without punctuation = prefix text REMOVE punctuation;
                IF prefix without punctuation /= "" THEN prefix text := prefix without punctuation FI;
                suffixes // prefix text +:= ( suffix delimiter + suffix )
            FI;
            # shuffle the prefixes down one and add the new suffix   #
            # as the final prefix                                    #
            FOR p pos FROM 2 TO prefix length DO prefix[ p pos - 1 ] := prefix[ p pos ] OD;
            prefix[ prefix length ] := suffix;
            IF NOT at eof THEN word count +:= 1 FI
        OD;

        # generate text                                                  #
        TO number of sentences DO
            print( ( newline ) );
            # start with a random prefix                                 #
            STRING pfx      := choose suffix( suffixes // "*." );
            STRING line     := pfx[ @ 1 ][ 3 : ]; # remove the leading   #
                                                  #   ". " from the line #
            pfx             := pfx REMOVE punctuation;
            BOOL   finished := FALSE;
            WHILE NOT finished DO
                IF STRING sfxs := ( suffixes // pfx );
                   IF LWB sfxs <= UPB sfxs THEN
                       IF sfxs[ LWB sfxs ] = suffix delimiter THEN sfxs := sfxs[ LWB sfxs + 1 : ] FI
                   FI;
                   sfxs +:= suffix delimiter;
                   sfxs = suffix delimiter
                THEN
                    # no suffix - reached the end of the generated text  #
                    line +:= " (" + pfx + " has no suffix)";
                    finished := TRUE
                ELSE
                    # can continue to generate text                      #
                    STRING sfx = choose suffix( sfxs );
                    IF sfx = "." OR sfx = "!" OR sfx = "?"
                    THEN
                        # reached the end of a sentence                  #
                        finished := TRUE;
                        # if the line ends with ",;:", remove it         #
                        INT    line end := UPB line;
                        IF CHAR c = line[ line end ]; c = "," OR c = ";" OR c = ":" THEN
                            line end -:= 1
                        FI;
                        # remove trailing spaces                         #
                        WHILE line[ line end ] = " " AND line end > LWB line DO line end -:= 1 OD;
                        line := line[ LWB line : line end ] + sfx
                    ELSE
                        # not at the end of the sentence                 #
                        line +:= " " + sfx;
                        # remove the first word from the prefix and add  #
                        # the suffix                                     #
                        IF  INT space pos := 0;
                            NOT char in string( " ", space pos, pfx )
                        THEN
                            # the prefix is only one word                #
                            pfx := sfx
                        ELSE
                            # have multiple words                        #
                            pfx := ( pfx[ space pos + 1 : ] + " " + sfx )[ @ 1 ]
                        FI;
                        STRING pfx without punctuation = pfx REMOVE punctuation;
                        IF pfx without punctuation /= "" THEN pfx := pfx without punctuation FI
                    FI
                FI
            OD;
            print( ( line, newline ) )
        OD
    FI;
    close( input file )
FI

Sample output produced with the command-line:

a68g randomSentenceFromBook.a68 — FILE twotw.txt PREFIX 2 SENTENCES 10 STARTWORD cover MAXWORDS 60075

One of the sentences has been manually split over two lines.

The wine press of God that sometimes comes into the water mains near the Martians.

They said nothing to tell people until late in the back of this in the early dawn the curve of Primrose Hill.

At last as the day became excessively hot, and close, behind him, opened, and the South-Eastern and the morning sunlight.

"Are we far from Sunbury?

Since the night.

In one place but some mouldy cheese.

Then a dirty woman, carrying a baby, Gregg the butcher and his little boy, and two of them, stark and silent eloquent lips.

Unable from his window sash, and heads in every direction over the brim of which gripped a young pine trees, about the guns were waiting.

And this was the sense to keep up his son with a heavy explosion shook the air, of it first from my newspaper boy about a quarter of the heat,
    of the whole place was impassable.

Presently, he came hurrying after me he barked shortly.

AutoHotkey[edit]

#NoEnv
#SingleInstance, force
				; press Esc to stop and display the output text 
				; (a debug file describing ongoing steps will be created in the end) 
FileEncoding, UTF-8
FileRead, warWords, war of words.txt   ; wrapped booktext
global textOut := " "
global warWords := strreplace(warWords,"`r`n", " ")
warWords := strreplace(warWords,"`r", " ")
warWords := strreplace(warWords,"`n", " ")
warWords := strreplace(warWords,"-", " ")
warWords := strreplace(warWords,"—", " ")
warWords := strreplace(warWords,"`t", " ")
warWords := strreplace(warWords,"“")
warWords := strreplace(warWords,"_")
warWords := strreplace(warWords,"”")
warWords := strreplace(warWords,"’")
warWords := strreplace(warWords,"'")
warWords := strreplace(warWords,"""")
warWords := strreplace(warWords,")")
warWords := strreplace(warWords,"(")
warWords := strreplace(warWords,"[")
warWords := strreplace(warWords,"]")
warWords := strreplace(warWords,"{")
warWords := strreplace(warWords,"}")
warWords := strreplace(warWords,"»")
warWords := strreplace(warWords,"«")
warWords := trim(warWords)
Loop
{
	warWords := strreplace(warWords,"  ", " ")
	if (Errorlevel = 0)
		break
}
FileDelete, debug.txt
InputBox, fOne, War of Words, Choice a punctuation to start ( . or ! or ? or `, ),,,,,,,,.
treco := NextPunct(fOne)
Loop
{
loop,parse,treco," "
	if A_LoopField
		fOne := trim(A_LoopField)
textOut .= fOne . " "
tremPos := InStr(textOut," ",,0,3)
tremText := trim(substr(textOut,tremPos))
if tremText
	{
		tremText := strreplace(tremText,".",".")
		tremText := strreplace(tremText,";",";")
		tremText := strreplace(tremText,",",",")
		tremText := strreplace(tremText,"!","!")
		tremText := " " . strreplace(tremText,"?","?")
		treco := NextWord(tremText)
	}
else
	treco := NextWord(fOne)
}

NextPunct(punct) {
xpos := 1
prox := []
Loop 
{
	spos := RegExMatch(warWords, "(*UCP)" . punct . " w+.",gg,xpos)
	if (spos = 0)
		break
	prox[a_index] := gg
	xpos := spos + 1
}
proximas := ""
loop, % prox.MaxIndex()
	proximas .= a_index . " -> " . prox[a_index] . "`n"
FileAppend, %proximas%, debug.txt, UTF-8
Random, linha, 1, prox.MaxIndex()
FileAppend, % "---------------`nescolhido = " . linha . " -> " . prox[linha] . " -> " . textOut . "`n----------------`n", debug.txt, UTF-8 
return prox[linha]
}

NextWord(word) {
xpos := 1
prox := []
loop
{
	spos := RegExMatch(warWords, "(*UCP)" . word . " w+.",gg,xpos)
	if !spos
		break
	prox[a_index] := gg
	xpos := spos + 1 
}

if (prox.MaxIndex() > 0)
{
proximas := ""
loop, % prox.MaxIndex()
	proximas .= a_index . " -> " . prox[a_index] . "`n"
FileAppend, %proximas%, debug.txt, UTF-8
Random, linha, 1, prox.MaxIndex()
FileAppend, % "---------------`nescolhido = " . linha . " -> " . prox[linha] . " -> " . textOut . "`n----------------`n", debug.txt, UTF-8 
return % prox[linha]
}	

loop,parse,word," "
	wrd := A_LoopField
word := wrd
spos := xpos := 1
prox := []
loop
{
	spos := RegExMatch(warWords, "(*UCP)" . word . " w+.",gg,xpos)
	if (spos = 0)
		break
	prox[a_index] := gg
	xpos := spos + 1 
}
proximas := ""
loop, % prox.MaxIndex()
	proximas .= a_index . " -> " . prox[a_index] . "`n"
FileAppend, %proximas%, debug.txt, UTF-8
Random, linha, 1, prox.MaxIndex()
FileAppend, % "---------------`nescolhido = " . linha . " -> " . prox[linha] . " -> " . textOut . "`n----------------`n", debug.txt, UTF-8 
return % prox[linha]
}

ExitApp

~Esc::
msgbox % textOut . "..."
ExitApp
War of Words.ahk
---------------------------
(start = ".") I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since shown, was almost equally simple. The greater ...
---------------------------
(start = ".") Then silence that passed into the dining room and drank beer out of my temerity. In front was a little child, with all my ears. He made me pity him. Then he would suddenly revert to the window, straining to hear the spades and pickaxes. Stent was giving directions in a heap of bicycles. In addition, a large number of people, shop people and so greatly had the best part of a milking stool imagine it a great deal better educated than the pit had increased, and stood there in the air. I believe theyve built a flying machine, and are learning to ride the bicycle, and busy upon a great deal better educated than the provision ...
---------------------------
(start = ".") Only the fact that it was seen on Friday night you had taken when I looked at me spectrally. The windows in the power of terrestrial conditions, this was firewood; there was a tumultuous murmuring grew stronger. They began to waddle away towards Knaphill I saw everyone tracking away south. Says I, fingering my wineglass. They are coming! Go on! Go on! cried the voice, coming, as it had failed to interpret the fluctuating appearances of the growing light of Woking station standing in groups at the heap, and the policemen were shouting. People were fighting savagely for standing room in the streets of Richmond, and the splintered spire of the curate, at the three or four black government waggons, with crosses in white circles, and an almost continuous streamer of smoke. And then a strange atmosphere, ...
---------------------------
(start = "!") Cant you see them, man? Cant you see that? Not begun! I exclaimed. Not begun. All thats happened so far advanced that the Heat Rays. Heavy losses of soldiers to protect these strange creatures from violence. After that experience I avoided the hole in the northern arch of the blow I had aroused; they are doing over there, Hampstead way, the sky to herself. I heard it fumbling at the shape, since most meteorites are rounded more or less completely. It was, I know, a night I heard a faint cry. I came, she said. Down the road to approach the Martians like a thing or two. He was now dusk, and after a time I could see the place quite tranquil, quite desolate under the window, but he got up presently, walked perhaps half a mile beyond the centre of the guns that began about that hour in the distance. My wife stood in the sunset and starlight this dexterous machine must have seemed to hesitate whether to apologise, met my eyes, and a ...
---------------------------
(start = "?") said the landlord; whats the hurry? Im selling my bit of money that would make any novelty, the excuse for walking together and halted, and the passage of light creeping zenithward, towards which so many telescopes were pointed. It was a little boy, in a moment I had been there. It must be, if the worst had happened to me. At the same time I ventured so far as I was cut down, and asked me if I would come upon perfectly undisturbed spaces, houses with their pit, that in a blue jersey. Yonder! Dyer see them? Yonder! Quickly, one after the sailors and lightermen had to do tricks who knows? get sentimental over the world; a thousand yards range. The shells flashed all over the trees. I stopped at the farther bank, and in the body of water that was driving from the window from which other tentacles were now interrupted. The porters told him it would seem that a number of such advances as we did so the screw must have a pound, said the ...

Debug file for first example:

1 -> . No 
2 -> . With 
3 -> . It 
4 -> . No 
5 -> . It 
6 -> . At 
7 -> . Yet 
8 -> . And 
9 -> . The 
10 -> . It 
11 -> . The 
12 -> . It 
13 -> . Yet 
14 -> . Nor 
15 -> . The 
16 -> . Its 
17 -> . Its 
18 -> . That 
19 -> . The 
20 -> . And 
21 -> . And 
22 -> . The 
23 -> . Their 
24 -> . To 
25 -> . And 
26 -> . The 
27 -> . Are 
28 -> . Had 
29 -> . Men 
30 -> . All 
31 -> . During 
32 -> . English 
33 -> . I 
34 -> . Peculiar 
35 -> . The 
36 -> . As 
37 -> . It 
38 -> . This 
39 -> . He 
40 -> . A 
41 -> . Yet 
42 -> . I 
43 -> . He 
44 -> . In 
45 -> . Ogilvy 
46 -> . Looking 
47 -> . It 
48 -> . But 
49 -> . As 
50 -> . Forty 
51 -> . Few 
52 -> . Near 
53 -> . You 
54 -> . In 
55 -> . And 
56 -> . I 
57 -> . That 
58 -> . I 
59 -> . A 
60 -> . The 
61 -> . That 
62 -> . I 
63 -> . I 
64 -> . Ogilvy 
65 -> . Down 
66 -> . He 
67 -> . His 
68 -> . He 
69 -> . The 
70 -> . Hundreds 
71 -> . Why 
72 -> . It 
73 -> . Dense 
74 -> . Even 
75 -> . The 
76 -> . And,
77 -> . It 
78 -> . I 
79 -> . People 
80 -> . For 
81 -> . One 
82 -> . It 
83 -> . It 
84 -> . Coming 
85 -> . There 
86 -> . From 
87 -> . My 
88 -> . It 
89 -> . THE 
90 -> . Then 
91 -> . It 
92 -> . Hundreds 
93 -> . Albin 
94 -> . Denning,
95 -> . It 
96 -> . I 
97 -> . Yet 
98 -> . Some 
99 -> . I 
100 -> . Many 
101 -> . No 
102 -> . But 
103 -> . Find 
104 -> . An 
105 -> . The 
106 -> . The 
107 -> . The 
108 -> . It 
109 -> . He 
110 -> . It 
111 -> . A 
112 -> . He 
113 -> . The 
114 -> . He 
115 -> . He 
116 -> . Then 
117 -> . It 
118 -> . A 
119 -> . For 
120 -> . He 
121 -> . And 
122 -> . It 
123 -> . Even 
124 -> . Then 
125 -> . The 
126 -> . Theres 
127 -> . The 
128 -> . But 
129 -> . At 
130 -> . The 
131 -> . He 
132 -> . He 
133 -> . The 
134 -> . That 
135 -> . Henderson,
136 -> . Its 
137 -> . Good 
138 -> . Fallen 
139 -> . But 
140 -> . Its 
141 -> . Henderson 
142 -> . Whats 
143 -> . He 
144 -> . Ogilvy 
145 -> . Henderson 
146 -> . Then 
147 -> . The 
148 -> . But 
149 -> . Air 
150 -> . They 
151 -> . Of 
152 -> . They 
153 -> . One 
154 -> . Henderson 
155 -> . The 
156 -> . By 
157 -> . That 
158 -> . I 
159 -> . I 
160 -> . ON 
161 -> . I 
162 -> . I 
163 -> . The 
164 -> . No 
165 -> . Henderson 
166 -> . I 
167 -> . There 
168 -> . After 
169 -> . Among 
170 -> . There 
171 -> . Few 
172 -> . Most 
173 -> . I 
174 -> . Some 
175 -> . I 
176 -> . The 
177 -> . It 
178 -> . At 
179 -> . Not 
180 -> . It 
181 -> . It 
182 -> . Extra 
183 -> . At 
184 -> . I 
185 -> . In 
186 -> . My 
187 -> . Yet 
188 -> . I 
189 -> . About 
190 -> . But 
191 -> . In 
192 -> . The 
193 -> . In 
194 -> . There 
195 -> . Besides 
196 -> . In 
197 -> . It 
198 -> . The 
199 -> . An 
200 -> . Going 
201 -> . Stent 
202 -> . He 
203 -> . A 
204 -> . As 
205 -> . The 
206 -> . They 
207 -> . He 
208 -> . The 
209 -> . I 
210 -> . I 
211 -> . THE 
212 -> . When 
213 -> . Scattered 
214 -> . The 
215 -> . There 
216 -> . Strange 
217 -> . As 
218 -> . Its 
219 -> . I 
220 -> . Im 
221 -> . I 
222 -> . There 
223 -> . Hes 
224 -> . Keep 
225 -> . The 
226 -> . Every 
227 -> . I 
228 -> . I 
229 -> . We 
230 -> . The 
231 -> . The 
232 -> . Nearly 
233 -> . Somebody 
234 -> . I 
235 -> . I 
236 -> . For 
237 -> . I 
238 -> . I 
239 -> . I 
240 -> . But,
241 -> . Then 
242 -> . A 
243 -> . There 
244 -> . I 
245 -> . I 
246 -> . I 
247 -> . There 
248 -> . I 
249 -> . I 
250 -> . I 
251 -> . I 
252 -> . A 
253 -> . As 
254 -> . Two 
255 -> . The 
256 -> . There 
257 -> . The 
258 -> . A 
259 -> . Those 
260 -> . The 
261 -> . There 
262 -> . Even 
263 -> . Suddenly 
264 -> . It 
265 -> . I 
266 -> . I 
267 -> . There,
268 -> . The 
269 -> . And 
270 -> . It 
271 -> . Now 
272 -> . Suddenly 
273 -> . I 
274 -> . Everything 
275 -> . Anyone 
276 -> . The 
277 -> . THE 
278 -> . After 
279 -> . I 
280 -> . I 
281 -> . I 
282 -> . I 
283 -> . Once 
284 -> . What 
285 -> . Evidently 
286 -> . There 
287 -> . One 
288 -> . But 
289 -> . What 
290 -> . Good 
291 -> . Did 
292 -> . We 
293 -> . Then 
294 -> . The 
295 -> . The 
296 -> . The 
297 -> . There 
298 -> . It 
299 -> . At 
300 -> . Vertical 
301 -> . I,
302 -> . Then 
303 -> . I 
304 -> . And 
305 -> . This 
306 -> . There 
307 -> . Flutter,
308 -> . It 
309 -> . This 
310 -> . Suddenly 
311 -> . This 
312 -> . At 
313 -> . Beyond 
314 -> . As 
315 -> . Then 
316 -> . Slowly 
317 -> . Forthwith 
318 -> . It 
319 -> . It 
320 -> . Then,
321 -> . I 
322 -> . All 
323 -> . An 
324 -> . And 
325 -> . It 
326 -> . I 
327 -> . I 
328 -> . Then 
329 -> . Something 
330 -> . Forth 
331 -> . All 
332 -> . Had 
333 -> . But 
334 -> . The 
335 -> . It 
336 -> . Overhead 
337 -> . The 
338 -> . The 
339 -> . Patches 
340 -> . Nothing 
341 -> . The 
342 -> . It 
343 -> . Suddenly,
344 -> . With 
345 -> . The 
346 -> . Such 
347 -> . Once 
348 -> . I 
349 -> . THE 
350 -> . It 
351 -> . Many 
352 -> . This 
353 -> . But 
354 -> . However 
355 -> . Heat,
356 -> . Whatever 
357 -> . That 
358 -> . The 
359 -> . In 
360 -> . You 
361 -> . You 
362 -> . As 
363 -> . As 
364 -> . By 
365 -> . There 
366 -> . There 
367 -> . Stent 
368 -> . After 
369 -> . The 
370 -> . But 
371 -> . Only 
372 -> . Had 
373 -> . They 
374 -> . Then,
375 -> . In 
376 -> . Sparks 
377 -> . Hats 
378 -> . Then 
379 -> . There 
380 -> . Theyre 
381 -> . They 
382 -> . Where 
383 -> . All 
384 -> . HOW 
385 -> . For 
386 -> . All 
387 -> . I 
388 -> . At 
389 -> . That 
390 -> . I 
391 -> . I 
392 -> . I 
393 -> . For 
394 -> . My 
395 -> . My 
396 -> . A 
397 -> . Now 
398 -> . There 
399 -> . I 
400 -> . The 
401 -> . I 
402 -> . I 
403 -> . My 
404 -> . My 
405 -> . I 
406 -> . A 
407 -> . Beside 
408 -> . He 
409 -> . I 
410 -> . I 
411 -> . Over 
412 -> . A 
413 -> . It 
414 -> . And 
415 -> . Perhaps 
416 -> . I 
417 -> . At 
418 -> . This 
419 -> . Here 
420 -> . But 
421 -> . There 
422 -> . I 
423 -> . What 
424 -> . There 
425 -> . Eh?
426 -> . What 
427 -> . Aint 
428 -> . People 
429 -> . Whats 
430 -> . Thenks;
431 -> . I 
432 -> . I 
433 -> . They 
434 -> . Youll 
435 -> . I 
436 -> . I 
437 -> . The 
438 -> . There 
439 -> . They 
440 -> . But 
441 -> . Poor 
442 -> . To 
443 -> . When 
444 -> . They 
445 -> . I 
446 -> . They 
447 -> . I 
448 -> . In 
449 -> . On 
450 -> . A 
451 -> . His 
452 -> . That,
453 -> . Both 
454 -> . The 
455 -> . The 
456 -> . And,
457 -> . But 
458 -> . With 
459 -> . They 
460 -> . They 
461 -> . Perhaps 
462 -> . A 
463 -> . The 
464 -> . I 
465 -> . My 
466 -> . At 
467 -> . So 
468 -> . We 
469 -> . I 
470 -> . FRIDAY 
471 -> . The 
472 -> . If 
473 -> . Many 
474 -> . In 
475 -> . Even 
476 -> . I 
477 -> . All 
478 -> . Maybe 
479 -> . Even 
480 -> . In 
481 -> . A 
482 -> . The 
483 -> . People 
484 -> . It 
485 -> . There 
486 -> . There 
487 -> . A 
488 -> . One 
489 -> . Save 
490 -> . A 
491 -> . So 
492 -> . In 
493 -> . But 
494 -> . Around 
495 -> . Here 
496 -> . Beyond 
497 -> . In 
498 -> . The 
499 -> . All 
500 -> . About 
501 -> . Later 
502 -> . Several 
503 -> . The 
504 -> . The 
505 -> . About 
506 -> . A 
507 -> . It 
508 -> . This 
509 -> . THE 
510 -> . Saturday 
511 -> . It 
512 -> . I 
513 -> . I 
514 -> . The 
515 -> . I 
516 -> . He 
517 -> . Then 
518 -> . They 
519 -> . I 
520 -> . It 
521 -> . My 
522 -> . Its 
523 -> . It 
524 -> . He 
525 -> . At 
526 -> . They 
527 -> . But 
528 -> . This 
529 -> . He 
530 -> . The 
531 -> . They 
532 -> . After 
533 -> . Under 
534 -> . They 
535 -> . I 
536 -> . None 
537 -> . They 
538 -> . The 
539 -> . I 
540 -> . Crawl 
541 -> . Get 
542 -> . Whats 
543 -> . Blow 
544 -> . Aint 
545 -> . I 
546 -> . Octopuses,
547 -> . Talk 
548 -> . Why 
549 -> . You 
550 -> . Wheres 
551 -> . There 
552 -> . Do 
553 -> . So 
554 -> . After 
555 -> . But 
556 -> . I 
557 -> . The 
558 -> . I 
559 -> . The 
560 -> . I 
561 -> . About 
562 -> . But 
563 -> . The 
564 -> . They 
565 -> . Apparently 
566 -> . Fresh 
567 -> . A 
568 -> . The 
569 -> . I 
570 -> . My 
571 -> . It 
572 -> . They 
573 -> . About 
574 -> . I 
575 -> . It 
576 -> . About 
577 -> . Close 
578 -> . The 
579 -> . One 
580 -> . I 
581 -> . Then 
582 -> . At 
583 -> . Then 
584 -> . We 
585 -> . But 
586 -> . I 
587 -> . Then 
588 -> . Leatherhead!
589 -> . She 
590 -> . The 
591 -> . How 
592 -> . Down 
593 -> . The 
594 -> . Stop 
595 -> . I 
596 -> . I 
597 -> . A 
598 -> . I 
599 -> . Ill 
600 -> . What 
601 -> . Lord!
602 -> . Two 
603 -> . At 
604 -> . I 
605 -> . The 
606 -> . While 
607 -> . He 
608 -> . He 
609 -> . I 
610 -> . A 
611 -> . I 
612 -> . I 
613 -> . In 
614 -> . In 
615 -> . I 
616 -> . At 
617 -> . Thick 
618 -> . The 
619 -> . The 
620 -> . And 
621 -> . Apparently 
622 -> . I 
623 -> . When 
624 -> . I 
625 -> . I 
626 -> . IN 
627 -> . Leatherhead 
628 -> . The 
629 -> . The 
630 -> . We 
631 -> . My 
632 -> . I 
633 -> . Had 
634 -> . Would 
635 -> . For 
636 -> . Something 
637 -> . I 
638 -> . I 
639 -> . It 
640 -> . The 
641 -> . Overhead 
642 -> . My 
643 -> . Happily,
644 -> . My 
645 -> . Then 
646 -> . I 
647 -> . At 
648 -> . I 
649 -> . As 
650 -> . The 
651 -> . Ripley 
652 -> . They 
653 -> . I 
654 -> . From 
655 -> . As 
656 -> . Then 
657 -> . Even 
658 -> . I 
659 -> . I 
660 -> . It 
661 -> . The 
662 -> . A 
663 -> . Once 
664 -> . The 
665 -> . The 
666 -> . At 
667 -> . At 
668 -> . It 
669 -> . And 
670 -> . A 
671 -> . Can 
672 -> . But 
673 -> . Then 
674 -> . And 
675 -> . Not 
676 -> . I 
677 -> . The 
678 -> . In 
679 -> . Seen 
680 -> . Machine 
681 -> . It 
682 -> . Behind 
683 -> . And 
684 -> . So 
685 -> . As 
686 -> . I 
687 -> . For 
688 -> . A 
689 -> . Now 
690 -> . I 
691 -> . It 
692 -> . Not 
693 -> . I 
694 -> . I 
695 -> . Under 
696 -> . I 
697 -> . It 
698 -> . If 
699 -> . But 
700 -> . I 
701 -> . I 
702 -> . I 
703 -> . There 
704 -> . He 
705 -> . So 
706 -> . I 
707 -> . Near 
708 -> . Before 
709 -> . I 
710 -> . When 
711 -> . Overcoming 
712 -> . He 
713 -> . Apparently 
714 -> . The 
715 -> . I 
716 -> . It 
717 -> . I 
718 -> . I 
719 -> . Nothing 
720 -> . So 
721 -> . By 
722 -> . Down 
723 -> . I 
724 -> . My 
725 -> . I 
726 -> . AT 
727 -> . I 
728 -> . After 
729 -> . I 
730 -> . After 
731 -> . The 
732 -> . In 
733 -> . The 
734 -> . I 
735 -> . The 
736 -> . The 
737 -> . Across 
738 -> . It 
739 -> . Every 
740 -> . I 
741 -> . Neither 
742 -> . A 
743 -> . I 
744 -> . As 
745 -> . There 
746 -> . The 
747 -> . Then 
748 -> . Between 
749 -> . It 
750 -> . It 
751 -> . At 
752 -> . Later 
753 -> . And 
754 -> . With 
755 -> . They 
756 -> . I 
757 -> . Were 
758 -> . Or 
759 -> . The 
760 -> . I 
761 -> . At 
762 -> . Hist!
763 -> . He 
764 -> . Then 
765 -> . He 
766 -> . Whos 
767 -> . Where 
768 -> . God 
769 -> . Are 
770 -> . Come 
771 -> . I 
772 -> . I 
773 -> . He 
774 -> . My 
775 -> . What 
776 -> . What 
777 -> . They 
778 -> . He 
779 -> . Take 
780 -> . He 
781 -> . Then 
782 -> . It 
783 -> . He 
784 -> . At 
785 -> . Later 
786 -> . The 
787 -> . As 
788 -> . At 
789 -> . I 
790 -> . Wed 
791 -> . And 
792 -> . Just 
793 -> . He 
794 -> . The 
795 -> . Then 
796 -> . A 
797 -> . In 
798 -> . The 
799 -> . He 
800 -> . The 
801 -> . Then 
802 -> . As 
803 -> . The 
804 -> . He 
805 -> . There 
806 -> . The 
807 -> . It 
808 -> . He 
809 -> . He 
810 -> . At 
811 -> . Since 
812 -> . People 
813 -> . He 
814 -> . That 
815 -> . He 
816 -> . He 
817 -> . We 
818 -> . As 
819 -> . It 
820 -> . I 
821 -> . When 
822 -> . In 
823 -> . The 
824 -> . Where 
825 -> . Yet 
826 -> . Never 
827 -> . And 
828 -> . It 
829 -> . Beyond 
830 -> . They 
831 -> . WHAT 
832 -> . As 
833 -> . The 
834 -> . He 
835 -> . 12,
836 -> . My 
837 -> . For 
838 -> . Between 
839 -> . Had 
840 -> . But 
841 -> . Thence 
842 -> . I 
843 -> . He 
844 -> . Then 
845 -> . The 
846 -> . In 
847 -> . At 
848 -> . A 
849 -> . Except 
850 -> . The 
851 -> . Yet,
852 -> . The 
853 -> . We 
854 -> . We 
855 -> . The 
856 -> . On 
857 -> . In 
858 -> . Hard 
859 -> . There 
860 -> . Even 
861 -> . Once 
862 -> . After 
863 -> . We 
864 -> . It 
865 -> . You 
866 -> . Whats 
867 -> . The 
868 -> . The 
869 -> . Gun 
870 -> . Have 
871 -> . Trying 
872 -> . Youll 
873 -> . What 
874 -> . Giants 
875 -> . Hundred 
876 -> . Three 
877 -> . Get 
878 -> . What 
879 -> . They 
880 -> . What 
881 -> . Halfway 
882 -> . I 
883 -> . Its 
884 -> . Well,
885 -> . Look 
886 -> . Youd 
887 -> . Hes 
888 -> . Know 
889 -> . Half 
890 -> . At 
891 -> . He 
892 -> . Farther 
893 -> . They 
894 -> . They 
895 -> . By 
896 -> . We 
897 -> . Several 
898 -> . The 
899 -> . The 
900 -> . Thats 
901 -> . They 
902 -> . The 
903 -> . I 
904 -> . Farther 
905 -> . Its 
906 -> . They 
907 -> . The 
908 -> . Byfleet 
909 -> . Three 
910 -> . There 
911 -> . The 
912 -> . We 
913 -> . I 
914 -> . Do 
915 -> . Eh?
916 -> . I 
917 -> . Death!
918 -> . Death 
919 -> . At 
920 -> . The 
921 -> . No 
922 -> . Carts,
923 -> . The 
924 -> . In 
925 -> . I 
926 -> . Patrols 
927 -> . We 
928 -> . The 
929 -> . We 
930 -> . Part 
931 -> . The 
932 -> . On 
933 -> . Here 
934 -> . As 
935 -> . People 
936 -> . One 
937 -> . There 
938 -> . The 
939 -> . Every 
940 -> . Across 
941 -> . The 
942 -> . The 
943 -> . Three 
944 -> . The 
945 -> . Whats 
946 -> . Then 
947 -> . The 
948 -> . Almost 
949 -> . A 
950 -> . Everyone 
951 -> . Nothing 
952 -> . The 
953 -> . A 
954 -> . Then 
955 -> . Here 
956 -> . Yonder!
957 -> . Little 
958 -> . Then,
959 -> . Their 
960 -> . One 
961 -> . At 
962 -> . There 
963 -> . Then 
964 -> . A 
965 -> . A 
966 -> . I 
967 -> . The 
968 -> . To 
969 -> . I 
970 -> . Others 
971 -> . A 
972 -> . The 
973 -> . Then,
974 -> . The 
975 -> . People 
976 -> . But 
977 -> . When,
978 -> . In 
979 -> . The 
980 -> . Forthwith 
981 -> . The 
982 -> . The 
983 -> . I 
984 -> . I 
985 -> . Simultaneously 
986 -> . The 
987 -> . The 
988 -> . Hit!
989 -> . I 
990 -> . I 
991 -> . The 
992 -> . It 
993 -> . The 
994 -> . It 
995 -> . It 
996 -> . A 
997 -> . As 
998 -> . In 
999 -> . I 
1000 -> . For 
1001 -> . I 
1002 -> . Half 
1003 -> . The 
1004 -> . Thick 
1005 -> . The 
1006 -> . Enormous 
1007 -> . My 
1008 -> . A 
1009 -> . Looking 
1010 -> . The 
1011 -> . At 
1012 -> . The 
1013 -> . When 
1014 -> . The 
1015 -> . Then 
1016 -> . They 
1017 -> . The 
1018 -> . The 
1019 -> . The 
1020 -> . Dense 
1021 -> . The 
1022 -> . For 
1023 -> . Through 
1024 -> . Then 
1025 -> . The 
1026 -> . The 
1027 -> . It 
1028 -> . I 
1029 -> . In 
1030 -> . I 
1031 -> . Had 
1032 -> . I 
1033 -> . I 
1034 -> . I 
1035 -> . And 
1036 -> . HOW 
1037 -> . After 
1038 -> . Had 
1039 -> . But 
1040 -> . Cylinder 
1041 -> . And 
1042 -> . Every 
1043 -> . And 
1044 -> . But 
1045 -> . It 
1046 -> . Over 
1047 -> . They 
1048 -> . And 
1049 -> . I 
1050 -> . There 
1051 -> . I 
1052 -> . The 
1053 -> . Once,
1054 -> . Halliford,
1055 -> . It 
1056 -> . Never 
1057 -> . A 
1058 -> . For 
1059 -> . Then 
1060 -> . The 
1061 -> . At 
1062 -> . I 
1063 -> . I 
1064 -> . I 
1065 -> . I 
1066 -> . It 
1067 -> . I 
1068 -> . I 
1069 -> . The 
1070 -> . I 
1071 -> . Have 
1072 -> . He 
1073 -> . You 
1074 -> . For 
1075 -> . I 
1076 -> . His 
1077 -> . He 
1078 -> . What 
1079 -> . What 
1080 -> . He 
1081 -> . Why 
1082 -> . He 
1083 -> . For 
1084 -> . I 
1085 -> . And 
1086 -> . Presently 
1087 -> . All 
1088 -> . The 
1089 -> . Gone!
1090 -> . The 
1091 -> . His 
1092 -> . By 
1093 -> . The 
1094 -> . Are 
1095 -> . What 
1096 -> . Are 
1097 -> . You 
1098 -> . There 
1099 -> . Hope!
1100 -> . Plentiful 
1101 -> . He 
1102 -> . This 
1103 -> . The 
1104 -> . I 
1105 -> . Be 
1106 -> . You 
1107 -> . For 
1108 -> . But 
1109 -> . They 
1110 -> . Neither 
1111 -> . And 
1112 -> . One 
1113 -> . Killed!
1114 -> . How 
1115 -> . I 
1116 -> . We 
1117 -> . What 
1118 -> . I 
1119 -> . We 
1120 -> . That 
1121 -> . Yonder,
1122 -> . Presently 
1123 -> . And 
1124 -> . Listen!
1125 -> . From 
1126 -> . Then 
1127 -> . A 
1128 -> . High 
1129 -> . We 
1130 -> . IN 
1131 -> . My 
1132 -> . He 
1133 -> . The 
1134 -> . The 
1135 -> . The 
1136 -> . Probably 
1137 -> . On 
1138 -> . Of 
1139 -> . The 
1140 -> . They 
1141 -> . Then 
1142 -> . Jamess 
1143 -> . This 
1144 -> . Nothing 
1145 -> . My 
1146 -> . He 
1147 -> . He 
1148 -> . In 
1149 -> . On 
1150 -> . The 
1151 -> . There 
1152 -> . They 
1153 -> . A 
1154 -> . Few 
1155 -> . I 
1156 -> . As 
1157 -> . Plenty 
1158 -> . Those 
1159 -> . The 
1160 -> . The 
1161 -> . No 
1162 -> . Maxims 
1163 -> . Flying 
1164 -> . The 
1165 -> . Great 
1166 -> . That 
1167 -> . No 
1168 -> . None 
1169 -> . The 
1170 -> . But 
1171 -> . It 
1172 -> . My 
1173 -> . There 
1174 -> . Coming 
1175 -> . He 
1176 -> . The 
1177 -> . People 
1178 -> . At 
1179 -> . The 
1180 -> . My 
1181 -> . Theres 
1182 -> . The 
1183 -> . Quite 
1184 -> . One 
1185 -> . It 
1186 -> . One 
1187 -> . A 
1188 -> . Theres 
1189 -> . They 
1190 -> . We 
1191 -> . What 
1192 -> . Afterwards 
1193 -> . Everyone 
1194 -> . About 
1195 -> . These 
1196 -> . There 
1197 -> . A 
1198 -> . The 
1199 -> . On 
1200 -> . The 
1201 -> . There 
1202 -> . One 
1203 -> . In 
1204 -> . Dreadful 
1205 -> . Fighting 
1206 -> . Then 
1207 -> . He 
1208 -> . They 
1209 -> . Masked 
1210 -> . Five 
1211 -> . In 
1212 -> . Heavy 
1213 -> . The 
1214 -> . They 
1215 -> . Signallers 
1216 -> . Guns 
1217 -> . Altogether 
1218 -> . Never 
1219 -> . Any 
1220 -> . No 
1221 -> . No 
1222 -> . The 
1223 -> . And 
1224 -> . The 
1225 -> . And 
1226 -> . This 
1227 -> . It 
1228 -> . All 
1229 -> . Men 
1230 -> . Certainly 
1231 -> . The 
1232 -> . Going 
1233 -> . There 
1234 -> . He 
1235 -> . The 
1236 -> . People 
1237 -> . They 
1238 -> . Some 
1239 -> . He 
1240 -> . My 
1241 -> . He 
1242 -> . He 
1243 -> . Some 
1244 -> . One 
1245 -> . Boilers 
1246 -> . Most 
1247 -> . Beyond 
1248 -> . At 
1249 -> . They 
1250 -> . My 
1251 -> . None 
1252 -> . I 
1253 -> . Then 
1254 -> . We 
1255 -> . Then 
1256 -> . So 
1257 -> . At 
1258 -> . About 
1259 -> . My 
1260 -> . He 
1261 -> . He 
1262 -> . His 
1263 -> . He 
1264 -> . There 
1265 -> . The 
1266 -> . He 
1267 -> . He 
1268 -> . He 
1269 -> . He 
1270 -> . Red 
1271 -> . For 
1272 -> . Then 
1273 -> . His 
1274 -> . Enquiries 
1275 -> . They 
1276 -> . The 
1277 -> . There 
1278 -> . Up 
1279 -> . Close 
1280 -> . For 
1281 -> . Then 
1282 -> . What 
1283 -> . A 
1284 -> . People 
1285 -> . What 
1286 -> . My 
1287 -> . And 
1288 -> . Pancras,
1289 -> . Johns 
1290 -> . It 
1291 -> . London,
1292 -> . Unable 
1293 -> . The 
1294 -> . Black 
1295 -> . As 
1296 -> . The 
1297 -> . And 
1298 -> . They 
1299 -> . It 
1300 -> . There 
1301 -> . The 
1302 -> . Black 
1303 -> . Fire!
1304 -> . Sickly 
1305 -> . And 
1306 -> . He 
1307 -> . His 
1308 -> . As 
1309 -> . WHAT 
1310 -> . It 
1311 -> . So 
1312 -> . But 
1313 -> . These 
1314 -> . They 
1315 -> . It 
1316 -> . Georges 
1317 -> . The 
1318 -> . The 
1319 -> . Georges 
1320 -> . Hidden 
1321 -> . They 
1322 -> . The 
1323 -> . Everybody 
1324 -> . The 
1325 -> . It 
1326 -> . The 
1327 -> . The 
1328 -> . After 
1329 -> . The 
1330 -> . About 
1331 -> . It 
1332 -> . A 
1333 -> . Georges 
1334 -> . A 
1335 -> . At 
1336 -> . They 
1337 -> . At 
1338 -> . He 
1339 -> . The 
1340 -> . The 
1341 -> . It 
1342 -> . Never 
1343 -> . To 
1344 -> . Georges 
1345 -> . But 
1346 -> . The 
1347 -> . The 
1348 -> . No 
1349 -> . Did 
1350 -> . A 
1351 -> . And 
1352 -> . Had 
1353 -> . Another 
1354 -> . And 
1355 -> . The 
1356 -> . There 
1357 -> . I 
1358 -> . As 
1359 -> . I 
1360 -> . But 
1361 -> . And 
1362 -> . The 
1363 -> . What 
1364 -> . Heaven 
1365 -> . A 
1366 -> . A 
1367 -> . I 
1368 -> . Every 
1369 -> . The 
1370 -> . By 
1371 -> . Towards 
1372 -> . These 
1373 -> . Moved 
1374 -> . Everything 
1375 -> . Far 
1376 -> . But 
1377 -> . Now 
1378 -> . Each 
1379 -> . Some 
1380 -> . These 
1381 -> . And 
1382 -> . It 
1383 -> . And 
1384 -> . The 
1385 -> . The 
1386 -> . It 
1387 -> . Save 
1388 -> . Once 
1389 -> . The 
1390 -> . For 
1391 -> . But 
1392 -> . As 
1393 -> . This 
1394 -> . From 
1395 -> . These 
1396 -> . Then 
1397 -> . Before 
1398 -> . So,
1399 -> . The 
1400 -> . All 
1401 -> . Never 
1402 -> . Georges 
1403 -> . Wherever 
1404 -> . By 
1405 -> . And 
1406 -> . They 
1407 -> . In 
1408 -> . Sunday 
1409 -> . After 
1410 -> . Even 
1411 -> . The 
1412 -> . One 
1413 -> . Survivors 
1414 -> . One 
1415 -> . One 
1416 -> . And 
1417 -> . Before 
1418 -> . THE 
1419 -> . So 
1420 -> . By 
1421 -> . All 
1422 -> . People 
1423 -> . By 
1424 -> . And 
1425 -> . By 
1426 -> . Another 
1427 -> . After 
1428 -> . The 
1429 -> . The 
1430 -> . So 
1431 -> . Along 
1432 -> . He 
1433 -> . A 
1434 -> . He 
1435 -> . There 
1436 -> . He 
1437 -> . For 
1438 -> . The 
1439 -> . Many 
1440 -> . There 
1441 -> . At 
1442 -> . Most 
1443 -> . Albans.
1444 -> . It 
1445 -> . Presently 
1446 -> . He 
1447 -> . He 
1448 -> . He 
1449 -> . He 
1450 -> . One 
1451 -> . My 
1452 -> . One 
1453 -> . It 
1454 -> . He 
1455 -> . Partly 
1456 -> . The 
1457 -> . Then,
1458 -> . Suddenly 
1459 -> . He 
1460 -> . It 
1461 -> . She 
1462 -> . The 
1463 -> . They 
1464 -> . Take 
1465 -> . Go 
1466 -> . She 
1467 -> . The 
1468 -> . When 
1469 -> . Ill 
1470 -> . The 
1471 -> . Give 
1472 -> . In 
1473 -> . So,
1474 -> . He 
1475 -> . He 
1476 -> . He 
1477 -> . He 
1478 -> . They 
1479 -> . That 
1480 -> . He 
1481 -> . They 
1482 -> . He 
1483 -> . The 
1484 -> . Several 
1485 -> . Every 
1486 -> . He 
1487 -> . We 
1488 -> . Her 
1489 -> . So 
1490 -> . She 
1491 -> . Albans 
1492 -> . My 
1493 -> . Mrs.
1494 -> . Elphinstone 
1495 -> . So,
1496 -> . As 
1497 -> . The 
1498 -> . And 
1499 -> . They 
1500 -> . For 
1501 -> . One 
1502 -> . They 
1503 -> . His 
1504 -> . As 
1505 -> . Then 
1506 -> . There 
1507 -> . Thisll 
1508 -> . My 
1509 -> . Mrs.
1510 -> . Elphinstone 
1511 -> . The 
1512 -> . The 
1513 -> . Good 
1514 -> . Elphinstone.
1515 -> . What 
1516 -> . For 
1517 -> . A 
1518 -> . Way!
1519 -> . Make 
1520 -> . And,
1521 -> . Two 
1522 -> . Then 
1523 -> . A 
1524 -> . So 
1525 -> . Go 
1526 -> . Way!
1527 -> . My 
1528 -> . Irresistibly 
1529 -> . Edgware 
1530 -> . It 
1531 -> . It 
1532 -> . The 
1533 -> . Along 
1534 -> . The 
1535 -> . Push 
1536 -> . Push 
1537 -> . Some 
1538 -> . The 
1539 -> . There 
1540 -> . Pancras,
1541 -> . A 
1542 -> . Clear 
1543 -> . Clear 
1544 -> . There 
1545 -> . With 
1546 -> . Fighting 
1547 -> . There 
1548 -> . But 
1549 -> . There 
1550 -> . A 
1551 -> . The 
1552 -> . Their 
1553 -> . They 
1554 -> . And 
1555 -> . Through 
1556 -> . The 
1557 -> . Yet 
1558 -> . A 
1559 -> . He 
1560 -> . A 
1561 -> . I 
1562 -> . So 
1563 -> . Ellen!
1564 -> . Out 
1565 -> . The 
1566 -> . My 
1567 -> . It 
1568 -> . My 
1569 -> . One 
1570 -> . Where 
1571 -> . He 
1572 -> . It 
1573 -> . Lord 
1574 -> . There 
1575 -> . We 
1576 -> . I 
1577 -> . The 
1578 -> . Go 
1579 -> . They 
1580 -> . They 
1581 -> . The 
1582 -> . He 
1583 -> . Way!
1584 -> . Make 
1585 -> . A 
1586 -> . Stop!
1587 -> . Before 
1588 -> . The 
1589 -> . The 
1590 -> . The 
1591 -> . My 
1592 -> . Get 
1593 -> . But 
1594 -> . Go 
1595 -> . Way!
1596 -> . My 
1597 -> . There 
1598 -> . A 
1599 -> . He 
1600 -> . He 
1601 -> . He 
1602 -> . Let 
1603 -> . We 
1604 -> . As 
1605 -> . The 
1606 -> . Then 
1607 -> . Miss 
1608 -> . My 
1609 -> . So 
1610 -> . He 
1611 -> . We 
1612 -> . For 
1613 -> . To 
1614 -> . A 
1615 -> . In 
1616 -> . My 
1617 -> . Point 
1618 -> . No!
1619 -> . Then 
1620 -> . But 
1621 -> . They 
1622 -> . It 
1623 -> . They 
1624 -> . And 
1625 -> . My 
1626 -> . Near 
1627 -> . They 
1628 -> . And 
1629 -> . THE 
1630 -> . Had 
1631 -> . Not 
1632 -> . If 
1633 -> . I 
1634 -> . Never 
1635 -> . The 
1636 -> . And 
1637 -> . It 
1638 -> . Directly 
1639 -> . Over 
1640 -> . Steadily,
1641 -> . And 
1642 -> . They 
1643 -> . They 
1644 -> . They 
1645 -> . They 
1646 -> . It 
1647 -> . Certain 
1648 -> . Until 
1649 -> . Steamboats 
1650 -> . About 
1651 -> . At 
1652 -> . People 
1653 -> . When,
1654 -> . Of 
1655 -> . The 
1656 -> . My 
1657 -> . On 
1658 -> . The 
1659 -> . They 
1660 -> . But 
1661 -> . That 
1662 -> . As 
1663 -> . Farmers 
1664 -> . A 
1665 -> . These 
1666 -> . He 
1667 -> . He 
1668 -> . Albans 
1669 -> . There 
1670 -> . But 
1671 -> . Nor,
1672 -> . That 
1673 -> . It 
1674 -> . She 
1675 -> . On 
1676 -> . Here 
1677 -> . People 
1678 -> . My 
1679 -> . By 
1680 -> . Near 
1681 -> . For 
1682 -> . They 
1683 -> . Close 
1684 -> . About 
1685 -> . This 
1686 -> . It 
1687 -> . At 
1688 -> . Elphinstone,
1689 -> . She 
1690 -> . She 
1691 -> . She 
1692 -> . Her 
1693 -> . Things 
1694 -> . They 
1695 -> . It 
1696 -> . They 
1697 -> . The 
1698 -> . It 
1699 -> . There 
1700 -> . There 
1701 -> . He 
1702 -> . As 
1703 -> . A 
1704 -> . Some 
1705 -> . At 
1706 -> . But 
1707 -> . He 
1708 -> . The 
1709 -> . At 
1710 -> . Every 
1711 -> . It 
1712 -> . Then,
1713 -> . They 
1714 -> . In 
1715 -> . Glancing 
1716 -> . He 
1717 -> . And 
1718 -> . There 
1719 -> . The 
1720 -> . He 
1721 -> . A 
1722 -> . When 
1723 -> . Big 
1724 -> . It 
1725 -> . Keeping 
1726 -> . Thus 
1727 -> . It 
1728 -> . To 
1729 -> . The 
1730 -> . It 
1731 -> . They 
1732 -> . One 
1733 -> . She 
1734 -> . Suddenly 
1735 -> . It 
1736 -> . To 
1737 -> . They 
1738 -> . He 
1739 -> . It 
1740 -> . A 
1741 -> . In 
1742 -> . The 
1743 -> . But 
1744 -> . At 
1745 -> . And 
1746 -> . For,
1747 -> . She 
1748 -> . She 
1749 -> . Then 
1750 -> . The 
1751 -> . My 
1752 -> . A 
1753 -> . Two!
1754 -> . Everyone 
1755 -> . The 
1756 -> . The 
1757 -> . And 
1758 -> . But 
1759 -> . The 
1760 -> . The 
1761 -> . After 
1762 -> . The 
1763 -> . Then 
1764 -> . Everyone 
1765 -> . A 
1766 -> . The 
1767 -> . The 
1768 -> . It 
1769 -> . My 
1770 -> . Something 
1771 -> . And 
1772 -> . UNDER 
1773 -> . In 
1774 -> . There 
1775 -> . We 
1776 -> . We 
1777 -> . My 
1778 -> . I 
1779 -> . I 
1780 -> . My 
1781 -> . What 
1782 -> . My 
1783 -> . Such 
1784 -> . I 
1785 -> . After 
1786 -> . When 
1787 -> . We 
1788 -> . There 
1789 -> . But 
1790 -> . We 
1791 -> . The 
1792 -> . A 
1793 -> . When 
1794 -> . Looking 
1795 -> . For 
1796 -> . But 
1797 -> . So 
1798 -> . But 
1799 -> . We 
1800 -> . I 
1801 -> . I 
1802 -> . When 
1803 -> . And 
1804 -> . In 
1805 -> . That 
1806 -> . We 
1807 -> . We 
1808 -> . These 
1809 -> . Away 
1810 -> . Twickenham 
1811 -> . For 
1812 -> . I 
1813 -> . Here 
1814 -> . I 
1815 -> . We 
1816 -> . We 
1817 -> . I 
1818 -> . Here 
1819 -> . We 
1820 -> . Up 
1821 -> . Then 
1822 -> . We 
1823 -> . We 
1824 -> . There 
1825 -> . But 
1826 -> . I 
1827 -> . The 
1828 -> . That 
1829 -> . For 
1830 -> . No 
1831 -> . Four 
1832 -> . In 
1833 -> . He 
1834 -> . Apparently 
1835 -> . It 
1836 -> . We 
1837 -> . I 
1838 -> . In 
1839 -> . Sheen,
1840 -> . Here 
1841 -> . In 
1842 -> . The 
1843 -> . There 
1844 -> . We 
1845 -> . Here 
1846 -> . I 
1847 -> . Bottled 
1848 -> . This 
1849 -> . We 
1850 -> . The 
1851 -> . It 
1852 -> . Everything 
1853 -> . And 
1854 -> . So 
1855 -> . I 
1856 -> . I 
1857 -> . For 
1858 -> . Then 
1859 -> . A 
1860 -> . Are 
1861 -> . At 
1862 -> . I 
1863 -> . Dont 
1864 -> . The 
1865 -> . You 
1866 -> . We 
1867 -> . Everything 
1868 -> . Outside 
1869 -> . That!
1870 -> . Yes,
1871 -> . But 
1872 -> . I 
1873 -> . It 
1874 -> . Our 
1875 -> . And 
1876 -> . The 
1877 -> . The 
1878 -> . Outside,
1879 -> . At 
1880 -> . The 
1881 -> . Contrasting 
1882 -> . As 
1883 -> . At 
1884 -> . Abruptly 
1885 -> . The 
1886 -> . Save 
1887 -> . I 
1888 -> . Outside 
1889 -> . These 
1890 -> . Presently 
1891 -> . Once 
1892 -> . For 
1893 -> . At 
1894 -> . I 
1895 -> . My 
1896 -> . I 
1897 -> . He 
1898 -> . WHAT 
1899 -> . After 
1900 -> . The 
1901 -> . I 
1902 -> . It 
1903 -> . His 
1904 -> . I 
1905 -> . Through 
1906 -> . For 
1907 -> . I 
1908 -> . I 
1909 -> . Then 
1910 -> . The 
1911 -> . Vast,
1912 -> . The 
1913 -> . The 
1914 -> . The 
1915 -> . The 
1916 -> . It 
1917 -> . Our 
1918 -> . Over 
1919 -> . The 
1920 -> . The 
1921 -> . At 
1922 -> . The 
1923 -> . It 
1924 -> . As 
1925 -> . Most 
1926 -> . These,
1927 -> . Its 
1928 -> . The 
1929 -> . People 
1930 -> . I 
1931 -> . The 
1932 -> . He 
1933 -> . The 
1934 -> . They 
1935 -> . To 
1936 -> . At 
1937 -> . But 
1938 -> . With 
1939 -> . Already 
1940 -> . Moreover,
1941 -> . They 
1942 -> . They 
1943 -> . This 
1944 -> . In 
1945 -> . In 
1946 -> . These 
1947 -> . Even 
1948 -> . There 
1949 -> . The 
1950 -> . The 
1951 -> . Besides 
1952 -> . The 
1953 -> . And 
1954 -> . Strange 
1955 -> . They 
1956 -> . Entrails 
1957 -> . They 
1958 -> . Instead,
1959 -> . I 
1960 -> . But,
1961 -> . Let 
1962 -> . The 
1963 -> . The 
1964 -> . Our 
1965 -> . The 
1966 -> . Men 
1967 -> . But 
1968 -> . Their 
1969 -> . These 
1970 -> . Two 
1971 -> . It 
1972 -> . And 
1973 -> . In 
1974 -> . Their 
1975 -> . Since 
1976 -> . They 
1977 -> . On 
1978 -> . In 
1979 -> . In 
1980 -> . A 
1981 -> . In 
1982 -> . Among 
1983 -> . On 
1984 -> . It 
1985 -> . His 
1986 -> . He 
1987 -> . The 
1988 -> . Only 
1989 -> . While 
1990 -> . There 
1991 -> . To 
1992 -> . Without 
1993 -> . The 
1994 -> . Micro 
1995 -> . A 
1996 -> . And 
1997 -> . Apparently 
1998 -> . At 
1999 -> . Only 
2000 -> . The 
2001 -> . For 
2002 -> . It 
2003 -> . And 
2004 -> . The 
2005 -> . It 
2006 -> . Now 
2007 -> . I 
2008 -> . And 
2009 -> . Their 
2010 -> . I 
2011 -> . And 
2012 -> . Before 
2013 -> . The 
2014 -> . Their 
2015 -> . Yet 
2016 -> . We 
2017 -> . They 
2018 -> . And 
2019 -> . One 
2020 -> . And 
2021 -> . And 
2022 -> . Almost 
2023 -> . And 
2024 -> . In 
2025 -> . Such 
2026 -> . It 
2027 -> . While 
2028 -> . I 
2029 -> . He 
2030 -> . When 
2031 -> . This 
2032 -> . It 
2033 -> . So 
2034 -> . THE 
2035 -> . The 
2036 -> . At 
2037 -> . Yet 
2038 -> . And 
2039 -> . We 
2040 -> . The 
2041 -> . At 
2042 -> . His 
2043 -> . He 
2044 -> . He 
2045 -> . And 
2046 -> . He 
2047 -> . He 
2048 -> . He 
2049 -> . As 
2050 -> . That 
2051 -> . But 
2052 -> . It 
2053 -> . Those 
2054 -> . But 
2055 -> . And 
2056 -> . Let 
2057 -> . After 
2058 -> . These 
2059 -> . The 
2060 -> . This 
2061 -> . The 
2062 -> . With 
2063 -> . Another 
2064 -> . From 
2065 -> . As 
2066 -> . In 
2067 -> . Between 
2068 -> . The 
2069 -> . The 
2070 -> . I 
2071 -> . He 
2072 -> . He 
2073 -> . His 
2074 -> . At 
2075 -> . The 
2076 -> . The 
2077 -> . Over 
2078 -> . The 
2079 -> . And 
2080 -> . I 
2081 -> . As 
2082 -> . And 
2083 -> . Then 
2084 -> . For 
2085 -> . He 
2086 -> . I 
2087 -> . He 
2088 -> . And 
2089 -> . I 
2090 -> . The 
2091 -> . That 
2092 -> . The 
2093 -> . Practically 
2094 -> . But 
2095 -> . It 
2096 -> . Our 
2097 -> . Or 
2098 -> . I 
2099 -> . And 
2100 -> . The 
2101 -> . It 
2102 -> . It 
2103 -> . After 
2104 -> . I 
2105 -> . I 
2106 -> . And 
2107 -> . It 
2108 -> . But 
2109 -> . It 
2110 -> . The 
2111 -> . Except 
2112 -> . That 
2113 -> . I 
2114 -> . Then 
2115 -> . Six 
2116 -> . And 
2117 -> . THE 
2118 -> . It 
2119 -> . Instead 
2120 -> . I 
2121 -> . I 
2122 -> . In 
2123 -> . I 
2124 -> . For 
2125 -> . The 
2126 -> . We 
2127 -> . In 
2128 -> . I 
2129 -> . I 
2130 -> . In 
2131 -> . I 
2132 -> . All 
2133 -> . It 
2134 -> . And 
2135 -> . For 
2136 -> . There 
2137 -> . But 
2138 -> . He 
2139 -> . The 
2140 -> . Slowly 
2141 -> . From 
2142 -> . I 
2143 -> . It 
2144 -> . On 
2145 -> . It 
2146 -> . It 
2147 -> . On 
2148 -> . We 
2149 -> . There 
2150 -> . I 
2151 -> . Oppressors 
2152 -> . He 
2153 -> . He 
2154 -> . For 
2155 -> . I 
2156 -> . But 
2157 -> . He 
2158 -> . Then 
2159 -> . Be 
2160 -> . He 
2161 -> . I 
2162 -> . Woe 
2163 -> . For 
2164 -> . Speak!
2165 -> . I 
2166 -> . I 
2167 -> . In 
2168 -> . I 
2169 -> . Before 
2170 -> . With 
2171 -> . He 
2172 -> . I 
2173 -> . He 
2174 -> . Suddenly 
2175 -> . I 
2176 -> . One 
2177 -> . I 
2178 -> . Then 
2179 -> . I 
2180 -> . The 
2181 -> . For 
2182 -> . Then,
2183 -> . I 
2184 -> . I 
2185 -> . Had 
2186 -> . Then 
2187 -> . Irresistibly 
2188 -> . In 
2189 -> . I 
2190 -> . I 
2191 -> . Every 
2192 -> . Then 
2193 -> . I 
2194 -> . Presently 
2195 -> . I 
2196 -> . I 
2197 -> . It 
2198 -> . An 
2199 -> . In 
2200 -> . It 
2201 -> . Once,
2202 -> . I 
2203 -> . For 
2204 -> . I 
2205 -> . Presently,
2206 -> . For 
2207 -> . Apparently 
2208 -> . I 
2209 -> . I 
2210 -> . Then 
2211 -> . Slowly,
2212 -> . While 
2213 -> . I 
2214 -> . Then 
2215 -> . Had 
2216 -> . It 
2217 -> . It 
2218 -> . THE 
2219 -> . My 
2220 -> . But 
2221 -> . Apparently,
2222 -> . At 
2223 -> . I 
2224 -> . At 
2225 -> . I 
2226 -> . My 
2227 -> . I 
2228 -> . I 
2229 -> . On 
2230 -> . I 
2231 -> . During 
2232 -> . On 
2233 -> . Whenever 
2234 -> . The 
2235 -> . To 
2236 -> . On 
2237 -> . It 
2238 -> . Going 
2239 -> . This 
2240 -> . At 
2241 -> . I 
2242 -> . I 
2243 -> . I 
2244 -> . I 
2245 -> . For 
2246 -> . Once 
2247 -> . At 
2248 -> . Except 
2249 -> . I 
2250 -> . All 
2251 -> . Save 
2252 -> . Slowly 
2253 -> . I 
2254 -> . The 
2255 -> . My 
2256 -> . I 
2257 -> . I 
2258 -> . I 
2259 -> . To 
2260 -> . When 
2261 -> . Now 
2262 -> . The 
2263 -> . The 
2264 -> . The 
2265 -> . Below 
2266 -> . A 
2267 -> . Far 
2268 -> . The 
2269 -> . A 
2270 -> . And 
2271 -> . THE 
2272 -> . For 
2273 -> . Within 
2274 -> . I 
2275 -> . I 
2276 -> . For 
2277 -> . I 
2278 -> . I 
2279 -> . With 
2280 -> . But 
2281 -> . In 
2282 -> . This 
2283 -> . The 
2284 -> . The 
2285 -> . So 
2286 -> . Here 
2287 -> . Some 
2288 -> . These 
2289 -> . At 
2290 -> . Directly 
2291 -> . Its 
2292 -> . At 
2293 -> . As 
2294 -> . In 
2295 -> . A 
2296 -> . Now 
2297 -> . The 
2298 -> . They 
2299 -> . My 
2300 -> . I 
2301 -> . I 
2302 -> . I 
2303 -> . Here 
2304 -> . The 
2305 -> . I 
2306 -> . I 
2307 -> . All 
2308 -> . I 
2309 -> . Near 
2310 -> . But 
2311 -> . After 
2312 -> . And 
2313 -> . From 
2314 -> . The 
2315 -> . And 
2316 -> . It 
2317 -> . For 
2318 -> . Hard 
2319 -> . As 
2320 -> . The 
2321 -> . Perhaps 
2322 -> . THE 
2323 -> . I 
2324 -> . I 
2325 -> . The 
2326 -> . In 
2327 -> . The 
2328 -> . I 
2329 -> . Before 
2330 -> . I 
2331 -> . As 
2332 -> . During 
2333 -> . But 
2334 -> . Three 
2335 -> . The 
2336 -> . I 
2337 -> . I 
2338 -> . In 
2339 -> . I 
2340 -> . We 
2341 -> . Had 
2342 -> . But 
2343 -> . And 
2344 -> . There 
2345 -> . But 
2346 -> . And 
2347 -> . For 
2348 -> . And 
2349 -> . I 
2350 -> . I 
2351 -> . Since 
2352 -> . I 
2353 -> . Strange 
2354 -> . Perhaps 
2355 -> . Surely,
2356 -> . The 
2357 -> . In 
2358 -> . There 
2359 -> . My 
2360 -> . I 
2361 -> . Certainly,
2362 -> . I 
2363 -> . I 
2364 -> . From 
2365 -> . That 
2366 -> . I 
2367 -> . I 
2368 -> . And 
2369 -> . I 
2370 -> . I 
2371 -> . I 
2372 -> . He 
2373 -> . As 
2374 -> . Nearer,
2375 -> . His 
2376 -> . There 
2377 -> . Stop!
2378 -> . His 
2379 -> . Where 
2380 -> . I 
2381 -> . I 
2382 -> . I 
2383 -> . I 
2384 -> . There 
2385 -> . This 
2386 -> . All 
2387 -> . There 
2388 -> . Which 
2389 -> . I 
2390 -> . I 
2391 -> . I 
2392 -> . He 
2393 -> . Ive 
2394 -> . I 
2395 -> . He 
2396 -> . It 
2397 -> . And 
2398 -> . You 
2399 -> . Good 
2400 -> . We 
2401 -> . I 
2402 -> . But 
2403 -> . And 
2404 -> . But 
2405 -> . He 
2406 -> . Only 
2407 -> . One 
2408 -> . This 
2409 -> . Let 
2410 -> . Have 
2411 -> . Since 
2412 -> . I 
2413 -> . Of 
2414 -> . Its 
2415 -> . By 
2416 -> . But 
2417 -> . Then 
2418 -> . And 
2419 -> . I 
2420 -> . I 
2421 -> . Fly!
2422 -> . I 
2423 -> . It 
2424 -> . If 
2425 -> . He 
2426 -> . They 
2427 -> . But 
2428 -> . And 
2429 -> . Arent 
2430 -> . Were 
2431 -> . I 
2432 -> . Strange 
2433 -> . I 
2434 -> . He 
2435 -> . They 
2436 -> . Its 
2437 -> . Theyve 
2438 -> . And 
2439 -> . Theyve 
2440 -> . The 
2441 -> . And 
2442 -> . They 
2443 -> . These 
2444 -> . Nothings 
2445 -> . Were 
2446 -> . I 
2447 -> . This 
2448 -> . It 
2449 -> . Suddenly 
2450 -> . After 
2451 -> . How 
2452 -> . I 
2453 -> . He 
2454 -> . Something 
2455 -> . But 
2456 -> . And 
2457 -> . Theres 
2458 -> . Thats 
2459 -> . Only 
2460 -> . Were 
2461 -> . We 
2462 -> . And 
2463 -> . Thats 
2464 -> . After 
2465 -> . I 
2466 -> . Most 
2467 -> . But 
2468 -> . Ive 
2469 -> . And 
2470 -> . I 
2471 -> . Says 
2472 -> . I 
2473 -> . All 
2474 -> . He 
2475 -> . No 
2476 -> . He 
2477 -> . Canned 
2478 -> . Well,
2479 -> . First,
2480 -> . All 
2481 -> . If 
2482 -> . But 
2483 -> . Its 
2484 -> . Thats 
2485 -> . Eh?
2486 -> . It 
2487 -> . Very 
2488 -> . A 
2489 -> . And 
2490 -> . But 
2491 -> . So 
2492 -> . Thats 
2493 -> . Lord!
2494 -> . Dont 
2495 -> . Not 
2496 -> . All 
2497 -> . And 
2498 -> . They 
2499 -> . Theyre 
2500 -> . Very 
2501 -> . And 
2502 -> . Thats 
2503 -> . It 
2504 -> . And 
2505 -> . Cities,
2506 -> . That 
2507 -> . Were 
2508 -> . But 
2509 -> . There 
2510 -> . If 
2511 -> . If 
2512 -> . They 
2513 -> . You 
2514 -> . I 
2515 -> . And 
2516 -> . We 
2517 -> . And 
2518 -> . Ugh!
2519 -> . Im 
2520 -> . Ive 
2521 -> . We 
2522 -> . We 
2523 -> . Weve 
2524 -> . And 
2525 -> . See!
2526 -> . I 
2527 -> . Great 
2528 -> . But 
2529 -> . Eh!
2530 -> . Ive 
2531 -> . Well,
2532 -> . Im 
2533 -> . Mind 
2534 -> . Thats 
2535 -> . I 
2536 -> . Youre 
2537 -> . I 
2538 -> . All 
2539 -> . They 
2540 -> . Lives 
2541 -> . And 
2542 -> . As 
2543 -> . Nice 
2544 -> . After 
2545 -> . Theyll 
2546 -> . Theyll 
2547 -> . And 
2548 -> . I 
2549 -> . Therell 
2550 -> . Theres 
2551 -> . Theres 
2552 -> . Now 
2553 -> . Very 
2554 -> . Its 
2555 -> . These 
2556 -> . And 
2557 -> . He 
2558 -> . Very 
2559 -> . And 
2560 -> . No,
2561 -> . Theres 
2562 -> . What 
2563 -> . If 
2564 -> . I 
2565 -> . I 
2566 -> . In 
2567 -> . What 
2568 -> . What 
2569 -> . Well,
2570 -> . What 
2571 -> . Yes 
2572 -> . The 
2573 -> . You 
2574 -> . Ive 
2575 -> . Of 
2576 -> . The 
2577 -> . Then 
2578 -> . And 
2579 -> . Eh?
2580 -> . Were 
2581 -> . Weaklings 
2582 -> . As 
2583 -> . Go 
2584 -> . Those 
2585 -> . Able 
2586 -> . No 
2587 -> . We 
2588 -> . Life 
2589 -> . They 
2590 -> . They 
2591 -> . Its 
2592 -> . And 
2593 -> . Moreover,
2594 -> . And 
2595 -> . Our 
2596 -> . And 
2597 -> . Play 
2598 -> . Thats 
2599 -> . Eh?
2600 -> . As 
2601 -> . Its 
2602 -> . There 
2603 -> . Theres 
2604 -> . We 
2605 -> . Thats 
2606 -> . We 
2607 -> . Especially 
2608 -> . We 
2609 -> . Some 
2610 -> . When 
2611 -> . Get 
2612 -> . And 
2613 -> . We 
2614 -> . If 
2615 -> . We 
2616 -> . Yes,
2617 -> . But 
2618 -> . The 
2619 -> . After 
2620 -> . Not 
2621 -> . It 
2622 -> . Fancy 
2623 -> . And 
2624 -> . For 
2625 -> . I 
2626 -> . We 
2627 -> . It 
2628 -> . Such 
2629 -> . But 
2630 -> . We 
2631 -> . We 
2632 -> . I 
2633 -> . As 
2634 -> . After 
2635 -> . My 
2636 -> . It 
2637 -> . And 
2638 -> . Were 
2639 -> . He 
2640 -> . Let 
2641 -> . I 
2642 -> . I 
2643 -> . I 
2644 -> . Why 
2645 -> . I 
2646 -> . Its 
2647 -> . But 
2648 -> . He 
2649 -> . We 
2650 -> . I 
2651 -> . We 
2652 -> . No 
2653 -> . From 
2654 -> . The 
2655 -> . It 
2656 -> . About 
2657 -> . Beyond 
2658 -> . The 
2659 -> . One 
2660 -> . A 
2661 -> . And 
2662 -> . Heaven 
2663 -> . It 
2664 -> . He 
2665 -> . Grotesque 
2666 -> . He 
2667 -> . He 
2668 -> . But 
2669 -> . And 
2670 -> . After 
2671 -> . Neither 
2672 -> . He 
2673 -> . We 
2674 -> . He 
2675 -> . Theres 
2676 -> . We 
2677 -> . No,
2678 -> . Champagne!
2679 -> . Look 
2680 -> . He 
2681 -> . Grotesque 
2682 -> . Strange 
2683 -> . Afterwards 
2684 -> . When 
2685 -> . After 
2686 -> . We 
2687 -> . He 
2688 -> . He 
2689 -> . I 
2690 -> . I 
2691 -> . At 
2692 -> . The 
2693 -> . All 
2694 -> . Then,
2695 -> . For 
2696 -> . With 
2697 -> . I 
2698 -> . I 
2699 -> . I 
2700 -> . I 
2701 -> . I 
2702 -> . My 
2703 -> . I 
2704 -> . I 
2705 -> . There,
2706 -> . I 
2707 -> . DEAD 
2708 -> . After 
2709 -> . The 
2710 -> . At 
2711 -> . He 
2712 -> . I 
2713 -> . I 
2714 -> . There 
2715 -> . The 
2716 -> . I 
2717 -> . Some 
2718 -> . Going 
2719 -> . Here 
2720 -> . I 
2721 -> . They 
2722 -> . The 
2723 -> . One 
2724 -> . Where 
2725 -> . In 
2726 -> . A 
2727 -> . I 
2728 -> . Farther 
2729 -> . She 
2730 -> . The 
2731 -> . But 
2732 -> . At 
2733 -> . It 
2734 -> . In 
2735 -> . It 
2736 -> . It 
2737 -> . It 
2738 -> . When 
2739 -> . It 
2740 -> . I 
2741 -> . It 
2742 -> . Ulla,
2743 -> . I 
2744 -> . I 
2745 -> . But 
2746 -> . All 
2747 -> . At 
2748 -> . I 
2749 -> . The 
2750 -> . Ulla,
2751 -> . The 
2752 -> . The 
2753 -> . The 
2754 -> . I 
2755 -> . It 
2756 -> . Why 
2757 -> . My 
2758 -> . I 
2759 -> . I 
2760 -> . I 
2761 -> . With 
2762 -> . I 
2763 -> . I 
2764 -> . It 
2765 -> . And 
2766 -> . I 
2767 -> . I 
2768 -> . I 
2769 -> . He 
2770 -> . I 
2771 -> . That 
2772 -> . Perhaps 
2773 -> . Certainly 
2774 -> . I 
2775 -> . Johns 
2776 -> . A 
2777 -> . He 
2778 -> . As 
2779 -> . I 
2780 -> . Johns 
2781 -> . At 
2782 -> . It 
2783 -> . The 
2784 -> . It 
2785 -> . It 
2786 -> . I 
2787 -> . Wondering 
2788 -> . Far 
2789 -> . A 
2790 -> . As 
2791 -> . It 
2792 -> . The 
2793 -> . The 
2794 -> . All 
2795 -> . Night,
2796 -> . But 
2797 -> . Then 
2798 -> . Nothing 
2799 -> . London 
2800 -> . The 
2801 -> . About 
2802 -> . Terror 
2803 -> . In 
2804 -> . I 
2805 -> . I 
2806 -> . Johns 
2807 -> . I 
2808 -> . But 
2809 -> . I 
2810 -> . On 
2811 -> . An 
2812 -> . I 
2813 -> . And 
2814 -> . I 
2815 -> . At 
2816 -> . I 
2817 -> . Edmunds 
2818 -> . Great 
2819 -> . Against 
2820 -> . The 
2821 -> . I 
2822 -> . Out 
2823 -> . In 
2824 -> . A 
2825 -> . And 
2826 -> . For 
2827 -> . These 
2828 -> . But 
2829 -> . But 
2830 -> . Already 
2831 -> . It 
2832 -> . By 
2833 -> . For 
2834 -> . Here 
2835 -> . To 
2836 -> . All 
2837 -> . For 
2838 -> . I 
2839 -> . The 
2840 -> . A 
2841 -> . Across 
2842 -> . Death 
2843 -> . At 
2844 -> . I 
2845 -> . The 
2846 -> . They 
2847 -> . All 
2848 -> . Those 
2849 -> . Eastward,
2850 -> . Northward 
2851 -> . Far 
2852 -> . The 
2853 -> . Pauls 
2854 -> . And 
2855 -> . The 
2856 -> . Even 
2857 -> . The 
2858 -> . Whatever 
2859 -> . All 
2860 -> . At 
2861 -> . In 
2862 -> . With 
2863 -> . WRECKAGE.
2864 -> . And 
2865 -> . Yet,
2866 -> . I 
2867 -> . And 
2868 -> . Of 
2869 -> . I 
2870 -> . One 
2871 -> . Martins 
2872 -> . Thence 
2873 -> . Already 
2874 -> . The 
2875 -> . Men 
2876 -> . And 
2877 -> . All 
2878 -> . But 
2879 -> . I 
2880 -> . I 
2881 -> . Johns 
2882 -> . They 
2883 -> . Apparently 
2884 -> . Very 
2885 -> . Two 
2886 -> . He 
2887 -> . I 
2888 -> . I 
2889 -> . I 
2890 -> . All 
2891 -> . It 
2892 -> . They 
2893 -> . They 
2894 -> . But 
2895 -> . Already 
2896 -> . I 
2897 -> . So 
2898 -> . But 
2899 -> . Their 
2900 -> . Save 
2901 -> . The 
2902 -> . The 
2903 -> . Haggard 
2904 -> . I 
2905 -> . At 
2906 -> . It 
2907 -> . I 
2908 -> . Most 
2909 -> . The 
2910 -> . I 
2911 -> . Among 
2912 -> . At 
2913 -> . The 
2914 -> . There 
2915 -> . I 
2916 -> . And 
2917 -> . To 
2918 -> . All 
2919 -> . Walton,
2920 -> . The 
2921 -> . The 
2922 -> . Beyond 
2923 -> . A 
2924 -> . Over 
2925 -> . The 
2926 -> . Ones 
2927 -> . The 
2928 -> . Here,
2929 -> . For 
2930 -> . Then 
2931 -> . A 
2932 -> . I 
2933 -> . The 
2934 -> . It 
2935 -> . The 
2936 -> . No 
2937 -> . The 
2938 -> . I 
2939 -> . The 
2940 -> . Our 
2941 -> . I 
2942 -> . For 
2943 -> . It 
2944 -> . I 
2945 -> . I 
2946 -> . I 
2947 -> . There 
2948 -> . My 
2949 -> . I 
2950 -> . And 
2951 -> . It 
2952 -> . The 
2953 -> . No 
2954 -> . Do 
2955 -> . No 
2956 -> . I 
2957 -> . Had 
2958 -> . I 
2959 -> . And 
2960 -> . She 
2961 -> . I 
2962 -> . I 
2963 -> . I 
2964 -> . THE 
2965 -> . I 
2966 -> . In 
2967 -> . My 
2968 -> . My 
2969 -> . I 
2970 -> . At 
2971 -> . That 
2972 -> . But 
2973 -> . Neither 
2974 -> . The 
2975 -> . Spectrum 
2976 -> . But 
2977 -> . None 
2978 -> . The 
2979 -> . But 
2980 -> . A 
2981 -> . I 
2982 -> . At 
2983 -> . In 
2984 -> . It 
2985 -> . In 
2986 -> . It 
2987 -> . Possibly 
2988 -> . Lessing 
2989 -> . Seven 
2990 -> . Subsequently 
2991 -> . One 
2992 -> . At 
2993 -> . We 
2994 -> . It 
2995 -> . It 
2996 -> . Be 
2997 -> . The 
2998 -> . Before 
2999 -> . Now 
3000 -> . If 
3001 -> . Dim 
3002 -> . But 
3003 -> . It 
3004 -> . To 
3005 -> . I 
3006 -> . I 
3007 -> . I 
3008 -> . Of 
3009 -> . They 
3010 -> . I 
3011 -> . And 
3012 -> . And 
---------------
escolhido = 2123 -> . I  ->  
----------------
1 -> I scarcely 
2 -> I am 
3 -> I might 
4 -> I not 
5 -> I still 
6 -> I watched,
7 -> I remember,
8 -> I never 
9 -> I watched;
10 -> I saw 
11 -> I told 
12 -> I was 
13 -> I went 
14 -> I remember 
15 -> I sat 
16 -> I wished 
17 -> I had 
18 -> I had 
19 -> I remember,
20 -> I remember 
21 -> I was 
22 -> I went 
23 -> I explained 
24 -> I was 
25 -> I loved 
26 -> I saw 
27 -> I was 
28 -> I only 
29 -> I myself 
30 -> I heard 
31 -> I went 
32 -> I was 
33 -> I found 
34 -> I have 
35 -> I think 
36 -> I stopped 
37 -> I had 
38 -> I employed 
39 -> I fancy 
40 -> I was 
41 -> I clambered 
42 -> I heard 
43 -> I got 
44 -> I judged 
45 -> I thought 
46 -> I still 
47 -> I felt 
48 -> I walked 
49 -> I found 
50 -> I found 
51 -> I afterwards 
52 -> I would 
53 -> I was 
54 -> I failed 
55 -> I was 
56 -> I went 
57 -> I returned 
58 -> I drew 
59 -> I heard 
60 -> I dont 
61 -> I am.
62 -> I went 
63 -> I should 
64 -> I elbowed 
65 -> I heard 
66 -> I say!
67 -> I saw 
68 -> I believe 
69 -> I narrowly 
70 -> I turned,
71 -> I did 
72 -> I stuck 
73 -> I had 
74 -> I think 
75 -> I know 
76 -> I did.
77 -> I presently 
78 -> I half 
79 -> I saw 
80 -> I heard 
81 -> I saw 
82 -> I found 
83 -> I looked 
84 -> I stood 
85 -> I was 
86 -> I heard 
87 -> I turned 
88 -> I ran 
89 -> I could 
90 -> I stopped,
91 -> I saw 
92 -> I could 
93 -> I had 
94 -> I had 
95 -> I remained 
96 -> I was 
97 -> I did 
98 -> I felt 
99 -> I began 
100 -> I approached 
101 -> I perceived,
102 -> I did 
103 -> I said;
104 -> I fancy,
105 -> I shifted 
106 -> I looked 
107 -> I heard 
108 -> I suppose 
109 -> I saw 
110 -> I saw 
111 -> I noted 
112 -> I learned 
113 -> I saw 
114 -> I stood 
115 -> I felt 
116 -> I saw 
117 -> I perceived 
118 -> I heard 
119 -> I had 
120 -> I was 
121 -> I turned 
122 -> I felt 
123 -> I ran 
124 -> I had 
125 -> I did 
126 -> I remember 
127 -> I felt 
128 -> I was 
129 -> I was 
130 -> I REACHED 
131 -> I remember 
132 -> I came 
133 -> I could 
134 -> I was 
135 -> I staggered 
136 -> I fell 
137 -> I must 
138 -> I sat 
139 -> I could 
140 -> I came 
141 -> I was 
142 -> I asked 
143 -> I could 
144 -> I rose 
145 -> I dare 
146 -> I staggered 
147 -> I was 
148 -> I answered 
149 -> I told 
150 -> I am 
151 -> I do 
152 -> I suffer 
153 -> I seem 
154 -> I stopped 
155 -> I said.
156 -> I felt 
157 -> I tried 
158 -> I could 
159 -> I had 
160 -> I said,
161 -> I startled 
162 -> I went 
163 -> I could 
164 -> I told 
165 -> I had 
166 -> I told 
167 -> I said,
168 -> I had 
169 -> I ever 
170 -> I said.
171 -> I saw 
172 -> I ceased 
173 -> I pressed 
174 -> I said.
175 -> I began 
176 -> I laid 
177 -> I did,
178 -> I did 
179 -> I grew 
180 -> I remember 
181 -> I sat,
182 -> I did 
183 -> I was 
184 -> I doubt 
185 -> I have 
186 -> I spoke.
187 -> I am 
188 -> I had 
189 -> I rose 
190 -> I went 
191 -> I heard 
192 -> I went 
193 -> I heard 
194 -> I saw 
195 -> I decided 
196 -> I found 
197 -> I think,
198 -> I saw 
199 -> I talked 
200 -> I told 
201 -> I described 
202 -> I repeated 
203 -> I calls 
204 -> I left 
205 -> I could.
206 -> I will 
207 -> I did 
208 -> I addressed 
209 -> I found 
210 -> I heard 
211 -> I got 
212 -> I have 
213 -> I took 
214 -> I went 
215 -> I didnt 
216 -> I must 
217 -> I learned 
218 -> I sat 
219 -> I heard 
220 -> I saw 
221 -> I and 
222 -> I realised 
223 -> I gripped 
224 -> I fetched 
225 -> I would 
226 -> I said;
227 -> I spoke 
228 -> I thought 
229 -> I remembered 
230 -> I shouted 
231 -> I saw 
232 -> I started 
233 -> I knew 
234 -> I ran,
235 -> I perceived 
236 -> I found 
237 -> I must 
238 -> I said.
239 -> I explained 
240 -> I had 
241 -> I took 
242 -> I did 
243 -> I was 
244 -> I came 
245 -> I shouted 
246 -> I ran 
247 -> I already 
248 -> I went 
249 -> I saw 
250 -> I turned 
251 -> I was 
252 -> I am 
253 -> I had 
254 -> I looked 
255 -> I slashed 
256 -> I overtook 
257 -> I took 
258 -> I talked 
259 -> I think,
260 -> I had!
261 -> I remember,
262 -> I had 
263 -> I was 
264 -> I had 
265 -> I was 
266 -> I had 
267 -> I can 
268 -> I wanted 
269 -> I started 
270 -> I knew 
271 -> I jumped 
272 -> I was 
273 -> I was 
274 -> I did 
275 -> I came 
276 -> I returned,
277 -> I saw 
278 -> I drew 
279 -> I narrowly 
280 -> I passed.
281 -> I do 
282 -> I know 
283 -> I passed 
284 -> I came 
285 -> I was 
286 -> I ascended 
287 -> I heard 
288 -> I beheld 
289 -> I felt 
290 -> I saw 
291 -> I have 
292 -> I drove 
293 -> I regarded 
294 -> I took 
295 -> I saw!
296 -> I describe 
297 -> I was 
298 -> I wrenched 
299 -> I was 
300 -> I crawled 
301 -> I saw 
302 -> I saw 
303 -> I have 
304 -> I lay 
305 -> I was 
306 -> I struggled 
307 -> I made 
308 -> I hammered 
309 -> I could 
310 -> I desisted,
311 -> I pushed 
312 -> I walked 
313 -> I had 
314 -> I had 
315 -> I should 
316 -> I was 
317 -> I had 
318 -> I had.
319 -> I staggered 
320 -> I say 
321 -> I could 
322 -> I had 
323 -> I went 
324 -> I stumbled 
325 -> I could 
326 -> I stood 
327 -> I saw 
328 -> I stooped 
329 -> I sprang 
330 -> I had 
331 -> I stepped 
332 -> I made 
333 -> I could 
334 -> I had 
335 -> I let 
336 -> I crouched 
337 -> I have 
338 -> I discovered 
339 -> I was 
340 -> I got 
341 -> I was 
342 -> I had 
343 -> I went 
344 -> I did 
345 -> I do 
346 -> I stopped 
347 -> I could 
348 -> I see 
349 -> I closed 
350 -> I did 
351 -> I perceived 
352 -> I could 
353 -> I peered 
354 -> I saw 
355 -> I had 
356 -> I still 
357 -> I know,
358 -> I was 
359 -> I had 
360 -> I turned 
361 -> I began 
362 -> I felt 
363 -> I began 
364 -> I heard 
365 -> I looked 
366 -> I leaned 
367 -> I asked.
368 -> I said.
369 -> I went 
370 -> I could 
371 -> I drew 
372 -> I asked.
373 -> I could 
374 -> I said,
375 -> I had 
376 -> I lay 
377 -> I was 
378 -> I had 
379 -> I felt 
380 -> I got 
381 -> I found 
382 -> I began 
383 -> I looked 
384 -> I SAW 
385 -> I had 
386 -> I already 
387 -> I been 
388 -> I think 
389 -> I should 
390 -> I agreed 
391 -> I parted 
392 -> I would 
393 -> I should 
394 -> I had 
395 -> I suppose,
396 -> I had 
397 -> I drove 
398 -> I and 
399 -> I expect,
400 -> I was 
401 -> I said.
402 -> I suppose 
403 -> I do,
404 -> I said;
405 -> I answered,
406 -> I shall 
407 -> I stopped 
408 -> I said,
409 -> I was 
410 -> I shouted.
411 -> I hurried 
412 -> I looked 
413 -> I had 
414 -> I and 
415 -> I believe,
416 -> I have 
417 -> I had 
418 -> I turned 
419 -> I was 
420 -> I shouted,
421 -> I faced 
422 -> I rushed 
423 -> I ran 
424 -> I flung 
425 -> I raised 
426 -> I gave 
427 -> I saw 
428 -> I heard 
429 -> I could 
430 -> I saw 
431 -> I heeded 
432 -> I splashed 
433 -> I could 
434 -> I could 
435 -> I saw 
436 -> I ducked 
437 -> I could.
438 -> I raised 
439 -> I saw 
440 -> I stood 
441 -> I could 
442 -> I stood.
443 -> I turned 
444 -> I screamed 
445 -> I staggered 
446 -> I fell 
447 -> I expected 
448 -> I have 
449 -> I realised 
450 -> I had 
451 -> I FELL 
452 -> I made 
453 -> I saw 
454 -> I went 
455 -> I contrived 
456 -> I followed 
457 -> I considered 
458 -> I could 
459 -> I made 
460 -> I seen 
461 -> I drifted,
462 -> I after 
463 -> I had 
464 -> I resumed 
465 -> I landed 
466 -> I suppose 
467 -> I got 
468 -> I seem 
469 -> I was 
470 -> I had 
471 -> I felt 
472 -> I cannot 
473 -> I do 
474 -> I dozed.
475 -> I became 
476 -> I sat 
477 -> I asked 
478 -> I dare 
479 -> I stared 
480 -> I was 
481 -> I answered,
482 -> I was 
483 -> I was 
484 -> I said,
485 -> I officiated 
486 -> I said,
487 -> I began 
488 -> I went 
489 -> I began 
490 -> I ceased 
491 -> I answered.
492 -> I saw 
493 -> I proceeded 
494 -> I told 
495 -> I said,
496 -> I take 
497 -> I spoke 
498 -> I said,
499 -> I have 
500 -> I tell 
501 -> I come 
502 -> I knew 
503 -> I turned 
504 -> I was 
505 -> I watched 
506 -> I was 
507 -> I so 
508 -> I did 
509 -> I expected 
510 -> I saw 
511 -> I looked 
512 -> I expected 
513 -> I looked 
514 -> I perceived 
515 -> I was 
516 -> I have 
517 -> I have 
518 -> I learned 
519 -> I believe,
520 -> I may;
521 -> I cant 
522 -> I cant 
523 -> I dare 
524 -> I have 
525 -> I have 
526 -> I have 
527 -> I and 
528 -> I will 
529 -> I figured 
530 -> I paced 
531 -> I thought 
532 -> I was 
533 -> I knew 
534 -> I grew 
535 -> I tired 
536 -> I kept 
537 -> I went 
538 -> I do 
539 -> I perceived 
540 -> I realised 
541 -> I resolved 
542 -> I had!
543 -> I sought 
544 -> I had 
545 -> I also 
546 -> I found 
547 -> I meant 
548 -> I should 
549 -> I had 
550 -> I have 
551 -> I remember 
552 -> I noticed 
553 -> I did 
554 -> I put 
555 -> I ventured 
556 -> I went 
557 -> I left 
558 -> I ever 
559 -> I realised 
560 -> I suppose 
561 -> I on 
562 -> I found 
563 -> I took 
564 -> I give 
565 -> I was 
566 -> I said,
567 -> I have 
568 -> I was 
569 -> I was 
570 -> I came 
571 -> I found 
572 -> I could 
573 -> I answered 
574 -> I sat 
575 -> I fancy 
576 -> I said.
577 -> I listened 
578 -> I said,
579 -> I was 
580 -> I had 
581 -> I suppose,
582 -> I whispered,
583 -> I heard 
584 -> I for 
585 -> I could 
586 -> I found 
587 -> I am 
588 -> I told 
589 -> I was 
590 -> I began 
591 -> I made 
592 -> I heard 
593 -> I must 
594 -> I looked 
595 -> I was 
596 -> I whispered 
597 -> I perceived 
598 -> I could 
599 -> I could 
600 -> I remained 
601 -> I advanced,
602 -> I touched 
603 -> I gripped 
604 -> I turned 
605 -> I was 
606 -> I had 
607 -> I scarcely 
608 -> I saw 
609 -> I did 
610 -> I recall 
611 -> I mention 
612 -> I saw 
613 -> I say,
614 -> I perceived 
615 -> I had 
616 -> I was 
617 -> I now 
618 -> I scarcely 
619 -> I saw 
620 -> I may 
621 -> I have 
622 -> I shall 
623 -> I may 
624 -> I cannot 
625 -> I could 
626 -> I think 
627 -> I am 
628 -> I may 
629 -> I remember,
630 -> I recall 
631 -> I may 
632 -> I found 
633 -> I have 
634 -> I did.
635 -> I take 
636 -> I assert 
637 -> I watched 
638 -> I have 
639 -> I believe,
640 -> I have 
641 -> I am 
642 -> I am 
643 -> I have 
644 -> I had 
645 -> I watched 
646 -> I was 
647 -> I turned 
648 -> I had 
649 -> I looked 
650 -> I could 
651 -> I recall 
652 -> I had 
653 -> I made 
654 -> I verily 
655 -> I would 
656 -> I did,
657 -> I pointed 
658 -> I had,
659 -> I loathed 
660 -> I set 
661 -> I ventured 
662 -> I looked,
663 -> I had 
664 -> I was 
665 -> I shared 
666 -> I rose 
667 -> I could 
668 -> I entertained 
669 -> I crouched,
670 -> I could 
671 -> I heard 
672 -> I saw 
673 -> I could 
674 -> I slid 
675 -> I passed,
676 -> I felt 
677 -> I tried 
678 -> I was 
679 -> I found,
680 -> I gripped 
681 -> I could 
682 -> I also 
683 -> I should 
684 -> I saw 
685 -> I actually 
686 -> I avoided 
687 -> I went 
688 -> I had 
689 -> I did 
690 -> I lost 
691 -> I abandoned 
692 -> I entertained 
693 -> I heard 
694 -> I heard 
695 -> I heard 
696 -> I counted,
697 -> I peeped 
698 -> I was 
699 -> I went 
700 -> I heard 
701 -> I snatched 
702 -> I desisted 
703 -> I planted 
704 -> I divided 
705 -> I would 
706 -> I had 
707 -> I was 
708 -> I weary 
709 -> I know,
710 -> I beat 
711 -> I cajoled 
712 -> I tried 
713 -> I could 
714 -> I began 
715 -> I am 
716 -> I had 
717 -> I slept.
718 -> I am 
719 -> I could 
720 -> I held 
721 -> I preached 
722 -> I should 
723 -> I died 
724 -> I withheld 
725 -> I prayed 
726 -> I defied 
727 -> I felt 
728 -> I must 
729 -> I implored.
730 -> I have 
731 -> I must 
732 -> I said,
733 -> I must 
734 -> I go!
735 -> I put 
736 -> I was 
737 -> I was 
738 -> I had 
739 -> I turned 
740 -> I stumbled 
741 -> I heard 
742 -> I looked 
743 -> I stood 
744 -> I saw 
745 -> I turned 
746 -> I stood 
747 -> I forced 
748 -> I trembled 
749 -> I could 
750 -> I opened 
751 -> I knew 
752 -> I crept 
753 -> I saw 
754 -> I thought 
755 -> I had 
756 -> I crept 
757 -> I could,
758 -> I paused,
759 -> I traced 
760 -> I heard 
761 -> I judged.
762 -> I thought 
763 -> I prayed 
764 -> I heard 
765 -> I could 
766 -> I was 
767 -> I bit 
768 -> I could 
769 -> I thought 
770 -> I was 
771 -> I seized 
772 -> I whispered 
773 -> I heard 
774 -> I was 
775 -> I heard 
776 -> I decided 
777 -> I lay 
778 -> I craved.
779 -> I ventured 
780 -> I went 
781 -> I despaired 
782 -> I took 
783 -> I sat 
784 -> I thought 
785 -> I had 
786 -> I had 
787 -> I did 
788 -> I would 
789 -> I attacked 
790 -> I was 
791 -> I thought 
792 -> I drank 
793 -> I dozed 
794 -> I dreamt 
795 -> I felt 
796 -> I went 
797 -> I was 
798 -> I heard 
799 -> I saw 
800 -> I thought 
801 -> I could 
802 -> I should 
803 -> I crept 
804 -> I listened 
805 -> I was 
806 -> I heard 
807 -> I lay 
808 -> I heard 
809 -> I looked 
810 -> I stared 
811 -> I thrust 
812 -> I could 
813 -> I began 
814 -> I hesitated 
815 -> I scrambled 
816 -> I had 
817 -> I looked 
818 -> I had 
819 -> I stood 
820 -> I saw 
821 -> I stood 
822 -> I had 
823 -> I had 
824 -> I had 
825 -> I had 
826 -> I found 
827 -> I touched 
828 -> I felt 
829 -> I felt 
830 -> I was 
831 -> I saw,
832 -> I went 
833 -> I attempted 
834 -> I found 
835 -> I could 
836 -> I went 
837 -> I coveted.
838 -> I found 
839 -> I secured,
840 -> I devoured,
841 -> I came 
842 -> I was 
843 -> I discovered 
844 -> I afterwards 
845 -> I explored,
846 -> I drank 
847 -> I found 
848 -> I turned 
849 -> I managed 
850 -> I got 
851 -> I would 
852 -> I hunted 
853 -> I also 
854 -> I rested 
855 -> I saw 
856 -> I encountered 
857 -> I made 
858 -> I had 
859 -> I found 
860 -> I gnawed 
861 -> I struggled 
862 -> I think 
863 -> I got 
864 -> I believed 
865 -> I stood 
866 -> I came 
867 -> I proceeded 
868 -> I became 
869 -> I thought,
870 -> I spent 
871 -> I will 
872 -> I had 
873 -> I found 
874 -> I ransacked 
875 -> I found 
876 -> I afterwards 
877 -> I could 
878 -> I lit 
879 -> I went 
880 -> I had 
881 -> I slept 
882 -> I lay 
883 -> I found 
884 -> I do 
885 -> I suppose,
886 -> I had 
887 -> I thought.
888 -> I saw 
889 -> I saw 
890 -> I see 
891 -> I felt 
892 -> I stood 
893 -> I retraced 
894 -> I had 
895 -> I foreseen,
896 -> I should 
897 -> I did 
898 -> I set 
899 -> I have 
900 -> I might 
901 -> I set 
902 -> I had 
903 -> I faced 
904 -> I had 
905 -> I could 
906 -> I could 
907 -> I found 
908 -> I found 
909 -> I had 
910 -> I had 
911 -> I was 
912 -> I prayed 
913 -> I had 
914 -> I knew 
915 -> I had 
916 -> I might 
917 -> I knew 
918 -> I wanted 
919 -> I had 
920 -> I was 
921 -> I went,
922 -> I prowled,
923 -> I came 
924 -> I stopped 
925 -> I beheld 
926 -> I stood 
927 -> I made 
928 -> I approached 
929 -> I drew 
930 -> I perceived 
931 -> I distinguished 
932 -> I did 
933 -> I was 
934 -> I stopped.
935 -> I thought,
936 -> I come 
937 -> I said.
938 -> I was 
939 -> I have 
940 -> I answered 
941 -> I dont 
942 -> I said.
943 -> I have 
944 -> I dont 
945 -> I think 
946 -> I shall 
947 -> I recognised 
948 -> I took 
949 -> I crawled 
950 -> I got 
951 -> I said.
952 -> I crawled 
953 -> I guess 
954 -> I havent 
955 -> I saw 
956 -> I believe 
957 -> I stopped,
958 -> I went 
959 -> I said.
960 -> I am.
961 -> I stared.
962 -> I had 
963 -> I had 
964 -> I had 
965 -> I made 
966 -> I sat 
967 -> I recalled 
968 -> I explained.
969 -> I said.
970 -> I said.
971 -> I went 
972 -> I saw 
973 -> I saw 
974 -> I turned 
975 -> I went 
976 -> I was 
977 -> I was 
978 -> I said,
979 -> I assented.
980 -> I saw 
981 -> I exclaimed.
982 -> I figure 
983 -> I acted 
984 -> I reckon 
985 -> I mean 
986 -> I tell 
987 -> I dont 
988 -> I do.
989 -> I stared,
990 -> I gripped 
991 -> I said.
992 -> I watched 
993 -> I had 
994 -> I didnt 
995 -> I can 
996 -> I can 
997 -> I saw 
998 -> I cried,
999 -> I succumbed 
1000 -> I sat 
1001 -> I could 
1002 -> I had 
1003 -> I said 
1004 -> I think 
1005 -> I mean 
1006 -> I parleyed,
1007 -> I say,
1008 -> I will.
1009 -> I mean.
1010 -> I know.
1011 -> I reckon 
1012 -> I believed 
1013 -> I saw 
1014 -> I had 
1015 -> I could 
1016 -> I believed 
1017 -> I found 
1018 -> I turned 
1019 -> I worked 
1020 -> I to 
1021 -> I began 
1022 -> I was 
1023 -> I think 
1024 -> I was 
1025 -> I was 
1026 -> I stopped,
1027 -> I said,
1028 -> I was 
1029 -> I saw 
1030 -> I was 
1031 -> I more 
1032 -> I was 
1033 -> I could 
1034 -> I noted 
1035 -> I was 
1036 -> I am 
1037 -> I taking 
1038 -> I found 
1039 -> I beat 
1040 -> I had 
1041 -> I remember 
1042 -> I took 
1043 -> I stared 
1044 -> I perceived 
1045 -> I could 
1046 -> I knew 
1047 -> I glanced 
1048 -> I remained 
1049 -> I recalled 
1050 -> I had 
1051 -> I remember 
1052 -> I flung 
1053 -> I seemed 
1054 -> I was 
1055 -> I resolved 
1056 -> I had 
1057 -> I was 
1058 -> I had 
1059 -> I went 
1060 -> I found 
1061 -> I could 
1062 -> I think 
1063 -> I should 
1064 -> I got 
1065 -> I passed 
1066 -> I came 
1067 -> I saw 
1068 -> I hurried 
1069 -> I did 
1070 -> I penetrated 
1071 -> I first 
1072 -> I passed 
1073 -> I stopped,
1074 -> I turned 
1075 -> I had 
1076 -> I decided 
1077 -> I came 
1078 -> I puzzled 
1079 -> I could 
1080 -> I found 
1081 -> I was 
1082 -> I wandering 
1083 -> I alone 
1084 -> I felt 
1085 -> I had 
1086 -> I thought 
1087 -> I recalled 
1088 -> I knew,
1089 -> I came 
1090 -> I grew 
1091 -> I managed 
1092 -> I was 
1093 -> I found 
1094 -> I awoke 
1095 -> I had 
1096 -> I wandered 
1097 -> I can 
1098 -> I emerged 
1099 -> I saw 
1100 -> I was 
1101 -> I came 
1102 -> I watched 
1103 -> I could 
1104 -> I tried 
1105 -> I was 
1106 -> I was 
1107 -> I turned 
1108 -> I heard 
1109 -> I might 
1110 -> I came 
1111 -> I thought 
1112 -> I clambered 
1113 -> I saw,
1114 -> I could 
1115 -> I had 
1116 -> I pushed 
1117 -> I saw 
1118 -> I came 
1119 -> I crossed 
1120 -> I knew 
1121 -> I saw 
1122 -> I could 
1123 -> I turned 
1124 -> I hid 
1125 -> I turned 
1126 -> I missed 
1127 -> I would 
1128 -> I would 
1129 -> I marched 
1130 -> I drew 
1131 -> I saw 
1132 -> I began 
1133 -> I hurried 
1134 -> I waded 
1135 -> I felt 
1136 -> I ran 
1137 -> I had 
1138 -> I and 
1139 -> I watched 
1140 -> I knew 
1141 -> I believed 
1142 -> I stood 
1143 -> I could 
1144 -> I looked 
1145 -> I turned 
1146 -> I had 
1147 -> I saw 
1148 -> I looked 
1149 -> I thought 
1150 -> I realised 
1151 -> I felt 
1152 -> I extended 
1153 -> I in 
1154 -> I remember,
1155 -> I did 
1156 -> I stood 
1157 -> I forget.
1158 -> I know 
1159 -> I have 
1160 -> I sheltered 
1161 -> I stood 
1162 -> I have 
1163 -> I have 
1164 -> I drifted 
1165 -> I found 
1166 -> I was 
1167 -> I would 
1168 -> I may 
1169 -> I was 
1170 -> I was 
1171 -> I was 
1172 -> I remained 
1173 -> I felt 
1174 -> I could 
1175 -> I will 
1176 -> I went 
1177 -> I saw 
1178 -> I remember 
1179 -> I went 
1180 -> I noticed 
1181 -> I met,
1182 -> I saw 
1183 -> I reached 
1184 -> I saw 
1185 -> I saw 
1186 -> I bought 
1187 -> I found 
1188 -> I learned 
1189 -> I did 
1190 -> I found 
1191 -> I was 
1192 -> I got 
1193 -> I descended 
1194 -> I and 
1195 -> I turned 
1196 -> I stood 
1197 -> I returned 
1198 -> I passed.
1199 -> I looked 
1200 -> I approached.
1201 -> I and 
1202 -> I had 
1203 -> I stumbled 
1204 -> I had 
1205 -> I saw 
1206 -> I followed 
1207 -> I had 
1208 -> I stood 
1209 -> I had 
1210 -> I remembered 
1211 -> I had 
1212 -> I remembered 
1213 -> I went 
1214 -> I had 
1215 -> I came 
1216 -> I and 
1217 -> I perceived 
1218 -> I had 
1219 -> I was 
1220 -> I spoken 
1221 -> I turned,
1222 -> I made 
1223 -> I stood 
1224 -> I came,
1225 -> I knew 
1226 -> I made 
1227 -> I cannot 
1228 -> I am 
1229 -> I am 
1230 -> I shall 
1231 -> I have 
1232 -> I have 
1233 -> I do 
1234 -> I have 
1235 -> I must 
1236 -> I sit 
1237 -> I see 
1238 -> I go 
1239 -> I hurry 
1240 -> I see 
1241 -> I wake,
1242 -> I go 
1243 -> I have 
1244 -> I did 
1245 -> I saw 
1246 -> I have 
---------------
escolhido = 324 -> I stumbled  ->  I 
----------------
1 ->  I stumbled upon 
2 ->  I stumbled over 
3 ->  I stumbled into 
---------------
escolhido = 3 ->  I stumbled into  ->  I stumbled 
----------------
1 ->  stumbled into the 
---------------
escolhido = 1 ->  stumbled into the  ->  I stumbled into 
----------------
1 ->  into the pit 
2 ->  into the taproom.
3 ->  into the road.
4 ->  into the railway 
5 ->  into the pit 
6 ->  into the person 
7 ->  into the pit,
8 ->  into the sand 
9 ->  into the still 
10 ->  into the pit.
11 ->  into the stillness 
12 ->  into the road,
13 ->  into the road 
14 ->  into the dining 
15 ->  into the station 
16 ->  into the darkness 
17 ->  into the darkness 
18 ->  into the skin 
19 ->  into the pine 
20 ->  into the road.
21 ->  into the drivers 
22 ->  into the still 
23 ->  into the dog 
24 ->  into the field 
25 ->  into the pine 
26 ->  into the lane 
27 ->  into the dining 
28 ->  into the west,
29 ->  into the house,
30 ->  into the dining 
31 ->  into the ditch 
32 ->  into the room.
33 ->  into the woods 
34 ->  into the road 
35 ->  into the air 
36 ->  into the water.
37 ->  into the river 
38 ->  into the river 
39 ->  into the sky.
40 ->  into the air.
41 ->  into the loose 
42 ->  into the pit.
43 ->  into the night,
44 ->  into the heat 
45 ->  into the station 
46 ->  into the street 
47 ->  into the street:
48 ->  into the street,
49 ->  into the streets.
50 ->  into the broad 
51 ->  into the line 
52 ->  into the hedge 
53 ->  into the valleys 
54 ->  into the sunlight.
55 ->  into the ground.
56 ->  into the disorderly 
57 ->  into the smoke 
58 ->  into the main 
59 ->  into the lane.
60 ->  into the hedge,
61 ->  into the cart 
62 ->  into the torrent 
63 ->  into the traffic 
64 ->  into the chaise 
65 ->  into the water 
66 ->  into the thickening 
67 ->  into the blinding 
68 ->  into the sky 
69 ->  into the luminous 
70 ->  into the grey 
71 ->  into the road 
72 ->  into the great 
73 ->  into the road,
74 ->  into the side 
75 ->  into the darkness 
76 ->  into the midst 
77 ->  into the recipient 
78 ->  into the scullery,
79 ->  into the scullery 
80 ->  into the pear 
81 ->  into the quiet 
82 ->  into the scullery.
83 ->  into the scullery,
84 ->  into the scullery.
85 ->  into the scullery.
86 ->  into the kitchen.
87 ->  into the kitchen,
88 ->  into the kitchen.
89 ->  into the pantry,
90 ->  into the scullery 
91 ->  into the pantry 
92 ->  into the scullery 
93 ->  into the kitchen,
94 ->  into the kitchen,
95 ->  into the place 
96 ->  into the garden 
97 ->  into the water 
98 ->  into the stillness 
99 ->  into the now 
100 ->  into the drain 
101 ->  into the sunlight.
102 ->  into the Natural 
103 ->  into the parlour 
104 ->  into the pit,
105 ->  into the streets 
106 ->  into the hall,
107 ->  into the dining 
108 ->  into the Byfleet 
109 ->  into the vague 
---------------
escolhido = 13 ->  into the road  ->  I stumbled into the 
----------------
1 ->  the road by 
2 ->  the road from 
3 ->  the road from 
4 ->  the road between 
5 ->  the road in 
6 ->  the road to 
7 ->  the road grows 
8 ->  the road between 
9 ->  the road towards 
10 ->  the road glowed 
11 ->  the road hid 
12 ->  the road intimately.
13 ->  the road to 
14 ->  the road about 
15 ->  the road before 
16 ->  the road towards 
17 ->  the road beyond 
18 ->  the road lay 
19 ->  the road I 
20 ->  the road and 
21 ->  the road to 
22 ->  the road that 
23 ->  the road people 
24 ->  the road was 
25 ->  the road to 
26 ->  the road hid 
27 ->  the road across 
28 ->  the road that 
29 ->  the road a 
30 ->  the road to 
31 ->  the road Londonward 
32 ->  the road forks 
33 ->  the road nearby 
34 ->  the road through 
35 ->  the road through 
36 ->  the road the 
37 ->  the road by 
38 ->  the road towards 
39 ->  the road turns 
40 ->  the road by 
41 ->  the road towards 
42 ->  the road that 
43 ->  the road towards 
44 ->  the road were 
45 ->  the road became 
46 ->  the road to 
---------------
escolhido = 5 ->  the road in  ->  I stumbled into the road 
----------------
1 ->  road in the 
---------------
escolhido = 1 ->  road in the  ->  I stumbled into the road in 
----------------
1 ->  in the last 
2 ->  in the twentieth 
3 ->  in the space 
4 ->  in the same 
5 ->  in the nineteenth 
6 ->  in the issue 
7 ->  in the vast 
8 ->  in the papers 
9 ->  in the Daily 
10 ->  in the excess 
11 ->  in the corner,
12 ->  in the roof 
13 ->  in the field.
14 ->  in the field,
15 ->  in the darkness,
16 ->  in the blackness,
17 ->  in the darkness 
18 ->  in the two 
19 ->  in the political 
20 ->  in the upper 
21 ->  in the distance 
22 ->  in the morning,
23 ->  in the atmosphere.
24 ->  in the morning 
25 ->  in the pit 
26 ->  in the same 
27 ->  in the bright 
28 ->  in the ground.
29 ->  in the crack 
30 ->  in the three 
31 ->  in the road 
32 ->  in the sky 
33 ->  in the Chobham 
34 ->  in the interior.
35 ->  in the pit!
36 ->  in the confounded 
37 ->  in the air 
38 ->  in the air.
39 ->  in the oily 
40 ->  in the clumsy 
41 ->  in the deep 
42 ->  in the sand 
43 ->  in the heather,
44 ->  in the direction 
45 ->  in the pit?
46 ->  in the sand 
47 ->  in the west 
48 ->  in the gloaming.
49 ->  in the gate 
50 ->  in the pretty 
51 ->  in the second 
52 ->  in the pit,
53 ->  in the Mauritius 
54 ->  in the village 
55 ->  in the public 
56 ->  in the sky.
57 ->  in the most 
58 ->  in the day,
59 ->  in the Chertsey 
60 ->  in the hands 
61 ->  in the town 
62 ->  in the presence 
63 ->  in the afternoon.
64 ->  in the hope 
65 ->  in the evening,
66 ->  in the summerhouse 
67 ->  in the air 
68 ->  in the light 
69 ->  in the dark 
70 ->  in the valley 
71 ->  in the air,
72 ->  in the pine 
73 ->  in the water,
74 ->  in the field.
75 ->  in the field 
76 ->  in the rain 
77 ->  in the distance 
78 ->  in the lightning,
79 ->  in the wood,
80 ->  in the heavy 
81 ->  in the darkness 
82 ->  in the road.
83 ->  in the doorway.
84 ->  in the air.
85 ->  in the last 
86 ->  in the glare 
87 ->  in the artillery,
88 ->  in the hope 
89 ->  in the pantry 
90 ->  in the pitiless 
91 ->  in the history 
92 ->  in the end 
93 ->  in the road,
94 ->  in the same 
95 ->  in the village 
96 ->  in the special 
97 ->  in the end.
98 ->  in the warm 
99 ->  in the houses 
100 ->  in the sun 
101 ->  in the air,
102 ->  in the boats 
103 ->  in the air 
104 ->  in the face 
105 ->  in the water 
106 ->  in the water,
107 ->  in the steam,
108 ->  in the almost 
109 ->  in the river 
110 ->  in the power 
111 ->  in the boat,
112 ->  in the shadow 
113 ->  in the direction 
114 ->  in the sky?
115 ->  in the sky.
116 ->  in the midst 
117 ->  in the sky 
118 ->  in the west 
119 ->  in the planets,
120 ->  in the crammers 
121 ->  in the streets.
122 ->  in the papers 
123 ->  in the station,
124 ->  in the Sunday 
125 ->  in the Londoners 
126 ->  in the papers,
127 ->  in the Referee 
128 ->  in the afternoon,
129 ->  in the morning,
130 ->  in the morning 
131 ->  in the air.
132 ->  in the station 
133 ->  in the west.
134 ->  in the country 
135 ->  in the circle 
136 ->  in the extreme,
137 ->  in the threatened 
138 ->  in the Strand 
139 ->  in the face.
140 ->  in the early 
141 ->  in the streets 
142 ->  in the main 
143 ->  in the Marylebone 
144 ->  in the south.
145 ->  in the small 
146 ->  in the street,
147 ->  in the houses 
148 ->  in the distance.
149 ->  in the Thames 
150 ->  in the rooms 
151 ->  in the houses 
152 ->  in the Park 
153 ->  in the hundred 
154 ->  in the small 
155 ->  in the houses,
156 ->  in the rooms,
157 ->  in the flat 
158 ->  in the Horsell 
159 ->  in the repair 
160 ->  in the huge 
161 ->  in the early 
162 ->  in the back 
163 ->  in the twilight.
164 ->  in the great 
165 ->  in the case 
166 ->  in the form 
167 ->  in the blue 
168 ->  in the air,
169 ->  in the starlight 
170 ->  in the southwest,
171 ->  in the twilight.
172 ->  in the world 
173 ->  in the Thames,
174 ->  in the carriages 
175 ->  in the goods 
176 ->  in the sack 
177 ->  in the roadway,
178 ->  in the main 
179 ->  in the doorways 
180 ->  in the place.
181 ->  in the direction 
182 ->  in the face.
183 ->  in the road 
184 ->  in the small 
185 ->  in the morning,
186 ->  in the hedge.
187 ->  in the sky,
188 ->  in the other.
189 ->  in the cart.
190 ->  in the blaze 
191 ->  in the lane.
192 ->  in the ditches,
193 ->  in the uniform 
194 ->  in the dust.
195 ->  in the carts 
196 ->  in the bottoms 
197 ->  in the clothes 
198 ->  in the crowd,
199 ->  in the traces.
200 ->  in the dust 
201 ->  in the torrent 
202 ->  in the lane 
203 ->  in the ditch 
204 ->  in the stream 
205 ->  in the evening 
206 ->  in the direction 
207 ->  in the blazing 
208 ->  in the last 
209 ->  in the history 
210 ->  in the southward 
211 ->  in the afternoon 
212 ->  in the northern 
213 ->  in the chaise 
214 ->  in the northern 
215 ->  in the neighbourhood.
216 ->  in the water,
217 ->  in the afternoon,
218 ->  in the south.
219 ->  in the southeast 
220 ->  in the south.
221 ->  in the remote 
222 ->  in the air,
223 ->  in the water 
224 ->  in the air.
225 ->  in the crowding 
226 ->  in the strangest 
227 ->  in the western 
228 ->  in the empty 
229 ->  in the next 
230 ->  in the distance 
231 ->  in the blackened 
232 ->  in the twilight 
233 ->  in the shed,
234 ->  in the direction 
235 ->  in the place 
236 ->  in the pantry 
237 ->  in the adjacent 
238 ->  in the dark 
239 ->  in the kitchen 
240 ->  in the wall 
241 ->  in the fashion,
242 ->  in the wall 
243 ->  in the scullery;
244 ->  in the pantry 
245 ->  in the wall 
246 ->  in the debris,
247 ->  in the centre 
248 ->  in the excavation,
249 ->  in the convulsive 
250 ->  in the Martians.
251 ->  in the fresh 
252 ->  in the direction 
253 ->  in the Martians 
254 ->  in the able 
255 ->  in the other 
256 ->  in the beginning 
257 ->  in the wet.
258 ->  in the crablike 
259 ->  in the sunset 
260 ->  in the sunlight,
261 ->  in the dazzle 
262 ->  in the darkness 
263 ->  in the house 
264 ->  in the pitiless 
265 ->  in the pit.
266 ->  in the darkness,
267 ->  in the scullery,
268 ->  in the possibility 
269 ->  in the wall 
270 ->  in the night,
271 ->  in the remoter 
272 ->  in the darkness,
273 ->  in the pantry,
274 ->  in the dust,
275 ->  in the darkness 
276 ->  in the wall 
277 ->  in the room,
278 ->  in the darkness 
279 ->  in the darkness,
280 ->  in the scullery,
281 ->  in the close 
282 ->  in the darkness 
283 ->  in the wall,
284 ->  in the kitchen,
285 ->  in the corner,
286 ->  in the pit.
287 ->  in the sand.
288 ->  in the daylight 
289 ->  in the red 
290 ->  in the wood 
291 ->  in the garden 
292 ->  in the dusk 
293 ->  in the inn 
294 ->  in the night.
295 ->  in the night 
296 ->  in the ruins 
297 ->  in the glare 
298 ->  in the air.
299 ->  in the world.
300 ->  in the observatory.
301 ->  in the open 
302 ->  in the practicability 
303 ->  in the bushes 
304 ->  in the cellar,
305 ->  in the morning.
306 ->  in the deep 
307 ->  in the west,
308 ->  in the streets 
309 ->  in the length 
310 ->  in the City,
311 ->  in the chemists 
312 ->  in the bar 
313 ->  in the clearness 
314 ->  in the trees,
315 ->  in the park 
316 ->  in the dimness.
317 ->  in the white 
318 ->  in the sky 
319 ->  in the half 
320 ->  in the now 
321 ->  in the night.
322 ->  in the depth 
323 ->  in the brightness 
324 ->  in the great 
325 ->  in the sunrise,
326 ->  in the streets,
327 ->  in the empty 
328 ->  in the cabmens 
329 ->  in the world 
330 ->  in the mere 
331 ->  in the train,
332 ->  in the midst 
333 ->  in the morning 
334 ->  in the thunderstorm.
335 ->  in the body 
336 ->  in the green,
337 ->  in the blood.
338 ->  in the failure 
339 ->  in the same 
340 ->  in the larger 
341 ->  in the future 
342 ->  in the darkness 
---------------
escolhido = 114 ->  in the sky? ->  I stumbled into the road in the 
----------------
1 ->  the sky? he 
---------------
escolhido = 1 ->  the sky? he  ->  I stumbled into the road in the sky? 
----------------
1 ->  sky? he asked 
---------------
escolhido = 1 ->  sky? he asked  ->  I stumbled into the road in the sky? he 
----------------
1 ->  he asked abruptly.
---------------
escolhido = 1 ->  he asked abruptly. ->  I stumbled into the road in the sky? he asked 
----------------
1 ->  asked abruptly. He 
2 ->  asked abruptly. I 
---------------
escolhido = 2 ->  asked abruptly. I  ->  I stumbled into the road in the sky? he asked abruptly. 
----------------
1 ->  abruptly. I told 
2 ->  abruptly. I remembered 
---------------
escolhido = 1 ->  abruptly. I told  ->  I stumbled into the road in the sky? he asked abruptly. I 
----------------
1 ->  I told Ogilvy 
2 ->  I told myself,
3 ->  I told her 
4 ->  I told my 
5 ->  I told them 
6 ->  I told him 
7 ->  I told the 
---------------
escolhido = 5 ->  I told them  ->  I stumbled into the road in the sky? he asked abruptly. I told 
----------------
1 ->  told them of 
2 ->  told them to 
3 ->  told them to 
4 ->  told them of 
---------------
escolhido = 3 ->  told them to  ->  I stumbled into the road in the sky? he asked abruptly. I told them 
----------------
1 ->  them to death 
2 ->  them to get 
3 ->  them to drive 
4 ->  them to form 
5 ->  them to repent 
6 ->  them to do 
7 ->  them to my 
---------------
escolhido = 1 ->  them to death  ->  I stumbled into the road in the sky? he asked abruptly. I told them to 
----------------
1 ->  to death tomorrow,
---------------
escolhido = 1 ->  to death tomorrow, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death 
----------------
1 ->  death tomorrow, my 
---------------
escolhido = 1 ->  death tomorrow, my  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, 
----------------
1 ->  tomorrow, my dear.
---------------
escolhido = 1 ->  tomorrow, my dear. ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my 
----------------
1 ->  my dear. I 
---------------
escolhido = 1 ->  my dear. I  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. 
----------------
1 ->  dear. I did 
---------------
escolhido = 1 ->  dear. I did  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I 
----------------
1 ->  I did so 
2 ->  I did not 
3 ->  I did not 
4 ->  I did not 
5 ->  I did not 
6 ->  I did not 
7 ->  I did not 
8 ->  I did this,
9 ->  I did not 
10 ->  I did so 
11 ->  I did so,
12 ->  I did so 
13 ->  I did not 
14 ->  I did not 
15 ->  I did not 
16 ->  I did not 
17 ->  I did not 
18 ->  I did not 
19 ->  I did not 
20 ->  I did that 
21 ->  I did not 
22 ->  I did but 
---------------
escolhido = 2 ->  I did not  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did 
----------------
1 ->  did not remember 
2 ->  did not dare 
3 ->  did not know 
4 ->  did not dare 
5 ->  did not escape;
6 ->  did not find 
7 ->  did not consider 
8 ->  did not know 
9 ->  did not make 
10 ->  did not know 
11 ->  did not succeed 
12 ->  did not show 
13 ->  did not seem 
14 ->  did not know 
15 ->  did not know;
16 ->  did not seem 
17 ->  did not fall 
18 ->  did not clearly 
19 ->  did not hear 
20 ->  did not advance 
21 ->  did not explode 
22 ->  did not diffuse 
23 ->  did not wish 
24 ->  did not learn.
25 ->  did not come 
26 ->  did not come 
27 ->  did not deter 
28 ->  did not know 
29 ->  did not see 
30 ->  did not know 
31 ->  did not see 
32 ->  did not impress 
33 ->  did not exist 
34 ->  did not eat,
35 ->  did not sleep,
36 ->  did not dare 
37 ->  did not feel 
38 ->  did not foresee;
39 ->  did not recognise 
40 ->  did not trouble 
41 ->  did not move.
42 ->  did not believe 
43 ->  did not bury 
---------------
escolhido = 18 ->  did not clearly  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not 
----------------
1 ->  not clearly understand 
2 ->  not clearly remember 
3 ->  not clearly know 
---------------
escolhido = 1 ->  not clearly understand  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly 
----------------
1 ->  clearly understand how 
---------------
escolhido = 1 ->  clearly understand how  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand 
----------------
1 ->  understand how I 
---------------
escolhido = 1 ->  understand how I  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how 
----------------
1 ->  how I sat 
2 ->  how I came 
3 ->  how I was 
4 ->  how I ransacked 
5 ->  how I figure 
6 ->  how I mean 
7 ->  how I had 
8 ->  how I went 
9 ->  how I had 
---------------
escolhido = 5 ->  how I figure  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I 
----------------
1 ->  I figure it 
---------------
escolhido = 1 ->  I figure it  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure 
----------------
1 ->  figure it out.
---------------
escolhido = 1 ->  figure it out. ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it 
----------------
1 ->  it out. Very 
2 ->  it out. It 
3 ->  it out. We 
---------------
escolhido = 2 ->  it out. It  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. 
----------------
1 ->  out. It isnt 
---------------
escolhido = 1 ->  out. It isnt  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It 
----------------
1 ->  It isnt quite 
---------------
escolhido = 1 ->  It isnt quite  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt 
----------------
1 ->  isnt quite according 
---------------
escolhido = 1 ->  isnt quite according  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite 
----------------
1 ->  quite according to 
---------------
escolhido = 1 ->  quite according to  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according 
----------------
1 ->  according to my 
2 ->  according to Philips,
3 ->  according to their 
4 ->  according to the 
5 ->  according to what 
---------------
escolhido = 5 ->  according to what  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to 
----------------
1 ->  to what a 
---------------
escolhido = 1 ->  to what a  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what 
----------------
1 ->  what a man 
---------------
escolhido = 1 ->  what a man  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a 
----------------
1 ->  a man with 
2 ->  a man in 
3 ->  a man emerge 
4 ->  a man in 
5 ->  a man fell 
6 ->  a man of 
7 ->  a man in 
8 ->  a man thrusting 
9 ->  a man blundered 
10 ->  a man near 
11 ->  a man in 
12 ->  a man would 
13 ->  a man in 
14 ->  a man ventured 
15 ->  a man in 
16 ->  a man with 
17 ->  a man in 
18 ->  a man on 
19 ->  a man in 
20 ->  a man so 
21 ->  a man with 
22 ->  a man on 
23 ->  a man on 
24 ->  a man than 
25 ->  a man of 
26 ->  a man insane.
27 ->  a man armed 
28 ->  a man wants 
29 ->  a man indeed!
30 ->  a man who 
31 ->  a man lying.
---------------
escolhido = 2 ->  a man in  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man 
----------------
1 ->  man in it 
2 ->  man in the 
3 ->  man in that 
4 ->  man in a 
5 ->  man in black,
6 ->  man in a 
7 ->  man in black 
8 ->  man in a 
9 ->  man in his 
10 ->  man in workday 
11 ->  man in evening 
12 ->  man in dirty 
13 ->  man in the 
14 ->  man in the 
---------------
escolhido = 10 ->  man in workday  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in 
----------------
1 ->  in workday clothes,
---------------
escolhido = 1 ->  in workday clothes, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday 
----------------
1 ->  workday clothes, riding 
---------------
escolhido = 1 ->  workday clothes, riding  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, 
----------------
1 ->  clothes, riding one 
---------------
escolhido = 1 ->  clothes, riding one  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding 
----------------
1 ->  riding one of 
---------------
escolhido = 1 ->  riding one of  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one 
----------------
1 ->  one of the 
2 ->  one of the 
3 ->  one of whom 
4 ->  one of the 
5 ->  one of the 
6 ->  one of the 
7 ->  one of the 
8 ->  one of which 
9 ->  one of the 
10 ->  one of its 
11 ->  one of the 
12 ->  one of the 
13 ->  one of those 
14 ->  one of the 
15 ->  one of these,
16 ->  one of those 
17 ->  one of the 
18 ->  one of the 
19 ->  one of them 
20 ->  one of the 
21 ->  one of the 
22 ->  one of the 
23 ->  one of the 
24 ->  one of those 
25 ->  one of the 
26 ->  one of the 
27 ->  one of us 
28 ->  one of those 
29 ->  one of the 
30 ->  one of them 
31 ->  one of the 
32 ->  one of two 
33 ->  one of the 
---------------
escolhido = 7 ->  one of the  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of 
----------------
1 ->  of the nineteenth 
2 ->  of the mental 
3 ->  of the beasts 
4 ->  of the volume 
5 ->  of the earth 
6 ->  of the nineteenth 
7 ->  of the superficial 
8 ->  of the minds 
9 ->  of the markings 
10 ->  of the disk,
11 ->  of the huge 
12 ->  of the astronomical 
13 ->  of the twelfth;
14 ->  of the planet,
15 ->  of the gravest 
16 ->  of the eruption 
17 ->  of the red 
18 ->  of the clockwork 
19 ->  of the telescope,
20 ->  of the clockwork 
21 ->  of the material 
22 ->  of the outline 
23 ->  of the minute 
24 ->  of the firing 
25 ->  of the planets 
26 ->  of the planet 
27 ->  of the Zodiac 
28 ->  of the houses 
29 ->  of the red,
30 ->  of the first 
31 ->  of the projectile,
32 ->  of the pit 
33 ->  of the grey 
34 ->  of the end.
35 ->  of the body 
36 ->  of the cylinder.
37 ->  of the cylinder 
38 ->  of the circumference.
39 ->  of the confined 
40 ->  of the pit,
41 ->  of the public 
42 ->  of the cylinder.
43 ->  of the idea.
44 ->  of the Pit,
45 ->  of the group 
46 ->  of the common 
47 ->  of the cylinder,
48 ->  of the Thing 
49 ->  of the onlookers.
50 ->  of the common 
51 ->  of the evening 
52 ->  of the heat 
53 ->  of the day,
54 ->  of the few 
55 ->  of the pit,
56 ->  of the cylinder 
57 ->  of the pit 
58 ->  of the manor.
59 ->  of the privileged 
60 ->  of the sky 
61 ->  of the hole 
62 ->  of the cylinder 
63 ->  of the screw.
64 ->  of the cylinder 
65 ->  of the writhing 
66 ->  of the pit.
67 ->  of the people 
68 ->  of the pit.
69 ->  of the pit 
70 ->  of the cylinder.
71 ->  of the thing,
72 ->  of the cylinder,
73 ->  of the lungs 
74 ->  of the earth 
75 ->  of the immense 
76 ->  of the tedious 
77 ->  of the cylinder 
78 ->  of the aperture.
79 ->  of the pit 
80 ->  of the pit.
81 ->  of the shopman 
82 ->  of the cylinder 
83 ->  of the Martians 
84 ->  of the spectators 
85 ->  of the evening 
86 ->  of the pit,
87 ->  of the now 
88 ->  of the pit 
89 ->  of the pit,
90 ->  of the early 
91 ->  of the pine 
92 ->  of the evening 
93 ->  of the evening,
94 ->  of the Martians,
95 ->  of the dusk 
96 ->  of the matter.
97 ->  of the massacre 
98 ->  of the day,
99 ->  of the occasion.
100 ->  of the Heat 
101 ->  of the parabolic 
102 ->  of the pit,
103 ->  of the beech 
104 ->  of the gable 
105 ->  of the house 
106 ->  of the igniting 
107 ->  of the Martians;
108 ->  of the night 
109 ->  of the bridge.
110 ->  of the houses 
111 ->  of the stress 
112 ->  of the men,
113 ->  of the men 
114 ->  of the impossibility 
115 ->  of the Martians 
116 ->  of the earth 
117 ->  of the earth,
118 ->  of the invaders.
119 ->  of the events 
120 ->  of the Martians.
121 ->  of the commonplace 
122 ->  of the series 
123 ->  of the three 
124 ->  of the cylinder,
125 ->  of the shot 
126 ->  of the men 
127 ->  of the day,
128 ->  of the later 
129 ->  of the engines 
130 ->  of the common 
131 ->  of the three 
132 ->  of the world 
133 ->  of the common 
134 ->  of the common.
135 ->  of the regiment 
136 ->  of the business.
137 ->  of the Cardigan 
138 ->  of the burning 
139 ->  of the pine 
140 ->  of the greatest 
141 ->  of the thick 
142 ->  of the Cardigan 
143 ->  of the Martians 
144 ->  of the troops;
145 ->  of the possible 
146 ->  of the longer 
147 ->  of the common,
148 ->  of the military 
149 ->  of the military,
150 ->  of the killing 
151 ->  of the papers.
152 ->  of the lowing 
153 ->  of the trees 
154 ->  of the little 
155 ->  of the mosque 
156 ->  of the college 
157 ->  of the Martians 
158 ->  of the way.
159 ->  of the Oriental 
160 ->  of the trees,
161 ->  of the hill 
162 ->  of the dismounted 
163 ->  of the house 
164 ->  of the dog 
165 ->  of the smoke 
166 ->  of the road,
167 ->  of the hill 
168 ->  of the lighted 
169 ->  of the doorway,
170 ->  of the evenings 
171 ->  of the gathering 
172 ->  of the road 
173 ->  of the things 
174 ->  of the night.
175 ->  of the Wey,
176 ->  of the storm 
177 ->  of the gathering 
178 ->  of the Orphanage 
179 ->  of the hill,
180 ->  of the pine 
181 ->  of the thunder.
182 ->  of the second 
183 ->  of the overturned 
184 ->  of the wheel 
185 ->  of the limbs 
186 ->  of the lightning,
187 ->  of the ten 
188 ->  of the way,
189 ->  of the storm 
190 ->  of the Spotted 
191 ->  of the staircase,
192 ->  of the dead 
193 ->  of the staircase 
194 ->  of the room 
195 ->  of the Oriental 
196 ->  of the dying 
197 ->  of the study.
198 ->  of the houses 
199 ->  of the Potteries 
200 ->  of the burning 
201 ->  of the window 
202 ->  of the fence 
203 ->  of the house.
204 ->  of the fighting 
205 ->  of the ground.
206 ->  of the horse,
207 ->  of the funnel 
208 ->  of the ground,
209 ->  of the pit.
210 ->  of the road,
211 ->  of the Martian 
212 ->  of the survivors 
213 ->  of the water 
214 ->  of the darkness,
215 ->  of the open 
216 ->  of the east,
217 ->  of the metallic 
218 ->  of the Horse 
219 ->  of the Martians 
220 ->  of the country 
221 ->  of the woods,
222 ->  of the house,
223 ->  of the houses 
224 ->  of the inhabitants 
225 ->  of the Old 
226 ->  of the man 
227 ->  of the hill.
228 ->  of the 8th 
229 ->  of the Martians,
230 ->  of the Heat 
231 ->  of the road.
232 ->  of the Heat 
233 ->  of the houses,
234 ->  of the place,
235 ->  of the drinking 
236 ->  of the passage 
237 ->  of the time 
238 ->  of the inn,
239 ->  of the trees,
240 ->  of the armoured 
241 ->  of the people,
242 ->  of the people 
243 ->  of the river.
244 ->  of the people 
245 ->  of the confusion 
246 ->  of the Heat 
247 ->  of the other 
248 ->  of the Thing.
249 ->  of the water 
250 ->  of the Heat 
251 ->  of the Martians 
252 ->  of the heat,
253 ->  of the waves.
254 ->  of the machine.
255 ->  of the thing 
256 ->  of the Heat 
257 ->  of the Martians,
258 ->  of the water 
259 ->  of the Heat 
260 ->  of the Martians,
261 ->  of the Wey 
262 ->  of the foot 
263 ->  of the four 
264 ->  of the tidings 
265 ->  of the Martian 
266 ->  of the afternoon 
267 ->  of the houses 
268 ->  of the afternoon.
269 ->  of the curate,
270 ->  of the end,
271 ->  of the Lord!
272 ->  of the gathering 
273 ->  of the sunset.
274 ->  of the arrival 
275 ->  of the earths 
276 ->  of the pine 
277 ->  of the interruption 
278 ->  of the fighting 
279 ->  of the accident 
280 ->  of the Southampton 
281 ->  of the Martians 
282 ->  of the cylinder,
283 ->  of the Cardigan 
284 ->  of the nature 
285 ->  of the armoured 
286 ->  of the telegrams 
287 ->  of the local 
288 ->  of the underground 
289 ->  of the line 
290 ->  of the most 
291 ->  of the men 
292 ->  of the Martians!
293 ->  of the full 
294 ->  of the speed 
295 ->  of the machines 
296 ->  of the dispatch 
297 ->  of the strangest 
298 ->  of the cylinders,
299 ->  of the approach 
300 ->  of the people 
301 ->  of the safety 
302 ->  of the authorities 
303 ->  of the paper 
304 ->  of the fugitives 
305 ->  of the people 
306 ->  of the refugees 
307 ->  of the invaders 
308 ->  of the trouble.
309 ->  of the suddenly 
310 ->  of the window 
311 ->  of the window,
312 ->  of the side 
313 ->  of the growing 
314 ->  of the coming 
315 ->  of the great 
316 ->  of the houses 
317 ->  of the Commander 
318 ->  of the great 
319 ->  of the neighbouring 
320 ->  of the passing 
321 ->  of the expectant 
322 ->  of the guns 
323 ->  of the tripod 
324 ->  of the shells.
325 ->  of the second 
326 ->  of the Martian 
327 ->  of the men 
328 ->  of the hill 
329 ->  of the three,
330 ->  of the hills 
331 ->  of the road.
332 ->  of the Martians 
333 ->  of the darkling 
334 ->  of the daylight,
335 ->  of the river,
336 ->  of the Martian 
337 ->  of the farther 
338 ->  of the Martians,
339 ->  of the gunlike 
340 ->  of the one 
341 ->  of the gas,
342 ->  of the land 
343 ->  of the air,
344 ->  of the spectrum 
345 ->  of the nature 
346 ->  of the strangeness 
347 ->  of the village 
348 ->  of the distant 
349 ->  of the huge 
350 ->  of the electric 
351 ->  of the crescent 
352 ->  of the black 
353 ->  of the Thames 
354 ->  of the Heat 
355 ->  of the organised 
356 ->  of the torpedo 
357 ->  of the shots 
358 ->  of the attention,
359 ->  of the opaque 
360 ->  of the social 
361 ->  of the Thames 
362 ->  of the people 
363 ->  of the flight 
364 ->  of the trains 
365 ->  of the machine 
366 ->  of the fury 
367 ->  of the panic,
368 ->  of the crowd.
369 ->  of the wheel 
370 ->  of the place,
371 ->  of the invaders 
372 ->  of the fugitives 
373 ->  of the little 
374 ->  of the ladies,
375 ->  of the men 
376 ->  of the chaise.
377 ->  of the man 
378 ->  of the chaise 
379 ->  of the robbers 
380 ->  of the Martian 
381 ->  of the growing 
382 ->  of the great 
383 ->  of the immediate 
384 ->  of the Londoners 
385 ->  of the woman 
386 ->  of the lane,
387 ->  of the villas.
388 ->  of the sun,
389 ->  of the ground 
390 ->  of the lane 
391 ->  of the road 
392 ->  of the villas.
393 ->  of the Salvation 
394 ->  of the people 
395 ->  of the stream,
396 ->  of the way,
397 ->  of the way.
398 ->  of the men 
399 ->  of the houses.
400 ->  of the corner 
401 ->  of the horse.
402 ->  of the cart 
403 ->  of the road,
404 ->  of the poor 
405 ->  of the lane,
406 ->  of the dying 
407 ->  of the town 
408 ->  of the way.
409 ->  of the road,
410 ->  of the people 
411 ->  of the afternoon,
412 ->  of the day 
413 ->  of the Thames 
414 ->  of the tangled 
415 ->  of the road 
416 ->  of the world 
417 ->  of the rout 
418 ->  of the massacre 
419 ->  of the river,
420 ->  of the conquered 
421 ->  of the black 
422 ->  of the Tower 
423 ->  of the bridge 
424 ->  of the fifth 
425 ->  of the whole 
426 ->  of the Black 
427 ->  of the government 
428 ->  of the first 
429 ->  of the home 
430 ->  of the bread 
431 ->  of the inhabitants,
432 ->  of the destruction 
433 ->  of the invaders.
434 ->  of the sea,
435 ->  of the sea 
436 ->  of the Channel 
437 ->  of the Martian 
438 ->  of the sea,
439 ->  of the assurances 
440 ->  of the seats 
441 ->  of the passengers 
442 ->  of the sea,
443 ->  of the distant 
444 ->  of the big 
445 ->  of the steamer 
446 ->  of the multitudinous 
447 ->  of the throbbing 
448 ->  of the engines 
449 ->  of the little 
450 ->  of the steamboat 
451 ->  of the threatened 
452 ->  of the Essex 
453 ->  of the black 
454 ->  of the water 
455 ->  of the Heat 
456 ->  of the ships 
457 ->  of the Thunder 
458 ->  of the Martians 
459 ->  of the Thunder 
460 ->  of the golden 
461 ->  of the sunset 
462 ->  of the steamer 
463 ->  of the west,
464 ->  of the sun.
465 ->  of the greyness 
466 ->  of the night.
467 ->  of the experiences 
468 ->  of the panic 
469 ->  of the world.
470 ->  of the sight 
471 ->  of the house 
472 ->  of the next.
473 ->  of the front 
474 ->  of the scorched 
475 ->  of the Black 
476 ->  of the bedrooms.
477 ->  of the destruction 
478 ->  of the houses 
479 ->  of the Martians 
480 ->  of the Black 
481 ->  of the field,
482 ->  of the place.
483 ->  of the houses.
484 ->  of the same 
485 ->  of the ceiling 
486 ->  of the great 
487 ->  of the kitchen 
488 ->  of the window 
489 ->  of the kitchen 
490 ->  of the house 
491 ->  of the twilight 
492 ->  of the kitchen 
493 ->  of the scullery.
494 ->  of the kitchen 
495 ->  of the kitchen.
496 ->  of the plaster 
497 ->  of the house 
498 ->  of the adjacent 
499 ->  of the great 
500 ->  of the pit,
501 ->  of the pit,
502 ->  of the great 
503 ->  of the extraordinary 
504 ->  of the strange 
505 ->  of the cylinder.
506 ->  of the first 
507 ->  of the war.
508 ->  of the fighting 
509 ->  of the crabs 
510 ->  of the other 
511 ->  of the structure 
512 ->  of the outer 
513 ->  of the Martian 
514 ->  of the practice 
515 ->  of the tremendous 
516 ->  of the remains 
517 ->  of the victims 
518 ->  of the silicious 
519 ->  of the tumultuous 
520 ->  of the vertebrated 
521 ->  of the human 
522 ->  of the body 
523 ->  of the brain.
524 ->  of the body 
525 ->  of the animal 
526 ->  of the organism 
527 ->  of the rest 
528 ->  of the body.
529 ->  of the emotional 
530 ->  of the human 
531 ->  of the differences 
532 ->  of the red 
533 ->  of the pit 
534 ->  of the head 
535 ->  of the Martians 
536 ->  of the evolution 
537 ->  of the fixed 
538 ->  of the machinery 
539 ->  of the disks 
540 ->  of the slit,
541 ->  of the pieces 
542 ->  of the cylinder 
543 ->  of the sunlight 
544 ->  of the infinite 
545 ->  of the Martians 
546 ->  of the fighting 
547 ->  of the novel 
548 ->  of the handling 
549 ->  of the machine.
550 ->  of the pit.
551 ->  of the crude 
552 ->  of the pit.
553 ->  of the two 
554 ->  of the slit 
555 ->  of the slit,
556 ->  of the pit.
557 ->  of the machinery,
558 ->  of the machine 
559 ->  of the Martians 
560 ->  of the pit 
561 ->  of the pit 
562 ->  of the handling 
563 ->  of the curate 
564 ->  of the poor 
565 ->  of the food 
566 ->  of the eighth 
567 ->  of the earth 
568 ->  of the other 
569 ->  of the trumpet 
570 ->  of the Lord 
571 ->  of the body 
572 ->  of the coal 
573 ->  of the kitchen 
574 ->  of the blow 
575 ->  of the cellar 
576 ->  of the scullery,
577 ->  of the curate 
578 ->  of the manner 
579 ->  of the death 
580 ->  of the curate,
581 ->  of the red 
582 ->  of the place 
583 ->  of the Martians.
584 ->  of the dog 
585 ->  of the dead 
586 ->  of the killed,
587 ->  of the ruins.
588 ->  of the mound 
589 ->  of the air!
590 ->  of the weed 
591 ->  of the pit.
592 ->  of the red 
593 ->  of the Wey 
594 ->  of the Thames 
595 ->  of the desolation 
596 ->  of the familiar:
597 ->  of the daylight 
598 ->  of the Martians.
599 ->  of the place 
600 ->  of the flooded 
601 ->  of the body.
602 ->  of the world.
603 ->  of the curate,
604 ->  of the Martians,
605 ->  of the night,
606 ->  of the nearness 
607 ->  of the Martians 
608 ->  of the house 
609 ->  of the panic 
610 ->  of the vaguest.
611 ->  of the open,
612 ->  of the common.
613 ->  of the way,
614 ->  of the way.
615 ->  of the people 
616 ->  of the breed.
617 ->  of the back 
618 ->  of the hereafter.
619 ->  of the Lord.
620 ->  of the run,
621 ->  of the artilleryman,
622 ->  of the bushes,
623 ->  of the place,
624 ->  of the gulf 
625 ->  of the world 
626 ->  of the manholes,
627 ->  of the house.
628 ->  of the roof 
629 ->  of the parapet.
630 ->  of the sort 
631 ->  of the possibility 
632 ->  of the proportion 
633 ->  of the day.
634 ->  of the lane 
635 ->  of the burning 
636 ->  of the Fulham 
637 ->  of the metropolis,
638 ->  of the towers,
639 ->  of the road 
640 ->  of the houses.
641 ->  of the park,
642 ->  of the dead?
643 ->  of the poisons 
644 ->  of the liquors 
645 ->  of the cellars 
646 ->  of the houses.
647 ->  of the sunset 
648 ->  of the Martian 
649 ->  of the terraces,
650 ->  of the Martian 
651 ->  of the early 
652 ->  of the sun.
653 ->  of the hill,
654 ->  of the hood 
655 ->  of the redoubt 
656 ->  of the earth,
657 ->  of the shadows 
658 ->  of the pit,
659 ->  of the hill 
660 ->  of the rising 
661 ->  of the silent 
662 ->  of the Albert 
663 ->  of the church,
664 ->  of the Albert 
665 ->  of the Brompton 
666 ->  of the Crystal 
667 ->  of the multitudinous 
668 ->  of the swift 
669 ->  of the people 
670 ->  of the destroyer 
671 ->  of the hill,
672 ->  of the restorers 
673 ->  of the Martian 
674 ->  of the pit.
675 ->  of the fate 
676 ->  of the little 
677 ->  of the population 
678 ->  of the people 
679 ->  of the men,
680 ->  of the faces,
681 ->  of the few 
682 ->  of the mischief 
683 ->  of the bridge,
684 ->  of the common 
685 ->  of the red 
686 ->  of the first 
687 ->  of the Martian 
688 ->  of the railway 
689 ->  of the Black 
690 ->  of the country 
691 ->  of the red 
692 ->  of the line,
693 ->  of the foreground 
694 ->  of the eastward 
695 ->  of the horse 
696 ->  of the Spotted 
697 ->  of the open 
698 ->  of the catastrophe.
699 ->  of the opening 
700 ->  of the cylinder.
701 ->  of the civilising 
702 ->  of the faint 
703 ->  of the many 
704 ->  of the rapid 
705 ->  of the Martians 
706 ->  of the Martians 
707 ->  of the putrefactive 
708 ->  of the Black 
709 ->  of the Heat 
710 ->  of the black 
711 ->  of the brown 
712 ->  of the Martians,
713 ->  of the matter.
714 ->  of the gun 
715 ->  of the planet,
716 ->  of the next 
717 ->  of the inner 
718 ->  of the Martian 
719 ->  of the human 
720 ->  of the universe 
721 ->  of the commonweal 
722 ->  of the eager 
723 ->  of the Martian 
724 ->  of the sky,
725 ->  of the sun 
726 ->  of the solar 
727 ->  of the Martians 
728 ->  of the time 
729 ->  of the night.
730 ->  of the past,
731 ->  of the smoke 
---------------
escolhido = 337 ->  of the farther  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the 
----------------
1 ->  the farther bank,
2 ->  the farther country;
3 ->  the farther edge 
---------------
escolhido = 1 ->  the farther bank, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther 
----------------
1 ->  farther bank, and 
---------------
escolhido = 1 ->  farther bank, and  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, 
----------------
1 ->  bank, and in 
2 ->  bank, and in 
---------------
escolhido = 2 ->  bank, and in  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and 
----------------
1 ->  and in the 
2 ->  and in the 
3 ->  and in the 
4 ->  and in order 
5 ->  and in my 
6 ->  and in another 
7 ->  and in another 
8 ->  and in the 
9 ->  and in a 
10 ->  and in another 
11 ->  and in their 
12 ->  and in front 
13 ->  and in the 
14 ->  and in vehicles 
15 ->  and in the 
16 ->  and in another 
17 ->  and in a 
18 ->  and in the 
19 ->  and in another 
20 ->  and in the 
21 ->  and in a 
22 ->  and in the 
23 ->  and in this 
24 ->  and in this 
25 ->  and in a 
26 ->  and in any 
27 ->  and in a 
28 ->  and in the 
29 ->  and in the 
30 ->  and in the 
31 ->  and in a 
32 ->  and in its 
---------------
escolhido = 5 ->  and in my  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in 
----------------
1 ->  in my study;
2 ->  in my own 
3 ->  in my eyes.
4 ->  in my surprise.
5 ->  in my glass,
6 ->  in my memory 
7 ->  in my heart 
8 ->  in my life 
9 ->  in my mind.
10 ->  in my ears.
11 ->  in my mind 
12 ->  in my absence.
13 ->  in my mind,
14 ->  in my enfeebled 
15 ->  in my mouth,
16 ->  in my time,
17 ->  in my mind,
18 ->  in my ears,
19 ->  in my story.
20 ->  in my past.
21 ->  in my pocket.
22 ->  in my arms.
23 ->  in my mind 
24 ->  in my mind.
25 ->  in my study 
---------------
escolhido = 14 ->  in my enfeebled  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my 
----------------
1 ->  my enfeebled condition,
---------------
escolhido = 1 ->  my enfeebled condition, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled 
----------------
1 ->  enfeebled condition, too 
---------------
escolhido = 1 ->  enfeebled condition, too  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, 
----------------
1 ->  condition, too fatigued 
---------------
escolhido = 1 ->  condition, too fatigued  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too 
----------------
1 ->  too fatigued to 
---------------
escolhido = 1 ->  too fatigued to  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued 
----------------
1 ->  fatigued to push 
---------------
escolhido = 1 ->  fatigued to push  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to 
----------------
1 ->  to push on 
2 ->  to push on.
---------------
escolhido = 1 ->  to push on  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push 
----------------
1 ->  push on at 
---------------
escolhido = 1 ->  push on at  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on 
----------------
1 ->  on at a 
2 ->  on at once 
---------------
escolhido = 2 ->  on at once  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at 
----------------
1 ->  at once resorted,
2 ->  at once to 
3 ->  at once vital,
4 ->  at once for 
5 ->  at once to 
6 ->  at once under 
7 ->  at once to 
8 ->  at once because 
9 ->  at once annihilated 
10 ->  at once by 
11 ->  at once without 
12 ->  at once to 
13 ->  at once that 
14 ->  at once down 
15 ->  at once with 
---------------
escolhido = 6 ->  at once under  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once 
----------------
1 ->  once under water,
---------------
escolhido = 1 ->  once under water, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under 
----------------
1 ->  under water, and,
---------------
escolhido = 1 ->  under water, and, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, 
----------------
1 ->  water, and, holding 
---------------
escolhido = 1 ->  water, and, holding  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, 
----------------
1 ->  and, holding my 
---------------
escolhido = 1 ->  and, holding my  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding 
----------------
1 ->  holding my breath 
---------------
escolhido = 1 ->  holding my breath  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my 
----------------
1 ->  my breath until 
---------------
escolhido = 1 ->  my breath until  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath 
----------------
1 ->  breath until movement 
---------------
escolhido = 1 ->  breath until movement  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until 
----------------
1 ->  until movement was 
---------------
escolhido = 1 ->  until movement was  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement 
----------------
1 ->  movement was an 
---------------
escolhido = 1 ->  movement was an  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was 
----------------
1 ->  was an elusive 
2 ->  was an inn 
3 ->  was an agony,
4 ->  was an exchange 
5 ->  was an attic 
6 ->  was an astonishing 
7 ->  was an intermittent,
8 ->  was an accident.
9 ->  was an absolute 
---------------
escolhido = 7 ->  was an intermittent, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an 
----------------
1 ->  an intermittent, metallic 
---------------
escolhido = 1 ->  an intermittent, metallic  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, 
----------------
1 ->  intermittent, metallic rattle.
---------------
escolhido = 1 ->  intermittent, metallic rattle. ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic 
----------------
1 ->  metallic rattle. That!
---------------
escolhido = 1 ->  metallic rattle. That! ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. 
----------------
1 ->  rattle. That! said 
---------------
escolhido = 1 ->  rattle. That! said  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! 
----------------
1 ->  That! said the 
---------------
escolhido = 1 ->  That! said the  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said 
----------------
1 ->  said the woman 
2 ->  said the woman 
3 ->  said the milkman,
4 ->  said the first 
5 ->  said the little 
6 ->  said the first 
7 ->  said the landlord,
8 ->  said the landlord;
9 ->  said the first 
10 ->  said the lieutenant.
11 ->  said the lieutenant.
12 ->  said the lieutenant,
13 ->  said the artilleryman.
14 ->  said the curate,
15 ->  said the slender 
16 ->  said the slender 
17 ->  said the people,
18 ->  said the curate,
19 ->  said the curate.
20 ->  said the artilleryman.
21 ->  said the artilleryman.
22 ->  said the artilleryman.
---------------
escolhido = 1 ->  said the woman  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the 
----------------
1 ->  the woman over 
2 ->  the woman over 
3 ->  the woman in 
---------------
escolhido = 1 ->  the woman over  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman 
----------------
1 ->  woman over the 
2 ->  woman over the 
---------------
escolhido = 2 ->  woman over the  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over 
----------------
1 ->  over the heath,
2 ->  over the palings 
3 ->  over the brim 
4 ->  over the Horsell 
5 ->  over the sand 
6 ->  over the arch,
7 ->  over the bridge.
8 ->  over the gate.
9 ->  over the gate.
10 ->  over the district 
11 ->  over the canal,
12 ->  over the strangers 
13 ->  over the young 
14 ->  over the hedge 
15 ->  over the trees 
16 ->  over the smoke 
17 ->  over the palings.
18 ->  over the railway 
19 ->  over the treetops 
20 ->  over the railway 
21 ->  over the bridge,
22 ->  over the treetops 
23 ->  over the trees.
24 ->  over the treetops.
25 ->  over the little 
26 ->  over the frothing,
27 ->  over the sky.
28 ->  over the hedge 
29 ->  over the South 
30 ->  over the south 
31 ->  over the trees 
32 ->  over the crest 
33 ->  over the surrounding 
34 ->  over the ground 
35 ->  over the Londonward 
36 ->  over the trees 
37 ->  over the bridges 
38 ->  over the poor 
39 ->  over the blue 
40 ->  over the smooth 
41 ->  over the housetops,
42 ->  over the table 
43 ->  over the still 
44 ->  over the shoulder 
45 ->  over the fallen 
46 ->  over the curate,
47 ->  over the kitchen.
48 ->  over the skeletons 
49 ->  over the pet 
50 ->  over the Serpentine.
51 ->  over the trees 
52 ->  over the bodies 
53 ->  over the blackened 
54 ->  over the country 
55 ->  over the world;
56 ->  over the buttresses 
---------------
escolhido = 34 ->  over the ground  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the 
----------------
1 ->  the ground heaved 
2 ->  the ground heave.
3 ->  the ground they 
4 ->  the ground in 
5 ->  the ground grey 
6 ->  the ground floor,
---------------
escolhido = 1 ->  the ground heaved  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground 
----------------
1 ->  ground heaved under 
---------------
escolhido = 1 ->  ground heaved under  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved 
----------------
1 ->  heaved under foot 
---------------
escolhido = 1 ->  heaved under foot  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under 
----------------
1 ->  under foot for 
2 ->  under foot and 
3 ->  under foot a 
---------------
escolhido = 1 ->  under foot for  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot 
----------------
1 ->  foot for days,
---------------
escolhido = 1 ->  foot for days, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for 
----------------
1 ->  for days, on 
---------------
escolhido = 1 ->  for days, on  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, 
----------------
1 ->  days, on account 
---------------
escolhido = 1 ->  days, on account  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on 
----------------
1 ->  on account of 
2 ->  on account of 
3 ->  on account of 
4 ->  on account of 
---------------
escolhido = 1 ->  on account of  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account 
----------------
1 ->  account of the 
2 ->  account of the 
3 ->  account of these 
4 ->  account of the 
5 ->  account of the 
6 ->  account of the 
7 ->  account of the 
8 ->  account of the 
---------------
escolhido = 7 ->  account of the  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of 
----------------
1 ->  of the nineteenth 
2 ->  of the mental 
3 ->  of the beasts 
4 ->  of the volume 
5 ->  of the earth 
6 ->  of the nineteenth 
7 ->  of the superficial 
8 ->  of the minds 
9 ->  of the markings 
10 ->  of the disk,
11 ->  of the huge 
12 ->  of the astronomical 
13 ->  of the twelfth;
14 ->  of the planet,
15 ->  of the gravest 
16 ->  of the eruption 
17 ->  of the red 
18 ->  of the clockwork 
19 ->  of the telescope,
20 ->  of the clockwork 
21 ->  of the material 
22 ->  of the outline 
23 ->  of the minute 
24 ->  of the firing 
25 ->  of the planets 
26 ->  of the planet 
27 ->  of the Zodiac 
28 ->  of the houses 
29 ->  of the red,
30 ->  of the first 
31 ->  of the projectile,
32 ->  of the pit 
33 ->  of the grey 
34 ->  of the end.
35 ->  of the body 
36 ->  of the cylinder.
37 ->  of the cylinder 
38 ->  of the circumference.
39 ->  of the confined 
40 ->  of the pit,
41 ->  of the public 
42 ->  of the cylinder.
43 ->  of the idea.
44 ->  of the Pit,
45 ->  of the group 
46 ->  of the common 
47 ->  of the cylinder,
48 ->  of the Thing 
49 ->  of the onlookers.
50 ->  of the common 
51 ->  of the evening 
52 ->  of the heat 
53 ->  of the day,
54 ->  of the few 
55 ->  of the pit,
56 ->  of the cylinder 
57 ->  of the pit 
58 ->  of the manor.
59 ->  of the privileged 
60 ->  of the sky 
61 ->  of the hole 
62 ->  of the cylinder 
63 ->  of the screw.
64 ->  of the cylinder 
65 ->  of the writhing 
66 ->  of the pit.
67 ->  of the people 
68 ->  of the pit.
69 ->  of the pit 
70 ->  of the cylinder.
71 ->  of the thing,
72 ->  of the cylinder,
73 ->  of the lungs 
74 ->  of the earth 
75 ->  of the immense 
76 ->  of the tedious 
77 ->  of the cylinder 
78 ->  of the aperture.
79 ->  of the pit 
80 ->  of the pit.
81 ->  of the shopman 
82 ->  of the cylinder 
83 ->  of the Martians 
84 ->  of the spectators 
85 ->  of the evening 
86 ->  of the pit,
87 ->  of the now 
88 ->  of the pit 
89 ->  of the pit,
90 ->  of the early 
91 ->  of the pine 
92 ->  of the evening 
93 ->  of the evening,
94 ->  of the Martians,
95 ->  of the dusk 
96 ->  of the matter.
97 ->  of the massacre 
98 ->  of the day,
99 ->  of the occasion.
100 ->  of the Heat 
101 ->  of the parabolic 
102 ->  of the pit,
103 ->  of the beech 
104 ->  of the gable 
105 ->  of the house 
106 ->  of the igniting 
107 ->  of the Martians;
108 ->  of the night 
109 ->  of the bridge.
110 ->  of the houses 
111 ->  of the stress 
112 ->  of the men,
113 ->  of the men 
114 ->  of the impossibility 
115 ->  of the Martians 
116 ->  of the earth 
117 ->  of the earth,
118 ->  of the invaders.
119 ->  of the events 
120 ->  of the Martians.
121 ->  of the commonplace 
122 ->  of the series 
123 ->  of the three 
124 ->  of the cylinder,
125 ->  of the shot 
126 ->  of the men 
127 ->  of the day,
128 ->  of the later 
129 ->  of the engines 
130 ->  of the common 
131 ->  of the three 
132 ->  of the world 
133 ->  of the common 
134 ->  of the common.
135 ->  of the regiment 
136 ->  of the business.
137 ->  of the Cardigan 
138 ->  of the burning 
139 ->  of the pine 
140 ->  of the greatest 
141 ->  of the thick 
142 ->  of the Cardigan 
143 ->  of the Martians 
144 ->  of the troops;
145 ->  of the possible 
146 ->  of the longer 
147 ->  of the common,
148 ->  of the military 
149 ->  of the military,
150 ->  of the killing 
151 ->  of the papers.
152 ->  of the lowing 
153 ->  of the trees 
154 ->  of the little 
155 ->  of the mosque 
156 ->  of the college 
157 ->  of the Martians 
158 ->  of the way.
159 ->  of the Oriental 
160 ->  of the trees,
161 ->  of the hill 
162 ->  of the dismounted 
163 ->  of the house 
164 ->  of the dog 
165 ->  of the smoke 
166 ->  of the road,
167 ->  of the hill 
168 ->  of the lighted 
169 ->  of the doorway,
170 ->  of the evenings 
171 ->  of the gathering 
172 ->  of the road 
173 ->  of the things 
174 ->  of the night.
175 ->  of the Wey,
176 ->  of the storm 
177 ->  of the gathering 
178 ->  of the Orphanage 
179 ->  of the hill,
180 ->  of the pine 
181 ->  of the thunder.
182 ->  of the second 
183 ->  of the overturned 
184 ->  of the wheel 
185 ->  of the limbs 
186 ->  of the lightning,
187 ->  of the ten 
188 ->  of the way,
189 ->  of the storm 
190 ->  of the Spotted 
191 ->  of the staircase,
192 ->  of the dead 
193 ->  of the staircase 
194 ->  of the room 
195 ->  of the Oriental 
196 ->  of the dying 
197 ->  of the study.
198 ->  of the houses 
199 ->  of the Potteries 
200 ->  of the burning 
201 ->  of the window 
202 ->  of the fence 
203 ->  of the house.
204 ->  of the fighting 
205 ->  of the ground.
206 ->  of the horse,
207 ->  of the funnel 
208 ->  of the ground,
209 ->  of the pit.
210 ->  of the road,
211 ->  of the Martian 
212 ->  of the survivors 
213 ->  of the water 
214 ->  of the darkness,
215 ->  of the open 
216 ->  of the east,
217 ->  of the metallic 
218 ->  of the Horse 
219 ->  of the Martians 
220 ->  of the country 
221 ->  of the woods,
222 ->  of the house,
223 ->  of the houses 
224 ->  of the inhabitants 
225 ->  of the Old 
226 ->  of the man 
227 ->  of the hill.
228 ->  of the 8th 
229 ->  of the Martians,
230 ->  of the Heat 
231 ->  of the road.
232 ->  of the Heat 
233 ->  of the houses,
234 ->  of the place,
235 ->  of the drinking 
236 ->  of the passage 
237 ->  of the time 
238 ->  of the inn,
239 ->  of the trees,
240 ->  of the armoured 
241 ->  of the people,
242 ->  of the people 
243 ->  of the river.
244 ->  of the people 
245 ->  of the confusion 
246 ->  of the Heat 
247 ->  of the other 
248 ->  of the Thing.
249 ->  of the water 
250 ->  of the Heat 
251 ->  of the Martians 
252 ->  of the heat,
253 ->  of the waves.
254 ->  of the machine.
255 ->  of the thing 
256 ->  of the Heat 
257 ->  of the Martians,
258 ->  of the water 
259 ->  of the Heat 
260 ->  of the Martians,
261 ->  of the Wey 
262 ->  of the foot 
263 ->  of the four 
264 ->  of the tidings 
265 ->  of the Martian 
266 ->  of the afternoon 
267 ->  of the houses 
268 ->  of the afternoon.
269 ->  of the curate,
270 ->  of the end,
271 ->  of the Lord!
272 ->  of the gathering 
273 ->  of the sunset.
274 ->  of the arrival 
275 ->  of the earths 
276 ->  of the pine 
277 ->  of the interruption 
278 ->  of the fighting 
279 ->  of the accident 
280 ->  of the Southampton 
281 ->  of the Martians 
282 ->  of the cylinder,
283 ->  of the Cardigan 
284 ->  of the nature 
285 ->  of the armoured 
286 ->  of the telegrams 
287 ->  of the local 
288 ->  of the underground 
289 ->  of the line 
290 ->  of the most 
291 ->  of the men 
292 ->  of the Martians!
293 ->  of the full 
294 ->  of the speed 
295 ->  of the machines 
296 ->  of the dispatch 
297 ->  of the strangest 
298 ->  of the cylinders,
299 ->  of the approach 
300 ->  of the people 
301 ->  of the safety 
302 ->  of the authorities 
303 ->  of the paper 
304 ->  of the fugitives 
305 ->  of the people 
306 ->  of the refugees 
307 ->  of the invaders 
308 ->  of the trouble.
309 ->  of the suddenly 
310 ->  of the window 
311 ->  of the window,
312 ->  of the side 
313 ->  of the growing 
314 ->  of the coming 
315 ->  of the great 
316 ->  of the houses 
317 ->  of the Commander 
318 ->  of the great 
319 ->  of the neighbouring 
320 ->  of the passing 
321 ->  of the expectant 
322 ->  of the guns 
323 ->  of the tripod 
324 ->  of the shells.
325 ->  of the second 
326 ->  of the Martian 
327 ->  of the men 
328 ->  of the hill 
329 ->  of the three,
330 ->  of the hills 
331 ->  of the road.
332 ->  of the Martians 
333 ->  of the darkling 
334 ->  of the daylight,
335 ->  of the river,
336 ->  of the Martian 
337 ->  of the farther 
338 ->  of the Martians,
339 ->  of the gunlike 
340 ->  of the one 
341 ->  of the gas,
342 ->  of the land 
343 ->  of the air,
344 ->  of the spectrum 
345 ->  of the nature 
346 ->  of the strangeness 
347 ->  of the village 
348 ->  of the distant 
349 ->  of the huge 
350 ->  of the electric 
351 ->  of the crescent 
352 ->  of the black 
353 ->  of the Thames 
354 ->  of the Heat 
355 ->  of the organised 
356 ->  of the torpedo 
357 ->  of the shots 
358 ->  of the attention,
359 ->  of the opaque 
360 ->  of the social 
361 ->  of the Thames 
362 ->  of the people 
363 ->  of the flight 
364 ->  of the trains 
365 ->  of the machine 
366 ->  of the fury 
367 ->  of the panic,
368 ->  of the crowd.
369 ->  of the wheel 
370 ->  of the place,
371 ->  of the invaders 
372 ->  of the fugitives 
373 ->  of the little 
374 ->  of the ladies,
375 ->  of the men 
376 ->  of the chaise.
377 ->  of the man 
378 ->  of the chaise 
379 ->  of the robbers 
380 ->  of the Martian 
381 ->  of the growing 
382 ->  of the great 
383 ->  of the immediate 
384 ->  of the Londoners 
385 ->  of the woman 
386 ->  of the lane,
387 ->  of the villas.
388 ->  of the sun,
389 ->  of the ground 
390 ->  of the lane 
391 ->  of the road 
392 ->  of the villas.
393 ->  of the Salvation 
394 ->  of the people 
395 ->  of the stream,
396 ->  of the way,
397 ->  of the way.
398 ->  of the men 
399 ->  of the houses.
400 ->  of the corner 
401 ->  of the horse.
402 ->  of the cart 
403 ->  of the road,
404 ->  of the poor 
405 ->  of the lane,
406 ->  of the dying 
407 ->  of the town 
408 ->  of the way.
409 ->  of the road,
410 ->  of the people 
411 ->  of the afternoon,
412 ->  of the day 
413 ->  of the Thames 
414 ->  of the tangled 
415 ->  of the road 
416 ->  of the world 
417 ->  of the rout 
418 ->  of the massacre 
419 ->  of the river,
420 ->  of the conquered 
421 ->  of the black 
422 ->  of the Tower 
423 ->  of the bridge 
424 ->  of the fifth 
425 ->  of the whole 
426 ->  of the Black 
427 ->  of the government 
428 ->  of the first 
429 ->  of the home 
430 ->  of the bread 
431 ->  of the inhabitants,
432 ->  of the destruction 
433 ->  of the invaders.
434 ->  of the sea,
435 ->  of the sea 
436 ->  of the Channel 
437 ->  of the Martian 
438 ->  of the sea,
439 ->  of the assurances 
440 ->  of the seats 
441 ->  of the passengers 
442 ->  of the sea,
443 ->  of the distant 
444 ->  of the big 
445 ->  of the steamer 
446 ->  of the multitudinous 
447 ->  of the throbbing 
448 ->  of the engines 
449 ->  of the little 
450 ->  of the steamboat 
451 ->  of the threatened 
452 ->  of the Essex 
453 ->  of the black 
454 ->  of the water 
455 ->  of the Heat 
456 ->  of the ships 
457 ->  of the Thunder 
458 ->  of the Martians 
459 ->  of the Thunder 
460 ->  of the golden 
461 ->  of the sunset 
462 ->  of the steamer 
463 ->  of the west,
464 ->  of the sun.
465 ->  of the greyness 
466 ->  of the night.
467 ->  of the experiences 
468 ->  of the panic 
469 ->  of the world.
470 ->  of the sight 
471 ->  of the house 
472 ->  of the next.
473 ->  of the front 
474 ->  of the scorched 
475 ->  of the Black 
476 ->  of the bedrooms.
477 ->  of the destruction 
478 ->  of the houses 
479 ->  of the Martians 
480 ->  of the Black 
481 ->  of the field,
482 ->  of the place.
483 ->  of the houses.
484 ->  of the same 
485 ->  of the ceiling 
486 ->  of the great 
487 ->  of the kitchen 
488 ->  of the window 
489 ->  of the kitchen 
490 ->  of the house 
491 ->  of the twilight 
492 ->  of the kitchen 
493 ->  of the scullery.
494 ->  of the kitchen 
495 ->  of the kitchen.
496 ->  of the plaster 
497 ->  of the house 
498 ->  of the adjacent 
499 ->  of the great 
500 ->  of the pit,
501 ->  of the pit,
502 ->  of the great 
503 ->  of the extraordinary 
504 ->  of the strange 
505 ->  of the cylinder.
506 ->  of the first 
507 ->  of the war.
508 ->  of the fighting 
509 ->  of the crabs 
510 ->  of the other 
511 ->  of the structure 
512 ->  of the outer 
513 ->  of the Martian 
514 ->  of the practice 
515 ->  of the tremendous 
516 ->  of the remains 
517 ->  of the victims 
518 ->  of the silicious 
519 ->  of the tumultuous 
520 ->  of the vertebrated 
521 ->  of the human 
522 ->  of the body 
523 ->  of the brain.
524 ->  of the body 
525 ->  of the animal 
526 ->  of the organism 
527 ->  of the rest 
528 ->  of the body.
529 ->  of the emotional 
530 ->  of the human 
531 ->  of the differences 
532 ->  of the red 
533 ->  of the pit 
534 ->  of the head 
535 ->  of the Martians 
536 ->  of the evolution 
537 ->  of the fixed 
538 ->  of the machinery 
539 ->  of the disks 
540 ->  of the slit,
541 ->  of the pieces 
542 ->  of the cylinder 
543 ->  of the sunlight 
544 ->  of the infinite 
545 ->  of the Martians 
546 ->  of the fighting 
547 ->  of the novel 
548 ->  of the handling 
549 ->  of the machine.
550 ->  of the pit.
551 ->  of the crude 
552 ->  of the pit.
553 ->  of the two 
554 ->  of the slit 
555 ->  of the slit,
556 ->  of the pit.
557 ->  of the machinery,
558 ->  of the machine 
559 ->  of the Martians 
560 ->  of the pit 
561 ->  of the pit 
562 ->  of the handling 
563 ->  of the curate 
564 ->  of the poor 
565 ->  of the food 
566 ->  of the eighth 
567 ->  of the earth 
568 ->  of the other 
569 ->  of the trumpet 
570 ->  of the Lord 
571 ->  of the body 
572 ->  of the coal 
573 ->  of the kitchen 
574 ->  of the blow 
575 ->  of the cellar 
576 ->  of the scullery,
577 ->  of the curate 
578 ->  of the manner 
579 ->  of the death 
580 ->  of the curate,
581 ->  of the red 
582 ->  of the place 
583 ->  of the Martians.
584 ->  of the dog 
585 ->  of the dead 
586 ->  of the killed,
587 ->  of the ruins.
588 ->  of the mound 
589 ->  of the air!
590 ->  of the weed 
591 ->  of the pit.
592 ->  of the red 
593 ->  of the Wey 
594 ->  of the Thames 
595 ->  of the desolation 
596 ->  of the familiar:
597 ->  of the daylight 
598 ->  of the Martians.
599 ->  of the place 
600 ->  of the flooded 
601 ->  of the body.
602 ->  of the world.
603 ->  of the curate,
604 ->  of the Martians,
605 ->  of the night,
606 ->  of the nearness 
607 ->  of the Martians 
608 ->  of the house 
609 ->  of the panic 
610 ->  of the vaguest.
611 ->  of the open,
612 ->  of the common.
613 ->  of the way,
614 ->  of the way.
615 ->  of the people 
616 ->  of the breed.
617 ->  of the back 
618 ->  of the hereafter.
619 ->  of the Lord.
620 ->  of the run,
621 ->  of the artilleryman,
622 ->  of the bushes,
623 ->  of the place,
624 ->  of the gulf 
625 ->  of the world 
626 ->  of the manholes,
627 ->  of the house.
628 ->  of the roof 
629 ->  of the parapet.
630 ->  of the sort 
631 ->  of the possibility 
632 ->  of the proportion 
633 ->  of the day.
634 ->  of the lane 
635 ->  of the burning 
636 ->  of the Fulham 
637 ->  of the metropolis,
638 ->  of the towers,
639 ->  of the road 
640 ->  of the houses.
641 ->  of the park,
642 ->  of the dead?
643 ->  of the poisons 
644 ->  of the liquors 
645 ->  of the cellars 
646 ->  of the houses.
647 ->  of the sunset 
648 ->  of the Martian 
649 ->  of the terraces,
650 ->  of the Martian 
651 ->  of the early 
652 ->  of the sun.
653 ->  of the hill,
654 ->  of the hood 
655 ->  of the redoubt 
656 ->  of the earth,
657 ->  of the shadows 
658 ->  of the pit,
659 ->  of the hill 
660 ->  of the rising 
661 ->  of the silent 
662 ->  of the Albert 
663 ->  of the church,
664 ->  of the Albert 
665 ->  of the Brompton 
666 ->  of the Crystal 
667 ->  of the multitudinous 
668 ->  of the swift 
669 ->  of the people 
670 ->  of the destroyer 
671 ->  of the hill,
672 ->  of the restorers 
673 ->  of the Martian 
674 ->  of the pit.
675 ->  of the fate 
676 ->  of the little 
677 ->  of the population 
678 ->  of the people 
679 ->  of the men,
680 ->  of the faces,
681 ->  of the few 
682 ->  of the mischief 
683 ->  of the bridge,
684 ->  of the common 
685 ->  of the red 
686 ->  of the first 
687 ->  of the Martian 
688 ->  of the railway 
689 ->  of the Black 
690 ->  of the country 
691 ->  of the red 
692 ->  of the line,
693 ->  of the foreground 
694 ->  of the eastward 
695 ->  of the horse 
696 ->  of the Spotted 
697 ->  of the open 
698 ->  of the catastrophe.
699 ->  of the opening 
700 ->  of the cylinder.
701 ->  of the civilising 
702 ->  of the faint 
703 ->  of the many 
704 ->  of the rapid 
705 ->  of the Martians 
706 ->  of the Martians 
707 ->  of the putrefactive 
708 ->  of the Black 
709 ->  of the Heat 
710 ->  of the black 
711 ->  of the brown 
712 ->  of the Martians,
713 ->  of the matter.
714 ->  of the gun 
715 ->  of the planet,
716 ->  of the next 
717 ->  of the inner 
718 ->  of the Martian 
719 ->  of the human 
720 ->  of the universe 
721 ->  of the commonweal 
722 ->  of the eager 
723 ->  of the Martian 
724 ->  of the sky,
725 ->  of the sun 
726 ->  of the solar 
727 ->  of the Martians 
728 ->  of the time 
729 ->  of the night.
730 ->  of the past,
731 ->  of the smoke 
---------------
escolhido = 298 ->  of the cylinders, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the 
----------------
1 ->  the cylinders, that 
---------------
escolhido = 1 ->  the cylinders, that  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, 
----------------
1 ->  cylinders, that at 
---------------
escolhido = 1 ->  cylinders, that at  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that 
----------------
1 ->  that at first 
2 ->  that at the 
3 ->  that at last 
4 ->  that at first 
5 ->  that at first 
6 ->  that at first 
---------------
escolhido = 3 ->  that at last  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at 
----------------
1 ->  at last upon 
2 ->  at last the 
3 ->  at last they 
4 ->  at last in 
5 ->  at last induced 
6 ->  at last agreed 
7 ->  at last in 
8 ->  at last towards 
9 ->  at last the 
10 ->  at last indistinguishable 
11 ->  at last along 
12 ->  at last we 
13 ->  at last felt 
14 ->  at last at 
15 ->  at last to 
16 ->  at last to 
17 ->  at last in 
18 ->  at last threatening.
19 ->  at last upon 
20 ->  at last I 
21 ->  at last it 
22 ->  at last into 
---------------
escolhido = 5 ->  at last induced  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last 
----------------
1 ->  last induced my 
---------------
escolhido = 1 ->  last induced my  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced 
----------------
1 ->  induced my brother 
---------------
escolhido = 1 ->  induced my brother  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my 
----------------
1 ->  my brother went 
2 ->  my brother reached 
3 ->  my brother for 
4 ->  my brother went 
5 ->  my brother he 
6 ->  my brother met 
7 ->  my brother said,
8 ->  my brother said,
9 ->  my brother saw 
10 ->  my brother said,
11 ->  my brother stared 
12 ->  my brother went 
13 ->  my brother hesitated 
14 ->  my brother read 
15 ->  my brother began 
16 ->  my brother was 
17 ->  my brother emerged 
18 ->  my brother struck 
19 ->  my brother to 
20 ->  my brother laid 
21 ->  my brother her 
22 ->  my brother looked 
23 ->  my brother found 
24 ->  my brother and 
25 ->  my brother in 
26 ->  my brother gathered 
27 ->  my brother leading 
28 ->  my brother told 
29 ->  my brother heard 
30 ->  my brother could 
31 ->  my brother noticed,
32 ->  my brother touched 
33 ->  my brother saw 
34 ->  my brother lugged 
35 ->  my brother fiercely,
36 ->  my brother was 
37 ->  my brother saw 
38 ->  my brother stopped 
39 ->  my brother plunged 
40 ->  my brother had 
41 ->  my brother could 
42 ->  my brother succeeded 
43 ->  my brother had 
44 ->  my brother saw 
45 ->  my brother for 
46 ->  my brother looked 
47 ->  my brother that 
---------------
escolhido = 27 ->  my brother leading  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother 
----------------
1 ->  brother leading the 
---------------
escolhido = 1 ->  brother leading the  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading 
----------------
1 ->  leading the pony 
---------------
escolhido = 1 ->  leading the pony  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the 
----------------
1 ->  the pony became 
2 ->  the pony to 
3 ->  the pony and 
4 ->  the pony round.
5 ->  the pony round 
6 ->  the pony across 
7 ->  the pony as 
---------------
escolhido = 6 ->  the pony across  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony 
----------------
1 ->  pony across its 
---------------
escolhido = 1 ->  pony across its  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across 
----------------
1 ->  across its head.
---------------
escolhido = 1 ->  across its head. ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its 
----------------
1 ->  its head. A 
---------------
escolhido = 1 ->  its head. A  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. 
----------------
1 ->  head. A waggon 
---------------
escolhido = 1 ->  head. A waggon  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A 
----------------
1 ->  A waggon locked 
---------------
escolhido = 1 ->  A waggon locked  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon 
----------------
1 ->  waggon locked wheels 
---------------
escolhido = 1 ->  waggon locked wheels  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked 
----------------
1 ->  locked wheels for 
---------------
escolhido = 1 ->  locked wheels for  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels 
----------------
1 ->  wheels for a 
---------------
escolhido = 1 ->  wheels for a  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for 
----------------
1 ->  for a walk 
2 ->  for a moment,
3 ->  for a time 
4 ->  for a time,
5 ->  for a time;
6 ->  for a struggle.
7 ->  for a moment 
8 ->  for a moment.
9 ->  for a lighted 
10 ->  for a third 
11 ->  for a long 
12 ->  for a time 
13 ->  for a flask,
14 ->  for a moment 
15 ->  for a moment 
16 ->  for a days 
17 ->  for a copy 
18 ->  for a shilling 
19 ->  for a milky 
20 ->  for a place 
21 ->  for a moment 
22 ->  for a pair 
23 ->  for a moment 
24 ->  for a chance 
25 ->  for a few 
26 ->  for a moment.
27 ->  for a second 
28 ->  for a moment 
29 ->  for a long 
30 ->  for a time 
31 ->  for a long 
32 ->  for a dominant 
33 ->  for a time 
34 ->  for a time.
35 ->  for a moment 
36 ->  for a moment 
37 ->  for a long 
38 ->  for a fighting 
39 ->  for a minute,
40 ->  for a time 
41 ->  for a day 
42 ->  for a bit,
43 ->  for a moment.
44 ->  for a million 
45 ->  for a sort 
46 ->  for a time,
47 ->  for a blackened 
---------------
escolhido = 25 ->  for a few  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a 
----------------
1 ->  a few heaps 
2 ->  a few yards 
3 ->  a few dark,
4 ->  a few valuables,
5 ->  a few minutes 
6 ->  a few people 
7 ->  a few paces,
8 ->  a few minutes 
9 ->  a few furtive 
10 ->  a few inches 
11 ->  a few minutes 
12 ->  a few score 
13 ->  a few miles 
14 ->  a few generations 
15 ->  a few days 
---------------
escolhido = 1 ->  a few heaps  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few 
----------------
1 ->  few heaps of 
---------------
escolhido = 1 ->  few heaps of  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps 
----------------
1 ->  heaps of sand.
2 ->  heaps of broken 
3 ->  heaps of sawdust 
---------------
escolhido = 2 ->  heaps of broken  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of 
----------------
1 ->  of broken red 
2 ->  of broken wall 
3 ->  of broken bricks 
---------------
escolhido = 3 ->  of broken bricks  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken 
----------------
1 ->  broken bricks in 
---------------
escolhido = 1 ->  broken bricks in  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks 
----------------
1 ->  bricks in the 
---------------
escolhido = 1 ->  bricks in the  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in 
----------------
1 ->  in the last 
2 ->  in the twentieth 
3 ->  in the space 
4 ->  in the same 
5 ->  in the nineteenth 
6 ->  in the issue 
7 ->  in the vast 
8 ->  in the papers 
9 ->  in the Daily 
10 ->  in the excess 
11 ->  in the corner,
12 ->  in the roof 
13 ->  in the field.
14 ->  in the field,
15 ->  in the darkness,
16 ->  in the blackness,
17 ->  in the darkness 
18 ->  in the two 
19 ->  in the political 
20 ->  in the upper 
21 ->  in the distance 
22 ->  in the morning,
23 ->  in the atmosphere.
24 ->  in the morning 
25 ->  in the pit 
26 ->  in the same 
27 ->  in the bright 
28 ->  in the ground.
29 ->  in the crack 
30 ->  in the three 
31 ->  in the road 
32 ->  in the sky 
33 ->  in the Chobham 
34 ->  in the interior.
35 ->  in the pit!
36 ->  in the confounded 
37 ->  in the air 
38 ->  in the air.
39 ->  in the oily 
40 ->  in the clumsy 
41 ->  in the deep 
42 ->  in the sand 
43 ->  in the heather,
44 ->  in the direction 
45 ->  in the pit?
46 ->  in the sand 
47 ->  in the west 
48 ->  in the gloaming.
49 ->  in the gate 
50 ->  in the pretty 
51 ->  in the second 
52 ->  in the pit,
53 ->  in the Mauritius 
54 ->  in the village 
55 ->  in the public 
56 ->  in the sky.
57 ->  in the most 
58 ->  in the day,
59 ->  in the Chertsey 
60 ->  in the hands 
61 ->  in the town 
62 ->  in the presence 
63 ->  in the afternoon.
64 ->  in the hope 
65 ->  in the evening,
66 ->  in the summerhouse 
67 ->  in the air 
68 ->  in the light 
69 ->  in the dark 
70 ->  in the valley 
71 ->  in the air,
72 ->  in the pine 
73 ->  in the water,
74 ->  in the field.
75 ->  in the field 
76 ->  in the rain 
77 ->  in the distance 
78 ->  in the lightning,
79 ->  in the wood,
80 ->  in the heavy 
81 ->  in the darkness 
82 ->  in the road.
83 ->  in the doorway.
84 ->  in the air.
85 ->  in the last 
86 ->  in the glare 
87 ->  in the artillery,
88 ->  in the hope 
89 ->  in the pantry 
90 ->  in the pitiless 
91 ->  in the history 
92 ->  in the end 
93 ->  in the road,
94 ->  in the same 
95 ->  in the village 
96 ->  in the special 
97 ->  in the end.
98 ->  in the warm 
99 ->  in the houses 
100 ->  in the sun 
101 ->  in the air,
102 ->  in the boats 
103 ->  in the air 
104 ->  in the face 
105 ->  in the water 
106 ->  in the water,
107 ->  in the steam,
108 ->  in the almost 
109 ->  in the river 
110 ->  in the power 
111 ->  in the boat,
112 ->  in the shadow 
113 ->  in the direction 
114 ->  in the sky?
115 ->  in the sky.
116 ->  in the midst 
117 ->  in the sky 
118 ->  in the west 
119 ->  in the planets,
120 ->  in the crammers 
121 ->  in the streets.
122 ->  in the papers 
123 ->  in the station,
124 ->  in the Sunday 
125 ->  in the Londoners 
126 ->  in the papers,
127 ->  in the Referee 
128 ->  in the afternoon,
129 ->  in the morning,
130 ->  in the morning 
131 ->  in the air.
132 ->  in the station 
133 ->  in the west.
134 ->  in the country 
135 ->  in the circle 
136 ->  in the extreme,
137 ->  in the threatened 
138 ->  in the Strand 
139 ->  in the face.
140 ->  in the early 
141 ->  in the streets 
142 ->  in the main 
143 ->  in the Marylebone 
144 ->  in the south.
145 ->  in the small 
146 ->  in the street,
147 ->  in the houses 
148 ->  in the distance.
149 ->  in the Thames 
150 ->  in the rooms 
151 ->  in the houses 
152 ->  in the Park 
153 ->  in the hundred 
154 ->  in the small 
155 ->  in the houses,
156 ->  in the rooms,
157 ->  in the flat 
158 ->  in the Horsell 
159 ->  in the repair 
160 ->  in the huge 
161 ->  in the early 
162 ->  in the back 
163 ->  in the twilight.
164 ->  in the great 
165 ->  in the case 
166 ->  in the form 
167 ->  in the blue 
168 ->  in the air,
169 ->  in the starlight 
170 ->  in the southwest,
171 ->  in the twilight.
172 ->  in the world 
173 ->  in the Thames,
174 ->  in the carriages 
175 ->  in the goods 
176 ->  in the sack 
177 ->  in the roadway,
178 ->  in the main 
179 ->  in the doorways 
180 ->  in the place.
181 ->  in the direction 
182 ->  in the face.
183 ->  in the road 
184 ->  in the small 
185 ->  in the morning,
186 ->  in the hedge.
187 ->  in the sky,
188 ->  in the other.
189 ->  in the cart.
190 ->  in the blaze 
191 ->  in the lane.
192 ->  in the ditches,
193 ->  in the uniform 
194 ->  in the dust.
195 ->  in the carts 
196 ->  in the bottoms 
197 ->  in the clothes 
198 ->  in the crowd,
199 ->  in the traces.
200 ->  in the dust 
201 ->  in the torrent 
202 ->  in the lane 
203 ->  in the ditch 
204 ->  in the stream 
205 ->  in the evening 
206 ->  in the direction 
207 ->  in the blazing 
208 ->  in the last 
209 ->  in the history 
210 ->  in the southward 
211 ->  in the afternoon 
212 ->  in the northern 
213 ->  in the chaise 
214 ->  in the northern 
215 ->  in the neighbourhood.
216 ->  in the water,
217 ->  in the afternoon,
218 ->  in the south.
219 ->  in the southeast 
220 ->  in the south.
221 ->  in the remote 
222 ->  in the air,
223 ->  in the water 
224 ->  in the air.
225 ->  in the crowding 
226 ->  in the strangest 
227 ->  in the western 
228 ->  in the empty 
229 ->  in the next 
230 ->  in the distance 
231 ->  in the blackened 
232 ->  in the twilight 
233 ->  in the shed,
234 ->  in the direction 
235 ->  in the place 
236 ->  in the pantry 
237 ->  in the adjacent 
238 ->  in the dark 
239 ->  in the kitchen 
240 ->  in the wall 
241 ->  in the fashion,
242 ->  in the wall 
243 ->  in the scullery;
244 ->  in the pantry 
245 ->  in the wall 
246 ->  in the debris,
247 ->  in the centre 
248 ->  in the excavation,
249 ->  in the convulsive 
250 ->  in the Martians.
251 ->  in the fresh 
252 ->  in the direction 
253 ->  in the Martians 
254 ->  in the able 
255 ->  in the other 
256 ->  in the beginning 
257 ->  in the wet.
258 ->  in the crablike 
259 ->  in the sunset 
260 ->  in the sunlight,
261 ->  in the dazzle 
262 ->  in the darkness 
263 ->  in the house 
264 ->  in the pitiless 
265 ->  in the pit.
266 ->  in the darkness,
267 ->  in the scullery,
268 ->  in the possibility 
269 ->  in the wall 
270 ->  in the night,
271 ->  in the remoter 
272 ->  in the darkness,
273 ->  in the pantry,
274 ->  in the dust,
275 ->  in the darkness 
276 ->  in the wall 
277 ->  in the room,
278 ->  in the darkness 
279 ->  in the darkness,
280 ->  in the scullery,
281 ->  in the close 
282 ->  in the darkness 
283 ->  in the wall,
284 ->  in the kitchen,
285 ->  in the corner,
286 ->  in the pit.
287 ->  in the sand.
288 ->  in the daylight 
289 ->  in the red 
290 ->  in the wood 
291 ->  in the garden 
292 ->  in the dusk 
293 ->  in the inn 
294 ->  in the night.
295 ->  in the night 
296 ->  in the ruins 
297 ->  in the glare 
298 ->  in the air.
299 ->  in the world.
300 ->  in the observatory.
301 ->  in the open 
302 ->  in the practicability 
303 ->  in the bushes 
304 ->  in the cellar,
305 ->  in the morning.
306 ->  in the deep 
307 ->  in the west,
308 ->  in the streets 
309 ->  in the length 
310 ->  in the City,
311 ->  in the chemists 
312 ->  in the bar 
313 ->  in the clearness 
314 ->  in the trees,
315 ->  in the park 
316 ->  in the dimness.
317 ->  in the white 
318 ->  in the sky 
319 ->  in the half 
320 ->  in the now 
321 ->  in the night.
322 ->  in the depth 
323 ->  in the brightness 
324 ->  in the great 
325 ->  in the sunrise,
326 ->  in the streets,
327 ->  in the empty 
328 ->  in the cabmens 
329 ->  in the world 
330 ->  in the mere 
331 ->  in the train,
332 ->  in the midst 
333 ->  in the morning 
334 ->  in the thunderstorm.
335 ->  in the body 
336 ->  in the green,
337 ->  in the blood.
338 ->  in the failure 
339 ->  in the same 
340 ->  in the larger 
341 ->  in the future 
342 ->  in the darkness 
---------------
escolhido = 83 ->  in the doorway. ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the 
----------------
1 ->  the doorway. The 
---------------
escolhido = 1 ->  the doorway. The  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. 
----------------
1 ->  doorway. The thunderstorm 
---------------
escolhido = 1 ->  doorway. The thunderstorm  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The 
----------------
1 ->  The thunderstorm had 
---------------
escolhido = 1 ->  The thunderstorm had  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm 
----------------
1 ->  thunderstorm had passed.
---------------
escolhido = 1 ->  thunderstorm had passed. ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had 
----------------
1 ->  had passed. I 
2 ->  had passed. The 
---------------
escolhido = 2 ->  had passed. The  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. 
----------------
1 ->  passed. The towers 
2 ->  passed. The wailing 
---------------
escolhido = 1 ->  passed. The towers  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The 
----------------
1 ->  The towers of 
---------------
escolhido = 1 ->  The towers of  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers 
----------------
1 ->  towers of the 
2 ->  towers of shining 
3 ->  towers of the 
---------------
escolhido = 1 ->  towers of the  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of 
----------------
1 ->  of the nineteenth 
2 ->  of the mental 
3 ->  of the beasts 
4 ->  of the volume 
5 ->  of the earth 
6 ->  of the nineteenth 
7 ->  of the superficial 
8 ->  of the minds 
9 ->  of the markings 
10 ->  of the disk,
11 ->  of the huge 
12 ->  of the astronomical 
13 ->  of the twelfth;
14 ->  of the planet,
15 ->  of the gravest 
16 ->  of the eruption 
17 ->  of the red 
18 ->  of the clockwork 
19 ->  of the telescope,
20 ->  of the clockwork 
21 ->  of the material 
22 ->  of the outline 
23 ->  of the minute 
24 ->  of the firing 
25 ->  of the planets 
26 ->  of the planet 
27 ->  of the Zodiac 
28 ->  of the houses 
29 ->  of the red,
30 ->  of the first 
31 ->  of the projectile,
32 ->  of the pit 
33 ->  of the grey 
34 ->  of the end.
35 ->  of the body 
36 ->  of the cylinder.
37 ->  of the cylinder 
38 ->  of the circumference.
39 ->  of the confined 
40 ->  of the pit,
41 ->  of the public 
42 ->  of the cylinder.
43 ->  of the idea.
44 ->  of the Pit,
45 ->  of the group 
46 ->  of the common 
47 ->  of the cylinder,
48 ->  of the Thing 
49 ->  of the onlookers.
50 ->  of the common 
51 ->  of the evening 
52 ->  of the heat 
53 ->  of the day,
54 ->  of the few 
55 ->  of the pit,
56 ->  of the cylinder 
57 ->  of the pit 
58 ->  of the manor.
59 ->  of the privileged 
60 ->  of the sky 
61 ->  of the hole 
62 ->  of the cylinder 
63 ->  of the screw.
64 ->  of the cylinder 
65 ->  of the writhing 
66 ->  of the pit.
67 ->  of the people 
68 ->  of the pit.
69 ->  of the pit 
70 ->  of the cylinder.
71 ->  of the thing,
72 ->  of the cylinder,
73 ->  of the lungs 
74 ->  of the earth 
75 ->  of the immense 
76 ->  of the tedious 
77 ->  of the cylinder 
78 ->  of the aperture.
79 ->  of the pit 
80 ->  of the pit.
81 ->  of the shopman 
82 ->  of the cylinder 
83 ->  of the Martians 
84 ->  of the spectators 
85 ->  of the evening 
86 ->  of the pit,
87 ->  of the now 
88 ->  of the pit 
89 ->  of the pit,
90 ->  of the early 
91 ->  of the pine 
92 ->  of the evening 
93 ->  of the evening,
94 ->  of the Martians,
95 ->  of the dusk 
96 ->  of the matter.
97 ->  of the massacre 
98 ->  of the day,
99 ->  of the occasion.
100 ->  of the Heat 
101 ->  of the parabolic 
102 ->  of the pit,
103 ->  of the beech 
104 ->  of the gable 
105 ->  of the house 
106 ->  of the igniting 
107 ->  of the Martians;
108 ->  of the night 
109 ->  of the bridge.
110 ->  of the houses 
111 ->  of the stress 
112 ->  of the men,
113 ->  of the men 
114 ->  of the impossibility 
115 ->  of the Martians 
116 ->  of the earth 
117 ->  of the earth,
118 ->  of the invaders.
119 ->  of the events 
120 ->  of the Martians.
121 ->  of the commonplace 
122 ->  of the series 
123 ->  of the three 
124 ->  of the cylinder,
125 ->  of the shot 
126 ->  of the men 
127 ->  of the day,
128 ->  of the later 
129 ->  of the engines 
130 ->  of the common 
131 ->  of the three 
132 ->  of the world 
133 ->  of the common 
134 ->  of the common.
135 ->  of the regiment 
136 ->  of the business.
137 ->  of the Cardigan 
138 ->  of the burning 
139 ->  of the pine 
140 ->  of the greatest 
141 ->  of the thick 
142 ->  of the Cardigan 
143 ->  of the Martians 
144 ->  of the troops;
145 ->  of the possible 
146 ->  of the longer 
147 ->  of the common,
148 ->  of the military 
149 ->  of the military,
150 ->  of the killing 
151 ->  of the papers.
152 ->  of the lowing 
153 ->  of the trees 
154 ->  of the little 
155 ->  of the mosque 
156 ->  of the college 
157 ->  of the Martians 
158 ->  of the way.
159 ->  of the Oriental 
160 ->  of the trees,
161 ->  of the hill 
162 ->  of the dismounted 
163 ->  of the house 
164 ->  of the dog 
165 ->  of the smoke 
166 ->  of the road,
167 ->  of the hill 
168 ->  of the lighted 
169 ->  of the doorway,
170 ->  of the evenings 
171 ->  of the gathering 
172 ->  of the road 
173 ->  of the things 
174 ->  of the night.
175 ->  of the Wey,
176 ->  of the storm 
177 ->  of the gathering 
178 ->  of the Orphanage 
179 ->  of the hill,
180 ->  of the pine 
181 ->  of the thunder.
182 ->  of the second 
183 ->  of the overturned 
184 ->  of the wheel 
185 ->  of the limbs 
186 ->  of the lightning,
187 ->  of the ten 
188 ->  of the way,
189 ->  of the storm 
190 ->  of the Spotted 
191 ->  of the staircase,
192 ->  of the dead 
193 ->  of the staircase 
194 ->  of the room 
195 ->  of the Oriental 
196 ->  of the dying 
197 ->  of the study.
198 ->  of the houses 
199 ->  of the Potteries 
200 ->  of the burning 
201 ->  of the window 
202 ->  of the fence 
203 ->  of the house.
204 ->  of the fighting 
205 ->  of the ground.
206 ->  of the horse,
207 ->  of the funnel 
208 ->  of the ground,
209 ->  of the pit.
210 ->  of the road,
211 ->  of the Martian 
212 ->  of the survivors 
213 ->  of the water 
214 ->  of the darkness,
215 ->  of the open 
216 ->  of the east,
217 ->  of the metallic 
218 ->  of the Horse 
219 ->  of the Martians 
220 ->  of the country 
221 ->  of the woods,
222 ->  of the house,
223 ->  of the houses 
224 ->  of the inhabitants 
225 ->  of the Old 
226 ->  of the man 
227 ->  of the hill.
228 ->  of the 8th 
229 ->  of the Martians,
230 ->  of the Heat 
231 ->  of the road.
232 ->  of the Heat 
233 ->  of the houses,
234 ->  of the place,
235 ->  of the drinking 
236 ->  of the passage 
237 ->  of the time 
238 ->  of the inn,
239 ->  of the trees,
240 ->  of the armoured 
241 ->  of the people,
242 ->  of the people 
243 ->  of the river.
244 ->  of the people 
245 ->  of the confusion 
246 ->  of the Heat 
247 ->  of the other 
248 ->  of the Thing.
249 ->  of the water 
250 ->  of the Heat 
251 ->  of the Martians 
252 ->  of the heat,
253 ->  of the waves.
254 ->  of the machine.
255 ->  of the thing 
256 ->  of the Heat 
257 ->  of the Martians,
258 ->  of the water 
259 ->  of the Heat 
260 ->  of the Martians,
261 ->  of the Wey 
262 ->  of the foot 
263 ->  of the four 
264 ->  of the tidings 
265 ->  of the Martian 
266 ->  of the afternoon 
267 ->  of the houses 
268 ->  of the afternoon.
269 ->  of the curate,
270 ->  of the end,
271 ->  of the Lord!
272 ->  of the gathering 
273 ->  of the sunset.
274 ->  of the arrival 
275 ->  of the earths 
276 ->  of the pine 
277 ->  of the interruption 
278 ->  of the fighting 
279 ->  of the accident 
280 ->  of the Southampton 
281 ->  of the Martians 
282 ->  of the cylinder,
283 ->  of the Cardigan 
284 ->  of the nature 
285 ->  of the armoured 
286 ->  of the telegrams 
287 ->  of the local 
288 ->  of the underground 
289 ->  of the line 
290 ->  of the most 
291 ->  of the men 
292 ->  of the Martians!
293 ->  of the full 
294 ->  of the speed 
295 ->  of the machines 
296 ->  of the dispatch 
297 ->  of the strangest 
298 ->  of the cylinders,
299 ->  of the approach 
300 ->  of the people 
301 ->  of the safety 
302 ->  of the authorities 
303 ->  of the paper 
304 ->  of the fugitives 
305 ->  of the people 
306 ->  of the refugees 
307 ->  of the invaders 
308 ->  of the trouble.
309 ->  of the suddenly 
310 ->  of the window 
311 ->  of the window,
312 ->  of the side 
313 ->  of the growing 
314 ->  of the coming 
315 ->  of the great 
316 ->  of the houses 
317 ->  of the Commander 
318 ->  of the great 
319 ->  of the neighbouring 
320 ->  of the passing 
321 ->  of the expectant 
322 ->  of the guns 
323 ->  of the tripod 
324 ->  of the shells.
325 ->  of the second 
326 ->  of the Martian 
327 ->  of the men 
328 ->  of the hill 
329 ->  of the three,
330 ->  of the hills 
331 ->  of the road.
332 ->  of the Martians 
333 ->  of the darkling 
334 ->  of the daylight,
335 ->  of the river,
336 ->  of the Martian 
337 ->  of the farther 
338 ->  of the Martians,
339 ->  of the gunlike 
340 ->  of the one 
341 ->  of the gas,
342 ->  of the land 
343 ->  of the air,
344 ->  of the spectrum 
345 ->  of the nature 
346 ->  of the strangeness 
347 ->  of the village 
348 ->  of the distant 
349 ->  of the huge 
350 ->  of the electric 
351 ->  of the crescent 
352 ->  of the black 
353 ->  of the Thames 
354 ->  of the Heat 
355 ->  of the organised 
356 ->  of the torpedo 
357 ->  of the shots 
358 ->  of the attention,
359 ->  of the opaque 
360 ->  of the social 
361 ->  of the Thames 
362 ->  of the people 
363 ->  of the flight 
364 ->  of the trains 
365 ->  of the machine 
366 ->  of the fury 
367 ->  of the panic,
368 ->  of the crowd.
369 ->  of the wheel 
370 ->  of the place,
371 ->  of the invaders 
372 ->  of the fugitives 
373 ->  of the little 
374 ->  of the ladies,
375 ->  of the men 
376 ->  of the chaise.
377 ->  of the man 
378 ->  of the chaise 
379 ->  of the robbers 
380 ->  of the Martian 
381 ->  of the growing 
382 ->  of the great 
383 ->  of the immediate 
384 ->  of the Londoners 
385 ->  of the woman 
386 ->  of the lane,
387 ->  of the villas.
388 ->  of the sun,
389 ->  of the ground 
390 ->  of the lane 
391 ->  of the road 
392 ->  of the villas.
393 ->  of the Salvation 
394 ->  of the people 
395 ->  of the stream,
396 ->  of the way,
397 ->  of the way.
398 ->  of the men 
399 ->  of the houses.
400 ->  of the corner 
401 ->  of the horse.
402 ->  of the cart 
403 ->  of the road,
404 ->  of the poor 
405 ->  of the lane,
406 ->  of the dying 
407 ->  of the town 
408 ->  of the way.
409 ->  of the road,
410 ->  of the people 
411 ->  of the afternoon,
412 ->  of the day 
413 ->  of the Thames 
414 ->  of the tangled 
415 ->  of the road 
416 ->  of the world 
417 ->  of the rout 
418 ->  of the massacre 
419 ->  of the river,
420 ->  of the conquered 
421 ->  of the black 
422 ->  of the Tower 
423 ->  of the bridge 
424 ->  of the fifth 
425 ->  of the whole 
426 ->  of the Black 
427 ->  of the government 
428 ->  of the first 
429 ->  of the home 
430 ->  of the bread 
431 ->  of the inhabitants,
432 ->  of the destruction 
433 ->  of the invaders.
434 ->  of the sea,
435 ->  of the sea 
436 ->  of the Channel 
437 ->  of the Martian 
438 ->  of the sea,
439 ->  of the assurances 
440 ->  of the seats 
441 ->  of the passengers 
442 ->  of the sea,
443 ->  of the distant 
444 ->  of the big 
445 ->  of the steamer 
446 ->  of the multitudinous 
447 ->  of the throbbing 
448 ->  of the engines 
449 ->  of the little 
450 ->  of the steamboat 
451 ->  of the threatened 
452 ->  of the Essex 
453 ->  of the black 
454 ->  of the water 
455 ->  of the Heat 
456 ->  of the ships 
457 ->  of the Thunder 
458 ->  of the Martians 
459 ->  of the Thunder 
460 ->  of the golden 
461 ->  of the sunset 
462 ->  of the steamer 
463 ->  of the west,
464 ->  of the sun.
465 ->  of the greyness 
466 ->  of the night.
467 ->  of the experiences 
468 ->  of the panic 
469 ->  of the world.
470 ->  of the sight 
471 ->  of the house 
472 ->  of the next.
473 ->  of the front 
474 ->  of the scorched 
475 ->  of the Black 
476 ->  of the bedrooms.
477 ->  of the destruction 
478 ->  of the houses 
479 ->  of the Martians 
480 ->  of the Black 
481 ->  of the field,
482 ->  of the place.
483 ->  of the houses.
484 ->  of the same 
485 ->  of the ceiling 
486 ->  of the great 
487 ->  of the kitchen 
488 ->  of the window 
489 ->  of the kitchen 
490 ->  of the house 
491 ->  of the twilight 
492 ->  of the kitchen 
493 ->  of the scullery.
494 ->  of the kitchen 
495 ->  of the kitchen.
496 ->  of the plaster 
497 ->  of the house 
498 ->  of the adjacent 
499 ->  of the great 
500 ->  of the pit,
501 ->  of the pit,
502 ->  of the great 
503 ->  of the extraordinary 
504 ->  of the strange 
505 ->  of the cylinder.
506 ->  of the first 
507 ->  of the war.
508 ->  of the fighting 
509 ->  of the crabs 
510 ->  of the other 
511 ->  of the structure 
512 ->  of the outer 
513 ->  of the Martian 
514 ->  of the practice 
515 ->  of the tremendous 
516 ->  of the remains 
517 ->  of the victims 
518 ->  of the silicious 
519 ->  of the tumultuous 
520 ->  of the vertebrated 
521 ->  of the human 
522 ->  of the body 
523 ->  of the brain.
524 ->  of the body 
525 ->  of the animal 
526 ->  of the organism 
527 ->  of the rest 
528 ->  of the body.
529 ->  of the emotional 
530 ->  of the human 
531 ->  of the differences 
532 ->  of the red 
533 ->  of the pit 
534 ->  of the head 
535 ->  of the Martians 
536 ->  of the evolution 
537 ->  of the fixed 
538 ->  of the machinery 
539 ->  of the disks 
540 ->  of the slit,
541 ->  of the pieces 
542 ->  of the cylinder 
543 ->  of the sunlight 
544 ->  of the infinite 
545 ->  of the Martians 
546 ->  of the fighting 
547 ->  of the novel 
548 ->  of the handling 
549 ->  of the machine.
550 ->  of the pit.
551 ->  of the crude 
552 ->  of the pit.
553 ->  of the two 
554 ->  of the slit 
555 ->  of the slit,
556 ->  of the pit.
557 ->  of the machinery,
558 ->  of the machine 
559 ->  of the Martians 
560 ->  of the pit 
561 ->  of the pit 
562 ->  of the handling 
563 ->  of the curate 
564 ->  of the poor 
565 ->  of the food 
566 ->  of the eighth 
567 ->  of the earth 
568 ->  of the other 
569 ->  of the trumpet 
570 ->  of the Lord 
571 ->  of the body 
572 ->  of the coal 
573 ->  of the kitchen 
574 ->  of the blow 
575 ->  of the cellar 
576 ->  of the scullery,
577 ->  of the curate 
578 ->  of the manner 
579 ->  of the death 
580 ->  of the curate,
581 ->  of the red 
582 ->  of the place 
583 ->  of the Martians.
584 ->  of the dog 
585 ->  of the dead 
586 ->  of the killed,
587 ->  of the ruins.
588 ->  of the mound 
589 ->  of the air!
590 ->  of the weed 
591 ->  of the pit.
592 ->  of the red 
593 ->  of the Wey 
594 ->  of the Thames 
595 ->  of the desolation 
596 ->  of the familiar:
597 ->  of the daylight 
598 ->  of the Martians.
599 ->  of the place 
600 ->  of the flooded 
601 ->  of the body.
602 ->  of the world.
603 ->  of the curate,
604 ->  of the Martians,
605 ->  of the night,
606 ->  of the nearness 
607 ->  of the Martians 
608 ->  of the house 
609 ->  of the panic 
610 ->  of the vaguest.
611 ->  of the open,
612 ->  of the common.
613 ->  of the way,
614 ->  of the way.
615 ->  of the people 
616 ->  of the breed.
617 ->  of the back 
618 ->  of the hereafter.
619 ->  of the Lord.
620 ->  of the run,
621 ->  of the artilleryman,
622 ->  of the bushes,
623 ->  of the place,
624 ->  of the gulf 
625 ->  of the world 
626 ->  of the manholes,
627 ->  of the house.
628 ->  of the roof 
629 ->  of the parapet.
630 ->  of the sort 
631 ->  of the possibility 
632 ->  of the proportion 
633 ->  of the day.
634 ->  of the lane 
635 ->  of the burning 
636 ->  of the Fulham 
637 ->  of the metropolis,
638 ->  of the towers,
639 ->  of the road 
640 ->  of the houses.
641 ->  of the park,
642 ->  of the dead?
643 ->  of the poisons 
644 ->  of the liquors 
645 ->  of the cellars 
646 ->  of the houses.
647 ->  of the sunset 
648 ->  of the Martian 
649 ->  of the terraces,
650 ->  of the Martian 
651 ->  of the early 
652 ->  of the sun.
653 ->  of the hill,
654 ->  of the hood 
655 ->  of the redoubt 
656 ->  of the earth,
657 ->  of the shadows 
658 ->  of the pit,
659 ->  of the hill 
660 ->  of the rising 
661 ->  of the silent 
662 ->  of the Albert 
663 ->  of the church,
664 ->  of the Albert 
665 ->  of the Brompton 
666 ->  of the Crystal 
667 ->  of the multitudinous 
668 ->  of the swift 
669 ->  of the people 
670 ->  of the destroyer 
671 ->  of the hill,
672 ->  of the restorers 
673 ->  of the Martian 
674 ->  of the pit.
675 ->  of the fate 
676 ->  of the little 
677 ->  of the population 
678 ->  of the people 
679 ->  of the men,
680 ->  of the faces,
681 ->  of the few 
682 ->  of the mischief 
683 ->  of the bridge,
684 ->  of the common 
685 ->  of the red 
686 ->  of the first 
687 ->  of the Martian 
688 ->  of the railway 
689 ->  of the Black 
690 ->  of the country 
691 ->  of the red 
692 ->  of the line,
693 ->  of the foreground 
694 ->  of the eastward 
695 ->  of the horse 
696 ->  of the Spotted 
697 ->  of the open 
698 ->  of the catastrophe.
699 ->  of the opening 
700 ->  of the cylinder.
701 ->  of the civilising 
702 ->  of the faint 
703 ->  of the many 
704 ->  of the rapid 
705 ->  of the Martians 
706 ->  of the Martians 
707 ->  of the putrefactive 
708 ->  of the Black 
709 ->  of the Heat 
710 ->  of the black 
711 ->  of the brown 
712 ->  of the Martians,
713 ->  of the matter.
714 ->  of the gun 
715 ->  of the planet,
716 ->  of the next 
717 ->  of the inner 
718 ->  of the Martian 
719 ->  of the human 
720 ->  of the universe 
721 ->  of the commonweal 
722 ->  of the eager 
723 ->  of the Martian 
724 ->  of the sky,
725 ->  of the sun 
726 ->  of the solar 
727 ->  of the Martians 
728 ->  of the time 
729 ->  of the night.
730 ->  of the past,
731 ->  of the smoke 
---------------
escolhido = 695 ->  of the horse  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the 
----------------
1 ->  the horse with 
2 ->  the horse had 
3 ->  the horse scattered 
---------------
escolhido = 3 ->  the horse scattered  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse 
----------------
1 ->  horse scattered and 
---------------
escolhido = 1 ->  horse scattered and  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered 
----------------
1 ->  scattered and gnawed.
---------------
escolhido = 1 ->  scattered and gnawed. ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and 
----------------
1 ->  and gnawed. For 
---------------
escolhido = 1 ->  and gnawed. For  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. 
----------------
1 ->  gnawed. For a 
---------------
escolhido = 1 ->  gnawed. For a  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For 
----------------
1 ->  For a minute 
2 ->  For a moment 
3 ->  For a moment,
4 ->  For a moment 
5 ->  For a moment 
6 ->  For a long 
7 ->  For a moment 
8 ->  For a time 
9 ->  For a moment 
10 ->  For a long 
11 ->  For a day 
12 ->  For a time 
13 ->  For a time 
14 ->  For a time 
15 ->  For a minute 
16 ->  For a time,
17 ->  For a few 
18 ->  For a time 
19 ->  For a while 
20 ->  For a time 
21 ->  For a minute 
22 ->  For a long 
23 ->  For a time 
24 ->  For a while 
25 ->  For a space 
26 ->  For a moment 
27 ->  For a time 
28 ->  For a space 
---------------
escolhido = 1 ->  For a minute  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a 
----------------
1 ->  a minute he 
2 ->  a minute or 
3 ->  a minute before 
4 ->  a minute she 
5 ->  a minute or 
6 ->  a minute I 
---------------
escolhido = 4 ->  a minute she  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute 
----------------
1 ->  minute she seemed 
---------------
escolhido = 1 ->  minute she seemed  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she 
----------------
1 ->  she seemed halfway 
---------------
escolhido = 1 ->  she seemed halfway  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed 
----------------
1 ->  seemed halfway between 
---------------
escolhido = 1 ->  seemed halfway between  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway 
----------------
1 ->  halfway between the 
---------------
escolhido = 1 ->  halfway between the  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between 
----------------
1 ->  between the top 
2 ->  between the lid 
3 ->  between the hedges 
4 ->  between the high 
5 ->  between the crossroads 
6 ->  between the South 
7 ->  between the Woking 
8 ->  between the parapets 
9 ->  between the eyes,
10 ->  between the villas 
11 ->  between the backs 
12 ->  between the houses 
13 ->  between the villas 
14 ->  between the arches 
15 ->  between the steamboat 
16 ->  between the ironclads 
17 ->  between the life 
18 ->  between the swift 
19 ->  between the kitchen 
20 ->  between the tall 
---------------
escolhido = 17 ->  between the life  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the 
----------------
1 ->  the life on 
---------------
escolhido = 1 ->  the life on  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life 
----------------
1 ->  life on Mars 
---------------
escolhido = 1 ->  life on Mars  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on 
----------------
1 ->  on Mars are 
2 ->  on Mars they 
3 ->  on Mars and 
---------------
escolhido = 3 ->  on Mars and  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars 
----------------
1 ->  Mars and terrestrial 
---------------
escolhido = 1 ->  Mars and terrestrial  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and 
----------------
1 ->  and terrestrial life,
---------------
escolhido = 1 ->  and terrestrial life, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial 
----------------
1 ->  terrestrial life, I 
---------------
escolhido = 1 ->  terrestrial life, I  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, 
----------------
1 ->  life, I may 
---------------
escolhido = 1 ->  life, I may  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I 
----------------
1 ->  I may remark 
2 ->  I may seem,
3 ->  I may add 
4 ->  I may allude 
5 ->  I may not 
---------------
escolhido = 1 ->  I may remark  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may 
----------------
1 ->  may remark here,
---------------
escolhido = 1 ->  may remark here, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark 
----------------
1 ->  remark here, as 
---------------
escolhido = 1 ->  remark here, as  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, 
----------------
1 ->  here, as dissection 
---------------
escolhido = 1 ->  here, as dissection  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as 
----------------
1 ->  as dissection has 
---------------
escolhido = 1 ->  as dissection has  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection 
----------------
1 ->  dissection has since 
---------------
escolhido = 1 ->  dissection has since  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has 
----------------
1 ->  has since shown,
---------------
escolhido = 1 ->  has since shown, ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since 
----------------
1 ->  since shown, was 
---------------
escolhido = 1 ->  since shown, was  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since shown, 
----------------
1 ->  shown, was almost 
---------------
escolhido = 1 ->  shown, was almost  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since shown, was 
----------------
1 ->  was almost equally 
2 ->  was almost lost 
---------------
escolhido = 1 ->  was almost equally  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since shown, was almost 
----------------
1 ->  almost equally simple.
---------------
escolhido = 1 ->  almost equally simple. ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since shown, was almost equally 
----------------
1 ->  equally simple. The 
---------------
escolhido = 1 ->  equally simple. The  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since shown, was almost equally simple. 
----------------
1 ->  simple. The greater 
---------------
escolhido = 1 ->  simple. The greater  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since shown, was almost equally simple. The 
----------------
1 ->  The greater part 
---------------
escolhido = 1 ->  The greater part  ->  I stumbled into the road in the sky? he asked abruptly. I told them to death tomorrow, my dear. I did not clearly understand how I figure it out. It isnt quite according to what a man in workday clothes, riding one of the farther bank, and in my enfeebled condition, too fatigued to push on at once under water, and, holding my breath until movement was an intermittent, metallic rattle. That! said the woman over the ground heaved under foot for days, on account of the cylinders, that at last induced my brother leading the pony across its head. A waggon locked wheels for a few heaps of broken bricks in the doorway. The thunderstorm had passed. The towers of the horse scattered and gnawed. For a minute she seemed halfway between the life on Mars and terrestrial life, I may remark here, as dissection has since shown, was almost equally simple. The greater 
----------------

Julia[edit]

""" weighted random pick of items in a Dict{String, Int} where keys are words, values counts """
function weightedrandompick(dict, total)
    n = rand(1:total)
    for (key, value) in dict
        n -= value
        if n <= 0
            return key
        end
    end
    return last(keys(dict))
end

let
    """ Read in the book "The War of the Worlds", by H. G. Wells. """
    wotw_uri =  "http://www.gutenberg.org/files/36/36-0.txt"
    wfile = "war_of_the_worlds.txt"
    stat(wfile).size == 0 && download(wotw_uri, wfile)  # download if file not here already
    text = read(wfile, String)

    """skip to start of book and prune end """
    startphrase, endphrase = "No one would have believed", "she has counted me, among the dead"
    text = text[findfirst(startphrase, text).start:findlast(endphrase, text).stop]

    """ Remove extraneous punctuation, but keep at least sentence-ending punctuation characters . ! and ? """
    text = replace(replace(text, r"[^01-9a-zA-Z.?!’,]" => " "), r"([.?!])" => s" 1")
    words = split(text, r"s+")
    for (i, w) in enumerate(words)
        w != "I" && i > 1 && words[i - 1] in [".", "?", "!"] && (words[i] = lowercase(words[i]))
    end

    """ Keep account of what words follow words and how many times it is seen. Treat sentence terminators
       (?.!) as words too. Keep account of what words follow two words and how many times it is seen.
    """
    follows, follows2 = Dict{String, Dict{String, Int}}(), Dict{String, Dict{String, Int}}()
    afterstop, wlen = Dict{String, Int}(), length(words)
    for (i, w) in enumerate(@view words[1:end-1])
        d = get!(follows, w, Dict(words[i + 1] => 0))
        get!(d, words[i + 1], 0)
        d[words[i + 1]] += 1
        if w in [".", "?", "!"]
            d = get!(afterstop, words[i + 1], 0)
            afterstop[words[i + 1]] += 1
        end
        (i > wlen - 2) && continue
        w2 = w * " " * words[i + 1]
        d = get!(follows2, w2, Dict(words[i + 2] => 0))
        get!(d, words[i + 2], 0)
        d[words[i + 2]] += 1
    end
    followsums = Dict(key => sum(values(follows[key])) for key in keys(follows))
    follow2sums = Dict(key => sum(values(follows2[key])) for key in keys(follows2))
    afterstopsum = sum(values(afterstop))

   """ Assume that a sentence starts with a not to be shown full-stop character then use a weighted
       random choice of the possible words that may follow a full-stop to add to the sentence.
   """
    function makesentence()
        firstword = weightedrandompick(afterstop, afterstopsum)
        sentencewords = [firstword, weightedrandompick(follows[firstword], followsums[firstword])]
        while !(sentencewords[end] in [".", "?", "!"])
            w2 = sentencewords[end-1] * " " * sentencewords[end]
            if haskey(follows2, w2)
                push!(sentencewords, weightedrandompick(follows2[w2], follow2sums[w2]))
            else
                push!(sentencewords, weightedrandompick(afterstop, afterstopsum))
            end
        end
        sentencewords[1] = uppercase(firstword[1]) * (length(firstword) > 1 ? firstword[2:end] : "")
        println(join(sentencewords[1:end-1], " ") * sentencewords[end] * "n")
    end
    # Print 3 weighted random pick sentences
    makesentence(); makesentence(); makesentence()
end
(RUN:)

It may be lying dead there!

I can imagine them covered with smashed windows and saw the flashes of flame flashed up
and saw through a culvert.

I remember how mockingly bright the sky was still doubtful it rapped smartly against the
starlight from the sun blazed dazzling in a flash I was beginning to face these things
but later I perceived a hold on me and rapidly growing hotter.

(RUN:)

It was this cylinder.

Ogilvy watched till one, and they say there’s been guns heard at Chertsey, heavy firing,
and that every other man still wore his dirty rags.

My companion had been enlarged, and ever!

(RUN:)

Survivors on castle hill alive but helplessly and speechlessly drunk.

Before they were killed.

The landlord should leave his.

(RUN:)

And a cheer that seemed so happy and bright.

Once down one of the tangled maze of streets would have questioned my intellectual
superiority to his feet and had been in active service and he turned to see Lord Hilton,
the lord of the parapet.

What has happened?

Nim[edit]

Inspired by Julia solution, but not a translation actually.

import random, sequtils, strutils, tables
from unicode import utf8

const StopChars = [".", "?", "!"]

proc weightedChoice(choices: CountTable[string]; totalCount: int): string =
  ## Return a string from "choices" key using counts as weights.
  var n = rand(1..totalCount)
  for word, count in choices.pairs:
    dec n, count
    if n <= 0: return word
  assert false, "internal error"

proc finalFilter(words: seq[string]): seq[string] =
  ## Eliminate words of length one (except those of a given list)
  ## and words containing only uppercase letters (words from titles).
  for word in words:
    if word in [".", "?", "!", "I", "A", "a"]:
      result.add word
    elif word.len > 1 and any(word, isLowerAscii):
      result.add word


randomize()

var text = readFile("The War of the Worlds.txt")

# Extract the actual text from the book.
const
  StartText = "BOOK ONErnTHE COMING OF THE MARTIANS"
  EndText = "End of the Project Gutenberg EBook"
let startIndex = text.find(StartText)
let endIndex = text.find(EndText)
text = text[startIndex..<endIndex]

# Clean the text by removing some characters and replacing others.
# As there are some non ASCII characters, we have to apply special rules.
var processedText: string
for uchar in text.utf8():
  if uchar.len == 1:
    # ASCII character.
    let ch = uchar[0]
    case ch
    of '0'..'9', 'a'..'z', 'A'..'Z', ' ': processedText.add ch  # Keep as is.
    of 'n': processedText.add ' '                              # Replace with a space.
    of '.', '?', '!': processedText.add ' ' & ch                # Make sure these characters are isolated.
    else: discard                                               # Remove others.
  else:
    # Some UTF-8 representation of a non ASCII character.
    case uchar
    of "—": processedText.add ' '                               # Replace EM DASH with space.
    of "ç", "æ", "’": processedText.add uchar                   # Keep these characters as they are parts of words.
    of "“", "”", "‘": discard                                   # Removed these ones.
    else: echo "encountered: ", uchar                           # Should not go here.

# Extract words and filter them.
let words = processedText.splitWhitespace().finalFilter()

# Build count tables.
var followCount, followCount2: Table[string, CountTable[string]]
for i in 1..words.high:
  followCount.mgetOrPut(words[i - 1], initCountTable[string]()).inc(words[i])
for i in 2..words.high:
  followCount2.mgetOrPut(words[i - 2] & ' ' & words[i - 1], initCountTable[string]()).inc words[i]

# Build sum tables.
var followSum, followSum2: CountTable[string]
for key in followCount.keys:
  for count in followCount[key].values:
    followSum.inc key, count
for key in followCount2.keys:
  for count in followCount2[key].values:
    followSum2.inc key, count

# Build table of starting words and compute the sum.
var
  startingWords: CountTable[string]
  startingSum: int
for stopChar in StopChars:
  for word, count in followCount[stopChar].pairs:
    startingWords.inc word, count
    inc startingSum, count

# Build a sentence.
let firstWord = weightedChoice(startingWords, startingSum)
var sentence = @[firstWord]
var lastWord = weightedChoice(followCount[firstWord], followSum[firstWord])
while lastWord notin StopChars:
  sentence.add lastWord
  let key = sentence[^2] & ' ' & lastWord
  lastWord = if key in followCount2:
               weightedChoice(followCount2[key], followSum2[key])
             else:
               weightedChoice(followCount[lastWord], followSum[lastWord])
echo sentence.join(" ") & lastWord

Here are some generated sentences. Short sentences are of course more likely to have a meaning.

But they won’t hunt us.
There was a whole population in movement.
The one had closed it.
Then he dropped his spade.
It’s out on the London valley.
I narrowly escaped an accident.
I assert that I had immediately to turn my attention first.
Halfway through the deserted village while the Martian approach.
I have no doubt they are mad with terror.
He told me no answer to that.
That’s how we shall save the race.
As if it had driven blindly straight at the group of soldiers to protect these strange creatures from Mars?
In the afternoon for the next day there was a carriage crashed into the parlour behind the engines going northward along the road.

Perl[edit]

#!/usr/bin/perl

use strict; # https://rosettacode.org/wiki/Random_sentence_from_book
use warnings;

my $book = do { local (@ARGV, $/) = 'waroftheworlds.txt'; <> };
my (%one, %two);

s/^.*?START OF THISN*n//s, s/END OF THIS.*//s,
  tr/a-zA-Z.!?/ /c, tr/ / /s for $book;

my $qr = qr/(bw+b|[.!?])/;
$one{$1}{$2}++, $two{$1}{$2}{$3}++ while $book =~ /$qr(?= *$qr *$qr)/g;

sub weightedpick
  {
  my $href = shift;
  my @weightedpick = map { ($_) x $href->{$_} } keys %$href;
  $weightedpick[rand @weightedpick];
  }

sub sentence
  {
  my @sentence = qw( . ! ? )[rand 3];
  push @sentence, weightedpick( $one{ $sentence[0] } );
  push @sentence, weightedpick( $two{ $sentence[-2] }{ $sentence[-1] } )
    while $sentence[-1] =~ /w/;
  shift @sentence;
  "@sentencenn" =~ s/wK (?=[st]b)/'/gr =~ s/ (?=[.!?]n)//r
    =~ s/.{60,}?K /n/gr;
  }

print sentence() for 1 .. 10;
The Kingston and Richmond defences forced!

I heard a scream under the seat upon which their systems were
unprepared slain as the impact of trucks the sharp whistle of
the lane my brother for the clinking of the dying man in a flash
of lightning saw between my feet to the post office a little
note in the City with the last man left alive.

I said and a remote weird crying.

said the woman over the bridges in its arrival.

In a few paces stagger and go with him all that it was to be
answered faintly.

Quite enough said the lieutenant.

I assented.

Eh?

The houses seemed deserted.

Phix[edit]

-- demo/rosetta/RandomSentence.exw
include builtinslibcurl.e
constant url =  "http://www.gutenberg.org/files/36/36-0.txt",
         filename = "war_of_the_worlds.txt",
         fsent = "No one would have believed",
         lasts = "End of the Project Gutenberg EBook",
         unicodes = {utf32_to_utf8({#2019}),    -- rsquo
                     utf32_to_utf8({#2014})},   -- hyphen
         asciis = {"'","-"},
         aleph = tagset('Z','A')&tagset('z','a')&tagset('9','0')&",'.?! ",
         follow = new_dict(),   -- {word}      -> {words,counts}
         follow2 = new_dict()   -- {word,word} -> {words,counts}
 
if not file_exists(filename) then
    printf(1,"Downloading %s...n",{filename})
    CURLcode res = curl_easy_get_file(url,"",filename)
    if res!=CURLE_OK then crash("cannot download") end if
end if
string text = get_text(filename)
text = text[match(fsent,text)..match(lasts,text)-1]
text = substitute_all(text,unicodes,asciis)
text = substitute_all(text,".?!-n",{" ."," ? "," ! "," "," "})
text = filter(text,"in",aleph)
sequence words = split(text)

procedure account(sequence words)
    string next = words[$]
    words = words[1..$-1]
    for i=length(words) to 1 by -1 do
        integer d = {follow,follow2}[i]
        sequence t = getdd(words,{{},{}},d)
        integer tk = find(next,t[1])
        if tk=0 then
            t[1] = append(t[1],next)
            t[2] = append(t[2],1)
        else
            t[2][tk] += 1
        end if
        setd(words,t,d)
        words = words[2..$]
        if words!={"."} then exit end if -- (may as well quit)
    end for
end procedure

for i=2 to length(words) do
    if find(words[i],{".","?","!"})
    and i<length(words) then
        words[i+1] = lower(words[i+1])
    end if
    account(words[max(1,i-2)..i])
end for

function weighted_random_pick(sequence words, integer dict)
    sequence t = getd(words,dict)
    integer total = sum(t[2]),
            r = rand(total)
    for i=1 to length(t[2]) do
        r -= t[2][i]
        if r<=0 then
            return t[1][i]
        end if
    end for
end function

for i=1 to 5 do
    sequence sentence = {".",weighted_random_pick({"."},follow)}
    while true do
        string next = weighted_random_pick(sentence[-2..-1],follow2)
        sentence = append(sentence,next)
        if find(next,{".","?","!"}) then exit end if
    end while
    sentence[2][1] = upper(sentence[2][1])
    printf(1,"%sn",{join(sentence[2..$-1])&sentence[$]})
end for
{} = wait_key()
With one another by means of a speck of blight, and apparently strengthened the walls of the spectators had gathered in one cart stood a blind man in the direction of Chobham.
I fell and lay about our feet.
And we were driving down Maybury Hill.
It was with the arms of an engine.
Now we see further.

Python[edit]

Extended to preserve some extra «sentence pausing» characters and try and tidy-up apostrophes.

from urllib.request import urlopen
import re
from string import punctuation
from collections import Counter, defaultdict
import random


# The War of the Worlds, by H. G. Wells
text_url = 'http://www.gutenberg.org/files/36/36-0.txt'
text_start = 'No one would have believed'

sentence_ending = '.!?'
sentence_pausing = ',;:'

def read_book(text_url, text_start) -> str:
    with urlopen(text_url) as book:
        text = book.read().decode('utf-8')
    return text[text.index(text_start):]

def remove_punctuation(text: str, keep=sentence_ending+sentence_pausing)-> str:
    "Remove punctuation, keeping some"
    to_remove = ''.join(set(punctuation) - set(keep))
    text = text.translate(str.maketrans(to_remove, ' ' * len(to_remove))).strip()
    text = re.sub(fr"[^a-zA-Z0-9{keep}n ]+", ' ', text)
    # Remove duplicates and put space around remaining punctuation
    if keep:
        text = re.sub(f"([{keep}])+", r" 1 ", text).strip()
    if text[-1] not in sentence_ending:
        text += ' .'
    return text.lower()

def word_follows_words(txt_with_pauses_and_endings):
    "return dict of freq of words following one/two words"
    words = ['.'] + txt_with_pauses_and_endings.strip().split()

    # count of what word follows this
    word2next = defaultdict(lambda :defaultdict(int))
    word2next2 = defaultdict(lambda :defaultdict(int))
    for lh, rh in zip(words, words[1:]):
        word2next[lh][rh] += 1
    for lh, mid, rh in zip(words, words[1:], words[2:]):
        word2next2[(lh, mid)][rh] += 1

    return dict(word2next), dict(word2next2)

def gen_sentence(word2next, word2next2) -> str:

    s = ['.']
    s += random.choices(*zip(*word2next[s[-1]].items()))
    while True:
        s += random.choices(*zip(*word2next2[(s[-2], s[-1])].items()))
        if s[-1] in sentence_ending:
            break

    s  = ' '.join(s[1:]).capitalize()
    s = re.sub(fr" ([{sentence_ending+sentence_pausing}])", r'1', s)
    s = re.sub(r" reb", "'re", s)
    s = re.sub(r" sb", "'s", s)
    s = re.sub(r"bib", "I", s)

    return s

if __name__ == "__main__":
    txt_with_pauses_and_endings = remove_punctuation(read_book(text_url, text_start))
    word2next, word2next2 = word_follows_words(txt_with_pauses_and_endings)
    #%%
    sentence = gen_sentence(word2next, word2next2)
    print(sentence)
<# A SAMPLE OF GENERATED SENTENCES

As I stood petrified and staring down the river, over which spread a multitude of dogs, I flung myself forward under the night sky, a sky of gold.

He was walking through the gaps in the water.

There was no place to their intelligence, without a word they were in position there.

Ugh!

The ringing impact of trucks, the person or entity that provided you with the torrent to recover it.

Raku[edit]

Started out as translation of Perl, but diverged.

my $text = '36-0.txt'.IO.slurp.subst(/.+ '*** START OF THIS' .+? n (.*?) 'End of the Project Gutenberg EBook' .*/, {$0} );

$text.=subst(/ <+punct-[.!?’,]> /, ' ', :g);
$text.=subst(/ (s) '’' (s)  /, '', :g);
$text.=subst(/ (w) '’' (s)  /, {$0~$1}, :g);
$text.=subst(/ (s) '’' (w)  /, {$0~$1}, :g);

my (%one, %two);

for $text.comb(/[w+(’w+)?]','?|<punct>/).rotor(3 => -2) {
    %two{.[0]}{.[1]}{.[2]}++;
    %one{.[0]}{.[1]}++;
}

sub weightedpick (%hash) { %hash.keys.map( { $_ xx %hash{$_} } ).pick }

sub sentence {
    my @sentence = <. ! ?>.roll;
    @sentence.push: weightedpick( %one{ @sentence[0] } );
    @sentence.push: weightedpick( %two{ @sentence[*-2] }{ @sentence[*-1] } // %('.' => 1) )[0]
      until @sentence[*-1] ∈ <. ! ?>;
    @sentence.=squish;
    shift @sentence;
    redo if @sentence < 7;
    @sentence.join(' ').tc.subst(/s(<:punct>)/, {$0}, :g);
}

say sentence() ~ "n" for ^10;
To the inhabitants calling itself the Committee of Public Supply seized the opportunity of slightly shifting my position, which had caused a silent mass of smoke rose slanting and barred the face.

Why was I after the Martian within the case, but that these monsters.

As if hell was built for rabbits!

Thenks and all that the Secret of Flying, was discovered.

Or did a Martian standing sentinel I suppose the time we drew near the railway officials connected the breakdown with the butt.

Flutter, flutter, went the bats, heeding it not been for the big table like end of it a great light was seen by the humblest things that God, in his jaws coming headlong towards me, and rapidly growing hotter.

Survivors there were no longer venturing into the side roads of the planet in view.

Just as they began playing at touch in and out into the west, but nothing to me the landscape, weird and vague and strange and incomprehensible that for the wet.

Just as they seem to remember talking, wanderingly, to myself for an accident, but the captain lay off the platforms, and my wife to their former stare, and his lower limbs lay limp and dead horses.

Entrails they had fought across to the post office a little one roomed squatter’s hut of wood, surrounded by a gradual development of brain and hands, the latter giving rise to the corner.

Wren[edit]

import "io" for File
import "random" for Random
import "/seq" for Lst

// puctuation to keep (also keep hyphen and apostrophe but don't count as words)
var ending  = ".!?"
var pausing = ",:;"

// puctuation to remove
var removing = ""#$%&()*+/<=>@[\]^_`{|}~“”"

// read in book
var fileName = "36-0.txt"  // local copy of http://www.gutenberg.org/files/36/36-0.txt
var text = File.read(fileName)

// skip to start
var ix = text.indexOf("No one would have believed")
text = text[ix..-1]

// remove extraneous punctuation
for (r in removing) text = text.replace(r, "")

// replace EM DASH (unicode 8212) with a space
text = text.replace("—", " ")

// split into words  
var words = text.split(" ").where { |w| w != "" }.toList
// treat 'ending' and 'pausing' punctuation as words
for (i in 0...words.count) {
    var w = words[i]
    for (p in ending + pausing) if (w.endsWith(p)) words[i] = [w[0...-1], w[-1]]
}
words = Lst.flatten(words)

// Keep account of what words follow words and how many times it is seen
var dict1 = {}
for (i in 0...words.count-1) {
    var w1 = words[i]
    var w2 = words[i+1]
    if (dict1[w1]) {
        dict1[w1].add(w2)
    } else {
        dict1[w1] = [w2]
    }
}
for (key in dict1.keys) dict1[key] = [dict1[key].count, Lst.individuals(dict1[key])]

// Keep account of what words follow two words and how many times it is seen
var dict2 = {}
for (i in 0...words.count-2) {
    var w12 = words[i] + " " + words[i+1]
    var w3  = words[i+2]
    if (dict2[w12]) {
        dict2[w12].add(w3)
    } else {
        dict2[w12] = [w3]
    }
}
for (key in dict2.keys) dict2[key] = [dict2[key].count, Lst.individuals(dict2[key])]

var rand = Random.new()

var weightedRandomChoice = Fn.new { |value|
    var n = value[0]
    var indivs = value[1]
    var r = rand.int(n)
    var sum = 0
    for (indiv in indivs) {
        sum = sum + indiv[1]
        if (r < sum) return indiv[0]
    }
}

// build 5 random sentences say
for (i in 1..5) {
    var sentence = weightedRandomChoice.call(dict1["."])
    var lastOne = sentence
    var lastTwo = ". " + sentence
    while (true) {
        var nextOne = weightedRandomChoice.call(dict2[lastTwo])
        sentence = sentence + " " + nextOne
        if (ending.contains(nextOne)) break // stop on reaching ending punctuation
        lastTwo = lastOne + " " + nextOne
        lastOne = nextOne
    }

    // tidy up sentence
    for (p in ending + pausing) sentence = sentence.replace(" %(p)", "%(p)")
    sentence = sentence.replace("n", " ")
    System.print(sentence)
    System.print()
}

Sample run:

In another second it had come into my mind.

He stopped behind to tell the neighbours.

A woman screamed.

Woe unto this unfaithful city!

As Mars approached opposition, Lavelle of Java set the wires of the afternoon.

Two-Word Sentences

Two-word
sentences have all they need to qualify as complete sentences: a
subject and a verb. Used appropriately, they can be powerful. When teaching students about complete sentences, the two-word sentence is a good starting point. 

«Chrysanthemum could scarcely believe her ears.

She blushed

.

She beamed

.

She bloomed

» (Kevin Henkes, Chrysanthemum).

«

Chrysanthemum wilted

» (Kevin Henkes, Chrysanthemum).

«

Jesus wep

t» (John 11: 35).

«

He shivered

.

He sneezed

» (Kate DiCamillo, The Tale of Despereaux, 24).

«

He squinted

» (Kate DiCamillo, The Tale of Despereaux, 28).

«

He trembled

.

He shook

.

He sneezed

» (Kate DiCamillo, The Tale of Despereaux, 28).

«Necks craned. Eyes crinkled» (Khaled Hosseini, The Kite Runner, 52). 

For more mentor texts, go here.  

order the words and write the sentences. 1. books /We/library/from / borrow / the. 2. a / cinema/There is / in the centre / new / town / of / our. 3. between / the post office / the school / The library / and/is. 4. near / an old / school / There is / church/my. 5. There is / next to / our / supermarket / large / block of flats / a.​

Лусушка

Светило науки — 735 ответов — 0 раз оказано помощи

Ответ:

1. We borrowed books from the library.

2. There is a cinema in the centre of our town.

3. The library is between the post office of school.

4.There is an old church near my school.

5. There is a large supermarket next to our block of flats.

  1. Ответ

    Ответ дан
    ksyushkamelesh

     1 the children have never been to the circus
    2 we have already done our room
    3 they have just begun doing their homework
    4 i ‘ve never swum in the ocean
    5 nick hasn t ggiven back my dictionary
    6 my cousin has become an engineer
    7 mr has already written a new book

    1. Ответ

      Ответ дан
      VladTixonow

      Спасибо огромное а то завтра сдавать а я спать хочу снова огромное спасибо

    2. Ответ

      Ответ дан
      ksyushkamelesh

  2. 1.The children never have been to the circus.
    2.We have done already our room.
    3.They have just begun doing their homework.
    4.I have never swum in the ocean.
    5.Nick hasn`t given back my dictionary.
    6.My cousin has become an engineer.
    7.Mr Watterson has written a new book.

Информация

Посетители, находящиеся в группе Гости, не могут оставлять комментарии к данной публикации.

He got up and sat on the edge of the bedstead with his back to the window. “It’s better not to sleep at all,” he decided. There was a cold damp draught from the window, however; without getting up he drew the blanket over him and wrapped himself in it. He was not thinking of anything and did not want to think. But one image rose after another, incoherent scraps of thought without beginning or end passed through his mind. He sank into drowsiness. Perhaps the cold, or the dampness, or the dark, or the wind that howled under the window and tossed the trees roused a sort of persistent craving for the fantastic. He kept dwelling on images of flowers, he fancied a charming flower garden, a bright, warm, almost hot day, a holiday—Trinity day. A fine, sumptuous country cottage in the English taste overgrown with fragrant flowers, with flower beds going round the house; the porch, wreathed in climbers, was surrounded with beds of roses. A light, cool staircase, carpeted with rich rugs, was decorated with rare plants in china pots. He noticed particularly in the windows nosegays of tender, white, heavily fragrant narcissus bending over their bright, green, thick long stalks. He was reluctant to move away from them, but he went up the stairs and came into a large, high drawing-room and again everywhere—at the windows, the doors on to the balcony, and on the balcony itself—were flowers. The floors were strewn with freshly-cut fragrant hay, the windows were open, a fresh, cool, light air came into the room. The birds were chirruping under the window, and in the middle of the room, on a table covered with a white satin shroud, stood a coffin. The coffin was covered with white silk and edged with a thick white frill; wreaths of flowers surrounded it on all sides. Among the flowers lay a girl in a white muslin dress, with her arms crossed and pressed on her bosom, as though carved out of marble. But her loose fair hair was wet; there was a wreath of roses on her head. The stern and already rigid profile of her face looked as though chiselled of marble too, and the smile on her pale lips was full of an immense unchildish misery and sorrowful appeal. Svidrigaïlov knew that girl; there was no holy image, no burning candle beside the coffin; no sound of prayers: the girl had drowned herself. She was only fourteen, but her heart was broken. And she had destroyed herself, crushed by an insult that had appalled and amazed that childish soul, had smirched that angel purity with unmerited disgrace and torn from her a last scream of despair, unheeded and brutally disregarded, on a dark night in the cold and wet while the wind howled

‹ Back to blog

Here are 65 examples of long sentences ranging from the relatively brief 96 words to one of the longest sentences at 2,156 words.

Almost all of the really long sentences are under 1,000 words. The six longest sentences (1,000+ words) are mostly a curiosity, just to see what is possible.

I hope students of writing can study these sentences to find inspiration. My advice on how to learn from them? Try these three practices:

1. Copy them exactly
2. Take them apart, analyze each part, and see how the engine works
3. Ape their form with different content

I also hope this list might be helpful for teachers and professors of writing, who want more lengthy sentence examples to show their students. If you want to teach short sentences, I’ve also compiled a list of those.

The longest sentence in English is also awesome. The longest sentence award goes to:

  • Jonathan Coe’s The Rotter’s Club, 13,955 word sentence
  • And for a runner-up: James Joyce, Ulysses, 4,391 word sentence

And there are even one-sentence books — actually, a few of them. But I’m not reposting an entire book.

And let’s end all this nonsense about how long sentences = run-on sentences. You can have a six-word run-on sentence (“I went shopping I ate donuts.”), while most of the sentences below are much, much longer than that and are not run-ons (except for a few examples like Jose Saramago).  But whether the sentence is grammatically correct isn’t nearly as important as whether the sentence is fun or beautiful.

I hope that a study of very long sentences will arm you with strategies that are almost as diverse as the sentences themselves, such as: starting each clause with the same word, tilting with dependent clauses toward a revelation at the end, padding with parentheticals, showing great latitude toward standard punctuation, rabbit-trailing away from the initial subject, encapsulating an entire life, and lastly, as this sentence is, celebrating the list.

What’s the definition of a long sentence? For my purposes, I’m defining it as more than a 100 words. I’ve cheated with a few beautiful sentences a few words short, because there is no sense in having an absolute and arbitrary rule, but more than 100 words was my guiding principle. I think any sentence more than 100 words is almost guaranteed to be complex, complicated, and enormous.

If you like this list, please check out this other writing resource at Bookfox:

  • 17 Fantastic Examples of Sentence Repetitions

As far as improving the list, I’d love to make it more diverse. If you have suggestions of 100+ word sentences from the type of authors who aren’t represented here, I would love if you could post your example in the comments, or at least direct me to where I could find it.

Also, if you have a sentence that you love from a particular author, and you think it’s a better sentence than the one I’ve quoted, please, by all means, let’s have the sentences do battle! Post it and we’ll see whether it’s better.

And also, if you’re studying sentences, you probably would like advice on how to write a book. 

In which case you should definitely read my post on the best advice on how to write your novel.

As an editor, I’ve helped hundreds of writers start and finish their stories, so please learn from all that experience.

Long Sentence Examples in Literature

Vladimir Nabokov, “The Gift.” 96 words.

“As he crossed toward the pharmacy at the corner he involuntarily turned his head because of a burst of light that had ricocheted from his temple, and saw, with that quick smile with which we greet a rainbow or a rose, a blindingly white parallelogram of sky being unloaded from the van—a dresser with mirrors across which, as across a cinema screen, passed a flawlessly clear reflection of boughs sliding and swaying not arboreally, but with a human vacillation, produced by the nature of those who were carrying this sky, these boughs, this gliding façade.”

Jose Saramago, “Blindness.” 97 words. 

“On offering to help the blind man, the man who then stole his car, had not, at that precise moment, had any evil intention, quite the contrary, what he did was nothing more than obey those feelings of generosity and altruism which, as everyone knows, are the two best traits of human nature and to be found in much more hardened criminals than this one, a simple car-thief without any hope of advancing in his profession, exploited by the real owners of this enterprise, for it is they who take advantage of the needs of the poor.”

Vladimir Nabokov, “Lolita.” 99 words.

“My very photogenic mother died in a freak accident (picnic, lightning) when I was three, and, save for a pocket of warmth in the darkest past, nothing of her subsists within the hollows and dells of memory, over which, if you can still stand my style (I am writing under observation), the sun of my infancy had set: surely, you all know those redolent remnants of day suspended, with the midges, about some hedge in bloom or suddenly entered and traversed by the rambler, at the bottom of a hill, in the summer dusk; a furry warmth, golden midges.”

Laurence Sterne, “The Life and Opinions of Tristram Shandy.” 107 words.

“The French are certainly misunderstood: — but whether the fault is theirs, in not sufficiently explaining themselves, or speaking with that exact limitation and precision which one would expect on a point of such importance, and which, moreover, is so likely to be contested by us — or whether the fault may not be altogether on our side, in not understanding their language always so critically as to know “what they would be at” — I shall not decide; but ‘tis evident to me, when they affirm, “That they who have seen Paris, have seen every thing,” they must mean to speak of those who have seen it by day-light.”

E.B. White, “Stuart Little.” 107 words.

“In the loveliest town of all, where the houses were white and high and the elms trees were green and higher than the houses, where the front yards were wide and pleasant and the back yards were bushy and worth finding out about, where the streets sloped down to the stream and the stream flowed quietly under the bridge, where the lawns ended in orchards and the orchards ended in fields and the fields ended in pastures and the pastures climbed the hill and disappeared over the top toward the wonderful wide sky, in this loveliest of all towns Stuart stopped to get a drink of sarsaparilla.”

W.G. Sebald, “The Rings of Saturn.” 107 words.

“All I know is that I stood spellbound in his high-ceilinged studio room, with its north-facing windows in front of the heavy mahogany bureau at which Michael said he no longer worked because the room was so cold, even in midsummer; and that, while we talked of the difficulty of heating old houses, a strange feeling came upon me, as if it were not he who had abandoned that place of work but I, as if the spectacles cases, letters and writing materials that had evidently lain untouched for months in the soft north light had once been my spectacle cases, my letters and my writing materials.”

Saul Bellow, “The Adventures of Augie March.” 110 words.

“But it was the figure you cut as an employee, on an employee’s footing with the girls, in work clothes, and being of that tin-tough, creaking, jazzy bazaar of hardware, glassware, chocolate, chicken-feed, jewelry, drygoods, oilcloth, and song hits—that was the big thing; and even being the Atlases of it, under the floor, hearing how the floor bore up under the ambling weight of hundreds, with the fanning, breathing movie organ next door and the rumble descending from the trolleys on Chicago Avenue—the bloody-rinded Saturday gloom of wind-borne ash, and blackened forms of five-storey buildings rising up to a blind Northern dimness from the Christmas blaze of shops.”

Margaret Atwood, “The Handmaid’s Tale.” 111 words.

“She’s too young, it’s too late, we come apart, my arms are held, and the edges go dark and nothing is left but a little window, a very little window, like the wrong end of a telescope, like the window on a Christmas card, an old one, night and ice outside, and within a candle, a shining tree, a family, I can hear the bells even, sleigh bells, from the radio, old music, but through this window I can see, small but very clear, I can see her, going away from me, through the trees which are already turning, red and yellow, holding out her arms to me, being carried away.”

Virginia Woolf, “Mrs. Dalloway.” 116 words.

“It was not to them (not to Hugh, or Richard, or even to devoted Miss Brush) the liberator of the pent egotism, which is a strong martial woman, well nourished, well descended, of direct impulses, downright feelings, and little introspective power (broad and simple–why could not every one be broad and simple? she asked) feels rise within her, once youth is past, and must eject upon some object–it may be Emigration, it may be Emancipation; but whatever it be, this object round which the essence of her soul is daily secreted, becomes inevitably prismatic, lustrous, half looking glass, half precious stone; now carefully hidden in case people should sneer at it; now proudly displayed.”

William Faulkner, “That Evening Sun.” 118 words.

The streets are paved now, and the telephone and electric companies are cutting down more and more of the shade trees–the water oaks, the maples and locusts and elms–to make room for iron poles bearing clusters of bloated and ghostly and bloodless grapes, and we have a city laundry which makes the rounds on Monday morning, gathering the bundles of clothes into bright-colored, specially-made motor cars: the soiled wearing of a whole week now flees apparitionlike behind alert and irritable electric horns, with a long diminishing noise of rubber and asphalt like tearing silk, and even the Negro women who still take in white people’s washing after the old custom, fetch and deliver it in automobiles.

Jane Austen, “Northanger Abbey.” 119 words.

“Her plan for the morning thus settled, she sat quietly down to her book after breakfast, resolving to remain in the same place and the same employment till the clock struck one; and from habitude very little incommoded by the remarks and ejaculations of Mrs. Allen, whose vacancy of mind and incapacity for thinking were such, that as she never talked a great deal, so she could never be entirely silent; and, therefore, while she sat at her work, if she lost her needle or broke her thread, if she heard a carriage in the street, or saw a speck upon her gown, she must observe it aloud, whether there were anyone at leisure to answer her or not.”

Gabriel Garcia Marquez, “Autumn of the Patriarch.” 121 words.

“She had said I’m tired of begging God to overthrow my son, because all this business of living in the presidential palace is like having the lights on all the time, sir, and she had said it with the same naturalness with which on one national holiday she had made her way through the guard of honor with a basket of empty bottles and reached the presidential limousine that was leading the parade of celebration in an uproar of ovations and martial music and storms of flowers and she shoved the basket through the window and shouted to her son that since you’ll be passing right by take advantage and return these bottles to the store on the corner, poor mother.”

Denis Johnson, “Dirty Wedding.” 121 words.

“I liked to sit up front and ride the fast ones all day long, I liked it when they brushed right up against the buildings north of the Loop and I especially liked it when the buildings dropped away into that bombed-out squalor a little farther north in which people (through windows you’d see a person in his dirty naked kitchen spooning soup toward his face, or twelve children on their bellies on the floor, watching television, but instantly they were gone, wiped away by a movie billboard of a woman winking and touching her upper lip deftly with her tongue, and she in turn erased by a—wham, the noise and dark dropped down around your head—tunnel) actually lived.”

William Faulkner, “Absolom, Absolom.” 122 words.

“From a little after two o’clock until almost sundown of the long still hot weary dead September afternoon they sat in what Miss Coldfield still called the office because her father had called it that–a dim hot airless room with the blinds all closed and fastened for forty-three summers because when she was a girl someone had believed that light and moving air carried heat and that dark was always cooler, and which (as the sun shone fuller and fuller on that side of the house) became latticed with yellow slashes full of dust motes which Qunetin thought of as being flecks of the dead old dried paint itself blown inward from the scaling blinds as wind might have blown them.”

Leo Tolstoy, “Anna Karenina.” 123 Words.

“It is true that Alexei Alexandrovich vaguely sensed the levity and erroneousness of this notion of his faith, and he knew that when, without any thought that his forgiveness was the effect of a higher power, he had given himself to his spontaneous feeling, he had experienced greater happiness than when he thought every minute, as he did now, that Christ lived in his soul, and that by signing papers he was fulfilling His will, but it was necessary for him to think that way, it was so necessary for him in his humiliation to possess at least an invented loftiness from which he, despised by everyone, could despise others, that he clung to his imaginary salvation as if it were salvation indeed.”

Fyodor Dostoevsky, “The Brothers Karamazov.” 125 words.

“And this Fyodor Pavlovich began to exploit; that is, he fobbed him off with small sums, with short-term handouts, until, after four years, Mitya, having run out of patience, came to our town a second time to finish his affairs with his parent, when it suddenly turned out, to his great amazement, that he already had precisely nothing, that it was impossible even to get an accounting, that he had already received the whole value of his property in cash from Fyodor Pavlovich and might even be in debt to him, that in terms of such and such deals that he himself had freely entered into on such and such dates, he had no right to demand anything more, and so on and so forth.”

Orhan Pamuk, “My Name is Red.” 127 words.

“We were two men in love with the same woman; he was in front of me and completely unaware of my presence as we walked through the turning and twisting streets of Istanbul, climbing and descending, we traveled like brethren through deserted streets given over to battling packs of stray dogs, passed burnt ruins where jinns loitered, mosque courtyards where angels reclined on domes to sleep, beside cypress trees murmuring to the souls of the dead, beyond the edges of snow-covered cemeteries crowded with ghosts, just out of sight of brigands strangling their victims, passed endless shops, stables, dervish houses, candle works, leather works and stone walls; and as we made ground, I felt I wasn’t following him at all, but rather, that I was imitating him.”

F. Scott Fitzgerald, “The Jazz Age.” 127 words.

“Sometimes, though, there is a ghostly rumble among the drums, an asthmatic whisper in the trombones that swings me back into the early twenties when we drank wood alcohol and every day in every way grew better and better, and there was a first abortive shortening of the skirts, and girls all looked alike in sweater dresses, and people you didn’t want to know said ‘Yes, we have no bananas’, and it seemed only a question of a few years before the older people would step aside and let the world be run by those who saw things as they were and it all seems rosy and romantic to us who were young then, because we will never feel quite so intensely about our surroundings any more.”

Tom Wolfe, “A Sunday Kind of Love.” 128 words.

“All round them, ten, scores, it seems like hundreds, of faces and bodies are perspiring, trooping and bellying up the stairs with arterio-sclerotic grimaces past a showcase full of such novel items as Joy Buzzers, Squirting Nickels, Finger Rats, Scary Tarantulas and spoons with realistic dead flies on them, past Fred’s barbershop, which is just off the landing and has glossy photographs of young men with the kind of baroque haircuts one can get in there, and up onto 50th Street into a madhouse of traffic and shops with weird lingerie and gray hair-dyeing displays in the windows, signs for free teacup readings and a pool-playing match between the Playboy Bunnies and Downey’s Showgirls, and then everybody pounds on toward the Time-Life Building, the Brill Building or NBC.”

E.L. Doctorow, “Homer and Langely.” 135 words.

“The houses over to Central Park West went first, they got darker as if dissolving into the dark sky until I couldn’t make them out, and then the trees began to lose their shape, and finally, this was toward the end of the season, maybe it was late February of that very cold winter, and all I could see were these phantom shapes of the white ice, that last light, went gray and then altogether black, and then all my sight was gone though I could hear clearly the scoot scut of the blades on ice, a very satisfying sound, a soft sound though full of intention, a deeper tone that you’d expect made by the skate blades, perhaps for having sounded the resonant basso of the water under the ice, scoot scut, scoot scut.”

Victor Hugo, “Les Miserables.” 136 words.

“While the men made bullets and the women lint, while a large saucepan of melted brass and lead, destined to the bullet-mould smoked over a glowing brazier, while the sentinels watched, weapon in hand, on the barricade, while Enjolras, whom it was impossible to divert, kept an eye on the sentinels, Combeferre, Courfeyrac, Jean Prouvaire, Feuilly, Bossuet, Joly, Bahorel, and some others, sought each other out and united as in the most peaceful of days of their conversations in their student life, and, in one corner of this wine-shop which had been converted into a casement, a couple of paces distant from the redoubt which they had built, with their carbines loaded and primed resting against the backs of their chairs, these fine young fellows, so close to a supreme hour, began to recite love verses.”

Annie Proulx, “Close Range.” 142 words.

“But Pake knew a hundred dirt road shortcuts, steering them through scabland and slope country, in and out of the tiger shits, over the tawny plain still grooved with pilgrim wagon ruts, into early darkness and the first storm laying down black ice, hard orange dawn, the world smoking, snaking dust devils on bare dirt, heat boiling out of the sun until the paint on the truck hood curled, ragged webs of dry rain that never hit the ground, through small-town traffic and stock on the road, band of horses in morning fog, two redheaded cowboys moving a house that filled the roadway and Pake busting around and into the ditch to get past, leaving junkyards and Mexican cafes behind, turning into midnight motel entrances with RING OFFICE BELL signs or steering onto the black prairie for a stunned hour of sleep.”

Philip Roth, “The Plot Against America.” 142 words.

“Elizabeth, New Jersey, when my mother was being raised there in a flat over her father’s grocery store, was an industrial port a quarter the size of Newark, dominated by the Irish working class and their politicians and the tightly knit parish life that revolved around the town’s many churches, and though I never heard her complain of having been pointedly ill-treated in Elizabeth as a girl, it was not until she married and moved to Newark’s new Jewish neighborhood that she discovered the confidence that led her to become first a PTA “grade mother,” then a PTA vice president in charge of establishing a Kindergarten Mothers’ Club, and finally the PTA president, who, after attending a conference in Trenton on infantile paralysis, proposed an annual March of Dimes dance on January 30 – President Roosevelt’s birthday – that was accepted by most schools.”

Jonathan Franzen, “The Corrections.” 148 words.

“He had time for one subversive thought about his parents’ Nordic Pleasurelines shoulder bags – either Nordic Pleasurelines sent bags like these to every booker of its cruises as a cynical means of getting inexpensive walk-about publicity or as a practical means of tagging the cruise participants for greater ease of handling at embarkation points or as a benign means of building espirit de corps; or else Enid and Alfred had deliberately saved the bags from some previous Nordic Pleasurelines cruise, and, out a misguided sense of loyalty, had chosen to carry them on their upcoming cruise as well; and in either case Chip was appalled by his parents’ willingness to make themselves vectors of corporate advertising – before he shouldered the bags himself and assumed the burden of seeing LaGuardia Airport and New York City and his life and clothes and body through the disappointed eyes of his parents.”

Evelyn Waugh, “Scoop.” 150 words.

“The Francmason weighed anchor, swung about, and steamed into the ochre hills, through the straits and out into the open sea while Corker recounted the heroic legends of Fleet Street; he told of the classic scoops and hoaxes; of the confessions wrung from hysterical suspects; of the innuendo and intricate misrepresentations, the luscious, detailed inventions that composed contemporary history; of the positive, daring lies that got a chap a rise of screw; how Wenlock Jakes, highest paid journalist of the United States, scooped the world with an eye-witness story of the sinking of the Lusitania four hours before she was hit; how [Sir Jocelyn] Hitchcock, the English Jakes, straddling over his desk in London, had chronicled day by day the horrors of the Messina earthquake; how Corker himself, not three months back, had had the good fortune to encounter a knight’s widow trapped by the foot between lift and landing.”

John Updike, “Rabbit, Run.” 163 words.

“But then they were married (she felt awful about being pregnant before but Harry had been talking about marriage for a while and anyway laughed when she told him in early February about missing her period and said Great she was terribly frightened and he said Great and lifted her put his arms around under her bottom and lifted her like you would a child he could be so wonderful when you didn’t expect it in a way it seemed important that you didn’t expect it there was so much nice in him she couldn’t explain to anybody she had been so frightened about being pregnant and he made her be proud) they were married after her missing her second period in March and she was still little clumsy dark-complected Janice Springer and her husband was a conceited lunk who wasn’t good for anything in the world Daddy said and the feeling of being alone would melt a little with a little drink.”

Henry James, “The Golden Bowl.” 165 words.

“She had got up with these last words; she stood there before him with that particular suggestion in her aspect to which even the long habit of their life together had not closed his sense, kept sharp, year after year, by the collation of types and signs, the comparison of fine object with fine object, of one degree of finish, of one form of the exquisite with another–the appearance of some slight, slim draped “antique” of Vatican or Capitoline halls, late and refined, rare as a note and immortal as a link, set in motion by the miraculous infusion of a modern impulse and yet, for all the sudden freedom of folds and footsteps forsaken after centuries by their pedestal, keeping still the quality, the perfect felicity, of the statue; the blurred, absent eyes, the smoothed, elegant, nameless head, the impersonal flit of a creature lost in an alien age and passing as an image in worn relief round and round a precious vase.”

Salman Rushdie, “The Satanic Verses.” 165 words.

“But at the time he had no doubt; what had taken him over was the will to live, unadulterated, irresistible, pure, and the first thing it did was to inform him that it wanted nothing to do with his pathetic personality, that half-reconstructed affair of mimicry and voices, it intended to bypass all that, and he found himself surrendering to it, yes, go on, as if he were a bystander in his own mind, in his own body, because it began in the very centre of his body and spread outwards, turning his blood to iron, changing his flesh to steel, except that it also felt like a fist that enveloped him from outside, holding him in a way that was both unbearably tight and intolerably gentle; until finally it had conquered him totally and could work his mouth, his fingers, whatever it chose, and once it was sure of its dominion it spread outward from his body and grabbed Gibreel Farishta by the balls.”

Jane Austen, “Emma.” 180 words.

“The charming Augusta Hawkins, in addition to all the usual advantages of perfect beauty and merit, was in possession of an independent fortune, of so many thousands as would always be called ten; a point of some dignity, as well as some convenience: the story told well; he had not thrown himself away — he had gained a woman of ten thousand pounds, or thereabouts; and he had gained her with such delightful rapidity — the first hour of introduction had been so very soon followed by distinguishing notice; the history which he had to give Mrs. Cole of the rise and progress of the affair was so glorious — the steps so quick, from the accidental rencontre, to the dinner at Mr. Green’s, and the party at Mrs. Brown’s — smiles and blushes rising in importance — with consciousness and agitation richly scattered — the lady had been so easily impressed — so sweetly disposed — had in short, to use a most intelligible phrase, been so very ready to have him, that vanity and prudence were equally contented.”

Thomas Bernhard. “Correction.” 181 words.

“After a mild pulmonary infection, tended too little and too late, had suddenly turned into a severe pneumonia that took its toll of my entire body and laid me up for at least three months at nearby Wels, which has a hospital renowned in the field of so-called internal medicine, I accepted an invitation from Hoeller, a so-called taxidermist in the Aurach valley, not for the end of October, as the doctors urged, but for early in October, as I insisted, and then went on my own so-called responsibility straight to the Aurach valley and to Hoeller’s house, without even a detour to visit my parents in Stocket, straight into the so-called Hoeller garret, to begin sifting and perhaps even arranging the literary remains of my friend, who was also a friend of the taxidermist Hoeller, Roithamer, after Roithamer’s suicide, I went to work sifting and sorting the papers he had willed to me, consisting of thousands of slips covered with Roithamer’s handwriting plus a bulky manuscript entitled “About Altensam and everything connected with Altensam, with special attention to the Cone.”

If you’re writing a novel, you need guidance (LOTS of it).

Well, here’s the good news: I can teach you how to write a novel.

Because I’ve taught thousands of other writers.

Click that link and get help with characters, plot, pacing, theme, and more.

Marcel Proust, “Remembrance of Things Past.” 192 words.

“No doubt this astonishment is to some extent due to the fact that the other person on such occasions presents some new facet; but so great is the multiformity of each individual, so abundant the wealth of lines of face and body, so few of which leave any trace, once we are no longer in the presence of the other person, we depend on the arbitrary simplicity of our recollection, since the memory has selected some distinctive feature that had struck us, has isolated it, exaggerated it, making of a woman who has appeared to us tall a sketch in which her figure is elongated out of all proportion, or of a woman who has seemed to be pink-cheeked and golden-haired a pure “Harmony in Pink and Gold”, and the moment this woman is once again standing before us, all the other forgotten qualities which balance that one remembered feature at once assail us, in their confused complexity, diminishing her height, paling her cheeks, and substituting for what we came exclusively to seek, other features which we remember having noticed the first time and fail to understand why we so little expected to find them again.”

A.A. Milne, “Winnie-the-Pooh.” 194 words.

“In after-years he liked to think that he had been in Very Great Danger during the Terrible Flood, but the only danger he had really been in was in the last half-hour of his imprisonment, when Owl, who had just flown up, sat on a branch of his tree to comfort him, and told him a very long story about an aunt who had once laid a seagull’s egg by mistake, and the story went on and on, rather like this sentence, until Piglet who was listening out of his window without much hope, went to sleep quietly and naturally, slipping slowly out of the window towards the water until he was only hanging on by his toes, at which moment luckily, a sudden loud squawk from Owl, which was really part of the story, being what his aunt said, woke the Piglet up and just gave him time to jerk himself back into safety and say, “How interesting, and did she?” when—well, you can imagine his joy when at last he saw the good ship, The Brain of Pooh (Captain, C. Robin; 1st Mate, P. Bear) coming over the sea to rescue him.”

Miguel de Cervantes, “Don Quixote.” 200 words. 

“About this time, when some rain began to fall, Sancho proposed that they should shelter themselves in the fulling-mill, but Don Quixote had conceived such abhorrence for it, on account of what was past, that he would no means set foot within its wall; wherefore, turning to the right-hand, they chanced to fall in with a road different from that in which they had traveled the day before; they had not gone far, when the knight discovered a man riding with something on his head, that glittered like polished gold, and scarce had he descried this phenomenon, when turning to Sancho, “I find,” said he, “that every proverb is strictly true; indeed, all of them are apophthegms dictated by experience herself; more especially, that which says, “shut one door, and another will soon open”: this I mention, because, if last night, fortune shut against us the door we fought to enter, by deceiving us with the fulling-hammers; today another stands wide open, in proffering to use us, another greater and more certain adventure, by which, if I fail to enter, it shall be my own fault, and not imputed to my ignorance of fulling-mills, or the darkness of the night.”

Cormac McCarthy, “All the Pretty Horses.” 205 words.

“That night he dreamt of horses on a high plain where the spring rains had brought up the grass and the wildflowers out of the ground and the flowers ran all blue and yellow far as the eye could see and in the dream he was among the horses running and in the dream he himself could run with the horses and they coursed the young mares and fillies over the plain where their rich bay and their chestnut colors shone in the sun and the young colts ran with their dams and trampled down the flowers in a haze of pollen that hung in the sun like powdered gold and they ran he and the horses out along the high mesas where the ground resounded under their running hooves and they flowed and changed and ran and their manes and tails blew off them like spume and there was nothing else at all in that high world and they moved all of them in a resonance that was like a music among them and they were none of them afraid horse nor colt nor mare and they ran in that resonance which is the world itself and which cannot be spoken but only praised.”

Charles Dickens, “Barnaby Rudge.” 216 words.

“There he sat, watching his wife as she decorated the room with flowers for the greater honour of Dolly and Joseph Willet, who had gone out walking, and for whom the tea-kettle had been singing gaily on the hob full twenty minutes, chirping as never kettle chirped before; for whom the best service of real undoubted china, patterned with divers round-faced mandarins holding up broad umbrellas, was now displayed in all its glory; to tempt whose appetites a clear, transparent, juicy ham, garnished with cool green lettuce-leaves and fragrant cucumber, reposed upon a shady table, covered with a snow-white cloth; for whose delight, preserves and jams, crisp cakes and other pastry, short to eat, with cunning twists, and cottage loaves, and rolls of bread both white and brown, were all set forth in rich profusion; in whose youth Mrs V. herself had grown quite young, and stood there in a gown of red and white: symmetrical in figure, buxom in bodice, ruddy in cheek and lip, faultless in ankle, laughing in face and mood, in all respects delicious to behold—there sat the locksmith among all and every these delights, the sun that shone upon them all: the centre of the system: the source of light, heat, life, and frank enjoyment in the bright household world.”

Henry James, “Italian Hours.” 221 words.

“To dwell in a city which, much as you grumble at it, is after all very fairly a modern city; with crowds and shops and theatres and cafes and balls and receptions and dinner-parties, and all the modern confusion of social pleasures and pains; to have at your door the good and evil of it all; and yet to be able in half an hour to gallop away and leave it a hundred miles, a hundred years, behind, and to look at the tufted broom glowing on a lonely tower-top in the still blue air, and the pale pink asphodels trembling none the less for the stillness, and the shaggy-legged shepherds leaning on their sticks in motionless brotherhood with the heaps of ruin, and the scrambling goats and staggering little kids treading out wild desert smells from the top of hollow-sounding mounds; and then to come back through one of the great gates and a couple of hours later find yourself in the “world,” dressed, introduced, entertained, inquiring, talking about Middlemarch to a young English lady or listening to Neapolitan songs from a gentleman in a very low-cut shirt–all this is to lead in a manner a double life and to gather from the hurrying hours more impressions than a mind of modest capacity quite knows how to dispose of.”

Cormac McCarthy, “Blood Meridian” 245 words

“A legion of horribles, hundreds in number, half naked or clad in costumes attic or biblical or wardrobed out of a fevered dream with the skins of animals and silk finery and pieces of uniform still tracked with the blood of prior owners, coats of slain dragoons, frogged and braided cavalry jackets, one in a stovepipe hat and one with an umbrella and one in white stockings and a bloodstained weddingveil and some in headgear of cranefeathers or rawhide helmets that bore the horns of bull or buffalo and one in a pigeontailed coat worn backwards and otherwise naked and one in the armor of a spanish conquistador, the breastplate and pauldrons deeply dented with old blows of mace or saber done in another country by men whose very bones were dust and many with their braids spliced up with the hair of other beasts until they trailed upon the ground and their horses’ ears and tails worked with bits of brightly colored cloth and one whose horse’s whole head was painted crimson red and all the horsemen’s faces gaudy and grotesque with daubings like a company of mounted clowns, death hilarious, all howling in a barbarous tongue and riding down upon them like a horde from a hell more horrible yet than the brimstone land of christian reckoning, screeching and yammering and clothed in smoke like those vaporous beings in regions beyond right knowing where the eye wanders and the lip jerks and drools.”

Charles Dickens, “Barnaby Rudge.” 251 words.

“To none of these interrogatories, whereof every one was more pathetically delivered than the last, did Mrs Varden answer one word: but Miggs, not at all abashed by this circumstance, turned to the small boy in attendance—her eldest nephew—son of her own married sister—born in Golden Lion Court, number twenty-sivin, and bred in the very shadow of the second bell-handle on the right- hand door-post—and with a plentiful use of her pocket- handkerchief, addressed herself to him: requesting that on his return home he would console his parents for the loss of her, his aunt, by delivering to them a faithful statement of his having left her in the bosom of that family, with which, as his aforesaid parents well knew, her best affections were incorporated; that he would remind them that nothing less than her imperious sense of duty, and devoted attachment to her old master and missis, likewise Miss Dolly and young Mr Joe, should ever have induced her to decline that pressing invitation which they, his parents, had, as he could testify, given her, to lodge and board with them, free of all cost and charge, for evermore; lastly, that he would help her with her box upstairs, and then repair straight home, bearing her blessing and her strong injunctions to mingle in his prayers a supplication that he might in course of time grow up a locksmith, or a Mr Joe, and have Mrs Vardens and Miss Dollys for his relations and friends.”

David Foster Wallace, “Both Flesh and Not.” 258 words.

“There’s a medium-long exchange of groundstrokes, one with the distinctive butterfly shape of today’s power-baseline game, Federer and Agassi yanking each other from side to side, each trying to set up the baseline winner…until suddenly Agassi hits a hard heavy cross-court backhand that pulls Federer way out wide to his ad (=left) side, and Federer gets to it but slices the stretch backhand short, a couple feet past the service line, which of course is the sort of thing Agassi dines out on, and as Federer’s scrambling to reverse and get back to center, Agassi’s moving in to take the short ball on the rise, and he smacks it hard right back into the same ad corner, trying to wrong-foot Federer, which in fact he does — Federer’s still near the corner but running toward the centerline, and the ball’s heading to a point behind him now, where he just was, and there’s no time to turn his body around, and Agassi’s following the shot in to the net at an angle from the backhand side…and what Federer now does is somehow instantly reverse thrust and sort of skip backward three or four steps, impossibly fast, to hit a forehand out of his backhand corner, all his weight moving backward, and the forehand is a topspin screamer down the line past Agassi at net, who lunges for it but the ball’s past him, and it flies straight down the sideline and lands exactly in the deuce corner of Agassi’s side, a winner — Federer’s still dancing backward as it lands.”

Nathaniel Hawthorne, “The House of the Seven Gables.” 280 words.

“The purity of his judicial character, while on the bench; the faithfulness of his public service in subsequent capacities; his devotedness to his party, and the rigid consistency with which he had adhered to its principles, or, at all events, kept pace with its organized movements; his remarkable zeal as president of a Bible society; his unimpeachable integrity as treasurer of a widow’s and orphan’s fund; his benefits to horticulture, by producing two much-esteemed varieties of the pear, and to agriculture, through the agency of the famous Pyncheon-bull; the cleanliness of his moral deportment, for a great many years past; the severity with which he had frowned upon, and finally cast off, an expensive and dissipated son, delaying forgiveness until within the final quarter of an hour of the young man’s life; his prayers at morning and eventide, and graces at meal-time; his efforts in furtherance of the temperance cause; his confining himself, since the last attack of the gout, to five diurnal glasses of old sherry wine; the snowy whiteness of his linen, the polish of his boots, the handsomeness of his gold-headed cane, the square and roomy fashion of his coat, and the fineness of its material, and, in general, the studied propriety of his dress and equipment; the scrupulousness with which he paid public notice, in the street, by a bow, a lifting of the hat, a nod, or a motion of the hand, to all and sundry his acquaintances, rich or poor; the smile of broad benevolence wherewith he made it a point to gladden the whole world;–what room could possibly be found for darker traits, in a portrait made up of lineaments like these?”

Nicolai Gogol, “The Overcoat” 282 words.

“Even at the hour when the grey St. Petersburg sky had quite dispersed, and all the official world had eaten or dined, each as he could, in accordance with the salary he received and his own fancy; when all were resting from the departmental jar of pens, running to and fro from their own and other people’s indispensable occupations, and from all the work that an uneasy man makes willingly for himself, rather than what is necessary; when officials hasten to dedicate to pleasure the time which is left to them, one bolder than the rest going to the theatre; another, into the street looking under all the bonnets; another wasting his evening in compliments to some pretty girl, the star of a small official circle; another — and this is the common case of all — visiting his comrades on the fourth or third floor, in two small rooms with an ante-room or kitchen, and some pretensions to fashion, such as a lamp or some other trifle which has cost many a sacrifice of dinner or pleasure trip; in a word, at the hour when all officials disperse among the contracted quarters of their friends, to play whist, as they sip their tea from glasses with a kopek’s worth of sugar, smoke long pipes, relate at times some bits of gossip which a Russian man can never, under any circumstances, refrain from, and, when there is nothing else to talk of, repeat eternal anecdotes about the commandant to whom they had sent word that the tails of the horses on the Falconet Monument had been cut off, when all strive to divert themselves, Akakiy Akakievitch indulged in no kind of diversion.”

Jules Verne, “The Floating Island.” 286 words.

“I have the honour to acquaint his Excellency the Governor of Floating Island, at this moment in a hundred and seven-seven degrees thirteen minutes east of the meridian of Greenwich, and in sixteen degrees fifty-four minutes south latitude, that during the night of the 31st of December and the 1st of January, the steamer Glen, of Glasgow, of three thousand five hundred tons, laden with wheat indigo, rice, and wine, a cargo of considerable value, was run into by Floating Island, belonging to the Floating Island Company, Limited, whose offices are at Madeleine Bay, Lower California, United States of America, although the steamer was showing the regulation lights, a white at the foremast, green at the starboard side, and red at the port side, and that having got clear after the collision she was met with the next morning thirty-five miles from the scene of the disaster, ready to sink on account of a gap in her port side, and that she did sink after fortunately putting her captain, his officers and crew on board the Herald, Her Britannic Majesty’s cruiser of the first-class under the flag of Rear-Admiral Sir Edward Collison, who reports the fact to his Exellency Governor Cyrus Bikerstaff, requesting him to acknowledge the responsibility of the Floating Island Company, Limited, under the guarantee of the inhabitants of the said Floating Island, in favour of the owners of the said Glen, the value of which in hull, engines, and cargo amounts to the sum of twelve hundred thousand pounds sterling, that is six millions of dollars, which sum should be paid into the hands of the said Admiral Sir Edward Collinson, or in default he will forcibly proceed against the said Floating Island.”

Tolstoy, “War and Peace.” 307 words.

“But Count Rastopchin, who now shamed those who were leaving, now evacuated government offices, now distributed good-for-nothing weapons among the drunken riffraff, now took up icons, now forbade Augustin to evacuate relics and icons, now confiscated all private carts, now transported the hot-air balloon constructed by Leppich on a hundred and thirty-six carts, now hinted that he would burn Moscow, now told how he had burned his own house and wrote a proclamation to the French in which he solemnly reproached them for destroying his orphanage; now he assumed the glory of having burned Moscow, now he renounced it, now he ordered the people to catch all the spies and bring them to him, now he reproached the people for it, now he banished all the French from Moscow, now he allowed Mme Aubert-Chalmet, the center of all the French population of all Moscow, to remain in the city and ordered the old and venerable postmaster general Klyucharev, who had done nothing particularly wrong, to be arrested and exiled; now he gathered the people on the Three Hills to fight the French, now, in order to be rid of those same people, he turned them loose to murder a man and escaped through a back gate himself; now he said he would not survive the misfortune of Moscow, now he wrote French verses in an album about his part in the affair—this man did not understand the meaning of the event that was taking place, but only wanted to do something himself, to astonish someone or other, to accomplish something patriotically heroic, and, like a boy, frolicked over the majestic and inevitable event of the abandoning and burning of Moscow, and tried with his little hand now to encourage, now to stem the flow of the enormous current of people which carried him along with it.”

Vladimir Nabokov, “The Gift.” 309 words.

“He walked on toward the shop, but what he had just seen—whether because it had given him a kindred pleasure, or because it had taken him unawares and jolted him (as children in the hayloft fall into the resilient darkness)—released in him that pleasant something which for several days now had been at the murky bottom of his every thought, taking possession of him at the slightest provocation: my collection of poems has been published; and when as now, his mind tumbled like this, that is, when he recalled the fifty-odd poems that had just come out, he would skim in an instant the entire book, so that in an instantaneous mist of its madly accelerated music one could not make any readable sense of the flicking lines—the familiar words would rush past, swirling amid violent foam (whose seething was transformed into a mighty flowing motion if one fixed one’s eyes on it, as we used to do long ago, looking down at it from a vibrating mill bridge until the bridge turned into a ship’s stern: farewell!)—and this foam, and this flickering, and a separate verse that rushed past all alone, shouting in wild ecstasy from afar, probably calling him home, all of this, together with the creamy white of the cover, was merged in a blissful feeling of exceptional purity … What am I doing! he thought, abruptly coming to his senses and realizing that the first thing he had done upon entering the next shop was to dump the change he had received at the tobacconist’s onto the rubber islet in the middle of the glass counter, through which he glimpsed the submerged treasure of flasked perfumes, while the salesgirl’s gaze, condescending toward his odd behavior, followed with curiosity this absentminded hand paying for a purchase that had not yet been named.”

Martin Luther King, “A Letter from Birmingham Jail.” 310 words.

“But when you have seen vicious mobs lynch your mothers and fathers at will and drown your sisters and brothers at whim; when you have seen hate-filled policemen curse, kick and even kill your black brothers and sisters; when you see the vast majority of your twenty million Negro brothers smothering in an airtight cage of poverty in the midst of an affluent society; when you suddenly find your tongue twisted and your speech stammering as you seek to explain to your six-year-old daughter why she can’t go to the public amusement park that has just been advertised on television, and see tears welling up in her eyes when she is told that Funtown is closed to colored children, and see ominous clouds of inferiority beginning to form in her little mental sky, and see her beginning to distort her personality by developing an unconscious bitterness toward white people; when you have to concoct an answer for a five-year-old son who is asking: “Daddy, why do white people treat colored people so mean?”; when you take a cross-country drive and find it necessary to sleep night after night in the uncomfortable corners of your automobile because no motel will accept you; when you are humiliated day in and day out by nagging signs reading “white” and “colored”; when your first name becomes “nigger,” your middle name becomes “boy” (however old you are) and your last name becomes “John,” and your wife and mother are never given the respected title “Mrs.”; when you are harried by day and haunted by night by the fact that you are a Negro, living constantly at tiptoe stance, never quite knowing what to expect next, and are plagued with inner fears and outer resentments; when you go forever fighting a degenerating sense of “nobodiness”–then you will understand why we find it difficult to wait.”

Richard Wright, “Native Son.” 318 words.

“It sounded suddenly directly above his head and when he looked it was not there but went on tolling and with each passing moment he felt an urgent need to run and hide as though the bell were sounding a warning and he stood on a street corner in a red glare of light like that which came from the furnace and he had a big package in his arms so wet and slippery and heavy that he could scarcely hold onto it and he wanted to know what was in the package and he stopped near an alley corner and unwrapped in and the paper fell away and he saw—it was his own head—his own head lying with black face and half-closed eyes and lips parted with white teeth showing and hair wet with blood and the red glare grew brighter like light shining down from a red moon and red stars on a hot summer night and he was sweating and breathless from running and the bell clanged so loud that he could hear the iron tongue clapping against the metal sides each time it swung to and fro and he was running over a street paved with black coal and his shoes kicked tiny lumps rattling against tin cans and he knew that very soon he had to find some place to hide but there was no place and in front of him white people were coming to ask about the head from which the newspapers had fallen and which was now slippery with blood in his naked hands and he gave up and stood in the middle of the street in the red darkness and cursed the booming bell and the white people and felt that he did not give a damn what happened to him and when the people closed in he hurled the bloody head squarely into their faces dongdongdong….”

Malcolm Lowry, “Under the Volcano.” 328 words.

“It is a light blue moonless summer evening, but late, perhaps ten o’clock, with Venus burning hard in daylight, so we are certainly somewhere far north, and standing on this balcony, when from beyond along the coast comes the gathering thunder of a long many-engineered freight train, thunder because though we are separated by this wide strip of water from it, the train is rolling eastward and the changing wind veers for a moment from an easterly quarter, and we face east, like Swedenborg’s angels, under a sky clear save where far to the northeast over distant mountains whose purple has faded lies a mass of almost pure white clouds, suddenly, as by a light in an alabaster lamp, illumined from within by gold lightning, yet you can hear no thunder, only the roar of the great train with its engines and its wide shunting echoes as it advances from the hills into the mountains: and then all at once a fishing boat with tall gear comes running round the point like a white giraffe, very swift and stately, leaving directly behind it a long silver scalloped rim of wake, not visibly moving inshore, but now stealing ponderously beachward toward us, this scrolled silver rim of wash striking the shore first in the distance, then spreading all along the curve of the beach, while the floats, for these are timber driving floats, are swayed together, everything jostled and beautifully ruffled and stirred and tormented in this rolling sleeked silver, then little by little calm again, and you see the reflection of the remote white thunderclouds in the water, and now the lightening within the white clouds in deep water, as the fishing boat itself with a golden scroll of travelling light in its silver wake beside it reflected from the cabin vanishes round the headland, silence, and then again, within the white white distant alabaster thunderclouds beyond the mountains, the thunderless gold lightening in the blue evening, unearthly.”

Jonathan Franzen, “The Corrections.” 359 words.

“He began a sentence: “I am–” but when he was taken by surprise, every sentence became an adventure in the woods; as soon as he could no longer see the light of the clearing from which he’d entered, he would realize that the crumbs he’d dropped for bearings had been eaten by birds, silent deft darting things which he couldn’t quite see in the darkness but which were so numerous and swarming in their hunger that it seemed as if they were the darkness, as if the darkness weren’t uniform, weren’t an absence of light but a teeming corpuscular thing, and indeed when as a studious teenager he’d encountered the word “crepuscular” in McKay’s Treasury of English Verse, the corpuscles of biology had bled into his understanding of the word, so that for his entire adult life he’d seen in twilight a corpuscularity, as of the graininess of the high-speed film necessary for photography under conditions of low ambient light, as of a kind of sinister decay; and hence the panic of a man betrayed deep in the woods whose darkness was the darkness of starlings blotting out the sunset or black ants storming a dead opossum, a darkness that didn’t just exit but actively consumed the bearings that he’d sensibly established for himself, lest he be lost; but in the instant of realizing he was lost, time became marvelously slow and he discovered hitherto unguessed eternities in the space between one word and the next, or rather he became trapped in that space between one word and the next, or rather he became trapped in that space between words and could only stand and watch as time sped on without him, the thoughtless boyish part of him crashing on out of sight blindly through the woods while he, trapped, the grownup Al, watched in oddly impersonal suspense to see if the panic-stricken little boy might, despite no longer knowing where he was or at what point he’d entered the woods of this sentence, still manage to blunder into the clearing where Enid was waiting for him, unaware of any woods–“packing my suitcase,” he heard himself say.”

Nathaniel Hawthorne, “The Marble Faun.” 374 words.

“When we have once known Rome, and left her where she lies, like a long-decaying corpse, retaining a trace of the noble shape it was, but with accumulated dust and a fungous growth overspreading all its more admirable features, left her in utter weariness, no doubt, of her narrow, crooked, intricate streets, so uncomfortably paved with little squares of lava that to tread over them is a penitential pilgrimage, so indescribably ugly, moreover, so cold, so alley-like, into which the sun never falls, and where a chill wind forces its deadly breath into our lungs,–left her, tired of the sight of those immense seven-storied, yellow-washed hovels, or call them palaces, where all that is dreary in domestic life seems magnified and multiplied, and weary of climbing those staircases, which ascend from a ground-floor of cook shops, cobblers’ stalls, stables, and regiments of cavalry, to a middle region of princes, cardinals, and ambassadors, and an upper tier of artists, just beneath the unattainable sky,–left her, worn out with shivering at the cheerless and smoky fireside by day, and feasting with our own substance the ravenous little populace of a Roman bed at night,–left her, sick at heart of Italian trickery, which has uprooted whatever faith in man’s integrity had endured till now, and sick at stomach of sour bread, sour wine, rancid butter, and bad cookery, needlessly bestowed on evil meats,–left her, disgusted with the pretence of holiness and the reality of nastiness, each equally omnipresent,–left her, half lifeless from the languid atmosphere, the vital principle of which has been used up long ago, or corrupted by myriads of slaughters,–left her, crushed down in spirit with the desolation of her ruin, and the hopelessness of her future, –left her, in short, hating her with all our might, and adding our individual curse to the infinite anathema which her old crimes have unmistakably brought down,–when we have left Rome in such mood as this, we are astonished by the discovery, by and by, that our heart-strings have mysteriously attached themselves to the Eternal City, and are drawing us thitherward again, as if it were more familiar, more intimately our home, than even the spot where we were born.”

Marcel Proust, “Swann’s Way.” 426 words.

“All these things and, still more than these, the treasures which had come to the church from personages who to me were almost legendary figures (such as the golden cross wrought, it was said, by Saint Eloi and presented by Dagobert, and the tomb of the sons of Louis the Germanic in porphyry and enamelled copper), because of which I used to go forward into the church when we were making our way to our chairs as into a fairy-haunted valley, where the rustic sees with amazement on a rock, a tree, a marsh, the tangible proofs of the little people’s supernatural passage — all these things made of the church for me something entirely different from the rest of the town; a building which occupied, so to speak, four dimensions of space — the name of the fourth being Time — which had sailed the centuries with that old nave, where bay after bay, chapel after chapel, seemed to stretch across and hold down and conquer not merely a few yards of soil, but each successive epoch from which the whole building had emerged triumphant, hiding the rugged barbarities of the eleventh century in the thickness of its walls, through which nothing could be seen of the heavy arches, long stopped and blinded with coarse blocks of ashlar, except where, near the porch, a deep groove was furrowed into one wall by the tower-stair; and even there the barbarity was veiled by the graceful gothic arcade which pressed coquettishly upon it, like a row of grown-up sisters who, to hide him from the eyes of strangers, arrange themselves smilingly in front of a countrified, unmannerly and ill-dressed younger brother; rearing into the sky above the Square a tower which had looked down upon Saint Louis, and seemed to behold him still; and thrusting down with its crypt into the blackness of a Merovingian night, through which, guiding us with groping finger-tips beneath the shadowy vault, ribbed strongly as an immense bat’s wing of stone, Théodore or his sister would light up for us with a candle the tomb of Sigebert’s little daughter, in which a deep hole, like the bed of a fossil, had been bored, or so it was said, “by a crystal lamp which, on the night when the Frankish princess was murdered, had left, of its own accord, the golden chains by which it was suspended where the apse is to-day and with neither the crystal broken nor the light extinguished had buried itself in the stone, through which it had gently forced its way.”

Jose Saramago, “Blindness.” 440 words.

“The next day, while still in bed, the doctor’s wife said to her husband, We have little food left, we’ll have to go out again, I thought that today I would go back to the underground food store at the supermarket, the one I went to on the first day, if nobody else has found it, we can get supplies for a week or two, I’m coming with you and we’ll ask one or two of the others to come along as well, I’d rather go with you alone, it’s easier, and there is less danger of getting lost, How long will you be able to carry the burden of six helpless people, I’ll manage as long as I can, but you are quite right, I’m beginning to get exhausted, sometimes I even wish I were blind as well, to be the same as the others, to have no more obligations than they have, We’ve got used to depending on you, If you weren’t there, it would be like being struck with a second blindness, thanks to your eyes we are a little less blind, I’ll carry on as long as I can, I can’t promise you more than that, One day, when we realize that we can no longer do anything good and useful we ought to have the courage simply to leave this world, as he said, Who said that, The fortunate man we met yesterday, I am sure that he wouldn’t say that today, there is nothing like real hope to change one’s opinions, He has that all right, long may it last, In your voice there is a tone which makes me think you are upset, Upset, why, As if something had been taken away from you, Are you referring to what happened to the girl when we were at that terrible place, Yes, Remember it was she who wanted to have sex with me, Memory is deceiving you, you wanted her, Are you sure, I was not blind, Well, I would have sworn that, You would only perjure yourself, Strange how memory can deceive us, In this case it is easy to see, something that is offered to us is more ours than something we had to conquer, But she didn’t ever approach me again, and I never approached her, If you wanted to, you could find each other’s memories, that’s what memory is for, You are jealous, No, I’m not jealous, I was not even jealous on that occasion, I felt sorry for her and for you, and also for myself because I could not help you, How are we fixed for water, Badly.”

Herman Melville, “Moby Dick.” 467 words.

“Though in many natural objects, whiteness refiningly enhances beauty, as if imparting some special virtue of its own, as in marbles, japonicas, and pearls; and though various nations have in some way recognized a certain royal preeminence in this hue; even the barbaric, grand old kings of Pegu placing the title “Lord of the White Elephants” above all their other magniloquent ascriptions of dominion; and the modern kings of Siam unfurling the same snow-white quadruped in the royal standard; and the Hanoverian flag bearing the one figure of a snow-white charger; and the great Austrian Empire, Caesarian, heir to overlording Rome, having for the imperial color the same imperial hue; and though this pre-eminence in it applies to the human race itself, giving the white man ideal mastership over every dusky tribe; and though, besides all this, whiteness has been even made significant of gladness, for among the Romans a white stone marked a joyful day; and though in other mortal sympathies and symbolizings, this same hue is made the emblem of many touching, noble things- the innocence of brides, the benignity of age; though among the Red Men of America the giving of the white belt of wampum was the deepest pledge of honor; though in many climes, whiteness typifies the majesty of Justice in the ermine of the Judge, and contributes to the daily state of kings and queens drawn by milk-white steeds; though even in the higher mysteries of the most august religions it has been made the symbol of the divine spotlessness and power; by the Persian fire worshippers, the white forked flame being held the holiest on the altar; and in the Greek mythologies, Great Jove himself being made incarnate in a snow-white bull; and though to the noble Iroquois, the midwinter sacrifice of the sacred White Dog was by far the holiest festival of their theology, that spotless, faithful creature being held the purest envoy they could send to the Great Spirit with the annual tidings of their own fidelity; and though directly from the Latin word for white, all Christian priests derive the name of one part of their sacred vesture, the alb or tunic, worn beneath the cassock; and though among the holy pomps of the Romish faith, white is specially employed in the celebration of the Passion of our Lord; though in the Vision of St. John, white robes are given to the redeemed, and the four-and-twenty elders stand clothed in white before the great-white throne, and the Holy One that sitteth there white like wool; yet for all these accumulated associations, with whatever is sweet, and honorable, and sublime, there yet lurks an elusive something in the innermost idea of this hue, which strikes more of panic to the soul than that redness which affrights in blood.”

Jorge Luis Borges, “The Aleph.” 475 words.

“I saw the teeming sea; I saw daybreak and nightfall; I saw the multitudes of America; I saw a silvery cobweb in the center of a black pyramid; I saw a splintered labyrinth (it was London); I saw, close up, unending eyes watching themselves in me as in a mirror; I saw all the mirrors on earth and none of them reflected me; I saw in a backyard of Soler Street the same tiles that thirty years before I’d seen in the entrance of a house in Fray Bentos; I saw bunches of grapes, snow, tobacco, lodes of metal, steam; I saw convex equatorial deserts and each one of their grains of sand; I saw a woman in Inverness whom I shall never forget; I saw her tangled hair, her tall figure, I saw the cancer in her breast; I saw a ring of baked mud in a sidewalk, where before there had been a tree; I saw a summer house in Adrogué and a copy of the first English translation of Pliny — Philemon Holland’s — and all at the same time saw each letter on each page (as a boy, I used to marvel that the letters in a closed book did not get scrambled and lost overnight); I saw a sunset in Querétaro that seemed to reflect the colour of a rose in Bengal; I saw my empty bedroom; I saw in a closet in Alkmaar a terrestrial globe between two mirrors that multiplied it endlessly; I saw horses with flowing manes on a shore of the Caspian Sea at dawn; I saw the delicate bone structure of a hand; I saw the survivors of a battle sending out picture postcards; I saw in a showcase in Mirzapur a pack of Spanish playing cards; I saw the slanting shadows of ferns on a greenhouse floor; I saw tigers, pistons, bison, tides, and armies; I saw all the ants on the planet; I saw a Persian astrolabe; I saw in the drawer of a writing table (and the handwriting made me tremble) unbelievable, obscene, detailed letters, which Beatriz had written to Carlos Argentino; I saw a monument I worshipped in the Chacarita cemetery; I saw the rotted dust and bones that had once deliciously been Beatriz Viterbo; I saw the circulation of my own dark blood; I saw the coupling of love and the modification of death; I saw the Aleph from every point and angle, and in the Aleph I saw the earth and in the earth the Aleph and in the Aleph the earth; I saw my own face and my own bowels; I saw your face; and I felt dizzy and wept, for my eyes had seen that secret and conjectured object whose name is common to all men but which no man has looked upon — the unimaginable universe.”

Donald Antrim, “The Hundred Brothers.” 522 words.

“My brothers Rob, Bob, Tom, Paul, Ralph, Phil, Noah, William, Nick, Dennis, Christopher, Frank, Simon, Saul, Jim, Henry, Seamus, Richard, Jeremy, Walter, Jonathan, James, Arthur, Rex, Bertram, Vaughan, Daniel, Russel, and Angus; and the triplets Herbert, Patrick, and Jeffrey; identical twins Michael and Abraham, Lawrence and Peter, Winston and Charles, Scott and Samuel; and Eric, Donovan, Roger, Lester, Larry, Clinton, Drake, Gregory, Leon, Kevin, and Jack–all born on the same day, the twenty-third of May, though at different hours in separate years–and the caustic graphomaniac, Sergio, whose scathing opinions appear with regularity in the front-of-book pages of the more conservative monthlies, not to mention on the liquid crystal screens that glow at night atop the radiant work stations of countless bleary-eyed computer bulletinboard subscribers (among whom our brother is known, affectionately, electronically, as Surge); and Albert, who is blind; and Siegfried, the sculptor in burning steel; and clinically depressed Anton, schizophrenic Irv, recovering addict Clayton; and Maxwell, the tropical botanist, who, since returning from the rain forest, has seemed a little screwed up somehow; and Jason, Joshua, and Jeremiah, each vaguely gloomy in his own “lost boy” way; and Eli, who spends solitary wakeful evenings in the tower, filling notebooks with drawings–the artist’s multiple renderings for a larger work?–portraying the faces of his brothers, including Chuck, the prosecutor; Porter, the diarist; Andrew, the civil rights activist; Pierce, the designer of radically unbuildable buildings; Barry, the good doctor of medicine; Fielding, the documentary-film maker; Spencer, the spook with known ties to the State Department; Foster, the “new millennium” psychotherapist; Aaron, the horologist; Raymond, who flies his own plane; and George, the urban planner who, if you read the papers, you’ll recall, distinguished himself, not so long ago, with that innovative program for revitalizing the decaying downtown area (as “an animate interactive diorama illustrating contemporary cultural and economic folkways”), only to shock and amaze everyone, absolutely everyone, by vanishing with a girl named Jane and an overnight bag packed with municipal funds in unmarked hundreds; and all the young fathers: Seth, Rod, Vidal, Bennet, Dutch, Brice, Allan, Clay, Vincent, Gustavus, and Joe; and Hiram, the eldest; Zachary, the Giant; Jacob, the polymath; Virgil, the compulsive whisperer; Milton, the channeler of spirits who speak across time; and the really bad womanizers: Stephen, Denzil, Forrest, Topper, Temple, Lewis, Mongo, Spooner, and Fish; and, of course, our celebrated “perfect” brother, Benedict, recipient of a medal of honor from the Academy of Sciences for work over twenty years in chemical transmission of “sexual language” in eleven types of social insects–all of us (except George, about whom there have been many rumors, rumors upon rumors: he’s fled the vicinity, he’s right here under our noses, he’s using an alias or maybe several, he has a new face, that sort of thing)–all my ninety-eight, not counting George, brothers and I recently came together in the red library and resolved that the time had arrived, finally, to stop being blue, put the past behind us, share a light supper, and locate, if we could bear to, the missing urn full of the old fucker’s ashes.”

Roberto Bolano, “2666.” 554 words.

“That same day Kessler was at Cerro Estrella and he walked around Colonia Estrella and Colonia Hidalgo and explored the area along the Pueblo Azul highway and saw the ranches empty like shoe boxes, solid structures, graceless, functionless, that stood at the bends of the roads that ran into the Pueblo Azul highway, and then he wanted to see the neighborhoods along the border, Colonia Mexico, next to El Adobe, at which point you were back in the United States, the bars and restaurants and hotels of Colonia Mexico and its main street, where there was a permanent thunder of trucks and cars on their way to the border crossing, and then he made his entourage turn south along Avenida General Sepulveda and the Cananea highway, where they took a detour into Colonia La Vistosa, a place the police almost never ventured, one of the inspectors told him, the one who was driving, and the other one nodded sorrowfully, as if the absence of police in Colonia La Vistosa and Colonia Kino and Colonia Remedies Mayor was a shameful stain that they, zealous young men, bore with sorrow, and why sorrow? well, because impunity pained them, they said, whose impunity? the impunity of the gangs that controlled the drug trade in these godforsaken neighborhoods, something that made Kessler think, since in principle, looking out the car window at the fragmented landscape, it was hard to imagine any of the residents buying drugs, easy to imagine them using, but hard, very hard, to imagine them buying, digging in their pockets to come up with enough change to make a purchase, something easy enough to imagine in the black and Hispanic ghettos up north, neighborhoods that looked placid in comparison to this dismal chaos, but the two inspectors nodded, their strong, young jaws, that’s right, there’s lots of coke around here and all the filth that comes with it, and then Kessler looked out again at the landscape, fragmented or in the constant process of fragmentation, like a puzzle repeatedly assembled and disassembled, and told the driver to take him to the illegal dump El Chile, the biggest illegal dump in Santa Teresa, bigger than the city dump, where waste was disposed of not only by the maquiladora trucks but also by garbage trucks contracted by the city and some private garbage trucks and pickups, subcontracted or working in areas that public services didn’t cover, and then the car was back on paved streets and they seemed to head the way they’d come, returning to Colonia La Vistosa and the highway, but then they turned down a wider street, just as desolate, where even the brush was covered with a thick layer of dust, as if an atomic bomb had dropped nearby and no one had noticed, except the victims, thought Kessler, but they didn’t count because they’d lost their minds or were dead, even though they still walked and stared, their eyes and stares straight out of a Western, the stares of Indians or bad guys, of course, in other words lunatics, people living in another dimension, their gazes no longer able to touch us, we’re aware of them but they don’t touch us, they don’t adhere to our skin, they shoot straight through us, thought Kessler as he moved to roll down the window.”

David Foster Wallace, Oblivion, “Mister Squishy.” 562 words.

“Schmidt had had several years of psychotherapy and was not without some perspective on himself, and he knew that a certain percentage of his reaction to the way these older men coolly inspected their cuticles or pinched at the crease in the trouser of the topmost leg as they sat back on the coccyx joggling the foot of their crossed leg was just his insecurity, that he felt somewhat sullied and implicated by the whole enterprise of contemporary marketing and that this sometimes manifested via projection as the feeling that people he was trying to talk as candidly as possible to always believed he was making a sales pitch or trying to manipulate them in some way, as if merely being employed, however ephemerally, in the great grinding US marketing machine had somehow colored his whole being  and that something essentially shifty or pleading in his expression now always seemed inherently false or manipulative and turned people off, and not just in his career which was not his whole existence, unlike so many at Team Δy, or even that terribly important to him; he had a vivid and complex inner life, and introspected a great deal but in his personal affairs as well, and that somewhere along the line his professional marketing skills had metastasized through his whole character so that he was now the sort of man who, if he were to screw up his courage and ask a female colleague out for drinks and over drinks open his heart to her and reveal that he respected her enormously, that his feelings for her involved elements of both professional and highly personal regard, and that he spent a great deal more time thinking about her than she probably had any idea he did, and that if there were anything at all he could ever do to make her life happier or easier or more satisfying or fulfilling he hoped she’d just say the word, for that is all she would have to do, say the word or snap her thick fingers or even just look at him in a meaningful way, and he’d be there, instantly and with no reservations at all, he would nevertheless in all probability be viewed as probably just wanting to sleep with her or fondle or harass her, or as having some creepy obsession with her, or as maybe even having a small creepy secretive shrine to her in one corner of the unused second bedroom of his condominium, consisting of personal items fished out of her cubicle’s wastebasket or the occasional dry witty little notes she passed him during especially deadly or absurd Team Δy staff meetings, or that his home Apple PowerBook’s screensaver was an Adobe-brand 1440-dpi blowup of a digital snapshot of the two of them with his arm over her shoulder and just part of the arm and shoulder of another Team Δy Field-worker with his arm over her shoulder from the other side at a Fourth of July picnic that A.C. Romney-Jaswat & Assoc. had thrown for its research subcontractors at Navy Pier two years past, Darlene holding her cup and smiling in such a way as to show almost as much upper gum as teeth, the ale’s cup’s red digitally enhanced to match her lipstick and the small scarlet rainbow she often wore just right of center as a sort of personal signature or statement.”

Thomas Bernhard, “Correction.” 720 words.

“The atmosphere in Hoeller’s house was still heavy, most of all with the circumstances of Roithamer’s suicide, and seemed from the moment of my arrival favorable to my plan of working on Roithamer’s papers there, specifically in Hoeller’s garret, sifting and sorting Roithamer’s papers and even, as I suddenly decided, simultaneously writing my own account of my work on these papers, as I have here begun to do, aided by having been able to move straight into Hoeller’s garret without any reservations on Hoeller’s part, even though the house had other suitable accommodations, I deliberately moved into that four-by-five-meter garret Roithamer was always so fond of, which was so ideal, especially in his last years, for his purposes, where I could stay as long as I liked, it was all the same to Hoeller, in this house built by the headstrong Hoeller in defiance of every rule of reason and architecture right here in the Aurach gorge, in the garret which Hoeller had designed and built as if for Roithamer’s purposes, where Roithamer, after sixteen years in England with me, had spent the final years of his life almost continuously, and even prior to that he had found it convenient to spend at least his nights in the garret, especially while he was building the Cone for his sister in the Kobernausser forest, all the time the Cone was under construction he no longer slept at home in Altensam but always and only in Hoeller’s garret, it was simply in every respect the ideal place for him during those last years when he, Roithamer, never went straight home to Altensam from England, but instead went every time to Hoeller’s garret, to fortify himself in its simplicity (Hoeller house) for the complexity ahead (Cone), it would not do to go straight to Altensam from England, where each of us, working separately in his own scientific field, had been living in Cambridge all those years, he had to go straight to Hoeller’s garret, if he did not follow this rule which had become a cherished habit, the visit to Altensam was a disaster from the start, so he simply could not let himself go directly from England to Altensam and everything connected with Altensam, whenever he had not made the detour via Hoeller’s house, to save time, as he himself admitted, it had been a mistake, so he no longer made the experiment of going to Altensam without first stopping at Hoeller’s house, in those last years, he never again went home without first visiting Hoeller and Hoeller’s family and Hoeller’s house, without first moving into Hoeller’s garret, to devote himself for two or three days to such reading as he could do only in Hoeller s garret, of subject matter that was not harmful but helpful o him, books and articles he could read neither in Altensam or in England, and to thinking and writing what he found possible to think and write neither in England nor in Altensam, here I discovered Hegel, he always said, over and over again, it was here that I really delved into Schopenhauer for the first time, here that I could read, for the first time, Goethe’sElective Affinities and The Sentimental Journey, without distraction and with a clear head, it was here, in Hoeller’s garret, that I suddenly gained access to ideas to which my mind had been sealed for decades before I came to this garret, access, he wrote, to the most essential ideas, the most important for me, the most necessary to my life, here in Hoeller’s garret, he wrote, everything became possible for me, everything that had always been impossible for me outside Hoeller’s garret, such as letting myself be guided by my intellectual inclinations and to develop my natural aptitudes accordingly, and to get on with my work, everywhere else I had always been hindered in developing my aptitudes but in Hoeller’s garret I could always develop them most consistently, here everything was congenial to my way of thinking, here I could always indulge myself in exploring all my intellectual possibilities, here my intellectual possibilities, here in Hoeller’s garret my head, my mind, my whole constitution were suddenly relieved from all the outside world’s oppression, the most incredible things were suddenly no longer incredible, the most impossible (thinking!) no longer impossible.”

Marcel Proust, “Remembrance of Things Past.” 958 words.

“Their honour precarious, their liberty provisional, lasting only until the discovery of their crime; their position unstable, like that of the poet who one day was feasted at every table, applauded in every theatre in London, and on the next was driven from every lodging, unable to find a pillow upon which to lay his head, turning the mill like Samson and saying like him: “The two sexes shall die, each in a place apart!”; excluded even, save on the days of general disaster when the majority rally round the victim as the Jews rallied round Dreyfus, from the sympathy–at times from the society–of their fellows, in whom they inspire only disgust at seeing themselves as they are, portrayed in a mirror which, ceasing to flatter them, accentuates every blemish that they have refused to observe in themselves, and makes them understand that what they have been calling their love (a thing to which, playing upon the word, they have by association annexed all that poetry, painting, music, chivalry, asceticism have contrived to add to love) springs not from an ideal of beauty which they have chosen but from an incurable malady; like the Jews again (save some who will associate only with others of their race and have always on their lips ritual words and consecrated pleasantries), shunning one another, seeking out those who are most directly their opposite, who do not desire their company, pardoning their rebuffs, moved to ecstasy by their condescension; but also brought into the company of their own kind by the ostracism that strikes them, the opprobrium under which they have fallen, having finally been invested, by a persecution similar to that of Israel, with the physical and moral characteristics of a race, sometimes beautiful, often hideous, finding (in spite of all the mockery with which he who, more closely blended with, better assimilated to the opposing race, is relatively, in appearance, the least inverted, heaps upon him who has remained more so) a relief in frequenting the society of their kind, and even some corroboration of their own life, so much so that, while steadfastly denying that they are a race (the name of which is the vilest of insults), those who succeed in concealing the fact that they belong to it they readily unmask, with a view less to injuring them, though they have no scruple about that, than to excusing themselves; and, going in search (as a doctor seeks cases of appendicitis) of cases of inversion in history, taking pleasure in recalling that Socrates was one of themselves, as the Israelites claim that Jesus was one of them, without reflecting that there were no abnormals when homosexuality was the norm, no anti-Christians before Christ, that the disgrace alone makes the crime because it has allowed to survive only those who remained obdurate to every warning, to every example, to every punishment, by virtue of an innate disposition so peculiar that it is more repugnant to other men (even though it may be accompanied by exalted moral qualities) than certain other vices which exclude those qualities, such as theft, cruelty, breach of faith, vices better understood and so more readily excused by the generality of men; forming a freemasonry far more extensive, more powerful and less suspected than that of the Lodges, for it rests upon an identity of tastes, needs, habits, dangers, apprenticeship, knowledge, traffic, glossary, and one in which the members themselves, who intend not to know one another, recognise one another immediately by natural or conventional, involuntary or deliberate signs which indicate one of his congeners to the beggar in the street, in the great nobleman whose carriage door he is shutting, to the father in the suitor for his daughter’s hand, to him who has sought healing, absolution, defence, in the doctor, the priest, the barrister to whom he has had recourse; all of them obliged to protect their own secret but having their part in a secret shared with the others, which the rest of humanity does not suspect and which means that to them the most wildly improbable tales of adventure seem true, for in this romantic, anachronistic life the ambassador is a bosom friend of the felon, the prince, with a certain independence of action with which his aristocratic breeding has furnished him, and which the trembling little cit would lack, on leaving the duchess’s party goes off to confer in private with the hooligan; a reprobate part of the human whole, but an important part, suspected where it does not exist, flaunting itself, insolent and unpunished, where its existence is never guessed; numbering its adherents everywhere, among the people, in the army, in the church, in the prison, on the throne; living, in short, at least to a great extent, in a playful and perilous intimacy with the men of the other race, provoking them, playing with them by speaking of its vice as of something alien to it; a game that is rendered easy by the blindness or duplicity of the others, a game that may be kept up for years until the day of the scandal, on which these lion-tamers are devoured; until then, obliged to make a secret of their lives, to turn away their eyes from the things on which they would naturally fasten them, to fasten them upon those from which they would naturally turn away, to change the gender of many of the words in their vocabulary, a social constraint, slight in comparison with the inward constraint which their vice, or what is improperly so called, imposes upon them with regard not so much now to others as to themselves, and in such a way that to themselves it does not appear a vice.”

Steven Millhauser, “Home Run.” 1147 words.

“Bottom of the ninth, two out, game tied, runners at the corners, the count full on McCluskey, the fans on their feet, this place is going wild, outfield shaded in to guard against the blooper, pitcher looks in, shakes off the sign, a big lead off first, they’re not holding him on, only run that matters is the man dancing off third, shakes off another sign, McCluskey asking for time, steps out of the box, tugs up his batter’s glove, knocks dirt from his spikes, it’s a cat ‘n’ mouse game, break up his rhythm, make him wait, now the big guy’s back in the box, down in his crouch, the tall lefty toes the rubber, looks in, gives the nod, will he go with the breaking ball, maybe thinking slider, third baseman back a step, catcher sets up inside, pitcher taking his time, very deliberate out there, now he’s ready, the set, the kick, he deals, it’s a fastball, straight down the pipe, McCluskey swings, a tremendous rip, he crushes it, the crowd is screaming, the centerfielder back, back, angling toward right, tons of room out there in no man’s land, still going back, he’s at the track, that ball is going, going, he’s at the wall, looking up, that ball is gone, see ya, hasta la vista baby, McCluskey goes yard, over the three-hundred-ninety-foot mark in right center, game over, he creamed it, that baby is gone and she ain’t comin back anytime soon, sayonara, the crowd yelling, the ball still carrying, the stands going crazy, McCluskey rounding second, the ball still up there, way up there, high over the right-centerfield bleachers, headed for the upper deck, talk about a tape-measure shot, another M-bomb from the Big M, been doing it all year, he’s rounding third, ball still going, still going, that ball was smoked, a no doubter, wait a minute wait a minute oh oh oh it’s outta here, that ball is out of the park, cleared the upper deck, up over the Budweiser sign, Jimmy can you get me figures on that, he hammered it clean outta here, got all of it, can you believe it, an out of the parker, hot diggity, slammed it a country mile, the big guy’s crossing the plate, team’s all over him, the crowd roaring, what’s that Jimmy, Jimmy are you sure, I’m being told it’s a first, that’s right a first, no one’s ever socked one out before, the Clusker really got around on it, looking fastball all the way, got the sweet part of the bat on it, launched a rocket, oh baby did he scald it, I mean he drilled it, the big guy is strong but it’s that smooth swing of his, the King of Swing, puts his whole body into it, hits with his legs, he smashed it, a Cooperstown clout, right on the screws, the ball still going, unbelievable, up past the Goodyear Blimp, see ya later alligator, up into the wild blue yonder, still going, ain’t nothing gonna stop that baby, they’re walking McCluskey back to the dugout, fans swarming all over the field, they’re pointing up at the sky, the ball still traveling, up real high, that ball is wayway outta here, Jimmy what have you got, going, going, hold on, what’s that Jimmy, I’m told the ball has gone all the way through the troposphere, is that a fact, now how about that, the big guy hit it a ton, really skyed it, up there now in the stratosphere, good golly Miss Molly, help me out here Jimmy, stratosphere starts at six miles and goes up 170,000 feet, man did he ever jack it outta here, a dinger from McSwinger, a whopper from the Big Bopper, going, going, the stands emptying out, the ball up in the mesosphere, the big guy blistered it, he powdered it, the ground crew picking up bottles and paper cups and peanut shells and hot dog wrappers, power-washing the seats, you can bet people’ll be talking about this one for a long time to come, he plastered that ball, a pitch right down Broadway, tried to paint the inside corner but missed his spot, you don’t want to let the big guy extend those arms, up now in the exosphere, way up there, never seen anything like it, the ball carrying well all day but who would’ve thought, wait a minute, hold on a second, holy cow it’s left the earth’s atmosphere, so long it’s been good ta know ya, up there now in outer space, I mean that ball is outta here, bye bye birdie, still going, down here at the park the stands are empty, sun gone down, moon’s up, nearly full, it’s a beautiful night, temperature seventy-three, another day game tomorrow then out to the West coast for a tough three-game series, the ball still going, looks like she’s headed for the moon, talk about a moon shot, man did he ever paste it outta here, higher, deeper, going, going, it’s gone past the moon, you can kiss that baby goodbye, goodnight Irene I’ll see you in my dreams, the big guy got good wood on it, right on the money, swinging for the downs, the ball still traveling, sailing past Mars, up through the asteroid belt, you gotta love it, past Jupiter, see ya Saturn, so long Uranus, arrivederci Neptune, up there now in the Milky Way, a round-tripper to the Big Dipper, a galaxy shot, a black-hole blast, how many stars are we talking about Jimmy, Jimmy says two hundred billion, that’s two hundred billion stars in the Milky Way, a nickel for every star and you can stop worrying about your 401K, the ball still traveling, out past the Milky Way and headed on into intergalactic space, hooo did he ever whack it, he shellacked it, a good season but came up short in the playoffs, McCluskey’ll be back next year, the ball out past the Andromeda galaxy, going, going, the big guy mashed it, he clob-bobbered it, wham-bam-a-rammed it, he’s looking good in spring training, back with that sweet swing, out past the Virgo supercluster with its thousands of galaxies, that ball was spanked, a Big Bang for the record book, a four-bagger with swagger, out past the Hydra-Centaurus supercluster, still going, out past the Aquarius supercluster, thousands and millions of superclusters out there, McCluskey still remembers it, he’s coaching down in Triple A, the big man a sensation in his day, the ball still out there, still climbing, sailing out toward the edge of the observable universe, the edge receding faster than the speed of light, the ball still going, still going, he remembers the feel of the wood in his hands, the good sound of it as he swung, smell of pine tar, bottom of the ninth, two on, two out, a summer day.”

David Foster Wallace, “The Pale King.” 1185 words.

“Part of what kept him standing in the restive group of men waiting authorization to enter the airport was a kind of paralysis that resulted from Sylvanshine’s reflecting on the logistics of getting to the Peoria 047 REC – the issue of whether the REC sent a van for transfers or whether Sylvanshine would have to take a cab from the little airport had not been conclusively resolved – and then how to arrive and check in and where to store his three bags while he checked in and filled out his arrival and Post-code payroll and withholding forms and orientational materials then somehow get directions and proceed to the apartment that Systems had rented for him at government rates and get there in time to find someplace to eat that was either in walking distance or would require getting another cab – except the telephone in the alleged apartment wasn’t connected yet and he considered the prospects of being able to hail a cab from outside an apartment window complex were at best iffy, and if he told the original cab he’d taken to the apartment to wait for him, there would be difficulties because how exactly would he reassure the cabbie that he really was coming right back out after dropping his bags and doing a quick spot check of the apartment’s condition and suitability instead of it being a ruse designed to defraud the driver of his fare, Sylvanshine ducking out the back of the Angler’s Cove apartment complex or even conceivably barricading himself in the apartment and not responding to the driver’s knock, or his ring if the apartment had a doorbell, which his and Reynold’s current apartment in Martinsburg most assuredly did not, or the driver’s queries/threats through the apartment door, a scam that resided in Claude Sylvanshine’s awareness only because a number of independent Philadelphia commercial carriage operators had proposed heavy Schedule C losses under the provisio “Losses Through Theft of Service” and detailed this type of scam as prevalent on the poorly typed or sometimes even handwritten attachments required to explain unusual or specific C-deductions like this, whereas were Sylvanshine to pay the fare and tip and perhaps even a certain amount in advance on account so as to help assure the driver of his honorable intentions re the second leg of the sojourn there was no tangible guarantee that the average taxi driver – a cynical and ethically marginal species, hustlers, as even their sumdged returns’ very low tip-income-vs-number-of-fares-in-an-average-shift ratios in Philly had indicated – wouldn’t simply speed away with Sylvanshine’s money, creating enormous hassles in terms of filling out the internal forms for getting a percentage of his travel per diem reimbursed and also leaving Sylvanshine alone, famished (he was unable to eat before travel), phoneless, devoid of Reynold’s counsel and logistical savvy in the sterile new unfurnished apartment, his stomach roiling in on itself in such a way that it would be all Sylvanshine could to unpack in any kind of half-organized fashion and get to sleep on the nylon travel pallet on the unfinished floor in the possible presence of exotic Midwestern bugs, to say nothing of putting in the hour of CPA exam review he’d promised himself this morning when he’d overslept slightly and then encountered last-minute packing problems that had canceled out the firmly scheduled hour of morning CPA review before one of the unmarked Systems vans arrived to take him and his bags out through Harpers Ferry and Ball’s Bluff to the airport, to say even less about any kind of systematic organization and mastery of the voluminous Post, Duty, Personnel, and Systems Protocols materials he should be receiving promptly after check-in and forms processing at the Post, which any reasonable Personnel Director would expect a new examiner to have thoroughly internalized before reporting for the first actual day interacting with REC examiners, and which there was no way in any real world that Sylanshine could expect himself to try to review and internalize on either a sixteen-hour fast or a night on the pallet with his damp raincoat as a pillow – he had been unable to pack the special contoured orthotic pillow for his neck’s chronic pinched or inflamed nerve; it would have required its own suitcase and thereby exceeded the baggage limit and incurred an exorbitant surcharge which Reynolds refused to let Sylvanshine pay out of same principle – with the additional problem of securing any sort of substantive breakfast or return ride to the REC in the morning without a phone, or how without a phone one was supposed to even try to verify whether and when the apartment phone was going to be activated, plus of course the ominous probability of oversleeping the next morning due to both travel fatigue and his not having packed his traveler’s alarm clock – or at any rate not having been certain that he’d packed in instead of allowing it to go into one of the three large cartons that he had packed and labeled but done a hasty, slipshod job of writing out Contents Lists for the boxes to refer to when unpacking them in Peoria, and which Reynolds had pledged to insert into the Service’s Support Branch shipping mechanism at roughly the same time Sylvanshine’s flight was scheduled to depart from Dulles, which meant two or possibly even three days before the cartons with all the essentials Sylvanshine had not been able to fit into his bags arrived, and even then they would arrive at the REC and it was as yet unclear how Claude would then them home to the apartment – the realization about the traveler’s alarm having been the chief cause of Sylvanshine’s having to unlock and open all the carefully packed luggage that morning on arising already half an hour late, to try to locate or verify the inclusion of the portable alarm, which he had failed to do – the whole thing presenting such a cyclone of logistical problems and complexities that Sylvanshine was forced to some some Thought Stopping right there on the wet tarmac surrounded by restive breathers, turning 360-degrees several times and trying to merge his own awareness with the panoramic vista, which except for airport-related items was uniformly featureless and old-coin gray and so remarkably flat that it was as if the earth here had been stamped on with some cosmic boot, visibility in all directions limited only by the horizon, which was the same general color and texture as the sky and created the specular impression of being in the center of some huge and stagnant body of water, an oceanic impression so literally obliterating that Sylvanshine was cast or propelled back in on himself and felt again the edge of the shadow of the wing of Total Terror and Disqualification pass over him, the knowledge of his being surely and direly ill-suited for whatever lay ahead, and of its being only a matter of time before this fact emerged and was made manifest to all those present in the moment that Sylvanshine finally, and forever, lost it.”

Roderick Moody-Corbett, “Parse.” 1203 words.

“You know that you will see him again, at least you have told yourself not to worry, not to, in the words of your psychiatrist, Dr. Blackmur, with whom you’ve not spoken in seventy-two hours, “let things snowball,” and that this—whatever it is that’s happening to you right now—is not necessarily an ending so much as an interstice, by which you seem to mean, vaguely, a kind of brief emotive pause, a regrouping, of sorts, during which time you will both try and get your respective shit (s?) together, so that one day, and, you hope, one day soon, you might share a sleazy Sunday afternoon together, hungover, occasionally tumbling into an eager, tingly, greedy kind of sex (a sex so deeply parasitic that you feel, like vampires, a need to drink it), and then, post-coitus, each of you tolerably sated, his head, the benign humidity of his left temple, say, murmuring on your chest, a Sunday, a potted avocado seed beginning to doff its husk on the windowsill, and the window, then, with rain or sun or sleet behind it, and a feeling of gratitude that you are all too grateful to notice, fleeting, you’d call it, this feeling, which, it suddenly occurs to you, you may never again know the daytime delirium of—or so you try not to tell yourself as muscling two suitcases down the narrow, slippery, improbably leaf-blistered steps (of what, technically speaking, is no longer your guys’ apartment) and towards the curb where, any minute now, a cab, a checkered yellow-black hearse, will glide up and take you to the Billy Bishop Toronto City Airport, where, having puzzled around the Porter Terminal some twenty-three minutes, a kind of wide tugboat type thing will drag you and your two miserable suitcases (of which, just your luck, the heavier of the two has a broken wheel) to the airport proper, where you will, almost finally, fly home—St. John’s—even though the word home, or, the very notion of home, doesn’t quite make sense to you at this particular moment, because, let’s face it, welling up inside of you—recall, you’re still very much on the curb here—is this horrible and excruciating sense of homelessness that manifests itself as a kind of bowel-deep sphincter-bristling angst, and you feel that what you are leaving, or, no, in the spirit of pained specificity, what you are basically on the precipice of almost leaving—a bright two bedroom apartment with two patios, one windowless bathroom, and a kitchen with beech countertops, sooty-mauve walls and terracotta tiles—feels, even as you are so clearly leaving it, very much like a home, and how the fuck does that work, you wonder, idiotically, just as he, the man you are promising yourself you will one day see again, comes down the steps bearing a small white dog, a Pomeranian, with its simple moist snout, a ludicrous little animal that you’ve come, in recent months, to adore, tic-tac brain, raisin eyes et al.—and it doesn’t help that this man has tears, the beginnings of tears, in his eyes, and that now, quite suddenly, so do you, and it’s almost nine o’clock in the morning on like—this kills you—a fucking Tuesday, you think, and the last thing you want to be doing is saying goodbye to the man you, trite as it sounds, love, while around you surges an indolent chatter of morning traffic, caroming buses and streetcars and somewhere, not so far off, perhaps, the dopplering bray of an ambulance, and maybe, because you still love him, you feel it, this sense of incumbent regret, crawling through your chest so much so that it sends a few nervy jots of phlegm swimming up your throat, and but then—check this out, yes, see—here comes the cabby and now you’re on the clock because, holy shit, this guy’s face—jowly and hale, with telltale pouches of insomnia, like bruisy garlic cloves, slung beneath his eyes—seems stilled in a kind of harried rictus, and yet, and yet, you want this moment, horrible as it is, to last, if not forever, then at least a few minutes more, because, God, it just might be the last time—but, you say, don’t tell yourself this—as the man you are promising yourself you will one day see again leans into you and your five o’clock shadows lock like a bad similes, and he says, in a voice you are already beginning to forget, I love you, and you kiss, for some reason, the dog first, you press your index finger on its wet snout—and, rebuking you somewhat (in this, the dog seems just as impatient as the cabby)—you hold him close, dog and man, and you whisper in his ear, as much for him as for, you suppose, yourself, this isn’t the end of anything, I promise, we’ll see each other soon, even though, all of a sudden, you’re not, you’re in the cab and you’re telling the driver—who, what with his spade chin and lean veiny nose, you feel is pretty wise to what’s going on and (judging from the dour officiousness of his “Where you headed?”) maybe even just a little bit repelled and slightly resentful of you for having implicated him, poor guy, in the middle of it—you tell him: drive man, just like, you know, fucking drive, and, as he begins to edge out onto Queen, the fervid snick of his turn signal beating down on you, an insomnious pulse, you suffer one final glance out the back window and it’s an image of him, looming out of a rearview swell of cirrus, cradling that ludicrous Pomeranian, just standing there, mute and numb, in that upsized Adidas jacket, the one you picked out for him last Christmas at the Sally-Ann in Markham, and which, given its size or his size, you’d purchased more or less as a joke, and which he’d inadvertently loved, and now something, something in the far-flung comedy of this memory, man, it just about kills you (again), and you almost hope he’s crying, to feel how wet his eyes are because you’re crying, his eyes are your eyes—you look at me and eye you, etc.—and you want, suddenly, to scream: PAUSE!, just pull this fucking cab to the side of the road and let me the fuck out, but you don’t—because, and this will be important later, this, as Dr. Blackmur might say, sotto voce, “will definitely be on the final exam,” it has just now occurred to you that your sickness has no soundtrack—you drive, and this feeling, yes, yes, trite and banal and horrible as it is, it stays with you, and the only way to fight this feeling is to have faith, so you tell yourself not to worry, probably you will almost definitely see him again, keep saying it, until, like some kind of cunning liturgical chant spilled from the parched and cracking lips of a neo-Gregorian supplicant, the words become bloated and vague and, semiotically speaking, opaque: this, whatever it is, isn’t the end of anything, keep telling yourself this, hope.”

William Faulkner, “Absalom, Absalom.” 1289 words.

“Just exactly like Father if Father had known as much about it the night before I went out there as he did the day after I came back thinking Mad impotent old man who realised at last that there must be some limit even to the capabilities of a demon for doing harm, who must have seen his situation as that of the show girl, the pony, who realises that the principal tune she prances to comes not from horn and fiddle and drum but from a clock and calendar, must have seen himself as the old wornout cannon which realises that it can deliver just one more fierce shot and crumble to dust in its own furious blast and recoil, who looked about upon the scene which was still within his scope and compass and saw son gone, vanished, more insuperable to him now than if the son were dead since now (if the son still lived) his name would be different and those to call him by it strangers and whatever dragon’s outcropping of Sutpen blood the son might sow on the body of whatever strange woman would therefore carry on the tradition, accomplish the hereditary evil and harm under another name and upon and among people who will never have heard the right one; daughter doomed to spinsterhood who had chosen spinsterhood already before there was anyone named Charles Bon since the aunt who came to succor her in bereavement and sorrow found neither but instead that calm absolutely impenetrable face between a homespun dress and sunbonnet seen before a closed door and again in a cloudy swirl of chickens while Jones was building the coffin and which she wore during the next year while the aunt lived there and the three women wove their own garments and raised their own food and cut the wood they cooked it with (excusing what help they had from Jones who lived with his granddaughter in the abandoned fishing camp with its collapsing roof and rotting porch against which the rusty scythe which Sutpen was to lend him, make him borrow to cut away the weeds from the door-and at last forced him to use though not to cut weeds, at least not vegetable weeds -would lean for two years) and wore still after the aunt’s indignation had swept her back to town to live on stolen garden truck and out o f anonymous baskets left on her front steps at night, the three of them, the two daughters negro and white and the aunt twelve miles away watching from her distance as the two daughters watched from theirs the old demon, the ancient varicose and despairing Faustus fling his final main now with the Creditor’s hand already on his shoulder, running his little country store now for his bread and meat, haggling tediously over nickels and dimes with rapacious and poverty-stricken whites and negroes, who at one time could have galloped for ten miles in any direction without crossing his own boundary, using out of his meagre stock the cheap ribbons and beads and the stale violently-colored candy with which even an old man can seduce a fifteen-year-old country girl, to ruin the granddaughter o f his partner, this Jones-this gangling malaria-ridden white man whom he had given permission fourteen years ago to squat in the abandoned fishing camp with the year-old grandchild-Jones, partner porter and clerk who at the demon’s command removed with his own hand (and maybe delivered too) from the showcase the candy beads and ribbons, measured the very cloth from which Judith (who had not been bereaved and did not mourn) helped the granddaughter to fashion a dress to walk past the lounging men in, the side-looking and the tongues, until her increasing belly taught her embarrassment-or perhaps fear;-Jones who before ’61 had not even been allowed to approach the front of the house and who during the next four years got no nearer than the kitchen door and that only when he brought the game and fish and vegetables on which the seducer-to-be’s wife and daughter (and Clytie too, the one remaining servant, negro, the one who would forbid him to pass the kitchen door with what he brought) depended on to keep life in them, but who now entered the house itself on the (quite frequent now) afternoons when the demon would suddenly curse the store empty of customers and lock the door and repair to the rear and in the same tone in which he used to address his orderly or even his house servants when he had them (and in which he doubtless ordered Jones to fetch from the showcase the ribbons and beads and candy) direct Jones to fetch the jug, the two of them (and Jones even sitting now who in the old days, the old dead Sunday afternoons of monotonous peace which they spent beneath the scuppernong arbor in the back yard, the demon lying in the hammock while Jones squatted against a post, rising from time to time to pour for the demon from the demijohn and the bucket of spring water which he had fetched from the spring more than a mile away then squatting again, chortling and chuckling and saying `Sho, Mister Tawm’ each time the demon paused)-the two of them drinking turn and turn about from the jug and the demon not lying down now nor even sitting but reaching after the third or second drink that old man’s state of impotent and furious undefeat in which he would rise, swaying and plunging and shouting for his horse and pistols to ride single-handed into Washington and shoot Lincoln (a year or so too late here) and Sherman both, shouting, ‘Kill them! Shoot them down like the dogs they are!’ and Jones: ‘Sho, Kernel; sho now’ and catching him as he fell and commandeering the first passing wagon to take him to the house and carry him up the front steps and through the paintless formal door beneath its fanlight imported pane by pane from Europe which Judith held open for him to enter with no change, no alteration in that calm frozen face which she had worn for four years now, and on up the stairs and into the bedroom and put him to bed like a baby and then lie down himself on the floor beside the bed though not to sleep since before dawn the man on the bed would stir and groan and Jones would say, ‘flyer I am, Kernel. Hit’s all right. They aint whupped us yit, air they?’ this Jones who after the demon rode away with the regiment when the granddaughter was only eight years old would tell people that he ‘was lookin after Major’s place and niggers’ even before they had time to ask him why he was not with the troops and perhaps in time came to believe the lie himself, who was among the first to greet the demon when he returned, to meet him at the gate and say, ‘Well, Kernel, they kilt us but they aint whupped us yit, air they?’ who even worked, labored, sweat at the demon’s behest during that first furious period while the demon believed he could restore by sheer indomitable willing the Sutpen’s Hundred which he remembered and had lost, labored with no hope of pay or reward who must have seen long before the demon did (or would admit it) that the task was hopeless-blind Jones who apparently saw still in that furious lecherous wreck the old fine figure of the man who once galloped on the black thoroughbred about that domain two boundaries of which the eye could not see from any point.”

Samuel Beckett, “The Unnamable.” 1672 words.

“The place, I’ll make it all the same, I’ll make it in my head, I’ll draw it out of my memory, I’ll gather it all about me, I’ll make myself a head, I’ll make myself a memory, I have only to listen, the voice will tell me everything, tell it to me again, everything I need, in dribs and drabs, breathless, it’s like a confession, a last confession, you think it’s finished, then it starts off again, there were so many sins, the memory is so bad, the words don’t come, the words fail, the breath fails, no, it’s something else, it’s an indictment, a dying voice accusing, accusing me, you must accuse someone, a culprit is indispensable, it speaks of my sins, it speaks of my head, it says it’s mine, it says that I repent, that I want to be punished, better than I am, that I want to go, give myself up, a victim is essential, I have only to listen, it will show me my hiding-place, what it’s like, where the door is, if there’s a door, and whereabouts I am in it, and what lies between us, how the land lies, what kind of country, whether it’s sea, or whether it’s mountain, and the way to take, so that I may go, make my escape, give myself up, come to the place where the axe falls, without further ceremony, on all who come from here, I’m not the first, I won’t be the first, it will best me in the end, it has bested better than me, it will tell me what to do, in order to rise, move, act like a body endowed with despair, that’s how I reason, that’s how I hear myself reasoning, all lies, it’s not me they’re calling, not me they’re talking about, it’s not yet my turn, it’s someone else’s turn, that’s why I can’t stir, that’s why I don’t feel a body on me, I’m not suffering enough yet, it’s not yet my turn, not suffering enough to be able to stir, to have a body, complete with head, to be able to understand, to have eyes to light the way, I merely hear, without understanding, without being able to profit by it, by what I hear, to do what, to rise and go and be done with hearing, I don’t hear everything, that must be it, the important things escape me, it’s not my turn, the topographical and anatomical information in particular is lost on me, no, I hear everything, what difference does it make, the moment it’s not my turn, my turn to understand, my turn to live, my turn of the lifescrew, it calls that living, the space of the way from here to the door, it’s all there, in what I hear, somewhere, if all has been said, all this long time, all must have been said, but it’s not my turn to know what, to know what I am, where I am, and what I should do to stop being it, to stop being there, that’s coherent, so as to be another, no, the same, I don’t know, depart into life, travel the road, find the door, find the axe, perhaps it’s a cord, for the neck, for the throat, for the cords, or fingers, I’ll have eyes, I’ll see fingers, it will be the silence, perhaps it’s a drop, find the door, open the door, drop, into the silence, it won’t be I, I’ll stay here, or there, more likely there, it will never be I, that’s all I know, it’s all been done already, said and said again, the departure, the body that rises, the way, in colour, the arrival, the door that opens, closes again, it was never I, I’ve never stirred, I’ve listened, I must have spoken, why deny it, why not admit it, after all, I deny nothing, I admit nothing, I say what I hear, I hear what I say, I don’t know, one or the other, or both, that makes three possibilities, pick your fancy, all these stories about travelers, these stories about paralytics, all are mine, I must be extremely old, or it’s memory playing tricks, if only I knew if I’ve lived, if I live, if I’ll live, that would simplify everything, impossible to find out, that’s where you’re buggered, I haven’t stirred, that’s all I know, no, I know something else, it’s not I, I always forget that, I resume, you must resume, never stirred from here, never stopped telling stories, to myself, hardly hearing them, hearing something else, listening for something else, wondering now and then where I got them from, was I in the land of the living, were they in mine, and where, where do I store them, in my head, I don’t feel a head on me, and what do I tell them with, with my mouth, same remark, and what do I hear them with, and so on, the old rigmarole, it can’t be I, or it’s because I pay no heed, it’s such an old habit, I do it without heeding, or as if I were somewhere else, there I am far again, there I am the absentee again, it’s his turn again now, he who neither speaks nor listens, who has neither body nor soul, it’s something else he has, he must have something, he must be somewhere, he is made of silence, there’s a pretty analysis, he’s in the silence, he’s the one to be sought, the one to be, the one to be spoken of, the one to speak, but he can’t speak, then I could stop, I’d be he, I’d be the silence, I’d be back in the silence, we’d be reunited, his story the story to be told, but he has no story, he hasn’t been in story, it’s not certain, he’s in his own story, unimaginable, unspeakable, that doesn’t matter, the attempt must be made, in the old stories incomprehensibly mine, to find his, it must be there somewhere, it must have been mine, before being his, I’ll recognize it, in the end I’ll recognize it, the story of the silence that he never left, that I should never have left, that I may never find again, that I may find again, then it will be he, it will be I, it will be the place, the silence, the end, the beginning, the beginning again, how can I say it, that’s all words, they’re all I have, and not many of them, the words fail, the voice fails, so be it, I know that well, it will be the silence, full of murmurs, distant cries, the usual silence, spent listening, spent waiting, waiting for the voice, the cries abate, like all cries, that is to say they stop, the murmurs cease, they give up, the voice begins again, it begins trying again, quick now before there is none left, no voice left, nothing left but the core of murmurs, distant cries, quick now and try again, with the words that remain, try what, I don’t know, I’ve forgotten, it doesn’t matter, I never knew, to have them carry me into my story, the words that remain, my old story, which I’ve forgotten, far from here, through the noise, through the door, into the silence, that must be it, it’s too late, perhaps it’s too late, perhaps they have, how would I know, in the silence you don’t know, perhaps it’s the door, perhaps I’m at the door, that would surprise me, perhaps it’s I, perhaps somewhere or other it was I, I can depart, all this time I’ve journeyed without knowing it, it’s I now at the door, what door, what’s a door doing here, it’s the last words, the true last, or it’s the murmurs, the murmurs are coming, I know that well, no, not even that, you talk of murmurs, distant cries, as long as you can talk, you talk of them before and you talk of them after, more lies, it will be the silence, the one that doesn’t last, spent listening, spent waiting, for it to be broken, for the voice to break it, perhaps there’s no other, I don’t know, it’s not worth having, that’s all I know, it’s not I, that’s all I know, it’s not mine, it’s the only one I ever had, that’s a lie, I must have had the other, the one that lasts, but it didn’t last, I don’t understand, that is to say it did, it still lasts, I’m still in it, I left myself behind in it, I’m waiting for me there, no, there you don’t wait, you don’t listen, I don’t know, perhaps it’s a dream, all a dream, that would surprise me, I’ll wake, in the silence, and never sleep again, it will be I, or dream, dream again, dream of a silence, a dream silence, full of murmurs, I don’t know, that’s all words, never wake, all words, there’s nothing else, you must go on, that’s all I know, they’re going to stop, I know that well, I can feel it, they’re going to abandon me, it will be the silence, for a moment, a good few moments, or it will be mine, the lasting one, that didn’t last, that still lasts, it will be I, you must go on, I can’t go on, you must go on, I’ll go on, you must say words, as long as there are any, until they find me, until they say me, strange pain, strange sin, you must go on, perhaps it’s done already, perhaps they have said me already, perhaps they have carried me to the threshold of my story, before the door that opens on my story, that would surprise me, if it opens, it will be I, it will be the silence, where I am, I don’t know, I’ll never know, in the silence you don’t know, you must go on, I can’t go on, I’ll go on.”

Donald Barthelme, “The Sentence.” 2,569 words.

“Or a long sentence moving at a certain pace down the page aiming for the bottom-if not the bottom of this page then some other page-where it can rest, or stop for a moment to think out the questions raised by its own (temporary) existence, which ends when the page is turned, or the sentence falls out of the mind that holds it (temporarily) in some kind of embrace, not necessarily an ardent one, but more perhaps the kind of embrace enjoyed (or endured), by a wife who has just waked up and is on her way to the bathroom in the morning to wash her hair, and is bumped into by her husband, who has been lounging at the breakfast table reading the newspaper, and doesn’t see her coming out of the bedroom, but, when he bumps into her, or is bumped into by her, raises his hands to embrace her lightly, transiently, because he knows that if he gives her a real embrace so early in the morning, before she has properly shaken the dreams out of her head, and got her duds on, she won’t respond, and may even become slightly angry, and say something wounding, and so the husband invests in this embrace not so much physical or emotional pressure as he might, because he doesn’t want to waste anything-with this sort of feeling, then, the sentence passes through the mind more or less, and there is another way of describing the situation too, which is to say that the sentence crawls through the mind like something someone says to you while you are listening very hard to the FM radio, some rock group there, with its thrilling sound, and so, with your attention or the major part of it at least already rewarded, there is not much mind room you can give to the remark, especially considering that you have probably just quarreled with that person, the maker of the remark, over the radio being too loud, or something like that, and the view you take, of the remark, is that you’d really rather not hear it, but if you have to hear it, you want to listen to it for the smallest possible length of time, and during a commercial, because immediately after the commercial they’re going to play a new rock song by your favorite group, a cut that has never been aired before, and you want to hear it and respond to it in a new way, a way that accords with whatever you’re feeling at the moment, or might feel, if the threat of new experience could be (temporarily) overbalanced by the promise of possible positive benefits, or what the mind construes as such, remembering that these are often, really, disguised defeats (not that such defeats are not, at times, good for your character, teaching you that it is not by success alone that one surmounts life, but that setbacks, too, contribute to that roughening of the personality that, by providing a textured surface to place against that of life, enables you to leave slight traces, or smudges, on the face of human history-your mark) and after all, benefit-seeking always has something of the smell of raw vanity about it, as if you wished to decorate your own brow with laurel, or wear your medals to a cookout, when the invitation had said nothing about them, and although the ego is always hungry (we are told) it is well to remember that ongoing success is nearly as meaningless as ongoing lack of success, which can make you sick, and that it is good to leave a few crumbs on the table for the rest of your brethren, not to sweep it all into the little beaded purse of your soul but to allow others, too, part of the gratification, and if you share in this way you will find the clouds smiling on you, and the postman bringing you letters, and bicycles available when you want to rent them, and many other signs, however guarded and limited, of the community’s (temporary) approval of you, or at least of it’s willingness to let you believe (temporarily) that it finds you not so lacking in commendable virtues as it had previously allowed you to think, from its scorn of your merits, as it might be put, or anyway its consistent refusal to recognize your basic humanness and its secret blackball of the project of your remaining alive, made in executive session by its ruling bodies, which, as everyone knows, carry out concealed programs of reward and punishment, under the rose, causing faint alterations of the status quo, behind your back, at various points along the periphery of community life, together with other enterprises not dissimilar in tone, such as producing films that have special qualities, or attributes, such as a film where the second half of it is a holy mystery, and girls and women are not permitted to see it, or writing novels in which the final chapter is a plastic bag filled with water, which you can touch, but not drink: in this way, or ways, the underground mental life of the collectivity is botched, or denied, or turned into something else never imagined by the planners, who, returning from the latest seminar in crisis management and being asked what they have learned, say they have learned how to throw up their hands; the sentence meanwhile, although not insensible of these considerations, has a festering conscience of its own, which persuades it to follow its star, and to move with all deliberate speed from one place to another, without losing any of the “riders” it may have picked up just being there, on the page, and turning this way and that, to see what is over there, under that oddly-shaped tree, or over there, reflected in the rain barrel of the imagination, even though it is true that in our young manhood we were taught that short, punchy sentences were best (but what did he mean? doesn’t “punchy” mean punch-drunk? I think he probably intended to say “short, punching sentences,” meaning sentences that lashed out at you, bloodying your brain if possible, and looking up the word just now I came across the nearby “punkah,” which is a large fan suspended from the ceiling in India, operated by an attendant pulling a rope-that is what I want for my sentence, to keep it cool!) we are mature enough now to stand the shock of learning that much of what we were taught in our youth was wrong, or improperly understood by those who were teaching it, or perhaps shaded a bit, the shading resulting from the personal needs of the teachers, who as human beings had a tendency to introduce some of their heart’s blood into their work, and sometimes this may not have been of the first water, this heart’s blood, and even if they thought they were moving the “knowledge” out, as the Board of Education had mandated, they could have noticed that their sentences weren’t having the knockdown power of the new weapons whose bullets tumble end-over-end (but it is true that we didn’t have these weapons at that time) and they might have taken into account the fundamental dubiousness of their project (but all the intelligently conceived projects have been eaten up already, like the moon and the stars) leaving us, in our best clothes, with only things to do like conducting vigorous wars of attrition against our wives, who have now thoroughly come awake, and slipped into their striped bells, and pulled sweaters over their torsi, and adamantly refused to wear any bras under the sweaters, carefully explaining the political significance of this refusal to anyone who will listen, or look, but not touch, because that has nothing to do with it, so they say; leaving us, as it were, with only things to do like floating sheets of Reynolds Wrap around the room, trying to find out how many we can keep in the air at the same time, which at least gives us a sense of participation, as though we were Buddha, looking down at the mystery of your smile, which needs to be investigated, and I think I’ll do that right now, while there’s still enough light, if you’ll sit down over there, in the best chair, and take off all your clothes, and put your feet in that electric toe caddy (which prevents pneumonia) and slip into this permanent press hospital gown, to cover your nakedness-why, if you do all that, we’ll be ready to begin! after I wash my hands, because you pick up an amazing amount of exuviae in this city, just by walking around in the open air, and nodding to acquaintances, and speaking to friends, and copulating with lovers, in the ordinary course (and death to our enemies! by and by)-but I’m getting a little uptight, just about washing my hands, because I can’t find the soap, which somebody has used and not put back in the soap dish, all of which is extremely irritating, if you have a beautiful patient sitting in the examining room, naked inside her gown, and peering at her moles in the mirror, with her immense brown eyes following your every movement (when they are not watching the moles, expecting them, as in a Disney nature film, to exfoliate) and her immense brown head wondering what you’re going to do to her, the pierced places in the head letting that question leak out, while the therapist decides just to wash his hands in plain water, and hang the soap! and does so, and then looks around for a towel, but all the towels have been collected by the towel service, and are not there, so he wipes his hands on his pants, in the back (so as to avoid suspicious stains on the front) thinking: what must she think of me? and, all this is very unprofessional and at-sea looking! trying to visualize the contretemps from her point of view, if she has one (but how can she? she is not in the washroom) and then stopping, because it is finally his own point of view that he cares about and not hers, and with this firmly in mind, and a light, confident step, such as you might find in the works of Bulwer-Lytton, he enters the space she occupies so prettily and, taking her by the hand, proceeds to tear off the stiff white hospital gown (but no, we cannot have that kind of pornographic merde in this majestic and high-minded sentence, which will probably end up in the Library of Congress) (that was just something that took place inside his consciousness, as he looked at her, and since we know that consciousness is always consciousness of something, she is not entirely without responsibility in the matter) so, then, taking her by the hand, he falls into the stupendous white puree of her abyss, no, I mean rather that he asks her how long it has been since her last visit, and she says a fortnight, and he shudders, and tells her that with a condition like hers (she is an immensely popular soldier, and her troops win all their battles by pretending to be forests, the enemy discovering, at the last moment, that those trees they have eaten their lunch under have eyes and swords) (which reminds me of the performance, in 1845, of Robert-Houdin, called The Fantastic Orange Tree, wherein Robert-Houdin borrowed a lady’s handkerchief, rubbed it between his hands and passed it into the center of an egg, after which he passed the egg into the center of a lemon, after which he passed the lemon into the center of an orange, then pressed the orange between his hands, making it smaller and smaller, until only a powder remained, whereupon he asked for a small potted orange tree and sprinkled the powder thereupon, upon which the tree burst into blossom, the blossoms turning into oranges, the oranges turning into butterflies, and the butterflies turning into beautiful young ladies, who then married members of the audience), a condition so damaging to real-time social intercourse of any kind, the best thing she can do is give up, and lay down her arms, and he will lie down in them, and together they will permit themselves a bit of the old slap and tickle, she wearing only her Mr. Christopher medal, on its silver chain, and he (for such is the latitude granted the professional classes) worrying about the sentence, about its thin wires of dramatic tension, which have been omitted, about whether we should write down some natural events occurring in the sky (birds, lightning bolts), and about a possible coup d’etat within the sentence, whereby its chief verb would be-but at this moment a messenger rushes into the sentence, bleeding from a hat of thorns he’s wearing, and cries out: “You don’t know what you’re doing! Stop making this sentence, and begin instead to make Moholy-Nagy cocktails, for those are what we really need, on the frontiers of bad behavior!” and then he falls to the floor, and a trap door opens under him, and he falls through that, into a damp pit where a blue narwhal waits, its horn poised (but maybe the weight of the messenger, falling from such a height, will break off the horn)-thus, considering everything very carefully, in the sweet light of the ceremonial axes, in the run-mad skimble-skamble of information sickness, we must make a decision as to whether we should proceed, or go back, in the latter case enjoying the pathos of eradication, in which the former case reading an erotic advertisement which begins, How to Make Your Mouth a Blowtorch of Excitement (but wouldn’t that overtax our mouthwashes?) attempting, during the pause, while our burned mouths are being smeared with fat, to imagine a better sentence, worthier, more meaningful, like those in the Declaration of Independence, or a bank statement showing that you have seven thousand kroner more than you thought you had-a statement summing up the unreasonable demands that you make on life, and one that also asks the question, if you can imagine these demands, why are they not routinely met, tall fool? but of course it is not that query that this infected sentence has set out to answer (and hello! to our girl friend, Rosetta Stone, who has stuck by us through thick and thin) but some other query that we shall some day discover the nature of, and here comes Ludwig, the expert on sentence construction we have borrowed from the Bauhaus, who will-“Guten Tag, Ludwig!”-probably find a way to cure the sentence’s sprawl, by using the improved way of thinking developed in Weimer-“I am sorry to inform you that the Bauhaus no longer exists, that all of the great masters who formerly thought there are either dead or retired, and that I myself have been reduced to constructing books on how to pass the examination for police sergeant”-and Ludwig falls through the Tugendhat House into the history of man-made objects; a disappointment, to be sure, but it reminds us that the sentence itself is a man-made object, not the one we wanted of course, but still a construction of man, a structure to be treasured for its weakness, as opposed to the strength of stones”

Gabriel Garcia Marquez, “The Last Voyage of the Ghost Ship.” 2156 words.

“Now they’re going to see who I am, he said to himself in his strong new man’s voice, many years after he had first seen the huge ocean liner without lights and without any sound which passed by the village one night like a great uninhabited place, longer than the whole village and much taller than the steeple of the church, and it sailed by in the darkness toward the colonial city on the other side of the bay that had been fortified against buccaneers, with its old slave port and the rotating light, whose gloomy beams transfigured the village into a lunar encampment of glowing houses and streets of volcanic deserts every fifteen seconds, and even though at that time he’d been a boy without a man’s strong voice but with his’ mother’s permission to stay very late on the beach to listen to the wind’s night harps, he could still remember, as if still seeing it, how the liner would disappear when the light of the beacon struck its side and how it would reappear when the light had passed, so that it was an intermittent ship sailing along, appearing and disappearing, toward the mouth of the bay, groping its way like a sleep‐walker for the buoys that marked the harbor channel, until something must have gone wrong with the compass needle, because it headed toward the shoals, ran aground, broke up, and sank without a single sound, even though a collision against the reefs like that should have produced a crash of metal and the explosion of engines that would have frozen, with fright the soundest‐sleeping dragons in the prehistoric jungle that began with the last streets of the village and ended on the other side of the world, so that he himself thought it was a dream, especially the, next day, when he. saw the radiant fishbowl. of the bay, the disorder of colors of the Negro shacks on the hills above the harbor, the schooners of the smugglers from the Guianas loading their cargoes ‐of innocent parrots whose craws were full of diamonds, he thought, I fell asleep counting the stars and L dreamed about that huge ship, of course, he was so convinced that he didn’t tell anyone nor did he remember the vision again until the same night on the following March when he was looking for the flash of dolphins in the sea and what he found was the illusory line, gloomy, intermittent, with the same mistaken direction as the first time, except that then he was so sure he was awake that he ran to tell his mother and she spent three weeks moaning with disappointment, because your brain’s rotting away from doing so many things backward, sleeping during the day and going out at night like a criminal, and since she had to go to the city around that time to get something comfortable where she could sit and think about her dead husband, because the rockers on her chair had worn out after eleven years of widowhood, she took advantage of the occasion and had the boatman go near the shoals so that her son could see what he really saw in the glass of; the sea, the lovemaking of manta rays in a springtime of sponges, pink snappers and blue corvinas diving into the other wells of softer waters that were there among the waters, and even the wandering hairs of victims of drowning in some colonial shipwreck, no trace of sunken liners of anything like it, and yet he was so pigheaded that his mother promised to watch with him the next March, absolutely, not knowing that the only thing absolute in her future now was an easy chair from the days of Sir Francis Drake which she had bought at an auction in a Turk’s store, in which she sat down to rest that same night sighing, oh, my poor Olofernos, if you could only see how nice it is to think about you on this velvet lining and this brocade from the casket of a queen, but the more she brought back the memory of her dead husband, the more the blood in her heart bubbled up and turned to chocolate, as if instead of sitting down she were running, soaked from chills and fevers and her breathing full of earth, until he returned at dawn and found her dead in the easy chair, still warm, but half rotted away as after a snakebite, the same as happened afterward to four other women before the murderous chair was thrown into the sea, far away where it wouldn’t bring evil to anyone, because it had. been used so much over the centuries that its faculty for giving rest had been used up, and so he had to grow accustomed to his miserable routine of an orphan who was pointed out by everyone as the son of the widow who had brought the throne of misfortune into the village, living not so much from public charity as from fish he stole out of the boats, while his voice was becoming a roar, and not remembering his visions of past times anymore until another night in March when he chanced to look seaward and suddenly, good Lord, there, it is, the huge asbestos whale, the behemoth beast, come see it, he shouted madly, come see it, raising such an uproar of dogs’ barking and women’s panic that even the oldest men remembered the frights of their great‐grandfathers and crawled under their beds, thinking that William Dampier had come back, but those who ran into the street didn’t make the effort to see the unlikely apparatus which at that instant was lost again in the east and raised up in its annual disaster, but they covered him with blows and left him so twisted that it was then he said to himself, drooling with rage, now they’re going to see who I am, but he took care not to share his determination with anyone, but spent the whole year with the fixed idea, now they’re going to see who I am, waiting for it to be the eve of the apparition once more in order to do what he did, which was steal a boat, cross the bay, and spend the evening waiting for his great moment in the inlets of the slave port, in the human brine of the Caribbean, but so absorbed in his adventure that he didn’t stop as he always did in front of the Hindu shops to look at the ivory mandarins carved from the whole tusk of an elephant, nor did he make fun of the Dutch Negroes in their orthopedic velocipedes, nor was he frightened as at other times of the copper‐skinned Malayans, who had gone around the world, enthralled by the chimera of a secret tavern where they sold roast filets of Brazilian women, because he wasn’t aware of anything until night came over him with all the weight of the stars and the jungle exhaled a sweet fragrance of gardenias and rotter salamanders, and there he was, rowing in the stolen boat, toward the mouth of the bay, with the lantern out so as not to alert the customs police, idealized every fifteen seconds by the green wing flap of the beacon and turned human once more by the darkness, knowing that he was getting close to the buoys that marked the harbor, channel, not only because its oppressive glow was getting more intense, but because the breathing of the water was becoming sad, and he rowed like that, so wrapped up in himself, that he. didn’t know where the fearful shark’s breath that suddenly reached him came from or why the night became dense, as if the stars had suddenly died, and it was because the liner was there, with all of its inconceivable size, Lord, bigger than, any other big thing in the world and darker than any other dark thing on land or sea, three hundred thousand tons of shark smell passing so close to the boat that he could see the seams of the steel precipice without a single light in the infinite portholes, without a sigh from the engines, without a soul, and carrying its own circle of silence with it, its own dead air, its halted time, its errant sea in which a whole world of drowned animals floated, and suddenly it all disappeared with the flash of the beacon and for an instant it was the diaphanous Caribbean once more, the March night, the everyday air of the pelicans, so he stayed alone among the buoys, not knowing what to do, asking himself, startled, if perhaps he wasn’t dreaming while he was awake, not just now but the other times too, but no sooner had. he asked himself than a breath of mystery snuffled out the buoys, from the first to the last, so that when the light of the beacon passed by the liner appeared again and now its compasses were out of order, perhaps not even knowing what part of the ocean sea it was in, groping for the invisible channel but actually heading for the shoals, until he got the overwhelming revelation that that misfortune of the buoys was the last key to the enchantment and he lighted the lantern in the boat, a tiny red light that had no reason to alarm anyone in the watch towers but which would be like a guiding sun for the pilot, because, thanks to it, the liner corrected its course and passed into the main gate of the channel in a maneuver of lucky resurrection, and then all the lights went on at the same time so that the boilers wheezed again, the stars were fixed in their places, and the animal corpses went to the bottom, and there was a clatter of plates and a fragrance of laurel sauce in the kitchens, and one could hear the pulsing of the orchestra on the moon decks and the throbbing of the arteries of high‐sea lovers in the shadows of the staterooms, but he still carried so much leftover rage in him that he would not let himself be confused by emotion or be frightened by the miracle, but said to himself with more decision than ever, now they’re going to see who I am, the cowards, now they’re going to see, and instead of turning aside so that the colossal machine would not charge into him he began to row in front of it, because now they really are going to see who I am, and he continued guiding the ship with the lantern until he was so sure of its obedience that he made it change course from the direction of the docks once more, took it out of the invisible channel, and led it by the halter as if it were a sea lamb toward the lights of the sleeping village, a living ship, invulnerable to the torches of the beacon, that no longer made invisible but made it aluminum every fifteen seconds, and the crosses of the church, the misery of the houses, the illusion began to stand out and still the ocean liner followed behind him, following his will inside of it, the captain asleep on his heart side, the fighting bulls in the snow of their pantries, the solitary patient in the infirmary, the orphan water of its cisterns, the unredeemed pilot who must have mistaken the cliffs for the docks, because at that instant the great roar of the whistle burst forth, once, and he with downpour of steam that fell on him, again, and the boat belonging to someone else was on the point of capsizing, and again, but it was too late, because there were the shells of the shoreline, the stones of the street, the doors of the disbelievers, the whole village illuminated by the lights of the fearsome liner itself, and he barely had time to get out of the way to make room for the cataclysm, shouting in the midst of the confusion, there it is, you cowards, a second before the huge steel cask shattered the ground and one could hear the neat destruction of ninety thousand five hundred champagne glasses breaking, one after the other, from stem to stern, and then the light came out and it was no longer a March dawn but the noon of a radiant Wednesday, and he was able to give himself the pleasure of watching the disbelievers as with open mouths they contemplated the largest ocean liner in this world and the other aground in front of the church, whiter than anything, twenty times taller than the steeple and some ninety‐seven times longer than the village, with its name engraved in iron letters, Halalcsillag, and the ancient and languid waters of the sea of death dripping down its sides.”

Понравилась статья? Поделить с друзьями:
  • Two word sentences are called
  • Two word sentences are a form of
  • Two word sentences age
  • Two word sentence story
  • Two word questions where