import nltk
from nltk.corpus import gutenberg
gutenberg.fileids()
['austen-emma.txt', 'austen-persuasion.txt', 'austen-sense.txt', 'bible-kjv.txt', 'blake-poems.txt', 'bryant-stories.txt', 'burgess-busterbrown.txt', 'carroll-alice.txt', 'chesterton-ball.txt', 'chesterton-brown.txt', 'chesterton-thursday.txt', 'edgeworth-parents.txt', 'melville-moby_dick.txt', 'milton-paradise.txt', 'shakespeare-caesar.txt', 'shakespeare-hamlet.txt', 'shakespeare-macbeth.txt', 'whitman-leaves.txt']
Note: you can use gutenberg.sents
to access individual sentences.
Let's select some authors and get some of their works into the training set. Some of the largest number of works in this collection are for Jane Austen and William Shakespeare, so for the rest of the chapter let's stick with those:
author1_train = gutenberg.sents('austen-emma.txt') + gutenberg.sents('austen-persuasion.txt')
print (author1_train)
print (len(author1_train))
[['[', 'Emma', 'by', 'Jane', 'Austen', '1816', ']'], ['VOLUME', 'I'], ...] 11499
author1_test = gutenberg.sents('austen-sense.txt')
print (author1_test)
print (len(author1_test))
[['[', 'Sense', 'and', 'Sensibility', 'by', 'Jane', 'Austen', '1811', ']'], ['CHAPTER', '1'], ...] 4999
author2_train = gutenberg.sents('shakespeare-caesar.txt') + gutenberg.sents(
'shakespeare-hamlet.txt')
print (author2_train)
print (len(author2_train))
[['[', 'The', 'Tragedie', 'of', 'Julius', 'Caesar', 'by', 'William', 'Shakespeare', '1599', ']'], ['Actus', 'Primus', '.'], ...] 5269
author2_test = gutenberg.sents('shakespeare-macbeth.txt')
print (author2_test)
print (len(author2_test))
[['[', 'The', 'Tragedie', 'of', 'Macbeth', 'by', 'William', 'Shakespeare', '1603', ']'], ['Actus', 'Primus', '.'], ...] 1907
Finally, let's check if the two authors produce markedly different texts: estimate the average number of characters per word, number of words per sentence, and diversity of author's vocabulary – average number of times each word occurs in a text by the author:
def statistics(gutenberg_data):
for work in gutenberg_data:
num_chars = len(gutenberg.raw(work))
num_words = len(gutenberg.words(work))
num_sents = len(gutenberg.sents(work))
num_vocab = len(set(w.lower() for w in gutenberg.words(work)))
print(round(num_chars/num_words), # average word length in characters
round(num_words/num_sents), # average sentence length in words
round(num_words/num_vocab), # average number of times each word occurs uniquely
work)
gutenberg_data = ['austen-emma.txt', 'austen-persuasion.txt', 'austen-sense.txt',
'shakespeare-caesar.txt', 'shakespeare-hamlet.txt', 'shakespeare-macbeth.txt']
statistics(gutenberg_data)
5 25 26 austen-emma.txt 5 26 17 austen-persuasion.txt 5 28 22 austen-sense.txt 4 12 9 shakespeare-caesar.txt 4 12 8 shakespeare-hamlet.txt 4 12 7 shakespeare-macbeth.txt
To fairly test generalization behavior, let's set additional test data from within the same set of works as we are training the algorithm on. By comparing the algorithm's performance on the set of sentences coming from the same literary works to its performances on a different set of works, you will be able to tell how well the algorithm generalizes above the words it has seen in the training data.
First, put the sentences with the author labels together:
all_sents = [(sent, "austen") for sent in author1_train]
all_sents += [(sent, "shakespeare") for sent in author2_train]
print (f"Dataset size = {str(len(all_sents))} sentences")
Dataset size = 16768 sentences
Next, shuffle the data and split it keeping the proportion of the author-speficic data consistent across the training and the same-data testing set. Let's call the test set coming from the same data pre-test
:
import random
import sklearn
from sklearn.model_selection import StratifiedShuffleSplit
values = [author for (sent, author) in all_sents]
split = StratifiedShuffleSplit(n_splits=1, test_size=0.2, random_state=42)
strat_train_set = []
strat_pretest_set = []
for train_index, pretest_index in split.split(all_sents, values):
strat_train_set = [all_sents[index] for index in train_index]
strat_pretest_set = [all_sents[index] for index in pretest_index]
Let's check that the proportions are kept the same across the two data portions:
def cat_proportions(data, cat):
count = 0
for item in data:
if item[1]==cat:
count += 1
return float(count) / float(len(data))
categories = ["austen", "shakespeare"]
rows = []
rows.append(["Category", "Overall", "Stratified train", "Stratified pretest"])
for cat in categories:
rows.append([cat, f"{cat_proportions(all_sents, cat):.6f}",
f"{cat_proportions(strat_train_set, cat):.6f}",
f"{cat_proportions(strat_pretest_set, cat):.6f}"])
columns = zip(*rows)
column_widths = [max(len(item) for item in col) for col in columns]
for row in rows:
print(''.join(' {:{width}} '.format(row[i], width=column_widths[i])
for i in range(0, len(row))))
Category Overall Stratified train Stratified pretest austen 0.685771 0.685776 0.685748 shakespeare 0.314229 0.314224 0.314252
Now also initialize the test set in the same way, by adding author labels to the sentences:
test_set = [(sent, "austen") for sent in author1_test]
test_set += [(sent, "shakespeare") for sent in author2_test]
rows = []
rows.append(["Category", "Overall", "Stratified train", "Stratified pretest", "Test"])
for cat in categories:
rows.append([cat, f"{cat_proportions(all_sents, cat):.6f}",
f"{cat_proportions(strat_train_set, cat):.6f}",
f"{cat_proportions(strat_pretest_set, cat):.6f}",
f"{cat_proportions(test_set, cat):.6f}"])
columns = zip(*rows)
column_widths = [max(len(item) for item in col) for col in columns]
for row in rows:
print(''.join(' {:{width}} '.format(row[i], width=column_widths[i])
for i in range(0, len(row))))
Category Overall Stratified train Stratified pretest Test austen 0.685771 0.685776 0.685748 0.723863 shakespeare 0.314229 0.314224 0.314252 0.276137
Naive Bayes model from Chapter 2 with words as features can be used as a reasonable approach to set up the benchmark result. Let's first extract the word features:
def get_features(text):
features = {}
word_list = [word for word in text]
for word in word_list:
features[word] = True
return features
train_features = [(get_features(sents), label) for (sents, label) in strat_train_set]
pretest_features = [(get_features(sents), label) for (sents, label) in strat_pretest_set]
print(len(train_features))
print(train_features[0][0])
print(train_features[100][0])
13414 {'Pol': True, '.': True} {'And': True, 'as': True, 'to': True, 'my': True, 'father': True, ',': True, 'I': True, 'really': True, 'should': True, 'not': True, 'have': True, 'thought': True, 'that': True, 'he': True, 'who': True, 'has': True, 'kept': True, 'himself': True, 'single': True, 'so': True, 'long': True, 'for': True, 'our': True, 'sakes': True, 'need': True, 'be': True, 'suspected': True, 'now': True, '.': True}
Now train NLTK's Naive Bayes classifier on the training data and test it on the pretest data:
from nltk import NaiveBayesClassifier, classify
print (f"Training set size = {str(len(train_features))} sentences")
print (f"Pretest set size = {str(len(pretest_features))} sentences")
# train the classifier
classifier = NaiveBayesClassifier.train(train_features)
print (f"Accuracy on the training set = {str(classify.accuracy(classifier, train_features))}")
print (f"Accuracy on the pretest set = {str(classify.accuracy(classifier, pretest_features))}")
# check which words are most informative for the classifier
classifier.show_most_informative_features(50)
Training set size = 13414 sentences Pretest set size = 3354 sentences Accuracy on the training set = 0.9786789920978083 Accuracy on the pretest set = 0.9636255217650567 Most Informative Features been = True austen : shakes = 257.7 : 1.0 King = True shakes : austen = 197.1 : 1.0 thou = True shakes : austen = 191.3 : 1.0 Lord = True shakes : austen = 61.2 : 1.0 doth = True shakes : austen = 60.4 : 1.0 d = True shakes : austen = 58.9 : 1.0 quite = True austen : shakes = 55.6 : 1.0 Tis = True shakes : austen = 51.6 : 1.0 She = True austen : shakes = 43.2 : 1.0 think = True austen : shakes = 39.9 : 1.0 back = True austen : shakes = 34.4 : 1.0 has = True austen : shakes = 34.2 : 1.0 father = True austen : shakes = 32.3 : 1.0 coming = True austen : shakes = 29.5 : 1.0 moment = True austen : shakes = 29.1 : 1.0 looking = True austen : shakes = 28.6 : 1.0 l = True shakes : austen = 28.4 : 1.0 mind = True austen : shakes = 28.3 : 1.0 far = True austen : shakes = 26.1 : 1.0 years = True austen : shakes = 25.8 : 1.0 known = True austen : shakes = 25.5 : 1.0 mother = True austen : shakes = 25.5 : 1.0 Nor = True shakes : austen = 25.5 : 1.0 carriage = True austen : shakes = 24.9 : 1.0 hardly = True austen : shakes = 24.9 : 1.0 party = True austen : shakes = 24.5 : 1.0 ere = True shakes : austen = 24.0 : 1.0 few = True austen : shakes = 23.7 : 1.0 account = True austen : shakes = 23.7 : 1.0 poor = True austen : shakes = 23.0 : 1.0 feeling = True austen : shakes = 22.8 : 1.0 she = True austen : shakes = 22.7 : 1.0 among = True austen : shakes = 22.1 : 1.0 brother = True austen : shakes = 21.8 : 1.0 assure = True austen : shakes = 21.2 : 1.0 Brother = True shakes : austen = 21.1 : 1.0 seen = True austen : shakes = 20.6 : 1.0 afterwards = True austen : shakes = 19.7 : 1.0 manners = True austen : shakes = 19.7 : 1.0 Mark = True shakes : austen = 19.6 : 1.0 whether = True austen : shakes = 19.1 : 1.0 care = True austen : shakes = 18.5 : 1.0 mean = True austen : shakes = 18.5 : 1.0 3 = True shakes : austen = 18.2 : 1.0 4 = True shakes : austen = 18.2 : 1.0 Letters = True shakes : austen = 18.2 : 1.0 beginning = True austen : shakes = 17.6 : 1.0 husband = True austen : shakes = 17.6 : 1.0 company = True austen : shakes = 17.3 : 1.0 imagine = True austen : shakes = 17.3 : 1.0
Compare this performance to the performance on the new test set:
test_features = [(get_features(sents), label) for (sents, label) in test_set]
print (f"Test set size = {str(len(test_features))} sentences")
print (f"Accuracy on the test set = {str(classify.accuracy(classifier, test_features))}")
Test set size = 6906 sentences Accuracy on the test set = 0.895742832319722
Let's visualize the accuracy across the three datasets with bar charts using matplotlib
. This will help you better understand the differences in accuracy scores.
%matplotlib inline
import matplotlib.pyplot as plt
a = ["Train", "Pretest", "Test"]
index = range(len(a))
b = [97.87, 96.36, 89.57] # Accuracy scores for the datasets
fig, ax = plt.subplots()
axes = plt.gca()
# Let's set 68 as the lower bound as the majority class baseline is at 68.58 for the original set
axes.set_ylim([68,100])
ax.bar(index, b, color=['#0A40A4', '#61A4F6', '#DB025B'])
plt.xticks(index, a)
plt.show()
import matplotlib
matplotlib.axes.Axes.plot
matplotlib.pyplot.plot
matplotlib.axes.Axes.legend
matplotlib.pyplot.legend
<function matplotlib.pyplot.legend(*args, **kwargs)>
Let's apply a different classifier – DecisionTreeClassifier
– to this task. This classifier will struggle with this high number of features (over 13K words), so let's try to narrow the number of features down. A useful heuristics is to take into account the words that are neither too frequent (e.g., occur in all or most texts) nor too rare (because they will make for very sparse and therefore not very useful features). Let's first estimate how often each word occurs across all texts, i.e. estimate their document frequencies:
from collections import Counter
words = []
def extract_words(text, words):
words += set([word for word in text])
return words
for (sents, label) in strat_train_set:
words = extract_words(sents, words)
#print(len(set(words))) # =13553
counts = Counter(words)
print(len(set(counts))) # =13553
print(counts)
13553 Counter({'.': 9108, ',': 7126, 'to': 4382, 'the': 4119, 'and': 3996, 'of': 3823, 'a': 3078, 'I': 2967, 'in': 2473, 'not': 2450, ';': 2411, 'was': 2317, 'it': 2269, 'be': 2149, 'that': 1949, '"': 1932, 'you': 1884, 'her': 1877, "'": 1702, 'had': 1595, 'for': 1582, 'she': 1542, 'with': 1489, 'is': 1480, 'but': 1439, 'as': 1381, 'he': 1372, 'have': 1316, 'his': 1241, '."': 1238, 'at': 1178, 'very': 1150, 'all': 1106, 's': 1097, 'him': 1071, 'so': 1028, 'Mr': 1009, 'my': 990, 'could': 957, 'on': 904, 'would': 886, '--': 863, 'me': 856, '?': 856, ':': 853, 'been': 844, 'by': 800, 'were': 791, 'no': 785, 'this': 742, 'which': 725, 'Mrs': 716, 'She': 713, 'do': 709, 'will': 706, '-': 700, '!': 687, 'from': 677, 'must': 672, 'any': 666, 'Emma': 657, 'more': 616, 'The': 613, 'or': 610, 'them': 607, 'He': 598, 'what': 590, 'an': 590, 'are': 586, 'they': 577, 'And': 563, 'much': 561, 'there': 551, 'your': 535, 'It': 531, 'said': 530, 'one': 517, 'than': 514, ',"': 513, 'Miss': 506, 'such': 506, 'am': 493, 'good': 484, 'should': 481, 'know': 470, 'did': 470, 'if': 467, 'But': 451, 'when': 442, 'well': 441, 'being': 435, 'their': 427, 'only': 423, 'now': 422, 'little': 416, '.--': 403, 'might': 397, 'You': 396, 'think': 395, 'Anne': 382, 'thing': 380, 'we': 379, 'who': 370, 'say': 368, 'never': 367, 'every': 363, 'time': 362, 'Harriet': 359, 'shall': 352, 'most': 352, 'man': 345, 'herself': 344, 'some': 341, 'too': 336, 'great': 331, 'can': 331, 'own': 328, 'Weston': 324, 'see': 319, 'Knightley': 312, 'nothing': 310, 'other': 309, 'quite': 305, 'before': 303, 'like': 300, 'may': 294, 'd': 293, 'out': 293, 'how': 291, 'Elton': 290, 'then': 288, 'about': 281, 'again': 279, 'first': 279, 'come': 272, 'soon': 269, 'Ham': 267, 'always': 265, 'made': 265, 'has': 264, 'thought': 262, '?"': 257, 'Oh': 255, 'father': 249, 'What': 248, 'without': 244, 'day': 241, 'They': 238, 'though': 237, 'two': 234, 'make': 233, 'Woodhouse': 232, 'into': 230, 'sure': 228, '!--': 226, 'Jane': 225, 'go': 225, 'A': 224, 'Captain': 220, 'That': 220, 'young': 218, 'Lord': 217, 'better': 215, 'Elliot': 212, 'ever': 211, 'up': 211, 'friend': 211, 'done': 211, 'away': 209, 'haue': 208, 'dear': 208, 'indeed': 206, 'our': 205, 'long': 201, 'There': 199, 'To': 198, 'If': 198, 'way': 196, 'No': 195, 'last': 194, 'just': 192, 'give': 192, '(': 192, 'Fairfax': 186, 'himself': 186, 'My': 186, 'This': 186, 'many': 185, 'having': 184, 'seemed': 184, 'after': 183, 'home': 180, 'over': 180, '!"': 175, 'rather': 174, 'yet': 174, 'body': 173, 'Wentworth': 170, 'take': 166, 'How': 166, 'enough': 165, 'wish': 164, 'Churchill': 164, 'cannot': 162, 'hope': 161, 'Lady': 160, 'moment': 160, 'off': 160, 'Sir': 159, 'heard': 158, 'felt': 157, 'mind': 156, 'really': 156, 'happy': 154, 'upon': 154, 'while': 154, 'Frank': 154, 'same': 151, 'going': 151, 'another': 151, 'woman': 151, 'here': 150, 'still': 149, 'even': 149, 'found': 148, 'however': 147, 'came': 147, 'us': 145, 'look': 145, 'room': 145, 'We': 144, 'once': 144, 'house': 144, 'let': 143, 'does': 142, 'tell': 142, 'morning': 141, 'In': 141, 'feelings': 139, 'those': 139, 'King': 136, 'party': 135, 'life': 135, 'knew': 134, 'its': 134, 'half': 134, 'place': 133, 'saw': 133, 'thou': 132, 'Hartfield': 131, 'few': 131, 'till': 131, '?--': 131, 'For': 130, 'something': 130, 'poor': 127, 'present': 126, 'As': 126, 'word': 126, 'Caesar': 124, 'sort': 123, 'where': 123, 'old': 123, 'Charles': 122, 'right': 121, 'almost': 121, 'Brutus': 121, 'both': 121, 'believe': 120, 'Smith': 120, 'Bru': 119, 'Russell': 119, 'best': 119, 'these': 118, 'part': 118, 'certainly': 118, 'evening': 117, 'Bates': 117, 'pleasure': 116, 'So': 116, 'world': 116, 'gone': 116, 'family': 115, 'love': 115, 'heart': 115, 'ought': 115, 'people': 115, 'seen': 114, 'Enter': 114, 'feel': 114, ')': 113, 'back': 113, 'When': 112, 'Her': 112, 'idea': 111, 'speak': 111, 'doubt': 108, 'together': 108, 'acquaintance': 108, 'deal': 107, 'looked': 107, 'Walter': 106, 'perhaps': 106, ';--': 106, 'whole': 106, 'cried': 105, 'myself': 105, 'else': 105, 'Highbury': 104, 'left': 104, 'possible': 104, 'least': 103, 'hear': 103, 'Well': 103, 'men': 102, 'put': 102, 'between': 102, 'set': 101, 'hour': 100, 'subject': 100, 'Yes': 100, 'down': 100, 'manner': 100, 'Mary': 99, 'often': 99, 'Musgrove': 99, 'friends': 98, 'answer': 97, 'visit': 97, 'coming': 97, 'hand': 97, 'get': 96, 'true': 96, 'name': 95, 'Why': 95, 'nor': 95, 'sister': 95, 'night': 95, 'looking': 94, 'others': 94, 'letter': 94, 'eyes': 94, 'short': 93, 'Bath': 92, 'vs': 92, 'want': 92, 'side': 91, 'ill': 91, 'Louisa': 91, 'three': 90, 'told': 90, 'since': 90, 'wife': 90, 'selfe': 88, 't': 87, 'His': 87, 'spirits': 87, 'suppose': 86, 'perfectly': 86, 'far': 86, 'Do': 86, 'opinion': 85, 'change': 85, 'Let': 85, 'years': 85, 'things': 84, 'O': 84, 'known': 84, 'general': 84, 'mother': 84, 'whom': 84, '`': 84, 'therefore': 83, 'under': 83, 'given': 83, 'against': 83, 'happiness': 83, 'lady': 82, 'able': 82, 'replied': 82, 'carriage': 82, 'next': 82, 'obliged': 82, 'hardly': 82, 'immediately': 81, 'wanted': 81, 'Cassi': 80, 'walk': 80, 'find': 80, 'thee': 80, 'talked': 79, 'daughter': 79, 'head': 79, 'bad': 79, 'passed': 79, 'towards': 79, 'mine': 78, '--"': 78, 'Hor': 78, 'thinking': 78, 'account': 78, 'John': 77, 'ready': 77, 'words': 77, 'point': 77, 'state': 77, 'thy': 76, 'glad': 76, 'understand': 76, 'brought': 76, 'each': 76, 'Elizabeth': 76, 'person': 76, 'either': 75, 'course': 75, 'talk': 75, 'feeling': 75, 'interest': 75, 'kind': 74, 'among': 73, 'began': 73, 'comfort': 73, 'near': 73, 'through': 73, 'end': 73, 'taken': 72, 'brother': 72, 'Now': 71, 'Hamlet': 71, 'children': 71, 'longer': 71, 'rest': 71, 'situation': 70, 'With': 70, 'leave': 70, 'stay': 70, 'assure': 70, 'less': 70, 'matter': 70, 'marry': 70, 'full': 69, 'attention': 69, 'walked': 69, 'satisfied': 69, 'Then': 69, 'agreeable': 69, 'pretty': 68, 'Cassius': 68, 'making': 68, 'went': 67, 'Randalls': 67, 'call': 66, 'Perry': 66, 'seeing': 66, 'cold': 66, 'character': 66, 'equal': 66, 'gave': 65, 'afterwards': 65, 'themselves': 65, 'beyond': 65, 'manners': 65, 'extremely': 64, 'sir': 64, 'return': 64, 'because': 64, 'Martin': 64, 'whether': 63, 'afraid': 63, 'whose': 63, 'morrow': 63, 'within': 62, 'attachment': 62, 'fine': 62, 'business': 62, 'care': 61, 'sorry': 61, 'married': 61, 'mean': 61, 'wonder': 60, 'question': 60, 'spoke': 60, 'wished': 60, 'minutes': 59, 'saying': 59, 'Antony': 59, 'read': 59, 'dare': 59, 'heere': 59, 'death': 59, 'vpon': 59, 'talking': 59, 'husband': 58, 'hath': 58, 'speake': 58, 'nobody': 58, 'conversation': 58, 'door': 58, 'days': 58, 'Ile': 58, 'nature': 58, 'natural': 58, 'Kellynch': 58, 'face': 58, 'beginning': 58, 'called': 57, 'strong': 57, 'Such': 57, 'imagine': 57, 'degree': 57, 'Henrietta': 57, 'company': 57, 'usual': 57, 'loue': 57, 'dinner': 56, 'speaking': 56, 'doing': 56, 'power': 56, 'ladies': 56, 'use': 56, 'used': 56, 'Benwick': 56, 'sense': 56, 'particularly': 56, 'likely': 56, 'child': 56, 'eye': 56, 'appeared': 56, 'Not': 56, 'Uppercross': 55, 'regard': 55, 'remember': 55, 'comes': 55, 'walking': 55, 'received': 55, 'exactly': 55, 'thoughts': 55, 'meet': 55, 'Is': 55, 'object': 55, 'Your': 55, 'met': 55, 'pleased': 55, 'superior': 55, 'voice': 54, 'new': 54, 'consequence': 54, 'Where': 54, 'Come': 54, 'means': 54, 'Harville': 54, 'determined': 54, 'directly': 53, 'vp': 53, 'early': 53, 'bring': 53, 'farther': 53, 'Isabella': 52, 'reason': 52, 'shew': 52, 'taste': 52, 'bear': 52, 'help': 51, 'sit': 51, 'proper': 51, 'different': 51, 'took': 51, 'Very': 51, 'already': 51, 'Of': 51, 'returned': 51, 'yourself': 51, 'sight': 51, 'thus': 51, 'Will': 51, 'open': 51, 'need': 50, 'neither': 50, 'hoped': 50, 'common': 50, 'Good': 50, 'respect': 50, 'Qu': 50, 'wrong': 50, 'Lyme': 50, 'asked': 49, 'giving': 49, 'forward': 49, 'meant': 49, 'th': 49, 'got': 49, 'Goddard': 49, 'At': 49, 'worse': 49, 'real': 49, 'added': 49, 'aunt': 49, 'case': 49, 'CHAPTER': 49, 'worth': 48, 'air': 48, 'none': 48, 'Who': 48, 'st': 48, 'gentleman': 48, 'excellent': 48, 'Admiral': 48, 'particular': 48, 'hands': 48, 'fortune': 48, 'why': 48, 'stand': 48, 'Colonel': 47, 'please': 47, 'society': 47, 'allowed': 47, 'Ah': 47, 'health': 47, 'Croft': 47, 'seem': 47, 'believed': 47, 'appear': 47, 'high': 47, 'son': 46, 'alone': 46, 'second': 46, 'continued': 46, 'sent': 46, 'allow': 46, 'acquainted': 46, 'round': 46, 'settled': 46, 'truth': 46, 'giue': 46, 'affection': 45, 'times': 45, 'One': 45, 'sensible': 45, 'expected': 45, 'Ophe': 45, 'turn': 45, 'thinke': 45, 'sitting': 45, 'All': 44, 'taking': 44, 'twenty': 44, 'year': 44, 'marriage': 44, 'Cole': 44, 'kindness': 44, 'girl': 44, 'necessary': 44, 'meeting': 44, 'supposed': 44, 'handsome': 43, 'Noble': 43, 'circumstance': 43, 'appearance': 43, 'notice': 43, 'knowledge': 43, 'hearing': 43, 'engaged': 43, 'country': 43, 'heare': 43, 'follow': 43, 'doe': 43, 'send': 42, 'Ant': 42, 'smile': 42, 'doth': 42, 'letters': 42, 'spoken': 42, 'creature': 42, 'impossible': 42, 'consider': 42, 'dead': 42, 'probably': 42, 'Laer': 42, 'turned': 42, 'entirely': 42, 'large': 42, 'anything': 42, 'Clay': 42, 'play': 41, 'late': 41, 'past': 41, 'By': 41, 'danger': 41, 'weather': 41, 'fond': 41, 'sometimes': 41, 'five': 40, 'anxious': 40, 'drawing': 40, 'begin': 40, 'meaning': 40, 'four': 40, 'lived': 40, 'engagement': 40, 'pleasant': 40, 'keep': 40, 'Which': 40, 'temper': 40, 'advantage': 40, 'match': 40, 'Pol': 39, 'Campbell': 39, 'downe': 39, 'tis': 39, 'hours': 39, 'circumstances': 39, 'warm': 39, 'London': 39, 'ask': 39, 'perfect': 39, 'curiosity': 39, 'yesterday': 39, 'sweet': 39, 'honour': 39, 'Every': 39, 'decided': 38, 'week': 38, 'comfortable': 38, 'purpose': 38, 'evil': 38, 'lost': 38, 'small': 38, 'pain': 38, 'spirit': 38, 'againe': 38, 'Donwell': 38, 'style': 37, 'difference': 37, 'hold': 37, 'persuaded': 37, 'cause': 37, 'speech': 37, 'God': 37, 'yes': 37, 'ago': 37, 'conduct': 37, 'delighted': 37, 'considered': 37, 'understanding': 37, 'Father': 37, 'sat': 37, 'easy': 36, 'kept': 36, 'followed': 36, 'friendship': 36, 'looks': 36, 'Dixon': 36, 'completely': 36, 'view': 36, 'loved': 36, 'Taylor': 36, 'self': 36, 'Tis': 36, 'understood': 36, 'delightful': 36, 'amiable': 35, 'caught': 35, 'praise': 35, 'tone': 35, 'generally': 35, 'news': 35, 'Rosin': 35, 'smiling': 35, 'Haue': 35, ",'": 35, 'Indeed': 35, 'plan': 35, 'regret': 34, 'women': 34, 'o': 34, 'silence': 34, 'Exeunt': 34, 'feare': 34, 'table': 34, 'fire': 34, 'favour': 34, 'youth': 34, 'quiet': 34, 'knowing': 34, 'ashamed': 34, 'forget': 34, 'former': 34, 'answered': 34, 'mentioned': 34, 'struck': 34, 'satisfaction': 34, 'l': 34, 'highly': 34, 'obliging': 34, 'Did': 34, 'These': 33, 'Queene': 33, 'ten': 33, 'makes': 33, 'fair': 33, 'Heauen': 33, 'After': 33, 'occasion': 33, 'leaue': 33, 'Mother': 33, 'beauty': 33, 'turning': 33, 'Nay': 33, 'owne': 33, 'serious': 33, 'fact': 33, 'fancy': 33, 'aware': 33, 'months': 33, 'Here': 33, 'convinced': 32, 'behind': 32, ',--': 32, 'resolution': 32, 'especially': 32, 'welcome': 32, 'wanting': 32, 'disposed': 32, ',)': 32, 'living': 32, 'dancing': 32, 'Polon': 32, 'duty': 32, ".'": 32, 'everything': 32, 'knows': 32, 'greater': 32, 'agreed': 32, 'happened': 31, 'Horatio': 31, 'Poor': 31, 'Caes': 31, 'smallest': 31, 'gratitude': 31, 'observed': 31, 'interesting': 31, 'marrying': 31, 'says': 31, 'influence': 31, 'command': 31, 'secret': 31, 'pity': 31, 'age': 31, 'absolutely': 30, 'cheerful': 30, 'note': 30, 'finding': 30, '&': 30, 'became': 30, 'admiration': 30, 'sad': 30, 'extraordinary': 30, 'gentle': 30, 'blood': 30, 'attentions': 30, 'Had': 30, 'pass': 30, 'hast': 30, 'inclination': 30, 'trying': 30, 'fall': 30, 're': 30, 'pray': 30, 'justice': 30, 'merely': 30, 'Nothing': 29, 'Hayter': 29, 'actually': 29, 'safe': 29, 'Are': 29, 'Friends': 29, 'horses': 29, 'try': 29, 'companion': 29, 'also': 29, 'tried': 29, 'otherwise': 29, 'distress': 29, 'offer': 29, 'listen': 29, 'except': 29, 'clever': 29, 'fit': 29, 'join': 29, 'effect': 29, 'fell': 29, 'low': 29, 'countenance': 29, 'thank': 28, 'papa': 28, 'hee': 28, 'close': 28, 'compliment': 28, 'rooms': 28, 'judge': 28, 'altogether': 28, 'value': 28, 'silent': 28, 'wait': 28, 'calling': 28, 'disposition': 28, 'difficulty': 28, 'seems': 28, 'looke': 28, 'Or': 28, 'wishes': 28, 'spite': 28, 'standing': 28, 'vain': 28, 'suffering': 28, 'due': 28, '),': 28, 'Rome': 28, 'write': 27, 'elegant': 27, 'safely': 27, 'waiting': 27, 'ease': 27, 'Abbey': 27, 'observe': 27, 'useful': 27, 'surprized': 27, 'hint': 27, 'hopes': 27, 'Upon': 27, 'greatest': 27, 'invitation': 27, 'promise': 27, 'recollect': 27, 'chance': 27, 'dangerous': 27, 'Enscombe': 27, 'quick': 27, 'complete': 27, 'Musgroves': 27, 'eager': 27, 'Caesars': 27, 'sake': 27, 'While': 27, 'Their': 27, 'certain': 27, 'period': 27, 'presently': 27, 'Pray': 27, 'town': 27, 'Be': 27, 'Exit': 27, 'strange': 27, 'live': 26, 'proof': 26, 'staying': 26, 'Brut': 26, 'hard': 26, 'Giue': 26, 'Gods': 26, 'pleasing': 26, 'Caska': 26, 'Cask': 26, 'fully': 26, 'summer': 26, 'claims': 26, 'connexion': 26, 'telling': 26, 'entered': 26, 'event': 26, 'liue': 26, 'weeks': 26, 'trouble': 26, 'service': 26, 'fellow': 26, 'peace': 26, 'beare': 26, 'occupied': 26, 'work': 26, 'Dear': 25, 'cousin': 25, 'itself': 25, 'enjoyment': 25, 'attached': 25, 'indifferent': 25, 'mere': 25, 'stood': 25, 'sea': 25, 'listened': 25, 'tired': 25, 'led': 25, 'charming': 25, 'himselfe': 25, 'Wallis': 25, ';"': 25, 'England': 25, 'judgment': 25, 'surprize': 25, 'Laertes': 25, 'mad': 25, '.--"': 25, 'begun': 25, 'On': 25, 'instead': 25, 'distance': 25, 'parties': 25, 'music': 25, 'expect': 25, 'Place': 25, 'worthy': 25, 'Mar': 25, 'forth': 25, 'bed': 25, 'anxiety': 25, 'pay': 25, 'pardon': 25, 'charge': 25, 'written': 25, 'remain': 25, 'lately': 25, 'recommend': 25, 'couple': 24, 'quarter': 24, 'besides': 24, 'ourselves': 24, 'odd': 24, 'beautiful': 24, 'worst': 24, 'lose': 24, 'passing': 24, 'occurred': 24, 'admitted': 24, 'From': 24, 'Thou': 24, 'euery': 24, 'mistaken': 24, 'hers': 24, 'boy': 24, 'Our': 24, 'sisters': 24, 'law': 24, 'growing': 24, 'consciousness': 24, 'An': 24, 'attempt': 24, 'fixed': 24, 'Hall': 24, 'agitation': 24, 'strength': 24, 'forgotten': 24, 'excuse': 24, 'Though': 24, 'information': 24, 'resolved': 24, 'consideration': 24, 'wishing': 24, 'Most': 24, 'yours': 24, 'difficulties': 24, 'rich': 23, 'instantly': 23, 'order': 23, 'form': 23, 'run': 23, 'hurry': 23, 'Yet': 23, 'Ophelia': 23, 'imagined': 23, 'light': 23, 'scarcely': 23, 'remained': 23, 'angry': 23, 'Luc': 23, 'Grove': 23, 'Maple': 23, 'equally': 23, 'spent': 23, 'thousand': 23, 'art': 23, 'thinks': 23, 'pride': 23, 'girls': 23, 'Lucius': 23, 'Cinna': 23, 'minute': 23, 'miles': 23, 'liked': 23, 'sigh': 23, 'Crown': 23, 'gentlemen': 23, 'ground': 23, 'delight': 23, 'Would': 23, 'truly': 23, 'meanes': 23, 'Ghost': 23, 'friendly': 23, 'circle': 23, 'desirable': 23, 'reached': 23, 'getting': 23, 'plain': 22, 'intended': 22, 'guess': 22, 'single': 22, 'window': 22, 'placed': 22, 'comprehend': 22, 'nearly': 22, 'William': 22, 'fortnight': 22, ':--': 22, 'approbation': 22, 'opportunity': 22, 'ball': 22, 'tongue': 22, 'patience': 22, 'around': 22, 'deserve': 22, 'blush': 22, 'important': 22, 'fortunate': 22, 'credit': 22, 'joined': 22, 'Have': 22, 'glance': 22, 'share': 22, 'act': 22, 'confidence': 22, 'Was': 22, 'picture': 22, 'favourite': 22, 'Shepherd': 22, 'rain': 22, 'fault': 22, 'Night': 22, 'moments': 22, 'Robert': 22, 'neuer': 22, 'tea': 21, 'finde': 21, 'Friend': 21, 'spend': 21, 'scheme': 21, 'rational': 21, 'future': 21, 'terms': 21, 'whenever': 21, 'proved': 21, 'history': 21, 'opened': 21, 'Can': 21, 'move': 21, 'Vpon': 21, 'considering': 21, 'cure': 21, 'i': 21, 'cut': 21, 'Play': 21, 'behaviour': 21, 'mention': 21, 'neighbourhood': 21, 'Camden': 21, 'humour': 21, 'Crofts': 21, 'thrown': 21, 'Perhaps': 21, 'severe': 21, 'reply': 21, 'concern': 21, 'spring': 21, 'Some': 21, 'smiled': 21, 'Henry': 21, 'Sonne': 21, 'returning': 21, 'intercourse': 21, 'breakfast': 21, 'become': 21, 'delay': 20, 'happen': 20, 'blessing': 20, 'along': 20, 'Loue': 20, 'memory': 20, 'school': 20, 'Clo': 20, 'matters': 20, 'confusion': 20, 'wrote': 20, 'suspicion': 20, 'busy': 20, 'sick': 20, 'joy': 20, 'intimacy': 20, 'willing': 20, 'seene': 20, 'loss': 20, 'indifference': 20, 'goes': 20, 'hundred': 20, 'Octauius': 20, 'poore': 20, 'seat': 20, 'smiles': 20, 'produced': 20, 'uncle': 20, 'money': 20, 'report': 20, 'shut': 20, 'Titinius': 20, 'touch': 20, 'paid': 20, 'amusement': 20, 'compliments': 20, 'draw': 20, 'Messala': 20, 'escape': 20, 'laugh': 20, 'deere': 20, 'watch': 20, 'Fathers': 20, 'free': 20, 'description': 20, 'Frederick': 19, 'Dalrymple': 19, 'instrument': 19, 'consent': 19, 'neighbours': 19, 'suspect': 19, 'ended': 19, 'Heere': 19, 'number': 19, 'arm': 19, 'However': 19, 'ideas': 19, 'dreadful': 19, 'admired': 19, 'vse': 19, '1': 19, 'reasonable': 19, 'belong': 19, 'totally': 19, 'stopped': 19, 'keepe': 19, 'euer': 19, 'repeated': 19, 'suit': 19, 'depend': 19, 'persons': 19, 'dance': 19, 'easily': 19, 'ma': 19, 'seriously': 19, 'evidently': 19, 'following': 19, 'education': 19, 'surprise': 19, 'fast': 19, 'lay': 19, 'instant': 19, 'borne': 19, 'suffer': 19, 'lines': 19, 'closed': 19, 'reading': 19, 'conviction': 19, 'grace': 19, 'warmly': 19, 'whatever': 19, 'arrived': 19, 'chuse': 19, 'acknowledged': 19, 'disappointed': 19, 'warmth': 19, 'hence': 19, 'promised': 19, 'sooner': 19, 'nice': 19, 'bringing': 19, 'observation': 19, 'month': 19, 'tender': 19, 'differently': 19, 'dine': 19, 'disappointment': 19, 'inferior': 19, 'sudden': 19, 'exclaimed': 18, 'winter': 18, 'euen': 18, 'charade': 18, 'drew': 18, 'Eltons': 18, 'proposed': 18, 'views': 18, 'boys': 18, 'James': 18, 'Nobody': 18, 'faults': 18, 'respectable': 18, 'intimate': 18, 'vanity': 18, 'Cas': 18, 'required': 18, 'grateful': 18, 'Octa': 18, 'formed': 18, 'forced': 18, 'Players': 18, 'property': 18, 'immediate': 18, 'road': 18, 'disagreeable': 18, 'regular': 18, 'prevent': 18, 'burst': 18, 'endure': 18, 'ways': 18, 'laughing': 18, 'Campbells': 18, 'encouragement': 18, 'fresh': 18, 'infinitely': 18, 'sensations': 18, 'caution': 18, 'public': 18, 'attending': 18, 'beg': 18, 'Nor': 18, 'interrupted': 18, 'attend': 18, 'shewed': 18, 'mistake': 17, 'eldest': 17, 'foot': 17, 'anywhere': 17, 'Hill': 17, 'Marke': 17, 'piece': 17, 'receiving': 17, 'deep': 17, 'Thank': 17, 'happily': 17, 'invited': 17, 'prepared': 17, 'Chapter': 17, 'Go': 17, 'bid': 17, 'opinions': 17, 'explanation': 17, 'absence': 17, 'constant': 17, 'exercise': 17, 'chair': 17, 'simple': 17, 'suffered': 17, 'Thy': 17, 'held': 17, 'Shall': 17, 'servants': 17, 'necessity': 17, 'sound': 17, 'blame': 17, 'persuade': 17, 'line': 17, 'stop': 17, 'declare': 17, 'shame': 17, 'opening': 17, 'hot': 17, 'avoid': 17, 'charm': 17, 'refuse': 17, 'rate': 17, 'comparison': 17, 'hearted': 17, 'story': 17, 'merit': 17, 'seven': 17, 'Messa': 17, 'alarm': 17, 'pause': 17, 'amused': 17, 'possibly': 17, 'slight': 17, 'favourable': 17, 'properly': 17, 'clear': 17, 'exceedingly': 17, 'earth': 17, 'selues': 17, 'House': 17, 'Polonius': 17, 'enjoy': 17, 'faire': 17, 'Till': 17, 'reflection': 17, 'gratified': 17, 'feared': 17, 'ere': 17, 'recovered': 17, 'admit': 16, 'agree': 16, 'maid': 16, 'book': 16, 'excepting': 16, 'hints': 16, 'water': 16, 'honest': 16, 'naturally': 16, 'apparent': 16, 'street': 16, 'leisure': 16, 'habit': 16, 'arranged': 16, 'misery': 16, 'likeness': 16, 'office': 16, 'offence': 16, 'drawn': 16, 'thoroughly': 16, 'Spirit': 16, 'shake': 16, 'visits': 16, 'dress': 16, 'conscious': 16, 'assistance': 16, 'Guild': 16, 'Quite': 16, 'stronger': 16, 'higher': 16, 'refused': 16, 'solicitude': 16, 'grounds': 16, 'writing': 16, 'prospect': 16, 'settle': 16, 'Osr': 16, 'decidedly': 16, 'personal': 16, 'cousins': 16, 'motive': 16, 'Looke': 16, 'ye': 16, 'unhappy': 16, 'lively': 16, 'subjects': 16, 'arrival': 16, 'considerable': 16, 'introduced': 16, 'concerned': 16, 'ha': 16, 'elegance': 16, 'Nature': 16, 'objection': 16, 'during': 16, 'leaving': 16, '_her_': 16, 'profession': 15, 'increased': 15, 'eagerly': 15, 'daily': 15, 'evident': 15, 'Roman': 15, 'venture': 15, 'proceeded': 15, 'tolerably': 15, 'Brother': 15, 'desire': 15, 'parted': 15, 'reach': 15, 'nonsense': 15, 'delicacy': 15, 'gallant': 15, 'material': 15, 'claim': 15, 'mouth': 15, 'bee': 15, 'improved': 15, 'assist': 15, 'throw': 15, 'Decius': 15, 'indulgence': 15, 'acknowledge': 15, 'excessively': 15, 'Guildensterne': 15, 'further': 15, 'Denmarke': 15, 'beleeue': 15, 'happier': 15, 'compassion': 15, 'several': 15, 'nephew': 15, 'noise': 15, 'fear': 15, 'remembrance': 15, 'gradually': 15, 'rise': 15, 'importance': 15, 'intelligible': 15, 'dearest': 15, 'eat': 15, 'journey': 15, 'judged': 15, 'Christmas': 15, 'confess': 15, 'wretched': 15, 'features': 15, 'catch': 15, 'Could': 15, 'rank': 15, 'contrary': 15, 'earnestly': 15, 'Euen': 15, 'Capitoll': 15, 'assured': 15, 'post': 15, 'deserved': 15, 'arrangement': 15, 'recollection': 15, 'grow': 15, 'carry': 15, 'intelligence': 15, 'proceed': 15, 'Both': 15, 'Before': 15, 'enter': 15, 'dull': 15, 'eight': 15, 'wedding': 15, 'powers': 15, 'worke': 15, 'communication': 14, 'eagerness': 14, 'Stand': 14, 'astonishment': 14, 'Earth': 14, 'occur': 14, 'express': 14, 'paper': 14, 'unpleasant': 14, 'spot': 14, 'direction': 14, 'employment': 14, 'particulars': 14, 'separate': 14, 'utmost': 14, 'expression': 14, 'above': 14, 'servant': 14, 'induced': 14, 'distant': 14, 'questions': 14, 'wit': 14, 'drive': 14, 'continually': 14, 'six': 14, 'Wee': 14, 'May': 14, 'highest': 14, 'Crowne': 14, 'laughed': 14, 'mortification': 14, 'farre': 14, 'Coles': 14, 'civility': 14, 'Mark': 14, 'Lucillius': 14, 'relief': 14, 'wants': 14, 'putting': 14, 'fashion': 14, 'luck': 14, 'steady': 14, 'grown': 14, 'judging': 14, 'undoubtedly': 14, 'setting': 14, '_she_': 14, 'kindly': 14, 'tempted': 14, 'snow': 14, 'Aye': 14, 'prove': 14, 'conscience': 14, 'appears': 14, 'Sword': 14, 'birth': 14, 'supply': 14, 'impatient': 14, 'possibility': 14, 'dislike': 14, 'families': 14, 'suspense': 14, 'interested': 14, 'absent': 14, 'lovely': 14, 'affections': 14, 'acting': 14, 'earnest': 14, 'meane': 14, 'Cottage': 14, 'soule': 14, 'books': 14, 'houses': 14, 'figure': 14, 'preferred': 14, 'accept': 14, 'entering': 14, 'Ha': 14, 'thirty': 14, 'endeavour': 14, 'doors': 14, 'addition': 13, 'fetch': 13, 'attentive': 13, 'played': 13, 'Street': 13, 'companions': 13, 'autumn': 13, 'wee': 13, 'Box': 13, 'civil': 13, ',"--': 13, 'fancied': 13, ')--': 13, '--(': 13, 'precious': 13, 'receive': 13, '"--': 13, 'Hawkins': 13, 'Vertue': 13, 'pretend': 13, 'grew': 13, 'thorough': 13, '.,': 13, 'dye': 13, 'peculiar': 13, 'step': 13, 'Churchills': 13, 'Weymouth': 13, 'shewn': 13, 'connexions': 13, 'Por': 13, 'sicke': 13, 'somebody': 13, 'Boy': 13, 'Letters': 13, 'nurse': 13, 'goe': 13, 'admire': 13, 'exquisite': 13, 'throat': 13, 'World': 13, 'connected': 13, 'harm': 13, 'Never': 13, 'domestic': 13, 'distinction': 13, 'expectation': 13, 'quitted': 13, 'sayes': 13, 'felicity': 13, 'backe': 13, 'Alas': 13, 'direct': 13, 'painful': 13, 'daughters': 13, 'gallantry': 13, 'dignity': 13, 'steps': 13, 'raise': 13, 'marke': 13, 'sleepe': 13, '3': 13, 'persuasion': 13, 'cared': 13, 'listening': 13, 'Romans': 13, 'Like': 13, 'spare': 13, 'superiority': 13, 'income': 13, 'sufficient': 13, 'united': 13, 'seeming': 13, 'remarkably': 13, 'becoming': 13, 'Great': 13, 'holds': 13, 'habits': 13, 'observing': 13, 'changed': 13, 'expressed': 13, 'astonished': 13, 'dark': 13, 'wonderful': 13, 'forty': 13, 'affected': 13, 'hearts': 13, 'sentiments': 13, 'private': 13, 'illness': 13, '4': 13, 'inn': 13, 'laid': 13, 'sore': 13, 'pianoforte': 13, 'scruple': 13, 'hither': 13, 'notions': 13, 'fancying': 13, 'quietly': 13, 'frightened': 13, 'readily': 13, 'musical': 13, 'impression': 13, 'Ford': 13, 'support': 13, 'breath': 13, 'niece': 13, 'concert': 13, 'twice': 13, 'satisfy': 12, 'takes': 12, 'miserable': 12, 'suspected': 12, 'probable': 12, 'E': 12, 'authority': 12, 'folly': 12, 'Caius': 12, 'soul': 12, 'removal': 12, 'capable': 12, 'Certainly': 12, 'apples': 12, 'human': 12, 'thine': 12, 'lye': 12, 'idle': 12, 'Something': 12, 'convince': 12, 'intention': 12, 'introduction': 12, 'foolish': 12, 'sending': 12, 'break': 12, 'anybody': 12, 'March': 12, 'lives': 12, 'liberty': 12, 'staid': 12, 'minde': 12, 'perceive': 12, 'dining': 12, 'doubtful': 12, 'walke': 12, 'kill': 12, 'keeping': 12, 'interval': 12, 'advantages': 12, 'divided': 12, 'rendered': 12, 'State': 12, 'Kin': 12, 'uneasy': 12, 'certainty': 12, 'thanks': 12, '2': 12, 'employed': 12, 'possession': 12, 'interference': 12, 'Fortinbras': 12, 'mile': 12, 'mee': 12, 'seated': 12, 'Art': 12, 'advice': 12, 'invite': 12, 'lead': 12, 'abroad': 12, 'nerves': 12, 'secure': 12, 'affairs': 12, 'success': 12, 'conclusion': 12, 'sentiment': 12, 'parting': 12, 'principal': 12, 'meete': 12, 'attended': 12, 'nine': 12, 'deny': 12, 'honourable': 12, 'master': 12, 'gives': 12, 'horror': 12, 'melancholy': 12, 'altered': 12, 'grandmama': 12, 'soft': 12, 'navy': 12, 'places': 12, 'visited': 12, 'Madam': 12, 'widow': 12, 'secured': 12, 'everybody': 12, 'dared': 12, 'Reynol': 12, 'More': 12, 'declared': 12, 'points': 12, 'collected': 12, 'tolerable': 12, 'engagements': 12, 'expecting': 12, 'ceased': 12, 'independence': 12, 'add': 12, 'oh': 12, 'Gentlemen': 12, 'beene': 12, 'humble': 12, 'passage': 12, 'ran': 12, 'carriages': 11, 'convey': 11, 'sensation': 11, 'tenderness': 11, 'bye': 11, 'comforts': 11, 'playing': 11, 'neere': 11, 'Heauens': 11, 'perfection': 11, 'quickly': 11, 'disengaged': 11, 'conveyed': 11, 'consequently': 11, 'Only': 11, 'Larkins': 11, 'Fortune': 11, 'confined': 11, 'earlier': 11, 'apt': 11, 'neglect': 11, 'afford': 11, 'middle': 11, 'asking': 11, 'addressing': 11, 'stir': 11, 'pains': 11, 'rights': 11, 'supposing': 11, 'silly': 11, 'desired': 11, 'encouraging': 11, 'Cato': 11, 'lucky': 11, '_that_': 11, 'pleasantly': 11, 'evils': 11, 'cheeks': 11, 'Martins': 11, 'oft': 11, 'moved': 11, 'deed': 11, 'loues': 11, 'housekeeper': 11, 'garden': 11, 'sought': 11, 'Metellus': 11, 'November': 11, 'proposal': 11, 'agitated': 11, 'removed': 11, 'expressions': 11, 'ventured': 11, 'valuable': 11, 'Buildings': 11, 'Soule': 11, 'unless': 11, 'inquiries': 11, 'Time': 11, 'chose': 11, 'lodgings': 11, 'cottage': 11, 'shewing': 11, 'emotion': 11, 'suspicions': 11, 'begged': 11, 'buried': 11, 'imagination': 11, 'politeness': 11, 'glow': 11, 'pale': 11, 'yong': 11, 'forgot': 11, 'reproach': 11, 'Harvilles': 11, 'delicate': 11, 'dread': 11, 'village': 11, 'reserve': 11, 'Ser': 11, 'carried': 11, 'bustle': 11, 'approach': 11, 'watching': 11, 'effects': 11, 'tells': 11, 'offered': 11, 'sacrifice': 11, 'betweene': 11, 'winde': 11, 'Two': 11, 'seldom': 11, 'grieved': 11, 'pleasures': 11, 'pretence': 11, 'motion': 11, 'opposite': 11, 'safety': 11, 'Depend': 11, 'presume': 11, 'accepted': 11, 'mistress': 11, 'sounds': 11, 'moving': 11, 'passion': 11, 'parish': 11, 'Were': 11, 'seeme': 11, 'parlour': 11, 'Must': 11, 'complexion': 11, 'fairly': 11, 'offering': 11, 'hair': 11, 'Take': 11, 'top': 11, 'nervous': 11, 'dependence': 11, 'Should': 11, 'older': 11, 'fail': 11, 'heir': 11, 'proud': 11, 'accomplished': 11, 'woe': 10, 'Within': 10, 'liberal': 10, 'clock': 10, 'tempered': 10, 'ore': 10, 'wilt': 10, 'grave': 10, 'patient': 10, 'civilities': 10, 'cheerfully': 10, 'fears': 10, 'inclined': 10, 'Honor': 10, 'white': 10, 'quarrel': 10, 'prevented': 10, 'communicated': 10, 'start': 10, 'creatures': 10, 'nights': 10, 'frequent': 10, 'unfortunate': 10, 'estate': 10, 'probability': 10, 'save': 10, 'needs': 10, 'kinde': 10, 'Farewell': 10, 'Ireland': 10, 'tenant': 10, 'distinguished': 10, 'Vicarage': 10, 'extreme': 10, 'engage': 10, 'Pindarus': 10, 'wholly': 10, 'unnecessary': 10, 'comfortably': 10, 'Richmond': 10, 'ignorant': 10, 'Make': 10, 'cry': 10, 'continue': 10, 'bound': 10, 'shape': 10, 'leading': 10, 'occasionally': 10, 'quit': 10, 'vulgar': 10, 'shock': 10, 'result': 10, 'force': 10, 'involved': 10, 'inconvenience': 10, 'wild': 10, 'dream': 10, 'longed': 10, 'benefit': 10, 'false': 10, 'entrance': 10, 'bore': 10, 'entire': 10, 'independent': 10, 'progress': 10, 'Even': 10, 'eares': 10, 'syllable': 10, 'Carteret': 10, 'strongest': 10, 'Reason': 10, 'corner': 10, 'active': 10, 'excited': 10, 'whisper': 10, 'colour': 10, 'church': 10, 'neighbour': 10, '_very_': 10, 'Another': 10, 'sunk': 10, 'blessed': 10, 'Honourable': 10, 'entreat': 10, 'exertion': 10, 'choice': 10, 'increasing': 10, 'Cicero': 10, 'season': 10, 'assurance': 10, 'ceremony': 10, 'scruples': 10, 'composure': 10, 'cease': 10, 'Master': 10, 'hesitation': 10, 'Hath': 10, 'compared': 10, 'offended': 10, 'beloved': 10, 'space': 10, 'bin': 10, 'succeeded': 10, 'forming': 10, 'falling': 10, 'scene': 10, 'English': 10, 'concerns': 10, 'foule': 10, 'cool': 10, 'alliance': 10, 'extent': 10, 'cast': 10, 'turne': 10, 'amuse': 10, '[': 10, 'horse': 10, 'knowne': 10, '_not_': 10, 'recommended': 10, 'remaining': 10, 'increase': 10, 'suddenly': 10, 'sorrow': 10, 'Tell': 10, 'gaue': 10, 'awake': 10, 'sufficiently': 10, 'rid': 10, 'Peace': 10, 'visitor': 10, 'Portia': 10, 'certaine': 10, 'Rosincrance': 10, 'eare': 10, 'giuen': 10, 'dreadfully': 10, 'feels': 10, 'Say': 10, 'various': 10, 'shop': 10, 'continual': 10, 'address': 10, 'lesse': 10, 'ordered': 10, 'card': 10, 'recommendation': 10, 'partner': 10, 'streets': 10, 'bloom': 10, 'submitted': 10, 'distressing': 10, 'Those': 10, 'themselues': 10, 'failed': 10, 'announced': 9, 'uneasiness': 9, 'coldness': 9, 'invitations': 9, 'advise': 9, 'shortly': 9, 'Speake': 9, 'becomes': 9, 'Selina': 9, 'plans': 9, 'coolly': 9, 'lookes': 9, 'language': 9, 'likes': 9, 'Th': 9, 'Cobb': 9, 'Ambition': 9, 'happiest': 9, 'gate': 9, 'alarming': 9, 'speaks': 9, 'hurried': 9, 'dayes': 9, 'rejoice': 9, 'preference': 9, 'station': 9, 'introduce': 9, 'bow': 9, 'Brunswick': 9, 'Square': 9, 'composed': 9, 'bride': 9, 'lies': 9, 'fortitude': 9, 'trifling': 9, 'onely': 9, 'larger': 9, 'Marcellus': 9, 'watched': 9, 'paying': 9, 'merits': 9, 'blind': 9, 'alarmed': 9, 'observations': 9, 'names': 9, 'flye': 9, 'schemes': 9, 'Suckling': 9, 'awkward': 9, 'Smallridge': 9, '_I_': 9, 'mighty': 9, 'Marry': 9, 'rose': 9, 'presented': 9, 'Other': 9, 'box': 9, 'regrets': 9, 'humoured': 9, "!'": 9, 'greatly': 9, 'cares': 9, 'rule': 9, 'Men': 9, 'establishment': 9, 'resolve': 9, 'engaging': 9, 'beseech': 9, 'momentary': 9, 'Cymber': 9, 'died': 9, 'parcel': 9, 'convenience': 9, 'later': 9, 'simplicity': 9, 'exact': 9, 'Neuer': 9, 'nearer': 9, 'Gertrude': 9, 'seek': 9, 'tooke': 9, 'occupy': 9, 'trusted': 9, 'depends': 9, 'expense': 9, 'hitherto': 9, 'hide': 9, 'overcome': 9, 'performance': 9, 'propriety': 9, 'require': 9, 'speed': 9, 'unjust': 9, 'excuses': 9, 'reserved': 9, 'improve': 9, 'Guil': 9, 'brain': 9, 'Ayre': 9, 'finished': 9, 'constantly': 9, 'residence': 9, 'consolation': 9, 'principally': 9, 'encounter': 9, 'excite': 9, 'Watch': 9, 'danced': 9, 'surprised': 9, 'Patty': 9, 'See': 9, 'courage': 9, 'Mill': 9, 'ouer': 9, 'decision': 9, 'missed': 9, 'weepe': 9, '_him_': 9, 'presence': 9, 'measure': 9, 'trust': 9, 'instance': 9, 'aloud': 9, 'apologies': 9, 'trial': 9, 'Dr': 9, 'madam': 9, 'heads': 9, 'sing': 9, 'occupation': 9, 'mixture': 9, 'pace': 9, 'slow': 9, 'liking': 9, 'faith': 9, 'arms': 9, 'positively': 9, 'animated': 9, '_you_': 9, 'mortified': 9, 'proceeding': 9, 'improvement': 9, 'black': 9, 'sees': 9, 'carrying': 9, 'encouraged': 9, 'greefe': 9, 'size': 9, 'propose': 9, 'bent': 9, 'precisely': 9, 'sink': 9, 'inquire': 9, 'prospects': 9, 'peculiarly': 9, 'concluded': 9, 'loves': 9, 'suited': 9, 'Ambitious': 9, 'generall': 9, 'receiue': 9, 'fallen': 9, 'smooth': 9, 'forme': 9, 'zeal': 9, 'goodness': 9, 'Tuesday': 9, 'recovering': 9, 'raised': 9, 'attraction': 9, 'preparation': 9, 'entertainment': 9, 'hill': 9, 'distressed': 9, 'sweetness': 9, 'third': 9, 'frequently': 9, '_me_': 9, 'lament': 9, 'choose': 9, 'turns': 9, 'talents': 9, 'arrive': 9, 'heavy': 9, 'displeased': 8, 'professed': 8, 'applied': 8, 'Queen': 8, 'sincerely': 8, 'unwilling': 8, 'Age': 8, 'article': 8, 'Does': 8, 'containing': 8, 'seeke': 8, 'Gho': 8, 'guided': 8, 'Barnardo': 8, 'suggested': 8, 'Bless': 8, 'weak': 8, 'resist': 8, 'board': 8, 'distinct': 8, 'vnto': 8, 'prepare': 8, 'roused': 8, 'cheerfulness': 8, 'Ligarius': 8, 'depended': 8, 'war': 8, 'generous': 8, 'injury': 8, 'forgive': 8, 'guard': 8, 'drop': 8, 'preparing': 8, 'formerly': 8, 'voyce': 8, 'suspecting': 8, 'correct': 8, 'owed': 8, 'apology': 8, 'recollections': 8, 'attempts': 8, 'apparently': 8, 'denying': 8, 'inquiry': 8, 'delightfully': 8, 'symptoms': 8, 'length': 8, 'wondering': 8, 'purchase': 8, 'fix': 8, 'Still': 8, 'tane': 8, 'guessed': 8, 'farmer': 8, 'twelve': 8, 'writes': 8, 'prosperity': 8, 'reconciliation': 8, 'hurt': 8, 'Trebonius': 8, 'temptation': 8, 'resources': 8, 'Neither': 8, 'flatter': 8, 'Better': 8, 'awkwardness': 8, 'broken': 8, 'complaint': 8, 'Brothers': 8, 'Surry': 8, 'discretion': 8, 'phrase': 8, 'fearful': 8, 'female': 8, 'Fellow': 8, 'forgetting': 8, 'ample': 8, 'thanke': 8, 'Nash': 8, 'approached': 8, 'hedge': 8, 'fate': 8, 'businesse': 8, 'adjoining': 8, 'moderate': 8, 'blunder': 8, 'lasting': 8, 'unfit': 8, 'path': 8, 'unfeeling': 8, 'error': 8, 'drinke': 8, 'essential': 8, 'previously': 8, 'hoping': 8, 'induce': 8, 'September': 8, 'Whose': 8, 'across': 8, 'anxiously': 8, 'red': 8, 'message': 8, 'cross': 8, 'employ': 8, 'endured': 8, 'blushed': 8, 'escaped': 8, 'named': 8, 'afforded': 8, 'Kingston': 8, 'Christian': 8, 'practice': 8, 'latter': 8, 'Trade': 8, 'furniture': 8, 'accepting': 8, 'mourning': 8, 'Barn': 8, 'restored': 8, 'learn': 8, 'gracious': 8, 'perceived': 8, 'existence': 8, 'Graue': 8, 'Whether': 8, 'fifty': 8, 'compare': 8, 'court': 8, "?'": 8, 'continuing': 8, 'outward': 8, 'principle': 8, 'unreasonable': 8, 'action': 8, 'Shirley': 8, 'theirs': 8, 'poyson': 8, 'hung': 8, 'sinking': 8, 'calm': 8, 'resentment': 8, 'Reuenge': 8, 'animation': 8, 'pressed': 8, 'quickness': 8, 'lane': 8, 'die': 8, 'forgiven': 8, 'spread': 8, 'objects': 8, 'reconciled': 8, 'faces': 8, 'distinctly': 8, 'hastily': 8, 'shook': 8, 'brings': 8, 'parents': 8, 'amusing': 8, 'mutual': 8, 'discovery': 8, 'chosen': 8, 'accident': 8, 'ho': 8, 'begge': 8, 'quitting': 8, 'talke': 8, 'belonged': 8, 'broad': 8, 'meetings': 8, 'valued': 8, 'plenty': 8, 'Hell': 8, 'liable': 8, 'moreover': 8, 'distinguish': 8, '.\'"': 8, 'condition': 8, 'aside': 8, 'cordiality': 8, 'accounts': 8, 'windows': 8, 'behaved': 8, 'oppose': 8, 'Cox': 8, 'prevailed': 8, 'grant': 8, 'farewell': 8, 'paused': 8, 'alike': 8, 'Without': 8, 'Publius': 8, 'Gentleman': 8, 'previous': 8, 'teach': 8, 'Wingfield': 8, 'Action': 8, 'height': 8, 'disgust': 8, 'lou': 8, 'nursery': 8, 'weare': 8, 'governess': 8, 'tranquillity': 8, 'madnesse': 8, 'beares': 8, 'Winthrop': 8, 'Therefore': 8, 'exert': 8, 'affectionate': 8, 'fearing': 8, 'spared': 8, 'excellence': 8, 'sincere': 8, 'minds': 8, 'tempt': 8, 'exploring': 8, 'included': 8, 'show': 7, 'inconvenient': 7, 'Me': 7, 'informed': 7, 'belonging': 7, 'repent': 7, 'eating': 7, 'errand': 7, 'growne': 7, 'About': 7, 'doubts': 7, 'dreadfull': 7, 'attempted': 7, 'wet': 7, 'necessarily': 7, 'bright': 7, 'heat': 7, 'operation': 7, 'Italian': 7, 'June': 7, 'base': 7, 'unworthy': 7, 'hanging': 7, 'slighted': 7, 'Sweare': 7, 'travelling': 7, 'stopt': 7, 'talent': 7, 'confused': 7, 'baked': 7, 'weight': 7, 'absurd': 7, 'Army': 7, 'dost': 7, 'Hora': 7, 'decent': 7, 'concealment': 7, 'Vnto': 7, 'Remember': 7, 'amiss': 7, 'demands': 7, 'improper': 7, 'cautious': 7, 'Saturday': 7, 'dined': 7, 'wealth': 7, 'crowd': 7, 'determine': 7, 'instances': 7, 'devoted': 7, 'Thus': 7, 'Strato': 7, 'unexceptionable': 7, 'class': 7, 'Faith': 7, 'thrice': 7, 'careful': 7, 'tears': 7, 'running': 7, 'pounds': 7, 'chaise': 7, 'honours': 7, 'assisted': 7, 'singing': 7, 'softened': 7, 'duties': 7, 'Cass': 7, 'anticipated': 7, 'horrible': 7, 'Am': 7, 'directions': 7, 'breake': 7, 'acquired': 7, 'curate': 7, 'heauen': 7, 'recover': 7, 'remark': 7, 'accent': 7, 'honoured': 7, 'reflections': 7, 'contented': 7, 'trifle': 7, 'pair': 7, 'mamma': 7, 'shewes': 7, 'verie': 7, 'opposition': 7, 'declined': 7, 'hoe': 7, 'marked': 7, 'loose': 7, 'unequal': 7, 'Just': 7, 'cake': 7, 'warmest': 7, 'visitors': 7, 'neat': 7, 'Hee': 7, 'according': 7, 'deeply': 7, 'selfishness': 7, 'protest': 7, 'requires': 7, 'miss': 7, 'remembered': 7, 'indignation': 7, 'guilty': 7, 'risk': 7, 'mentioning': 7, 'troublesome': 7, 'ride': 7, 'discussion': 7, 'Exactly': 7, 'deceived': 7, 'related': 7, 'fever': 7, 'lessen': 7, 'shalt': 7, 'exceed': 7, 'questioned': 7, 'triumph': 7, 'Hold': 7, 'Volumnius': 7, 'Maiesty': 7, 'additional': 7, '_She_': 7, 'scrupulous': 7, 'bloody': 7, 'buy': 7, 'produce': 7, 'powerful': 7, 'spending': 7, 'pursuits': 7, 'flattery': 7, 'visiting': 7, 'ours': 7, 'warrant': 7, 'exclaim': 7, 'em': 7, 'explained': 7, 'wiser': 7, 'unlike': 7, 'ioy': 7, 'supper': 7, 'consulted': 7, 'footing': 7, 'list': 7, 'partial': 7, 'accordingly': 7, 'Daughter': 7, 'justified': 7, 'Little': 7, 'lessened': 7, 'ascertain': 7, 'actual': 7, 'doubted': 7, 'don': 7, 'front': 7, 'Kings': 7, 'Fran': 7, '.)': 7, 'unfortunately': 7, 'grief': 7, 'Philippi': 7, 'calmness': 7, 'youngest': 7, ']': 7, 'crossed': 7, 'Don': 7, 'described': 7, 'gay': 7, 'mou': 7, 'gentleness': 7, 'succeeding': 7, 'mischief': 7, 'substance': 7, 'hate': 7, 'sincerity': 7, 'fool': 7, 'imprudence': 7, 'somewhere': 7, 'vnder': 7, 'giues': 7, 'intelligent': 7, 'rude': 7, 'constancy': 7, 'prefer': 7, 'request': 7, 'addressed': 7, 'farm': 7, 'End': 7, 'Since': 7, 'complaisance': 7, 'finish': 7, 'gardens': 7, 'wherever': 7, 'wondered': 7, 'relative': 7, 'wise': 7, 'unwelcome': 7, 'appeare': 7, 'careless': 7, 'officer': 7, 'Besides': 7, 'Senate': 7, 'brothers': 7, 'established': 7, 'approaching': 7, 'commend': 7, 'Ple': 7, 'drove': 7, 'heartily': 7, 'midst': 7, 'weake': 7, 'misfortune': 7, 'conclude': 7, 'parts': 7, 'haste': 7, 'chances': 7, 'defence': 7, 'treated': 7, 'jealous': 7, 'unwell': 7, 'strike': 7, 'True': 7, 'expressing': 7, 'Children': 7, 'Might': 7, 'arose': 7, 'Musicke': 7, 'procure': 7, 'passe': 7, 'curious': 7, 'accommodation': 7, 'sleeping': 7, 'lower': 7, 'complain': 7, 'appearing': 7, 'worldly': 7, 'stranger': 7, 'thankful': 7, 'upright': 7, 'deliuer': 7, 'shocking': 7, 'baronet': 7, 'struggle': 7, 'knaue': 7, 'difficult': 7, 'describe': 7, 'announce': 7, 'study': 7, 'Welcome': 7, 'halfe': 7, 'sixteen': 7, 'Yorkshire': 7, 'South': 7, 'houre': 7, 'waited': 7, 'damp': 7, 'intentions': 7, 'chiefly': 7, 'invalid': 7, 'suitable': 7, 'exception': 7, 'Enemies': 7, 'professions': 7, 'reception': 7, 'Man': 7, 'cards': 7, 'arrangements': 7, 'hurrying': 6, 'inviting': 6, 'Alarum': 6, 'Dane': 6, 'Funerall': 6, 'Market': 6, 'entitled': 6, 'directed': 6, 'exultation': 6, 'stairs': 6, 'wounded': 6, 'Three': 6, 'song': 6, 'promises': 6, 'proofe': 6, 'guests': 6, 'sailors': 6, 'praised': 6, 'Much': 6, 'dwelt': 6, 'implied': 6, 'appearances': 6, 'dry': 6, 'acceptable': 6, 'opposing': 6, 'leaning': 6, 'hereafter': 6, 'learnt': 6, 'amazement': 6, 'Act': 6, 'disinterested': 6, 'dozen': 6, 'begins': 6, 'openly': 6, 'embarrassed': 6, 'absolute': 6, 'declaration': 6, 'Enemy': 6, 'thoughtful': 6, 'behold': 6, 'West': 6, 'North': 6, 'Bragge': 6, 'wits': 6, 'mercy': 6, 'narrow': 6, 'flattered': 6, 'thousands': 6, 'remembering': 6, 'check': 6, 'Spirits': 6, 'bred': 6, 'Follow': 6, 'polite': 6, 'gratification': 6, 'Many': 6, 'exclaiming': 6, 'cordial': 6, 'contrived': 6, 'seventeen': 6, 'attach': 6, 'finery': 6, 'ruin': 6, 'wine': 6, 'pork': 6, 'strict': 6, 'steadiness': 6, 'deficient': 6, 'Senators': 6, 'prudent': 6, 'willingly': 6, 'applications': 6, 'modern': 6, 'apprehension': 6, 'thick': 6, 'ranke': 6, 'Countrymen': 6, 'Irish': 6, 'Whenever': 6, 'Old': 6, 'restore': 6, 'Sophy': 6, 'lace': 6, 'bold': 6, 'grand': 6, 'Lordship': 6, 'lips': 6, 'hang': 6, 'Westons': 6, 'prize': 6, 'bestow': 6, 'communications': 6, 'straight': 6, 'wisely': 6, 'vexation': 6, 'provoking': 6, 'double': 6, 'attack': 6, 'censure': 6, 'awe': 6, 'Tongue': 6, 'origin': 6, 'possessed': 6, 'disparity': 6, 'bit': 6, 'noble': 6, 'charitable': 6, 'pressing': 6, 'impatience': 6, 'somewhat': 6, 'design': 6, 'Actus': 6, 'perception': 6, 'Fare': 6, 'hospitality': 6, 'dressed': 6, 'situations': 6, 'working': 6, 'foreseen': 6, 'impart': 6, 'uncertain': 6, 'Being': 6, 'issue': 6, 'Into': 6, 'discourse': 6, 'blessings': 6, 'Westgate': 6, 'cleared': 6, 'grandeur': 6, 'unable': 6, 'Too': 6, 'approved': 6, 'below': 6, 'presumption': 6, 'relieved': 6, 'refusal': 6, 'deserted': 6, 'allowance': 6, 'likewise': 6, 'chat': 6, 'Wife': 6, 'hasty': 6, 'Get': 6, 'sanguine': 6, 'enquiries': 6, 'reverse': 6, 'admiring': 6, 'perceiue': 6, 'Either': 6, 'retired': 6, 'merry': 6, 'sword': 6, 'Laconia': 6, 'seemes': 6, 'Deci': 6, 'peece': 6, 'teares': 6, 'raising': 6, 'recollected': 6, 'decide': 6, 'consult': 6, 'Bristol': 6, 'utter': 6, 'senses': 6, 'removing': 6, 'Lucil': 6, 'dances': 6, 'blindness': 6, 'Thunder': 6, 'materially': 6, 'drawback': 6, 'generosity': 6, 'Heaven': 6, 'Reasons': 6, 'm': 6, 'whispered': 6, 'gaiety': 6, 'arriving': 6, 'skill': 6, 'n': 6, 'rapid': 6, 'filled': 6, 'anger': 6, 'Armes': 6, 'parade': 6, 'jealousy': 6, 'conceal': 6, 'obey': 6, 'durst': 6, 'twere': 6, 'nay': 6, 'deserving': 6, 'oftener': 6, 'regretted': 6, 'blushing': 6, 'wind': 6, 'shocked': 6, 'slowly': 6, 'shade': 6, 'commission': 6, 'Pardon': 6, 'de': 6, 'entreated': 6, 'recollecting': 6, 'agony': 6, 'born': 6, 'tall': 6, 'blunders': 6, 'Seruant': 6, 'walks': 6, 'sufferings': 6, 'offers': 6, 'prompt': 6, 'estimate': 6, 'Sea': 6, 'settling': 6, 'stopping': 6, 'catching': 6, 'appeal': 6, 'aboue': 6, 'ear': 6, 'affliction': 6, 'fingers': 6, 'lacke': 6, 'resolutely': 6, 'firm': 6, 'Maiestie': 6, 'ignorance': 6, 'sympathy': 6, 'Gold': 6, 'checking': 6, 'principles': 6, 'enjoyed': 6, 'familiar': 6, 'driving': 6, 'irritation': 6, 'warmer': 6, 'barely': 6, 'Knightleys': 6, 'moue': 6, 'afternoon': 6, 'elder': 6, 'comming': 6, 'Conscience': 6, 'ones': 6, 'sodaine': 6, 'speakes': 6, 'acquiescence': 6, 'congratulations': 6, 'newes': 6, 'matrimony': 6, 'solicitous': 6, 'February': 6, 'shaking': 6, 'range': 6, 'shadow': 6, 'resumed': 6, 'plaister': 6, 'reaching': 6, 'c': 6, 'guilt': 6, 'submit': 6, 'provided': 6, 'helpe': 6, 'cutting': 6, 'Marriage': 6, 'urge': 6, 'asunder': 6, 'confesse': 6, 'abundance': 6, 'natured': 6, 'Madnesse': 6, 'dirty': 6, 'barouche': 6, 'Monday': 6, 'perseverance': 6, 'sensibility': 6, 'gruel': 6, 'Instrument': 6, 'alter': 6, 'conceited': 6, 'redresse': 6, 'relations': 6, 'Soules': 6, 'indulge': 6, 'vile': 6, 'joint': 6, 'Wherein': 6, 'motives': 6, 'presumed': 6, 'vexed': 6, 'perpetual': 6, 'esteem': 6, 'Bateses': 5, 'Hart': 5, 'belief': 5, 'noyse': 5, 'drinking': 5, 'embarrassment': 5, 'joke': 5, 'bare': 5, 'mental': 5, 'dropt': 5, 'cunning': 5, 'exciting': 5, 'positive': 5, 'sun': 5, 'destroyed': 5, 'drowne': 5, 'quicke': 5, 'Norwey': 5, 'accompanied': 5, 'ship': 5, 'punctually': 5, 'preuent': 5, 'shaken': 5, 'sickly': 5, 'pointed': 5, 'furnish': 5, 'usefulness': 5, 'recommendations': 5, ';--"': 5, 'explain': 5, 'pen': 5, 'strongly': 5, 'occasions': 5, 'Mettle': 5, 'ungrateful': 5, 'wholesome': 5, 'gets': 5, 'neede': 5, 'gentility': 5, 'union': 5, 'lover': 5, 'sweep': 5, 'surely': 5, 'sleep': 5, 'Flourish': 5, 'Manet': 5, 'example': 5, 'Ay': 5, 'sacrifices': 5, 'consulting': 5, 'defend': 5, 'abruptly': 5, 'rising': 5, 'quantity': 5, 'slightest': 5, 'model': 5, 'acquit': 5, 'pencil': 5, 'striking': 5, 'coachman': 5, 'deserves': 5, 'None': 5, 'relate': 5, 'hall': 5, 'causes': 5, '.--`': 5, 'Edward': 5, 'unusual': 5, 'pleasanter': 5, 'witnessed': 5, 'Pompeyes': 5, 'portion': 5, 'compassionate': 5, 'wore': 5, 'thinkes': 5, 'convenient': 5, 'judgement': 5, 'gladly': 5, 'withall': 5, 'leg': 5, 'Lepidus': 5, ').': 5, 'abominable': 5, 'infinite': 5, 'sport': 5, 'answers': 5, 'group': 5, 'glasses': 5, 'vouchsafe': 5, 'resolu': 5, 'Fortunes': 5, 'doo': 5, 'Cocke': 5, 'gloves': 5, 'Think': 5, 'violent': 5, 'touching': 5, 'charity': 5, 'murther': 5, 'exist': 5, 'display': 5, 'depart': 5, 'prose': 5, 'kindest': 5, 'presse': 5, 'unwholesome': 5, 'correspondent': 5, 'distinguishing': 5, 'flow': 5, 'enjoying': 5, 'yeare': 5, 'happening': 5, 'headed': 5, 'Marlborough': 5, 'dumbe': 5, 'Passion': 5, 'Commission': 5, 'seuerall': 5, 'owner': 5, 'wives': 5, 'handed': 5, 'Look': 5, 'Consider': 5, 'incessant': 5, 'cordially': 5, 'welcomed': 5, 'sized': 5, 'Bond': 5, 'Bed': 5, 'flattering': 5, 'prosperous': 5, 'division': 5, 'dyed': 5, 'entertaining': 5, 'rapidly': 5, 'bend': 5, 'Day': 5, 'injustice': 5, 'arise': 5, 'confirmed': 5, 'Taunton': 5, 'Plymouth': 5, 'expectations': 5, 'cruel': 5, 'dust': 5, 'sorrowful': 5, 'fat': 5, 'Fellowes': 5, 'Leave': 5, 'hopeless': 5, 'sighed': 5, 'surrounded': 5, 'candour': 5, 'tendency': 5, 'sex': 5, 'breathe': 5, 'suite': 5, 'concealing': 5, 'plea': 5, 'distrust': 5, 'Sister': 5, 'brow': 5, 'Calphurnia': 5, 'People': 5, 'defer': 5, 'entreaties': 5, 'wont': 5, 'Table': 5, 'frightful': 5, 'freely': 5, 'doore': 5, 'hesitated': 5, 'Poet': 5, 'unlucky': 5, 'indebted': 5, 'killed': 5, 'twelvemonth': 5, 'iust': 5, 'bottom': 5, 'Thankes': 5, '_one_': 5, 'strengthened': 5, 'stirre': 5, 'detained': 5, 'declining': 5, 'count': 5, 'daring': 5, 'obtained': 5, 'drown': 5, 'renewed': 5, 'scenes': 5, 'contemplation': 5, 'trees': 5, 'graciously': 5, 'Set': 5, 'dwell': 5, 'Soldiers': 5, 'braue': 5, 'mirth': 5, 'anticipation': 5, 'betray': 5, 'unaffected': 5, 'errors': 5, 'perchance': 5, 'disturbed': 5, 'agreeing': 5, 'calculated': 5, 'Flauius': 5, 'introducing': 5, 'shooting': 5, 'gently': 5, 'Hearke': 5, 'W': 5, 'sofa': 5, 'Mothers': 5, 'wholsome': 5, 'sits': 5, 'dying': 5, 'fame': 5, 'voluntarily': 5, 'enquired': 5, 'fare': 5, 'indulged': 5, 'forbearance': 5, 'Doe': 5, 'Windsor': 5, 'respects': 5, 'entertained': 5, 'avoiding': 5, 'eligible': 5, 'thither': 5, 'safer': 5, 'application': 5, 'guarded': 5, 'original': 5, 'deficiency': 5, 'avoided': 5, 'variety': 5, 'comparatively': 5, 'losing': 5, 'spruce': 5, 'confession': 5, 'Lodge': 5, '--`': 5, 'refrain': 5, 'betrayed': 5, 'confident': 5, 'Sunne': 5, 'friendliness': 5, 'hit': 5, 'suits': 5, 'glimpse': 5, 'game': 5, 'freckles': 5, 'amongst': 5, 'sides': 5, 'destroy': 5, 'Dreame': 5, 'degradation': 5, 'degrading': 5, 'Lane': 5, 'waste': 5, 'approve': 5, 'learned': 5, 'Country': 5, 'crosse': 5, 'press': 5, 'opposed': 5, 'fill': 5, 'joyous': 5, 'insensible': 5, 'Richard': 5, 'alloy': 5, 'numerous': 5, 'wretch': 5, 'tiresome': 5, 'relation': 5, 'throwing': 5, 'believing': 5, 'inevitable': 5, 'decline': 5, 'blacke': 5, 'bewitching': 5, 'trick': 5, 'render': 5, 'unexpected': 5, 'wicked': 5, 'Heart': 5, 'formal': 5, 'Starre': 5, 'writ': 5, 'surgeon': 5, 'trade': 5, 'Beast': 5, 'naval': 5, 'apple': 5, 'despair': 5, 'nineteen': 5, 'Hamlets': 5, 'deare': 5, 'ring': 5, 'upper': 5, 'cursed': 5, 'solitary': 5, 'burne': 5, 'collecting': 5, 'appointment': 5, 'Indies': 5, 'leade': 5, 'meanwhile': 5, 'manage': 5, 'spectacles': 5, 'persuading': 5, 'Dagger': 5, 'Mine': 5, 'suffers': 5, 'tree': 5, 'conceit': 5, 'Masters': 5, 'Claudio': 5, 'talker': 5, 'Law': 5, 'valiant': 5, 'dissuade': 5, 'retirement': 5, 'activity': 5, 'earliest': 5, 'Messenger': 5, 'Coxes': 5, 'bathing': 5, 'Blood': 5, 'constitution': 5, 'Away': 5, 'Elliots': 5, 'bones': 5, 'bowed': 5, 'Dost': 5, 'grandmother': 5, 'Land': 5, 'modest': 5, 'profit': 5, 'sickness': 5, 'recent': 5, 'uncomfortable': 5, 'harp': 5, 'Yours': 5, 'weakness': 5, 'Lords': 5, 'ordinary': 5, 'stands': 5, 'fashioned': 5, 'Doth': 5, 'rough': 5, 'uttered': 5, 'congratulate': 5, 'glowing': 5, 'accommodations': 5, 'speedily': 5, 'regarded': 5, 'communicate': 5, 'healthy': 5, 'penance': 5, 'total': 5, 'rejoiced': 5, 'tear': 5, 'prythee': 5, 'treatment': 5, 'experience': 5, 'alive': 5, 'Everything': 5, 'reade': 5, 'gates': 5, 'finest': 5, 'amends': 5, 'beat': 5, 'toward': 5, 'unreserve': 5, 'chamber': 5, 'handsomely': 5, 'startled': 5, 'knowes': 5, 'landau': 5, 'Somebody': 5, 'Cannot': 5, 'Asp': 5, 'twas': 5, 'imaginary': 5, 'endeavoured': 5, 'wound': 5, 'yards': 5, 'thin': 5, 'discovered': 5, 'Kingdome': 5, 'acknowledgment': 5, 'affect': 5, 'gravely': 5, 'yield': 5, 'influenced': 5, 'Maid': 5, 'mild': 5, 'dependent': 5, 'Newes': 5, 'glancing': 5, 'assisting': 5, 'prompted': 5, 'Iudgement': 5, 'teeth': 5, 'delights': 5, 'irresistible': 5, 'famous': 5, 'recovery': 5, 'taught': 5, 'decisive': 5, 'discoveries': 5, 'fauour': 5, 'plainly': 5, 'proposals': 5, 'Flatterers': 5, 'Arme': 5, 'Powers': 5, 'supplied': 5, 'vnderstand': 5, 'heauy': 5, 'alas': 5, 'discern': 5, 'conceive': 5, 'Fly': 5, 'Letter': 5, 'fight': 5, 'resolving': 5, 'Sunday': 5, 'Happily': 5, 'events': 5, 'Once': 5, 'uncertainty': 5, 'latest': 5, 'discerned': 4, 'actions': 4, '_we_': 4, 'hastened': 4, 'Antonio': 4, 'utility': 4, 'calls': 4, 'somehow': 4, 'flame': 4, 'Run': 4, 'tremble': 4, 'astonish': 4, 'Nunnery': 4, 'dangers': 4, 'Pulpit': 4, 'displeasure': 4, 'listener': 4, 'butcher': 4, 'answering': 4, 'Rites': 4, 'Buriall': 4, 'According': 4, 'interchange': 4, 'stage': 4, 'Death': 4, 'verses': 4, 'betimes': 4, 'inferred': 4, 'expose': 4, 'lawyer': 4, 'worn': 4, 'beings': 4, 'Woodhouses': 4, 'wrought': 4, 'mindes': 4, 'Iudge': 4, 'Treasure': 4, 'pardoned': 4, 'hungry': 4, 'extensive': 4, 'varieties': 4, 'bodies': 4, 'Body': 4, 'security': 4, 'unnatural': 4, 'burn': 4, 'quarrelling': 4, 'resignation': 4, 'draught': 4, 'behinde': 4, 'cruell': 4, 'kingdom': 4, 'behave': 4, 'drawings': 4, 'addresses': 4, 'alluded': 4, 'destiny': 4, 'Somersetshire': 4, 'quality': 4, 'beauties': 4, 'talks': 4, '!--(': 4, 'completed': 4, 'resident': 4, 'Coward': 4, 'unpersuadable': 4, 'contemptible': 4, 'Ides': 4, 'ene': 4, 'Each': 4, 'marries': 4, 'swell': 4, 'centre': 4, 'elsewhere': 4, 'Jemima': 4, 'rouse': 4, 'assume': 4, 'laying': 4, 'Tit': 4, 'Statue': 4, 'reflected': 4, 'Low': 4, 'hysterical': 4, 'concealed': 4, 'promoted': 4, 'respectability': 4, 'wisedome': 4, 'Astley': 4, 'disgrace': 4, 'mystery': 4, 'nodding': 4, 'butler': 4, 'occasioned': 4, 'advising': 4, 'stake': 4, 'deceive': 4, 'guessing': 4, 'subdued': 4, 'emotions': 4, 'liuing': 4, 'wil': 4, 'Birth': 4, 'slaue': 4, 'whil': 4, 'Monkford': 4, 'explanations': 4, 'goodwill': 4, 'enabled': 4, 'steadily': 4, 'maintaining': 4, 'permission': 4, 'spirited': 4, 'Whatever': 4, 'contained': 4, 'alertness': 4, 'impressed': 4, 'scattered': 4, 'prudence': 4, 'gained': 4, 'rapidity': 4, 'affair': 4, 'unseen': 4, 'fashionable': 4, 'wonders': 4, '_them_': 4, 'Husbands': 4, 'bench': 4, 'sirs': 4, 'Tent': 4, 'practicable': 4, 'apartment': 4, 'compose': 4, 'qualities': 4, 'kisses': 4, 'Husband': 4, 'boot': 4, 'Palme': 4, 'depressed': 4, 'Call': 4, 'treachery': 4, 'Dick': 4, 'December': 4, 'rejected': 4, 'maintained': 4, 'Liberty': 4, 'privilege': 4, 'everywhere': 4, 'January': 4, 'shot': 4, 'bitter': 4, 'drink': 4, 'permitted': 4, 'unsuspicious': 4, 'fatigued': 4, 'graue': 4, 'repeatedly': 4, 'volume': 4, 'released': 4, 'Soon': 4, 'intently': 4, 'charades': 4, 'resemblance': 4, 'purposes': 4, 'attendance': 4, 'minded': 4, 'agreeably': 4, 'Fla': 4, 'promising': 4, 'misled': 4, 'refresh': 4, 'sadly': 4, 'chief': 4, 'intending': 4, 'blue': 4, 'unreasonably': 4, 'unnecessarily': 4, 'breeding': 4, 'apprehensive': 4, 'fiery': 4, 'Conference': 4, 'aske': 4, 'throughout': 4, 'Michaelmas': 4, 'allowable': 4, 'tete': 4, 'pleases': 4, 'remarkable': 4, 'educated': 4, 'analogy': 4, 'checked': 4, 'deference': 4, 'greefes': 4, 'lot': 4, 'remains': 4, 'collection': 4, 'Heare': 4, 'exertions': 4, 'Excellent': 4, 'Cape': 4, 'uncommon': 4, 'pavement': 4, 'precedence': 4, 'evenings': 4, 'slaine': 4, 'distracted': 4, 'Clit': 4, 'approving': 4, 'madness': 4, 'lord': 4, 'Dyes': 4, 'dreames': 4, 'Sold': 4, 'brilliant': 4, 'ending': 4, 'holidays': 4, 'escorted': 4, 'fourteen': 4, 'raptures': 4, 'argument': 4, 'Cai': 4, 'aid': 4, 'astonishing': 4, 'parley': 4, 'Forme': 4, 'Mur': 4, 'tend': 4, 'Humph': 4, 'goodly': 4, 'wherefore': 4, 'custome': 4, ";'": 4, 'repose': 4, 'sailor': 4, 'delays': 4, 'reference': 4, 'bestowed': 4, 'unlikely': 4, 'hesitate': 4, 'accompany': 4, 'admirer': 4, 'numbers': 4, 'seclusion': 4, 'knocked': 4, 'provoked': 4, 'devotion': 4, 'exclamation': 4, 'mend': 4, 'acted': 4, 'plague': 4, 'returne': 4, 'baby': 4, 'guide': 4, 'beforehand': 4, 'fearefull': 4, 'content': 4, 'pursue': 4, 'reueng': 4, 'Villaine': 4, 'rumour': 4, 'suggestions': 4, 'Always': 4, 'welfare': 4, 'excusable': 4, 'Titin': 4, 'replying': 4, 'clothes': 4, 'Iulius': 4, 'overpowered': 4, 'sting': 4, 'notion': 4, 'Know': 4, 'knock': 4, 'strooke': 4, 'inferiority': 4, 'marking': 4, 'Part': 4, 'nursed': 4, 'answere': 4, 'Its': 4, 'Wise': 4, 'Cob': 4, 'whispering': 4, 'stupid': 4, 'indubitable': 4, 'alacrity': 4, 'stare': 4, 'pitiful': 4, 'sell': 4, 'downright': 4, 'France': 4, 'hearty': 4, 'distemper': 4, 'Stokes': 4, 'commanded': 4, 'disagree': 4, 'Seale': 4, 'graceful': 4, 'effort': 4, 'forbid': 4, 'reminded': 4, 'envy': 4, 'stooping': 4, 'Bring': 4, 'originally': 4, 'suggest': 4, 'bath': 4, 'amisse': 4, 'impossibility': 4, 'coarse': 4, 'desirous': 4, 'strikes': 4, 'deepe': 4, 'land': 4, 'repetition': 4, 'wall': 4, 'stone': 4, 'widower': 4, 'recently': 4, 'commonplace': 4, 'Loe': 4, 'hoa': 4, 'owned': 4, 'allowing': 4, 'Var': 4, 'stroll': 4, 'shee': 4, 'Deere': 4, 'county': 4, 'witness': 4, 'caring': 4, 'moderately': 4, 'gentlemanlike': 4, 'Hayters': 4, 'slave': 4, 'preserve': 4, 'conjecture': 4, 'opportunities': 4, 'serve': 4, ';"--': 4, 'flesh': 4, 'Ladies': 4, 'deplorable': 4, 'refinement': 4, 'justify': 4, 'Esq': 4, 'rules': 4, 'fixing': 4, 'applying': 4, 'examined': 4, 'recommending': 4, 'allowances': 4, 'Enterprize': 4, 'Noblest': 4, 'reuenge': 4, 'fondly': 4, 'noticing': 4, 'averted': 4, 'contrive': 4, 'shout': 4, 'source': 4, 'serues': 4, 'comprehending': 4, 'ne': 4, 'eaten': 4, 'locke': 4, 'heerein': 4, 'cost': 4, 'wretchedness': 4, 'crowded': 4, 'lessening': 4, 'considers': 4, 'assembled': 4, 'Pyrrhus': 4, 'fellows': 4, 'Stra': 4, 'officers': 4, 'seru': 4, 'Happy': 4, 'reflect': 4, 'qualified': 4, 'competent': 4, 'abilities': 4, 'benevolent': 4, 'Honors': 4, 'fed': 4, 'quarters': 4, 'capital': 4, 'vnfold': 4, 'Starres': 4, 'haire': 4, 'comforted': 4, 'Friday': 4, 'basket': 4, 'Field': 4, 'debt': 4, 'irresolute': 4, 'excused': 4, 'Ten': 4, 'punishment': 4, 'Marcus': 4, 'announcing': 4, 'inequality': 4, 'lawn': 4, 'intreat': 4, 'disdain': 4, 'Dalrymples': 4, 'solemn': 4, 'folding': 4, 'solicited': 4, 'apprehend': 4, 'Hodges': 4, 'Morning': 4, 'Horse': 4, 'trembling': 4, 'followes': 4, 'Lands': 4, 'restraints': 4, 'mixed': 4, 'sends': 4, 'wounds': 4, 'Ouer': 4, 'deeds': 4, 'prevail': 4, 'labour': 4, 'lend': 4, 'explore': 4, 'Sucklings': 4, 'thankes': 4, 'Gonzago': 4, 'interview': 4, 'representation': 4, 'Beleeue': 4, 'favourably': 4, 'rul': 4, 'Beasts': 4, 'pretensions': 4, 'committed': 4, 'freedom': 4, 'Instead': 4, 'reluctance': 4, 'beer': 4, 'satisfactory': 4, 'custom': 4, 'north': 4, 'pays': 4, 'thicke': 4, 'gratifying': 4, 'partiality': 4, 'perplexity': 4, 'airing': 4, 'finger': 4, 'Baldwin': 4, 'bread': 4, 'ceaseless': 4, 'bank': 4, 'row': 4, 'matches': 4, 'objections': 4, 'vicarage': 4, 'handwriting': 4, 'mens': 4, 'perform': 4, 'artificial': 4, 'indispensable': 4, 'supposition': 4, 'strawberries': 4, 'mortifying': 4, 'voices': 4, 'slightly': 4, 'protested': 4, 'conceived': 4, 'impressions': 4, 'gain': 4, 'footpath': 4, 'started': 4, 'denote': 4, 'Mansion': 4, 'imprudent': 4, 'enquiry': 4, 'relationship': 4, 'damned': 4, 'Vnkle': 4, 'repeating': 4, 'hospitable': 4, 'calculate': 4, 'Scull': 4, 'accomplishments': 4, 'similar': 4, 'lesson': 4, 'deaf': 4, 'esteemed': 4, 'rash': 4, 'native': 4, 'desires': 4, 'field': 4, 'key': 4, 'respected': 4, 'series': 4, 'threw': 4, 'Farm': 4, 'gather': 4, 'collect': 4, 'feed': 4, 'Danish': 4, 'granted': 4, 'adding': 4, 'Gilbert': 4, 'cheer': 4, 'page': 4, 'tranquil': 4, 'injured': 4, 'hears': 4, 'pleasantest': 4, 'hat': 4, 'withdraw': 4, 'letting': 4, 'bone': 4, 'lest': 4, 'topic': 4, 'decorum': 4, 'Sooth': 4, 'inevitably': 4, 'complaints': 4, 'preparations': 4, 'engrossed': 4, 'mans': 4, 'saue': 4, 'ancient': 4, 'connection': 4, 'dearer': 4, 'gown': 4, 'insult': 4, 'concurrence': 4, 'II': 4, 'characters': 4, 'observant': 4, 'enterprize': 4, 'breaking': 4, 'ayre': 4, 'broke': 4, 'lighted': 4, 'basin': 4, 'limited': 4, 'saide': 4, 'claimed': 4, 'designs': 4, 'pushed': 4, 'dinners': 4, 'separated': 4, 'Valiant': 4, 'bearing': 4, 'travel': 4, 'Has': 4, 'offend': 4, 'system': 4, 'counsel': 4, 'securing': 4, 'Pompey': 4, 'doores': 4, 'iudgement': 4, 'learning': 4, 'mortall': 4, 'beaten': 4, 'detail': 4, 'topics': 4, 'blunt': 4, 'allusion': 4, 'method': 4, 'ridiculous': 4, 'thanked': 4, 'privy': 4, 'neglected': 4, 'contempt': 4, 'violence': 4, 'Woman': 4, 'subsequent': 4, 'Hamilton': 4, 'goodnight': 4, 'entertain': 4, 'French': 4, 'Legions': 4, 'liberality': 4, 'oblige': 4, 'insufferable': 4, 'ushered': 4, 'Truly': 4, 'process': 4, 'asserted': 4, 'Twere': 4, 'tax': 4, 'comparing': 4, 'soone': 4, 'Pit': 4, 'food': 4, 'shrubberies': 4, 'date': 4, 'Asse': 4, 'arrange': 4, 'mark': 4, 'shift': 4, 'neyther': 4, 'George': 4, 'openness': 4, 'sounded': 4, 'gifts': 4, 'Things': 4, 'penetration': 4, 'meadows': 4, 'touches': 4, 'succeed': 4, 'suppressed': 4, 'Life': 4, 'wide': 4, 'recouer': 4, 'Prepare': 4, 'jump': 4, 'producing': 4, 'deemed': 4, 'reckoned': 4, 'measures': 4, 'excepted': 4, 'amidst': 4, 'Rooke': 4, 'provide': 4, 'Murther': 4, 'glanced': 4, 'seruice': 4, 'ceremonious': 4, 'speculation': 4, 'sway': 4, 'miserably': 4, 'Clitus': 4, 'Bid': 4, 'grieving': 4, 'ungracious': 4, 'Traitors': 4, 'Offence': 4, 'publike': 4, 'denial': 4, 'feature': 4, 'wearing': 4, 'Room': 4, 'formidable': 4, 'Wright': 3, 'White': 3, 'Rivers': 3, 'liveliness': 3, 'perturbation': 3, 'negative': 3, 'frozen': 3, 'Kitty': 3, 'mutually': 3, 'ist': 3, 'yeares': 3, 'heeles': 3, 'scarce': 3, 'monstrous': 3, 'retrench': 3, 'fairy': 3, 'copied': 3, 'stole': 3, 'unsuitable': 3, 'rousing': 3, 'blank': 3, 'dressing': 3, 'Respect': 3, 'obserue': 3, 'rent': 3, 'Ambassadors': 3, 'calculations': 3, 'Battaile': 3, 'unattended': 3, 'Teare': 3, 'teare': 3, 'humourist': 3, 'degrees': 3, 'turnes': 3, 'Face': 3, 'Clouds': 3, 'Lookes': 3, 'Elsonower': 3, 'supplying': 3, 'requisite': 3, 'hesitatingly': 3, 'deplore': 3, 'ingenuity': 3, 'unnoticed': 3, 'affectation': 3, 'clergyman': 3, 'clearly': 3, '_is_': 3, 'Iephta': 3, 'findes': 3, 'Anon': 3, 'extravagant': 3, 'unaccountable': 3, 'lights': 3, 'witnessing': 3, 'homes': 3, 'blesse': 3, 'unpardonable': 3, 'unkind': 3, 'maintenance': 3, 'High': 3, 'choyce': 3, 'bewildered': 3, 'Having': 3, 'richer': 3, 'freshness': 3, 'ay': 3, 'sources': 3, 'ardent': 3, 'heroism': 3, 'Excuse': 3, 'apothecary': 3, 'coxcomb': 3, 'using': 3, 'shamefully': 3, 'sequel': 3, 'reckon': 3, 'smoothness': 3, 'feede': 3, 'probabilities': 3, 'declares': 3, 'moral': 3, 'discover': 3, 'aliue': 3, 'abrupt': 3, 'Church': 3, 'fitted': 3, 'Beware': 3, 'Impossible': 3, 'pictures': 3, 'behaving': 3, 'advisable': 3, 'hollow': 3, 'plaine': 3, 'trickes': 3, 'rencontre': 3, 'condolence': 3, 'Mouse': 3, 'Out': 3, 'Diuell': 3, 'thirteen': 3, 'overheard': 3, 'Window': 3, 'shilling': 3, 'papers': 3, 'seas': 3, 'Osricke': 3, 'Alarums': 3, 'sighing': 3, 'reappeared': 3, 'youthful': 3, 'airs': 3, 'pert': 3, 'climate': 3, 'ballroom': 3, 'Rosincrane': 3, 'creditable': 3, 'maine': 3, 'Perrys': 3, 'Prisoner': 3, 'fearless': 3, 'obscurity': 3, 'mortifications': 3, 'device': 3, 'urgent': 3, 'breathed': 3, 'stepping': 3, 'Yong': 3, 'fie': 3, 'Alacke': 3, 'Arm': 3, 'plants': 3, 'discreet': 3, 'yee': 3, 'pointing': 3, 'incapable': 3, 'attentively': 3, 'withdrawn': 3, 'Speech': 3, 'fooles': 3, 'lent': 3, 'renewal': 3, 'soothing': 3, 'privileges': 3, 'tenderest': 3, 'Augusta': 3, '10': 3, 'accidental': 3, 'dutiful': 3, 'requiring': 3, 'sighted': 3, 'breathing': 3, 'longest': 3, 'roome': 3, 'curtains': 3, 'meere': 3, 'shoes': 3, 'firmly': 3, 'peepe': 3, 'Treason': 3, 'gratefully': 3, 'floor': 3, 'neglecting': 3, 'yeeld': 3, 'preceding': 3, 'subiect': 3, 'adopt': 3, 'pitiable': 3, 'strangers': 3, 'truths': 3, 'orders': 3, 'grone': 3, 'Eye': 3, 'Dinner': 3, '_your_': 3, 'luxury': 3, '_will_': 3, 'Lep': 3, 'shore': 3, 'bitterly': 3, 'colds': 3, 'wary': 3, 'Freedome': 3, 'proclaime': 3, 'Daggers': 3, 'Alexander': 3, 'procuring': 3, 'welcoming': 3, 'articles': 3, 'calles': 3, 'Vnder': 3, 'passes': 3, 'threaten': 3, 'hey': 3, 'non': 3, 'unfairly': 3, 'mutton': 3, 'proposition': 3, 'assuring': 3, 'naming': 3, 'loin': 3, 'dropped': 3, 'cleverer': 3, 'push': 3, 'longing': 3, 'Bar': 3, 'fetching': 3, 'trembled': 3, 'shrubbery': 3, 'feelingly': 3, 'club': 3, 'leysure': 3, 'Sweet': 3, 'wainscot': 3, 'pronounced': 3, 'tearmes': 3, 'praises': 3, 'Traine': 3, 'Breake': 3, 'partly': 3, 'Dard': 3, 'Souldier': 3, ',--"': 3, 'calmly': 3, 'sleepes': 3, 'disordered': 3, 'poignant': 3, 'pushing': 3, 'happens': 3, 'image': 3, 'judicious': 3, 'seats': 3, 'measles': 3, 'y': 3, 'pitied': 3, 'roast': 3, 'presents': 3, 'trusting': 3, 'feet': 3, 'reality': 3, 'Milsom': 3, 'First': 3, 'Next': 3, 'solitude': 3, 'seemingly': 3, 'Partridge': 3, 'irritated': 3, 'inquiring': 3, 'Cin': 3, 'Betweene': 3, 'contriue': 3, ':"': 3, 'kinder': 3, ':--"': 3, 'X': 3, 'nobility': 3, 'dint': 3, 'Whil': 3, 'flourish': 3, 'pitty': 3, 'dearly': 3, 'bought': 3, 'beneath': 3, 'descriptions': 3, 'preserved': 3, 'surrender': 3, 'inconstancy': 3, 'bay': 3, 'sands': 3, 'crown': 3, 'consequences': 3, 'considerably': 3, 'failure': 3, 'Rose': 3, 'Fashion': 3, 'entangled': 3, 'VIII': 3, 'translate': 3, 'frame': 3, 'promote': 3, 'premature': 3, 'Women': 3, 'disgraced': 3, 'prime': 3, 'wear': 3, 'stretch': 3, 'examining': 3, 'nephews': 3, 'fathers': 3, 'dreamt': 3, 'grows': 3, 'disappointments': 3, 'solicitudes': 3, 'comprehension': 3, 'thoughtless': 3, 'lessons': 3, 'Supper': 3, 'marriages': 3, 'affectionately': 3, 'forlorn': 3, 'relenting': 3, 'minutiae': 3, 'exposed': 3, 'Norman': 3, 'blameless': 3, 'shameful': 3, 'insolent': 3, 'Businesse': 3, 'ment': 3, 'fasten': 3, 'shoulder': 3, 'Sun': 3, 'demand': 3, 'Lightning': 3, 'elegantly': 3, 'saved': 3, 'individual': 3, 'acquittal': 3, 'tedious': 3, 'walker': 3, 'deceiu': 3, 'Countenance': 3, 'occupying': 3, 'Read': 3, 'Immediately': 3, 'quarrelled': 3, 'humbly': 3, 'loudly': 3, 'lasts': 3, 'Elegant': 3, 'overhearing': 3, 'enclosed': 3, 'stile': 3, 'horseback': 3, 'ascertained': 3, 'outlived': 3, 'insensibility': 3, 'amount': 3, 'Flood': 3, 'Ceremony': 3, 'ee': 3, 'Union': 3, 'gravel': 3, 'Spundge': 3, 'keepes': 3, 'warning': 3, 'Serle': 3, 'indisposed': 3, 'proposing': 3, 'universally': 3, 'Prince': 3, 'Providence': 3, 'playful': 3, 'angel': 3, 'Robinson': 3, 'confinement': 3, 'recall': 3, 'Vanity': 3, 'sole': 3, 'Hercules': 3, 'overpowering': 3, ');': 3, 'proportions': 3, 'deeper': 3, 'usually': 3, 'genteel': 3, 'liu': 3, 'pursued': 3, 'narration': 3, 'tenants': 3, 'glances': 3, 'Fates': 3, 'vigorously': 3, 'bene': 3, 'Nation': 3, 'newspapers': 3, 'cases': 3, 'fires': 3, 'flat': 3, 'dissipated': 3, 'shelter': 3, 'Tragedie': 3, 'Triumph': 3, 'Gibraltar': 3, 'residing': 3, 'intimates': 3, 'saving': 3, 'shooes': 3, 'astray': 3, 'affronted': 3, 'boasted': 3, 'Flowers': 3, 'strew': 3, 'Honestie': 3, 'unfair': 3, 'delicious': 3, 'stretching': 3, 'permanent': 3, 'absenting': 3, 'speciall': 3, 'unqualified': 3, 'earnestness': 3, 'rejoined': 3, 'covered': 3, 'terror': 3, 'cheap': 3, 'conveniently': 3, 'preventing': 3, 'apprehensions': 3, 'females': 3, 'reigns': 3, 'Honour': 3, "'--": 3, 'perpetually': 3, 'captain': 3, 'Begin': 3, 'promis': 3, 'hardship': 3, 'pursuit': 3, 'quest': 3, 'FINIS': 3, 'grieve': 3, 'unheard': 3, 'bordered': 3, 'Brow': 3, 'amazing': 3, 'enemy': 3, 'unpretending': 3, 'Cornelius': 3, 'apart': 3, 'counteract': 3, 'driven': 3, 'offices': 3, 'harmless': 3, 'occurrence': 3, 'intervals': 3, 'whilst': 3, 'Steele': 3, 'tydings': 3, 'IV': 3, 'terrible': 3, 'Villaines': 3, 'misunderstandings': 3, 'boiled': 3, 'sings': 3, 'prettily': 3, 'creating': 3, 'Charming': 3, 'preferring': 3, 'musician': 3, 'loveliness': 3, 'bosome': 3, 'vnnaturall': 3, 'harmony': 3, 'XI': 3, 'charmingly': 3, 'social': 3, 'nearest': 3, 'Treb': 3, 'indeede': 3, 'Norway': 3, 'heares': 3, 'Vncle': 3, 'voluntary': 3, 'ships': 3, 'destination': 3, 'fastidious': 3, 'confessing': 3, 'detected': 3, 'inducement': 3, 'player': 3, 'thicker': 3, 'joyful': 3, 'built': 3, 'Gallowes': 3, 'local': 3, 'rous': 3, 'admirable': 3, 'expresse': 3, 'Words': 3, 'Helpe': 3, 'defiance': 3, 'compatible': 3, 'eate': 3, 'Woo': 3, 'Olympus': 3, 'treasure': 3, 'bloud': 3, 'Prison': 3, 'rained': 3, 'sonne': 3, 'shrink': 3, 'tame': 3, 'pronounce': 3, 'greene': 3, 'explains': 3, 'blow': 3, 'excessive': 3, 'projected': 3, 'riddle': 3, 'softly': 3, 'declaring': 3, 'unwillingness': 3, 'win': 3, 'hits': 3, 'hesitating': 3, 'restrain': 3, 'rightly': 3, 'rub': 3, 'estimation': 3, 'stuffe': 3, 'Excepting': 3, 'naked': 3, 'speeches': 3, 'delusion': 3, 'troubles': 3, 'October': 3, 'persevered': 3, 'foorth': 3, 'disclosure': 3, 'moderation': 3, 'teachers': 3, 'cries': 3, 'petty': 3, 'tidings': 3, 'humours': 3, 'heereafter': 3, 'ayme': 3, 'shapes': 3, 'Worse': 3, 'hew': 3, 'describing': 3, 'trivial': 3, 'reverie': 3, 'fro': 3, 'dreame': 3, 'intimately': 3, 'poet': 3, 'smaller': 3, 'humor': 3, 'bless': 3, 'services': 3, 'August': 3, 'Playing': 3, 'Image': 3, 'owing': 3, 'Infants': 3, 'Cry': 3, 'destruction': 3, 'groaning': 3, 'strife': 3, 'ope': 3, 'deede': 3, 'Taper': 3, 'Viscountess': 3, 'Bap': 3, 'dealings': 3, 'liues': 3, 'Comes': 3, 'murder': 3, 'husbands': 3, 'Custome': 3, 'modes': 3, 'augur': 3, 'seuen': 3, 'Circumstance': 3, 'dirt': 3, 'lying': 3, 'restrictions': 3, 'ruined': 3, 'practised': 3, 'Poore': 3, 'V': 3, 'XIV': 3, 'Ever': 3, 'shawl': 3, 'considerate': 3, 'penetrating': 3, 'Swords': 3, 'economy': 3, 'finally': 3, 'employing': 3, 'correspondence': 3, 'persisting': 3, 'lyes': 3, 'helpless': 3, 'storm': 3, 'enquiring': 3, 'maintain': 3, 'Attendants': 3, 'Wine': 3, 'pre': 3, 'flower': 3, 'piano': 3, 'remove': 3, 'faded': 3, 'wayes': 3, 'S': 3, 'faithfull': 3, 'noted': 3, 'efficacy': 3, 'Against': 3, 'Beare': 3, 'proofs': 3, 'Awake': 3, 'Images': 3, 'wrapt': 3, 'clearing': 3, 'treat': 3, 'divide': 3, 'alwayes': 3, 'mischance': 3, 'rests': 3, 'leane': 3, 'genuine': 3, 'surmise': 3, 'expenses': 3, 'regretting': 3, 'Reynoldo': 3, 'Half': 3, 'Stop': 3, 'Answer': 3, 'parent': 3, 'calmer': 3, 'spoiled': 3, 'enjoyments': 3, 'observance': 3, 'examination': 3, 'recur': 3, 'tongues': 3, 'clouds': 3, 'hart': 3, 'branch': 3, 'vast': 3, 'misunderstood': 3, 'conquest': 3, 'alteration': 3, 'politely': 3, 'denied': 3, 'steep': 3, 'suspicious': 3, 'imaginations': 3, 'dreaded': 3, 'quivering': 3, 'lip': 3, 'windy': 3, 'forc': 3, 'changing': 3, 'contemplate': 3, 'handsomest': 3, 'hereabouts': 3, 'Carpenter': 3, 'trace': 3, 'hedges': 3, 'bleed': 3, 'Ghosts': 3, 'gaze': 3, 'obligation': 3, 'thence': 3, 'complacency': 3, 'principals': 3, 'disappoint': 3, 'prou': 3, 'meal': 3, 'park': 3, 'noticed': 3, 'unknown': 3, 'agitations': 3, 'Sirra': 3, 'obstinate': 3, 'respecting': 3, 'hardened': 3, 'waiter': 3, 'reasons': 3, 'pointedly': 3, 'Yea': 3, 'Audience': 3, 'softness': 3, 'seize': 3, 'Closset': 3, 'readie': 3, 'Varrus': 3, 'Spade': 3, 'Shropshire': 3, 'revived': 3, 'Free': 3, 'reluctant': 3, 'execution': 3, 'mix': 3, 'Story': 3, 'Thinke': 3, 'presumptive': 3, 'resigned': 3, 'Laughter': 3, 'Prologue': 3, 'Ring': 3, 'requested': 3, 'signe': 3, 'extravagance': 3, 'fruit': 3, 'bonnet': 3, 'wood': 3, 'Wallises': 3, 'submitting': 3, 'Soueraigne': 3, 'gratify': 3, 'limits': 3, 'Priest': 3, 'inquired': 3, 'sights': 3, 'louing': 3, 'impulse': 3, 'Carriages': 3, 'likelihood': 3, 'IX': 3, 'Considering': 3, 'grievance': 3, 'quicker': 3, 'oath': 3, 'Everybody': 3, 'animating': 3, 'silenced': 3, 'encumbrance': 3, 'intent': 3, 'affectedly': 3, 'string': 3, 'sketch': 3, 'huge': 3, 'falles': 3, 'clearer': 3, 'wing': 3, 'umbrellas': 3, 'clearness': 3, 'dulness': 3, 'stupidity': 3, 'receiu': 3, 'candles': 3, 'abuse': 3, 'airy': 3, 'forms': 3, 'foresaw': 3, 'elevate': 3, 'humouredly': 3, 'lets': 3, 'curacy': 3, 'readiness': 3, 'Give': 3, 'advanced': 3, 'Louer': 3, 'doubtingly': 3, 'younger': 3, 'Angell': 3, 'sate': 3, 'Basil': 3, 'felicities': 3, 'twentieth': 3, 'III': 3, 'Picture': 3, 'sentences': 3, 'delivered': 3, 'ingenious': 3, 'kissing': 3, 'armes': 3, 'horrors': 3, 'foul': 3, 'knees': 3, 'Chamber': 3, 'yonder': 3, 'incommoded': 3, 'congratulated': 3, 'balls': 3, 'unite': 3, 'faint': 3, 'unmanageable': 3, 'naivete': 3, 'eloquent': 3, 'reioyce': 3, 'edge': 3, 'Grace': 3, 'skin': 3, 'persuadable': 3, 'bows': 3, 'interests': 3, 'energy': 3, 'Sardis': 3, 'occasional': 3, 'carefully': 3, 'Feast': 3, 'preparatory': 3, 'jumped': 3, 'suddenness': 3, 'glass': 3, 'convictions': 3, 'unquestionably': 3, 'rivet': 3, 'pondered': 3, 'consoling': 3, 'Generall': 3, 'pleas': 3, 'loued': 3, 'fly': 3, 'Maids': 3, 'doest': 3, 'furnished': 3, 'standard': 3, 'attachments': 3, 'selfish': 3, 'necke': 3, 'disgusting': 3, 'closes': 3, 'novelty': 3, 'Swisserland': 3, 'associate': 3, 'misconduct': 3, 'Between': 3, 'omission': 3, 'Moone': 3, 'hazard': 3, 'stable': 3, 'XII': 3, 'gifted': 3, 'attractions': 3, 'virtues': 3, 'popularity': 3, 'Generals': 3, 'thanking': 3, 'foote': 3, 'condemn': 3, 'wander': 3, 'slept': 3, 'expressive': 3, 'VI': 3, 'retract': 3, 'whims': 3, 'Princes': 3, '_he_': 3, 'List': 3, 'vex': 3, 'sicknesse': 3, 'priuate': 3, 'Clowne': 3, 'accomplishment': 3, 'needless': 3, 'departure': 3, 'XIII': 3, 'seized': 3, 'boarder': 3, 'scholar': 3, 'Giues': 3, 'regards': 3, 'driue': 3, 'attendant': 3, 'limbs': 3, 'Thoughts': 3, 'heightened': 3, 'protection': 3, 'including': 3, 'Oath': 3, 'slay': 3, 'XVII': 3, 'arch': 3, 'artist': 3, 'compliance': 3, 'suspension': 3, 'tones': 3, 'demure': 3, 'envenom': 3, 'practise': 3, 'remonstrance': 3, 'wrist': 3, 'flutter': 3, 'Conquest': 3, 'venturing': 3, 'curricle': 3, 'quantitie': 3, 'orchard': 3, 'charms': 3, 'indignant': 3, 'contrast': 3, 'yielding': 3, 'cured': 3, 'comprehended': 3, 'leaues': 3, 'reward': 3, 'pluckt': 3, 'conversable': 3, 'Doomesday': 3, 'maker': 3, 'usage': 3, 'Commons': 3, 'hauing': 3, 'composedly': 3, 'profound': 3, 'Philosophy': 3, 'prominent': 3, 'immortall': 3, 'regularly': 3, 'dwelling': 3, 'Cowards': 3, 'Yarmouth': 3, 'snowing': 3, 'absurdity': 3, 'vowes': 3, 'Makes': 3, 'foresee': 3, 'viewed': 3, 'harme': 3, 'warlike': 3, 'Graues': 3, 'exerting': 3, 'concluding': 3, 'Sound': 3, 'lowest': 3, 'conference': 3, 'moneths': 3, 'cooler': 3, 'charmed': 3, 'growes': 3, 'Dead': 3, 'lame': 3, 'convincing': 3, 'undertakes': 3, 'sharp': 3, 'Begger': 3, 'diuell': 3, 'fireside': 3, 'instinctively': 3, '_must_': 3, 'examples': 3, 'divisions': 3, 'compell': 3, 'Battell': 3, 'wager': 3, 'gainst': 3, 'Season': 3, 'Bird': 3, 'connect': 3, 'Coarse': 3, 'pitch': 3, 'renewing': 3, 'animate': 3, 'farthest': 3, 'Phrase': 3, 'stories': 3, 'proportion': 3, 'soften': 3, 'contradict': 3, 'Ceremonies': 3, 'palpably': 3, 'visible': 3, 'Royall': 3, 'humiliation': 3, 'changes': 3, 'counsell': 3, 'involving': 3, 'eternal': 3, 'privations': 3, 'appointed': 3, 'proving': 3, 'quickest': 3, 'pretended': 3, 'vacant': 3, 'Mighty': 3, 'Hence': 3, 'audience': 3, 'lamenting': 3, 'contradiction': 3, 'soules': 3, 'rode': 3, 'Stay': 3, 'wonderfull': 3, 'livery': 3, 'noisy': 3, 'foole': 3, 'wisest': 3, 'Vow': 3, 'faine': 3, 'proue': 3, 'neerer': 3, 'placing': 3, 'attractive': 3, 'leads': 3, 'disorder': 3, '_You_': 3, 'breed': 3, 'hower': 3, 'plays': 3, 'Stage': 3, 'Conspirators': 3, 'Motiue': 3, 'Officers': 3, 'Wit': 3, 'striving': 3, 'guidance': 3, 'immense': 3, 'Pretty': 3, 'flying': 3, 'tune': 3, 'tolerate': 3, 'destined': 3, 'signified': 3, '_We_': 2, 'partake': 2, '_more_': 2, 'affords': 2, 'associations': 2, 'authorised': 2, 'Married': 2, 'whist': 2, 'depending': 2, 'Ill': 2, 'toe': 2, 'Pesant': 2, 'Courtier': 2, 'Robe': 2, 'Loines': 2, 'Diadem': 2, 'rarely': 2, 'Trumpet': 2, 'Trumpets': 2, 'Visage': 2, 'darke': 2, 'Rapier': 2, 'Liquor': 2, 'mightie': 2, 'downstairs': 2, 'accord': 2, 'Braine': 2, 'extasie': 2, 'multitude': 2, 'interruption': 2, 'chatty': 2, 'Midsummer': 2, 'achieved': 2, 'Under': 2, 'lifted': 2, '_Elton_': 2, 'cart': 2, '_': 2, 'accepts': 2, 'incorporate': 2, 'communicating': 2, 'pained': 2, 'dears': 2, 'adieus': 2, 'Ioy': 2, 'Valour': 2, 'inconstant': 2, 'speculations': 2, 'indulging': 2, 'frigate': 2, 'Ambitions': 2, 'Whereto': 2, 'understands': 2, 'Liue': 2, 'yeeres': 2, 'discipline': 2, 'deduction': 2, 'unsuspected': 2, 'physician': 2, 'atmosphere': 2, 'infected': 2, 'arisen': 2, 'accompanying': 2, 'foreign': 2, 'warfare': 2, 'firme': 2, 'Honorable': 2, 'newspaper': 2, 'frighted': 2, 'stares': 2, 'Clocke': 2, 'stricken': 2, 'perceptible': 2, 'simpleton': 2, 'chuses': 2, 'Bad': 2, 'bar': 2, 'sparkes': 2, 'Fire': 2, 'shine': 2, 'painted': 2, 'untainted': 2, 'Going': 2, 'languor': 2, 'Head': 2, 'gloomy': 2, 'dispel': 2, 'extenuation': 2, 'hind': 2, 'freshened': 2, 'grandpapa': 2, 'iron': 2, 'easier': 2, 'interpret': 2, 'surrounding': 2, 'lt': 2, 'wittingly': 2, 'branches': 2, 'nation': 2, 'ostentation': 2, 'remaines': 2, 'Fast': 2, 'asleepe': 2, 'tacitly': 2, 'innocently': 2, 'Whom': 2, 'colours': 2, 'Cic': 2, 'conundrum': 2, 'amaz': 2, 'wouldest': 2, 'repaire': 2, 'repulsive': 2, 'attract': 2, 'eleven': 2, 'fling': 2, 'faster': 2, 'clownish': 2, 'joining': 2, 'publications': 2, 'Winde': 2, 'scrape': 2, 'hue': 2, 'represent': 2, 'Rule': 2, 'Leather': 2, 'Songs': 2, 'recalled': 2, 'loosing': 2, 'e': 2, 'permanently': 2, 'dignified': 2, 'lofty': 2, 'Horses': 2, 'Greeke': 2, 'graciousness': 2, 'dy': 2, 'fagged': 2, 'Diuel': 2, 'yea': 2, 'Weaknesse': 2, 'T': 2, 'potent': 2, 'heap': 2, 'gaming': 2, 'mock': 2, 'acknowledgement': 2, 'Paper': 2, 'Porch': 2, 'Sometimes': 2, 'contracted': 2, 'schoolfellow': 2, 'reduced': 2, 'Behold': 2, 'monarch': 2, 'iustly': 2, 'Lupercall': 2, 'failings': 2, 'infatuation': 2, 'pretension': 2, 'upstart': 2, 'prescribed': 2, 'instrumental': 2, 'fits': 2, 'Grapple': 2, 'thankfulness': 2, 'lowering': 2, 'proscription': 2, 'involve': 2, 'supports': 2, 'secrecy': 2, 'revealed': 2, 'connecting': 2, 'parentage': 2, 'puppy': 2, 'rises': 2, 'abhorred': 2, 'Imagination': 2, 'benches': 2, 'fruitless': 2, 'contrivances': 2, 'hazards': 2, 'deseru': 2, 'hearke': 2, 'Ho': 2, 'store': 2, 'poem': 2, 'Memorie': 2, 'Tree': 2, 'appetite': 2, 'exposing': 2, 'representing': 2, 'derive': 2, 'wheele': 2, 'deprecated': 2, 'curse': 2, 'testify': 2, 'studiously': 2, 'varying': 2, 'insinuating': 2, 'palpable': 2, 'Corpes': 2, 'Glories': 2, 'stock': 2, 'realised': 2, 'diligence': 2, 'afloat': 2, 'songs': 2, 'preserves': 2, 'harsh': 2, 'attributing': 2, 'unconsciously': 2, 'summon': 2, 'gout': 2, 'ridden': 2, 'poorly': 2, 'richly': 2, 'sweetly': 2, 'glorious': 2, '000': 2, 'serviceable': 2, 'expedients': 2, 'plunged': 2, 'borrowed': 2, 'scissors': 2, 'pleasantness': 2, 'nursing': 2, 'Vp': 2, 'feares': 2, 'gowne': 2, 'Larded': 2, 'Axe': 2, 'sorts': 2, 'Importing': 2, 'appropriated': 2, 'innocent': 2, 'powered': 2, 'Compare': 2, 'falsehood': 2, 'yellow': 2, 'admires': 2, 'Masse': 2, 'muffin': 2, 'removals': 2, 'dexterity': 2, 'Diuinity': 2, 'inconsistent': 2, 'Meane': 2, 'ajar': 2, 'knitting': 2, 'overpower': 2, 'preceded': 2, 'durable': 2, 'Onely': 2, 'weigh': 2, 'vertue': 2, 'soyle': 2, 'finances': 2, 'bloodie': 2, 'natiue': 2, 'Conspiracie': 2, 'Smiles': 2, 'semblance': 2, 'overtaken': 2, 'Nonsense': 2, 'apologise': 2, 'pages': 2, 'huswife': 2, 'indignantly': 2, 'amaze': 2, 'Speeches': 2, 'Girle': 2, 'lippes': 2, 'disengage': 2, 'desert': 2, 'elevation': 2, 'exchanged': 2, 'estrangement': 2, '_little_': 2, 'honestly': 2, 'crew': 2, 'embarrassments': 2, 'Lucianus': 2, 'cruelty': 2, 'ends': 2, 'backward': 2, 'admiral': 2, 'equipped': 2, 'strictly': 2, 'imparted': 2, 'Tyranny': 2, 'Lap': 2, 'hinting': 2, 'arguments': 2, 'mocke': 2, 'stabb': 2, 'Observe': 2, 'whereto': 2, 'completion': 2, 'tied': 2, 'contentment': 2, 'lungs': 2, 'nose': 2, 'Magots': 2, 'vanished': 2, 'sounding': 2, 'enable': 2, 'pacing': 2, 'endeavouring': 2, 'balance': 2, 'salted': 2, 'discerning': 2, 'unfelt': 2, 'sour': 2, 'contract': 2, 'pregnant': 2, 'asleep': 2, 'Schoole': 2, 'runne': 2, 'Hilts': 2, 'holiday': 2, 'masters': 2, 'culture': 2, 'earn': 2, 'forgets': 2, 'Cobler': 2, 'desiring': 2, 'unconvinced': 2, 'final': 2, 'satin': 2, 'overthrow': 2, 'portraits': 2, 'perfections': 2, 'driuen': 2, 'desperate': 2, 'mount': 2, 'Cheeke': 2, 'yon': 2, 'Walkes': 2, 'Morne': 2, 'aduice': 2, 'dew': 2, 'parishes': 2, 'indescribable': 2, 'incomprehensible': 2, 'Conditions': 2, 'guest': 2, 'Stirre': 2, 'Iigge': 2, 'Prythee': 2, 'tale': 2, 'strangest': 2, 'brighter': 2, 'shy': 2, 'impediment': 2, 'amuses': 2, 'knee': 2, 'torment': 2, 'polished': 2, 'ceases': 2, 'playfulness': 2, 'definition': 2, 'Verie': 2, 'orchestra': 2, 'clerks': 2, 'Actor': 2, 'stays': 2, 'nicely': 2, 'seeking': 2, 'assistant': 2, 'abode': 2, 'fearfully': 2, 'contriving': 2, 'remoue': 2, 'Author': 2, 'phoo': 2, 'intellectual': 2, 'sign': 2, 'greeue': 2, 'tardie': 2, 'Knocke': 2, 'droppes': 2, 'Clifton': 2, 'closing': 2, 'host': 2, 'Rewards': 2, 'equall': 2, 'Chasticement': 2, 'obedience': 2, 'conjugal': 2, 'states': 2, 'bounded': 2, 'fainted': 2, 'reasoned': 2, 'advised': 2, 'sworne': 2, 'wittier': 2, 'beast': 2, 'urged': 2, 'forwards': 2, 'flew': 2, 'disagreement': 2, 'affording': 2, 'stept': 2, 'Seruice': 2, 'purchased': 2, 'fatal': 2, 'cliffs': 2, 'tide': 2, 'romantic': 2, 'Charmouth': 2, 'expedition': 2, 'Tents': 2, 'Maiden': 2, 'Courtiers': 2, 'glasse': 2, 'Schollers': 2, 'obseru': 2, 'incumbent': 2, 'seruants': 2, 'sly': 2, 'Rest': 2, 'curtailed': 2, 'expediency': 2, 'grandson': 2, 'regulations': 2, 'reductions': 2, 'disapprobation': 2, 'pestilent': 2, 'Canopy': 2, 'heauenly': 2, 'honourably': 2, 'Tunbridge': 2, 'dated': 2, 'July': 2, 'swore': 2, 'streetes': 2, 'Vnckle': 2, 'liued': 2, 'writer': 2, 'medium': 2, 'interfering': 2, 'somthing': 2, 'accuse': 2, 'lingering': 2, 'softening': 2, 'Least': 2, 'pitteous': 2, 'owe': 2, 'Drown': 2, 'courteous': 2, 'vigour': 2, 'secondly': 2, 'cuts': 2, 'obscure': 2, 'undue': 2, 'results': 2, 'reasonably': 2, 'Pin': 2, 'lodged': 2, 'Pass': 2, 'likenesses': 2, 'Send': 2, 'Hetty': 2, 'prized': 2, 'singular': 2, 'weighing': 2, 'speedy': 2, 'Brigden': 2, 'indifferently': 2, 'examine': 2, 'audible': 2, 'vice': 2, 'Note': 2, 'weary': 2, 'booke': 2, 'fetched': 2, 'Wherefore': 2, 'brauery': 2, 'saile': 2, 'Precepts': 2, 'aboord': 2, 'Character': 2, 'Mountaines': 2, 'vilde': 2, 'Skill': 2, 'praying': 2, 'conjectures': 2, 'foolishly': 2, 'abused': 2, 'wilful': 2, 'follies': 2, 'subduing': 2, 'remind': 2, 'sobering': 2, 'sharing': 2, 'contrition': 2, 'flight': 2, 'Rascall': 2, 'muddy': 2, 'damn': 2, 'Haile': 2, 'train': 2, 'expressly': 2, 'Batchellor': 2, 'glowed': 2, 'staring': 2, 'extended': 2, 'Naturall': 2, 'Iustice': 2, 'bleede': 2, 'dyest': 2, 'hero': 2, 'runs': 2, 'Youth': 2, 'pew': 2, 'favouring': 2, 'fierie': 2, 'deerely': 2, 'K': 2, 'witty': 2, 'Creatures': 2, 'Scoene': 2, 'proclaim': 2, 'mischievous': 2, 'construction': 2, 'nut': 2, 'storms': 2, 'bell': 2, 'vtter': 2, 'travelled': 2, 'affayres': 2, 'cheering': 2, 'cooling': 2, 'enforced': 2, 'medical': 2, 'OF': 2, 'wag': 2, 'sanction': 2, 'Birmingham': 2, 'Ape': 2, 'presenting': 2, 'observances': 2, 'clothed': 2, 'egg': 2, 'dogs': 2, 'unanswered': 2, 'sympathetic': 2, 'Accordingly': 2, 'perverse': 2, 'infection': 2, 'equalled': 2, 'apartments': 2, 'unprepared': 2, 'missing': 2, 'chatted': 2, 'feebleness': 2, 'shabby': 2, 'detailed': 2, 'commanding': 2, 'select': 2, 'distrusted': 2, 'repressed': 2, 'boat': 2, 'nonsensical': 2, 'foretell': 2, 'umbrella': 2, 'dishonour': 2, 'imply': 2, 'feete': 2, 'Volt': 2, 'Recorder': 2, 'nodded': 2, 'closely': 2, 'Drachmaes': 2, 'seuenty': 2, 'fiue': 2, 'Conspirator': 2, 'perceiving': 2, 'solemnity': 2, 'Gowne': 2, 'brilliancy': 2, 'keen': 2, 'Controuersie': 2, 'lists': 2, 'stepped': 2, 'tryall': 2, 'blows': 2, 'rambling': 2, 'protected': 2, 'hesitations': 2, 'vision': 2, 'sucke': 2, 'renting': 2, 'unpolished': 2, 'attends': 2, 'eighth': 2, 'reasoning': 2, 'exerted': 2, 'reprobating': 2, 'meadow': 2, 'sweete': 2, 'irregular': 2, 'main': 2, 'Beautie': 2, 'foresight': 2, 'enemies': 2, 'complimentary': 2, 'river': 2, 'dispersed': 2, 'Player': 2, 'term': 2, 'consented': 2, 'resolute': 2, 'passionately': 2, 'exclusively': 2, 'stale': 2, 'knot': 2, 'scolded': 2, 'intend': 2, '_shall_': 2, 'frost': 2, 'freeze': 2, 'unsettled': 2, 'jumping': 2, 'ascended': 2, 'flies': 2, 'revival': 2, 'holding': 2, 'hush': 2, 'inspired': 2, 'imagining': 2, 'objected': 2, 'hastie': 2, 'bias': 2, 'philosophic': 2, 'bends': 2, 'shows': 2, 'unconnected': 2, 'shrewd': 2, 'Murderer': 2, 'housekeeping': 2, 'Cynna': 2, 'beware': 2, 'possibilities': 2, 'Dreadful': 2, 'knelt': 2, 'Any': 2, 'sparkling': 2, '_my_': 2, 'Violets': 2, 'Lay': 2, 'disperse': 2, 'suppers': 2, 'multiplied': 2, 'physic': 2, 'privileged': 2, 'Torrent': 2, 'rescue': 2, 'Garland': 2, 'encourage': 2, 'Quick': 2, 'resent': 2, 'artless': 2, 'Voltumand': 2, 'receives': 2, 'clocke': 2, 'abide': 2, 'playfully': 2, 'prickt': 2, 'Alicia': 2, 'attribute': 2, 'signifie': 2, 'library': 2, 'Element': 2, 'terribly': 2, 'labours': 2, 'boast': 2, 'lodging': 2, 'sweetbread': 2, 'asparagus': 2, 'glory': 2, 'aspect': 2, 'Hitherto': 2, 'heaven': 2, 'Gowland': 2, 'misinterpreted': 2, 'candlelight': 2, 'sheets': 2, 'Soft': 2, 'unexpectedly': 2, 'plainer': 2, 'saucy': 2, 'presiding': 2, 'eats': 2, 'militia': 2, 'courses': 2, 'dish': 2, 'Mistris': 2, 'repulsed': 2, 'Messengers': 2, 'advance': 2, 'Aunt': 2, 'Uncle': 2, 'pensive': 2, 'Bastard': 2, 'suppresse': 2, 'Nephewes': 2, 'prejudice': 2, 'deliberately': 2, 'Whale': 2, 'meals': 2, 'Seeing': 2, 'bursts': 2, 'oppressed': 2, 'humanity': 2, 'cough': 2, 'Gifts': 2, 'Poysoner': 2, 'awhile': 2, 'loath': 2, 'surmised': 2, 'rugged': 2, 'peeuish': 2, 'sence': 2, 'discussed': 2, 'deciding': 2, 'ashore': 2, 'Argall': 2, 'Tyrants': 2, 'Countries': 2, 'Foe': 2, 'revive': 2, 'Obedience': 2, 'eighteen': 2, 'instruction': 2, 'Point': 2, 'sinke': 2, 'gipsies': 2, 'confirmation': 2, 'wildenesse': 2, 'wonted': 2, 'dancer': 2, 'pearls': 2, 'blew': 2, 'Mountaine': 2, 'combined': 2, 'eternall': 2, 'Tale': 2, 'secrets': 2, 'underrated': 2, 'vndertake': 2, 'audibly': 2, 'bedroom': 2, 'pressure': 2, 'poetry': 2, 'ioynt': 2, 'indisposition': 2, 'ioyes': 2, 'chanc': 2, 'dies': 2, 'Plebeians': 2, 'development': 2, 'kisse': 2, 'Roome': 2, 'etc': 2, '_Now_': 2, 'dishes': 2, 'ribbon': 2, 'partially': 2, 'converse': 2, 'shed': 2, 'odde': 2, 'Foyles': 2, 'effusion': 2, 'Voltemand': 2, 'prouidence': 2, 'simply': 2, 'nowhere': 2, 'sheep': 2, 'browes': 2, 'bids': 2, 'Saue': 2, 'virtue': 2, 'insolence': 2, 'atonement': 2, 'screen': 2, 'negligent': 2, 'oppression': 2, 'significant': 2, 'dialogue': 2, 'adoration': 2, 'debate': 2, 'cal': 2, 'hardy': 2, 'Clownes': 2, 'bearers': 2, 'profusion': 2, 'vnbraced': 2, 'drank': 2, 'recount': 2, 'iealous': 2, 'plots': 2, 'indiscretion': 2, 'Camell': 2, 'gossip': 2, 'suggesting': 2, 'Frame': 2, 'ranked': 2, 'brief': 2, 'showed': 2, 'Bride': 2, 'tremulous': 2, '_should_': 2, 'Commoners': 2, 'embrocation': 2, 'Feature': 2, 'modestie': 2, 'obseruance': 2, 'vtterance': 2, 'slip': 2, 'Carrion': 2, 'Confines': 2, 'Ciuill': 2, 'smell': 2, 'Prophesie': 2, 'Italy': 2, 'Warre': 2, 'hauocke': 2, 'limbes': 2, 'alarms': 2, 'breefely': 2, 'plaintive': 2, 'industriously': 2, 'sins': 2, 'burnes': 2, 'informs': 2, 'winne': 2, 'swept': 2, 'Dowager': 2, 'elbow': 2, 'formall': 2, 'ears': 2, 'euill': 2, 'bury': 2, 'submission': 2, 'coldly': 2, 'sometime': 2, '?)': 2, 'knauish': 2, 'anon': 2, 'port': 2, 'reades': 2, 'Sarah': 2, 'whine': 2, 'improving': 2, 'dissimilar': 2, 'Short': 2, 'Soothsayer': 2, 'Murellus': 2, 'salt': 2, 'heate': 2, 'perillous': 2, 'spacious': 2, 'adventure': 2, 'steadiest': 2, 'acquire': 2, 'Lines': 2, 'pronounc': 2, 'Imagine': 2, 'Mutiny': 2, 'stones': 2, 'Shew': 2, 'mouths': 2, 'insipid': 2, 'Enemie': 2, 'childhood': 2, 'weeping': 2, 'Lyons': 2, 'caro': 2, 'sposo': 2, 'swelling': 2, 'shoulders': 2, 'agrees': 2, 'Offall': 2, 'muttering': 2, 'staircase': 2, 'walkes': 2, 'Four': 2, 'amendment': 2, 'ardour': 2, 'basis': 2, 'contend': 2, 'illegitimacy': 2, 'Selfe': 2, 'east': 2, 'accession': 2, 'banish': 2, 'bargain': 2, 'bodily': 2, 'forehead': 2, 'Cals': 2, 'blister': 2, 'Modestie': 2, 'hunting': 2, 'Ordinance': 2, 'lowly': 2, 'courtesies': 2, 'tables': 2, 'carpet': 2, 'forte': 2, 'square': 2, 'arrowroot': 2, 'poison': 2, 'patiently': 2, 'Heau': 2, 'mare': 2, 'smart': 2, 'Except': 2, 'tour': 2, 'Denmark': 2, 'wake': 2, '_My_': 2, 'gouerne': 2, 'injunction': 2, 'kneele': 2, 'aggravation': 2, 'resorted': 2, 'fled': 2, 'tweene': 2, 'Lyon': 2, 'graver': 2, 'personage': 2, 'grey': 2, 'dab': 2, 'St': 2, 'marks': 2, 'Throate': 2, 'erring': 2, 'stout': 2, 'Broadwood': 2, 'emulate': 2, 'prick': 2, 'Dar': 2, 'noises': 2, 'buzz': 2, 'effectually': 2, 'Torches': 2, 'Hand': 2, 'fullest': 2, 'Austen': 2, 'Comedie': 2, 'carelessness': 2, 'commit': 2, 'benevolence': 2, 'wilde': 2, 'Lest': 2, 'Octauio': 2, 'movements': 2, 'Armour': 2, 'Dies': 2, 'handsomer': 2, 'gravity': 2, 'departed': 2, 'assuming': 2, 'undertook': 2, 'reckoning': 2, 'perforce': 2, 'stream': 2, 'relinquishing': 2, 'devise': 2, 'Theame': 2, 'warre': 2, 'construe': 2, 'equality': 2, 'Perfectly': 2, 'asks': 2, 'averting': 2, 'Feare': 2, 'proclaimed': 2, 'introductions': 2, 'ingratitude': 2, 'meat': 2, 'efforts': 2, 'Forty': 2, '_us_': 2, 'illiterate': 2, 'disturb': 2, 'touched': 2, 'injurious': 2, 'acknowledging': 2, 'aimed': 2, 'irritate': 2, 'dispose': 2, 'acre': 2, 'oneself': 2, 'heedlessness': 2, 'blest': 2, 'elegancies': 2, 'weaken': 2, 'Grappler': 2, 'Calp': 2, 'Thursday': 2, 'senseless': 2, 'paternal': 2, 'reconcile': 2, 'shooke': 2, 'disrespectfully': 2, 'slightingly': 2, 'aspired': 2, 'create': 2, 'wanton': 2, 'Drum': 2, '_say_': 2, 'submissive': 2, 'Wilt': 2, 'critical': 2, 'mansion': 2, 'Pind': 2, 'Apparition': 2, 'predict': 2, 'Together': 2, 'infant': 2, 'capabilities': 2, 'eclat': 2, 'Papa': 2, 'lightened': 2, '_well_': 2, 'Comment': 2, 'Obserue': 2, 'helped': 2, 'Natures': 2, 'Instruments': 2, 'Fooles': 2, 'Birds': 2, 'spake': 2, '_home_': 2, 'modesty': 2, 'retentive': 2, 'acute': 2, 'Fye': 2, 'arranging': 2, 'Eight': 2, 'lamp': 2, 'nothingness': 2, 'publicity': 2, 'outwardly': 2, 'route': 2, 'cousinly': 2, 'incredible': 2, 'Mistrust': 2, 'successe': 2, 'caprice': 2, 'disappeared': 2, 'Forgiue': 2, 'softer': 2, 'prodigy': 2, 'project': 2, 'mechanically': 2, 'darting': 2, 'Arras': 2, 'Processe': 2, 'liest': 2, 'Barke': 2, 'Sirs': 2, 'grievances': 2, 'pursuing': 2, 'Slaues': 2, 'exchange': 2, 'alleviation': 2, 'timidity': 2, 'advocate': 2, 'talkative': 2, '_then_': 2, 'brotherly': 2, 'observer': 2, 'entitle': 2, 'disturbance': 2, 'restless': 2, '_his_': 2, 'random': 2, 'Heir': 2, 'Whilst': 2, 'scandall': 2, 'Oathes': 2, 'Popil': 2, 'walls': 2, 'Warmth': 2, 'enthusiasm': 2, 'Noise': 2, 'Profession': 2, 'restlessness': 2, 'playes': 2, 'environs': 2, 'strawberry': 2, 'refreshing': 2, 'glaring': 2, 'currants': 2, 'Delightful': 2, 'cultivation': 2, 'price': 2, 'beds': 2, 'assent': 2, 'aye': 2, 'inimitable': 2, 'matrimonial': 2, 'solemnly': 2, 'advancing': 2, 'gig': 2, 'imports': 2, 'homage': 2, 'Came': 2, 'strangely': 2, 'captious': 2, 'desk': 2, 'Braue': 2, 'reproof': 2, 'firmness': 2, 'universal': 2, 'exemption': 2, 'gaining': 2, 'conquered': 2, 'fools': 2, 'conduce': 2, 'interfere': 2, 'footstep': 2, 'musing': 2, 'Sixty': 2, 'remainder': 2, 'apply': 2, 'devoting': 2, 'license': 2, 'colouring': 2, 'Leaue': 2, 'arrant': 2, 'brook': 2, 'popular': 2, 'merriment': 2, 'disgusted': 2, 'deceit': 2, 'denoted': 2, 'Bondman': 2, 'Lucky': 2, 'twelue': 2, 'enlivened': 2, 'job': 2, 'passionate': 2, 'selves': 2, 'exaggeration': 2, 'Ros': 2, 'Wood': 2, 'sweare': 2, 'possess': 2, 'precedent': 2, 'stray': 2, 'eyeing': 2, 'dawdling': 2, 'plac': 2, 'confidential': 2, 'shares': 2, 'lesser': 2, 'entreaty': 2, 'crossing': 2, 'greeted': 2, 'vnderstanding': 2, 'pattern': 2, 'yielded': 2, 'VII': 2, 'diet': 2, 'Ride': 2, 'acquitted': 2, 'toils': 2, 'stagnation': 2, 'ah': 2, 'attitude': 2, 'meditating': 2, 'countries': 2, 'Garden': 2, 'extant': 2, 'communicative': 2, 'vacancies': 2, 'spontaneous': 2, 'fated': 2, 'signify': 2, 'Dec': 2, 'generations': 2, 'reputation': 2, 'moued': 2, 'prey': 2, 'Celestiall': 2, 'Lust': 2, 'disgustingly': 2, 'insisted': 2, 'XV': 2, 'vttered': 2, 'refus': 2, 'thriue': 2, 'puzzle': 2, 'Slaue': 2, 'despatch': 2, 'mantelpiece': 2, 'framed': 2, 'Heavens': 2, 'chambers': 2, 'lovers': 2, 'Mirth': 2, 'Appetite': 2, 'hearers': 2, 'Sorrow': 2, 'Coniure': 2, 'haired': 2, 'sandy': 2, 'Mischeefe': 2, 'sung': 2, 'Mad': 2, 'Mars': 2, 'yesternight': 2, 'Y': 2, 'hell': 2, 'Pale': 2, 'stockings': 2, 'Tyber': 2, 'Shores': 2, 'Pleasant': 2, 'contrasted': 2, 'worked': 2, 'Vnlesse': 2, 'confesses': 2, 'Metel': 2, 'opens': 2, 'prepossession': 2, 'safest': 2, 'bending': 2, 'successful': 2, 'Fortunate': 2, 'slew': 2, 'poverty': 2, 'heated': 2, 'lookt': 2, 'Corruption': 2, 'vnseene': 2, 'beside': 2, 'estimable': 2, 'lasted': 2, 'briefly': 2, 'condescending': 2, 'military': 2, 'Maiesties': 2, 'associates': 2, 'beautifully': 2, 'stealing': 2, 'fields': 2, 'merrie': 2, 'disposal': 2, 'henceforth': 2, 'enters': 2, 'commander': 2, 'iot': 2, 'failing': 2, 'sweetest': 2, 'tribute': 2, 'purse': 2, 'nod': 2, 'Almost': 2, 'Cap': 2, 'Romane': 2, 'involuntarily': 2, 'rated': 2, 'Foole': 2, 'speechlesse': 2, 'puzzling': 2, 'regulated': 2, 'indicate': 2, 'omit': 2, 'Ifaith': 2, 'rushed': 2, 'fret': 2, '_at_': 2, 'XVIII': 2, 'gun': 2, 'proprieties': 2, 'creation': 2, 'weariness': 2, 'exterior': 2, 'transformation': 2, 'inward': 2, '"`': 2, 'overlooked': 2, 'threatening': 2, 'expert': 2, 'Bell': 2, 'throwne': 2, 'Fingers': 2, 'craft': 2, 'Gate': 2, 'Him': 2, 'Numbers': 2, 'Speak': 2, 'pricke': 2, 'assur': 2, 'crimes': 2, 'alert': 2, 'drowned': 2, 'scope': 2, 'yourselves': 2, 'chanced': 2, 'doubly': 2, 'subjection': 2, 'whoever': 2, 'Whoever': 2, 'Fetch': 2, 'wept': 2, 'level': 2, 'obtaining': 2, ":'--": 2, 'dryly': 2, 'vivacity': 2, 'benefited': 2, 'whatsoeuer': 2, 'prejudices': 2, 'blinded': 2, 'consistent': 2, 'Primus': 2, 'inconsistency': 2, 'unfounded': 2, 'defended': 2, 'professing': 2, 'powerless': 2, 'creations': 2, 'contemplating': 2, 'Baronetage': 2, 'interposed': 2, 'lowe': 2, 'sang': 2, 'easinesse': 2, 'sorrie': 2, 'ages': 2, 'Cæsar': 2, 'variation': 2, 'confide': 2, 'louder': 2, 'excluded': 2, 'blooming': 2, 'fifteen': 2, 'infirm': 2, 'iealousie': 2, 'struggles': 2, 'hasten': 2, 'anticipating': 2, 'Mess': 2, 'predicament': 2, 'pore': 2, 'chide': 2, 'suspiciously': 2, 'donkey': 2, 'Because': 2, 'prevailing': 2, 'protracted': 2, 'dealing': 2, 'fatigues': 2, 'maids': 2, 'ensure': 2, 'satisfies': 2, 'elevated': 2, 'Poleak': 2, 'Through': 2, 'pierce': 2, 'spoilt': 2, 'Snow': 2, 'Pole': 2, 'Beard': 2, '16': 2, 'Captains': 2, 'enact': 2, 'transfer': 2, 'Guard': 2, 'demanded': 2, 'replication': 2, '].': 2, 'Prayer': 2, 'fold': 2, 'fore': 2, 'congratulation': 2, 'braines': 2, 'Ere': 2, 'els': 2, 'magnificent': 2, 'Hecuba': 2, 'Argument': 2, 'Belike': 2, 'sufferance': 2, 'Windowes': 2, 'restraint': 2, 'seal': 2, 'imperfection': 2, 'beating': 2, 'Last': 2, 'compunction': 2, 'commonest': 2, 'leaned': 2, 'collar': 2, 'Rogue': 2, 'drift': 2, 'Opinion': 2, 'wandering': 2, 'Treacherous': 2, 'sober': 2, 'impassable': 2, 'contemplated': 2, 'determination': 2, 'await': 2, 'cheerless': 2, 'fals': 2, 'arme': 2, 'attaine': 2, 'aired': 2, 'yard': 2, 'flakes': 2, 'pulse': 2, 'courtesy': 2, 'Rew': 2, 'com': 2, 'Error': 2, 'kil': 2, 'Millions': 2, 'pate': 2, 'cheere': 2, 'womens': 2, 'knight': 2, 'landlord': 2, 'inspire': 2, 'Guest': 2, 'refined': 2, 'sold': 2, 'morality': 2, 'School': 2, 'stolen': 2, 'Actors': 2, 'buildings': 2, 'inch': 2, '_our_': 2, '_lady_': 2, 'mermaid': 2, 'election': 2, 'envious': 2, 'rejoicing': 2, 'assurances': 2, 'representations': 2, 'repeat': 2, 'relates': 2, 'reminding': 2, 'fourth': 2, 'ninth': 2, 'odious': 2, 'situated': 2, 'impertinent': 2, 'resisted': 2, 'tempting': 2, 'Command': 2, 'kings': 2, 'pomp': 2, 'displays': 2, 'Eares': 2, 'Faces': 2, 'discouer': 2, 'Presently': 2, 'pretending': 2, 'anew': 2, 'flushed': 2, 'chattering': 2, 'amazingly': 2, 'Question': 2, 'inexcusable': 2, '_He_': 2, 'Obligation': 2, 'riding': 2, 'curtsey': 2, 'empty': 2, 'swet': 2, 'grownd': 2, 'barns': 2, 'misfortunes': 2, 'unperceived': 2, 'wickedness': 2, 'wauing': 2, 'traveller': 2, 'impartially': 2, 'bountiful': 2, 'Young': 2, 'Thought': 2, 'periods': 2, 'forestall': 2, 'cook': 2, 'Harlot': 2, 'compact': 2, 'itching': 2, 'Mart': 2, 'Offices': 2, 'Dogge': 2, 'walnuts': 2, 'windes': 2, 'kindle': 2, 'document': 2, 'twixt': 2, 'twaine': 2, 'transition': 2, 'Deal': 2, 'crisis': 2, 'Actually': 2, 'confirm': 2, 'fought': 2, 'sheltered': 2, 'characteristic': 2, 'building': 2, 'courtesie': 2, 'experienced': 2, 'butter': 2, 'tenders': 2, '_has_': 2, 'closest': 2, 'poultry': 2, 'augmented': 2, 'shell': 2, 'straightforward': 2, 'clouded': 2, 'Lisbon': 2, 'Name': 2, 'lock': 2, 'restrained': 2, 'insignificant': 2, 'replies': 2, 'gold': 2, 'nods': 2, 'Directly': 2, 'cryed': 2, 'accidentally': 2, 'rend': 2, 'dentist': 2, 'discomposed': 2, 'ponds': 2, 'fish': 2, 'deficiencies': 2, 'streame': 2, 'liberall': 2, 'spred': 2, 'Natiue': 2, 'enuious': 2, 'Fell': 2, 'conjectured': 2, 'triumphantly': 2, 'internal': 2, 'Farwell': 2, 'frown': 2, 'draughts': 2, 'hideous': 2, 'solely': 2, 'surprises': 2, 'invaluable': 2, 'Ignorance': 2, 'pious': 2, 'visage': 2, 'repute': 2, 'banished': 2, 'Eyes': 2, 'congratulating': 2, 'Popillius': 2, 'attacked': 2, 'backgammon': 2, 'coach': 2, 'disclos': 2, 'buttons': 2, 'Spring': 2, 'revolts': 2, 'quicken': 2, 'stretcht': 2, 'irrational': 2, 'inconsiderate': 2, 'tooth': 2, 'complains': 2, 'Dare': 2, 'Crewkherne': 2, 'Fore': 2, 'silver': 2, 'luxurious': 2, 'bounds': 2, 'doating': 2, 'adoption': 2, 'slice': 2, 'labourers': 2, 'veranda': 2, 'witnesse': 2, 'pluck': 2, 'Plague': 2, 'build': 2, 'serue': 2, 'vantage': 2, 'teaze': 2, 'witchcraft': 2, 'incestuous': 2, 'moves': 2, 'grosse': 2, 'Lobby': 2, 'foure': 2, 'affecting': 2, 'Lye': 2, 'crack': 2, 'Hannah': 2, 'drops': 2, 'wearied': 2, 'fatigue': 2, 'rested': 2, 'freed': 2, 'pith': 2, 'refusing': 2, 'knife': 2, 'Ancestors': 2, 'reports': 2, 'belou': 2, 'Baby': 2, 'Jealousy': 2, 'dispense': 2, 'solicitation': 2, 'nicety': 2, 'sentence': 2, 'temples': 2, 'plausible': 2, 'theatre': 2, 'Sophia': 2, 'confessed': 2, 'workmen': 2, 'peeces': 2, 'persevering': 2, 'luckiest': 2, 'terme': 2, 'accounted': 2, 'nieces': 2, 'tranquillised': 2, 'verse': 2, 'personally': 2, 'Dutie': 2, 'slighting': 2, 'shared': 2, 'contemptuous': 2, 'deckt': 2, 'vanish': 2, 'lime': 2, 'lie': 2, 'detecting': 2, 'steale': 2, 'perfume': 2, 'Cannon': 2, 'sixe': 2, 'meerely': 2, 'mis': 2, 'owes': 2, 'honesty': 2, 'yoake': 2, 'sloop': 2, 'paragraph': 2, 'Couch': 2, 'acte': 2, 'Rage': 2, 'Hounds': 2, 'derived': 2, 'Tempt': 2, 'levity': 2, 'imputed': 2, 'shal': 2, 'accidentall': 2, 'behindhand': 2, 'unison': 2, 'intellects': 2, 'displayed': 2, 'flatterer': 2, 'Brest': 2, 'darted': 2, 'draper': 2, 'linen': 2, 'dealt': 2, 'bulky': 2, 'termes': 2, 'remarks': 2, 'truer': 2, 'zealous': 2, 'pastime': 2, 'affluence': 2, 'Smiths': 2, 'Dixons': 2, 'elderly': 2, 'market': 2, 'admirably': 2, 'wel': 2, 'Angel': 2, '_Miss_': 2, 'auoyd': 2, 'whet': 2, 'gainer': 2, 'withstand': 2, 'satisfactorily': 2, 'complained': 2, 'unconcerned': 2, 'Orchard': 2, 'La': 2, 'Region': 2, 'supported': 2, 'appreciate': 2, 'heedless': 2, 'nightly': 2, 'affrighted': 2, 'clap': 2, 'naturall': 2, 'ascending': 2, 'iudgements': 2, 'relied': 2, 'gipsy': 2, 'subdue': 2, 'complying': 2, 'forgetfull': 2, 'unsafe': 2, 'stab': 2, 'Ingratitude': 2, 'breefe': 2, 'teacher': 2, 'civilly': 2, 'Liege': 2, 'injuries': 2, 'scale': 2, 'shrewdly': 2, 'Mutes': 2, 'Romance': 2, 'Forest': 2, '_all_': 2, 'offences': 2, 'ate': 2, 'saies': 2, 'Strawes': 2, 'gestures': 2, 'oddest': 2, 'painting': 2, 'assay': 2, 'flown': 2, 'fortunately': 2, 'alluding': 2, 'draws': 2, 'disinclination': 2, 'illnesses': 2, 'clinging': 2, 'coat': 2, 'separation': 2, 'purging': 2, 'heauie': 2, 'blowne': 2, 'lamented': 2, 'vnderneath': 2, 'amity': 2, 'builds': 2, 'Shipwright': 2, 'Mason': 2, 'shold': 2, 'commended': 2, 'pleading': 2, 'motto': 2, 'hop': 2, 'respective': 2, 'agreeableness': 2, 'surprising': 2, 'Invite': 2, 'struggled': 2, 'retain': 2, 'moonlight': 2, 'Ensigne': 2, 'bitterness': 2, 'Belmont': 2, 'passable': 2, 'April': 2, 'rush': 2, 'sauntering': 2, 'deprived': 2, 'subside': 2, 'provocation': 2, 'counsellor': 2, 'Siluer': 2, 'whit': 2, 'governed': 2, 'distract': 2, 'Extracts': 2, 'impose': 2, 'Rapiers': 2, 'sporting': 2, 'detaining': 2, 'dutie': 2, 'unmerited': 2, 'undesirable': 2, 'Bondage': 2, 'Therein': 2, 'existed': 2, 'Visitation': 2, 'hating': 2, 'judges': 2, 'Encouragement': 2, 'Flint': 2, 'coloured': 2, 'skinnes': 2, 'Parchment': 2, 'unfavourable': 2, 'descend': 2, 'trifles': 2, 'leaves': 2, 'Octagon': 2, 'seizure': 2, 'farming': 2, 'rationality': 2, 'ripe': 2, 'tride': 2, 'dues': 2, 'ioyne': 2, 'lodge': 2, 'adopted': 2, 'XVI': 2, 'protesting': 2, 'snowed': 2, 'laundry': 2, 'arguing': 2, 'flash': 2, 'wretchedly': 2, 'household': 2, 'tormenting': 2, 'rotten': 2, '_the_': 2, 'gloried': 2, 'moralists': 2, 'loud': 2, 'horrid': 2, 'Discretion': 2, 'Succession': 2, 'bleeding': 2, 'Butchers': 2, 'Priam': 2, 'remorse': 2, 'sets': 2, 'bears': 2, 'vnknowne': 2, 'blowes': 2, 'fewer': 2, 'canst': 2, 'Rebellious': 2, 'disliked': 2, 'Louers': 2, 'snug': 2, 'shifted': 2, 'overpowers': 2, 'Gates': 2, 'impede': 2, 'wast': 2, 'alliances': 2, 'Powres': 2, 'villaine': 2, 'defying': 2, 'richest': 2, 'fright': 2, 'beard': 2, 'considerations': 2, 'feeding': 2, 'Kites': 2, 'planned': 2, 'Easter': 2, 'carries': 2, 'aduantage': 2, 'apprehended': 2, 'shews': 2, 'male': 2, 'Cerimony': 2, 'briskly': 2, 'archly': 2, 'reprehensible': 2, 'Fantasie': 2, 'hid': 2, 'dashed': 2, 'dimensions': 2, 'Put': 2, 'pawse': 2, 'trash': 2, 'pies': 2, 'awful': 2, 'Coxe': 2, 'Concert': 2, 'remembrances': 2, 'speede': 2, 'notes': 2, 'transcribed': 2, 'assert': 2, 'toy': 2, 'confine': 2, 'headache': 2, 'Wednesday': 2, 'persuasions': 2, 'supporting': 2, 'visions': 2, 'tippet': 2, 'diverted': 2, 'Guildenstern': 2, 'Vowes': 2, 'Laura': 2, 'ostler': 2, 'undone': 2, 'spoil': 2, 'conversations': 2, 'stomacke': 2, 'incompatible': 2, 'irritable': 2, 'Beares': 2, 'preferable': 2, 'mourn': 2, 'Tyrant': 2, 'collections': 2, 'diffident': 2, 'accomplish': 2, 'wreath': 2, 'whence': 2, 'beguile': 2, 'ascertaining': 2, 'meditated': 2, 'coarseness': 2, 'council': 2, 'planning': 2, 'Childe': 2, 'dreading': 2, 'insufficient': 2, '_May_': 2, 'accused': 2, 'pour': 2, 'strucke': 2, 'resting': 2, 'fixt': 2, 'steeper': 2, 'fauours': 2, 'stirring': 2, 'pocket': 2, 'arises': 2, 'glee': 2, 'ridicule': 2, 'Voyage': 2, 'overflowing': 2, 'brightened': 2, 'sheet': 2, 'enmity': 2, 'thoughtlessness': 2, 'Testament': 2, '_to_': 2, '_of_': 2, 'blended': 2, 'Dardanius': 2, 'impudent': 2, 'abusing': 2, 'Honest': 2, 'superseded': 2, 'Bribes': 2, 'East': 2, 'injure': 2, 'graunt': 2, 'ladyship': 2, 'Ophel': 2, 'foreseeing': 2, 'passeth': 1, 'Seeme': 1, 'Trappings': 1, 'Suites': 1, 'contributed': 1, 'Lively': 1, 'coffee': 1, 'withholding': 1, 'finds': 1, 'Squares': 1, 'custard': 1, 'galls': 1, 'picked': 1, 'equiuocation': 1, 'vndoe': 1, 'Carde': 1, 'Kibe': 1, 'lanke': 1, 'Bisson': 1, 'blanket': 1, 'Threatning': 1, 'Rheume': 1, 'clout': 1, 'teamed': 1, 'Villany': 1, 'Kettle': 1, 'drinkes': 1, 'Cannoneer': 1, 'Cups': 1, 'Cannons': 1, 'maske': 1, 'Cauerne': 1, 'dagger': 1, 'Antike': 1, 'Heraulds': 1, 'tokens': 1, 'overcareful': 1, 'soliloquy': 1, 'fidgets': 1, 'moreouer': 1, 'sutor': 1, 'Order': 1, 'Produce': 1, 'shelfe': 1, 'Pocket': 1, 'coynage': 1, 'Creation': 1, 'bodilesse': 1, 'ugly': 1, 'convivial': 1, 'separations': 1, 'augmentation': 1, 'sakes': 1, 'al': 1, 'fresco': 1, 'sympathiser': 1, 'mid': 1, '_Rev': 1, '_Philip_': 1, 'Hart_': 1, 'coaches': 1, 'stars': 1, '_White': 1, '_The_': 1, 'trunk': 1, '_Bath_': 1, 'implicitly': 1, 'tapping': 1, 'harshly': 1, 'subsisted': 1, 'consents': 1, 'drownes': 1, 'Attempts': 1, 'broadly': 1, 'Doore': 1, 'Withall': 1, 'blench': 1, 'concealments': 1, 'ioyfully': 1, 'cling': 1, '23rd': 1, 'birthday': 1, '8th': 1, 'Teares': 1, 'Unjust': 1, 'resentful': 1, 'summons': 1, 'Verses': 1, 'scorning': 1, 'Ladder': 1, 'vpward': 1, 'Lowlynesse': 1, 'attaines': 1, 'ascend': 1, 'Climber': 1, 'Backe': 1, 'vpmost': 1, 'Round': 1, 'til': 1, 'Successe': 1, 'Sacrifice': 1, 'Priests': 1, 'drunkenness': 1, 'stayes': 1, 'Physicke': 1, 'prolongs': 1, 'courtships': 1, 'lameness': 1, 'poisonous': 1, 'plods': 1, '19': 1, 'dispos': 1, 'seduc': 1, 'gunsmith': 1, 'sacrificing': 1, 'Israel': 1, 'Greekes': 1, 'Striking': 1, 'Hum': 1, 'Madman': 1, 'involuntary': 1, 'lyest': 1, 'vnnumbred': 1, 'Skies': 1, 'se': 1, 'nnight': 1, 'assertion': 1, 'vouch': 1, 'tradesman': 1, 'shivering': 1, 'colder': 1, 'dismal': 1, 'vnknowing': 1, 'yeelding': 1, 'circumscrib': 1, 'Whereof': 1, 'cheerfuller': 1, 'insane': 1, 'eyebrows': 1, 'eyelashes': 1, 'sufficed': 1, 'title': 1, 'Bargaine': 1, 'embarrassing': 1, 'Iuggel': 1, 'puff': 1, 'rant': 1, 'seating': 1, 'argues': 1, 'offendendo': 1, 'Se': 1, 'conflicts': 1, 'ennoble': 1, 'Anywhere': 1, 'prior': 1, '--;': 1, 'vanities': 1, 'evasions': 1, 'Charge': 1, 'qualifying': 1, 'Ro': 1, 'fluctuations': 1, 'dews': 1, 'feminine': 1, 'lamentations': 1, 'doated': 1, 'rents': 1, 'Gyant': 1, 'Rebellion': 1, 'Miniatures': 1, 'crayon': 1, 'lengths': 1, 'delineated': 1, 'meate': 1, 'shower': 1, 'exteriors': 1, 'earnes': 1, 'transgressed': 1, 'Safe': 1, 'harder': 1, 'spell': 1, 'Exquisite': 1, 'unmodulated': 1, 'uncouthness': 1, 'expeditious': 1, 'bores': 1, 'Southerly': 1, 'Hawke': 1, 'Handsaw': 1, 'deepest': 1, 'Apron': 1, 'replete': 1, 'puzzles': 1, 'recited': 1, 'politest': 1, 'sentimentally': 1, 'background': 1, 'fraternal': 1, 'shouted': 1, 'ingeniously': 1, 'tens': 1, 'Happier': 1, 'thanker': 1, 'frankness': 1, 'trap': 1, 'Melancholly': 1, 'damne': 1, 'Abuses': 1, 'absurdities': 1, 'Decidedly': 1, 'menace': 1, 'acceptance': 1, 'Waxe': 1, 'Repaire': 1, 'Chayre': 1, 'Pretors': 1, 'predominated': 1, 'Poverty': 1, 'sixpence': 1, 'Extorted': 1, 'wombe': 1, 'hoorded': 1, 'Woodcocke': 1, 'Sprindge': 1, 'Treacherie': 1, 'educate': 1, 'Adopt': 1, 'Kingly': 1, 'historian': 1, 'Beauer': 1, 'flirted': 1, 'unlocked': 1, 'interfered': 1, '_sposo_': 1, '_caro_': 1, 'underbred': 1, 'satisfactions': 1, 'threatened': 1, 'impertinence': 1, 'alijs': 1, 'Cum': 1, 'midnight': 1, 'Sect': 1, 'boorded': 1, 'cleare': 1, 'Shippe': 1, 'corrective': 1, 'steadfast': 1, 'meditation': 1, '_boiled_': 1, 'deviation': 1, 'cope': 1, 'envelope': 1, 'doat': 1, 'billes': 1, 'Outlarie': 1, 'transgression': 1, 'bond': 1, 'smelt': 1, 'Iest': 1, 'Yorick': 1, 'gorge': 1, 'pantry': 1, 'inroads': 1, 'extenuations': 1, 'manoeuvred': 1, 'contiguous': 1, 'foremost': 1, 'stern': 1, 'Affayres': 1, 'Thorough': 1, 'vntrod': 1, 'Charity': 1, 'dreaming': 1, 'indelicacy': 1, 'drugs': 1, 'Mackenzie': 1, 'Hush': 1, 'stickes': 1, 'mellow': 1, 'Purpose': 1, 'validitie': 1, 'vnripe': 1, 'vnshaken': 1, 'Fruite': 1, 'Fulfill': 1, 'smoake': 1, 'purpled': 1, 'reeke': 1, 'deranged': 1, 'pulmonary': 1, 'speedier': 1, 'improbable': 1, 'waded': 1, 'contain': 1, 'primall': 1, 'smels': 1, 'fickleness': 1, 'proverbs': 1, 'armed': 1, 'Tending': 1, 'rejection': 1, 'marrie': 1, 'bang': 1, 'proceede': 1, 'Sutors': 1, 'leniently': 1, 'copy': 1, 'joints': 1, 'clerk': 1, 'rheumatic': 1, 'Green': 1, 'Brown': 1, 'blushes': 1, 'thereabouts': 1, 'retaining': 1, 'deadening': 1, 'shifts': 1, 'Accoutred': 1, 'betide': 1, 'recame': 1, 'clearest': 1, 'expensive': 1, 'minority': 1, 'ragges': 1, 'offends': 1, 'whipt': 1, 'split': 1, 'capeable': 1, 'outHerod': 1, 'inexplicable': 1, 'pated': 1, 'Herod': 1, 'Pery': 1, 'wig': 1, 'Termagant': 1, 'robustious': 1, 'Groundlings': 1, 'tatters': 1, 'vrge': 1, 'Petitions': 1, 'withdrew': 1, 'leasure': 1, 'hoo': 1, 'Finger': 1, 'royall': 1, 'Goblins': 1, 'Cabin': 1, 'knauery': 1, 'Bugges': 1, 'Denmarks': 1, 'superuize': 1, 'vnseale': 1, 'grinding': 1, 'Packet': 1, 'Grop': 1, 'scarft': 1, 'Englands': 1, 'bated': 1, 'Longer': 1, 'unconscious': 1, 'Witness': 1, 'wretchedest': 1, 'palatable': 1, 'overrated': 1, 'Foolerie': 1, 'disrespectful': 1, 'Venom': 1, 'Split': 1, 'Spleene': 1, 'digest': 1, 'Scholler': 1, 'Met': 1, 'passer': 1, 'scheming': 1, 'Acts': 1, 'incongruous': 1, 'Labour': 1, 'prison': 1, 'absorbing': 1, 'beaufet': 1, 'persuasively': 1, 'consequent': 1, 'observable': 1, 'errs': 1, 'Kill': 1, 'CHARADE': 1, 'Sleepes': 1, 'Carue': 1, 'cautell': 1, 'vnuallued': 1, 'besmerch': 1, 'sanctity': 1, 'greatnesse': 1, 'seasonable': 1, 'iumpe': 1, 'warres': 1, 'Polake': 1, 'arriued': 1, 'Affabilitie': 1, 'dimme': 1, 'Erebus': 1, 'Seek': 1, 'Hide': 1, 'preuention': 1, 'Car': 1, 'pitcher': 1, 'broth': 1, 'crosses': 1, 'fills': 1, 'Ye': 1, 'Bookes': 1, 'Feauer': 1, 'feeble': 1, 'Lustre': 1, 'Maiesticke': 1, 'Spaine': 1, 'Fit': 1, 'inflicting': 1, 'unbidden': 1, 'demurs': 1, 'unequivocal': 1, 'tart': 1, 'persisted': 1, 'perpetrated': 1, 'designing': 1, 'blooded': 1, 'spies': 1, 'Battalians': 1, 'sorrowes': 1, 'impropriety': 1, '_joint_': 1, 'province': 1, 'Nursing': 1, 'unfolded': 1, 'exclude': 1, 'alternative': 1, 'plumpness': 1, 'Streets': 1, 'Ladie': 1, "--.'": 1, 'unasked': 1, 'dispensed': 1, 'insupportable': 1, 'losse': 1, 'quake': 1, 'occurs': 1, 'stopp': 1, 'Beere': 1, 'conuerted': 1, 'returneth': 1, 'barrell': 1, 'Lome': 1, 'Quintus': 1, 'impending': 1, 'breast': 1, 'plotting': 1, 'reueale': 1, 'decides': 1, 'performed': 1, 'ornament': 1, 'Sophys': 1, 'Ne': 1, 'ouerlook': 1, 'fac': 1, 'Beer': 1, 'Hey': 1, 'Doue': 1, 'raines': 1, 'nony': 1, 'insertion': 1, 'balanced': 1, 'eyed': 1, 'daylight': 1, '13': 1, 'sarcastically': 1, 'saddle': 1, 'conducting': 1, 'ostentatiously': 1, 'consisted': 1, 'regaling': 1, 'conundrums': 1, 'enigmas': 1, 'contribute': 1, 'ungallant': 1, 'Replies': 1, 'leape': 1, 'tarry': 1, 'prethee': 1, 'whilest': 1, '_invite_': 1, 'Maisters': 1, 'Living': 1, 'lighter': 1, 'Indifferent': 1, 'Blush': 1, 'livelihood': 1, 'silversmith': 1, 'Amb': 1, 'adored': 1, 'dubious': 1, 'wavering': 1, 'unmarked': 1, 'legal': 1, 'Cimber': 1, 'preferre': 1, 'frightfully': 1, 'unbending': 1, 'relinquishment': 1, 'Calender': 1, 'originals': 1, 'neatness': 1, 'brown': 1, 'velvet': 1, 'forbade': 1, 'disapproved': 1, 'Challenger': 1, 'Stood': 1, 'chidden': 1, 'Ferret': 1, 'crost': 1, 'Oration': 1, 'mantle': 1, 'clad': 1, 'Easterne': 1, 'Russet': 1, 'waltzes': 1, 'Blessing': 1, 'perils': 1, 'improprieties': 1, 'Abler': 1, 'Older': 1, 'cals': 1, 'dissipate': 1, 'scorned': 1, 'fondness': 1, 'undertaking': 1, 'Oct': 1, 'Signall': 1, 'vntill': 1, 'Merriment': 1, 'Rore': 1, 'flashes': 1, 'Baudry': 1, 'specimens': 1, 'unclosed': 1, 'ceiling': 1, 'tosses': 1, 'inconveniently': 1, 'artlessly': 1, 'poring': 1, 'duly': 1, 'inexperience': 1, 'Libertie': 1, 'barre': 1, 'faining': 1, 'crooke': 1, 'Candied': 1, 'Hindges': 1, 'thrift': 1, 'pompe': 1, 'rerule': 1, 'Goodman': 1, 'Deluer': 1, 'choosing': 1, 'personableness': 1, '_appropriation_': 1, 'salutation': 1, 'forcibly': 1, 'resemble': 1, 'dupe': 1, 'misconceptions': 1, 'winning': 1, 'bake': 1, 'boil': 1, 'beckens': 1, 'sheweth': 1, 'preliminary': 1, 'modify': 1, 'indenture': 1, 'Rossius': 1, 'brutal': 1, 'gradations': 1, 'alterations': 1, 'Fishmonger': 1, 'Lecture': 1, 'windlesses': 1, 'indirections': 1, 'bait': 1, 'Bias': 1, 'falshood': 1, 'assaies': 1, 'proves': 1, 'Tyrannie': 1, 'porker': 1, 'fried': 1, 'stomach': 1, 'steaks': 1, 'grease': 1, 'Pricke': 1, 'trimmed': 1, 'condescension': 1, 'hardness': 1, 'retrenching': 1, 'Again': 1, 'prosings': 1, 'solitariness': 1, 'anticipate': 1, 'mugger': 1, 'muddied': 1, 'hugger': 1, 'greenly': 1, 'vnwholsome': 1, 'Thicke': 1, 'whispers': 1, 'interre': 1, 'Others': 1, 'vnskilfull': 1, 'reway': 1, 'Theater': 1, 'Iudicious': 1, 'disagrees': 1, 'seate': 1, 'Globe': 1, 'ruddy': 1, 'shoot': 1, 'shyness': 1, 'resided': 1, 'buffets': 1, 'coolness': 1, 'Nunnerie': 1, 'Madness': 1, 'argumentative': 1, 'sample': 1, 'daringly': 1, 'Rather': 1, 'Showts': 1, 'Clamors': 1, 'boldly': 1, 'poems': 1, 'plaguing': 1, 'Companion': 1, 'maintains': 1, 'nutshell': 1, 'sodainely': 1, '_courtship_': 1, 'lifeless': 1, 'jar': 1, 'Lower': 1, 'precipitate': 1, 'Pub': 1, 'Hurts': 1, 'Manners': 1, 'Plucking': 1, 'Offering': 1, 'intrailes': 1, 'detain': 1, 'contact': 1, 'betweens': 1, 'feele': 1, 'headstrong': 1, 'gala': 1, 'reseated': 1, 'lawfully': 1, 'reverted': 1, 'narratives': 1, 'Keep': 1, 'quotations': 1, 'hood': 1, 'wink': 1, 'Kindled': 1, 'Infaith': 1, 'forest': 1, 'Up': 1, 'unwearied': 1, 'famed': 1, 'cliff': 1, 'luxuriant': 1, 'Pinny': 1, 'backed': 1, 'growth': 1, 'generation': 1, 'fragments': 1, 'resembling': 1, 'rocks': 1, 'exhibited': 1, 'rock': 1, 'Wight': 1, 'orchards': 1, 'green': 1, 'chasms': 1, 'woody': 1, 'sweeps': 1, 'Isle': 1, 'abstained': 1, 'mails': 1, 'obtrude': 1, 'mood': 1, 'regulate': 1, 'scanter': 1, 'entreatments': 1, 'reappearance': 1, 'Mutual': 1, 'Breefely': 1, 'expectansie': 1, 'mould': 1, 'Obseruers': 1, 'revolving': 1, 'inuites': 1, 'flatterers': 1, 'comprehensible': 1, 'inverted': 1, 'transposed': 1, '_names_': 1, 'Archibald': 1, 'Drew': 1, 'congregation': 1, 'feather': 1, 'discouery': 1, 'moult': 1, 'golden': 1, 'Roofe': 1, 'sterrill': 1, 'Promontory': 1, 'fretted': 1, 'Maiesticall': 1, 'appeares': 1, 'secricie': 1, 'forgone': 1, 'vapours': 1, 'parental': 1, '1803': 1, 'Wells': 1, 'heape': 1, 'drawne': 1, 'Transformed': 1, 'gastly': 1, 'Ducates': 1, 'mowes': 1, 'grammatical': 1, 'composition': 1, 'kindred': 1, 'decease': 1, 'conuert': 1, 'sterne': 1, 'managed': 1, 'conniving': 1, 'gayest': 1, 'alphabets': 1, 'horribly': 1, 'grandfathers': 1, 'disadvantage': 1, 'facing': 1, '----------,': 1, 'frank': 1, 'covert': 1, 'singularity': 1, 'sash': 1, 'curtain': 1, 'Exits': 1, 'powres': 1, "';": 1, 'Vision': 1, 'Saint': 1, 'remaster': 1, 'Patricke': 1, 'Lights': 1, '23': 1, 'reform': 1, 'bustles': 1, 'loth': 1, 'tremor': 1, 'withdrawing': 1, 'faring': 1, 'arriu': 1, 'Tenure': 1, 'Empire': 1, 'Cutpurse': 1, 'waits': 1, 'con': 1, 'bondman': 1, 'Hated': 1, 'roate': 1, 'Teeth': 1, 'brau': 1, 'Check': 1, 'wantonness': 1, 'guileless': 1, 'thoroughfare': 1, 'sayst': 1, 'brightest': 1, 'Courage': 1, 'bosomes': 1, 'Tut': 1, 'Aboord': 1, 'Quality': 1, 'scann': 1, 'killes': 1, 'pat': 1, '_______': 1, 'regiment': 1, 'infantry': 1, 'consumption': 1, 'warne': 1, 'vpper': 1, 'Hilles': 1, 'Answering': 1, 'Regions': 1, 'battailes': 1, 'proues': 1, 'Saw': 1, 'shorten': 1, 'Armies': 1, 'wrangle': 1, 'approval': 1, 'beam': 1, 'womanly': 1, '_compassion_': 1, 'Rousing': 1, 'counsels': 1, 'demerits': 1, 'forfeit': 1, 'interior': 1, 'varied': 1, 'Fancying': 1, 'fathomed': 1, 'regardless': 1, 'administer': 1, 'veyl': 1, 'Meerely': 1, 'Iohn': 1, 'metled': 1, 'vnpregnant': 1, 'defeate': 1, 'peake': 1, 'uppermost': 1, 'defeating': 1, 'Scedule': 1, 'tyranny': 1, 'sedulously': 1, 'guarding': 1, 'toucht': 1, 'materials': 1, 'envied': 1, 'boastful': 1, 'restoration': 1, 'Concession': 1, 'forwardness': 1, 'preserver': 1, 'Handsome': 1, 'enchanted': 1, 'Prodigies': 1, 'Clymate': 1, 'conioyntly': 1, 'portentous': 1, 'reme': 1, 'ber': 1, 'brauely': 1, '_assistance_': 1, 'Capitall': 1, 'Calfe': 1, 'bruite': 1, 'stolne': 1, 'threat': 1, 'soundlesse': 1, 'buzzing': 1, 'Spurre': 1, 'Horsemen': 1, 'spurres': 1, 'surmounting': 1, 'rebels': 1, 'wheres': 1, 'prolonged': 1, 'hows': 1, 'callers': 1, 'mornings': 1, 'stalkes': 1, 'unprejudiced': 1, 'Hear': 1, 'brunt': 1, 'doted': 1, 'cleansed': 1, 'especial': 1, 'Quicknesse': 1, 'Malefactions': 1, 'Bene': 1, 'seduced': 1, 'exemplify': 1, 'glossy': 1, 'attained': 1, 'ringing': 1, 'Seven': 1, 'leades': 1, 'Tide': 1, 'Miseries': 1, 'voyage': 1, 'Shallowes': 1, 'Omitted': 1, 'vseth': 1, 'decay': 1, 'Euer': 1, 'describ': 1, 'sicken': 1, 'effecting': 1, 'eminent': 1, 'Matrimony': 1, 'Imployment': 1, 'daintier': 1, 'Agricultural': 1, 'reads': 1, 'Reports': 1, 'IVLIVS': 1, 'CaeSAR': 1, 'TRAGEDIE': 1, 'THE': 1, 'wearying': 1, 'loveliest': 1, 'eielids': 1, 'Vntill': 1, 'promoting': 1, 'immortality': 1, 'harrowes': 1, 'feasible': 1, 'needes': 1, 'glean': 1, 'iaw': 1, 'swallowed': 1, 'squeezing': 1, 'advertise': 1, 'hazarded': 1, 'refutation': 1, 'boiling': 1, '24th': 1, 'regained': 1, '_addition_': 1, 'tragedie': 1, 'HAMLET': 1, 'Putting': 1, 'dil': 1, '29th': 1, 'spleen': 1, 'eligibility': 1, 'villain': 1, 'monsters': 1, 'Finis': 1, 'gladden': 1, 'resume': 1, 'greatness': 1, "--------.'": 1, 'spine': 1, 'luxuries': 1, 'assorted': 1, 'tittle': 1, 'tattle': 1, 'Perfect': 1, 'heartiness': 1, 'movement': 1, 'bathed': 1, 'veils': 1, 'weddings': 1, 'produces': 1, 'literary': 1, 'sentimental': 1, 'condescend': 1, 'mortgage': 1, 'condescended': 1, 'copying': 1, 'sufferable': 1, 'cheff': 1, 'ranck': 1, 'stinglesse': 1, 'professedly': 1, 'impartial': 1, 'disservice': 1, 'author': 1, 'load': 1, 'score': 1, 'tenacious': 1, 'occasioning': 1, 'confederates': 1, 'Deare': 1, 'Henceforward': 1, 'Personal': 1, 'maruellous': 1, 'retyrement': 1, 'pondering': 1, 'Apparrell': 1, 'Seruices': 1, 'mindful': 1, 'platforme': 1, 'watcht': 1, 'upstairs': 1, 'desultory': 1, 'Affront': 1, 'Citizen': 1, 'forwarding': 1, 'speck': 1, 'methods': 1, 'sauciness': 1, 'preconcerted': 1, 'Yeeld': 1, 'enjoyable': 1, 'oddities': 1, 'decencies': 1, 'Lucian': 1, 'acknowledgments': 1, 'abominates': 1, 'disfigured': 1, 'pierced': 1, 'crawling': 1, 'quarrels': 1, 'differing': 1, 'gladness': 1, 'stayed': 1, 'inferiorities': 1, 'sinne': 1, 'tarre': 1, 'flowing': 1, 'south': 1, 'easterly': 1, 'breeze': 1, 'Hillo': 1, 'bird': 1, 'veneration': 1, 'Molland': 1, ').--': 1, 'pang': 1, 'swearing': 1, 'fencing': 1, 'drabbing': 1, 'Quarelling': 1, 'Clemencie': 1, 'Patientlie': 1, 'narrative': 1, 'forever': 1, 'cupboards': 1, 'holly': 1, 'bush': 1, 'aspersion': 1, 'vindicated': 1, 'overcoming': 1, 'spouting': 1, 'Cognisance': 1, 'Reuiuing': 1, 'Staines': 1, 'pipes': 1, 'Tinctures': 1, 'Reliques': 1, 'Signifies': 1, 'interpreted': 1, 'needlessly': 1, 'inadmissibility': 1, 'creditably': 1, 'assizes': 1, 'refine': 1, 'acuteness': 1, 'Month': 1, 'Niobe': 1, 'engrosses': 1, 'niggard': 1, 'Necessitie': 1, 'crept': 1, 'strip': 1, 'behoue': 1, 'angles': 1, 'detached': 1, 'trulie': 1, 'Bawd': 1, 'transforme': 1, 'likenesse': 1, 'undesirableness': 1, 'engrafted': 1, 'fanciful': 1, 'pillars': 1, 'erection': 1, 'insensibly': 1, 'avenue': 1, 'limes': 1, 'evinced': 1, 'Situated': 1, 'embarrass': 1, 'contradicted': 1, 'scepticism': 1, 'dinings': 1, 'medley': 1, 'threadbare': 1, 'promotion': 1, 'beckons': 1, 'impartment': 1, 'vnsinnowed': 1, 'blast': 1, 'ake': 1, 'unluckily': 1, 'cherish': 1, 'god': 1, 'misunderstanding': 1, '_purport_': 1, 'priced': 1, 'hotter': 1, 'irremediable': 1, 'unperplexed': 1, 'obtrusiveness': 1, 'exceeds': 1, 'thaw': 1, 'unfriendly': 1, 'prisoner': 1, 'sluggish': 1, 'mounted': 1, 'consternation': 1, 'recommencing': 1, 'sorrowing': 1, 'intends': 1, 'medicine': 1, 'umpire': 1, 'appealed': 1, 'Cursing': 1, 'murthered': 1, 'Drab': 1, 'Prompted': 1, 'Whore': 1, 'vnpacke': 1, 'cheerfullest': 1, 'retaine': 1, 'smilingly': 1, 'Hoa': 1, 'prouoke': 1, 'Moreouer': 1, 'Abominable': 1, 'Indignation': 1, 'scoundrel': 1, 'intermediate': 1, 'Composure': 1, 'repell': 1, 'accesse': 1, 'rivals': 1, 'credible': 1, '_just_': 1, 'midshipmen': 1, 'taxes': 1, 'conversant': 1, 'incens': 1, 'heede': 1, 'adverse': 1, 'equipage': 1, 'pallid': 1, ':"--': 1, 'vnpolluted': 1, 'pardonable': 1, 'cloth': 1, 'shrunk': 1, 'tires': 1, 'preclude': 1, 'emphatically': 1, 'Senses': 1, 'Wisedom': 1, 'Censure': 1, 'roar': 1, 'Sinewes': 1, 'stemming': 1, 'lusty': 1, 'buffet': 1, '1784': 1, '1760': 1, 'Stevenson': 1, '15': 1, 'chancing': 1, 'inelegance': 1, 'bidding': 1, 'Difference': 1, 'terrors': 1, 'fervent': 1, 'occurring': 1, 'forgetfulness': 1, 'inure': 1, 'begging': 1, 'placidity': 1, 'associated': 1, 'endeavours': 1, 'undesired': 1, 'overturned': 1, 'Proscription': 1, 'Sentence': 1, 'Frankland': 1, 'guile': 1, 'Compliments': 1, 'advertising': 1, 'Choller': 1, 'Doctor': 1, 'Purgation': 1, 'plundge': 1, 'proficient': 1, 'untoward': 1, 'weighs': 1, 'deafness': 1, 'diffused': 1, 'constitutions': 1, 'thrusting': 1, 'Darts': 1, 'piercing': 1, 'inuenomed': 1, 'Seeke': 1, 'younker': 1, 'Complexion': 1, 'Worke': 1, 'Fauors': 1, 'vehicle': 1, 'Absence': 1, 'Murderers': 1, 'obviously': 1, 'interrupting': 1, '_with_': 1, '_time_': 1, 'divined': 1, 'fricassee': 1, 'Candles': 1, 'biscuits': 1, 'schemed': 1, 'successfully': 1, 'dependencies': 1, 'ungenerous': 1, 'Dreames': 1, 'Apt': 1, 'hairdresser': 1, 'motionless': 1, 'Armie': 1, 'affluent': 1, 'Wakefield': 1, 'Vicar': 1, 'appreciating': 1, 'jumble': 1, 'Banke': 1, 'Layes': 1, 'Incestuous': 1, 'Gilberts': 1, 'sufferers': 1, 'Hypocrites': 1, 'Nero': 1, 'summoned': 1, 'speechless': 1, 'disproportion': 1, 'boasts': 1, '?--(': 1, 'Quiddits': 1, 'current': 1, 'Ventures': 1, 'float': 1, 'habitual': 1, 'wormes': 1, 'conuocation': 1, 'homely': 1, 'embodied': 1, 'orderly': 1, 'Tokens': 1, 'Aduice': 1, 'Admit': 1, 'Resort': 1, 'Fruites': 1, 'bespeake': 1, 'exigent': 1, 'soldier': 1, 'meditations': 1, 'Impotent': 1, 'Bedrid': 1, 'scarsely': 1, 'imperfect': 1, 'circular': 1, 'Pembroke': 1, 'Quartus': 1, 'Beads': 1, 'Began': 1, 'bigge': 1, 'devote': 1, 'unobservant': 1, 'incurious': 1, 'deceiued': 1, 'humane': 1, 'unostentatious': 1, 'Prejudiced': 1, 'Wooes': 1, 'vnwilling': 1, 'penetrated': 1, 'expiration': 1, 'Line': 1, 'Hyrcanian': 1, 'vnmanly': 1, 'Vnderstanding': 1, 'incorrect': 1, 'vnschool': 1, 'Opposition': 1, 'vnfortified': 1, 'Minde': 1, '_particular_': 1, 'bearer': 1, 'Clayton': 1, 'Park': 1, 'remonstrated': 1, 'enviable': 1, 'thickest': 1, 'boots': 1, 'Shabby': 1, 'precautions': 1, 'entertaine': 1, 'espalier': 1, 'Sham': 1, 'dang': 1, 'euills': 1, 'Lessening': 1, 'soliciting': 1, 'Meanes': 1, 'attyre': 1, 'mouing': 1, 'propos': 1, 'cride': 1, 'arriue': 1, 'brightness': 1, 'newly': 1, 'thinner': 1, 'clothing': 1, 'deem': 1, 'Beauties': 1, 'Vertues': 1, 'weakened': 1, 'discharged': 1, 'Endure': 1, 'Winters': 1, 'styles': 1, 'Crocodile': 1, 'Esile': 1, 'pile': 1, 'Pelion': 1, 'skyish': 1, 'extend': 1, '_Mr_': 1, 'advantageous': 1, 'sighe': 1, 'harrow': 1, 'Porpentine': 1, 'fretfull': 1, 'lockes': 1, 'knotty': 1, 'Spheres': 1, 'Quilles': 1, 'lightest': 1, 'didst': 1, 'blason': 1, 'orphan': 1, 'yeomanry': 1, 'passages': 1, 'sparke': 1, 'qualifies': 1, 'contingencies': 1, 'indefinite': 1, 'conveniences': 1, 'emulating': 1, 'deuill': 1, 'shelf': 1, 'closet': 1, 'inlaid': 1, 'struggling': 1, 'forerunner': 1, 'hazle': 1, 'perturbed': 1, 'spight': 1, 'friending': 1, 'Turfe': 1, 'grasse': 1, 'Meales': 1, 'sixeteene': 1, 'rages': 1, 'Hecticke': 1, 'happes': 1, 'Bishop': 1, 'Spicers': 1, 'Shop': 1, 'curled': 1, 'herald': 1, 'freedome': 1, 'repeale': 1, 'Desiring': 1, 'treasuring': 1, 'auouch': 1, 'attacking': 1, 'intolerable': 1, 'whoreson': 1, 'Reported': 1, 'chopfalne': 1, 'pink': 1, 'magistrates': 1, 'churchwardens': 1, 'overseers': 1, 'stipulation': 1, 'outstepped': 1, 'imperiously': 1, 'gaine': 1, 'proudest': 1, 'replacing': 1, 'Puppets': 1, 'dallying': 1, 'inference': 1, 'laide': 1, 'haunt': 1, 'flock': 1, 'wool': 1, 'upset': 1, 'whereabouts': 1, 'Napkin': 1, 'Carowses': 1, 'consenting': 1, 'measuring': 1, 'differ': 1, 'shrubs': 1, 'western': 1, 'aduise': 1, 'Postscript': 1, 'temptations': 1, 'Pluto': 1, 'Deerer': 1, 'Breast': 1, 'Richer': 1, 'Depriu': 1, 'woer': 1, 'trebble': 1, 'Ingenious': 1, 'Fall': 1, 'repulsively': 1, 'implanted': 1, 'plainest': 1, 'pronouns': 1, 'repellent': 1, 'canvassing': 1, 'inspect': 1, 'nerue': 1, 'Nemian': 1, 'Lions': 1, 'Artire': 1, 'Although': 1, 'opportune': 1, 'laurels': 1, 'Physicall': 1, 'danke': 1, 'docile': 1, 'dissentient': 1, 'Prouender': 1, 'appoint': 1, 'paule': 1, 'rashnesse': 1, 'Rough': 1, 'Bilboes': 1, 'mutines': 1, 'fighting': 1, 'rashly': 1, 'overspread': 1, 'Cushions': 1, 'Saunders': 1, 'hindered': 1, 'infamous': 1, 'fraud': 1, 'tremblings': 1, 'reigning': 1, 'indelible': 1, 'immoveable': 1, 'wrapped': 1, 'Farre': 1, 'fayl': 1, 'Bonds': 1, 'supposall': 1, 'Message': 1, 'pester': 1, 'Holding': 1, 'Aduantage': 1, 'disioynt': 1, 'Colleagued': 1, 'Lost': 1, 'sparingly': 1, 'Giaour': 1, 'poets': 1, 'Lake': 1, 'richness': 1, 'imaged': 1, 'impassioned': 1, 'Abydos': 1, 'Marmion': 1, 'Riuals': 1, 'stanza': 1, 'requited': 1, 'Cowper': 1, 'twilight': 1, 'attributed': 1, 'shopping': 1, 'puncture': 1, 'Scorne': 1, 'Word': 1, 'Bodie': 1, 'Mirrour': 1, 'twer': 1, 'Sute': 1, 'Louise': 1, 'Curse': 1, 'Fury': 1, 'Ate': 1, 'Monarkes': 1, 'Obiects': 1, 'cumber': 1, 'choak': 1, 'Dogges': 1, 'Domesticke': 1, 'ranging': 1, 'fierce': 1, 'quartered': 1, 'Ruby': 1, 'mouthes': 1, 'studied': 1, 'promptitude': 1, 'solace': 1, 'argued': 1, 'continuall': 1, 'oddes': 1, '.--,': 1, 'solicitously': 1, 'obtruding': 1, 'rite': 1, 'buriall': 1, 'Trophee': 1, 'Hatchment': 1, 'enterred': 1, 'proudly': 1, 'trodden': 1, 'hazel': 1, 'brethren': 1, 'releefe': 1, '_tell_': 1, 'Dukes': 1, 'Vienna': 1, 'Baptista': 1, 'Tropically': 1, 'falls': 1, 'presuming': 1, 'infancy': 1, 'truant': 1, 'Obseruer': 1, 'Deeds': 1, 'doctor': 1, 'breach': 1, 'outface': 1, 'leaping': 1, 'bowing': 1, 'tether': 1, 'Antonies': 1, 'agriculture': 1, 'Common': 1, 'chapters': 1, 'individually': 1, 'Brand': 1, 'professional': 1, 'Course': 1, 'drie': 1, 'Braines': 1, 'Sence': 1, 'Burne': 1, 'Vnsifted': 1, 'Chowgh': 1, 'Crib': 1, 'Messe': 1, 'fertile': 1, 'coldest': 1, 'Town': 1, 'Whirle': 1, 'Temperance': 1, 'beget': 1, 'Tempest': 1, 'trippingly': 1, 'Smoothnesse': 1, 'Cryer': 1, 'mounts': 1, '?\'"': 1, 'liberally': 1, 'fairest': 1, 'tauntingly': 1, 'Marriages': 1, 'Increase': 1, 'indignity': 1, 'raved': 1, 'behauior': 1, 'stroke': 1, 'inattentive': 1, 'gross': 1, 'dum': 1, 'Wound': 1, 'ruffle': 1, 'hushed': 1, 'heartless': 1, 'nimblenesse': 1, 'Souldiers': 1, 'Doing': 1, 'uniting': 1, 'dissipations': 1, 'idleness': 1, 'devoid': 1, '_mediocre_': 1, 'doatingly': 1, 'wherewith': 1, 'litter': 1, 'depriving': 1, 'supplication': 1, 'slumber': 1, 'Tune': 1, 'sleepy': 1, 'Murd': 1, 'hypocrite': 1, 'Rubbish': 1, 'relented': 1, 'sham': 1, 'apiece': 1, 'Entrailes': 1, 'guesse': 1, 'progresse': 1, 'apologize': 1, 'yearly': 1, 'furnishing': 1, 'charities': 1, 'symptom': 1, 'trifled': 1, 'fuller': 1, 'badly': 1, 'romance': 1, 'ungenial': 1, 'preface': 1, 'nervousness': 1, 'hysterics': 1, 'control': 1, 'soothe': 1, 'assistants': 1, 'poorer': 1, 'picnic': 1, 'workbasket': 1, 'recourse': 1, 'seconded': 1, 'disabled': 1, 'insignificance': 1, 'steals': 1, 'habite': 1, 'Portall': 1, 'weapons': 1, 'roof': 1, 'cellars': 1, 'pent': 1, 'Hypocrite': 1, 'blurres': 1, 'commissioned': 1, 'statement': 1, 'Gauntlets': 1, 'Flagons': 1, 'Decree': 1, 'couchings': 1, 'shining': 1, 'weapon': 1, 'haile': 1, 'Sweets': 1, 'rack': 1, 'storeroom': 1, 'helpmate': 1, 'abominate': 1, '_they_': 1, 'tels': 1, 'sourse': 1, 'Sonnes': 1, 'lash': 1, 'Bragges': 1, 'crowing': 1, 'seaside': 1, 'coarser': 1, 'featured': 1, 'mama': 1, '_wanted_': 1, 'beauteous': 1, 'Cobl': 1, 'showted': 1, 'Neighbors': 1, 'euerie': 1, 'gentler': 1, 'Lend': 1, 'twill': 1, 'bars': 1, 'feebly': 1, 'slander': 1, 'appeased': 1, 'deplored': 1, 'thumbe': 1, 'easie': 1, 'Ventiges': 1, 'bootlesse': 1, 'affront': 1, 'car': 1, 'brutish': 1, 'wheaten': 1, 'Contents': 1, 'amities': 1, 'debatement': 1, 'Comma': 1, 'shriuing': 1, 'Coniuration': 1, 'Assis': 1, 'Tributary': 1, 'sighs': 1, 'surly': 1, 'glaz': 1, 'annoying': 1, 'wrinkles': 1, 'powder': 1, 'mahogany': 1, 'hairs': 1, 'Ives': 1, 'Fie': 1, 'Silence': 1, 'extrauagant': 1, 'hyes': 1, 'shrill': 1, 'Confine': 1, 'ensued': 1, 'Thereto': 1, 'Pride': 1, 'Combate': 1, 'Murrellus': 1, 'pulling': 1, 'Scarffes': 1, 'slam': 1, 'Soup': 1, 'sunny': 1, 'Obsequies': 1, 'inlarg': 1, '22': 1, 'originating': 1, 'performers': 1, 'vnscorch': 1, 'Held': 1, 'twentie': 1, 'ioyn': 1, 'presumptuous': 1, '1816': 1, 'belike': 1, 'perdie': 1, 'Recorders': 1, 'headaches': 1, 'obstacles': 1, '_precious_': 1, '_treasures_': 1, '_Most_': 1, 'discontent': 1, 'disagreeables': 1, 'sanguinely': 1, 'whiles': 1, 'worlds': 1, 'Gulfe': 1, 'noyance': 1, 'Yond': 1, 'Sleeke': 1, 'unmixed': 1, 'surviving': 1, 'adventuring': 1, 'portioning': 1, 'rubbish': 1, 'collects': 1, 'turnings': 1, 'compromising': 1, 'naught': 1, 'properer': 1, 'Among': 1, 'Vexed': 1, 'greeu': 1, 'passions': 1, 'Forgets': 1, 'Behauiours': 1, 'Conceptions': 1, 'Extraordinary': 1, 'imagines': 1, 'visite': 1, 'behauiour': 1, 'maruels': 1, 'appreciation': 1, 'tranquillized': 1, 'spurned': 1, 'forbad': 1, 'applicant': 1, 'spontaneously': 1, 'amazed': 1, 'Beautiful': 1, 'fondest': 1, 'eighty': 1, 'counted': 1, 'frights': 1, 'flagrant': 1, 'crime': 1, 'inhumanity': 1, 'asperity': 1, 'accessions': 1, 'acquisition': 1, 'supplies': 1, 'severed': 1, 'possessing': 1, 'thrive': 1, 'wounding': 1, 'kissed': 1, 'protestation': 1, 'utterance': 1, 'Lieut': 1, 'Volum': 1, 'protecting': 1, 'alienable': 1, 'despatched': 1, 'stores': 1, 'preconceived': 1, 'Caps': 1, 'applaud': 1, 'obstinacy': 1, 'darings': 1, 'suppe': 1, 'Few': 1, 'valet': 1, 'Vague': 1, 'Fret': 1, 'dismembered': 1, 'puppies': 1, 'gapes': 1, 'reclaimed': 1, 'repossessed': 1, 'doleful': 1, 'memorandums': 1, 'pencilled': 1, 'instruments': 1, 'smil': 1, 'vnderstood': 1, 'perpetuated': 1, 'intervention': 1, 'contemptuously': 1, 'accustomary': 1, 'offspring': 1, 'enchanting': 1, 'Addicted': 1, 'hees': 1, 'vsuall': 1, 'Companions': 1, 'forgeries': 1, 'heed': 1, 'slips': 1, 'hum': 1, 'lacing': 1, 'Secunda': 1, 'Scena': 1, 'companionably': 1, '_thoughts_': 1, 'testifies': 1, 'channel': 1, 'Throne': 1, 'Nobility': 1, 'deerest': 1, 'vnpreuayling': 1, 'elasticity': 1, 'delayed': 1, 'Venome': 1, 'Gainst': 1, 'thoughtfulness': 1, 'privately': 1, 'Wrong': 1, 'Whereas': 1, 'secrecie': 1, 'timid': 1, 'suites': 1, 'Blacke': 1, 'deiected': 1, 'suspiration': 1, 'Inky': 1, 'Seemes': 1, 'Customary': 1, 'solemne': 1, 'Formes': 1, 'hauiour': 1, 'fruitfull': 1, 'Riuer': 1, 'Griefe': 1, 'Moods': 1, 'Cloake': 1, 'dwellings': 1, 'hotel': 1, 'ensured': 1, 'slipped': 1, 'sashed': 1, 'retrace': 1, 'fares': 1, 'undertaken': 1, 'rave': 1, '_happily_': 1, 'Acte': 1, 'Imaginations': 1, 'Vulcans': 1, 'occulted': 1, 'vnkennell': 1, 'Stythe': 1, 'bunghole': 1, 'lieve': 1, 'tossed': 1, 'Fires': 1, 'Faculties': 1, 'infus': 1, 'qualitie': 1, 'gliding': 1, 'ahead': 1, 'Yoricks': 1, 'Iester': 1, '_here_': 1, 'Chappell': 1, 'Cup': 1, 'verbal': 1, 'Foh': 1, 'Aladdin': 1, 'farwel': 1, 'relieu': 1, 'Soldier': 1, 'Mend': 1, 'sawcy': 1, 'pervading': 1, 'unconsidered': 1, 'tasting': 1, 'Sleepe': 1, 'Condolement': 1, 'perseuer': 1, 'stubbornnesse': 1, 'impious': 1, 'permit': 1, 'luckily': 1, 'Eyther': 1, 'Incenses': 1, 'sawcie': 1, 'vnyoake': 1, 'singleness': 1, 'discontented': 1, 'Scullion': 1, 'Ist': 1, 'adapt': 1, 'fails': 1, 'waters': 1, 'Dewes': 1, 'Dangers': 1, 'Clowds': 1, 'sturdy': 1, 'neck': 1, 'unfastened': 1, 'discussing': 1, 'spendthrift': 1, 'courb': 1, 'fatnesse': 1, 'pursie': 1, 'Vice': 1, 'stationing': 1, 'Otways': 1, 'howre': 1, 'ingratiating': 1, 'mania': 1, '_wish_': 1, '_Dixon_': 1, 'Paiocke': 1, 'conuey': 1, 'Behinde': 1, 'hinder': 1, 'Gamesom': 1, 'Associates': 1, 'resettled': 1, 'Light': 1, 'Chaplesse': 1, 'Wormes': 1, 'Sextons': 1, 'tricke': 1, 'knockt': 1, 'Mazard': 1, 'Reuolution': 1, 'relic': 1, 'prepossessing': 1, 'teased': 1, 'omitting': 1, 'Acquit': 1, 'resentfully': 1, 'stipulate': 1, 'tugging': 1, 'maternal': 1, 'variously': 1, 'liefe': 1, 'Thing': 1, 'Prima': 1, 'Scoena': 1, 'corpse': 1, 'vngracious': 1, 'recklesse': 1, 'Libertine': 1, 'treads': 1, 'Lesson': 1, 'thorny': 1, 'Primrose': 1, 'watchmen': 1, 'puft': 1, 'Himselfe': 1, 'reaks': 1, 'Pastors': 1, 'dalliance': 1, 'steepe': 1, 'Protester': 1, 'Banquetting': 1, 'fawne': 1, 'Rout': 1, 'hugge': 1, 'professe': 1, 'Poesie': 1, 'Known': 1, 'boasting': 1, 'littlenesses': 1, 'landholder': 1, 'captivate': 1, 'coachmen': 1, 'faltering': 1, 'labouring': 1, 'Mechanicall': 1, 'charges': 1, 'Mace': 1, 'Leaden': 1, 'Layest': 1, 'apologised': 1, '_now_': 1, 'pools': 1, 'pollards': 1, 'unprosperous': 1, 'burden': 1, '24': 1, 'gathering': 1, 'apparatus': 1, 'flavour': 1, 'hautboys': 1, 'cherries': 1, 'hautboy': 1, 'eatable': 1, 'gardeners': 1, 'Chili': 1, 'administered': 1, 'quieted': 1, 'Atkinson': 1, 'Later': 1, 'Ma': 1, 'Clau': 1, 'evade': 1, 'multiply': 1, 'exit': 1, 'aduancement': 1, 'Reuennew': 1, 'cloath': 1, 'Cicatrice': 1, 'maist': 1, 'Payes': 1, 'holdst': 1, 'raw': 1, 'thereof': 1, 'coniuring': 1, '---': 1, '5': 1, '_were_': 1, '_doubts_': 1, 'stared': 1, 'multiplicity': 1, 'misconstrued': 1, 'stating': 1, '--:': 1, 'subordinate': 1, 'locked': 1, 'conveyance': 1, 'limitation': 1, 'deriu': 1, 'coniur': 1, 'Exorcist': 1, 'justness': 1, 'grandchildren': 1, 'reviving': 1, 'syllables': 1, 'earely': 1, 'stirr': 1, 'flatteries': 1, 'politician': 1, 'dispensing': 1, 'king': 1, 'Often': 1, 'unshackled': 1, 'swear': 1, 'surveyor': 1, 'hammer': 1, 'intentionally': 1, 'unsaid': 1, 'carefulness': 1, 'unfeelingly': 1, 'alreadie': 1, 'yeelds': 1, 'pure': 1, 'compounded': 1, 'unacknowledged': 1, 'Rood': 1, 'placid': 1, 'substitute': 1, 'Charractery': 1, 'filling': 1, 'incumbrance': 1, 'Goe': 1, 'Knaues': 1, 'insisting': 1, 'Guide': 1, 'couer': 1, 'Secundus': 1, 'manly': 1, 'frequenting': 1, 'outweigh': 1, 'commandingly': 1, 'WINDSOR': 1, 'JULY': 1, 'Eare': 1, 'heirs': 1, 'representatives': 1, 'greets': 1, 'imposed': 1, 'notoriety': 1, 'survive': 1, '_accepted_': 1, 'casement': 1, 'importun': 1, 'Ones': 1, 'vnwatch': 1, 'prevents': 1, 'similarity': 1, '_secret_': 1, 'Answere': 1, 'imediate': 1, 'flirtation': 1, 'admission': 1, 'tast': 1, 'Rosincran': 1, 'swears': 1, 'candidates': 1, '_first_': 1, 'Lawyer': 1, 'whichever': 1, 'strikingly': 1, 'vagaries': 1, 'Heires': 1, 'Stones': 1, 'inflame': 1, 'Loggets': 1, '7th': 1, 'Consent': 1, 'selleredge': 1, 'staffe': 1, 'Sandal': 1, 'shoone': 1, 'Cockle': 1, 'secretly': 1, 'Song': 1, 'fascination': 1, 'robbing': 1, 'climes': 1, 'Retreat': 1, 'busiest': 1, 'homewards': 1, 'baker': 1, 'muslins': 1, 'liveliest': 1, 'traffic': 1, 'gingerbread': 1, 'tray': 1, 'swayed': 1, 'mule': 1, 'tidy': 1, 'curs': 1, 'plaist': 1, 'Harlots': 1, 'vgly': 1, 'beautied': 1, 'helpes': 1, 'fenced': 1, 'unpermitted': 1, 'ponder': 1, 'politics': 1, 'discredit': 1, 'changeling': 1, 'Purse': 1, 'Folded': 1, 'Writ': 1, 'gau': 1, 'Fight': 1, 'Subscrib': 1, 'ordinate': 1, 'Modell': 1, 'sement': 1, 'Signet': 1, 'heels': 1, 'decisively': 1, 'Tu': 1, 'Brute': 1, 'Et': 1, 'Ague': 1, '_Mrs': 1, 'annexment': 1, 'mortiz': 1, 'boystrous': 1, 'adioyn': 1, 'pettie': 1, 'Attends': 1, 'Spoakes': 1, 'Ruine': 1, 'prais': 1, 'comprehensive': 1, 'retrenchments': 1, 'creditors': 1, 'Cowardice': 1, 'Danger': 1, 'token': 1, 'deeme': 1, 'playd': 1, 'perceiued': 1, 'Deske': 1, 'mute': 1, 'winking': 1, 'volumes': 1, 'scold': 1, 'stuck': 1, 'paling': 1, 'ont': 1, 'impelled': 1, 'fetches': 1, 'Assistant': 1, 'Carters': 1, 'Farme': 1, 'falne': 1, 'thereon': 1, 'Greefes': 1, 'vanisht': 1, 'addresse': 1, 'lowd': 1, 'shrunke': 1, 'overcame': 1, 'defy': 1, 'reanimation': 1, 'exhausted': 1, 'Exchange': 1, 'temp': 1, 'forgiuenesse': 1, 'Grant': 1, 'Benefit': 1, 'abridg': 1, 'graces': 1, 'classed': 1, '_who_': 1, '_What_': 1, 'exquisitely': 1, 'demeanor': 1, 'ouerthrow': 1, 'trident': 1, 'fancifulness': 1, 'Ungrateful': 1, 'rewards': 1, 'useable': 1, 'silently': 1, 'kingdoms': 1, 'craig': 1, 'Dublin': 1, 'Baly': 1, 'poysons': 1, 'donkeys': 1, 'whim': 1, 'chatter': 1, 'waking': 1, 'elect': 1, 'cruise': 1, 'Western': 1, 'Islands': 1, 'uneventful': 1, 'sameness': 1, 'vary': 1, 'Womans': 1, 'instigations': 1, 'Lansdown': 1, 'Crescent': 1, 'slewe': 1, '_cause_': 1, 'desirableness': 1, 'unsteadiness': 1, 'merest': 1, 'welcom': 1, 'appurtenance': 1, 'Render': 1, 'existing': 1, 'concentrated': 1, 'radiant': 1, 'Garbage': 1, 'link': 1, 'Lewdnesse': 1, 'Barnes': 1, 'Morley': 1, 'paradings': 1, 'decorated': 1, 'engross': 1, 'Wm': 1, 'Bonet': 1, 'trauaile': 1, 'drowsily': 1, 'VOLUME': 1, 'stinking': 1, 'Lippes': 1, 'receyuing': 1, 'cappes': 1, 'vppe': 1, 'rabblement': 1, 'clapp': 1, 'howted': 1, 'sweatie': 1, 'chopt': 1, 'swoonded': 1, 'deale': 1, 'choaked': 1, 'candid': 1, 'Dorsetshire': 1, 'moe': 1, 'tythe': 1, 'outer': 1, 'regularity': 1, 'Withdraw': 1, 'visibly': 1, 'Straine': 1, 'wer': 1, 'ceasing': 1, 'nipping': 1, '_broke_': 1, 'vexeth': 1, 'Hughes': 1, 'summarily': 1, 'encrease': 1, 'misconstruction': 1, 'reares': 1, 'houseroom': 1, 'wandring': 1, 'inability': 1, 'dexterously': 1, 'ditch': 1, 'Miching': 1, 'Malicho': 1, 'Beyond': 1, 'define': 1, 'Byron': 1, 'annexed': 1, 'curles': 1, 'presentment': 1, 'Combination': 1, 'Herald': 1, 'New': 1, 'counterfet': 1, 'Station': 1, 'Hyperions': 1, 'Mercurie': 1, 'Ioue': 1, 'nicer': 1, 'constrain': 1, 'vngently': 1, 'acrosse': 1, 'Musing': 1, 'Stole': 1, 'star': 1, 'vngentle': 1, 'sodainly': 1, 'nestled': 1, 'sowing': 1, 'vnbrac': 1, 'doublet': 1, 'purport': 1, 'loosed': 1, 'Vngartred': 1, 'Anckle': 1, 'pitious': 1, 'giued': 1, 'knocking': 1, 'shirt': 1, 'million': 1, 'endowed': 1, 'chafing': 1, 'Rawe': 1, 'swim': 1, 'troubled': 1, 'Leape': 1, 'Gustie': 1, 'confidant': 1, 'weasel': 1, 'switch': 1, 'nettles': 1, 'reap': 1, 'disobliging': 1, 'dropping': 1, 'hunt': 1, "'.": 1, 'owners': 1, 'mildest': 1, 'urbanity': 1, 'cautiously': 1, 'enlarged': 1, 'horsewoman': 1, 'rides': 1, 'Balls': 1, 'excellently': 1, 'species': 1, 'fitting': 1, 'necessaries': 1, 'plight': 1, 'rare': 1, 'quadrille': 1, 'vicar': 1, 'Vnhand': 1, 'runnes': 1, 'vngalled': 1, 'strucken': 1, 'diffuses': 1, 'introduces': 1, 'rowe': 1, 'Pons': 1, 'Chanson': 1, 'wot': 1, 'foretelling': 1, 'genius': 1, 'vexations': 1, 'values': 1, 'gaieties': 1, 'purer': 1, 'worser': 1, 'contents': 1, 'knack': 1, 'Captaine': 1, 'greet': 1, 'conueyance': 1, 'Claimes': 1, 'futurity': 1, 'celibacy': 1, 'languid': 1, 'Extasie': 1, 'lone': 1, 'lender': 1, 'borrowing': 1, 'loses': 1, 'duls': 1, 'Husbandry': 1, 'borrower': 1, 'shriller': 1, 'imployment': 1, 'insinuation': 1, 'baser': 1, 'incensed': 1, 'opposites': 1, 'frowningly': 1, 'acrostic': 1, 'Pipe': 1, 'Infects': 1, 'filme': 1, 'Vlcerous': 1, 'trespasse': 1, 'Vnction': 1, 'mining': 1, 'plucke': 1, 'sedate': 1, 'Bickerton': 1, 'scream': 1, 'cautioned': 1, 'appeas': 1, 'Multitude': 1, 'seriousness': 1, 'briskness': 1, 'rewarded': 1, 'defects': 1, 'worshipping': 1, 'cottagers': 1, 'desolate': 1, 'afflicted': 1, 'tenantry': 1, 'Surely': 1, 'indoors': 1, 'intreate': 1, 'Dine': 1, 'shipped': 1, 'clutch': 1, 'intill': 1, 'practises': 1, 'helpfull': 1, 'secresy': 1, 'fortuitous': 1, 'Domingo': 1, '1806': 1, 'Iigging': 1, 'Warres': 1, 'faultless': 1, 'Z': 1, 'desart': 1, 'Shocked': 1, 'geography': 1, 'distresses': 1, 'inspection': 1, 'combated': 1, 'walkt': 1, 'Truncheons': 1, 'bestil': 1, 'sollemne': 1, 'stately': 1, 'march': 1, 'Goes': 1, 'opprest': 1, 'Appeares': 1, 'Pe': 1, 'Ielly': 1, 'Depart': 1, 'vntouch': 1, 'Five': 1, 'print': 1, 'printshop': 1, '_half_': 1, 'precluded': 1, 'attorney': 1, 'drudge': 1, 'foam': 1, 'impetuosity': 1, 'correctness': 1, 'suavity': 1, '8': 1, 'stability': 1, 'quarrell': 1, 'Bear': 1, 'Camelions': 1, 'cramm': 1, 'Capons': 1, 'deception': 1, 'humiliating': 1, 'repugnance': 1, '_times_': 1, 'visitings': 1, 'denies': 1, 'digested': 1, 'Cauiarie': 1, 'Scoenes': 1, 'Acted': 1, 'Million': 1, 'official': 1, 'illiberal': 1, 'Leige': 1, 'Granted': 1, 'Passe': 1, 'Dreamer': 1, ":'": 1, 'giver': 1, 'overlook': 1, 'detach': 1, 'repetitions': 1, 'invariable': 1, 'unrivalled': 1, 'solution': 1, 'Rayes': 1, 'manor': 1, 'hale': 1, 'deputation': 1, 'inobled': 1, 'dusk': 1, 'Unwelcome': 1, 'ladylike': 1, 'stoop': 1, 'Resembles': 1, 'readiest': 1, 'disdained': 1, 'insulted': 1, 'prematurely': 1, 'allies': 1, 'unsteady': 1, 'perplexing': 1, 'corroborating': 1, 'tautology': 1, 'Methodical': 1, 'mourne': 1, 'disprooue': 1, 'dowager': 1, 'Peebles': 1, 'strewments': 1, 'praier': 1, 'Flints': 1, 'Virgin': 1, 'Shardes': 1, 'restricted': 1, 'eventually': 1, 'Pinch': 1, 'cheeke': 1, 'rauell': 1, 'padling': 1, 'reechie': 1, 'Wanton': 1, 'essentially': 1, 'paire': 1, 'rime': 1, 'Cynicke': 1, 'vildely': 1, 'refrained': 1, 'endanger': 1, 'Mid': 1, 'grones': 1, 'Best': 1, 'insuperable': 1, 'bowl': 1, 'vnkindnesse': 1, 'spurre': 1, 'prenominate': 1, 'guidable': 1, 'risen': 1, 'enlargement': 1, 'rupture': 1, 'Cuts': 1, 'verified': 1, 'retooke': 1, 'Tennis': 1, 'Rouse': 1, 'Videlicet': 1, 'Brothell': 1, 'tother': 1, '.--,"': 1, 'legible': 1, 'vnlesse': 1, 'Test': 1, 'gamboll': 1, 'Showting': 1, 'Humour': 1, 'Sheath': 1, 'Dishonor': 1, 'gouty': 1, 'collectedly': 1, 'preserving': 1, 'outrage': 1, 'strive': 1, '_unrequited_': 1, 'Sway': 1, 'measured': 1, 'industry': 1, 'iournies': 1, 'cloak': 1, 'Wrapt': 1, 'deafe': 1, 'truely': 1, 'Legacies': 1, 'sin': 1, 'Boyes': 1, 'advances': 1, 'bespeak': 1, 'sessions': 1, 'Saylor': 1, 'concerning': 1, 'Judge': 1, 'Sundays': 1, 'bilious': 1, 'Ducate': 1, 'formality': 1, 'grudge': 1, 'haunting': 1, 'agitate': 1, 'indecision': 1, 'whither': 1, 'outline': 1, 'sauing': 1, 'sirrah': 1, 'Parthia': 1, 'considerately': 1, 'cultivated': 1, 'ancestry': 1, 'tenderer': 1, 'grazier': 1, 'grandfather': 1, 'worshipped': 1, '_three_': 1, 'reprove': 1, 'misconception': 1, 'Illo': 1, 'Puh': 1, 'Wormwood': 1, 'acquiesced': 1, 'Tapers': 1, 'sullenness': 1, 'reproaching': 1, '_eighteen_': 1, 'remnant': 1, 'faculties': 1, 'leaf': 1, 'arising': 1, 'century': 1, 'patents': 1, 'endless': 1, 'Altered': 1, 'infranchisement': 1, 'Repentance': 1, 'Try': 1, 'dusty': 1, 'quits': 1, 'Mistresses': 1, 'Misses': 1, 'affear': 1, 'dally': 1, 'encroach': 1, 'chained': 1, 'breathlesse': 1, 'Yard': 1, 'Pump': 1, 'sunshine': 1, 'stal': 1, 'valetudinarian': 1, 'defined': 1, 'investigate': 1, 'weepes': 1, 'occupations': 1, 'caprices': 1, 'stroken': 1, 'steadier': 1, 'baths': 1, 'unformed': 1, 'protegee': 1, 'invariably': 1, 'transformed': 1, 'Twelve': 1, 'consciously': 1, 'partialities': 1, 'remonstrances': 1, 'wracke': 1, 'Opinions': 1, 'yonger': 1, 'beshrew': 1, 'imprisonment': 1, 'Admiralty': 1, 'Navy': 1, 'laps': 1, 'tardy': 1, 'warmes': 1, 'diddest': 1, 'Pulteney': 1, 'Cramer': 1, 'melodies': 1, 'purchasing': 1, 'Fox': 1, 'particularity': 1, 'beautifier': 1, 'dismall': 1, 'fulfill': 1, 'senselesse': 1, 'affaires': 1, 'reasonings': 1, 'Disingenuousness': 1, 'retrospect': 1, 'Garrick': 1, 'apace': 1, 'offending': 1, 'qualify': 1, 'funeral': 1, 'hastening': 1, 'pudding': 1, 'rice': 1, 'bewitches': 1, 'freak': 1, 'Rocke': 1, 'Whereon': 1, 'imploy': 1, 'leuied': 1, 'therein': 1, 'ouercome': 1, 'Dominions': 1, 'Fee': 1, 'shewne': 1, 'Annuall': 1, 'Crownes': 1, 'intreaty': 1, 'adheres': 1, 'ouerthrowne': 1, 'entrapped': 1, 'encountered': 1, 'mone': 1, 'Gramercy': 1, 'Flaxen': 1, 'depression': 1, 'Interference': 1, 'naughty': 1, 'passports': 1, 'allay': 1, 'unlooked': 1, 'reddened': 1, 'terrified': 1, 'cramp': 1, 'unembarrassed': 1, 'favourites': 1, 'inconsolable': 1, 'Absurd': 1, 'consultation': 1, 'Captiues': 1, 'Ransomes': 1, 'Coffers': 1, 'Conueyances': 1, 'Boxe': 1, 'Inheritor': 1, 'starting': 1, 'L': 1, 'ord': 1, 'Paconcies': 1, 'la': 1, 'sympathising': 1, 'merited': 1, 'stalled': 1, 'rigid': 1, 'requisitions': 1, 'recomposed': 1, 'benetted': 1, 'moralised': 1, 'undaunted': 1, 'Enfranchisement': 1, 'Pulpits': 1, 'beholding': 1, 'Floud': 1, 'detailing': 1, 'insulting': 1, 'darkest': 1, 'foile': 1, 'Sticke': 1, 'shedding': 1, 'Impatient': 1, 'Motiues': 1, 'Lottery': 1, 'Abuse': 1, 'Walles': 1, 'climb': 1, 'Towres': 1, 'Battlements': 1, 'consisting': 1, 'resenting': 1, 'bashfulness': 1, '_woman_': 1, '_man_': 1, 'teazed': 1, 'Sisters': 1, 'conceiue': 1, 'Conception': 1, 'thSunne': 1, 'breeder': 1, 'Sinners': 1, 'constructed': 1, 'oddly': 1, 'yond': 1, 'Westward': 1, 'illume': 1, 'beau': 1, 'inimical': 1, 'inaccessible': 1, 'component': 1, 'unsisterly': 1, 'bloodily': 1, 'shoote': 1, 'correspond': 1, 'Traitor': 1, 'stationary': 1, 'murmurs': 1, 'transported': 1, 'excursions': 1, 'overtures': 1, 'outweighed': 1, 'German': 1, 'dislocated': 1, 'assumed': 1, 'Scotland': 1, 'bailiff': 1, 'Graham': 1, 'concerts': 1, 'Hauing': 1, 'sulleyes': 1, 'soil': 1, 'belieue': 1, 'conuerse': 1, 'dam': 1, '_greater_': 1, 'contradictory': 1, 'Modest': 1, 'Epicurus': 1, 'presage': 1, 'renter': 1, 'falter': 1, 'unvisited': 1, 'intimation': 1, 'serenity': 1, 'Rat': 1, 'Vnbated': 1, 'provoke': 1, 'ailments': 1, 'Secrecie': 1, 'despight': 1, 'Sense': 1, 'Vnpegge': 1, 'Conclusions': 1, 'Paddocke': 1, 'concernings': 1, 'Basket': 1, 'creepe': 1, 'Bat': 1, 'Gibbe': 1, 'contrivance': 1, 'commanders': 1, 'wealthy': 1, 'elude': 1, 'rumours': 1, 'lack': 1, 'Oxford': 1, 'Morrow': 1, 'sale': 1, 'tyrannic': 1, 'Scenes': 1, 'Tinct': 1, 'grained': 1, 'spots': 1, 'forbeare': 1, 'Capitol': 1, 'disapprove': 1, 'survey': 1, 'perusall': 1, 'regarding': 1, 'entertainingly': 1, 'respite': 1, 'skilful': 1, 'rarity': 1, 'matched': 1, 'mustered': 1, 'swiftly': 1, 'vbique': 1, 'Hic': 1, 'inhabited': 1, 'retrenchment': 1, 'figures': 1, 'sky': 1, 'overcharged': 1, 'milder': 1, 'Larolles': 1, 'abdication': 1, 'quarry': 1, 'shouting': 1, 'patches': 1, 'shreds': 1, 'quickened': 1, 'harbour': 1, 'oppress': 1, 'ther': 1, 'Fennell': 1, 'Columbines': 1, 'byrth': 1, 'engendred': 1, 'conceyu': 1, 'prate': 1, 'Ossa': 1, 'Zone': 1, 'wart': 1, 'burning': 1, 'Akers': 1, 'Sindging': 1, 'criticising': 1, 'siz': 1, 'Discomfort': 1, 'extremity': 1, 'Herself': 1, 'nameless': 1, 'acquirements': 1, 'seminary': 1, 'Boarding': 1, 'scramble': 1, 'systems': 1, 'enormous': 1, 'prodigies': 1, 'screwed': 1, 'combine': 1, 'riu': 1, 'infirmities': 1, '20': 1, 'torn': 1, 'trespass': 1, 'compromise': 1, 'amicable': 1, 'merrily': 1, 'Constancie': 1, 'vntyr': 1, 'romancing': 1, 'lodgers': 1, 'improvements': 1, 'residents': 1, 'skirting': 1, 'machines': 1, 'whiten': 1, 'sorrowfully': 1, 'sufficeth': 1, 'mum': 1, '----': 1, 'lazy': 1, 'penury': 1, 'blankes': 1, 'Sport': 1, 'Widdow': 1, 'Meet': 1, 'reuerence': 1, 'supplement': 1, 'Tragedians': 1, 'City': 1, 'emphasis': 1, 'irresistibly': 1, 'Listen': 1, 'occurrents': 1, 'prophesie': 1, 'crowes': 1, 'Shakespeare': 1, 'Julius': 1, '1599': 1, 'Mickleham': 1, 'Dorking': 1, 'accents': 1, 'indecisive': 1, 'closer': 1, 'giggle': 1, 'vttermost': 1, 'faile': 1, 'Lads': 1, 'suppositions': 1, 'absented': 1, 'vnsatisfied': 1, 'rusty': 1, 'woeful': 1, 'watches': 1, 'Weazell': 1, 'violated': 1, 'incurred': 1, 'incline': 1, '_Mrs_': 1, 'Lamound': 1, 'gang': 1, 'assailed': 1, 'demanding': 1, 'clamorous': 1, 'courageous': 1, 'trampers': 1, 'recapitulation': 1, 'Pleasure': 1, 'Fine': 1, 'needful': 1, 'Cloakes': 1, 'Hats': 1, 'grove': 1, 'empowered': 1, 'murmur': 1, 'Offended': 1, 'Cudgell': 1, 'Houses': 1, 'Yaughan': 1, 'stoupe': 1, 'debates': 1, 'succession': 1, 'consultations': 1, 'Surprizes': 1, 'remiss': 1, 'denotes': 1, 'vexatious': 1, 'fellowship': 1, 'preserued': 1, 'consonancy': 1, 'coniure': 1, 'proposer': 1, 'supplanted': 1, 'heaviest': 1, 'frames': 1, 'pressingly': 1, 'obviate': 1, 'Six': 1, 'Receive': 1, 'Streights': 1, 'laments': 1, 'Emulation': 1, 'Sutor': 1, 'Shout': 1, 'comment': 1, 'sland': 1, 'groane': 1, 'graze': 1, 'Honours': 1, 'Load': 1, 'diuers': 1, 'loads': 1, 'requesting': 1, 'respectful': 1, 'Weather': 1, 'Phoo': 1, 'artful': 1, 'rat': 1, 'vocal': 1, 'resign': 1, 'disappearance': 1, '_Courtship_': 1, 'relish': 1, 'suffice': 1, 'rumination': 1, '_compliments_': 1, 'hates': 1, 'prone': 1, 'idolized': 1, 'rais': 1, 'pittious': 1, 'shatter': 1, 'bulke': 1, 'Long': 1, 'arming': 1, 'Cowardly': 1, 'Tapor': 1, 'Study': 1, 'extricated': 1, 'conceptions': 1, 'Francisco': 1, 'Centinels': 1, 'fastening': 1, ";'--": 1, '_two_': 1, 'parlours': 1, 'Welch': 1, 'Alderneys': 1, 'talkativeness': 1, 'cows': 1, 'cow': 1, 'harden': 1, 'misapprehension': 1, 'originated': 1, 'prophanely': 1, 'Pagan': 1, 'abhominably': 1, 'strutted': 1, 'Iouerney': 1, 'bellowed': 1, 'Christians': 1, 'imitated': 1, 'Humanity': 1, 'Affliction': 1, 'Fauour': 1, 'prettinesse': 1, 'smarting': 1, 'overwhelmed': 1, 'cup': 1, 'desperately': 1, 'cheerlessness': 1, 'ioyntly': 1, 'Otway': 1, 'seest': 1, 'fastidiousness': 1, 'undoubting': 1, 'hired': 1, 'comments': 1, 'Philippics': 1, 'failures': 1, 'wholesomeness': 1, 'Thames': 1, 'Baronet': 1, 'admits': 1, 'Hers': 1, 'fund': 1, 'Cries': 1, 'calmes': 1, 'brands': 1, 'Proclaimes': 1, 'Cuckold': 1, 'chaste': 1, 'vnsmirched': 1, 'expounded': 1, 'waues': 1, 'surname': 1, 'practices': 1, 'allusions': 1, 'Vndeseruers': 1, 'mo': 1, 'league': 1, 'hypocrisy': 1, 'duped': 1, 'espionage': 1, 'Knaue': 1, 'Indeede': 1, 'prating': 1, 'Counsellor': 1, 'redeliuer': 1, 'jealousies': 1, 'Burst': 1, 'milche': 1, 'malicious': 1, 'Clamour': 1, 'mincing': 1, 'Burning': 1, 'admittance': 1, 'crayons': 1, ".,'": 1, 'applicants': 1, 'rear': 1, 'Visit': 1, 'Hiperion': 1, 'beteene': 1, 'Satyre': 1, 'roughly': 1, 'baronetcy': 1, 'againsts': 1, 'confided': 1, 'fors': 1, 'investigated': 1, 'melting': 1, 'valour': 1, 'steele': 1, 'extension': 1, 'unconsciousness': 1, 'grug': 1, 'Contribution': 1, 'inspiriting': 1, 'Seas': 1, 'risks': 1, 'beneficial': 1, 'riddles': 1, 'Winner': 1, 'Looser': 1, 'certaintie': 1, 'Soop': 1, 'foppery': 1, 'implying': 1, 'fain': 1, 'possitiuely': 1, 'Button': 1, 'shorter': 1, 'timed': 1, 'Dicers': 1, 'glories': 1, 'treasures': 1, 'alleviations': 1, 'anothers': 1, 'tread': 1, 'heele': 1, 'rows': 1, 'covering': 1, 'proprietor': 1, 'unexceptionably': 1, 'timber': 1, 'rooted': 1, 'avenues': 1, 'washed': 1, 'byrlady': 1, 'builde': 1, 'Epitaph': 1, 'Churches': 1, 'Hoby': 1, 'horsse': 1, 'mak': 1, 'liquor': 1, 'malt': 1, 'upwards': 1, 'beach': 1, 'cheese': 1, 'dessert': 1, 'cellery': 1, 'root': 1, 'Wiltshire': 1, 'Stilton': 1, 'beet': 1, 'nonsenses': 1, 'rage': 1, 'calme': 1, 'dejection': 1, 'rendering': 1, 'determining': 1, 'twofold': 1, 'Iibes': 1, '_been_': 1, 'intervening': 1, 'agreement': 1, '_housebreaking_': 1, 'Pilfering': 1, 'hatch': 1, 'Quarrell': 1, 'extremities': 1, 'Serpents': 1, 'egge': 1, 'mischieuous': 1, 'executing': 1, 'overboard': 1, 'aint': 1, 'reciprocal': 1, 'bestride': 1, 'Walke': 1, 'legges': 1, 'dishonourable': 1, 'Colossus': 1, 'endeared': 1, 'proceedings': 1, 'interposition': 1, 'meanly': 1, 'perswade': 1, 'cryedst': 1, 'sift': 1, 'northward': 1, 'Grierson': 1, 'Money': 1, 'streightens': 1, 'drifting': 1, 'Write': 1, 'aswell': 1, 'Weigh': 1, '9': 1, 'fortie': 1, 'summe': 1, 'Shocking': 1, 'darling': 1, 'inherits': 1, 'patriotism': 1, 'unreserved': 1, 'bangs': 1, 'curtseys': 1, 'needlework': 1, 'unmentioned': 1, 'damnable': 1, 'Pox': 1, 'rains': 1, 'barrier': 1, 'Proportions': 1, 'shortening': 1, 'availing': 1, 'unequalled': 1, 'adoring': 1, 'unexampled': 1, 'substitution': 1, 'stationed': 1, 'reticule': 1, 'purple': 1, 'excesses': 1, 'inured': 1, 'Thrice': 1, 'explicit': 1, 'advertised': 1, 'responsible': 1, 'foretold': 1, ',)--': 1, 'roundabout': 1, 'Repast': 1, 'Politician': 1, 'befalne': 1, '_present_': 1, 'robust': 1, 'shipwrecked': 1, 'toyle': 1, 'abbreviation': 1, 'unprofitable': 1, 'certify': 1, 'courting': 1, 'wheat': 1, 'corn': 1, 'felling': 1, 'turnips': 1, 'drain': 1, 'fence': 1, 'repast': 1, 'clover': 1, 'diversified': 1, 'Frost': 1, 'Ardure': 1, 'compulsiue': 1, 'panders': 1, 'actiuely': 1, 'Proclaime': 1, 'tenaciously': 1, 'expectant': 1, 'encourager': 1, 'intermission': 1, 'claiming': 1, 'band': 1, 'predictions': 1, 'grosser': 1, 'Purples': 1, 'garments': 1, 'Trophies': 1, 'fantasticke': 1, 'cloathes': 1, 'Brooke': 1, 'weeds': 1, 'boughes': 1, 'Garlands': 1, 'hore': 1, 'Shepheards': 1, 'distresse': 1, 'Clambring': 1, 'tunes': 1, 'Pul': 1, 'glassie': 1, 'pendant': 1, 'aslant': 1, 'sliuer': 1, 'chaunted': 1, 'snatches': 1, 'weedy': 1, 'melodious': 1, 'Coronet': 1, 'flowers': 1, 'Crow': 1, 'Daysies': 1, 'Nettles': 1, 'indued': 1, 'Mens': 1, 'Willow': 1, 'Mermaid': 1, 'deserts': 1, 'Northerly': 1, 'cakes': 1, 'rout': 1, 'ice': 1, 'packet': 1, 'Frailty': 1, 'sketches': 1, 'Plucke': 1, 'Benches': 1, 'Halfe': 1, 'vicinity': 1, 'cluster': 1, 'strolling': 1, 'inns': 1, 'groom': 1, 'hourly': 1, 'misbehave': 1, 'unalterable': 1, 'recognition': 1, 'conquering': 1, 'guts': 1, 'Progresse': 1, 'excites': 1, 'inheriting': 1, 'lands': 1, 'inheritance': 1, 'relapsing': 1, 'bluntness': 1, 'plot': 1, 'methodical': 1, 'upstarts': 1, 'sledded': 1, 'combatted': 1, 'Pollax': 1, 'Ice': 1, 'smot': 1, 'parle': 1, 'matting': 1, 'nailed': 1, 'Quantities': 1, 'Calues': 1, 'Sheepe': 1, 'tarrying': 1, '11': 1, 'Quit': 1, 'untaught': 1, 'assented': 1, 'composing': 1, 'hatred': 1, 'officious': 1, 'sinner': 1, 'gidge': 1, 'lispe': 1, 'amble': 1, 'Wantonnesse': 1, 'nickname': 1, 'resented': 1, 'engrossing': 1, 'diffidence': 1, 'surge': 1, 'Deuotions': 1, 'chilblains': 1, 'deservedly': 1, 'precaution': 1, 'travels': 1, 'Woe': 1, 'costly': 1, 'sports': 1, 'freaks': 1, 'fancies': 1, 'Incenst': 1, 'watchfull': 1, 'Cares': 1, 'Betwixt': 1, 'interpose': 1, 'keenly': 1, 'affronts': 1, 'transient': 1, 'lectures': 1, 'complication': 1, 'overbearing': 1, 'belongs': 1, 'fainter': 1, 'threatenings': 1, 'Lena': 1, 'Enuy': 1, 'haunted': 1, 'enduring': 1, 'unchecked': 1, 'citizen': 1, 'Anxious': 1, 'recognising': 1, 'darker': 1, 'narrower': 1, 'euermore': 1, 'Machine': 1, 'Thine': 1, 'folks': 1, '_great_': 1, '_way_': 1, '_married_': 1, 'capacities': 1, 'imminent': 1, 'scapes': 1, 'Galls': 1, 'Prodigall': 1, 'stroakes': 1, 'vnmaske': 1, 'Canker': 1, 'Contagious': 1, 'blastments': 1, 'calumnious': 1, 'chariest': 1, 'liquid': 1, 'Minehead': 1, 'superintend': 1, 'afear': 1, 'beards': 1, 'Gray': 1, 'inexpressibly': 1, 'precise': 1, 'prettiest': 1, 'indelicate': 1, 'Fault': 1, 'greeuous': 1, 'greeuously': 1, 'Hazle': 1, 'liberties': 1, 'Materials': 1, 'suppress': 1, 'designedly': 1, 'unequivocally': 1, 'unfeignedly': 1, 'hermony': 1, 'Kerchiefe': 1, 'enforce': 1, 'wreck': 1, 'Aduancement': 1, 'Ambassadours': 1, 'poysoning': 1, 'shrowding': 1, 'Sheete': 1, 'Pickhaxe': 1, 'watchman': 1, 'mantel': 1, 'tolerated': 1, 'Randall': 1, 'panic': 1, 'affability': 1, 'Elegance': 1, 'connivance': 1, 'management': 1, 'Remembrances': 1, 'becomingly': 1, 'specimen': 1, 'beheld': 1, 'Arrow': 1, 'purpos': 1, 'disclaiming': 1, 'wipe': 1, 'deposit': 1, 'prevalent': 1, 'Frends': 1, 'loser': 1, 'avowed': 1, 'brace': 1, 'Bastardie': 1, 'Particle': 1, 'Nobly': 1, 'unmodernized': 1, 'squire': 1, 'parsonage': 1, 'pear': 1, 'premises': 1, 'yeomen': 1, 'substantial': 1, 'casements': 1, 'prettiness': 1, 'tight': 1, 'trained': 1, 'vine': 1, 'patronised': 1, 'Liberties': 1, 'tradespeople': 1, 'bills': 1, 'agent': 1, 'cleverest': 1, 'stops': 1, 'Compasse': 1, 'Mysterie': 1, 'Organe': 1, 'Voice': 1, 'vnworthy': 1, 'sheepskin': 1, 'cheek': 1, 'ostensible': 1, '_blunder_': 1, 'exultingly': 1, 'Dowrie': 1, 'rumble': 1, 'dash': 1, 'bawling': 1, 'carts': 1, 'milkmen': 1, 'Bridge': 1, 'clink': 1, 'newspapermen': 1, 'pattens': 1, 'drays': 1, 'shakes': 1, 'changeable': 1, '_when_': 1, 'Inuite': 1, 'claime': 1, 'embrace': 1, 'springs': 1, 'vext': 1, 'smells': 1, 'guifts': 1, 'adulterate': 1, 'Traitorous': 1, 'reddening': 1, 'vnderlings': 1, 'Selues': 1, 'Nurse': 1, 'infinity': 1, 'erruption': 1, 'boades': 1, 'Witch': 1, 'Planets': 1, 'Sauiours': 1, 'Faiery': 1, 'celebrated': 1, 'singeth': 1, 'talkes': 1, 'Birch': 1, 'hallow': 1, 'Dawning': 1, 'Charme': 1, '_His_': 1, 'houres': 1, 'Damned': 1, 'Drinke': 1, 'murdrous': 1, 'Vnion': 1, 'Potion': 1, 'stealth': 1, 'Lungs': 1, 'worthier': 1, 'Basis': 1, 'subsistence': 1, 'appointments': 1, 'Keepes': 1, 'necessitie': 1, 'sticke': 1, 'Buzzers': 1, 'infect': 1, 'Arraigne': 1, 'Beggard': 1, 'vncurrant': 1, 'deciphered': 1, 'increases': 1, 'ultimate': 1, 'garters': 1, 'knit': 1, 'stomacher': 1, 'renounced': 1, 'feigning': 1, 'stupidest': 1, 'urging': 1, 'singularly': 1, 'negotiation': 1, '_sensation_': 1, 'Theme': 1, 'vppon': 1, 'cream': 1, '_ship_': 1, 'complimenter': 1, 'flourishes': 1, 'possest': 1, 'supportable': 1, 'perplexed': 1, 'laught': 1, 'Weeping': 1, 'Friendship': 1, 'sweets': 1, 'Aboue': 1, 'remedy': 1, 'Resolution': 1, 'Currants': 1, 'enterprizes': 1, 'sicklied': 1, 'glossed': 1, 'watering': 1, 'wheedled': 1, 'caressed': 1, 'despaired': 1, 'crushed': 1, '_had_': 1, 'variable': 1, 'venome': 1, 'eggs': 1, 'wherfore': 1, 'Pioner': 1, 'toil': 1, 'unsatisfactory': 1, 'grandpapas': 1, 'knives': 1, 'Latterly': 1, 'halfepeny': 1, 'vestibule': 1, 'kneel': 1, 'lateness': 1, 'vrg': 1, 'shrew': 1, 'Contriuer': 1, 'purest': 1, 'sucking': 1, 'laborious': 1, 'sharer': 1, 'career': 1, 'sharpe': 1, 'defeats': 1, 'Raine': 1, 'wash': 1, 'Whiles': 1, 'prohibited': 1, 'palpitations': 1, 'aches': 1, 'starling': 1, 'Spectacle': 1, 'sauage': 1, 'boyish': 1, 'reforme': 1, 'Playes': 1, 'Seldome': 1, 'scorn': 1, 'ties': 1, 'tenderly': 1, 'sublime': 1, 'Richardson': 1, 'sup': 1, 'petticoat': 1, 'Lenton': 1, 'coated': 1, 'pul': 1, 'cloake': 1, 'Rub': 1, 'salts': 1, 'penknife': 1, 'confers': 1, 'eligibly': 1, 'unabated': 1, 'defies': 1, 'blaze': 1, 'Beggers': 1, 'deaths': 1, 'Comets': 1, 'Wonders': 1, 'outcry': 1, 'Tradesmans': 1, 'Surgeon': 1, 'withal': 1, 'meddle': 1, 'Aule': 1, 'shrinking': 1, 'amusements': 1, 'Organ': 1, 'myraculous': 1, 'abilitie': 1, 'applauses': 1, 'conjecturing': 1, 'created': 1, 'obsequious': 1, 'filiall': 1, 'Suruiuer': 1, 'commendable': 1, 'Altogether': 1, 'Facts': 1, 'gape': 1, 'carrot': 1, 'parsnip': 1, 'boils': 1, 'turnip': 1, 'Keepe': 1, 'encombred': 1, 'pronouncing': 1, ':)': 1, 'ambiguous': 1, 'Anticke': 1, 'giuing': 1, 'doubtfull': 1, 'Vigorous': 1, 'excess': 1, 'heretofore': 1, 'woods': 1, 'Propose': 1, 'ware': 1, 'cotton': 1, 'softest': 1, 'lined': 1, 'histories': 1, 'impolite': 1, 'parcels': 1, 'innoxious': 1, 'dissuaded': 1, 'tie': 1, 'loitering': 1, 'Perpend': 1, 'wilfully': 1, 'shark': 1, 'broadest': 1, 'assenting': 1, 'admissible': 1, 'Escape': 1, 'Disrobe': 1, 'basest': 1, 'tyed': 1, 'guiltinesse': 1, 'mettle': 1, 'gaily': 1, 'hoodman': 1, 'blinde': 1, 'cousend': 1, 'merged': 1, 'rot': 1, 'scape': 1, 'Theft': 1, 'goose': 1, 'purification': 1, 'Assignes': 1, 'Germaine': 1, 'impon': 1, 'Hangers': 1, 'Barbary': 1, 'Leafe': 1, 'puzzled': 1, 'bruise': 1, 'Possesse': 1, 'Seed': 1, 'vnweeded': 1, 'attestation': 1, 'staires': 1, 'moneth': 1, 'secures': 1, 'Marble': 1, 'op': 1, 'Sepulcher': 1, 'ponderous': 1, 'iawes': 1, 'Canoniz': 1, 'cerments': 1, 'Hearsed': 1, 'enurn': 1, 'Bakers': 1, 'Owle': 1, 'accusation': 1, 'refuted': 1, 'insidious': 1, 'terseness': 1, 'kist': 1, 'lipps': 1, 'Elder': 1, 'revelled': 1, 'internally': 1, 'hurling': 1, 'emendation': 1, 'Br': 1, 'Thewes': 1, 'Limbes': 1, 'gouern': 1, 'Womanish': 1, 'traits': 1, 'horsepond': 1, 'deliberation': 1, 'Tertius': 1, 'honors': 1, 'wretches': 1, 'gossips': 1, 'Tiresome': 1, 'imperfections': 1, 'Cut': 1, 'vnnaneld': 1, 'Sinne': 1, 'dispatcht': 1, 'Blossomes': 1, 'Vnhouzzled': 1, 'Luxury': 1, 'Incest': 1, 'Hearts': 1, 'Carkasse': 1, 'Boldly': 1, 'Wrathfully': 1, 'Seruants': 1, 'Dish': 1, 'subtle': 1, 'carue': 1, 'circumuent': 1, 'Caines': 1, 'Polititian': 1, 'Iaw': 1, 'Pate': 1, 'iowles': 1, 'busines': 1, 'Delay': 1, 'Moneth': 1, 'harboured': 1, 'unpardonably': 1, 'Supposing': 1, 'attainable': 1, 'eene': 1, 'Conuersation': 1, 'coap': 1, 'therfore': 1, 'euils': 1, 'sweeter': 1, 'drunk': 1, 'confuse': 1, 'Allowances': 1, 'beginnings': 1, 'glimpses': 1, 'Wiues': 1, 'Fled': 1, 'Shame': 1, 'Mischeefes': 1, 'bayed': 1, 'proportionably': 1, 'mistook': 1, 'whereof': 1, 'Cogitations': 1, 'explored': 1, 'soundly': 1, '_Dixons_': 1, 'unworthily': 1, 'arrow': 1, 'prayer': 1, 'folded': 1, 'unimpeded': 1, 'contribution': 1, 'recognise': 1, 'hills': 1, 'strenuously': 1, 'haberdasher': 1, 'woollen': 1, 'reversion': 1, 'equivalent': 1, 'hourely': 1, 'dispatch': 1, 'Lunacies': 1, 'Hazard': 1, 'forthwith': 1, 'preuaile': 1, 'prompting': 1, 'curiously': 1, 'Cal': 1, 'melt': 1, 'maturity': 1, 'reassembled': 1, 'glibly': 1, 'Murtherer': 1, 'inclining': 1, 'jewels': 1, 'corruption': 1, 'thriving': 1, 'viscount': 1, 'distraction': 1, 'punisht': 1, 'vnkindely': 1, 'rushing': 1, 'beloued': 1, 'estranged': 1, 'extinguish': 1, 'recantation': 1, 'fatter': 1, 'lyable': 1, 'plump': 1, 'beleeued': 1, 'wings': 1, 'calculates': 1, 'indisputable': 1, 'knocks': 1, 'agitating': 1, 'conservatory': 1, 'weares': 1, 'stung': 1, 'abus': 1, 'Rankly': 1, 'forged': 1, 'Serpent': 1, 'processe': 1, 'abhor': 1, 'mat': 1, 'meditates': 1, 'pales': 1, 'bewitched': 1, 'deserued': 1, 'blighted': 1, 'preuayl': 1, 'Condition': 1, 'nasty': 1, 'honying': 1, 'sweat': 1, 'Stye': 1, 'Stew': 1, 'enseamed': 1, 'undergoing': 1, 'Jeffereys': 1, 'Clara': 1, 'Cooper': 1, 'enumerate': 1, 'Milmans': 1, 'severity': 1, 'arrear': 1, 'brightening': 1, 'Racke': 1, 'Orbe': 1, 'storme': 1, ',\'"': 1, 'generously': 1, 'electrified': 1, 'Talks': 1, 'deducting': 1, 'rationally': 1, 'southward': 1, 'boldest': 1, '_alone_': 1, 'Skilful': 1, 'Waspish': 1, 'wonderings': 1, 'ulcerated': 1, 'sharks': 1, 'Mermaids': 1, '12': 1, 'volubility': 1, 'Labourer': 1, 'Brazon': 1, 'Forraigne': 1, 'Implements': 1, 'wrights': 1, 'Taske': 1, 'Cast': 1, 'informe': 1, 'toyles': 1, 'dayly': 1, 'weeke': 1, 'impresse': 1, 'obseruant': 1, 'Ship': 1, 'diuide': 1, 'sweaty': 1, 'sack': 1, 'Theatre': 1, 'ragge': 1, 'displeas': 1, 'hisse': 1, 'tag': 1, 'News': 1, 'fuss': 1, 'studying': 1, 'dire': 1, 'Confederate': 1, 'vsurpe': 1, 'blasted': 1, 'Creature': 1, 'Hecats': 1, 'Weeds': 1, 'Magicke': 1, 'Drugges': 1, 'Ban': 1, 'propertie': 1, 'Midnight': 1, 'flocks': 1, 'appendages': 1, 'column': 1, 'blossom': 1, 'smoke': 1, 'pastures': 1, 'spreading': 1, 'littleness': 1, 'mistooke': 1, 'vpshot': 1, 'carnall': 1, 'acts': 1, 'Falne': 1, 'Inuentors': 1, 'bloudie': 1, 'slaughters': 1, 'casuall': 1, 'stiffely': 1, 'sinnewes': 1, 'blinder': 1, 'mainly': 1, '--.': 1, 'relieve': 1, '_respect_': 1, 'reduction': 1, 'amounting': 1, 'populous': 1, 'equals': 1, 'motiue': 1, 'Open': 1, 'pedal': 1, 'heroine': 1, 'clumsy': 1, 'projecting': 1, 'assiduous': 1, 'attaining': 1, 'vanquish': 1, 'muffling': 1, 'Base': 1, 'Mantle': 1, 'mistakes': 1, 'Mew': 1, 'Cat': 1, 'Chronicles': 1, 'Abstracts': 1, 'Enuious': 1, 'Necessary': 1, 'turkeys': 1, 'robbed': 1, 'illumination': 1, 'befriended': 1, 'Tattersall': 1, 'lobby': 1, 'publicly': 1, 'fidgeting': 1, 'commendation': 1, 'lift': 1, 'pausing': 1, 'thrill': 1, 'Fray': 1, 'Rumor': 1, 'bussling': 1, 'contusion': 1, 'dismissal': 1, 'disappearing': 1, 'confidantes': 1, 'adviser': 1, 'Workman': 1, 'Truely': 1, 'bites': 1, 'Arrest': 1, 'Sergeant': 1, 'strick': 1, 'adiew': 1, 'enrich': 1, 'heiress': 1, 'aggrandise': 1, 'infirmitie': 1, 'Worships': 1, 'desir': 1, 'quietness': 1, 'Artemidorus': 1, 'unproductively': 1, 'Attendant': 1, 'exhibitions': 1, 'workbags': 1, 'caps': 1, 'vnshaped': 1, 'hems': 1, 'winkes': 1, 'vnhappily': 1, 'enuiously': 1, 'Collection': 1, 'beats': 1, 'botch': 1, 'Spurnes': 1, 'directing': 1, 'adapted': 1, 'inexpensive': 1, 'relinquished': 1, 'served': 1, 'dreams': 1, 'displaying': 1, 'miniature': 1, 'unfolding': 1, 'unseasonableness': 1, 'ult': 1, '26th': 1, 'landlady': 1, 'unemployed': 1, 'discernment': 1, 'vulgarity': 1, 'bandied': 1, 'vnmannerly': 1, 'Statillius': 1, 'Torch': 1, 'ecstasy': 1, 'sneers': 1, 'inconveniences': 1, 'Shakes': 1, 'vnfirme': 1, 'Mount': 1, 'massie': 1, 'Somnet': 1, 'Fixt': 1, 'hurle': 1, 'Defiance': 1, 'ornaments': 1, 'Augurers': 1, 'catalogue': 1, 'duplicate': 1, 'sagacity': 1, 'protests': 1, 'listlessness': 1, 'winch': 1, 'gall': 1, 'withers': 1, 'iade': 1, 'vnrung': 1, 'rued': 1, 'Chaire': 1, 'circulate': 1, 'Opens': 1, 'Gambals': 1, 'bountie': 1, 'deserue': 1, 'attacks': 1, 'finishing': 1, 'pockets': 1, 'approachable': 1, 'specious': 1, 'sixty': 1, 'reluctantly': 1, 'grossely': 1, 'Audit': 1, 'Crimes': 1, 'desponding': 1, 'Ages': 1, 'hidden': 1, 'worthinesse': 1, 'Mirrors': 1, 'Brasse': 1, 'retentiue': 1, 'dismisse': 1, 'Dungeon': 1, 'wearie': 1, 'lacks': 1, 'Linkes': 1, 'Tower': 1, 'Iron': 1, 'Stonie': 1, 'Barres': 1, 'Walls': 1, 'Addition': 1, 'carelessly': 1, 'losses': 1, 'indure': 1, 'Poland': 1, 'volly': 1, 'checker': 1, 'Temple': 1, 'waites': 1, 'confin': 1, 'burnt': 1, 'Doom': 1, 'Fiers': 1, 'purg': 1, 'wan': 1, 'baronetcies': 1, 'saleable': 1, 'obtain': 1, 'needed': 1, 'separating': 1, 'puddle': 1, 'disadvantages': 1, 'morrows': 1, 'reformation': 1, 'dispersing': 1, 'crosser': 1, 'instinct': 1, 'assuage': 1, 'fatiguing': 1, 'scant': 1, 'Catherine': 1, 'christened': 1, '1810': 1, 'Precisely': 1, 'printer': 1, '_own_': 1, 'tottering': 1, 'slippery': 1, 'Conceive': 1, 'tremulously': 1, 'treats': 1, 'awes': 1, 'baskets': 1, 'games': 1, '_have_': 1, 'Trophees': 1, 'Vulgar': 1, 'drawes': 1, 'disconsolate': 1, 'Garbe': 1, 'comply': 1, 'fairely': 1, 'recital': 1, 'Tender': 1, 'Roaming': 1, 'rector': 1, 'discharging': 1, 'zealously': 1, 'invites': 1, 'sensibilities': 1, 'controul': 1, 'detestable': 1, 'prolong': 1, 'sleety': 1, 'whelped': 1, 'drizel': 1, 'Horsses': 1, 'neigh': 1, 'yeelded': 1, 'shrieke': 1, 'Squadrons': 1, 'Rankes': 1, 'yawn': 1, 'hurtled': 1, 'Fierce': 1, 'squeale': 1, 'Lionnesse': 1, 'Warriours': 1, 'Talking': 1, 'Delighted': 1, 'licentiousness': 1, 'ing': 1, 'dares': 1, 'conferred': 1, 'dancers': 1, 'slumbering': 1, 'deedily': 1, 'Arthur': 1, 'Nobler': 1, 'Suburbs': 1, 'Dwell': 1, 'tan': 1, 'forgetful': 1, 'genial': 1, 'freehold': 1, 'Ioyn': 1, 'Masker': 1, 'Reueller': 1, 'worthles': 1, 'folke': 1, 'Wax': 1, 'schoolroom': 1, 'Rim': 1, 'prejudiced': 1, 'hoarse': 1, 'misapply': 1, 'HALL': 1, 'ELLIOT': 1, 'KELLYNCH': 1, 'humbler': 1, 'habitation': 1, 'disagreements': 1, 'untouched': 1, 'drinks': 1, 'Propheticke': 1, 'rallied': 1, 'peculiarities': 1, 'retort': 1, 'fidgetiness': 1, 'credulity': 1, 'upbraid': 1, 'lurking': 1, 'unevenness': 1, 'uninterruptedly': 1, 'heave': 1, 'preside': 1, 'Hearse': 1, 'kindled': 1, 'falsely': 1, 'Leuies': 1, 'whereat': 1, 'Receiues': 1, 'greeued': 1, 'Arrests': 1, 'obeyes': 1, 'rebuke': 1, 'Impotence': 1, 'Sicknesse': 1, 'Highnesse': 1, 'Grauity': 1, 'haires': 1, 'sayd': 1, 'voyces': 1, 'youths': 1, 'transgressions': 1, 'wold': 1, 'exercises': 1, 'Middling': 1, 'swallow': 1, 'modesties': 1, 'color': 1, 'attaching': 1, 'unbiased': 1, 'recurrence': 1, 'Em': 1, 'despised': 1, 'Peculiarly': 1, 'scuffling': 1, 'altitude': 1, 'Byrlady': 1, 'Ladiship': 1, 'Choppine': 1, 'musings': 1, 'Prettier': 1, 'variations': 1, 'waverings': 1, 'DEAR': 1, 'MY': 1, 'MADAM': 1, 'publish': 1, 'councillors': 1, 'childe': 1, 'issued': 1, 'decree': 1, 'Horat': 1, 'Rendeuous': 1, 'vouchsafed': 1, 'Killes': 1, 'completest': 1, 'rouge': 1, 'blinds': 1, 'espials': 1, 'iudge': 1, 'lawful': 1, 'frankely': 1, 'behaued': 1, 'sprang': 1, 'Knowing': 1, 'retracted': 1, 'neighbouring': 1, 'expenditure': 1, 'reduce': 1, 'defeat': 1, 'delicately': 1, 'allayed': 1, 'blunted': 1, 'devil': 1, 'Steward': 1, 'Searching': 1, 'Closet': 1, 'burneth': 1, 'palliate': 1, 'punctual': 1, 'prided': 1, 'Seal': 1, 'Heraldrie': 1, 'Moity': 1, 'gaged': 1, 'Conqueror': 1, 'Inheritance': 1, 'seiz': 1, 'Cou': 1, 'Compact': 1, 'Article': 1, 'nant': 1, 'designe': 1, 'ratified': 1, 'forfeite': 1, 'Vanquisher': 1, 'salting': 1, 'pan': 1, 'spencer': 1, 'Sheep': 1, 'sterner': 1, 'knowest': 1, 'Calue': 1, 'Fanny': 1, 'waives': 1, 'Billes': 1, 'keener': 1, 'investigation': 1, 'Imprudent': 1, 'addrest': 1, 'incurable': 1, 'record': 1, 'breathings': 1, 'Dungeons': 1, 'Wards': 1, 'foreboded': 1, 'undiscerned': 1, 'occurrences': 1, 'Circumstances': 1, 'distracting': 1, 'desperation': 1, 'Tea': 1, 'artlessness': 1, 'inconsiderately': 1, 'Insufferable': 1, 'complacently': 1, 'confirming': 1, 'embellishments': 1, 'toilsome': 1, 'Promising': 1, 'enumeration': 1, 'harassing': 1, 'encreaseth': 1, 'brim': 1, 'vtmost': 1, 'doctoring': 1, 'coddling': 1, 'comforters': 1, 'criticism': 1, '14': 1, 'comprise': 1, 'nothings': 1, 'unpremeditated': 1, 'needfull': 1, 'riuet': 1, 'Pluck': 1, 'howsoeuer': 1, 'pursuest': 1, 'Thornes': 1, 'Taint': 1, 'ungenteel': 1, 'wisenesse': 1, 'prai': 1, 'Spleenatiue': 1, 'vehement': 1, 'stead': 1, 'pound': 1, 'operate': 1, 'omitted': 1, 'unwise': 1, 'inducements': 1, 'handy': 1, 'Neats': 1, 'trod': 1, 'peculiarity': 1, 'stoops': 1, 'Goldsmith': 1, 'pet': 1, 'vowed': 1, 'unclosing': 1, 'defective': 1, 'Durands': 1, 'sparrows': 1, 'unfledged': 1, 'Else': 1, 'deuise': 1, 'void': 1, 'dictate': 1, 'enliven': 1, 'surpass': 1, 'Springes': 1, 'Woodcocks': 1, 'readinesse': 1, 'sportsmen': 1, 'priuates': 1, 'expend': 1, 'Hope': 1, 'Gentrie': 1, 'deviated': 1, 'opposer': 1, 'strenuous': 1, 'acceded': 1, 'Bosome': 1, 'Submitting': 1, 'Iudges': 1, 'energetic': 1, 'significantly': 1, 'Towards': 1, 'painters': 1, 'queer': 1, 'shapeless': 1, 'cockleshell': 1, 'henceforward': 1, 'influenza': 1, 'trunks': 1, 'waggons': 1, 'repack': 1, 'spurn': 1, 'ambitious': 1, 'appertaine': 1, 'Secrets': 1, 'bouge': 1, 'chicken': 1, 'Animals': 1, 'Parragon': 1, 'Quintessence': 1, 'Dust': 1, 'rating': 1, 'shan': 1, '28th': 1, 'issuing': 1, 'sulphurous': 1, 'Flames': 1, 'inflamed': 1, 'throats': 1, 'adaies': 1, 'pocky': 1, 'Coarses': 1, '_almost_': 1, 'corporall': 1, 'vacancie': 1, 'argall': 1, 'performe': 1, 'doubtfully': 1, 'sufferer': 1, 'unceremoniousness': 1, '_world_': 1, 'achievement': 1, 'Gentle': 1, 'ungraciously': 1, 'wasted': 1, 'attractiue': 1, 'preach': 1, 'preachers': 1, 'uncivil': 1, 'dogge': 1, 'debased': 1, 'frosty': 1, 'test': 1, 'puisant': 1, 'Seate': 1, 'throwes': 1, 'Enquire': 1, 'Paris': 1, 'Danskers': 1, 'expence': 1, 'encompassement': 1, 'proverb': 1, 'Confound': 1, 'apale': 1, 'faculty': 1, 'cleaue': 1, 'Tutor': 1, 'Suppose': 1, 'confiding': 1, '_There_': 1, 'Writers': 1, 'meeke': 1, 'Vengeance': 1, 'forg': 1, 'hammers': 1, 'Eterne': 1, 'Cyclops': 1, 'rowsed': 1, 'Armours': 1, 'Patient': 1, 'requisition': 1, 'nevertheless': 1, 'Imperiall': 1, 'clay': 1, 'hole': 1, 'overtook': 1, 'Honesty': 1, 'ingag': 1, 'inclinations': 1, 'stubborne': 1, 'gentlenesse': 1, 'bowle': 1, 'annoyance': 1, 'ordinarily': 1, 'coole': 1, 'Sprinkle': 1, 'Hony': 1, 'Bees': 1, 'rob': 1, 'posture': 1, 'Hibla': 1, 'lengthened': 1, 'Runne': 1, 'intermit': 1, 'awoke': 1, 'seruile': 1, 'Feathers': 1, 'soare': 1, 'fearefulnesse': 1, 'everyday': 1, 'returnes': 1, 'nill': 1, 'surest': 1, 'leuying': 1, 'Councell': 1, 'couert': 1, 'Perils': 1, 'combin': 1, 'Alliance': 1, 'delegating': 1, 'worry': 1, 'peremptorily': 1, 'gleaning': 1, 'nuts': 1, 'Undoubtedly': 1, 'sacred': 1, 'insincere': 1, 'subordination': 1, 'restoratives': 1, 'adequate': 1, 'expedient': 1, 'smokes': 1, 'chimney': 1, 'Vesture': 1, 'Kinde': 1, 'refraine': 1, 'Vnkles': 1, 'abstinence': 1, 'Assume': 1, 'beautifed': 1, 'Idoll': 1, 'inebriety': 1, 'Matrons': 1, 'waxe': 1, 'mutine': 1, 'flaming': 1, 'Holiday': 1, 'disinclined': 1, 'Commanders': 1, 'Companies': 1, 'redder': 1, 'refute': 1, 'attent': 1, 'maruell': 1, 'dejected': 1, 'reverses': 1, 'shaving': 1, 'turneth': 1, 'dipping': 1, 'Faults': 1, 'gender': 1, 'Conuert': 1, 'Stone': 1, 'Gyues': 1, 'Graces': 1, 'straine': 1, 'Canst': 1, 'scarecrows': 1, 'felicitous': 1, 'Spectators': 1, 'Villanous': 1, 'pittifull': 1, 'barren': 1, 'vses': 1, 'Madmen': 1, 'drifted': 1, 'blocked': 1, 'accumulations': 1, 'adventurous': 1, '!--`': 1, 'Forrest': 1, 'remaine': 1, 'apprehensiue': 1, 'Vnshak': 1, 'Motion': 1, 'vnassayleable': 1, 'Ranke': 1, 'Flesh': 1, 'Wisedome': 1, 'worm': 1, 'Emperor': 1, 'faced': 1, 'vndone': 1, 'Merely': 1, 'nere': 1, 'Greefe': 1, 'Reuels': 1, 'slender': 1, 'greeues': 1, 'ennactors': 1, 'Assembly': 1, 'betoken': 1, 'disperate': 1, 'Estate': 1, 'possessions': 1, 'grass': 1, 'endurable': 1, 'eies': 1, 'orewhelm': 1, 'sphere': 1, 'estimated': 1, 'Guts': 1, 'lugge': 1, 'Neighbor': 1, 'packing': 1, 'blains': 1, 'bruises': 1, 'petted': 1, 'Harry': 1, 'restorative': 1, 'hurricane': 1, 'temperament': 1, 'sleepless': 1, 'seduce': 1, 'Sacrificers': 1, 'dismember': 1, 'Office': 1, 'ailed': 1, 'exhalations': 1, 'whizzing': 1, 'involvement': 1, 'akin': 1, 'Com': 1, 'prophesied': 1, 'depriue': 1, 'Cliffe': 1, 'assumes': 1, 'beetles': 1, 'Sonnet': 1, 'Soueraignty': 1, 'forgave': 1, 'willed': 1, 'Switzers': 1, 'pearch': 1, 'downward': 1, 'Eagles': 1, 'fatall': 1, 'steeds': 1, 'sickely': 1, 'Gorging': 1, 'consorted': 1, 'Crowes': 1, 'shadowes': 1, 'Comming': 1, 'Rauens': 1, 'sonnet': 1, 'images': 1, 'fraught': 1, 'candidly': 1, 'frighten': 1, 'boord': 1, 'creep': 1, 'Loues': 1, 'Affection': 1, 'puh': 1, 'Lambe': 1, 'yoaked': 1, 'agen': 1, 'inforced': 1, 'straite': 1, 'Sparke': 1, 'Anger': 1, 'invention': 1, 'sums': 1, 'sacrificed': 1, 'scandalous': 1, 'illuminate': 1, 'reaches': 1, 'horridly': 1, 'diseas': 1, 'essay': 1, 'officiating': 1, 'spoyle': 1, 'inclos': 1, 'Tooke': 1, 'subsided': 1, 'divulging': 1, 'Owner': 1, 'disease': 1, 'orange': 1, 'cuffs': 1, 'capes': 1, 'indiscreetly': 1, 'Education': 1, 'adversary': 1, 'horson': 1, 'Decayer': 1, 'praising': 1, 'chooses': 1, 'unobjectionable': 1, 'Holla': 1, 'dreamer': 1, 'Marcell': 1, 'condemning': 1, 'indulgent': 1, 'Somerset': 1, 'accurately': 1, 'inserting': 1, 'Glowing': 1, 'forbearing': 1, 'cleft': 1, 'china': 1, 'mirrors': 1, 'unpacked': 1, 'unfastidious': 1, 'prosing': 1, 'undistinguishing': 1, 'corrected': 1, 'baronight': 1, 'Coronets': 1, 'sawe': 1, 'bethinke': 1, 'Alarming': 1, 'chill': 1, 'proscriptions': 1, 'accosted': 1, 'consumed': 1, 'wording': 1, 'Barbars': 1, 'Nonsensical': 1, 'solitarily': 1, 'sparrow': 1, 'Augury': 1, 'defie': 1, 'Prouidence': 1, 'Gone': 1, 'Sennit': 1, 'Approve': 1, 'ejaculation': 1, 'cherishing': 1, 'cooled': 1, 'Waiving': 1, 'chusing': 1, 'ninety': 1, 'possesses': 1, 'answerest': 1, 'unconcern': 1, 'bravado': 1, 'Certain': 1, 'panel': 1, 'avarice': 1, 'pin': 1, '!)': 1, 'sails': 1, 'whirling': 1, 'proverbial': 1, 'import': 1, 'afarre': 1, 'discovering': 1, 'largest': 1, 'aids': 1, 'Lapwing': 1, 'Entreatie': 1, 'pelisse': 1, 'doubled': 1, 'Bee': 1, 'asham': 1, 'Coffin': 1, 'ascent': 1, 'gradual': 1, 'housekeepers': 1, 'acknowledgements': 1, 'flirting': 1, 'bustling': 1, 'politicians': 1, 'retrospections': 1, 'paced': 1, 'Surprise': 1, 'avoidance': 1, 'stoutly': 1, 'Wittenberg': 1, 'unvarying': 1, 'blameable': 1, 'F': 1, 'negligence': 1, 'thereunto': 1, 'Occasions': 1, 'Euery': 1, 'dar': 1, 'tong': 1, 'indirection': 1, 'summes': 1, 'Peazants': 1, 'Coine': 1, 'wring': 1, 'revel': 1, 'silk': 1, 'brawn': 1, 'riotous': 1, 'tressels': 1, 'trays': 1, 'roaring': 1, 'negatives': 1, '_sacrifice_': 1, 'Sidmouth': 1, 'incompast': 1, 'Yeomans': 1, 'Statists': 1, 'laboured': 1, 'seriuce': 1, 'Deuis': 1, 'basenesse': 1, 'messages': 1, 'bequeath': 1, 'legacy': 1, 'Flye': 1, 'Cue': 1, 'slap': 1, 'abolition': 1, 'bodie': 1, 'scourge': 1, 'Deliberate': 1, 'appliance': 1, 'diseases': 1, 'releeued': 1, 'Offenders': 1, 'plantation': 1, 'Chace': 1, 'Warlicke': 1, 'Pyrate': 1, 'minor': 1, 'won': 1, 'Holyday': 1, 'representative': 1, 'limitations': 1, 'hemmed': 1, 'stretched': 1, 'inaction': 1, 'incommoding': 1, 'mostly': 1, 'pack': 1, 'brewing': 1, 'Voyce': 1, 'Freckles': 1, 'irksomeness': 1, 'lieu': 1, '_did_': 1, 'Foiles': 1, 'varnish': 1, 'contriuing': 1, 'peruse': 1, 'Sancturize': 1, 'Frenchman': 1, 'remisse': 1, 'pop': 1, 'Sawcy': 1, 'sirra': 1, 'Martiall': 1, 'stalke': 1, 'misses': 1, 'managing': 1, 'engages': 1, 'indisputably': 1, 'Noone': 1, 'shreeking': 1, 'Howting': 1, 'Impropriety': 1, 'Grandpapa': 1, '_party_': 1, 'Sables': 1, 'drizzle': 1, 'Farmer': 1, 'Broadway': 1, 'Mitchell': 1, 'Forth': 1, 'wildely': 1, 'Start': 1, 'bedded': 1, 'Soldiours': 1, 'Alarme': 1, 'excrements': 1, 'scornfully': 1, 'arranger': 1, 'Referring': 1, 'handled': 1, 'attempting': 1, 'hurts': 1, 'Mediterranean': 1, 'wither': 1, 'Robin': 1, 'Daysie': 1, 'bonny': 1, 'quotation': 1, 'Cromer': 1, 'dryness': 1, 'sarcastic': 1, 'Hye': 1, 'Blessed': 1, 'conceiving': 1, 'association': 1, 'Triumphes': 1, 'Shrunke': 1, 'Conquests': 1, 'Measure': 1, 'Spoiles': 1, 'penetrate': 1, 'authorise': 1, 'idlest': 1, 'haunts': 1, 'scientific': 1, 'wearisome': 1, 'touchstone': 1, 'conveying': 1, 'spilt': 1, 'spill': 1, 'Artlesse': 1, 'sinnes': 1, 'nominal': 1, 'esteeming': 1, 'mildness': 1, 'strings': 1, 'maps': 1, 'disdainful': 1, 'dialogues': 1, '_refused_': 1, 'inventing': 1, 'magnified': 1, 'depreciating': 1, 'Pearle': 1, 'moou': 1, 'mistaking': 1, 'groups': 1, 'implore': 1, 'exulting': 1, 'heritage': 1, 'Dropping': 1, 'defeated': 1, 'Ioyntresse': 1, 'Dirge': 1, 'Auspicious': 1, 'Dole': 1, 'imperiall': 1, 'Wisedomes': 1, 'Delight': 1, 'Taken': 1, 'Scale': 1, 'barr': 1, 'affaire': 1, 'gammon': 1, 'favourer': 1, 'intrude': 1, 'retreating': 1, 'undesigned': 1, 'revolution': 1, 'begs': 1, 'unfinished': 1, 'immaterial': 1, 'Sings': 1, 'harmonise': 1, 'remote': 1, 'establish': 1, 'Agreed': 1, 'resulting': 1, 'feverish': 1, 'cabbage': 1, 'discouered': 1, 'wisht': 1, 'choller': 1, 'grasped': 1, '_small_': 1, 'tumbler': 1, 'forcing': 1, 'rapture': 1, 'reined': 1, 'discreetly': 1, 'pitifullest': 1, 'spinet': 1, 'Vrge': 1, 'Bels': 1, 'deiect': 1, 'Blasted': 1, 'Honie': 1, 'suck': 1, 'iangled': 1, 'vnmatch': 1, 'properest': 1, 'unsullied': 1, 'Thrift': 1, 'flurried': 1, 'confront': 1, 'expedited': 1, 'suspend': 1, 'objectionable': 1, '_unreasonable_': 1, 'holie': 1, 'prouide': 1, 'Religious': 1, 'haply': 1, 'operant': 1, 'Functions': 1, 'bout': 1, 'mortify': 1, '_ten_': 1, 'Abridgements': 1, 'lowness': 1, 'harasses': 1, 'Niggard': 1, 'purposely': 1, 'retarding': 1, 'bodykins': 1, 'congratulatory': 1, 'boudge': 1, 'inmost': 1, 'vnkindest': 1, 'outliues': 1, 'Tenants': 1, 'blundered': 1, 'unmirthful': 1, 'discontinuing': 1, 'vertuous': 1, 'shamefull': 1, 'Won': 1, 'relators': 1, 'salary': 1, ".'--`": 1, 'kitchen': 1, 'washing': 1, 'indite': 1, 'Sallets': 1, 'sauory': 1, 'Astonished': 1, 'gentlewoman': 1, 'mightier': 1, 'Thunders': 1, 'roares': 1, 'prodigious': 1, 'Lightens': 1, 'personall': 1, 'eruptions': 1, 'profoundest': 1, 'greenhouse': 1, 'disturbing': 1, 'disagreeableness': 1, 'diverting': 1, 'Calmely': 1, 'apprehensively': 1, 'forestalling': 1, 'vacation': 1, 'nervously': 1, 'lighten': 1, 'comprised': 1, 'concise': 1, 'dismay': 1, 'discord': 1, 'recurring': 1, 'anecdotes': 1, 'inexpressible': 1, 'mayest': 1, 'burying': 1, 'yestermorn': 1, 'prophecies': 1, 'grossly': 1, 'undergo': 1, 'blackest': 1, 'Allegeance': 1, 'swimme': 1, 'Billow': 1, 'Storme': 1, 'approver': 1, 'Rudenesse': 1, 'Sawce': 1, 'disgest': 1, 'puts': 1, 'encumbered': 1, 'Tupman': 1, 'distaste': 1, 'ambition': 1, 'gaiters': 1, 'leather': 1, 'reprehension': 1, 'inquietudes': 1, 'Glasses': 1, 'Trees': 1, 'Holes': 1, 'Vnicornes': 1, 'Toyles': 1, 'Elephants': 1, 'sinned': 1, 'heaues': 1, 'auoid': 1, 'resolutions': 1, 'Serious': 1, 'lavished': 1, 'During': 1, 'pique': 1, 'actuated': 1, 'escaping': 1, 'unhappiness': 1, 'groves': 1, 'monwealth': 1, 'Co': 1, 'seniority': 1, 'religious': 1, 'emboldened': 1, 'memoirs': 1, 'endurances': 1, 'precepts': 1, 'fortify': 1, 'particularize': 1, 'works': 1, 'Tom': 1, 'messenger': 1, 'accumulation': 1, 'inclines': 1, 'Faction': 1, '--!': 1, 'insert': 1, 'dosen': 1, 'sixteene': 1, 'Emphasis': 1, 'griefes': 1, 'disguise': 1, 'equivocation': 1, 'hateful': 1, 'pittie': 1, 'weakenesse': 1, 'Poem': 1, 'Tragicall': 1, 'Pastoricall': 1, 'Historicall': 1, 'indiuidible': 1, 'Scene': 1, 'vnlimited': 1, 'Comicall': 1, 'Historie': 1, 'Pastorall': 1, 'dupt': 1, 'dore': 1, 'discard': 1, 'Thirteen': 1, 'halt': 1, 'aduenturous': 1, 'Foyle': 1, 'Target': 1, 'Tribute': 1, 'gratis': 1, 'tickled': 1, 'Knight': 1, 'Verse': 1, 'sere': 1, 'blanke': 1, 'humorous': 1, 'll': 1, 'pins': 1, 'fee': 1, 'Holyhead': 1, 'obeyed': 1, 'bitterest': 1, 'staggering': 1, 'disengaging': 1, 'Victorie': 1, 'Browes': 1, 'Compressed': 1, 'seconds': 1, '_was_': 1, 'painfully': 1, 'punish': 1, 'Minister': 1, 'Scourge': 1, 'stiles': 1, 'starts': 1, 'chick': 1, 'wriggles': 1, 'spoils': 1, 'Shoo': 1, 'Soales': 1, 'unguarded': 1, 'disclosed': 1, 'Sprung': 1, 'Commencement': 1, 'Origin': 1, 'bounteous': 1, 'Giuen': 1, 'bethought': 1, 'boatmen': 1, 'blaming': 1, 'ingenuousness': 1, 'testifying': 1, 'vnholy': 1, 'bonds': 1, 'implorators': 1, 'Inuestments': 1, 'sanctified': 1, 'Sutes': 1, 'Broakers': 1, 'Breathing': 1, 'traile': 1, 'Assure': 1, 'Policie': 1, 'Hunts': 1, 'braine': 1, 'Lunacie': 1, 'basins': 1, 'inherited': 1, 'educating': 1, 'baited': 1, 'threats': 1, 'behoues': 1, 'cleerely': 1, 'Talke': 1, 'improvidently': 1, 'treating': 1, 'gadding': 1, 'treason': 1, 'usher': 1, 'patroness': 1, 'loudness': 1, 'Ambass': 1, 'Fra': 1, 'antidote': 1, 'destin': 1, 'heal': 1, 'realized': 1, 'unchanged': 1, 'Recounts': 1, 'humanely': 1, 'refreshment': 1, 'incidental': 1, 'connections': 1, 'Cobble': 1, 'Crab': 1, 'potently': 1, 'powerfully': 1, 'holde': 1, '_named_': 1, 'reserves': 1, 'lieutenant': 1, 'stamped': 1, 'anecdote': 1, 'magistrate': 1, 'sokes': 1, 'Authorities': 1, 'Sable': 1, 'Clown': 1, '?--"': 1, 'Mistake': 1, 'unadorned': 1, '_Woodhouse_': 1, 'Fortunately': 1, 'Occasion': 1, 'Cherube': 1, 'pertinacity': 1, 'Throwne': 1, 'coozenage': 1, 'whor': 1, 'Popt': 1, 'Angle': 1, 'thinkst': 1, 'refer': 1, 'Romage': 1, 'Resolutes': 1, 'cheefe': 1, 'Sourse': 1, 'foresaid': 1, 'Preparations': 1, 'Foode': 1, 'Diet': 1, 'skirts': 1, 'vnimproued': 1, 'Shark': 1, 'Compulsatiue': 1, 'Landlesse': 1, 'exalt': 1, 'regain': 1, 'Ambassador': 1, 'Colours': 1, 'Drumme': 1, 'antagonist': 1, 'spectacle': 1, 'alphabetically': 1, 'neatly': 1, 'regulating': 1, 'misgiuing': 1, 'Falles': 1, 'hinted': 1, 'hatefull': 1, 'Melancholies': 1, 'perplexities': 1, 'Find': 1, 'discomfort': 1, 'Labio': 1, 'Battailes': 1, 'Tharsus': 1, 'Flauio': 1, 'Campe': 1, 'Funerals': 1, 'beautifying': 1, 'nosegay': 1, 'Valentines': 1, 'Valentine': 1, 'betime': 1, 'insight': 1, 'suitableness': 1, 'Cly': 1, 'quoted': 1, 'sixpences': 1, 'motherly': 1, 'alphabet': 1, 'teazing': 1, 'kicking': 1, 'scolding': 1, 'languish': 1, 'lockt': 1, 'acres': 1, 'intruding': 1, 'Betters': 1, 'busie': 1, 'corresponded': 1, 'questionable': 1, 'Portsmouth': 1, 'sobs': 1, 'breakes': 1, 'moues': 1, 'Liues': 1, 'coniunctiue': 1, 'Sphere': 1, 'superadded': 1, 'conueniently': 1, 'err': 1, '_any_': 1, '_thing_': 1, 'crape': 1, 'dissolved': 1, 'saffron': 1, 'Hymen': 1, 'robe': 1, 'courtship': 1, 'roundly': 1, 'weede': 1, 'Lethe': 1, 'rots': 1, 'duller': 1, 'Wharfe': 1, 'guinea': 1, 'buzze': 1, 'Buzze': 1, 'simplest': 1, 'mature': 1, 'heyday': 1, 'Crowners': 1, 'Quest': 1, 'Prayers': 1, 'Firmament': 1, 'mooue': 1, 'Northerne': 1, 'Persuasion': 1, '1818': 1, 'hyperbolical': 1, 'Villager': 1, 'chew': 1, 'quaint': 1, 'disgusts': 1, 'taller': 1, 'tops': 1, 'Chariot': 1, 'Concaue': 1, 'Chimney': 1, 'Vniuersall': 1, 'bankes': 1, 'Made': 1, 'hated': 1, 'abundant': 1, 'despise': 1, 'rates': 1, 'insincerity': 1, 'despondency': 1, 'tearing': 1, 'mixing': 1, 'Offences': 1, 'euidence': 1, 'shuffling': 1, 'gilded': 1, 'Buyes': 1, 'corrupted': 1, 'shoue': 1, 'knowe': 1, 'bosom': 1, 'Disputable': 1, 'termination': 1, 'curve': 1, 'abruptness': 1, 'slope': 1, 'Inobled': 1, 'cheerefully': 1, 'Houres': 1, 'Primy': 1, 'Bloude': 1, 'suppliance': 1, 'Violet': 1, 'Froward': 1, 'quarrelsome': 1, 'reproofs': 1, 'inadvertencies': 1, 'misconstructions': 1, 'rally': 1, 'smatch': 1, 'vault': 1, 'preferment': 1, 'retire': 1, 'novitiate': 1, 'diuision': 1, '!--"': 1, 'Counters': 1, 'Couetous': 1, 'bolts': 1, 'Dash': 1, 'gale': 1, 'Troubles': 1, 'doom': 1, 'signed': 1, 'recanting': 1, 'Diuided': 1, 'Pictures': 1, 'impertinently': 1, 'crow': 1, 'worsting': 1, 'haggard': 1, 'gad': 1, 'secluded': 1, 'variance': 1, 'goodnatured': 1, 'amounted': 1, 'superiorities': 1, 'Offer': 1, 'Asking': 1, 'risking': 1, '_evening_': 1, 'memorandum': 1, 'accommodate': 1, 'circles': 1, 'spheres': 1, 'ranks': 1, 'misunderstand': 1, 'cattle': 1, 'ox': 1, 'drills': 1, 'governing': 1, 'unsuccessfully': 1, 'Beg': 1, 'Mole': 1, 'competence': 1, 'portionless': 1, 'erroneous': 1, 'forebodings': 1, 'keene': 1, 'councell': 1, 'Phantasma': 1, 'Genius': 1, 'Interim': 1, 'Insurrection': 1, 'dimming': 1, 'lain': 1, 'Countrey': 1, 'proprietors': 1, 'special': 1, 'croaking': 1, 'Rauen': 1, 'bellow': 1, 'Sighs': 1, 'allied': 1, 'Reply': 1, 'slyness': 1, 'Drinkes': 1, 'Doubtless': 1, 'revenge': 1, 'wholsom': 1, 'Blasting': 1, 'Mildew': 1, 'chides': 1, 'dispositions': 1, 'sank': 1, 'respectfully': 1, 'unfeigned': 1, 'Ostalis': 1, 'Genlis': 1, 'Theodore': 1, 'Adelaide': 1, 'Comtesse': 1, 'practising': 1, 'Baronne': 1, 'Madame': 1, 'Almane': 1, 'Beauty': 1, 'charme': 1, 'Right': 1, 'resort': 1, 'darknesse': 1, 'signal': 1, 'Greatnesse': 1, 'Power': 1, 'ioynes': 1, 'Affections': 1, 'dis': 1, 'Remorse': 1, 'thwarted': 1, 'precision': 1, 'Peoples': 1, 'Alchymie': 1, 'Worthinesse': 1, 'Churchyards': 1, 'Contagion': 1, 'yawne': 1, 'breaths': 1, 'witching': 1, 'exclamations': 1, 'voted': 1, 'constituted': 1, 'youthfull': 1, 'Weighing': 1, 'aduanc': 1, 'Frend': 1, 'seasons': 1, 'fauourites': 1, 'impeaching': 1, 'endangering': 1, 'performer': 1, 'rival': 1, 'foundation': 1, 'ribband': 1, 'lifting': 1, 'papas': 1, 'Voices': 1, 'befitted': 1, 'paint': 1, 'affirm': 1, 'stimulate': 1, 'awakened': 1, 'resuming': 1, 'conjunctions': 1, 'patronize': 1, 'unbecoming': 1, 'coniectures': 1, 'speedie': 1, 'Fetters': 1, 'footed': 1, 'propensity': 1, 'heartfelt': 1, 'Dearer': 1, 'vnequall': 1, 'vnnerued': 1, 'anticke': 1, 'whiffe': 1, 'driues': 1, 'Repugnant': 1, 'Kindest': 1, 'unsoftened': 1, 'Believe': 1, 'disingenuous': 1, 'Early': 1, 'descried': 1, 'Shortly': 1, 'provision': 1, 'satisfie': 1, 'tenements': 1, 'comfortless': 1, 'saddened': 1, 'blotting': 1, 'misty': 1, 'dripping': 1, 'adieu': 1, 'dispelled': 1, 'broiling': 1, 'battle': 1, 'befall': 1, 'incertaine': 1, 'stoppes': 1, 'vanquished': 1, 'poured': 1, 'governance': 1, 'Strafford': 1, 'Roughly': 1, 'portrait': 1, 'legs': 1, 'ly': 1, 'Adams': 1, 'makers': 1, 'Ditchers': 1, 'Gardiners': 1, 'mourner': 1, 'national': 1, 'Occupation': 1, 'Doublet': 1, 'Heard': 1, 'Throat': 1, 'perceiu': 1, 'Rogues': 1, 'Natur': 1, 'Horsebacke': 1, 'exployt': 1, 'Monthes': 1, 'wondrous': 1, 'vncharge': 1, 'Deuice': 1, 'Gallant': 1, 'forgery': 1, 'demy': 1, 'encorps': 1, 'Normandy': 1, 'Seat': 1, 'ue': 1, 'teaches': 1, 'prevails': 1, 'Anybody': 1, 'trustiest': 1, 'leaperous': 1, 'Hebenon': 1, 'Porches': 1, 'siluer': 1, 'posset': 1, 'Aygre': 1, 'Holds': 1, 'poure': 1, 'Lazar': 1, 'droppings': 1, 'Briefe': 1, 'Sleeping': 1, 'curd': 1, 'Mornings': 1, 'loathsome': 1, 'bak': 1, 'Violl': 1, 'afternoone': 1, 'swift': 1, 'Distilment': 1, 'crust': 1, 'Milke': 1, 'iuyce': 1, 'Allies': 1, 'Tetter': 1, 'unpretty': 1, '_Chaperon_': 1, 'Kneele': 1, 'institute': 1, 'Glasse': 1, 'prepar': 1, 'modestly': 1, 'Reflection': 1, 'articulate': 1, 'embraces': 1, 'inconsideration': 1, 'expiation': 1, 'Pain': 1, 'breaks': 1, 'choicest': 1, 'gift': 1, 'designed': 1, 'counterbalance': 1, 'merciful': 1, 'Clossets': 1, 'drag': 1, 'ayde': 1, 'dissent': 1, 'dung': 1, 'deposited': 1, 'judiciously': 1, 'reins': 1, 'rut': 1, 'baking': 1, 'clemency': 1, 'repeats': 1, 'circumspection': 1, 'humility': 1, 'shortens': 1, 'borrow': 1, '_nearer_': 1, 'chapter': 1, 'prologue': 1, 'fogs': 1, 'commissions': 1, 'doer': 1, 'embellishment': 1, 'rapturous': 1, 'Conceit': 1, 'Dread': 1, 'Coronation': 1, 'shepherd': 1, 'bursting': 1, 'improue': 1, 'annoy': 1, '_misery_': 1, '_and_': 1, '_engagement_': 1, '_felt_': 1, '_source_': 1, '_repentance_': 1, '_a_': 1, '_each_': 1, '_dissolved_': 1, '_it_': 1, '_be_': 1, 'Late': 1, '_Robin_': 1, '_Adair_': 1, 'declarations': 1, 'falser': 1, 'greeting': 1, 'descending': 1, 'noon': 1, 'vouchsafing': 1, 'sublimity': 1, 'discouragement': 1, 'groundless': 1, 'velocity': 1, 'twinkling': 1, 'Cyn': 1, 'M': 1, 'N': 1, 'avail': 1, 'submissively': 1, 'glare': 1, 'heats': 1, 'forego': 1, 'autumnal': 1, 'Theeues': 1, 'Mercy': 1, 'lending': 1, 'baits': 1, 'Deceived': 1, 'Shouell': 1, 'knocke': 1, 'Battery': 1, 'Sconce': 1, 'superfluous': 1, 'murdering': 1, 'Peece': 1, 'relapse': 1, 'dispiriting': 1, 'cogitation': 1, 'infectious': 1, 'owning': 1, 'Walk': 1, 'shod': 1, 'rites': 1, 'maimed': 1, 'Fortin': 1, 'necessities': 1, 'perusal': 1, 'usages': 1, 'dumplings': 1, 'stuff': 1, 'forfeited': 1, 'errantry': 1, 'befriend': 1, 'equalling': 1, 'knockes': 1, 'helping': 1, 'plentiful': 1, 'slices': 1, 'amply': 1, 'circumventing': 1, 'reproachful': 1, 'devoured': 1, 'lamb': 1, 'pigeon': 1, 'Flaggon': 1, 'pestilence': 1, 'Renish': 1, 'improves': 1, 'interim': 1, 'Portraiture': 1, 'Towring': 1, 'Cause': 1, 'griefe': 1, 'deliver': 1, 'edify': 1, 'recoverable': 1, 'sequestration': 1, 'incumbrances': 1, 'payment': 1, 'uprightness': 1, 'brotherliness': 1, 'literally': 1, 'figuratively': 1, 'reinstate': 1, 'Knew': 1, 'Blockes': 1, 'senslesse': 1, 'Husbanded': 1, 'Sex': 1, 'Chorus': 1, 'Griefes': 1, 'factious': 1, 'profitable': 1, 'inseparably': 1, 'courts': 1, 'restoring': 1, 'rejoinder': 1, 'compos': 1, 'wax': 1, 'Rich': 1, 'honor': 1, 'giuers': 1, 'vnkinde': 1, 'Human': 1, 'probation': 1, 'Obiect': 1, 'flowed': 1, 'apprehending': 1, 'Strumpet': 1, 'commands': 1, 'Ore': 1, 'Ocean': 1, 'Flats': 1, 'Antiquity': 1, 'rabble': 1, 'Ratifiers': 1, 'Eates': 1, 'peering': 1, 'impittious': 1, 'props': 1, 'Riotous': 1, 'crye': 1, 'quils': 1, 'ratled': 1, 'affraide': 1, 'scarse': 1, 'Yases': 1, 'Stages': 1, 'indeauour': 1, 'ayrie': 1, 'Goose': 1, 'tyrannically': 1, 'conducted': 1, '1814': 1, 'ribbons': 1, 'faithful': 1, '_some_': 1, 'tempers': 1, 'paltry': 1, 'misspent': 1, 'Hackt': 1, 'Apes': 1, 'Strooke': 1, 'fawn': 1, 'Curre': 1, 'teethes': 1, 'Bondmen': 1, 'daggers': 1, 'Villains': 1, 'partiall': 1, 'exceeding': 1, 'mindedness': 1, 'Reads': 1, 'stealers': 1, 'pickers': 1, 'Wish': 1, 'overrating': 1, 'altar': 1, 'impair': 1, 'stoope': 1, 'bathe': 1, 'Stoope': 1, 'besmeare': 1, 'Weapons': 1, 'Elbowes': 1, 'hay': 1, 'errands': 1, 'aunts': 1, 'replaced': 1, 'digress': 1, 'vague': 1, 'rubbed': 1, 'foreboding': 1, 'ingrafted': 1, 'deathbed': 1, 'oblivion': 1, 'sprung': 1, 'verdure': 1, 'oppressive': 1, 'receiuest': 1, 'Petition': 1, 'dog': 1, 'Bow': 1, 'Arrowes': 1, 'timbred': 1, 'reuerted': 1, 'vent': 1, 'broader': 1, 'disrespect': 1, 'Remorselesse': 1, 'Pigeon': 1, 'Oppression': 1, 'Bawdy': 1, 'bloudy': 1, 'Liuer': 1, 'fatted': 1, 'Gall': 1, 'Letcherous': 1, 'kindles': 1, 'Louing': 1, 'prostrate': 1, 'Bold': 1, 'arrogance': 1, 'unbleached': 1, 'stain': 1, 'joyously': 1, 'approves': 1, 'doomed': 1, 'showres': 1, 'bewept': 1, 'redeem': 1, 'wishers': 1, 'eligibilities': 1, 'conversing': 1, 'hangs': 1, 'History': 1, 'Bones': 1, 'tawny': 1, 'withered': 1, 'poetical': 1, 'inexhaustible': 1, 'swathing': 1, 'hearer': 1, 'clouts': 1, 'camp': 1, 'pluckes': 1, 'Contraction': 1, 'rapsidie': 1, 'Religion': 1, 'ouercame': 1, 'Conquerors': 1, 'Relatiue': 1, 'Leaps': 1, 'unwillingly': 1, 'Dancing': 1, 'tastes': 1, 'couples': 1, 'exceptions': 1, 'countenances': 1, 'springing': 1, 'beaming': 1, 'fortified': 1, 'Nights': 1, 'Sit': 1, 'assaile': 1, 'Gent': 1, 'Core': 1, 'Passions': 1, 'ruins': 1, 'Vs': 1, 'Contaminate': 1, 'Robbers': 1, 'Formost': 1, 'infuse': 1, 'Masterly': 1, 'especiall': 1, 'possessor': 1, 'rendred': 1, 'streete': 1, 'dullest': 1, 'literature': 1, 'affable': 1, 'worthies': 1, 'Sailors': 1, 'vessel': 1, 'batten': 1, 'Moore': 1, 'performances': 1, 'smirked': 1, 'aimable': 1, 'Tweakes': 1, 'Nose': 1, 'Firebrands': 1, 'Brands': 1, 'Penelope': 1, 'Stands': 1, 'hides': 1, 'wrongs': 1, 'deafer': 1, 'consistently': 1, 'undesignedly': 1, '_told_': 1, 'Hie': 1, 'Post': 1, 'Ministring': 1, 'howling': 1, 'churlish': 1, 'strictest': 1, 'injunctions': 1, 'Sanitie': 1, 'prosperously': 1, 'happinesse': 1, 'Langham': 1, 'successively': 1, 'Instances': 1, 'accrue': 1, 'twisted': 1, 'thoughtfully': 1, 'surprizes': 1, 'faints': 1, 'sage': 1, 'prophane': 1, 'Requiem': 1, 'swound': 1, 'Abdy': 1, 'learne': 1, 'affraid': 1, 'Plum': 1, 'wrinkled': 1, 'Slanders': 1, 'Satyricall': 1, 'Hammes': 1, 'gray': 1, 'plentifull': 1, 'Beards': 1, 'Amber': 1, 'Gumme': 1, 'hundreds': 1, 'Understanding': 1, 'parson': 1, 'bespoke': 1, 'Sixteen': 1, ',"--"': 1, 'quaintly': 1, 'assault': 1, 'sauagenes': 1, 'taints': 1, 'Incontinencie': 1, 'vnreclaim': 1, 'Iemme': 1, 'Brooch': 1, 'moode': 1, 'pittied': 1, 'importunate': 1, 'clean': 1, 'Anything': 1, 'defied': 1, 'dashing': 1, '_introduction_': 1, 'auspices': 1, 'reputed': 1, 'snatched': 1, 'killing': 1, 'unselfish': 1, 'smoothed': 1, 'awkwardnesses': 1, 'reproached': 1, 'Citizens': 1, 'Writings': 1, 'tending': 1, 'obscurely': 1, 'wherein': 1, 'Hands': 1, 'teasing': 1, 'reserving': 1, 'Full': 1, 'untowardly': 1, 'bookish': 1, 'uninterrupted': 1, 'gratifications': 1, 'chairs': 1, 'speculate': 1, 'winters': 1, 'Wall': 1, 'expell': 1, 'flaw': 1, 'patch': 1, 'Exeter': 1, 'Orator': 1, 'Vtterance': 1, 'notch': 1, 'secondary': 1, 'incongruity': 1, 'raving': 1, 'landed': 1, 'complaisant': 1, 'inconsiderable': 1, 'patronage': 1, 'smallness': 1, 'dividing': 1, 'kinds': 1, 'mode': 1, 'entitling': 1, 'leuell': 1, 'guiltlesse': 1, 'trimming': 1, 'complimented': 1, 'hopelessness': 1, 'borders': 1, 'pick': 1, 'protestations': 1, 'Apologies': 1, 'effusions': 1, 'heavens': 1, 'Desires': 1, 'Greetings': 1, 'sympathise': 1, 'betraying': 1, 'inadequate': 1, 'extinction': 1, 'routine': 1, 'Tanner': 1, 'fluently': 1, 'slavery': 1, 'craues': 1, 'Sting': 1, 'Adder': 1, 'warie': 1, 'mysteriously': 1, 'conceald': 1, 'treble': 1, 'hap': 1, 'requite': 1, 'eleuen': 1, 'Platforme': 1, 'fam': 1, 'Tricks': 1, 'Tenures': 1, 'scarlet': 1, 'Cobham': 1, 'kite': 1, 'Bella': 1, 'sighes': 1, 'transplanted': 1, 'splendour': 1, 'enuy': 1, 'revolting': 1, 'manoeuvres': 1, 'duplicity': 1, 'lecture': 1, 'widowhood': 1, 'Confesse': 1, 'Repent': 1, 'Weedes': 1, 'Compost': 1, 'Willes': 1, 'Legacie': 1, 'Sacred': 1, 'Memory': 1, 'Napkins': 1, 'dip': 1, 'Bequeathing': 1, 'unforgiving': 1, 'receipt': 1, 'Paradox': 1, 'dissipation': 1, 'tease': 1, 'concession': 1, 'joins': 1, 'fork': 1, 'tricks': 1, 'search': 1, 'waterflie': 1, 'Showt': 1, 'Vol': 1, 'Exceedingly': 1, 'soultry': 1, 'blowing': 1, 'bleak': 1, 'blown': 1, 'insinuations': 1, 'discriminating': 1, 'coast': 1, 'Former': 1, 'provocations': 1, 'blockhead': 1, 'palme': 1, 'vnhatch': 1, 'Comrade': 1, 'vnproportion': 1, 'hoopes': 1, 'vnfledg': 1, 'swelled': 1, 'nought': 1, 'laine': 1, 'Scul': 1, 'Heres': 1, 'Whats': 1, 'lawfull': 1, 'appease': 1, 'Gentlewoman': 1, 'mixt': 1, 'Elements': 1, 'olive': 1, 'Mender': 1, 'Extremely': 1, 'inadvertence': 1, 'wantonly': 1, 'captiously': 1, 'catastrophe': 1, 'judgements': 1, 'canvassed': 1, 'concussion': 1, 'vnluckily': 1, 'feast': 1, 'declension': 1, 'waile': 1, 'raues': 1, 'whereon': 1, 'Lightnesse': 1, 'Thence': 1, 'Sadnesse': 1, 'Saile': 1, 'compelled': 1, 'Finding': 1, 'Court': 1, 'Atlantic': 1, 'Cork': 1, 'Neptune': 1, 'executor': 1, 'anguish': 1, 'heaped': 1, 'corresponding': 1, 'Monument': 1, 'Strengthen': 1, 'disguised': 1, 'Seldom': 1, 'impute': 1, '_letting_': 1, 'Wil': 1, 'Sundaies': 1, 'Herbe': 1, 'handle': 1, 'Wickedness': 1, 'coile': 1, 'shuffel': 1, 'packs': 1, 'unbroken': 1, 'refreshments': 1, 'waiters': 1, 'hangers': 1, 'Leagues': 1, 'indiscreet': 1, 'Beene': 1, 'encountred': 1, 'discuss': 1, 'prevalence': 1, 'beckoning': 1, 'deepely': 1, 'widely': 1, 'victims': 1, 'plaid': 1, 'Vniuersity': 1, 'feeles': 1, 'avert': 1, 'shortness': 1, 'profess': 1, 'objecting': 1, ',--`': 1, 'temporary': 1, 'gloom': 1, 'Wed': 1, 'hadst': 1, 'Quoth': 1, 'tumbled': 1, 'Ought': 1, 'Leade': 1, 'cameos': 1, 'engravings': 1, 'medals': 1, 'corals': 1, 'shells': 1, 'Books': 1, 'drawers': 1, 'cabinets': 1, 'Comerce': 1, 'Ibbotsons': 1, 'Pella': 1, 'Sardians': 1, 'bushel': 1})
Let's visualize how many words occur in more than a certain percentage of documents. To convert raw document counts into percentages of the total, you need to divide the number of documents in which a word occurs (in counts
) by the total number of documents in strat_train_set
. This total equals $13414$.
from numpy import arange
percentages = {}
maximum = float(13414)
# Let's explore the document frequency bands
for item in counts.items():
perc = float(item[1])/maximum
for freq in arange(0.00, 0.05, 0.0125):
if perc>=freq and perc<=freq+0.0125:
freq_range = str(freq)[:6] + "%-" + str(freq+0.0125)[:6] + "%"
percentages[freq_range] = percentages.get(freq_range, 0) + 1
for freq in arange(0.05, 1.00, 0.05):
if perc>=freq and perc<=freq+0.05:
freq_range = str(freq)[:4] + "%-" + str(freq+0.05)[:4] + "%"
percentages[freq_range] = percentages.get(freq_range, 0) + 1
# Print out these frequency bands
for key in sorted(percentages.keys()):
print(key + " texts: " + str(percentages.get(key)) + " words")
0.0%-0.0125% texts: 13355 words 0.0125%-0.025% texts: 84 words 0.025%-0.0375% texts: 33 words 0.0375%-0.05% texts: 22 words 0.05%-0.1% texts: 32 words 0.1%-0.15% texts: 13 words 0.15%-0.2% texts: 6 words 0.2%-0.25% texts: 2 words 0.25%-0.3% texts: 2 words 0.3%-0.35% texts: 2 words 0.5%-0.55% texts: 1 words 0.65%-0.70% texts: 1 words
Now let's visualize word document frequencies. For that, let's first arrange the word frequencies in texts in descending order and assign each word a rank: for example, the most frequent word that occurs in most texts would get a rank of 1, the second most frequent word would get a rank of 2, and so on. Next, let's plot these ranks against the total number of occurrences of each word in documents: for example, the most frequent word (full stop, ".") with rank 1 occurs in $9108$ texts, the word with rank 2 (comma, ",") occurs in $7126$ in total, and so on. Let's also select a word, for instance, "happy" and get its rank.
import operator
# Based on https://www.digitalocean.com/community/tutorials/how-to-graph-word-frequency-using-matplotlib-with-python-3
def visualize(word_doc_map, word):
sorted_map = (sorted(word_doc_map.items(), key=operator.itemgetter(1)))[::-1]
occurrences = []
ranks = []
word_rank = 0
word_frequency = 0
# Find the rank and overall document frequency of all words
rank = 1
for item in sorted_map:
if (item[0] == word):
word_rank = rank
word_frequency = item[1]
ranks.append(rank)
rank += 1
occurrences.append(item[1])
# Plot word frequences against their ranks
plt.title("Word document frequencies")
plt.ylabel("Total number of document occurrences")
plt.xlabel("Word ranks (rank of word \"" + word + "\" is " + str(word_rank) + ")")
# Logarithms help present the frequency/rank information concisely
plt.plot(ranks, occurrences)
plt.scatter(
[word_rank],
[word_frequency],
color="red",
marker="x",
s=100,
label=word
)
plt.show()
visualize(counts, "happy")
Frequencies drop very fast, as this graph shows. You can apply logarithmic function to the absolute frequency values to smooth the curve and make the changes in frequencies clearer:
import operator
# Based on https://www.digitalocean.com/community/tutorials/how-to-graph-word-frequency-using-matplotlib-with-python-3
def visualize(word_doc_map, word):
sorted_map = (sorted(word_doc_map.items(), key=operator.itemgetter(1)))[::-1]
occurrences = []
ranks = []
word_rank = 0
word_frequency = 0
# Find the rank and overall document frequency of all words
rank = 1
for item in sorted_map:
if (item[0] == word):
word_rank = rank
word_frequency = item[1]
ranks.append(rank)
rank += 1
occurrences.append(item[1])
# Plot word frequences against their ranks
plt.title("Word document frequencies (log)")
plt.ylabel("Total number of document occurrences")
plt.xlabel("Word ranks (rank of word \"" + word + "\" is " + str(word_rank) + ")")
# Logarithms help present the frequency/rank information concisely
plt.loglog(ranks, occurrences, basex=10)
plt.scatter(
[word_rank],
[word_frequency],
color="red",
marker="x",
s=100,
label=word
)
plt.show()
visualize(counts, "happy")
These graphs exemplify Zipf's law – an empirical law formulated by George Kingsley Zipf, which states that the frequency of any word is inversely proportional to its rank in the frequency table. Originally, it states that the most frequent word will occur approximately twice as often as the second most frequent word, three times as often as the third most frequent word, and so on. The particular proportion is a rough estimate and depends on the data (for instance, in this case, you are looking into document rather than total word frequencies, and the ratio between the first and the second ranks is not exactly 1/2), but what matters is that the rank-frequency distribution is an inverse relation. In plain terms, this means that a small amount of very frequent words will occur in most documents, and a much larger amount of words (so-called long tail of the distribution) will be seen very rarely.
One of the problems with this distribution for clasifiers like Decision Trees is that such rare words add to the complexity of the algorithm but not help classification. Here is your first example of feature selection practices: let's filter out rare words and consider as features only the words that occur with in certain proportion or number of documents. The code below uses a minimum frequency threshold of $200$ documents for the word to be considered as a feature, and a maximum frequency threshold of $20\%$ of the texts. Feel free to modify these values.
from nltk import DecisionTreeClassifier
maximum = float(13414)
selected_words = []
for item in counts.items():
count = float(item[1])
if count > 200 and count/maximum < 0.2:
selected_words.append(item[0])
print(len(selected_words))
def get_features(text, selected_words):
features = {}
word_list = [word for word in text]
for word in word_list:
if word in selected_words:
features[word] = True
return features
train_features = [(get_features(sents, selected_words), label) for (sents, label)
in strat_train_set]
pretest_features = [(get_features(sents, selected_words), label) for (sents, label)
in strat_pretest_set]
test_features = [(get_features(sents, selected_words), label) for (sents, label)
in test_set]
classifier = DecisionTreeClassifier.train(train_features)
print (f"Accuracy on the training set = {str(classify.accuracy(classifier, train_features))}")
print (f"Accuracy on the pretest set = {str(classify.accuracy(classifier, pretest_features))}")
print (f"Accuracy on the test set = {str(classify.accuracy(classifier, test_features))}")
166 Accuracy on the training set = 0.8099746533472492 Accuracy on the pretest set = 0.7960644007155635 Accuracy on the test set = 0.8066898349261512
Finally, let's visualize these accuracy scores. Note that despite the results being overall lower than those you achieved with the benchmark model, they are consistent across all three datasets, which shows that the classifier generalizes well.
a = ["Train", "Pretest", "Test"]
index = range(len(a))
b = [81.00, 79.64, 80.79] # Accuracy scores for the datasets
fig, ax = plt.subplots()
axes = plt.gca()
# Let's set 68 as the lower bound as the majority class baseline is at 68.58 for the original set
axes.set_ylim([68,100])
ax.bar(index, b, color=['#0A40A4', '#61A4F6', '#DB025B'])
plt.xticks(index, a)
plt.show()
import matplotlib
matplotlib.axes.Axes.plot
matplotlib.pyplot.plot
matplotlib.axes.Axes.legend
matplotlib.pyplot.legend
<function matplotlib.pyplot.legend(*args, **kwargs)>
#average word length in characters
def avg_number_chars(text):
total_chars = 0.0
for word in text:
total_chars += len(word)
return float(total_chars)/float(len(text))
#length in terms of words
def number_words(text):
return float(len(text))
print(avg_number_chars(["Not", "so", "happy", ",", "yet", "much", "happyer"]))
print(number_words(["Not", "so", "happy", ",", "yet", "much", "happyer"]))
3.5714285714285716 7.0
Represent all data sets with their feature sets. You will need to initialize a feature set for each text and map it to the author. In addition, let's switch to numerical representation of author labels:
def initialize_dataset(source):
all_features = []
targets = []
for (sent, label) in source:
feature_list=[]
feature_list.append(avg_number_chars(sent))
feature_list.append(number_words(sent))
all_features.append(feature_list)
if label=="austen": targets.append(0)
else: targets.append(1)
return all_features, targets
train_data, train_targets = initialize_dataset(strat_train_set)
pretest_data, pretest_targets = initialize_dataset(strat_pretest_set)
test_data, test_targets = initialize_dataset(test_set)
print (len(train_data), len(train_targets))
print (len(pretest_data), len(pretest_targets))
print (len(test_data), len(test_targets))
13414 13414 3354 3354 6906 6906
Now apply classification with the sklearn
's Decision Trees
classifier:
from sklearn.tree import DecisionTreeClassifier
text_clf = DecisionTreeClassifier(random_state=42)
text_clf.fit(train_data, train_targets)
predicted = text_clf.predict(pretest_data)
Run evaluation including the following metrics: accuracy, confusion matrix, precision, recall and F1:
import numpy as np
from sklearn import metrics
def evaluate(predicted, targets):
print(np.mean(predicted == targets))
print(metrics.confusion_matrix(targets, predicted))
print(metrics.classification_report(targets, predicted))
evaluate(predicted, pretest_targets)
0.7975551580202743 [[2133 167] [ 512 542]] precision recall f1-score support 0 0.81 0.93 0.86 2300 1 0.76 0.51 0.61 1054 accuracy 0.80 3354 macro avg 0.79 0.72 0.74 3354 weighted avg 0.79 0.80 0.78 3354
And on the test set:
predicted = text_clf.predict(test_data)
evaluate(predicted, test_targets)
0.8049522154648132 [[4605 394] [ 953 954]] precision recall f1-score support 0 0.83 0.92 0.87 4999 1 0.71 0.50 0.59 1907 accuracy 0.80 6906 macro avg 0.77 0.71 0.73 6906 weighted avg 0.80 0.80 0.79 6906
This looks like a much more generalizable set of features – the performance on both set is very close ($0.7973$ vs. $0.8050$). Besides, it contains only $2$ features as opposed to over $13K$ words! However, now the performance is much lower than with words. Let's try and improve it further. Let's visualize these results with matplotlib
:
# Adapted from: https://matplotlib.org/3.1.0/gallery/lines_bars_and_markers/barchart.html
pretestAcc = (96.36, 79.72)
testAcc = (89.57, 80.49)
ind = np.arange(len(pretestAcc)) # the x locations for the groups
width = 0.2 # the width of the bars
fig, ax = plt.subplots()
rects1 = ax.bar(ind - width/2, pretestAcc, width, label='Pretest', color='#61A4F6')
rects2 = ax.bar(ind + width/2, testAcc, width, label='Test', color='#DB025B')
# Add some text for labels, title and custom x-axis tick labels, etc.
ax.set_ylabel('Accuracy scores')
ax.set_ylim([68,100])
ax.set_title('Scores by feature set and data set')
ax.set_xticks(ind)
ax.set_xticklabels(('Benchmark', 'F1-2'))
ax.legend()
fig.tight_layout()
plt.show()
Feature type 3 – count of stopwords: Add spaCy
functionality and see how only a handful of frequent words are distributed in texts:
import spacy
from spacy.lang.en.stop_words import STOP_WORDS
nlp = spacy.load('en_core_web_md')
# a very general method that can be applied to any type of words
def word_counts(text):
counts = {}
for word in text:
counts[word.lower()] = counts.get(word.lower(), 0) + 1
return counts
Now let's augment our feature set with the counts of stopwords only:
def initialize_dataset(source):
all_features = []
targets = []
for (sent, label) in source:
feature_list=[]
feature_list.append(avg_number_chars(sent))
feature_list.append(number_words(sent))
counts = word_counts(sent)
for word in STOP_WORDS:
if word in counts.keys():
feature_list.append(counts.get(word))
else:
feature_list.append(0)
all_features.append(feature_list)
if label=="austen": targets.append(0)
else: targets.append(1)
return all_features, targets
train_data, train_targets = initialize_dataset(strat_train_set)
pretest_data, pretest_targets = initialize_dataset(strat_pretest_set)
test_data, test_targets = initialize_dataset(test_set)
print (len(train_data), len(train_targets))
print (len(pretest_data), len(pretest_targets))
print (len(test_data), len(test_targets))
13414 13414 3354 3354 6906 6906
Now train and test on both pretest and test data:
text_clf = DecisionTreeClassifier(random_state=42)
text_clf.fit(train_data, train_targets)
predicted = text_clf.predict(pretest_data)
evaluate(predicted, pretest_targets)
predicted = text_clf.predict(test_data)
evaluate(predicted, test_targets)
0.8127608825283243 [[1967 333] [ 295 759]] precision recall f1-score support 0 0.87 0.86 0.86 2300 1 0.70 0.72 0.71 1054 accuracy 0.81 3354 macro avg 0.78 0.79 0.78 3354 weighted avg 0.81 0.81 0.81 3354 0.8087170576310455 [[4225 774] [ 547 1360]] precision recall f1-score support 0 0.89 0.85 0.86 4999 1 0.64 0.71 0.67 1907 accuracy 0.81 6906 macro avg 0.76 0.78 0.77 6906 weighted avg 0.82 0.81 0.81 6906
There is a slight improvement in accuracy of about $0.005$ (or $0.5\%$), up to $0.812$-$0.815$ and $0.806$-$0.81$. However, what is most interesting about this feature is that there is now a more considerable improvement in performance metrics on the minority class (shakespeare): on the pretest set recall rises from $0.51$ to $0.72$ and F1 from $0.61$ to $0.71$ – a whole of $10$ points; on the test set the improvement in recall is from $0.50$ to $0.71$ and in F1 from $0.59$ to $0.67$.
pretestAcc = (96.36, 79.72, 81.18) # use the last accuracy score as the last value
testAcc = (89.57, 80.49, 80.96) # use the last accuracy score as the last value
ind = np.arange(len(pretestAcc)) # the x locations for the groups
width = 0.25 # the width of the bars
fig, ax = plt.subplots()
rects1 = ax.bar(ind - width/2, pretestAcc, width, label='Pretest', color='#61A4F6')
rects2 = ax.bar(ind + width/2, testAcc, width, label='Test', color='#DB025B')
# Add some text for labels, title and custom x-axis tick labels, etc.
ax.set_ylabel('Accuracy scores')
ax.set_ylim([68,100])
ax.set_title('Scores by feature set and data set')
ax.set_xticks(ind)
ax.set_xticklabels(('Benchmark', 'F1-2', 'F1-3'))
ax.legend()
fig.tight_layout()
plt.show()
Feature type 4 – proportion of stopwords: Estimate what proportion of words in sentence are stopwords:
def proportion_words(text, wordlist):
count = 0
for word in text:
if word.lower() in wordlist:
count += 1
return float(count)/float(len(text))
def initialize_dataset(source):
all_features = []
targets = []
for (sent, label) in source:
feature_list=[]
feature_list.append(avg_number_chars(sent))
feature_list.append(number_words(sent))
counts = word_counts(sent)
for word in STOP_WORDS:
if word in counts.keys():
feature_list.append(counts.get(word))
else:
feature_list.append(0)
feature_list.append(proportion_words(sent, STOP_WORDS))
all_features.append(feature_list)
if label=="austen": targets.append(0)
else: targets.append(1)
return all_features, targets
train_data, train_targets = initialize_dataset(strat_train_set)
pretest_data, pretest_targets = initialize_dataset(strat_pretest_set)
test_data, test_targets = initialize_dataset(test_set)
print (len(train_data), len(train_targets))
print (len(pretest_data), len(pretest_targets))
print (len(test_data), len(test_targets))
13414 13414 3354 3354 6906 6906
As before, train and test on both pretest and test data:
text_clf = DecisionTreeClassifier(random_state=42)
text_clf.fit(train_data, train_targets)
predicted = text_clf.predict(pretest_data)
evaluate(predicted, pretest_targets)
predicted = text_clf.predict(test_data)
evaluate(predicted, test_targets)
0.8106738223017292 [[1985 315] [ 320 734]] precision recall f1-score support 0 0.86 0.86 0.86 2300 1 0.70 0.70 0.70 1054 accuracy 0.81 3354 macro avg 0.78 0.78 0.78 3354 weighted avg 0.81 0.81 0.81 3354 0.8124818997972777 [[4275 724] [ 571 1336]] precision recall f1-score support 0 0.88 0.86 0.87 4999 1 0.65 0.70 0.67 1907 accuracy 0.81 6906 macro avg 0.77 0.78 0.77 6906 weighted avg 0.82 0.81 0.81 6906
We see an even further small improvement: $0.812$-$0.815$ and $0.815$-$0.819$. Moreover, performance on both pretest and test sets is very similar now. However, overall perfomance is still not as good as what you've got with words, so let's keep going. Let's plot these values, too:
pretestAcc = (96.36, 79.72, 81.22) # use the last accuracy score as the last value
testAcc = (89.57, 80.49, 81.83) # use the last accuracy score as the last value
ind = np.arange(len(pretestAcc)) # the x locations for the groups
width = 0.25 # the width of the bars
fig, ax = plt.subplots()
rects1 = ax.bar(ind - width/2, pretestAcc, width, label='Pretest', color='#61A4F6')
rects2 = ax.bar(ind + width/2, testAcc, width, label='Test', color='#DB025B')
# Add some text for labels, title and custom x-axis tick labels, etc.
ax.set_ylabel('Accuracy scores')
ax.set_ylim([68,100])
ax.set_title('Scores by feature set and data set')
ax.set_xticks(ind)
ax.set_xticklabels(('Benchmark', 'F1-2', 'F1-4'))
ax.legend()
fig.tight_layout()
plt.show()
Feature type 5 – proportion of words of specific parts of speech: Just like you added proportion of stopwords, add proportions of words of specific parts of speech. For that, first, preprocess the sentences and for each of them keep a dictionary mapping each sentence to its spaCy
's representation with all language-related fields (this might take some time due to processing run by spaCy
, so let's add some code to track how many sentences have been processed):
def preprocess(source):
source_docs = {}
index = 0
for (sent, label) in source:
text = " ".join(sent)
source_docs[text] = nlp(text)
if index>0 and (index%2000)==0:
print(str(index) + " texts processed")
index += 1
print("Dataset processed")
return source_docs
train_docs = preprocess(strat_train_set)
pretest_docs = preprocess(strat_pretest_set)
test_docs = preprocess(test_set)
2000 texts processed 4000 texts processed 6000 texts processed 8000 texts processed 10000 texts processed 12000 texts processed Dataset processed 2000 texts processed Dataset processed 2000 texts processed 4000 texts processed 6000 texts processed Dataset processed
Now add the PoS distributions as features:
from collections import Counter
pos_list = ["C", "D", "E", "F", "I", "J", "M", "N", "P", "R", "T", "U", "V", "W"]
def pos_counts(text, source_docs, pos_list):
pos_counts = {}
doc = source_docs.get(" ".join(text))
tags = []
for word in doc:
tags.append(str(word.tag_)[0])
counts = Counter(tags)
for pos in pos_list:
if pos in counts.keys():
pos_counts[pos] = counts.get(pos)
else: pos_counts[pos] = 0
return pos_counts
def initialize_dataset(source, source_docs):
all_features = []
targets = []
for (sent, label) in source:
feature_list=[]
feature_list.append(avg_number_chars(sent))
feature_list.append(number_words(sent))
counts = word_counts(sent)
for word in STOP_WORDS:
if word in counts.keys():
feature_list.append(counts.get(word))
else:
feature_list.append(0)
feature_list.append(proportion_words(sent, STOP_WORDS))
p_counts = pos_counts(sent, source_docs, pos_list)
for pos in p_counts.keys():
feature_list.append(float(p_counts.get(pos))/float(len(sent)))
all_features.append(feature_list)
if label=="austen": targets.append(0)
else: targets.append(1)
return all_features, targets
train_data, train_targets = initialize_dataset(strat_train_set, train_docs)
pretest_data, pretest_targets = initialize_dataset(strat_pretest_set, pretest_docs)
test_data, test_targets = initialize_dataset(test_set, test_docs)
print (len(train_data), len(train_targets))
print (len(pretest_data), len(pretest_targets))
print (len(test_data), len(test_targets))
13414 13414 3354 3354 6906 6906
And, as before, train, test and evaluate:
text_clf = DecisionTreeClassifier(random_state=42)
text_clf.fit(train_data, train_targets)
predicted = text_clf.predict(pretest_data)
evaluate(predicted, pretest_targets)
predicted = text_clf.predict(test_data)
evaluate(predicted, test_targets)
0.8208109719737626 [[1999 301] [ 300 754]] precision recall f1-score support 0 0.87 0.87 0.87 2300 1 0.71 0.72 0.72 1054 accuracy 0.82 3354 macro avg 0.79 0.79 0.79 3354 weighted avg 0.82 0.82 0.82 3354 0.8284100781928757 [[4326 673] [ 512 1395]] precision recall f1-score support 0 0.89 0.87 0.88 4999 1 0.67 0.73 0.70 1907 accuracy 0.83 6906 macro avg 0.78 0.80 0.79 6906 weighted avg 0.83 0.83 0.83 6906
An improvement with this feature reaches $0.82$-$0.83$ on both sets.
For convenience, let's pack up the datasets initialization, training, testing and evaluation into a method, since we don't change any code in this bit:
def run():
train_data, train_targets = initialize_dataset(strat_train_set, train_docs)
pretest_data, pretest_targets = initialize_dataset(strat_pretest_set, pretest_docs)
test_data, test_targets = initialize_dataset(test_set, test_docs)
print (len(train_data), len(train_targets))
print (len(pretest_data), len(pretest_targets))
print (len(test_data), len(test_targets))
print ()
text_clf = DecisionTreeClassifier(random_state=42)
text_clf.fit(train_data, train_targets)
predicted = text_clf.predict(pretest_data)
evaluate(predicted, pretest_targets)
predicted = text_clf.predict(test_data)
evaluate(predicted, test_targets)
run()
13414 13414 3354 3354 6906 6906 0.8208109719737626 [[1999 301] [ 300 754]] precision recall f1-score support 0 0.87 0.87 0.87 2300 1 0.71 0.72 0.72 1054 accuracy 0.82 3354 macro avg 0.79 0.79 0.79 3354 weighted avg 0.82 0.82 0.82 3354 0.8284100781928757 [[4326 673] [ 512 1395]] precision recall f1-score support 0 0.89 0.87 0.88 4999 1 0.67 0.73 0.70 1907 accuracy 0.83 6906 macro avg 0.78 0.80 0.79 6906 weighted avg 0.83 0.83 0.83 6906
Let's plot the improvements in the results:
pretestAcc = (96.36, 79.72, 81.22, 83.10) # use the last accuracy score as the last value
testAcc = (89.57, 80.49, 81.83, 82.54) # use the last accuracy score as the last value
ind = np.arange(len(pretestAcc)) # the x locations for the groups
width = 0.25 # the width of the bars
fig, ax = plt.subplots()
rects1 = ax.bar(ind - width/2, pretestAcc, width, label='Pretest', color='#61A4F6')
rects2 = ax.bar(ind + width/2, testAcc, width, label='Test', color='#DB025B')
# Add some text for labels, title and custom x-axis tick labels, etc.
ax.set_ylabel('Accuracy scores')
ax.set_ylim([68,100])
ax.set_title('Scores by feature set and data set')
ax.set_xticks(ind)
ax.set_xticklabels(('Benchmark', 'F1-2', 'F1-4', 'F1-5'))
ax.legend()
fig.tight_layout()
plt.show()
Let's add further linguistic feature – for instance, suffixes that are already stored in the docs
.
Feature type 6 – count selected suffixes: As the number of suffixes will be quite large (smaller than the number of words, though), let's set a cutoff point to, e.g. the top $40\%$ of the suffixes:
import operator
def select_suffixes(cutoff):
all_suffixes = []
for doc in train_docs.values():
for word in doc:
all_suffixes.append(str(word.suffix_).lower())
counts = Counter(all_suffixes)
sorted_counts = sorted(counts.items(), key=operator.itemgetter(1), reverse=True)
selected_suffixes = []
for i in range(0, round(len(counts)*cutoff)):
selected_suffixes.append(sorted_counts[i][0])
return selected_suffixes
selected_suffixes = select_suffixes(0.4)
print(len(selected_suffixes))
print(selected_suffixes)
577 [',', '.', 'the', 'and', 'to', 'ing', 'of', 'her', '"', 'a', 'i', 'hat', 'it', 'in', ';', 'was', 'not', 'she', 'you', 'his', 'uld', 'be', 'he', 'ere', 'had', "'", 'as', '--', 'all', 'ion', 'but', 'for', 'ith', 'ery', 'is', 'ave', 'ent', 'ill', 'nce', 'ght', 'ter', 'at', 'my', 'our', 'so', 'him', 'een', '?', 's', 'uch', 'ore', 'ome', 'mr', 'ver', 'are', 'ted', 'one', ':', 'ble', 'ell', 'no', 'on', 'now', 'any', 'ust', 'by', 'me', '!', 'hen', 'hey', 'out', 'ess', 'ich', '-', 'do', 'ure', 'mrs', 'ain', 'rom', 'elf', 'red', 'or', 'ood', 'if', 'mma', 'use', 'aid', 'hem', 'ton', 'ely', 'sed', 'own', 'est', 'man', 'an', 'ost', 'ake', 'ers', 'ear', 'nly', '_', 'we', 'iss', 'ned', 'ugh', '.--', 'lly', 'eir', 'ied', 'end', 'am', 'han', 'ons', 'did', 'ame', 'can', 'tle', 'ite', 'ose', 'ate', 'tly', 'how', 'ant', 'ard', 'ast', 'ong', 'ive', 'ity', 'who', 'ine', 'ved', 'eat', 'ect', 'iet', 'nne', 'ded', 'ink', 'way', 'ord', 'ous', 'ays', 'ime', 'ked', 'ady', 'say', 'age', 'ike', 'old', 'ies', 'eed', 'ngs', 'too', 'd', 'ind', 'les', 'ade', 'der', 'aue', 'see', 'med', 'ort', 'ile', 'day', 'rst', 'ley', 'rth', 'its', 'ace', 'may', 'art', 'ove', 'ody', 'let', 'ice', 'nds', 'ane', 'ful', 'led', 'ish', 'oon', 'has', 'und', 'yes', 'nts', 'ven', 'tes', 'ath', 'pon', 'rds', 'rry', 'hed', 'ged', 'ary', 'ead', 'son', 'ple', 'nto', 'two', 'mes', 'ily', 'go', 'ife', 'ten', 'ung', 'ook', 'ise', 'ner', 'ius', 'ral', 'sir', 'iot', 'dly', 'rly', 'rse', 'ank', 'oor', 'ger', 'rty', 'up', '(', 'ide', ')', 'men', 'ree', 'low', 'ves', 'ced', 'new', 'oth', 'yet', 'fax', 'res', 'wer', 'eal', 'ses', 'oes', 'sse', 'ars', 'ase', 'ces', 'eld', 'ual', 'ppy', 'ope', 'oom', 'ole', 'ond', 'elt', 'hou', 'ken', 'per', 'off', 'bly', 'alk', 'ese', 'lay', 'ick', 'us', 'sit', 'unt', 'thy', 'tus', 'oke', 'why', 'iue', 'ire', 'nor', 'alf', 'saw', 'sar', 'ack', 'nge', 'kes', 'wed', 'int', 'oh', 'eet', 'hee', 'ach', 'get', 'eak', 'ber', 'dge', 'few', 'lls', 'row', 'air', 'aps', 'lfe', 'urs', 'rld', 'wne', 'nes', 'uth', 'tch', 'ull', 'eve', 'rue', 'arm', 'o', 'ury', 'eel', 'cke', 'lse', 'urn', 'ene', 'set', '`', 'ety', 'dea', 'oue', 'ubt', 'nse', 'try', 'eft', 'put', 'ues', 'uer', 'vs', 'ins', 'hts', 'ude', 'ped', 'eth', 'tty', 'ony', 'isa', 't', 'nst', 'oss', 'mer', 'ept', 'ued', 'ans', 'hom', 'uen', 'ext', 'act', 'far', 'don', 'lar', 'rge', 'sly', 'nke', 'hes', 'ors', 'ret', 'ren', 'bad', 'nch', 'ohn', 'gly', 'lad', 'une', 'rit', 'ory', 'igh', 'tis', 'ior', 'hin', 'pen', 'eep', 'rve', 'nty', 'ild', 'gan', 'wes', 'tay', 'hew', 'tin', 'rke', 'ial', 'ges', 'oft', 'fer', 'rne', 'yed', 'des', 'ote', 'nal', 'ray', 'uty', 'ert', 'ste', 'nde', 'den', 'ets', 'ean', 'ows', 'ncy', 'cle', 'hus', 'hip', 'cts', 'ist', 'lla', 'tta', 'mon', 'got', 'hly', 'ews', 'eye', 'th', 'ize', 'ule', 'vp', 'lth', 'epe', 'ete', 'met', 'ult', 'yme', 'rts', 'lle', 'pes', 'st', 'eem', 'uck', 'fit', 'ute', 'ply', 'nel', 'vil', 'doe', 'eek', 'ier', 'elp', 'gin', 'oks', 'lor', 'ths', 'tie', 'bed', 'asy', 'ens', 'ech', 'val', 'gue', 'ass', 'ale', 'dow', 'acy', 'eme', 'zed', 'rew', 'ark', 'ape', 'irl', 'rer', 'ool', 'uit', 'mpt', 'lty', 'yle', 'irs', 'ece', 'rms', 'uct', 'xed', 'ern', 'iew', 'ago', 'ney', 'oad', 'afe', 'ask', 'rme', 'rch', 'rre', 'ork', 'ief', 'oms', 'xon', 'nay', 'rie', 'cal', 'nks', 'boy', 'joy', 'eks', 'ods', 'sts', 'god', 'l', 'mbe', 'sat', 'als', 'uce', 'bey', 'lue', 'ler', 'lan', 'apa', 'ush', 'lis', 'orm', 'ock', 'sea', 'gle', '&', 'dle', 'ait', 'gth', 're', 'due', 'oin', 'oof', 'sin', 'ims', 'top', 'ems', 'law', 'die', 'uly', 'tio', 'tal', 'eas', 'sad', 'mit', 'ian', 'mad', 'lso', 'fts', 'nth', 'oud', 'run', 'wee', 'gun', 'lts', 'usy', 'sic', 'gry', 'iam', 'ees', 'aes', 'els', 'iod', 'ror', 'esh', 'ume', 'rce', 'tor', 'bid', 'lye', 'eds', 'awn', 'gge', 'ker', 'lke', 'raw', 'ha', 'oot', 'lds', 'ser', 'odd', 'ska', 'rls', 'aim', 'dit', 'mly', 'pay', 'sty', 'erd', 'ilt', 'ede', 'dom', 'ils', 'tic', 'tea', 'lia', 'box', 'bit', 'net', 'cut', 'oat', 'sal', 'ash']
def suffix_counts(text, source_docs, suffix_list):
suffix_counts = {}
doc = source_docs.get(" ".join(text))
suffixes = []
for word in doc:
suffixes.append(str(word.suffix_))
counts = Counter(suffixes)
for suffix in suffix_list:
if suffix in counts.keys():
suffix_counts[suffix] = counts.get(suffix)
else: suffix_counts[suffix] = 0
return suffix_counts
def initialize_dataset(source, source_docs):
all_features = []
targets = []
for (sent, label) in source:
feature_list=[]
feature_list.append(avg_number_chars(sent))
feature_list.append(number_words(sent))
counts = word_counts(sent)
for word in STOP_WORDS:
if word in counts.keys():
feature_list.append(counts.get(word))
else:
feature_list.append(0)
feature_list.append(proportion_words(sent, STOP_WORDS))
p_counts = pos_counts(sent, source_docs, pos_list)
for pos in p_counts.keys():
feature_list.append(float(p_counts.get(pos))/float(len(sent)))
s_counts = suffix_counts(sent, source_docs, selected_suffixes)
for suffix in s_counts.keys():
feature_list.append(float(s_counts.get(suffix))/float(len(sent)))
all_features.append(feature_list)
if label=="austen": targets.append(0)
else: targets.append(1)
return all_features, targets
run()
13414 13414 3354 3354 6906 6906 0.9543828264758497 [[2218 82] [ 71 983]] precision recall f1-score support 0 0.97 0.96 0.97 2300 1 0.92 0.93 0.93 1054 accuracy 0.95 3354 macro avg 0.95 0.95 0.95 3354 weighted avg 0.95 0.95 0.95 3354 0.9501882421083117 [[4815 184] [ 160 1747]] precision recall f1-score support 0 0.97 0.96 0.97 4999 1 0.90 0.92 0.91 1907 accuracy 0.95 6906 macro avg 0.94 0.94 0.94 6906 weighted avg 0.95 0.95 0.95 6906
This feature brings the largest improvement: up to $0.954$-$0.956$ and $0.952$-$0.954$.
pretestAcc = (96.36, 79.72, 81.22, 83.10, 95.47) # use the last accuracy score as the last value
testAcc = (89.57, 80.49, 81.83, 82.54, 95.34) # use the last accuracy score as the last value
ind = np.arange(len(pretestAcc)) # the x locations for the groups
width = 0.3 # the width of the bars
fig, ax = plt.subplots()
rects1 = ax.bar(ind - width/2, pretestAcc, width, label='Pretest', color='#61A4F6')
rects2 = ax.bar(ind + width/2, testAcc, width, label='Test', color='#DB025B')
# Add some text for labels, title and custom x-axis tick labels, etc.
ax.set_ylabel('Accuracy scores')
ax.set_ylim([68,100])
ax.set_title('Scores by feature set and data set')
ax.set_xticks(ind)
ax.set_xticklabels(('Benchmark', 'F1-2', 'F1-4', 'F1-5', 'F1-6'))
ax.legend()
fig.tight_layout()
plt.show()
Finally, let's collect specific (non-overlapping) vocabularies per each author.
Feature type 7 – count words that are specific for each author: First collect the set of words that is unique for each author (i.e., the words that only Shakespeare or only Austen uses) and then count their occurrences across the data sets. You can introduce a cutoff as before and only use, e.g., top $50\%$ of the words:
def unique_vocabulary(label1, label2, cutoff):
voc1 = []
voc2 = []
for (sent, label) in strat_train_set:
if label==label1:
for word in sent:
voc1.append(word.lower())
elif label==label2:
for word in sent:
voc2.append(word.lower())
counts1 = Counter(voc1)
sorted_counts1 = sorted(counts1.items(), key=operator.itemgetter(1), reverse=True)
counts2 = Counter(voc2)
sorted_counts2 = sorted(counts2.items(), key=operator.itemgetter(1), reverse=True)
unique_voc = []
for i in range(0, round(len(sorted_counts1)*cutoff)):
if not sorted_counts1[i][0] in counts2.keys():
unique_voc.append(sorted_counts1[i][0])
for i in range(0, round(len(sorted_counts2)*cutoff)):
if not sorted_counts2[i][0] in counts1.keys():
unique_voc.append(sorted_counts2[i][0])
return unique_voc
unique_voc = unique_vocabulary("austen", "shakespeare", 0.5)
print(len(unique_voc))
print(unique_voc)
4435 ['"', 'have', '--', '."', 'mr', 'mrs', 'emma', 'miss', 'than', '.--', ',"', 'only', 'every', 'never', 'harriet', 'anne', 'herself', 'own', 'weston', 'knightley', 'elton', 'again', 'always', 'soon', '!--', '?"', 'captain', 'jane', 'woodhouse', 'dear', 'elliot', 'ever', 'up', 'just', 'having', 'give', 'himself', 'fairfax', 'over', 'upon', 'seemed', 'wentworth', '!"', 'churchill', 'however', '?--', 'even', 'felt', 'really', 'frank', 'us', 'its', 'room', 'half', 'feelings', 'hartfield', 'certainly', 'charles', 'smith', 'bates', 'russell', 'believe', 'love', 'family', 'evening', 'feel', 'walter', ';--', 'hear', 'looked', 'idea', 'deal', 'acquaintance', 'myself', 'highbury', 'down', 'between', 'musgrove', 'mary', 'hour', 'subject', '`', 'louisa', 'perfectly', 'suppose', 'under', 'general', 'obliged', 'happiness', 'able', 'wanted', 'replied', 'given', 'john', 'talked', 'passed', 'elizabeth', '--"', 'understand', 'nobody', 'leave', 'kind', 'less', 'interest', 'near', 'attention', 'situation', 'randalls', 'martin', 'agreeable', 'walked', 'perry', 'chapter', 'afraid', 'equal', 'extremely', 'gave', 'themselves', 'attachment', 'natural', 'kellynch', 'business', 'henrietta', 'wished', 'usual', 'talking', 'door', 'called', 'minutes', 'conversation', 'used', 'benwick', 'days', 'child', 'degree', 'appeared', 'object', 'uppercross', 'isabella', 'use', 'particularly', 'pleased', 'received', 'harville', 'superior', 'means', 'different', 'lyme', 'admiral', 'goddard', 'took', 'colonel', 'son', 'help', 'returned', 'yourself', 'forward', 'hoped', 'asked', 'giving', 'air', 'cole', 'real', 'added', 'society', 'handsome', 'croft', 'expected', 'believed', 'continued', 'year', 'settled', 'kindness', 'girl', 'four', 'weather', 'anything', 'supposed', 'five', 'appearance', 'entirely', 'engaged', 'anxious', 'fond', 'probably', 'turned', 'campbell', 'engagement', 'london', 'lived', 'hours', 'circumstances', 'taylor', 'delighted', 'pain', 'advantage', 'week', 'warm', 'curiosity', 'delightful', 'donwell', 'decided', 'comfortable', 'evil', 'dixon', 'loved', 'everything', 'understanding', 'style', 'persuaded', 'conduct', 'sat', 'amiable', 'easy', 'generally', 'news', 'looks', 'completely', 'self', 'understood', 'fair', 'tone', 'knowing', 'dancing', 'mentioned', ",'", 'obliging', 'plan', 'regret', 'favour', 'living', 'serious', ',--', 'wanting', 'fact', 'aware', 'agreed', 'convinced', 'especially', 'disposed', ',)', 'pass', ".'", 'knows', 'influence', 'happened', 'elegant', 'hayter', 'actually', 'papa', 'wallis', 'gratitude', 'extraordinary', 'observed', 'interesting', 'marrying', 'says', 'justice', 'pity', 'merely', 'absolutely', 'cheerful', 'observe', 'attentions', 'distress', 'clever', 'trying', 'compliment', 'rooms', 'abbey', 'judge', 'charming', 'instead', 'spite', 'enscombe', 'join', 'proof', 'waiting', 'summer', 'whenever', 'calling', 'difficulty', 'seems', 'recollect', 'vain', 'certain', '),', 'live', 'staying', 'useful', 'hint', 'claims', 'greatest', 'event', 'invitation', 'weeks', 'service', 'complete', 'musgroves', 'period', 'enjoyment', 'attached', 'tired', 'grove', 'fully', ';"', 'surprize', 'connexion', 'telling', 'entered', 'distance', 'parties', 'music', 'expect', 'consciousness', 'occupied', 'lately', 'cousin', 'itself', 'mere', 'listened', 'odd', 'beautiful', 'maple', 'judgment', 'mistaken', 'hers', '.--"', 'fixed', 'anxiety', 'cottage', 'resolved', 'written', 'shepherd', 'recommend', 'guess', 'ourselves', 'scarcely', 'equally', 'occurred', 'admitted', 'considering', 'miles', 'liked', 'agitation', 'information', 'consideration', 'wishing', 'desirable', 'difficulties', 'robert', 'plain', 'form', 'tea', 'hurry', 'imagined', 'box', 'remained', 'nearly', 'spent', 'thinks', 'ball', 'girls', 'glance', 'whatever', 'circle', 'rain', 'reached', 'getting', 'dalrymple', 'comprehend', 'spend', 'fortnight', ':--', 'opportunity', 'approbation', 'around', 'move', 'education', 'vanity', 'deserve', 'joined', 'uncle', 'confidence', 'compliments', 'henry', 'favourite', 'breakfast', 'moments', 'dreadful', 'reasonable', 'scheme', 'rational', 'future', 'terms', 'proved', 'opened', 'behaviour', 'neighbourhood', 'joy', 'camden', 'crofts', 'thrown', '_she_', 'severe', 'concern', 'warmth', 'promised', 'smiled', 'returning', 'escape', 'intercourse', 'frederick', 'admired', 'eltons', 'dance', 'confusion', 'ma', 'suspicion', 'busy', 'sick', 'intimacy', 'surprise', 'loss', 'indifference', 'produced', 'chuse', 'amusement', 'encouragement', 'description', 'suspect', 'neighbours', 'charade', 'ideas', 'excepting', 'drew', 'belong', 'totally', 'stopped', 'repeated', 'suit', 'seriously', 'evidently', 'following', 'closed', 'conviction', 'warmly', 'arrived', 'acknowledged', 'observation', 'campbells', 'infinitely', 'differently', 'disappointment', 'inferior', 'elegance', 'sudden', 'exclaimed', 'winter', 'anywhere', 'proposed', 'suffered', 'views', 'boys', 'james', 'somebody', 'respectable', 'intimate', 'required', 'grateful', 'forced', 'seven', 'road', 'disagreeable', 'amused', 'regular', 'prevent', 'clear', 'ways', 'laughing', 'sensations', 'public', 'attending', 'introduced', 'interrupted', 'attend', 'shewed', 'lively', 'receiving', 'deep', 'prepared', 'invited', 'hints', 'explanation', 'chair', 'nonsense', 'servants', 'necessity', 'misery', 'persuade', 'declare', 'avoid', 'decidedly', 'charm', 'comparison', 'hearted', 'alarm', 'dearest', 'possibly', 'favourable', 'properly', 'personal', 'cousins', 'unhappy', 'enjoy', 'considerable', 'gratified', 'feared', 'recovered', 'during', 'leaving', 'book', 'naturally', 'apparent', 'habit', 'arranged', 'likeness', 'improved', 'nurse', 'drawn', 'thoroughly', 'happier', 'six', 'visits', 'dress', 'conscious', 'assistance', 'luck', 'refused', 'solicitude', 'writing', 'christmas', 'prospect', 'settle', 'earnestly', 'motive', 'subjects', 'arrival', 'concerned', 'objection', 'concert', '_her_', 'increased', 'daily', 'evident', 'fancied', 'venture', 'tolerably', 'delicacy', 'material', 'claim', 'assist', 'indulgence', 'continually', 'acknowledge', 'excessively', 'compassion', 'several', 'gradually', 'importance', 'intelligible', 'undoubtedly', 'eat', 'journey', 'judged', 'confess', 'features', 'contrary', 'assured', 'dislike', 'deserved', 'arrangement', 'recollection', 'astonished', 'private', 'intelligence', 'wedding', 'everybody', 'books', 'pianoforte', 'attentive', 'communication', 'eagerness', 'astonishment', 'occur', 'express', 'unpleasant', 'receive', '"--', 'direction', '.,', 'folly', 'employment', 'particulars', 'separate', 'utmost', 'expression', 'above', 'servant', 'induced', 'questions', 'vicarage', 'lucky', 'exquisite', 'drive', 'laughed', 'mortification', 'coles', 'civility', 'relief', 'grown', 'steady', 'judging', 'advice', 'kindly', 'invite', 'persuasion', 'prove', 'superiority', 'appears', 'possibility', 'families', 'suspense', 'interested', 'lovely', 'fancying', '_you_', 'preferred', 'entering', 'accept', 'ford', 'endeavour', 'doors', 'niece', 'played', 'autumn', 'civil', ',"--', '--(', ')--', 'hawkins', 'pretend', 'apples', 'human', 'churchills', 'weymouth', 'shewn', 'connexions', 'admire', 'anybody', 'connected', 'harm', 'domestic', 'dining', 'distinction', 'quitted', 'felicity', 'painful', 'daughters', 'gallantry', 'interference', 'mile', 'buildings', 'cared', 'listening', 'income', 'sufficient', 'united', 'remarkably', 'becoming', 'harvilles', 'gives', 'altered', 'habits', 'observing', 'navy', 'expressed', 'dark', 'wonderful', 'visited', 'affected', 'sentiments', 'illness', 'inn', 'seldom', 'scruple', 'notions', 'frightened', 'readily', 'musical', 'heir', 'support', 'satisfy', 'miserable', 'suspected', 'larkins', 'probable', 'authority', 'soul', 'removal', 'capable', 'pains', 'convince', 'supposing', 'intention', 'silly', 'introduction', 'lives', 'perceive', 'doubtful', 'keeping', 'interval', 'advantages', 'divided', 'rendered', 'uneasy', 'certainty', 'employed', 'valuable', 'nerves', 'affairs', 'success', 'conclusion', 'sentiment', 'principal', 'horror', 'melancholy', 'grandmama', 'tells', 'widow', 'secured', 'dared', 'declared', 'parish', 'tolerable', 'expecting', 'ceased', 'independence', 'add', 'card', 'convey', 'sensation', 'tenderness', 'bye', 'comforts', 'perfection', 'disengaged', 'conveyed', 'consequently', 'bless', 'cobb', 'confined', 'earlier', 'quarrel', 'afford', 'communicated', 'addressing', 'stir', 'square', 'desired', 'encouraging', 'suckling', '_that_', 'pleasantly', 'evils', 'cheeks', 'martins', 'moved', 'pork', 'housekeeper', 'sought', 'november', 'proposal', 'agitated', 'expressions', 'removed', 'ventured', 'carteret', 'unless', 'inquiries', 'lodgings', 'shewing', 'emotion', 'suspicions', 'begged', 'sunk', 'blessed', 'politeness', 'reproach', 'composure', 'delicate', 'village', 'reserve', 'hesitation', 'bustle', 'approach', 'watching', 'grieved', 'pretence', 'presume', 'accepted', 'mistress', 'increase', 'moving', 'farm', 'parlour', 'fairly', 'hair', 'goodness', 'nervous', 'dependence', 'fail', 'ordered', 'accomplished', 'failed', 'liberal', 'clock', 'tempered', 'grave', 'civilities', 'cheerfully', 'fears', 'inclined', 'unjust', 'alarming', 'prevented', 'preference', 'unfortunate', 'frequent', 'probability', 'fortitude', 'save', 'ireland', 'tenant', 'distinguished', 'extreme', 'engage', 'wholly', 'unnecessary', 'comfortably', 'richmond', '_i_', 'continue', 'leading', 'occasionally', 'shock', 'result', 'inconvenience', 'involved', 'parcel', 'independent', 'progress', 'later', 'compare', 'nash', 'syllable', 'strongest', 'active', 'excited', 'neighbour', '_very_', 'reserved', 'exertion', 'choice', 'increasing', 'consolation', 'scruples', 'compared', 'beloved', 'succeeded', 'forming', 'concerns', 'apologies', 'cool', 'amuse', '_not_', 'recommended', 'improvement', 'remaining', 'black', 'suddenly', 'precisely', 'peculiarly', 'sufficiently', 'visitor', 'windows', 'fallen', 'feels', 'tuesday', 'various', 'continual', 'address', 'recommendation', 'partner', 'talents', 'bloom', 'submitted', 'distressing', 'announced', 'uneasiness', 'coldness', 'invitations', 'advise', 'heat', 'selina', 'plans', 'coolly', 'language', 'happiest', 'board', 'speaks', 'hurried', 'rejoice', 'introduce', 'brunswick', 'composed', 'crowd', 'watched', 'symptoms', 'paying', 'merits', 'blind', 'alarmed', 'observations', 'schemes', 'awkward', 'smallridge', 'farmer', 'twelve', 'regrets', 'humoured', "!'", 'resources', 'greatly', 'establishment', 'resolve', 'engaging', 'momentary', 'convenience', 'simplicity', 'nearer', 'occupy', 'trusted', 'expense', 'overcome', 'performance', 'propriety', 'require', 'deceived', 'across', 'excuses', 'anxiously', 'improve', 'brain', 'finished', 'principally', 'excite', 'danced', 'surprised', 'patty', 'accepting', 'mill', 'decision', 'missed', '_him_', 'accordingly', 'mutual', 'unreasonable', 'instance', 'aloud', 'trial', 'dr', 'liking', 'arms', 'positively', 'animated', 'objects', 'amusing', 'encouraged', 'size', 'sink', 'inquire', 'prospects', 'loves', 'suited', 'zeal', 'recovering', 'raised', 'attraction', 'nursery', 'distressed', 'sweetness', 'frequently', '_me_', 'turns', 'affectionate', 'arrive', 'heavy', 'inconvenient', 'displeased', 'applied', 'professed', 'sincerely', 'unwilling', 'guided', 'suggested', 'weak', 'resist', 'distinct', 'roused', 'cheerfulness', 'depended', 'war', 'stopt', 'injury', 'forgive', 'formerly', 'preparing', 'union', 'suspecting', 'correct', 'owed', 'apology', 'ay', 'recollections', 'apparently', 'denying', 'delightfully', 'wondering', 'class', 'fix', 'guessed', 'writes', 'prosperity', 'reconciliation', 'temptation', 'awkwardness', 'broken', 'complaint', 'curate', 'surry', 'fearful', 'mamma', 'female', 'ample', 'approached', 'adjoining', 'cake', 'blunder', 'unfit', 'unfeeling', 'disparity', 'essential', 'previously', 'indignation', 'risk', 'hoping', 'induce', 'september', 'cross', 'employ', 'endured', 'blushed', 'escaped', 'named', 'scrupulous', 'afforded', 'kingston', 'tete', 'latter', 'furniture', 'restored', 'lower', 'perceived', 'existence', 'fifty', "?'", 'continuing', 'principle', 'shirley', 'theirs', 'sinking', 'calm', 'resentment', 'animation', 'pressed', 'heaven', 'quickness', 'youngest', 'forgiven', 'spread', 'reconciled', 'distinctly', 'hastily', 'shook', 'parents', 'jealousy', 'discovery', 'chosen', 'quitting', 'shocked', 'belonged', 'gardens', 'meetings', 'valued', 'plenty', 'unwelcome', 'moreover', 'distinguish', '.\'"', 'cordiality', 'accounts', 'behaved', 'oppose', 'cox', 'prevailed', 'paused', 'alike', 'previous', 'wingfield', 'disgust', 'unwell', 'governess', 'tranquillity', 'plaister', 'shocking', 'baronet', 'winthrop', 'exert', 'difficult', 'spared', 'sincere', 'gruel', 'sixteen', 'yorkshire', 'exploring', 'included', 'informed', 'belonging', 'doubts', 'attempted', 'wet', 'necessarily', 'operation', 'june', 'unworthy', 'sailors', 'travelling', 'talent', 'strongly', 'confused', 'baked', 'weight', 'decent', 'concealment', 'amiss', 'improper', 'cautious', 'dined', 'saturday', 'wealth', 'devoted', 'unexceptionable', 'bragge', 'thousands', 'careful', 'tears', 'running', 'pounds', 'chaise', 'assisted', 'singing', 'softened', 'anticipated', 'modern', 'acquired', 'recover', 'remark', 'honoured', 'reflections', 'pair', 'declined', 'marked', 'unequal', 'visitors', 'neat', 'warmest', 'deeply', 'selfishness', 'requires', 'bit', 'remembered', 'mentioning', 'troublesome', 'discussion', 'related', 'fever', 'lessen', 'questioned', 'additional', 'powerful', 'spending', 'pursuits', 'visiting', 'approved', 'explained', 'unlike', 'wiser', 'consulted', 'footing', 'scenes', 'partial', 'justified', 'lessened', 'laconia', 'ascertain', 'actual', 'bristol', '.)', 'unfortunately', 'grief', 'calmness', 'crossed', 'gay', 'described', 'matrimony', 'gentleness', 'succeeding', 'mischief', 'sincerity', 'imprudence', 'somewhere', 'intelligent', 'constancy', 'prefer', 'addressed', 'complaisance', 'finish', 'wherever', 'wondered', 'relative', 'careless', 'tiresome', 'officer', 'established', 'approaching', 'drove', 'midst', 'misfortune', 'enjoyed', 'conclude', 'treated', 'afternoon', 'jealous', 'expressing', 'procure', 'curious', 'accommodation', 'complain', 'appearing', 'strawberries', 'thankful', 'upright', 'struggle', 'finest', 'describe', 'announce', 'damp', 'intentions', 'chiefly', 'invalid', 'suitable', 'professions', 'reception', 'cards', 'arrangements', '_we_', 'hurrying', 'inviting', 'joke', 'entitled', 'directed', 'stairs', 'exultation', 'promises', 'guests', 'praised', 'dwelt', 'implied', 'appearances', 'pen', 'ungrateful', 'acceptable', 'opposing', 'lover', 'leaning', 'surely', 'hereafter', 'learnt', 'disinterested', 'openly', 'acquit', 'embarrassed', 'talks', 'absolute', 'declaration', 'thoughtful', 'remembering', 'bred', 'gratification', 'polite', 'exclaiming', 'cordial', 'contrived', 'seventeen', 'attach', 'finery', 'ruin', 'leg', 'steadiness', 'deficient', 'prudent', 'abominable', 'applications', 'gloves', 'apprehension', 'thick', 'irish', 'kindest', 'sophy', 'lace', 'westons', 'communications', 'vexation', 'provoking', 'attack', 'possessed', 'pressing', 'design', 'perception', 'hospitality', 'dressed', 'situations', 'foreseen', 'uncertain', 'plea', 'frightful', 'blessings', 'westgate', 'cleared', 'grandeur', 'unable', 'presumption', 'relieved', 'refusal', 'deserted', 'likewise', 'chat', 'sanguine', 'declining', 'enquiries', 'reverse', 'admiring', 'retired', 'raising', 'recollected', 'decide', 'consult', 'utter', 'removing', 'dances', 'blindness', 'materially', 'drawback', 'generosity', 'whispered', 'windsor', 'gaiety', 'arriving', 'rapid', 'filled', 'parade', 'conceal', 'freckles', 'deserving', 'oftener', 'regretted', 'blushing', 'wind', 'slowly', 'shade', 'approve', 'entreated', 'recollecting', 'agony', 'born', 'tall', 'blunders', 'walks', 'sufferings', 'offers', 'estimate', 'prompt', 'settling', 'appeal', 'ear', 'nineteen', 'resolutely', 'firm', 'spectacles', 'sympathy', 'talker', 'principles', 'driving', 'irritation', 'warmer', 'barely', 'knightleys', 'modest', 'harp', 'acquiescence', 'congratulations', 'solicitous', 'february', 'glowing', 'resumed', 'reaching', 'mansion', 'submit', 'provided', 'alive', 'cutting', 'urge', 'abundance', 'natured', 'barouche', 'asp', 'dearer', 'perseverance', 'sensibility', 'alter', 'relations', 'indulge', 'joint', 'conceive', 'motives', 'presumed', 'perpetual', 'bateses', 'belief', 'embarrassment', 'mental', 'exciting', 'positive', 'destroyed', 'accompanied', 'punctually', 'shaken', 'pointed', 'usefulness', 'recommendations', 'clergyman', ';--"', 'explain', 'wholesome', 'extensive', 'gentility', 'sweep', 'example', 'sacrifices', 'consulting', 'rising', 'abruptly', 'quantity', 'slightest', 'destiny', 'model', 'pencil', 'resident', 'coachman', 'deserves', 'relate', '.--`', 'edward', 'unusual', 'pleasanter', 'witnessed', 'portion', 'compassionate', 'convenient', 'judgement', 'gladly', ').', 'group', 'monkford', 'exist', 'display', 'prose', 'unwholesome', 'correspondent', 'gained', 'distinguishing', 'prudence', 'enjoying', 'flow', 'happening', 'marlborough', 'witness', 'wives', 'handed', 'incessant', 'sized', 'cordially', 'welcomed', 'prosperous', 'division', 'entertaining', 'rapidly', 'injustice', 'arise', 'confirmed', 'december', 'taunton', 'plymouth', 'expectations', 'cruel', 'sorrowful', 'volume', 'hopeless', 'sighed', 'surrounded', 'candour', 'tendency', 'breathe', 'attendance', 'promising', 'concealing', 'defer', 'entreaties', 'hesitated', 'exertions', 'unlucky', 'indebted', 'killed', 'twelvemonth', 'bottom', '_one_', 'madness', 'strengthened', 'detained', 'daring', 'obtained', 'renewed', 'contemplation', 'graciously', 'unaffected', 'disturbed', 'calculated', 'introducing', 'shooting', 'w', 'sofa', 'enquired', 'voluntarily', 'forbearance', 'indulged', 'entertained', 'avoiding', 'eligible', 'application', 'safer', 'original', 'deficiency', 'avoided', 'variety', 'comparatively', 'losing', 'spruce', '--`', 'refrain', 'betrayed', 'confident', 'friendliness', 'suits', 'glimpse', 'game', 'amongst', 'envy', 'degradation', 'degrading', 'learned', 'press', 'joyous', 'insensible', 'richard', 'alloy', 'numerous', 'relation', 'believing', 'inevitable', 'allowances', 'bewitching', 'trick', 'unexpected', 'formal', 'lessening', 'naval', 'apple', 'despair', 'upper', 'solitary', 'collecting', 'indies', 'meanwhile', 'manage', 'persuading', 'dissuade', 'retirement', 'mixed', 'earliest', 'activity', 'coxes', 'bathing', 'constitution', 'elliots', 'bowed', 'grandmother', 'sickness', 'recent', 'uncomfortable', 'weakness', 'fashioned', 'uttered', 'ceaseless', 'bank', 'congratulate', 'accommodations', 'voices', 'speedily', 'communicate', 'healthy', 'penance', 'total', 'rejoiced', 'imprudent', 'treatment', 'experience', 'similar', 'native', 'beds', 'amends', 'granted', 'unreserve', 'injured', 'hears', 'handsomely', 'startled', 'landau', 'imaginary', 'endeavoured', 'younger', 'yards', 'discovered', 'acknowledgment', 'affect', 'travel', 'system', 'gravely', 'yield', 'influenced', 'mild', 'dependent', 'misconduct', 'glancing', 'assisting', '_he_', 'irresistible', 'insufferable', 'recovery', 'taught', 'decisive', 'discoveries', 'plainly', 'proposals', 'supplied', 'discern', 'rooke', 'resolving', 'events', 'uncertainty', 'ostler', 'discerned', 'wright', 'hastened', 'utility', 'calls', 'somehow', 'rousing', 'displeasure', 'listener', 'butcher', 'interchange', 'inferred', 'worn', 'expose', 'beings', 'woodhouses', 'pardoned', 'varieties', 'security', 'unnatural', 'burn', 'quarrelling', 'resignation', 'draught', 'kingdom', 'behave', 'addresses', 'drawings', 'alluded', 'somersetshire', '!--(', 'completed', 'unpersuadable', 'contemptible', 'marries', 'centre', 'elsewhere', 'jemima', 'thirteen', 'papers', 'seas', 'adopt', 'reflected', 'hysterical', 'concealed', 'promoted', 'respectability', 'astley', 'disgrace', 'mystery', 'nodding', 'occasioned', 'butler', 'advising', 'deceive', 'guessing', 'emotions', 'subdued', 'explanations', 'goodwill', 'enabled', 'steadily', 'maintaining', 'spirited', 'lent', 'contained', 'alertness', 'rapidity', 'affair', 'scattered', 'impressed', 'unseen', 'fashionable', '_them_', 'curtains', 'bench', 'practicable', 'apartment', 'compose', 'qualities', 'strangers', 'boot', 'depressed', 'treachery', 'dick', 'rejected', 'maintained', 'privilege', 'everywhere', 'january', 'permitted', 'unsuspicious', 'fatigued', 'repeatedly', 'released', 'charades', 'intently', 'resemblance', 'agreeably', 'misled', 'refresh', 'chief', 'intending', 'blue', 'unreasonably', 'unnecessarily', 'apprehensive', 'throughout', 'michaelmas', 'allowable', 'pleases', 'remarkable', 'educated', 'analogy', 'checked', 'deference', 'remains', 'uncommon', 'roast', 'pavement', 'precedence', 'evenings', 'approving', 'brilliant', 'holidays', 'fourteen', 'raptures', 'aid', 'astonishing', 'humph', ";'", 'sailor', 'delays', 'reference', 'bestowed', 'unlikely', 'hesitate', 'accompany', 'admirer', 'seclusion', 'knocked', 'provoked', 'devotion', 'exclamation', 'beforehand', 'rumour', 'suggestions', 'welfare', 'excusable', 'replying', 'quarrelled', 'overpowered', 'notion', 'inferiority', 'marking', 'nursed', 'whispering', 'stupid', 'indubitable', 'alacrity', 'pitiful', 'downright', 'hearty', 'proportions', 'stokes', 'disagree', 'graceful', 'effort', 'reminded', 'originally', 'suggest', 'impossibility', 'repetition', 'widower', 'recently', 'commonplace', 'owned', 'allowing', 'stroll', 'county', 'caring', 'gentlemanlike', 'moderately', 'hayters', 'slave', '_just_', 'preserve', 'conjecture', 'opportunities', 'pursuit', 'serve', ';"--', '_my_', 'deplorable', 'refinement', 'justify', 'esq', 'rules', 'fixing', 'applying', 'examined', 'recommending', 'fondly', 'noticing', 'candles', 'boiled', 'averted', 'contrive', 'source', 'comprehending', 'wretchedness', 'crowded', 'considers', 'assembled', 'confessing', 'park', 'fellows', 'reflect', 'abilities', 'qualified', 'benevolent', 'quarters', 'capital', 'comforted', 'poetry', 'friday', 'irresolute', 'excused', 'rightly', 'punishment', 'announcing', 'inequality', 'lawn', 'delusion', 'disdain', 'dalrymples', 'solemn', 'folding', 'apprehend', 'hodges', 'trembling', 'restraints', 'prevail', 'explore', 'sucklings', 'interview', 'representation', 'favourably', 'pretensions', 'committed', 'freedom', 'reluctance', 'satisfactory', 'custom', 'pays', 'partiality', 'gratifying', 'perplexity', 'airing', 'baldwin', 'row', 'wrapt', 'objections', 'matches', 'handwriting', 'artificial', 'indispensable', 'supposition', 'mortifying', 'protested', 'conceived', 'impressions', 'gain', 'footpath', 'politely', 'started', 'enquiry', 'relationship', 'repeating', 'hospitable', 'accomplishments', 'deaf', 'esteemed', 'respected', 'series', 'collect', 'fruit', 'adding', 'gilbert', 'cheer', 'page', 'tranquil', 'pleasantest', 'letting', 'topic', 'decorum', 'inevitably', 'complaints', 'engrossed', 'connection', 'gown', 'insult', 'concurrence', 'ii', 'observant', 'characters', 'breaking', 'basin', 'limited', 'claimed', 'balls', 'designs', 'pushed', 'dinners', 'separated', 'bearing', 'counsel', 'securing', 'rivet', 'detail', 'selfish', 'topics', 'allusion', 'whoever', 'ridiculous', 'thanked', 'privy', 'contempt', 'subsequent', 'hamilton', 'entertain', 'liberality', 'oblige', 'ushered', 'process', 'asserted', 'flutter', 'curricle', 'comparing', 'shrubberies', 'date', 'reward', 'arrange', 'george', 'openness', 'penetration', 'meadows', 'succeed', 'suppressed', 'jump', 'producing', 'deemed', 'reckoned', 'measures', 'amidst', 'provide', 'ceremonious', 'speculation', 'miserably', 'grieving', 'ungracious', 'livery', 'denial', 'formidable', 'rivers', 'liveliness', 'perturbation', 'negative', 'kitty', 'frozen', 'mutually', 'retrench', 'fairy', 'copied', 'unsuitable', '_the_', 'blank', 'dressing', 'calculations', 'unattended', 'humourist', 'supplying', 'requisite', 'hesitatingly', 'deplore', 'ingenuity', 'unnoticed', 'clearly', '_is_', 'extravagant', 'unaccountable', 'chuses', 'witnessing', 'homes', 'unpardonable', 'unkind', 'maintenance', 'bewildered', 'grandpapa', 'freshness', 'sources', 'ardent', 'heroism', 'apothecary', 'coxcomb', 'using', 'shamefully', 'sequel', 'smoothness', 'probabilities', 'declares', 'moral', 'discover', 'abrupt', 'behaving', 'advisable', 'rencontre', 'condolence', 'overheard', 'poverty', 'shilling', 'reappeared', 'youthful', 'airs', 'pert', 'climate', 'ballroom', 'creditable', 'perrys', 'fearless', 'obscurity', 'mortifications', 'device', 'urgent', 'breathed', 'stepping', 'plants', 'discreet', 'pointing', 'attentively', 'withdrawn', 'soothing', 'renewal', 'privileges', 'tenderest', 'augusta', '10', 'accidental', 'dutiful', 'requiring', 'longest', 'nursing', 'shoes', 'firmly', 'floor', 'gratefully', 'neglecting', 'preceding', 'pitiable', 'truths', 'orders', '_your_', '_will_', 'shore', 'bitterly', 'colds', 'procuring', 'welcoming', 'articles', 'unfairly', 'mutton', 'proposition', 'naming', 'assuring', 'loin', 'dropped', 'cleverer', 'longing', 'fetching', 'shrubbery', 'feelingly', 'club', 'wainscot', 'pronounced', 'calmly', ',--"', 'disordered', 'poignant', 'pushing', 'happens', 'judicious', 'seats', 'measles', 'pitied', 'trusting', 'feet', 'reality', 'milsom', 'phoo', 'solitude', 'seemingly', 'partridge', 'irritated', 'inquiring', ':"', 'kinder', ':--"', 'x', 'bought', 'stept', 'beneath', 'descriptions', 'preserved', 'inconstancy', 'sands', 'forest', 'consequences', 'considerably', 'failure', 'entangled', 'viii', 'promote', 'july', 'premature', 'disgraced', 'prime', 'wear', 'examining', 'nephews', 'grows', 'disappointments', 'solicitudes', 'comprehension', 'thoughtless', 'lessons', 'affectionately', 'forlorn', 'minutiae', 'relenting', 'exposed', 'shameful', 'insolent', 'blameless', 'elegantly', 'saved', 'individual', 'acquittal', 'walker', 'occupying', 'loudly', 'overhearing', 'stile', 'horseback', 'ascertained', 'nut', 'outlived', 'insensibility', 'amount', 'reports', 'gravel', 'serle', 'indisposed', 'proposing', 'universally', 'providence', 'playful', 'infection', 'robinson', 'confinement', 'recall', 'shabby', 'sole', 'nonsensical', 'overpowering', ');', 'deeper', 'usually', 'genteel', 'narration', 'pursued', 'glances', 'vigorously', 'lists', 'newspapers', 'cases', 'dissipated', 'shelter', 'gibraltar', 'residing', 'intimates', 'saving', 'astray', 'affronted', 'boasted', 'unfair', 'delicious', 'stretching', 'situated', 'absenting', 'unqualified', 'earnestness', 'rejoined', 'covered', 'terror', 'cheap', 'conveniently', 'preventing', 'apprehensions', 'females', 'reigns', "'--", 'perpetually', 'hardship', 'grieve', 'unheard', 'bordered', 'amazing', 'unpretending', 'apart', 'counteract', 'driven', 'harmless', 'occurrence', 'intervals', 'iv', 'misunderstandings', 'asparagus', 'gowland', 'prettily', 'creating', 'preferring', 'musician', 'loveliness', 'harmony', 'xi', 'charmingly', 'social', 'nearest', 'voluntary', 'ships', 'destination', 'fastidious', 'detected', 'inducement', 'joyful', 'local', 'confirmation', 'compatible', 'rained', 'shrink', 'explains', 'excessive', 'projected', '_now_', 'riddle', 'ribbon', 'declaring', 'unwillingness', 'hesitating', 'estimation', 'october', 'persevered', 'disclosure', 'teachers', 'moderation', 'tidings', 'describing', 'trivial', 'reverie', 'intimately', 'smaller', 'services', 'august', 'owing', 'sins', 'dowager', 'viscountess', 'dealings', 'modes', 'augur', 'restrictions', 'ruined', 'practised', 'v', 'xiv', 'shawl', 'considerate', 'penetrating', 'staircase', 'finally', 'economy', 'employing', 'persisting', 'correspondence', 'helpless', 'romance', 'storm', 'enquiring', 'maintain', 'piano', 'flower', 'remove', 'efficacy', 'proofs', 'clearing', 'treat', 'divide', 'genuine', 'expenses', 'regretting', 'parent', 'calmer', 'enjoyments', 'spoiled', 'observance', 'examination', 'recur', 'branch', 'vast', 'misunderstood', 'alteration', 'denied', 'suspicious', 'dreaded', 'quivering', 'lip', 'changing', 'contemplate', 'handsomest', 'hereabouts', 'hedges', 'complacency', 'disappoint', 'principals', 'meal', 'noticed', 'unknown', 'agitations', 'respecting', 'hardened', 'waiter', 'pointedly', 'softness', 'seize', 'shropshire', 'revived', 'reluctant', 'mix', '_his_', 'presumptive', 'resigned', 'requested', 'extravagance', 'bonnet', 'wallises', 'gratify', 'limits', 'inquired', 'sixty', 'impulse', 'likelihood', 'ix', 'grievance', 'quicker', 'animating', 'silenced', 'encumbrance', 'affectedly', 'string', 'sketch', 'clearer', 'umbrellas', 'clearness', 'stupidity', 'dulness', 'airy', 'forms', 'foresaw', 'elevate', 'humouredly', 'curacy', 'readiness', 'advanced', 'doubtingly', 'basil', 'felicities', 'iii', 'sentences', 'heavens', 'delivered', 'incommoded', 'congratulated', 'unite', 'unmanageable', 'naivete', 'eloquent', 'persuadable', 'bows', 'interests', 'energy', 'occasional', 'preparatory', 'jumped', 'suddenness', 'glass', 'convictions', 'unquestionably', 'pondered', 'consoling', 'furnished', 'attachments', 'standard', 'disgusting', 'novelty', 'swisserland', 'associate', 'doubly', 'omission', 'stable', 'xii', 'gifted', 'attractions', 'virtues', 'popularity', 'thanking', 'yard', 'expressive', 'vi', 'retract', 'whims', 'vex', 'accomplishment', 'needless', 'departure', 'xiii', 'seized', 'scholar', 'boarder', 'limbs', 'heightened', 'protection', 'including', 'xvii', 'arch', 'artist', 'compliance', 'suspension', 'tones', 'demure', 'remonstrance', 'venturing', 'charms', 'indignant', 'contrast', 'yielding', 'cured', 'comprehended', 'conversable', 'usage', 'composedly', 'wickedness', 'cow', 'prominent', 'regularly', 'yarmouth', 'absurdity', 'snowing', 'foresee', 'viewed', 'exerting', 'concluding', 'accidentally', 'cooler', 'charmed', 'lame', 'convincing', 'undertakes', 'sharp', 'fireside', 'instinctively', '_must_', 'examples', 'divisions', 'luxurious', 'connect', 'renewing', 'animate', 'luckiest', 'stories', 'proportion', 'soften', 'contradict', 'palpably', 'visible', 'humiliation', 'owes', 'changes', 'draper', 'involving', 'eternal', 'privations', 'appointed', 'proving', 'quickest', 'pretended', 'vacant', 'lamenting', '_all_', 'contradiction', 'fortunately', 'rode', 'noisy', 'placing', 'attractive', 'hating', 'disorder', 'plays', 'striving', 'awful', 'guidance', 'immense', 'flying', 'laura', 'tolerate', 'destined', '_to_', '_more_', 'partake', 'affords', 'associations', 'authorised', 'coffee', 'depending', 'whist', 'rarely', 'downstairs', 'accord', 'interruption', 'chatty', 'midsummer', 'achieved', 'trunk', '_', '_elton_', 'cart', 'communicating', 'pained', 'dears', 'adieus', 'inconstant', 'indulging', 'speculations', 'frigate', 'understands', 'discipline', 'deduction', 'unsuspected', 'physician', 'atmosphere', 'arisen', 'accompanying', 'foreign', 'warfare', 'newspaper', 'perceptible', 'simpleton', 'untainted', 'languor', 'dispel', 'gloomy', 'extenuation', 'hind', 'freshened', 'easier', 'surrounding', 'tacitly', 'innocently', 'lengths', 'conundrum', 'repulsive', 'attract', 'eleven', 'fling', 'faster', 'clownish', 'joining', 'publications', 'scrape', 'hue', 'represent', 'recalled', 'permanently', 'dignified', 'graciousness', 'fagged', 'acknowledgement', 'schoolfellow', 'reduced', 'monarch', 'infatuation', 'failings', 'upstart', 'pretension', 'prescribed', 'instrumental', 'thankfulness', 'lowering', 'supports', 'involve', 'secrecy', 'connecting', 'parentage', 'revealed', 'puppy', 'fruitless', 'contrivances', 'representing', 'exposing', 'derive', 'deprecated', 'studiously', 'testify', 'varying', 'insinuating', 'afloat', 'stock', 'realised', 'preserves', 'unconsciously', 'attributing', 'summon', 'ridden', 'poorly', 'gout', '000', 'glorious', 'green', 'brown', 'richly', 'sweetly', 'serviceable', 'expedients', 'pleasantness', 'borrowed', 'scissors', 'appropriated', 'powered', 'falsehood', 'yellow', 'admires', 'muffin', 'removals', 'inconsistent', 'ajar', 'knitting', 'overpower', 'preceded', 'durable', 'finances', 'overtaken', 'huswife', 'apologise', 'pages', 'indignantly', 'disengage', 'elevation', 'desert', 'exchanged', 'estrangement', '_little_', 'honestly', 'embarrassments', 'cruelty', 'impropriety', 'equipped', 'strictly', 'imparted', 'hinting', 'arguments', 'completion', 'tied', 'contentment', 'enable', 'pacing', 'endeavouring', 'balance', 'salted', 'discerning', 'unfelt', 'sour', 'asleep', 'culture', 'earn', 'final', 'unconvinced', 'portraits', 'satin', 'overthrow', 'parishes', 'indescribable', 'incomprehensible', 'strangest', 'brighter', 'shy', 'impediment', 'amuses', 'torment', 'polished', 'ceases', 'playfulness', 'definition', 'orchestra', 'clerks', 'stays', 'nicely', 'fried', 'trimmed', 'seeking', 'abode', 'contriving', 'fearfully', 'intellectual', 'sign', 'clifton', 'closing', 'conjugal', 'states', 'fainted', '_courtship_', 'advised', 'reasoned', 'wittier', 'urged', 'flew', 'forwards', 'disagreement', 'affording', 'purchased', 'kindled', 'fatal', 'charmouth', 'cliffs', 'romantic', 'expedition', 'incumbent', 'sly', 'curtailed', 'expediency', 'grandson', 'regulations', 'reductions', 'disapprobation', 'honourably', 'tunbridge', 'dated', 'writer', 'medium', 'interfering', 'softening', 'lingering', 'courteous', 'undue', 'secondly', 'results', 'reasonably', 'lodged', 'likenesses', 'hetty', 'prized', 'singular', 'speedy', 'brigden', 'examine', 'audible', 'fetched', 'foolishly', 'conjectures', 'abused', 'follies', 'wilful', 'subduing', 'sharing', 'sobering', 'remind', 'contrition', 'flight', 'train', 'expressly', 'materials', 'glowed', 'concession', 'staring', 'extended', 'hero', 'pew', 'favouring', 'witty', 'mischievous', 'construction', 'haue', 'ham', 'caesar', 'brutus', 'bru', 'vs', 'selfe', 'thee', 'loue', 'vpon', 'heere', 'cassi', 'hor', 'hamlet', 'hath', 'giue', 'cassius', 'speake', 'antony', 'ile', 'th', 'vp', 'heare', 'doe', 'thinke', 'qu', 'looke', 'ophe', 'ant', 'feare', 'laer', 'downe', 'againe', 'heauen', 'pol', 'hee', 'leaue', 'rosin', 'owne', 'exeunt', 'queene', 'euen', 'polon', 'neuer', 'horatio', 'caes', 'hast', 'rome', 'marke', 'gods', 'liue', 'euery', 'beare', 'caesars', 'wee', 'himselfe', 'laertes', 'brut', 'caska', 'cask', 'soule', 'mar', 'deere', 'finde', 'cinna', 'meanes', 'sonne', 'ophelia', 'luc', 'lucius', 'poore', 'ghost', 'sword', 'seene', 'euer', 'selues', 'vse', 'keepe', 'clo', 'octauius', 'titinius', 'messala', 'beleeue', 'cas', 'octa', 'players', 'faire', 'bee', 'messa', 'polonius', 'vertue', 'guild', 'meane', 'sleepe', 'osr', 'worke', 'roman', 'vnto', 'backe', 'lye', 'decius', 'crowne', 'guildensterne', 'farre', 'denmarke', 'capitoll', 'madnesse', 'dye', 'thine', 'goe', 'kill', 'yong', 'lucillius', 'betweene', 'beene', 'honor', 'por', 'sicke', 'winde', 'minde', 'walke', 'sayes', 'fortinbras', 'mee', 'eares', 'romans', 'ayre', 'ouer', 'forme', 'eare', 'seeme', 'wilt', 'lookes', 'caius', 'dost', 'onely', 'loues', 'ho', 'kin', 'graue', 'meete', 'foule', 'reuenge', 'reynol', 'greefe', 'generall', 'helpe', 'newes', 'neere', 'ore', 'heauens', 'ioy', 'kinde', 'cato', 'flye', 'oft', 'metellus', 'businesse', 'drinke', 'ser', 'giuen', 'beares', 'voyce', 'pindarus', 'thrice', 'breake', 'murther', 'verie', 'gertrude', 'tooke', 'vnder', 'cicero', 'bin', 'villaine', 'turne', 'knowne', 'twere', 'giues', 'gaue', 'hell', 'portia', 'certaine', 'rosincrance', 'lesse', 'themselues', 'iudgement', 'seeke', 'dayes', 'sweare', 'marcellus', 'tane', 'beseech', 'cymber', 'guil', 'thankes', 'weepe', 'armes', 'talke', 'receiue', 'publius', 'valiant', 'lou', 'soules', 'gho', 'barnardo', 'ligarius', 'flourish', 'strato', 'trebonius', 'thanke', 'shalt', 'barn', 'poyson', 'begge', 'dreame', 'enterprize', 'weare', 'passe', 'knaue', 'halfe', 'growne', 'dreadfull', 'funerall', 'withall', 'teares', 'army', 'hora', 'cass', 'hearke', 'whil', 'ranke', 'shewes', 'hoe', 'loose', 'fat', 'volumnius', 'maiesty', 'bloody', 'stirre', 'prythee', 'beast', 'custome', 'seemes', 'braue', 'peece', 'fran', 'philippi', 'mou', 'deare', 'appeare', 'senate', 'aboue', 'ple', 'weake', 'comming', 'musicke', 'speakes', 'deliuer', 'confesse', 'houre', 'arme', 'vile', 'wherein', 'alarum', 'dagger', 'dane', 'doore', 'teare', 'proofe', 'mettle', 'wits', 'diuell', 'senators', 'slaue', 'countrymen', 'yeare', 'seuerall', 'lordship', 'sirs', 'actus', 'perceiue', 'seruice', 'wherefore', 'deci', 'lucil', 'thunder', 'obey', 'durst', 'blacke', 'seruant', 'writ', 'lacke', 'burne', 'leade', 'maiestie', 'saue', 'claudio', 'bones', 'moue', 'sodaine', 'scull', 'audience', 'twas', 'redresse', 'fauour', 'noyse', 'drowne', 'rites', 'buriall', 'obserue', 'quicke', 'norwey', 'preuent', 'iudge', 'anon', 'neede', 'manet', 'behinde', 'beware', 'yea', 'pompeyes', 'thinkes', 'wisedome', 'lepidus', 'resolu', 'fortunes', 'fie', 'wil', 'doo', 'cocke', 'fooles', 'presse', 'dumbe', 'roome', 'palme', 'alexander', 'ne', 'fellowes', 'suite', 'calphurnia', 'greefes', 'y', 'iust', 'thicke', 'dreames', 'soldiers', 'perchance', 'flauius', 'wholsome', 'mothers', 'content', 'strooke', 'tragedie', 'answere', 'sunne', 'france', 'crosse', 'hoa', 'whilst', 'shout', 'starre', 'pyrrhus', 'hamlets', 'honors', 'cursed', 'warre', 'deeds', 'mens', 'damned', 'reade', 'toward', 'knowes', 'kingdome', 'foole', 'asse', 'vowes', 'vnderstand', 'heauy', 'antonio', 'ist', 'yeares', 'monstrous', 'visage', 'nunnery', 'pulpit', 'stole', 'whereto', 'turnes', 'mindes', 'clocke', 'cruell', 'aliue', 'coward', 'ides', 'ene', 'tit', 'statue', 'liuing', 'yee', 'gowne', 'royall', 'prison', 'tent', 'yeeld', 'sleepes', 'natiue', 'freedome', 'proclaime', 'daggers', 'purposes', 'fla', 'fiery', 'walkes', 'aske', 'slaine', 'distracted', 'clit', 'dyes', 'cai', 'mur', 'tend', 'returne', 'fearefull', 'reueng', 'titin', 'naturall', 'iulius', 'bene', 'keepes', 'cob', 'distemper', 'seale', 'amisse', 'deepe', 'flowers', 'honestie', 'loe', 'var', 'shee', 'steele', 'noblest', 'sings', 'bosome', 'serues', 'locke', 'indeede', 'heerein', 'stra', 'gallowes', 'seru', 'vnfold', 'starres', 'haire', 'marcus', 'foorth', 'cries', 'followes', 'modestie', 'wounds', 'liues', 'gonzago', 'rul', 'beasts', 'gainst', 'vnkle', 'sirra', 'rash', 'spade', 'danish', 'louing', 'falles', 'sooth', 'mans', 'saide', 'feast', 'pompey', 'doores', 'mortall', 'closes', 'goodnight', 'sicknesse', 'therein', 'legions', 'beard', 'hauing', 'soone', 'pit', 'neyther', 'wide', 'recouer', 'dutie', 'clitus', 'motiue', 'traitors', 'publike', 'heeles', 'braine', 'extasie', 'ambassadors', 'valour', 'battaile', 'elsonower', 'successe', 'iephta', 'findes', 'blesse', 'choyce', 'feede', 'repaire', 'trickes', 'plaine', 'mouse', 'osricke', 'alarums', 'rosincrane', 'maine', 'proscription', 'affayres', 'alacke', 'meere', 'peepe', 'weigh', 'subiect', 'lippes', 'grone', 'lep', 'calles', 'nony', 'push', 'runne', 'leysure', 'desperate', 'tearmes', 'traine', 'cheeke', 'aduice', 'dard', 'souldier', 'cals', 'pricke', 'knocke', 'cin', 'contriue', 'pitty', 'breefely', 'glasse', 'seruants', 'powres', 'norman', 'vice', 'bondman', 'ment', 'aboord', 'saile', 'demand', 'lightning', 'deceiu', 'meerely', 'haile', 'humbly', 'flood', 'voyage', 'ee', 'spundge', 'hercules', 'liu', 'fates', 'shooes', 'strew', 'beautie', 'speciall', 'promis', 'cornelius', 'tydings', 'terrible', 'villaines', 'incestuous', 'vnnaturall', 'treb', 'norway', 'vncle', 'heares', 'vnderstanding', 'sence', 'argall', 'rous', 'expresse', 'woo', 'eate', 'olympus', 'bloud', 'tame', 'greene', 'hits', 'prouidence', 'browes', 'stuffe', 'naked', 'cal', 'ayme', 'heereafter', 'shapes', 'hew', 'aduantage', 'humor', 'prophesie', 'ope', 'vtterance', 'limbes', 'strife', 'infants', 'deede', 'groaning', 'taper', 'bap', 'murder', 'braines', 'seuen', 'stones', 'weeping', 'swords', 'lyes', 'attendants', 'wayes', 'kneele', 'fled', 'faithfull', 'dar', 'belike', 'alwayes', 'rests', 'leane', 'reynoldo', 'fret', 'wanton', 'forc', 'acte', 'carpenter', 'bleed', 'ghosts', 'prou', 'closset', 'processe', 'readie', 'varrus', 'laughter', 'signe', 'playes', 'soueraigne', 'priest', 'huge', 'wing', 'receiu', 'louer', 'angell', 'sate', 'refus', 'coniure', 'kissing', 'knees', 'yonder', 'vnlesse', 'reioyce', 'edge', 'corruption', 'sardis', 'pleas', 'loued', 'doest', 'throwne', 'necke', 'crimes', 'moone', 'generals', 'foote', 'princes', 'priuate', 'clowne', 'driue', 'hecuba', 'seal', 'slay', 'envenom', 'com', 'pate', 'quantitie', 'leaues', 'pluckt', 'maker', 'doomesday', 'philosophy', 'immortall', 'dogge', 'cowards', 'rage', 'harme', 'warlike', 'graues', 'moneths', 'growes', 'enuious', 'begger', 'compell', 'battell', 'pluck', 'wager', 'ceremonies', 'sixe', 'counsell', 'fixt', 'wonderfull', 'vow', 'siluer', 'faine', 'proue', 'neerer', 'childe', 'breed', 'hower', 'canst', 'conspirators', 'pastorall', 'historicall', 'graunt', 'suites', 'toe', 'pesant', 'courtier', 'galls', 'diadem', 'loines', 'trumpets', 'trumpet', 'drinkes', 'darke', 'rapier', 'mightie', 'tokens', 'moreouer', 'sutor', 'incorporate', 'ambitions', 'ladder', 'yeeres', 'honorable', 'firme', 'frighted', 'painted', 'sparkes', 'whereof', 'lt', 'wittingly', 'remaines', 'asleepe', 'cic', 'amaz', 'wouldest', 'loosing', 'greeke', 'dy', 'diuel', 'weaknesse', 'potent', 'gaming', 'mock', 'waxe', 'porch', 'iustly', 'lupercall', 'fits', 'grapple', 'billes', 'rises', 'deseru', 'memorie', 'fulfill', 'wheele', 'corpes', 'tending', 'split', 'vrge', 'feares', 'larded', 'importing', 'axe', 'masse', 'diuinity', 'acts', 'soyle', 'greatnesse', 'carue', 'bloodie', 'warres', 'conspiracie', 'girle', 'amaze', 'crew', 'lucianus', 'lap', 'mocke', 'stabb', 'lome', 'magots', 'pregnant', 'leape', 'schoole', 'hilts', 'cobler', 'driuen', 'morne', 'mantle', 'dew', 'yon', 'perils', 'conditions', 'vntill', 'iigge', 'knee', 'thrift', 'actor', 'remoue', 'tardie', 'greeue', 'seate', 'droppes', 'equall', 'chasticement', 'sworne', 'tents', 'maiden', 'courtiers', 'schollers', 'obseru', 'heauenly', 'canopy', 'appeares', 'pestilent', 'swore', 'streetes', 'vnckle', 'liued', 'somthing', 'pitteous', 'conuert', 'indifferently', 'weary', 'booke', 'brauery', 'mountaines', 'vilde', 'praying', 'killes', 'battailes', 'muddy', 'rascall', 'damn', 'batchellor', 'bleede', 'iustice', 'dyest', 'spurre', 'deerely', 'fierie', 'scoene', 'vtter', 'imployment', 'wag', 'ape', 'iaw', 'load', 'dishonour', 'feete', 'volt', 'recorder', 'platforme', 'seuenty', 'fiue', 'drachmaes', 'conspirator', 'sinne', 'controuersie', 'tryall', 'sucke', 'necessitie', 'niggard', 'sweete', 'hastie', 'murderer', 'cynna', 'violets', 'torrent', 'garland', 'voltumand', 'prickt', 'signifie', 'choller', 'thrusting', 'element', 'wormes', 'mistris', 'resort', 'messengers', 'bastard', 'nephewes', 'suppresse', 'whale', 'poysoner', 'loath', 'awhile', 'peeuish', 'foe', 'tyrants', 'sham', 'sinke', 'wildenesse', 'wonted', 'winters', 'mountaine', 'blew', 'eternall', 'sparke', 'vndertake', 'ioynt', 'ioyes', 'chanc', 'plebeians', 'kisse', 'shed', 'foyles', 'odde', 'voltemand', 'clownes', 'vnbraced', 'iealous', 'recount', 'plots', 'camell', 'bonds', 'commoners', 'obseruance', 'bodie', 'fierce', 'ciuill', 'italy', 'confines', 'hauocke', 'carrion', 'burnes', 'winne', 'formall', 'bury', 'euill', 'sometime', 'knauish', 'reades', 'soothsayer', 'murellus', 'heate', 'perillous', 'pronounc', 'mutiny', 'enemie', 'lyons', 'offall', 'progresse', 'weapons', 'forehead', 'ordinance', 'heau', 'sourse', 'denmark', 'wake', 'gouerne', 'tweene', 'lyon', 'throate', 'prick', 'torches', 'ioyn', 'comedie', 'whiles', 'wilde', 'octauio', 'armour', 'yond', 'theame', 'naught', 'passions', 'construe', 'blest', 'calp', 'shooke', 'drum', 'venome', 'pind', 'secrecie', 'apparition', 'cloake', 'griefe', 'birds', 'qualitie', 'natures', 'spake', 'cup', 'fye', 'sawcy', 'mistrust', 'forgiue', 'arras', 'liest', 'barke', 'slaues', 'oathes', 'scandall', 'popil', 'aduancement', 'imports', 'strangely', 'arrant', 'twelue', 'passionate', 'ros', 'plac', 'falne', 'shrunke', 'dec', 'moued', 'lust', 'celestiall', 'prey', 'vttered', 'thriue', 'straine', 'hearers', 'mischeefe', 'mars', 'yesternight', 'doublet', 'tyber', 'shores', 'metel', 'slew', 'lookt', 'vnseene', 'plucke', 'beside', 'maiesties', 'merrie', 'iot', 'cap', 'romane', 'speechlesse', 'quarrell', 'ifaith', 'inobled', 'craft', 'assur', 'scope', 'truely', 'whatsoeuer', 'primus', 'puh', 'wormwood', 'lowe', 'easinesse', 'sorrie', 'cæsar', 'iealousie', 'mess', 'chide', 'whereon', 'fee', 'poleak', 'pole', 'enact', 'replication', '].', 'els', 'sticke', 'sufferance', 'windowes', 'beating', 'rogue', 'drift', 'treacherous', 'sober', 'fals', 'attaine', 'rew', 'kil', 'millions', 'burning', 'cheere', 'discomfort', 'womens', 'actors', 'crowes', 'election', 'discouer', 'swet', 'grownd', 'wauing', 'brands', 'harlot', 'itching', 'mart', 'windes', 'roughly', 'twixt', 'twaine', 'byrlady', 'hoby', 'courtesie', 'tenders', 'shell', 'cryed', 'rend', 'brooke', 'streame', 'liberall', 'weeds', 'spred', 'pul', 'guts', 'farwell', 'pious', 'popillius', 'enuy', 'disclos', 'stretcht', 'gray', 'beards', 'witnesse', 'serue', 'vantage', 'witchcraft', 'grosse', 'charme', 'foure', 'houres', 'crack', 'pith', 'ancestors', 'belou', 'spectacle', 'peeces', 'terme', 'anticke', 'deckt', 'steale', 'cannon', 'hangers', 'moneth', 'yoake', 'couch', 'hounds', 'shal', 'accidentall', 'brest', 'termes', 'pastime', 'wel', 'auoyd', 'whet', 'serpent', 'storme', 'region', 'nightly', 'toyles', 'affrighted', 'clap', 'blasted', 'iudgements', 'forgetfull', 'stab', 'breefe', 'liege', 'shrewdly', 'mutes', 'saies', 'strawes', 'assay', 'gall', 'blowne', 'heauie', 'purging', 'worthinesse', 'vnderneath', 'builds', 'mason', 'shipwright', 'shold', 'ensigne', 'whit', 'distract', 'rapiers', 'bondage', 'visitation', 'flint', 'parchment', 'skinnes', 'tride', 'ripe', 'ioyne', 'flash', 'rotten', 'horrid', 'bleeding', 'butchers', 'priam', 'imperiall', 'blowes', 'vnknowne', 'councell', 'rebellious', 'louers', 'wast', 'kites', 'cerimony', 'fantasie', 'pawse', 'trash', 'scourge', 'speede', 'toy', 'guildenstern', 'stomacke', 'mourn', 'tyrant', 'griefes', 'pittie', 'comicall', 'tragicall', 'beguile', 'buzze', 'strucke', 'mooue', 'fauours', 'keene', 'interim', 'testament', 'dardanius', 'stoope', 'bribes', 'ophel', 'passeth', 'trappings', 'carde', 'equiuocation', 'vndoe', 'picked', 'kibe', 'threatning', 'bisson', 'rheume', 'clout', 'lanke', 'teamed', 'blanket', 'villany', 'cups', 'kettle', 'cannoneer', 'cannons', 'cauerne', 'maske', 'antike', 'heraulds', 'shelfe', 'coynage', 'bodilesse', 'drownes', 'blench', 'ioyfully', 'lowlynesse', 'climber', 'vpward', 'attaines', 'vpmost', 'scorning', 'ascend', 'til', 'priests', 'stayes', 'physicke', 'prolongs', 'dispos', 'seduc', 'israel', 'greekes', 'madman', 'lyest', 'skies', 'vnnumbred', 'vnknowing', 'circumscrib', 'yeelding', 'bargaine', 'iuggel', 'rant', 'offendendo', 'argues', 'ro', 'rebellion', 'gyant', 'meate', 'earnes', 'southerly', 'hawke', 'handsaw', 'apron', 'shouted', 'trap', 'melancholly', 'abuses', 'damne', 'menace', 'pretors', 'chayre', 'hoorded', 'extorted', 'wombe', 'woodcocke', 'sprindge', 'treacherie', 'kingly', 'beauer', 'cum', 'alijs', 'sect', 'boorded', 'cleare', 'shippe', 'outlarie', 'smelt', 'yorick', 'iest', 'gorge', 'vntrod', 'validitie', 'fruite', 'vnripe', 'stickes', 'vnshaken', 'mellow', 'purpled', 'reeke', 'smoake', 'speedier', 'smels', 'primall', 'marrie', 'bang', 'proceede', 'sutors', 'accoutred', 'recame', 'offends', 'robustious', 'pery', 'wig', 'pated', 'tatters', 'ragges', 'groundlings', 'capeable', 'inexplicable', 'whipt', 'termagant', 'outherod', 'herod', 'petitions', 'cabin', 'scarft', 'grop', 'withdrew', 'vnseale', 'knauery', 'denmarks', 'englands', 'hoo', 'bugges', 'goblins', 'superuize', 'leasure', 'bated', 'grinding', 'foolerie', 'digest', 'venom', 'spleene', 'scholler', 'cautell', 'besmerch', 'vnuallued', 'sanctity', 'iumpe', 'polake', 'arriued', 'affabilitie', 'erebus', 'dimme', 'preuention', 'feauer', 'spaine', 'lustre', 'bookes', 'feeble', 'maiesticke', 'sorrowes', 'spies', 'battalians', 'ladie', 'insupportable', 'losse', 'quake', 'returneth', 'conuerted', 'stopp', 'beere', 'barrell', 'quintus', 'reueale', 'ouerlook', 'fac', 'raines', 'doue', 'tarry', 'prethee', 'whilest', 'maisters', 'amb', 'cimber', 'preferre', 'calender', 'challenger', 'chidden', 'ferret', 'crost', 'oration', 'russet', 'clad', 'easterne', 'abler', 'oct', 'signall', 'flashes', 'rore', 'baudry', 'barre', 'libertie', 'candied', 'pompe', 'crooke', 'hindges', 'faining', 'rerule', 'goodman', 'deluer', 'salutation', 'beckens', 'rossius', 'fishmonger', 'bait', 'falshood', 'windlesses', 'assaies', 'indirections', 'tyrannie', 'muddied', 'vnwholsome', 'whispers', 'greenly', 'hugger', 'mugger', 'interre', 'vnskilfull', 'iudicious', 'reway', 'theater', 'globe', 'ruddy', 'buffets', 'nunnerie', 'showts', 'clamors', 'maintains', 'nutshell', 'sodainely', 'pub', 'plucking', 'intrailes', 'feele', 'infaith', 'mood', 'scanter', 'entreatments', 'expectansie', 'mould', 'obseruers', 'inuites', 'discouery', 'secricie', 'moult', 'feather', 'forgone', 'sterrill', 'promontory', 'maiesticall', 'roofe', 'fretted', 'golden', 'congregation', 'vapours', 'drawne', 'heape', 'gastly', 'mowes', 'ducates', 'sterne', 'exits', 'saint', 'patricke', 'remaster', 'reform', 'arriu', 'tenure', 'cutpurse', 'empire', 'brau', 'con', 'roate', 'sayst', 'tut', 'bosomes']
def unique_counts(text, unique_voc):
unique_counts = {}
words = []
for word in text:
words.append(word.lower())
counts = Counter(words)
for word in unique_voc:
if word in counts.keys():
unique_counts[word] = counts.get(word)
else: unique_counts[word] = 0
return unique_counts
def initialize_dataset(source, source_docs):
all_features = []
targets = []
for (sent, label) in source:
feature_list=[]
feature_list.append(avg_number_chars(sent))
feature_list.append(number_words(sent))
counts = word_counts(sent)
for word in STOP_WORDS:
if word in counts.keys():
feature_list.append(counts.get(word))
else:
feature_list.append(0)
feature_list.append(proportion_words(sent, STOP_WORDS))
p_counts = pos_counts(sent, source_docs, pos_list)
for pos in p_counts.keys():
feature_list.append(float(p_counts.get(pos))/float(len(sent)))
s_counts = suffix_counts(sent, source_docs, selected_suffixes)
for suffix in s_counts.keys():
feature_list.append(float(s_counts.get(suffix))/float(len(sent)))
u_counts = unique_counts(sent, unique_voc)
for word in u_counts.keys():
feature_list.append(u_counts.get(word))
all_features.append(feature_list)
if label=="austen": targets.append(0)
else: targets.append(1)
return all_features, targets
run()
13414 13414 3354 3354 6906 6906 0.9633273703041145 [[2237 63] [ 60 994]] precision recall f1-score support 0 0.97 0.97 0.97 2300 1 0.94 0.94 0.94 1054 accuracy 0.96 3354 macro avg 0.96 0.96 0.96 3354 weighted avg 0.96 0.96 0.96 3354 0.9643788010425717 [[4881 118] [ 128 1779]] precision recall f1-score support 0 0.97 0.98 0.98 4999 1 0.94 0.93 0.94 1907 accuracy 0.96 6906 macro avg 0.96 0.95 0.96 6906 weighted avg 0.96 0.96 0.96 6906
Our final and best result: $0.95$-$0.96$ on the pretest and $0.95$-$96$ on the test set – i.e., almost identical! What is more, the performance on both classes, majority as well as minority, is now also almost identical – F1 of $0.97$ and $0.94$ on pretest, and $0.97$ and $0.92$ on the test set.
# use the last accuracy score as the last value
pretestAcc = (96.36, 79.72, 81.22, 83.10, 95.47, 96.27)
# use the last accuracy score as the last value
testAcc = (89.57, 80.49, 81.83, 82.54, 95.34, 95.82)
ind = np.arange(len(pretestAcc)) # the x locations for the groups
width = 0.3 # the width of the bars
fig, ax = plt.subplots()
rects1 = ax.bar(ind - width/2, pretestAcc, width, label='Pretest', color='#61A4F6')
rects2 = ax.bar(ind + width/2, testAcc, width, label='Test', color='#DB025B')
# Add some text for labels, title and custom x-axis tick labels, etc.
ax.set_ylabel('Accuracy scores')
ax.set_ylim([68,100])
ax.set_title('Scores by feature set and data set')
ax.set_xticks(ind)
ax.set_xticklabels(('Benchmark', 'F1-2', 'F1-4', 'F1-5', 'F1-6', 'F1-7'))
ax.legend()
fig.tight_layout()
plt.show()