This example is taken from the text mining chapter in http://mdsr-book.github.io/

See also the CRAN Task View on Natural Language processing https://cran.r-project.org/web/views/NaturalLanguageProcessing.html

and the tm package: https://cran.r-project.org/web/packages/tm/index.html

The text analytics with r for students of literature book may be a helpful resource http://www.springer.com/us/book/9783319031637

In retrospective, the tidytext package (https://cran.r-project.org/web/packages/tidytext/index.html) might have been a better approach to use (see http://tidytextmining.com/ for their companion book)

data(Macbeth_raw)
# strsplit returns a list: we only want the first element
macbeth <- strsplit(Macbeth_raw, "\r\n")[[1]]
length(macbeth)
## [1] 3193
head(macbeth)
## [1] "This Etext file is presented by Project Gutenberg, in"           
## [2] "cooperation with World Library, Inc., from their Library of the" 
## [3] "Future and Shakespeare CDROMS.  Project Gutenberg often releases"
## [4] "Etexts that are NOT placed in the Public Domain!!"               
## [5] ""                                                                
## [6] "*This Etext has certain copyright implications you should read!*"
macbeth[300:310]
##  [1] "meeting a bleeding Sergeant."                     
##  [2] ""                                                 
##  [3] "  DUNCAN. What bloody man is that? He can report,"
##  [4] "    As seemeth by his plight, of the revolt"      
##  [5] "    The newest state."                            
##  [6] "  MALCOLM. This is the sergeant"                  
##  [7] "    Who like a good and hardy soldier fought"     
##  [8] "    'Gainst my captivity. Hail, brave friend!"    
##  [9] "    Say to the King the knowledge of the broil"   
## [10] "    As thou didst leave it."                      
## [11] "  SERGEANT. Doubtful it stood,"

The grep() function works using a needle in a haystack paradigm, wherein the first argument is the regular expression (or pattern) you want to find (i.e., the needle) and the second argument is the character vector in which you want to find patterns (i.e., the haystack). Note that unless the argument value is set to TRUE, grep() returns the indices of the haystack in which the needles were found.

macbeth_lines <- grep("  MACBETH", macbeth, value = TRUE)
length(macbeth_lines)
## [1] 147
head(macbeth_lines)
## [1] "  MACBETH, Thane of Glamis and Cawdor, a general in the King's"
## [2] "  MACBETH. So foul and fair a day I have not seen."            
## [3] "  MACBETH. Speak, if you can. What are you?"                   
## [4] "  MACBETH. Stay, you imperfect speakers, tell me more."        
## [5] "  MACBETH. Into the air, and what seem'd corporal melted"      
## [6] "  MACBETH. Your children shall be kings."
length(grep("  MACDUFF", macbeth))
## [1] 60

The grepl function uses the same syntax but returns a logical vector as long as the haystack. Thus, while the length of the vector returned by grep is the number of matches, the length of the vector returned by grepl is always the same as the length of the haystack vector.

length(grep("  MACBETH", macbeth))
## [1] 147
length(grepl("  MACBETH", macbeth))
## [1] 3193

However, both will subset the original vector in the same way, and thus in this respect they are functionally equivalent.

identical(macbeth[grep("  MACBETH", macbeth)],
          macbeth[grepl("  MACBETH", macbeth)])
## [1] TRUE

To extract the piece of each matching line that actually matched, use the str_extract() function from the stringr package.

library(stringr)
pattern <- "  MACBETH"
grep(pattern, macbeth, value = TRUE) %>%
  str_extract(pattern) %>%
  head()
## [1] "  MACBETH" "  MACBETH" "  MACBETH" "  MACBETH" "  MACBETH" "  MACBETH"
head(grep("MAC.", macbeth, value = TRUE))
## [1] "MACHINE READABLE COPIES MAY BE DISTRIBUTED SO LONG AS SUCH COPIES"
## [2] "MACHINE READABLE COPIES OF THIS ETEXT, SO LONG AS SUCH COPIES"    
## [3] "WITH PERMISSION.  ELECTRONIC AND MACHINE READABLE COPIES MAY BE"  
## [4] "THE TRAGEDY OF MACBETH"                                           
## [5] "  MACBETH, Thane of Glamis and Cawdor, a general in the King's"   
## [6] "  LADY MACBETH, his wife"
head(grep("MACBETH\\.", macbeth, value = TRUE))
## [1] "  MACBETH. So foul and fair a day I have not seen."      
## [2] "  MACBETH. Speak, if you can. What are you?"             
## [3] "  MACBETH. Stay, you imperfect speakers, tell me more."  
## [4] "  MACBETH. Into the air, and what seem'd corporal melted"
## [5] "  MACBETH. Your children shall be kings."                
## [6] "  MACBETH. And Thane of Cawdor too. Went it not so?"
head(grep("MAC[B-Z]", macbeth, value = TRUE))
## [1] "MACHINE READABLE COPIES MAY BE DISTRIBUTED SO LONG AS SUCH COPIES"
## [2] "MACHINE READABLE COPIES OF THIS ETEXT, SO LONG AS SUCH COPIES"    
## [3] "WITH PERMISSION.  ELECTRONIC AND MACHINE READABLE COPIES MAY BE"  
## [4] "THE TRAGEDY OF MACBETH"                                           
## [5] "  MACBETH, Thane of Glamis and Cawdor, a general in the King's"   
## [6] "  LADY MACBETH, his wife"
head(grep("MAC(B|D)", macbeth, value = TRUE))
## [1] "THE TRAGEDY OF MACBETH"                                        
## [2] "  MACBETH, Thane of Glamis and Cawdor, a general in the King's"
## [3] "  LADY MACBETH, his wife"                                      
## [4] "  MACDUFF, Thane of Fife, a nobleman of Scotland"              
## [5] "  LADY MACDUFF, his wife"                                      
## [6] "  MACBETH. So foul and fair a day I have not seen."
head(grep("^  MAC[B-Z]", macbeth, value = TRUE))
## [1] "  MACBETH, Thane of Glamis and Cawdor, a general in the King's"
## [2] "  MACDUFF, Thane of Fife, a nobleman of Scotland"              
## [3] "  MACBETH. So foul and fair a day I have not seen."            
## [4] "  MACBETH. Speak, if you can. What are you?"                   
## [5] "  MACBETH. Stay, you imperfect speakers, tell me more."        
## [6] "  MACBETH. Into the air, and what seem'd corporal melted"
head(grep("^ ?MAC[B-Z]", macbeth, value = TRUE))
## [1] "MACHINE READABLE COPIES MAY BE DISTRIBUTED SO LONG AS SUCH COPIES"
## [2] "MACHINE READABLE COPIES OF THIS ETEXT, SO LONG AS SUCH COPIES"
head(grep("^ *MAC[B-Z]", macbeth, value = TRUE))
## [1] "MACHINE READABLE COPIES MAY BE DISTRIBUTED SO LONG AS SUCH COPIES"
## [2] "MACHINE READABLE COPIES OF THIS ETEXT, SO LONG AS SUCH COPIES"    
## [3] "  MACBETH, Thane of Glamis and Cawdor, a general in the King's"   
## [4] "  MACDUFF, Thane of Fife, a nobleman of Scotland"                 
## [5] "  MACBETH. So foul and fair a day I have not seen."               
## [6] "  MACBETH. Speak, if you can. What are you?"
head(grep("^ +MAC[B-Z]", macbeth, value = TRUE))
## [1] "  MACBETH, Thane of Glamis and Cawdor, a general in the King's"
## [2] "  MACDUFF, Thane of Fife, a nobleman of Scotland"              
## [3] "  MACBETH. So foul and fair a day I have not seen."            
## [4] "  MACBETH. Speak, if you can. What are you?"                   
## [5] "  MACBETH. Stay, you imperfect speakers, tell me more."        
## [6] "  MACBETH. Into the air, and what seem'd corporal melted"

We might learn something about the play by knowing when each character speaks as a function of the line number in the play. We can retrieve this information using grepl().

Macbeth <- grepl("  MACBETH\\.", macbeth)
LadyMacbeth <- grepl("  LADY MACBETH\\.", macbeth)
Banquo <- grepl("  BANQUO\\.", macbeth)
Duncan <- grepl("  DUNCAN\\.", macbeth)

speaker_freq <- data.frame(Macbeth, LadyMacbeth, Banquo, Duncan) %>%
  mutate(line = 1:length(macbeth)) %>%
  gather(key = "character", value = "speak", -line) %>%
  mutate(speak = as.numeric(speak)) %>%
  filter(line > 218 & line < 3172)
glimpse(speaker_freq)
## Observations: 11,812
## Variables: 3
## $ line      <int> 219, 220, 221, 222, 223, 224, 225, 226, 227, 228, 22...
## $ character <chr> "Macbeth", "Macbeth", "Macbeth", "Macbeth", "Macbeth...
## $ speak     <dbl> 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0...

Before we create the plot, we will gather some helpful contextual information about when each Act begins.

acts_idx <- grep("^ACT [I|V]+", macbeth)
acts_labels <- str_extract(macbeth[acts_idx], "^ACT [I|V]+")
acts <- data.frame(line = acts_idx, labels = acts_labels)
ggplot(data = speaker_freq, aes(x = line, y = speak)) +
  geom_smooth(aes(color = character), method = "loess", se = 0, span = 0.4) +
  geom_vline(xintercept = acts_idx, color = "darkgray", lty = 3) +
  geom_text(data = acts, aes(y = 0.085, label = labels),
            hjust = "left", color = "darkgray") +
  ylim(c(0, NA)) + xlab("Line Number") + ylab("Proportion of Speeches")
## Warning: Removed 36 rows containing missing values (geom_smooth).

Some word analyses

Corpus <- VCorpus(VectorSource(macbeth))
sampleline <- 300
Corpus[[sampleline]] %>%
  as.character() %>%
  strwrap()
## [1] "meeting a bleeding Sergeant."
Corpus <- Corpus %>%
  tm_map(stripWhitespace) %>%
  tm_map(removeNumbers) %>%
  tm_map(removePunctuation) %>%
  tm_map(content_transformer(tolower)) %>%
  tm_map(removeWords, stopwords("english"))
strwrap(as.character(Corpus[[sampleline]]))
## [1] "meeting bleeding sergeant"
wordcloud(Corpus, max.words = 30, scale = c(8, 1),
          colors = topo.colors(n = 30), random.color = TRUE)
## Warning in wordcloud(Corpus, max.words = 30, scale = c(8, 1), colors =
## topo.colors(n = 30), : macbeth could not be fit on page. It will not be
## plotted.

DTM <- DocumentTermMatrix(Corpus, control = list(weighting = weightTfIdf))
## Warning in weighting(x): empty document(s): 5 7 16 24 25 27 29 31 34 35 38
## 40 41 45 46 53 54 56 70 72 76 78 82 85 88 89 90 92 93 95 100 106 108 115
## 123 130 135 139 141 154 164 173 180 189 195 200 209 210 211 212 213 214
## 215 216 217 219 220 222 223 224 226 257 258 259 260 269 270 271 273 274 277
## 279 292 293 294 295 298 301 343 353 355 384 385 386 387 390 392 430 432 442
## 487 489 551 571 572 573 574 577 580 597 599 649 650 651 652 655 657 663 667
## 674 691 693 722 724 749 750 751 752 755 759 771 773 800 801 802 803 806 810
## 839 841 869 908 909 910 911 920 921 922 925 927 938 940 1005 1006 1007 1008
## 1010 1011 1013 1030 1032 1095 1097 1112 1113 1114 1115 1117 1118 1120 1130
## 1140 1143 1146 1148 1159 1166 1174 1176 1204 1206 1228 1230 1238 1240 1248
## 1250 1257 1259 1291 1308 1327 1328 1329 1330 1333 1335 1359 1361 1393 1394
## 1395 1396 1405 1406 1407 1410 1412 1423 1426 1494 1496 1563 1580 1581 1582
## 1583 1586 1588 1598 1600 1653 1654 1655 1656 1659 1661 1682 1684 1699 1700
## 1701 1702 1705 1707 1717 1719 1760 1762 1823 1825 1827 1860 1889 1890 1891
## 1892 1895 1897 1937 1938 1939 1940 1943 1945 2000 2001 2002 2003 2012 2013
## 2014 2017 2057 2059 2071 2073 2101 2103 2114 2116 2128 2131 2132 2162 2165
## 2192 2194 2220 2221 2222 2223 2226 2228 2290 2298 2300 2317 2319 2332 2333
## 2334 2335 2338 2340 2495 2497 2520 2522 2625 2626 2627 2628 2637 2638 2639
## 2642 2644 2648 2652 2663 2665 2680 2685 2687 2689 2693 2695 2699 2710 2712
## 2715 2717 2739 2740 2741 2742 2745 2747 2776 2785 2786 2787 2788 2791 2793
## 2804 2806 2829 2831 2871 2872 2873 2874 2877 2881 2910 2911 2912 2913 2916
## 2918 2936 2952 2954 2982 2983 2984 2985 2988 2991 3004 3005 3006 3007 3010
## 3012 3017 3019 3034 3036 3047 3049 3059 3060 3061 3062 3065 3067 3071 3073
## 3111 3112 3113 3114 3116 3120 3145 3147 3173 3174 3175 3176 3177 3186 3187
## 3188 3189 3190 3191
# DTM
findFreqTerms(DTM, lowfreq = 0.8)
##    [1] "abed"             "abhorred"         "abide"           
##    [4] "abjure"           "abound"           "abroad"          
##    [7] "absence"          "absent"           "absolute"        
##   [10] "abuse"            "accents"          "accepts"         
##   [13] "access"           "accompany"        "according"       
##   [16] "account"          "accounted"        "accursed"        
##   [19] "accustomed"       "acheron"          "acquaint"        
##   [22] "act"              "acted"            "acting"          
##   [25] "action"           "actions"          "acts"            
##   [28] "actual"           "adage"            "add"             
##   [31] "added"            "adders"           "addition"        
##   [34] "additional"       "addressd"         "adhere"          
##   [37] "adieu"            "admired"          "advance"         
##   [40] "advantage"        "advice"           "advise"          
##   [43] "advisor"          "afeard"           "affair"          
##   [46] "affairs"          "affection"        "affeerd"         
##   [49] "affliction"       "afoot"            "afraid"          
##   [52] "afternoon"        "afterwards"       "age"             
##   [55] "agent"            "agents"           "agitation"       
##   [58] "agree"            "ague"             "aid"             
##   [61] "aim"              "air"              "airdrawn"        
##   [64] "alack"            "alarm"            "alarum"          
##   [67] "alarumd"          "alarums"          "alas"            
##   [70] "aleppo"           "alike"            "alive"           
##   [73] "allegiance"       "allhail"          "allhailed"       
##   [76] "allow"            "allowable"        "allowed"         
##   [79] "alls"             "almost"           "alone"           
##   [82] "aloud"            "already"          "also"            
##   [85] "alter"            "alteration"       "alternatively"   
##   [88] "although"         "always"           "amaking"         
##   [91] "amazed"           "amazedly"         "amazement"       
##   [94] "ambition"         "amen"             "amend"           
##   [97] "amends"           "amiss"            "among"           
##  [100] "analyzed"         "angel"            "angels"          
##  [103] "anger"            "angerd"           "angerly"         
##  [106] "angry"            "angus"            "annoyance"       
##  [109] "anointed"         "anon"             "another"         
##  [112] "answer"           "ant"              "anteroom"        
##  [115] "antic"            "anticipatest"     "antidote"        
##  [118] "antonys"          "anyone"           "anywhere"        
##  [121] "apace"            "apart"            "appal"           
##  [124] "appals"           "apparition"       "apparitions"     
##  [127] "appear"           "appears"          "appease"         
##  [130] "appetite"         "applaud"          "apply"           
##  [133] "appoint"          "approach"         "approaches"      
##  [136] "approve"          "arabia"           "arbitrate"       
##  [139] "argument"         "aright"           "arise"           
##  [142] "arm"              "armd"             "armed"           
##  [145] "armor"            "arms"             "army"            
##  [148] "aroint"           "arrived"          "art"             
##  [151] "artificial"       "ascii"            "aside"           
##  [154] "asis"             "ask"              "askd"            
##  [157] "asleep"           "assailable"       "assassination"   
##  [160] "assault"          "assay"            "assistance"      
##  [163] "assisted"         "association"      "assurance"       
##  [166] "asterisk"         "attempt"          "attend"          
##  [169] "attendant"        "attendants"       "attended"        
##  [172] "attending"        "attire"           "attorney"        
##  [175] "audience"         "audit"            "auger"           
##  [178] "aught"            "augment"          "augures"         
##  [181] "author"           "authorized"       "avarice"         
##  [184] "avaricious"       "avaunt"           "avoid"           
##  [187] "avoided"          "avouch"           "avouches"        
##  [190] "awake"            "awaked"           "away"            
##  [193] "aweary"           "babe"             "babes"           
##  [196] "baboons"          "baby"             "back"            
##  [199] "backs"            "backward"         "bad"             
##  [202] "bade"             "badged"           "baited"          
##  [205] "bake"             "balls"            "balm"            
##  [208] "bane"             "banishd"          "bank"            
##  [211] "banners"          "banquet"          "banquets"        
##  [214] "banquo"           "banquos"          "bare"            
##  [217] "barefaced"        "bark"             "barren"          
##  [220] "basis"            "bat"              "bath"            
##  [223] "bathe"            "batterd"          "battle"          
##  [226] "battlements"      "battles"          "beall"           
##  [229] "bear"             "beard"            "beards"          
##  [232] "bearing"          "bearlike"         "bears"           
##  [235] "beart"            "beast"            "beat"            
##  [238] "beaten"           "beauteous"        "became"          
##  [241] "become"           "bed"              "beds"            
##  [244] "beetle"           "beforet"          "beg"             
##  [247] "began"            "beggard"          "begin"           
##  [250] "beguile"          "begun"            "behind"          
##  [253] "behold"           "beldams"          "belief"          
##  [256] "believe"          "believed"         "bell"            
##  [259] "bellman"          "bellonas"         "belt"            
##  [262] "belzebub"         "bend"             "beneath"         
##  [265] "benediction"      "benefit"          "benison"         
##  [268] "bent"             "beside"           "besides"         
##  [271] "best"             "bestowd"          "bestows"         
##  [274] "bestride"         "bet"              "betimes"         
##  [277] "betray"           "betrays"          "better"          
##  [280] "beware"           "beyond"           "bid"             
##  [283] "bidding"          "bides"            "bids"            
##  [286] "bility"           "bill"             "bind"            
##  [289] "bird"             "birds"            "birnam"          
##  [292] "birth"            "birthdom"         "birthstrangled"  
##  [295] "black"            "blade"            "bladed"          
##  [298] "blame"            "blames"           "blanchd"         
##  [301] "blanket"          "blaspheme"        "blaspheming"     
##  [304] "blast"            "blasted"          "bleed"           
##  [307] "bleeding"         "bleeds"           "bless"           
##  [310] "blessed"          "blessing"         "blessings"       
##  [313] "blindworms"       "blisters"         "blood"           
##  [316] "bloodbolterd"     "bloodier"         "bloody"          
##  [319] "bloodyscepterd"   "blow"             "blown"           
##  [322] "blows"            "blunt"            "boasting"        
##  [325] "bodements"        "body"             "boil"            
##  [328] "boiling"          "bold"             "bond"            
##  [331] "boneless"         "bones"            "bonfire"         
##  [334] "book"             "boot"             "bore"            
##  [337] "born"             "borne"            "borrowd"         
##  [340] "borrower"         "bosom"            "bosoms"          
##  [343] "botches"          "bottom"           "bough"           
##  [346] "boughs"           "bought"           "bound"           
##  [349] "boundless"        "bounteous"        "bounty"          
##  [352] "bove"             "bowd"             "box"             
##  [355] "boy"              "brag"             "braggart"        
##  [358] "brain"            "brains"           "brainsickly"     
##  [361] "brandishd"        "brave"            "bravely"         
##  [364] "breach"           "break"            "breast"          
##  [367] "breasts"          "breath"           "breechd"         
##  [370] "breed"            "brewd"            "bridegroom"      
##  [373] "brief"            "briefly"          "bright"          
##  [376] "brightest"        "brinded"          "bring"           
##  [379] "brings"           "broad"            "broil"           
##  [382] "broke"            "brother"          "brought"         
##  [385] "brow"             "brows"            "bruited"         
##  [388] "bubble"           "bubbles"          "buckle"          
##  [391] "buffets"          "building"         "built"           
##  [394] "burial"           "buried"           "burn"            
##  [397] "burned"           "bury"             "business"        
##  [400] "butcher"          "buttress"         "buy"             
##  [403] "cabind"           "caesar"           "caithness"       
##  [406] "calendar"         "call"             "calld"           
##  [409] "calling"          "calls"            "callst"          
##  [412] "came"             "camest"           "camp"            
##  [415] "can"              "cancel"           "candle"          
##  [418] "candles"          "cannons"          "canst"           
##  [421] "capital"          "caps"             "captains"        
##  [424] "captivity"        "card"             "care"            
##  [427] "careless"         "carnegie"         "carousing"       
##  [430] "carried"          "carry"            "carved"          
##  [433] "case"             "cases"            "casing"          
##  [436] "cast"             "castle"           "castles"         
##  [439] "cat"              "catalogue"        "catch"           
##  [442] "cauldron"         "cause"            "causes"          
##  [445] "caution"          "cavern"           "cawdor"          
##  [448] "cawdron"          "cdroms"           "cease"           
##  [451] "celebrates"       "censures"         "central"         
##  [454] "ceremony"         "certain"          "cestern"         
##  [457] "chafes"           "chalice"          "challenge"       
##  [460] "chamber"          "chamberlains"     "chambers"        
##  [463] "champaign"        "champion"         "chance"          
##  [466] "chanced"          "chaps"            "characters"      
##  [469] "charge"           "charged"          "charges"         
##  [472] "charles"          "charm"            "charmed"         
##  [475] "charms"           "charnel"          "chastise"        
##  [478] "chawdron"         "cheaply"          "check"           
##  [481] "cheeks"           "cheer"            "cherubin"        
##  [484] "chestnuts"        "chickens"         "chid"            
##  [487] "chief"            "chiefest"         "child"           
##  [490] "childhood"        "children"         "childrens"       
##  [493] "chimneys"         "choke"            "choose"          
##  [496] "choppy"           "choughs"          "christendom"     
##  [499] "chuck"            "churches"         "claim"           
##  [502] "clamor"           "clamord"          "clamorous"       
##  [505] "clatter"          "clean"            "cleanse"         
##  [508] "clear"            "clearly"          "clearness"       
##  [511] "clears"           "cleave"           "clept"           
##  [514] "climb"            "cling"            "clock"           
##  [517] "clogs"            "cloisterd"        "close"           
##  [520] "closed"           "closet"           "cloud"           
##  [523] "cloudy"           "clutch"           "cmu"             
##  [526] "cock"             "codes"            "coign"           
##  [529] "cold"             "colmekill"        "colmes"          
##  [532] "color"            "colors"           "combined"        
##  [535] "combustion"       "come"             "comes"           
##  [538] "comesisters"      "comest"           "comfort"         
##  [541] "comforted"        "coming"           "command"         
##  [544] "commanded"        "commands"         "commencing"      
##  [547] "commend"          "commendations"    "commends"        
##  [550] "comment"          "commercial"       "commercially"    
##  [553] "commission"       "committed"        "common"          
##  [556] "companions"       "company"          "compared"        
##  [559] "compassd"         "compelld"         "complete"        
##  [562] "compose"          "composition"      "compressed"      
##  [565] "compt"            "compunctious"     "compuservecom"   
##  [568] "computer"         "computers"        "conceive"        
##  [571] "concern"          "conclude"         "concluded"       
##  [574] "conclusion"       "concord"          "condemn"         
##  [577] "conditions"       "conduct"          "conference"      
##  [580] "confessd"         "confessing"       "confident"       
##  [583] "confind"          "confineless"      "confirm"         
##  [586] "confirmd"         "conflict"         "confound"        
##  [589] "confounds"        "confronted"       "confused"        
##  [592] "confusion"        "conjure"          "consent"         
##  [595] "consequen"        "consequence"      "consequences"    
##  [598] "consequential"    "conservative"     "consider"        
##  [601] "considerd"        "consort"          "conspirers"      
##  [604] "constancy"        "constrained"      "construction"    
##  [607] "contacting"       "contain"          "contend"         
##  [610] "contending"       "content"          "contented"       
##  [613] "continent"        "continually"      "continue"        
##  [616] "contract"         "contradict"       "contributions"   
##  [619] "contriver"        "convert"          "convertible"     
##  [622] "convey"           "convince"         "convinces"       
##  [625] "cool"             "coold"            "cooperate"       
##  [628] "cooperation"      "copies"           "copy"            
##  [631] "copyright"        "copys"            "corn"            
##  [634] "corner"           "corporal"         "corrupt"         
##  [637] "cost"             "costs"            "couldst"         
##  [640] "council"          "counseld"         "counselors"      
##  [643] "countenance"      "counterfeit"      "country"         
##  [646] "countryman"       "countrys"         "courage"         
##  [649] "couriers"         "course"           "coursed"         
##  [652] "court"            "cousin"           "cousins"         
##  [655] "coveted"          "coward"           "cowd"            
##  [658] "coz"              "crack"            "cracks"          
##  [661] "cradle"           "crave"            "craves"          
##  [664] "craving"          "crazed"           "creamfaced"      
##  [667] "create"           "creation"         "creeps"          
##  [670] "crests"           "crew"             "cribbd"          
##  [673] "crickets"         "cried"            "cries"           
##  [676] "crime"            "croaks"           "crossd"          
##  [679] "crow"             "crown"            "crownd"          
##  [682] "crowned"          "crowns"           "cruel"           
##  [685] "cruelty"          "cry"              "crying"          
##  [688] "cumberland"       "curbing"          "cure"            
##  [691] "cures"            "curs"             "curse"           
##  [694] "cursed"           "curses"           "curtaind"        
##  [697] "custom"           "cut"              "cutthroats"      
##  [700] "cyme"             "dagger"           "daggers"         
##  [703] "dainty"           "dam"              "damage"          
##  [706] "damaged"          "damages"          "dame"            
##  [709] "dames"            "damn"             "damnation"       
##  [712] "damnd"            "damned"           "dance"           
##  [715] "danger"           "dangerous"        "dare"            
##  [718] "dareful"          "dares"            "dark"            
##  [721] "darkness"         "dashd"            "data"            
##  [724] "date"             "daughters"        "dauntless"       
##  [727] "day"              "days"             "dead"            
##  [730] "deadly"           "deaf"             "deal"            
##  [733] "dear"             "dearest"          "death"           
##  [736] "deaths"           "debt"             "deceitful"       
##  [739] "deceive"          "december"         "decision"        
##  [742] "dedicate"         "dedicated"        "deductible"      
##  [745] "deed"             "deeds"            "deep"            
##  [748] "deeper"           "deepest"          "deeply"          
##  [751] "deer"             "defect"           "defective"       
##  [754] "defense"          "deftly"           "degrees"         
##  [757] "deign"            "delicate"         "delight"         
##  [760] "delights"         "delinquents"      "deliver"         
##  [763] "delivers"         "demand"           "demerits"        
##  [766] "demiwolves"       "denies"           "deny"            
##  [769] "denyt"            "depart"           "descended"       
##  [772] "descends"         "described"        "desert"          
##  [775] "deserve"          "deserved"         "deservers"       
##  [778] "deserves"         "design"           "desire"          
##  [781] "desired"          "desires"          "desolate"        
##  [784] "despair"          "despise"          "destiny"         
##  [787] "destroy"          "destroying"       "destruction"     
##  [790] "detraction"       "devil"            "devilish"        
##  [793] "devilporter"      "devils"           "devotion"        
##  [796] "devour"           "dew"              "diamond"         
##  [799] "didst"            "die"              "died"            
##  [802] "dies"             "digestion"        "diggd"           
##  [805] "dignities"        "dignity"          "diminutive"      
##  [808] "dircompgpoboxcom" "dire"             "direction"       
##  [811] "directly"         "director"         "directors"       
##  [814] "direful"          "direness"         "direst"          
##  [817] "disasters"        "disbursed"        "discharge"       
##  [820] "disclaimer"       "disclaimers"      "disclaims"       
##  [823] "discomfort"       "discover"         "discovery"       
##  [826] "disdaining"       "disease"          "diseased"        
##  [829] "disgrace"         "disguising"       "disheartens"     
##  [832] "dishes"           "dishonors"        "disjoint"        
##  [835] "disk"             "disloyal"         "dismal"          
##  [838] "dismayd"          "dismiss"          "disorder"        
##  [841] "dispatch"         "dispatchd"        "displaced"       
##  [844] "displayed"        "displays"         "disposition"     
##  [847] "dispute"          "disseat"          "distance"        
##  [850] "distemperd"       "distilld"         "distinguishes"   
##  [853] "distracted"       "distresses"       "distribute"      
##  [856] "distributed"      "distribution"     "ditch"           
##  [859] "ditchdeliverd"    "divers"           "divine"          
##  [862] "division"         "doctor"           "doff"            
##  [865] "dog"              "dogs"             "dollar"          
##  [868] "dollars"          "dolor"            "domain"          
##  [871] "domestic"         "donalbain"        "donations"       
##  [874] "done"             "donet"            "dont"            
##  [877] "doom"             "dooms"            "door"            
##  [880] "doors"            "dost"             "dot"             
##  [883] "doth"             "double"           "doubly"          
##  [886] "doubt"            "doubtful"         "doubts"          
##  [889] "downfalln"        "download"         "downy"           
##  [892] "drab"             "dragon"           "drain"           
##  [895] "dramatis"         "draw"             "drawn"           
##  [898] "dread"            "dreadful"         "dreams"          
##  [901] "dreamt"           "drenched"         "dress"           
##  [904] "dressd"           "drink"            "droop"           
##  [907] "drop"             "drops"            "drown"           
##  [910] "drowse"           "drowsy"           "drug"            
##  [913] "druggd"           "drum"             "drunk"           
##  [916] "dry"              "dudgeon"          "due"             
##  [919] "dues"             "duff"             "dull"            
##  [922] "duncan"           "duncans"          "dunnest"         
##  [925] "dunsinane"        "durst"            "dusty"           
##  [928] "duties"           "dwarfish"         "dwell"           
##  [931] "dwindle"          "dying"            "eagles"          
##  [934] "ear"              "earl"             "earls"           
##  [937] "earnest"          "ears"             "earth"           
##  [940] "earthbound"       "earthly"          "easier"          
##  [943] "east"             "easy"             "eat"             
##  [946] "eaten"            "ebcdic"           "echo"            
##  [949] "eclipse"          "ecstasy"          "edge"            
##  [952] "edited"           "editing"          "edition"         
##  [955] "education"        "edward"           "eer"             
##  [958] "effect"           "effects"          "egg"             
##  [961] "eight"            "eighth"           "either"          
##  [964] "elder"            "eldest"           "electronic"      
##  [967] "electronically"   "else"             "elves"           
##  [970] "embrace"          "eminence"         "empty"           
##  [973] "emptying"         "enchanting"       "encounter"       
##  [976] "encouraged"       "end"              "endall"          
##  [979] "ends"             "endure"           "enemy"           
##  [982] "england"          "english"          "enkindle"        
##  [985] "enough"           "enow"             "enrage"          
##  [988] "enrages"          "enter"            "entered"         
##  [991] "enterprise"       "enters"           "entertainment"   
##  [994] "entomb"           "entrails"         "entrance"        
##  [997] "entreat"          "entry"            "epicures"        
## [1000] "equipment"        "equivalent"       "equivocate"      
## [1003] "equivocates"      "equivocation"     "equivocator"     
## [1006] "ere"              "err"              "errors"          
## [1009] "escapes"          "especially"       "establish"       
## [1012] "estate"           "esteem"           "esteemst"        
## [1015] "estimate"         "estimated"        "etc"             
## [1018] "eternal"          "eterne"           "etext"           
## [1021] "etexts"           "even"             "evenhanded"      
## [1024] "event"            "events"           "ever"            
## [1027] "everlasting"      "every"            "everyone"        
## [1030] "everything"       "evil"             "evils"           
## [1033] "exact"            "exasperate"       "except"          
## [1036] "excite"           "exclusion"        "exclusions"      
## [1039] "execution"        "executive"        "exeunt"          
## [1042] "exiled"           "exit"             "expectation"     
## [1045] "expected"         "expedition"       "expense"         
## [1048] "expenses"         "expire"           "explanatory"     
## [1051] "exploits"         "exposure"         "express"         
## [1054] "extend"           "extent"           "eye"             
## [1057] "eyeballs"         "eyes"             "face"            
## [1060] "faced"            "faces"            "fact"            
## [1063] "faculties"        "fail"             "faild"           
## [1066] "fails"            "fain"             "faint"           
## [1069] "fair"             "fairer"           "fairest"         
## [1072] "fairies"          "faith"            "faithbreach"     
## [1075] "faithful"         "falcon"           "fall"            
## [1078] "falln"            "falls"            "false"           
## [1081] "familiar"         "famine"           "fan"             
## [1084] "fancies"          "fantastical"      "far"             
## [1087] "fare"             "farewell"         "farmer"          
## [1090] "farrow"           "farther"          "fast"            
## [1093] "fatal"            "fate"             "father"          
## [1096] "fatherd"          "fatherless"       "fathers"         
## [1099] "favor"            "favors"           "fear"            
## [1102] "feard"            "fearful"          "fears"           
## [1105] "feast"            "feasts"           "feat"            
## [1108] "fed"              "fee"              "feed"            
## [1111] "feegrief"         "feel"             "feeling"         
## [1114] "fees"             "feet"             "fell"            
## [1117] "fellow"           "fellows"          "felt"            
## [1120] "fenny"            "fever"            "feverous"        
## [1123] "fie"              "field"            "fiend"           
## [1126] "fiendlike"        "fiends"           "fife"            
## [1129] "fifty"            "fight"            "fighting"        
## [1132] "file"             "filed"            "files"           
## [1135] "fill"             "fillet"           "filling"         
## [1138] "filthy"           "find"             "finding"         
## [1141] "finds"            "finger"           "fire"            
## [1144] "fires"            "firm"             "firmset"         
## [1147] "first"            "firstlings"       "fit"             
## [1150] "fitful"           "fitness"          "fits"            
## [1153] "fixd"             "flame"            "flattering"      
## [1156] "flaws"            "fleance"          "fled"            
## [1159] "flesh"            "flies"            "flight"          
## [1162] "flighty"          "float"            "flourish"        
## [1165] "flout"            "flower"           "flowers"         
## [1168] "flown"            "flung"            "fly"             
## [1171] "flying"           "foe"              "foes"            
## [1174] "fog"              "foggy"            "foisons"         
## [1177] "fold"             "following"        "follows"         
## [1180] "folly"            "fool"             "foolish"         
## [1183] "fools"            "foot"             "forbid"          
## [1186] "force"            "forced"           "forces"          
## [1189] "foreign"          "forest"           "forever"         
## [1192] "forge"            "forget"           "forgive"         
## [1195] "forgot"           "forgotten"        "fork"            
## [1198] "form"             "former"           "forres"          
## [1201] "forsworn"         "fort"             "forth"           
## [1204] "fortifies"        "fortitude"        "fortune"         
## [1207] "fought"           "foul"             "foully"          
## [1210] "found"            "foundations"      "founded"         
## [1213] "fountain"         "four"             "fourth"          
## [1216] "frailties"        "frame"            "franchised"      
## [1219] "frankly"          "free"             "freely"          
## [1222] "french"           "fresh"            "frets"           
## [1225] "friend"           "friends"          "frieze"          
## [1228] "fright"           "frog"             "front"           
## [1231] "fruitless"        "fry"              "full"            
## [1234] "fullness"         "fume"             "function"        
## [1237] "furbishd"         "furious"          "fury"            
## [1240] "future"           "gain"             "gains"           
## [1243] "gainst"           "gall"             "galloping"       
## [1246] "gallowglasses"    "gap"              "garments"        
## [1249] "gash"             "gashd"            "gashes"          
## [1252] "gate"             "gave"             "gaze"            
## [1255] "geese"            "general"          "genius"          
## [1258] "gentle"           "gentleman"        "gentlemen"       
## [1261] "gentlewoman"      "gently"           "gentry"          
## [1264] "germaines"        "get"              "ghost"           
## [1267] "ghosts"           "giants"           "gibbet"          
## [1270] "gift"             "gild"             "gin"             
## [1273] "gins"             "girl"             "give"            
## [1276] "given"            "gives"            "giving"          
## [1279] "gladly"           "glamis"           "glare"           
## [1282] "glass"            "glimmers"         "glory"           
## [1285] "gloss"            "goal"             "goat"            
## [1288] "god"              "gods"             "goes"            
## [1291] "goest"            "going"            "goldbound"       
## [1294] "golden"           "golgotha"         "gone"            
## [1297] "good"             "goodly"           "goodness"        
## [1300] "goose"            "gore"             "gorgon"          
## [1303] "gory"             "gospeld"          "got"             
## [1306] "gotst"            "gouts"            "govern"          
## [1309] "grace"            "graced"           "graces"          
## [1312] "gracious"         "grafted"          "grain"           
## [1315] "grandam"          "grant"            "grapples"        
## [1318] "grasp"            "gratefully"       "grave"           
## [1321] "graves"           "graymalkin"       "grease"          
## [1324] "great"            "greater"          "greatest"        
## [1327] "greatness"        "green"            "greet"           
## [1330] "greeting"         "greets"           "greyhounds"      
## [1333] "grief"            "griefs"           "grieve"          
## [1336] "grim"             "gripe"            "groans"          
## [1339] "grooms"           "ground"           "grove"           
## [1342] "grow"             "growing"          "grown"           
## [1345] "grows"            "gruel"            "guardian"        
## [1348] "guess"            "guest"            "guests"          
## [1351] "guide"            "guilt"            "guise"           
## [1354] "gulf"             "gums"             "gutenberg"       
## [1357] "gutenbergcmu"     "gutenbergtm"      "hackd"           
## [1360] "hadst"            "hags"             "hail"            
## [1363] "haild"            "hair"             "hairs"           
## [1366] "half"             "halfworld"        "hall"            
## [1369] "hand"             "handle"           "hands"           
## [1372] "handwhats"        "hang"             "hanged"          
## [1375] "hanging"          "hangmans"         "hangs"           
## [1378] "happier"          "happily"          "happiness"       
## [1381] "happy"            "harbinger"        "harbingers"      
## [1384] "hard"             "hardly"           "hardy"           
## [1387] "hare"             "hark"             "harm"            
## [1390] "harmless"         "harms"            "harness"         
## [1393] "harpd"            "harpier"          "hart"            
## [1396] "hartpoboxcom"     "harvest"          "hast"            
## [1399] "haste"            "hat"              "hatchd"          
## [1402] "hate"             "hateful"          "hath"            
## [1405] "haunt"            "hautboys"         "hawkd"           
## [1408] "hay"              "head"             "heads"           
## [1411] "healing"          "health"           "heapd"           
## [1414] "hear"             "heard"            "hearers"         
## [1417] "hearing"          "hearst"           "heart"           
## [1420] "hearts"           "hearty"           "heat"            
## [1423] "heath"            "heatoppressed"    "heaven"          
## [1426] "heavenly"         "heavens"          "heaviest"        
## [1429] "heavily"          "heavy"            "hecate"          
## [1432] "hecates"          "hedgepig"         "heels"           
## [1435] "held"             "hell"             "hellbroth"       
## [1438] "hellkite"         "help"             "hemlock"         
## [1441] "hence"            "henceforth"       "herald"          
## [1444] "hereafter"        "hereapproach"     "herein"          
## [1447] "hereremain"       "heres"            "hermits"         
## [1450] "hes"              "hew"              "hid"             
## [1453] "hidden"           "hide"             "hideous"         
## [1456] "hie"              "high"             "highly"          
## [1459] "highness"         "highplaced"       "hill"            
## [1462] "hired"            "hiss"             "hit"             
## [1465] "hither"           "hoarse"           "hold"            
## [1468] "holds"            "hole"             "holily"          
## [1471] "holp"             "holy"             "homage"          
## [1474] "home"             "homely"           "homeward"        
## [1477] "honest"           "honor"            "honord"          
## [1480] "honors"           "hoodwink"         "hope"            
## [1483] "hopes"            "horrible"         "horrid"          
## [1486] "horror"           "horrors"          "horse"           
## [1489] "horsed"           "horses"           "horsesa"         
## [1492] "hose"             "host"             "hostess"         
## [1495] "hotter"           "hound"            "hounds"          
## [1498] "hour"             "hours"            "house"           
## [1501] "housekeeper"      "houses"           "hover"           
## [1504] "howeer"           "however"          "howl"            
## [1507] "howld"            "howlets"          "howls"           
## [1510] "human"            "humane"           "humans"          
## [1513] "humble"           "humbly"           "humh"            
## [1516] "hums"             "hundred"          "hundreds"        
## [1519] "hunger"           "hunter"           "hurlyburlys"     
## [1522] "hurt"             "hurts"            "husband"         
## [1525] "husbandry"        "husbands"         "hush"            
## [1528] "hypertext"        "hyrcan"           "idiot"           
## [1531] "ield"             "ift"              "ignorant"        
## [1534] "iii"              "ill"              "illcomposed"     
## [1537] "illness"          "illusion"         "image"           
## [1540] "images"           "imaginings"       "impedes"         
## [1543] "impediments"      "imperfect"        "imperial"        
## [1546] "implications"     "implied"          "implored"        
## [1549] "impostors"        "impress"          "inaccurate"      
## [1552] "inc"              "incarnadine"      "incensed"        
## [1555] "inch"             "incidental"       "inclined"        
## [1558] "included"         "includes"         "including"       
## [1561] "incomplete"       "increasing"       "indeed"          
## [1564] "indemnify"        "indemnity"        "indicate"        
## [1567] "indirect"         "indirectly"       "indissoluble"    
## [1570] "industrious"      "infected"         "infirm"          
## [1573] "infirmity"        "infold"           "information"     
## [1576] "informd"          "informs"          "infringement"    
## [1579] "ing"              "ingratitude"      "ingredients"     
## [1582] "inhabit"          "inhabitants"      "initiate"        
## [1585] "inn"              "innocent"         "insane"          
## [1588] "instance"         "instant"          "instructions"    
## [1591] "instrument"       "instruments"      "int"             
## [1594] "integrity"        "intelligence"     "intemperance"    
## [1597] "intended"         "intent"           "interdiction"    
## [1600] "interest"         "interim"          "intermission"    
## [1603] "internet"         "interpret"        "intrenchant"     
## [1606] "invention"        "inventor"         "inverness"       
## [1609] "invest"           "invested"         "invisible"       
## [1612] "invite"           "invites"          "ireland"         
## [1615] "isles"            "issue"            "ist"             
## [1618] "jealousies"       "ject"             "jew"             
## [1621] "jewel"            "jewels"           "jocund"          
## [1624] "join"             "jointly"          "journey"         
## [1627] "jovial"           "joy"              "joyful"          
## [1630] "joys"             "judgement"        "judicious"       
## [1633] "juggling"         "jump"             "just"            
## [1636] "justice"          "jutty"            "keen"            
## [1639] "keep"             "keeps"            "kerns"           
## [1642] "key"              "kill"             "killd"           
## [1645] "killing"          "kind"             "kindly"          
## [1648] "kindness"         "kindst"           "king"            
## [1651] "kingbecoming"     "kingdom"          "kingdoms"        
## [1654] "kings"            "kinsman"          "kinsmen"         
## [1657] "kiss"             "kites"            "knees"           
## [1660] "knell"            "knife"            "knit"            
## [1663] "knits"            "knives"           "knock"           
## [1666] "knocking"         "knocks"           "knolld"          
## [1669] "knots"            "know"             "knowings"        
## [1672] "knowledge"        "known"            "knows"           
## [1675] "knowst"           "knowt"            "kramer"          
## [1678] "labor"            "labord"           "labors"          
## [1681] "laced"            "lack"             "ladies"          
## [1684] "lady"             "laid"             "lamb"            
## [1687] "lamentings"       "lamp"             "land"            
## [1690] "lands"            "lap"              "lappd"           
## [1693] "large"            "largess"          "last"            
## [1696] "latch"            "late"             "lated"           
## [1699] "later"            "laudable"         "laugh"           
## [1702] "lave"             "lavish"           "law"             
## [1705] "laws"             "lay"              "laying"          
## [1708] "lays"             "lead"             "leaf"            
## [1711] "learn"            "learned"          "lease"           
## [1714] "least"            "leave"            "leaves"          
## [1717] "leavetaking"      "leaving"          "leavy"           
## [1720] "lechery"          "led"              "lees"            
## [1723] "left"             "leg"              "legal"           
## [1726] "legions"          "legs"             "leisure"         
## [1729] "length"           "lennox"           "lent"            
## [1732] "less"             "lesser"           "lest"            
## [1735] "let"              "lets"             "letter"          
## [1738] "letters"          "letting"          "levy"            
## [1741] "lia"              "liability"        "liar"            
## [1744] "liars"            "library"          "license"         
## [1747] "licensed"         "licenses"         "lid"             
## [1750] "lie"              "liege"            "lies"            
## [1753] "liest"            "life"             "lifes"           
## [1756] "light"            "lighted"          "lightning"       
## [1759] "like"             "lilyliverd"       "limbeck"         
## [1762] "lime"             "limitation"       "limited"         
## [1765] "line"             "linen"            "links"           
## [1768] "lion"             "lionmettled"      "lips"            
## [1771] "list"             "listen"           "listening"       
## [1774] "little"           "live"             "lived"           
## [1777] "livelong"         "liver"            "lives"           
## [1780] "living"           "lizards"          "loads"           
## [1783] "lochaber"         "locks"            "lodged"          
## [1786] "long"             "longer"           "look"            
## [1789] "lookd"            "looks"            "loon"            
## [1792] "loose"            "lord"             "lords"           
## [1795] "lose"             "losest"           "lost"            
## [1798] "loud"             "love"             "loved"           
## [1801] "loves"            "low"              "lowe"            
## [1804] "lowliness"        "loyal"            "loyalty"         
## [1807] "lust"             "luxurious"        "macbeth"         
## [1810] "macbeths"         "macdonwald"       "macduff"         
## [1813] "macduffs"         "machine"          "machines"        
## [1816] "mad"              "madam"            "made"            
## [1819] "madness"          "maggot"           "magic"           
## [1822] "maids"            "mail"             "main"            
## [1825] "majesty"          "make"             "makes"           
## [1828] "making"           "malady"           "malcolm"         
## [1831] "malcolms"         "males"            "malevolence"     
## [1834] "malice"           "malicious"        "man"             
## [1837] "manhood"          "mankind"          "manly"           
## [1840] "manner"           "mans"             "mansion"         
## [1843] "mansionry"        "many"             "mar"             
## [1846] "marble"           "march"            "marching"        
## [1849] "mark"             "markd"            "market"          
## [1852] "marrowless"       "marry"            "mars"            
## [1855] "marshalst"        "martlet"          "marvelst"        
## [1858] "masking"          "master"           "masterdom"       
## [1861] "masterpiece"      "masters"          "mated"           
## [1864] "material"         "materials"        "matrons"         
## [1867] "matter"           "matters"          "maw"             
## [1870] "maws"             "may"              "mayst"           
## [1873] "mayt"             "meal"             "mean"            
## [1876] "means"            "meant"            "measure"         
## [1879] "measured"         "measureless"      "meat"            
## [1882] "medicine"         "medicines"        "medium"          
## [1885] "meek"             "meet"             "meeting"         
## [1888] "mellon"           "melted"           "members"         
## [1891] "membership"       "memorize"         "memory"          
## [1894] "men"              "menchildren"      "mend"            
## [1897] "mens"             "menteith"         "merchantability" 
## [1900] "merciful"         "merciless"        "mercy"           
## [1903] "mere"             "message"          "messenger"       
## [1906] "messengers"       "met"              "metaphysical"    
## [1909] "methinks"         "methods"          "methought"       
## [1912] "mettle"           "mewd"             "michael"         
## [1915] "middle"           "midnight"         "midst"           
## [1918] "might"            "mightst"          "mile"            
## [1921] "milk"             "milks"            "million"         
## [1924] "mind"             "minds"            "mine"            
## [1927] "mingle"           "minion"           "minions"         
## [1930] "minister"         "ministers"        "minute"          
## [1933] "minutely"         "miraculous"       "mirth"           
## [1936] "mischance"        "mischief"         "miserable"       
## [1939] "miss"             "missing"          "missives"        
## [1942] "mistress"         "mistrust"         "mock"            
## [1945] "mockery"          "modern"           "modest"          
## [1948] "modification"     "moment"           "momentary"       
## [1951] "money"            "mongrels"         "monkey"          
## [1954] "monsters"         "monstrous"        "month"           
## [1957] "monuments"        "moon"             "moons"           
## [1960] "morehaving"       "morn"             "morning"         
## [1963] "morrow"           "mortal"           "mortality"       
## [1966] "mortals"          "mortified"        "mother"          
## [1969] "mothers"          "motion"           "motives"         
## [1972] "mould"            "mounchd"          "mousing"         
## [1975] "mouthhonor"       "mouths"           "move"            
## [1978] "moves"            "moving"           "much"            
## [1981] "multiplying"      "multitudinous"    "mummy"           
## [1984] "murky"            "murther"          "murtherd"        
## [1987] "murtherer"        "murtherers"       "murthering"      
## [1990] "murtherous"       "murthers"         "muse"            
## [1993] "music"            "must"             "naked"           
## [1996] "name"             "named"            "names"           
## [1999] "napkins"          "nation"           "natural"         
## [2002] "nature"           "natures"          "naught"          
## [2005] "nave"             "navigation"       "nay"             
## [2008] "near"             "nearer"           "nearest"         
## [2011] "nearly"           "nearst"           "necks"           
## [2014] "need"             "needed"           "needful"         
## [2017] "needs"            "neer"             "negligence"      
## [2020] "neither"          "neptunes"         "nerves"          
## [2023] "nest"             "net"              "neutral"         
## [2026] "never"            "new"              "newborn"         
## [2029] "newer"            "newest"           "newly"           
## [2032] "news"             "newt"             "next"            
## [2035] "nice"             "niggard"          "nigh"            
## [2038] "night"            "nightgown"        "nightly"         
## [2041] "nights"           "nightshriek"      "nimbly"          
## [2044] "nine"             "nipple"           "noble"           
## [2047] "nobleman"         "nobleness"        "nobles"          
## [2050] "nobly"            "nod"              "noise"           
## [2053] "nominally"        "none"             "nonpareil"       
## [2056] "noon"             "northumberland"   "norway"          
## [2059] "norways"          "norweyan"         "nose"            
## [2062] "nosepainting"     "notare"           "note"            
## [2065] "nothing"          "notice"           "notion"          
## [2068] "nought"           "noughts"          "nourisher"       
## [2071] "now"              "number"           "numbers"         
## [2074] "obedience"        "oblivious"        "obscure"         
## [2077] "observe"          "observed"         "occasion"        
## [2080] "ocean"            "ocr"              "odds"            
## [2083] "oer"              "oerbear"          "oerfraught"      
## [2086] "oerleap"          "oerleaps"         "oertook"         
## [2089] "offend"           "offended"         "offer"           
## [2092] "offerings"        "office"           "officers"        
## [2095] "offices"          "official"         "often"           
## [2098] "oftener"          "oftentimes"       "old"             
## [2101] "olden"            "older"            "one"             
## [2104] "ones"             "ons"              "ont"             
## [2107] "ope"              "open"             "opend"           
## [2110] "opens"            "opinions"         "opportunity"     
## [2113] "oppose"           "opposed"          "oracles"         
## [2116] "order"            "ornament"         "orphans"         
## [2119] "others"           "otherwise"        "ourself"         
## [2122] "outrun"           "outside"          "outward"         
## [2125] "outwardly"        "overbold"         "overcharged"     
## [2128] "overcome"         "overcredulous"    "overred"         
## [2131] "overtake"         "overthrown"       "owe"             
## [2134] "owed"             "owl"              "pace"            
## [2137] "paddock"          "page"             "paid"            
## [2140] "pain"             "pains"            "painted"         
## [2143] "painting"         "palace"           "palaces"         
## [2146] "pale"             "palehearted"      "pall"            
## [2149] "palpable"         "paper"            "parallel"        
## [2152] "pardon"           "park"             "parley"          
## [2155] "parricide"        "part"             "parted"          
## [2158] "particular"       "particulars"      "partner"         
## [2161] "partners"         "party"            "pass"            
## [2164] "passage"          "passd"            "passion"         
## [2167] "past"             "patch"            "patience"        
## [2170] "patient"          "patter"           "pauser"          
## [2173] "pay"              "payment"          "pays"            
## [2176] "peace"            "peak"             "peal"            
## [2179] "pearl"            "peep"             "peerless"        
## [2182] "peers"            "pendant"          "penthouse"       
## [2185] "people"           "per"              "perceive"        
## [2188] "perchance"        "perfect"          "perfectest"      
## [2191] "perform"          "performance"      "performances"    
## [2194] "performd"         "perfumes"         "perilous"        
## [2197] "permission"       "pernicious"       "perseverance"    
## [2200] "person"           "personae"         "personal"        
## [2203] "persuades"        "pertains"         "perturbation"    
## [2206] "pesterd"          "petty"            "physic"          
## [2209] "physical"         "physician"        "physics"         
## [2212] "pictures"         "piece"            "pieces"          
## [2215] "pies"             "pillows"          "pilots"          
## [2218] "pine"             "pious"            "pit"             
## [2221] "pitfall"          "pitied"           "pitiful"         
## [2224] "pity"             "place"            "placed"          
## [2227] "places"           "plague"           "plain"           
## [2230] "plant"            "planted"          "play"            
## [2233] "playdst"          "player"           "plead"           
## [2236] "pleasant"         "please"           "pleaset"         
## [2239] "pleasure"         "pleasures"        "pledge"          
## [2242] "plenteous"        "plenty"           "plight"          
## [2245] "pluck"            "pluckd"           "plucks"          
## [2248] "point"            "points"           "poison"          
## [2251] "poisond"          "pole"             "poor"            
## [2254] "poorly"           "portable"         "porter"          
## [2257] "ports"            "possess"          "possets"         
## [2260] "possibility"      "post"             "posted"          
## [2263] "posterity"        "posters"          "pot"             
## [2266] "potent"           "pour"             "pourd"           
## [2269] "power"            "powerful"         "powers"          
## [2272] "practice"         "praises"          "prate"           
## [2275] "prattler"         "pray"             "prayers"         
## [2278] "precious"         "predecessors"     "prediction"      
## [2281] "predominance"     "predominant"      "preliminary"     
## [2284] "preparation"      "prepared"         "prepares"        
## [2287] "presence"         "present"          "presentation"    
## [2290] "presented"        "presently"        "preserve"        
## [2293] "pretend"          "pretense"         "pretty"          
## [2296] "preys"            "prick"            "pricking"        
## [2299] "pride"            "primrose"         "prince"          
## [2302] "print"            "prisoner"         "pristine"        
## [2305] "prithee"          "pro"              "probation"       
## [2308] "proceed"          "proceeding"       "processing"      
## [2311] "processors"       "procreant"        "produce"         
## [2314] "producing"        "productivity"     "prof"            
## [2317] "profess"          "professes"        "professions"     
## [2320] "profit"           "profound"         "program"         
## [2323] "prohibited"       "project"          "projected"       
## [2326] "projects"         "prologues"        "promise"         
## [2329] "promised"         "promonet"         "pronounce"       
## [2332] "pronounced"       "proof"            "proofread"       
## [2335] "proper"           "prophecy"         "prophesying"     
## [2338] "prophetic"        "prophetlike"      "proportion"      
## [2341] "proprietary"      "prospect"         "prosperous"      
## [2344] "protected"        "protest"          "proud"           
## [2347] "prove"            "proved"           "provide"         
## [2350] "provided"         "provisions"       "provoke"         
## [2353] "provoker"         "provokes"         "prowess"         
## [2356] "public"           "pull"             "pullt"           
## [2359] "punctuation"      "punitive"         "pure"            
## [2362] "purgative"        "purge"            "purged"          
## [2365] "purpose"          "purposes"         "purveyor"        
## [2368] "push"             "put"              "puts"            
## [2371] "pyramids"         "quarrel"          "quarrels"        
## [2374] "quarry"           "quarter"          "quarters"        
## [2377] "queen"            "quell"            "quenchd"         
## [2380] "question"         "quickly"          "quiet"           
## [2383] "quit"             "quite"            "quoth"           
## [2386] "rabbles"          "race"             "rage"            
## [2389] "rain"             "raise"            "ran"             
## [2392] "rancors"          "rank"             "ranks"           
## [2395] "rapt"             "rarer"            "rat"             
## [2398] "rather"           "ratify"           "raveld"          
## [2401] "raven"            "ravin"            "ravind"          
## [2404] "ravishing"        "rawness"          "raze"            
## [2407] "reached"          "read"             "readable"        
## [2410] "reader"           "readers"          "readily"         
## [2413] "readiness"        "reading"          "reads"           
## [2416] "ready"            "reason"           "reasons"         
## [2419] "rebel"            "rebellions"       "rebellious"      
## [2422] "rebels"           "rebuked"          "receipt"         
## [2425] "receiv"           "receive"          "received"        
## [2428] "reckless"         "reckon"           "recoil"          
## [2431] "recommends"       "recompense"       "reconcile"       
## [2434] "reconciled"       "recorded"         "red"             
## [2437] "redoubled"        "redress"          "reeking"         
## [2440] "reenter"          "referred"         "reflection"      
## [2443] "refrain"          "refund"           "regard"          
## [2446] "registerd"        "reign"            "reigns"          
## [2449] "rejoicing"        "relate"           "relation"        
## [2452] "relations"        "release"          "releases"        
## [2455] "relish"           "remains"          "remedies"        
## [2458] "remedy"           "remember"         "remembrance"     
## [2461] "remembrancer"     "remorse"          "remove"          
## [2464] "rend"             "renderd"          "renown"          
## [2467] "repeatst"         "repent"           "repentance"      
## [2470] "repetition"       "replacement"      "report"          
## [2473] "reported"         "reports"          "repose"          
## [2476] "reputation"       "request"          "require"         
## [2479] "requited"         "resembled"        "reserved"        
## [2482] "resolute"         "resolution"       "resolve"         
## [2485] "resolved"         "resounds"         "respect"         
## [2488] "rest"             "restless"         "restrain"        
## [2491] "resulting"        "retire"           "retires"         
## [2494] "retreat"          "return"           "returnd"         
## [2497] "returning"        "returns"          "revenge"         
## [2500] "revenges"         "revolt"           "revolts"         
## [2503] "rhinoceros"       "rhubarb"          "ribs"            
## [2506] "rich"             "rid"              "riddles"         
## [2509] "ride"             "rides"            "right"           
## [2512] "rightly"          "rights"           "ring"            
## [2515] "rings"            "ripe"             "rippd"           
## [2518] "rise"             "rises"            "roar"            
## [2521] "roast"            "robe"             "robes"           
## [2524] "rock"             "roman"            "ronyon"          
## [2527] "roofd"            "rooks"            "rooky"           
## [2530] "room"             "root"             "rooted"          
## [2533] "ross"             "rough"            "roughest"        
## [2536] "round"            "rouse"            "royal"           
## [2539] "royalty"          "rubs"             "ruby"            
## [2542] "rue"              "rugged"           "ruins"           
## [2545] "rule"             "rumor"            "rumpfed"         
## [2548] "run"              "rung"             "runs"            
## [2551] "rush"             "russian"          "sacred"          
## [2554] "sacrilegious"     "sad"              "safe"            
## [2557] "safely"           "safer"            "safest"          
## [2560] "safeties"         "safety"           "sag"             
## [2563] "said"             "sail"             "sailors"         
## [2566] "saint"            "sainted"          "sake"            
## [2569] "saltsea"          "salutation"       "saluted"         
## [2572] "sanctity"         "satisfied"        "satisfy"         
## [2575] "sauce"            "saucy"            "savage"          
## [2578] "savagely"         "save"             "saw"             
## [2581] "say"              "saying"           "sayst"           
## [2584] "scale"            "scales"           "scannd"          
## [2587] "scanning"         "scape"            "scaped"          
## [2590] "scarce"           "scarcely"         "scarf"           
## [2593] "scene"            "sceptre"          "sceptres"        
## [2596] "school"           "scone"            "score"           
## [2599] "scorn"            "scorpions"        "scotchd"         
## [2602] "scotland"         "scottish"         "scour"           
## [2605] "scream"           "screams"          "screens"         
## [2608] "screw"            "scruples"         "sea"             
## [2611] "seal"             "sear"             "searched"        
## [2614] "seas"             "season"           "seat"            
## [2617] "seated"           "second"           "secret"          
## [2620] "secrets"          "secretst"         "security"        
## [2623] "see"              "seed"             "seeds"           
## [2626] "seek"             "seeking"          "seeling"         
## [2629] "seem"             "seemd"            "seemeth"         
## [2632] "seems"            "seen"             "seest"           
## [2635] "seize"            "selected"         "self"            
## [2638] "selfabuse"        "selfcomparisons"  "selfsame"        
## [2641] "sell"             "send"             "sending"         
## [2644] "sennet"           "sennights"        "sense"           
## [2647] "senses"           "sensible"         "sent"            
## [2650] "sentinel"         "separated"        "sergeant"        
## [2653] "serious"          "serpent"          "servant"         
## [2656] "servants"         "serve"            "served"          
## [2659] "service"          "set"              "sets"            
## [2662] "setting"          "settled"          "seven"           
## [2665] "seventh"          "several"          "seward"          
## [2668] "sewards"          "sewer"            "seyton"          
## [2671] "seytoni"          "shade"            "shadow"          
## [2674] "shadows"          "shaft"            "shageard"        
## [2677] "shake"            "shakes"           "shakespeare"     
## [2680] "shaking"          "shall"            "shalt"           
## [2683] "shame"            "shape"            "shardborne"      
## [2686] "share"            "shares"           "shareware"       
## [2689] "shark"            "sharp"            "sheathe"         
## [2692] "shed"             "shell"            "shield"          
## [2695] "shift"            "shine"            "shipmans"        
## [2698] "shipwrecking"     "shoal"            "shook"           
## [2701] "short"            "shot"             "shoughs"         
## [2704] "shouldst"         "show"             "showd"           
## [2707] "shows"            "shriekd"          "shrieks"         
## [2710] "shut"             "sick"             "sicken"          
## [2713] "sickly"           "sides"            "siege"           
## [2716] "sieve"            "sigh"             "sighs"           
## [2719] "sight"            "sightless"        "sights"          
## [2722] "sign"             "signifying"       "signs"           
## [2725] "silenced"         "silent"           "silver"          
## [2728] "sin"              "since"            "sinels"          
## [2731] "sinful"           "sing"             "single"          
## [2734] "sinks"            "sir"              "sirrah"          
## [2737] "sister"           "sisters"          "sit"             
## [2740] "site"             "sits"             "siward"          
## [2743] "sizes"            "skin"             "skinny"          
## [2746] "skipping"         "skirr"            "sky"             
## [2749] "slab"             "slain"            "slaughter"       
## [2752] "slaughterd"       "slaughterous"     "slave"           
## [2755] "slaves"           "sleave"           "sleek"           
## [2758] "sleep"            "sleepers"         "sleeping"        
## [2761] "sleeps"           "sleepy"           "sleights"        
## [2764] "slept"            "slippd"           "slips"           
## [2767] "sliverd"          "slope"            "slow"            
## [2770] "slumbery"         "smack"            "smacking"        
## [2773] "small"            "smear"            "smell"           
## [2776] "smells"           "smile"            "smiles"          
## [2779] "smiling"          "smoke"            "smoked"          
## [2782] "smotherd"         "snake"            "snares"          
## [2785] "snores"           "snow"             "society"         
## [2788] "software"         "sold"             "soldier"         
## [2791] "soldiers"         "soldiership"      "sole"            
## [2794] "solely"           "solemn"           "soliciting"      
## [2797] "solicits"         "something"        "sometime"        
## [2800] "son"              "song"             "sons"            
## [2803] "soon"             "sooner"           "sooth"           
## [2806] "sore"             "sorely"           "sorriest"        
## [2809] "sorrow"           "sorrows"          "sorry"           
## [2812] "sorts"            "sought"           "soul"            
## [2815] "souls"            "sound"            "soundly"         
## [2818] "sounds"           "source"           "south"           
## [2821] "sovereign"        "sovereignty"      "sows"            
## [2824] "space"            "spacious"         "spaniels"        
## [2827] "sparrows"         "speak"            "speaker"         
## [2830] "speakers"         "speaking"         "speaks"          
## [2833] "speakst"          "special"          "speculation"     
## [2836] "speculative"      "speech"           "speeches"        
## [2839] "speed"            "spells"           "spend"           
## [2842] "spent"            "spirit"           "spirits"         
## [2845] "spite"            "spiteful"         "spoils"          
## [2848] "spoke"            "spoken"           "spongy"          
## [2851] "spot"             "spring"           "sprites"         
## [2854] "spur"             "spurn"            "spurs"           
## [2857] "spy"              "stableness"       "stabs"           
## [2860] "staff"            "stage"            "stake"           
## [2863] "stalls"           "stamp"            "stanchless"      
## [2866] "stand"            "stands"           "stared"          
## [2869] "stars"            "start"            "starting"        
## [2872] "starts"           "state"            "stated"          
## [2875] "statement"        "states"           "station"         
## [2878] "statute"          "staves"           "stay"            
## [2881] "stayd"            "stays"            "stead"           
## [2884] "stealing"         "steals"           "stealthy"        
## [2887] "steel"            "steepd"           "step"            
## [2890] "steppd"           "steps"            "sternst"         
## [2893] "stick"            "sticking"         "stickingplace"   
## [2896] "sticks"           "still"            "sting"           
## [2899] "stir"             "stirring"         "stole"           
## [2902] "stoln"            "stone"            "stones"          
## [2905] "stood"            "stool"            "stools"          
## [2908] "stop"             "stoppd"           "stopped"         
## [2911] "storehouse"       "storms"           "story"           
## [2914] "stout"            "straight"         "strange"         
## [2917] "strangely"        "strangelyvisited" "strangers"       
## [2920] "strangles"        "streaks"          "streams"         
## [2923] "strength"         "stretch"          "strict"          
## [2926] "strides"          "striding"         "strike"          
## [2929] "stroke"           "strokes"          "strong"          
## [2932] "strongly"         "struck"           "struts"          
## [2935] "stuck"            "studied"          "stuff"           
## [2938] "stuffd"           "subject"          "subornd"         
## [2941] "substances"       "subtle"           "succeed"         
## [2944] "succeeding"       "success"          "suck"            
## [2947] "sudden"           "suffer"           "suffering"       
## [2950] "suggestion"       "suits"            "summer"          
## [2953] "summers"          "summerseeming"    "summons"         
## [2956] "sun"              "sundry"           "supernatural"    
## [2959] "suppd"            "supper"           "supplied"        
## [2962] "supplies"         "surcease"         "sure"            
## [2965] "surfeited"        "surgeons"         "surgery"         
## [2968] "surmise"          "surprise"         "surprised"       
## [2971] "surveying"        "suspicion"        "swallow"         
## [2974] "swarm"            "sway"             "swear"           
## [2977] "swearers"         "swears"           "sweat"           
## [2980] "sweaten"          "sweep"            "sweet"           
## [2983] "sweeten"          "sweeter"          "sweetly"         
## [2986] "swelling"         "swells"           "swelterd"        
## [2989] "sweno"            "swift"            "swiftest"        
## [2992] "swimmers"         "swine"            "swinish"         
## [2995] "swoln"            "swoop"            "sword"           
## [2998] "swords"           "sworn"            "syllable"        
## [3001] "table"            "tables"           "tail"            
## [3004] "tailor"           "taint"            "taints"          
## [3007] "take"             "takes"            "taket"           
## [3010] "takingoff"        "tale"             "talk"            
## [3013] "talkst"           "taper"            "tarquins"        
## [3016] "tarrying"         "tartars"          "taste"           
## [3019] "taught"           "tax"              "teach"           
## [3022] "tear"             "tears"            "tedious"         
## [3025] "teems"            "teeth"            "tel"             
## [3028] "tell"             "tells"            "temper"          
## [3031] "temperance"       "temperate"        "tempesttossd"    
## [3034] "temple"           "templehaunting"   "ten"             
## [3037] "tend"             "tender"           "tending"         
## [3040] "terms"            "terrible"         "text"            
## [3043] "texts"            "thane"            "thanes"          
## [3046] "thank"            "thanks"           "thats"           
## [3049] "thee"             "theft"            "themei"          
## [3052] "thence"           "thereby"          "therefore"       
## [3055] "therein"          "theres"           "thereto"         
## [3058] "therewithal"      "thick"            "thickcoming"     
## [3061] "thickens"         "thief"            "thine"           
## [3064] "thing"            "things"           "think"           
## [3067] "thinkst"          "third"            "thirst"          
## [3070] "thirtyone"        "thither"          "thou"            
## [3073] "thoudst"          "though"           "thought"         
## [3076] "thoughts"         "thouldst"         "thoult"          
## [3079] "thourt"           "thousand"         "thousands"       
## [3082] "thralls"          "threat"           "threaten"        
## [3085] "three"            "threescore"       "thrice"          
## [3088] "thriftless"       "throat"           "throbs"          
## [3091] "throne"           "throw"            "thrusts"         
## [3094] "thumb"            "thumbs"           "thunder"         
## [3097] "thunders"         "thus"             "thy"             
## [3100] "thyself"          "tial"             "tidings"         
## [3103] "tie"              "tied"             "tiger"           
## [3106] "tigers"           "til"              "tilde"           
## [3109] "till"             "time"             "timely"          
## [3112] "times"            "tis"              "title"           
## [3115] "titles"           "toad"             "today"           
## [3118] "toe"              "together"         "toil"            
## [3121] "told"             "tomorrow"         "tongue"          
## [3124] "tongues"          "tonight"          "took"            
## [3127] "tooth"            "top"              "topfull"         
## [3130] "topple"           "torch"            "torches"         
## [3133] "torture"          "tot"              "touch"           
## [3136] "touchd"           "toward"           "towards"         
## [3139] "towering"         "toys"             "trace"           
## [3142] "trade"            "trademark"        "traffic"         
## [3145] "tragedy"          "trains"           "traitor"         
## [3148] "traitors"         "trammel"          "transcription"   
## [3151] "transport"        "transported"      "transpose"       
## [3154] "traveler"         "traveling"        "treacherous"     
## [3157] "treachery"        "tread"            "treason"         
## [3160] "treasonous"       "treasons"         "treasure"        
## [3163] "treatise"         "treble"           "tree"            
## [3166] "trees"            "tremble"          "trembling"       
## [3169] "trenched"         "trifle"           "trifled"         
## [3172] "trifles"          "trillion"         "troops"          
## [3175] "trouble"          "troubled"         "troubles"        
## [3178] "true"             "truest"           "truly"           
## [3181] "trumpet"          "trumpets"         "trumpettongued"  
## [3184] "trust"            "trusted"          "truth"           
## [3187] "truths"           "try"              "tuesday"         
## [3190] "tuggd"            "tumble"           "tune"            
## [3193] "turk"             "turn"             "turnd"           
## [3196] "turning"          "turns"            "twain"           
## [3199] "twas"             "twelve"           "twenty"          
## [3202] "twere"            "twice"            "twixt"           
## [3205] "two"              "twofold"          "twould"          
## [3208] "txt"              "tyranny"          "tyrant"          
## [3211] "tyrants"          "ulcerous"         "unaccompanied"   
## [3214] "unattended"       "unbatterd"        "unbecoming"      
## [3217] "unbend"           "uncle"            "undaunted"       
## [3220] "undeeded"         "underline"        "understand"      
## [3223] "understood"       "underwrit"        "undivulged"      
## [3226] "undone"           "unfelt"           "unfix"           
## [3229] "unfold"           "unfortunate"      "unguarded"       
## [3232] "unity"            "universal"        "university"      
## [3235] "unjust"           "unkindness"       "unknown"         
## [3238] "unless"           "unlike"           "unlineal"        
## [3241] "unlock"           "unmake"           "unmannd"         
## [3244] "unmannerly"       "unnatural"        "unprepared"      
## [3247] "unprovokes"       "unreal"           "unrough"         
## [3250] "unruly"           "unsafe"           "unsanctified"    
## [3253] "unseamd"          "unsex"            "unshrinking"     
## [3256] "unspeak"          "unsure"           "untie"           
## [3259] "untimely"         "untitled"         "unto"            
## [3262] "unusual"          "unwelcome"        "unwiped"         
## [3265] "upbraid"          "uplifted"         "upon"            
## [3268] "upont"            "upping"           "uproar"          
## [3271] "upward"           "urine"            "use"             
## [3274] "used"             "users"            "using"           
## [3277] "usually"          "usurpers"         "utterance"       
## [3280] "valiant"          "valor"            "valors"          
## [3283] "value"            "valued"           "vanilla"         
## [3286] "vanish"           "vanishd"          "vanished"        
## [3289] "vanquishd"        "vantage"          "vaporous"        
## [3292] "vault"            "vaulting"         "venom"           
## [3295] "venture"          "verities"         "verity"          
## [3298] "version"          "vessel"           "vessels"         
## [3301] "vice"             "vices"            "victory"         
## [3304] "viewing"          "vii"              "viii"            
## [3307] "vile"             "villain"          "villainies"      
## [3310] "violent"          "virtue"           "virtues"         
## [3313] "virtuous"         "virus"            "vision"          
## [3316] "visit"            "visitings"        "vizards"         
## [3319] "voice"            "voices"           "volume"          
## [3322] "volunteers"       "voluptuousness"   "vouchd"          
## [3325] "vulnerable"       "vulture"          "wade"            
## [3328] "wail"             "wait"             "waiting"         
## [3331] "wake"             "wakes"            "walk"            
## [3334] "walkd"            "walked"           "walking"         
## [3337] "wall"             "walls"            "want"            
## [3340] "wanton"           "wants"            "war"             
## [3343] "warder"           "warders"          "warlike"         
## [3346] "warrant"          "warranted"        "warranties"      
## [3349] "warranty"         "wash"             "washing"         
## [3352] "wassail"          "wast"             "wasteful"        
## [3355] "watch"            "watched"          "watchers"        
## [3358] "watchful"         "watching"         "water"           
## [3361] "waterrugs"        "waves"            "way"             
## [3364] "ways"             "wayward"          "weak"            
## [3367] "weal"             "wealth"           "weapons"         
## [3370] "wear"             "wears"            "weary"           
## [3373] "web"              "weeds"            "week"            
## [3376] "weep"             "weeps"            "weighd"          
## [3379] "weighs"           "weighty"          "weird"           
## [3382] "welcome"          "weld"             "well"            
## [3385] "went"             "weret"            "west"            
## [3388] "western"          "whateer"          "whatever"        
## [3391] "whats"            "whence"           "whereabout"      
## [3394] "whereby"          "wherefore"        "wherein"         
## [3397] "whereon"          "wheres"           "whereto"         
## [3400] "wherever"         "wherewith"        "whether"         
## [3403] "whetstone"        "wheyface"         "whiles"          
## [3406] "whilst"           "whined"           "whisperings"     
## [3409] "whispers"         "white"            "whither"         
## [3412] "whoever"          "whole"            "wholesome"       
## [3415] "whore"            "whos"             "whose"           
## [3418] "wicked"           "widows"           "wife"            
## [3421] "wild"             "will"             "william"         
## [3424] "willing"          "wilt"             "win"             
## [3427] "wind"             "winds"            "wine"            
## [3430] "wing"             "wink"             "winters"         
## [3433] "wiped"            "wisdom"           "wise"            
## [3436] "wisely"           "wish"             "wishest"         
## [3439] "wit"              "witch"            "witchcraft"      
## [3442] "witches"          "witchs"           "withal"          
## [3445] "witherd"          "within"           "without"         
## [3448] "witness"          "witnessd"         "wives"           
## [3451] "woe"              "woeful"           "wolf"            
## [3454] "woman"            "womanly"          "womans"          
## [3457] "womb"             "women"            "won"             
## [3460] "wonder"           "wonders"          "wood"            
## [3463] "wooingly"         "wool"             "word"            
## [3466] "words"            "work"             "works"           
## [3469] "world"            "worlds"           "worm"            
## [3472] "worms"            "worn"             "worse"           
## [3475] "worst"            "worth"            "worthiest"       
## [3478] "worthy"           "wouldst"          "wound"           
## [3481] "wounds"           "wrack"            "wrath"           
## [3484] "wrathful"         "wreck"            "wreckd"          
## [3487] "wren"             "wrenchd"          "wretched"        
## [3490] "write"            "writes"           "written"         
## [3493] "wrongly"          "wrongs"           "wrought"         
## [3496] "xxxxxxxxx"        "yawning"          "year"            
## [3499] "yelld"            "yellow"           "yes"             
## [3502] "yesterday"        "yesterdays"       "yesty"           
## [3505] "yet"              "yew"              "yield"           
## [3508] "yoke"             "yould"            "youll"           
## [3511] "young"            "younger"          "youth"           
## [3514] "youths"           "zip"
DTM %>% as.matrix() %>%
  apply(MARGIN = 2, sum) %>%
  sort(decreasing = TRUE) %>%
  head(9)
##   macbeth   macduff     scene     enter      lady    exeunt    banquo 
## 270.44988 153.76644 152.63294 121.37315 116.31969 114.55579 102.37784 
##     shall      thou 
##  93.89130  93.55111