文章目录

一. 拼写纠正项目概述1.1 拼写错误概述1.2 贝叶斯方法计算1.3 模型比较理论

二. 项目实战2.1 数据源介绍2.2 一些概念2.3 代码

一. 拼写纠正项目概述

1.1 拼写错误概述

问题: 我们看到用户输入了一个不在字典中的单词,我们需要去猜测:“这个家伙到底真正想输入的单词是什么呢?

P(我们猜测他想输入的单词| 他实际输入的单词)

用户实际输入的单词记为D (D 代表Data ,即观测数据)

猜测1:P(h1 | D),猜测2:P(h2 | D),猜测3:P(h1 | D) 。。。 统一为:P(h | D) P(h | D) = P(h) * P(D | h) / P(D) 对于不同的具体猜测h1 h2 h3 … ,P(D) 都是一样的,所以在比较P(h1 | D) 和P(h2 | D) 的时候我们可以忽略这个常数 P(h | D) ∝ P(h) * P(D | h) 对于给定观测数据,一个猜测是好是坏,取决于“这个猜测本身独立的可能性大小(先验概率,Prior )”和“这个猜测生成我们观测到的数据的可能性大小。

1.2 贝叶斯方法计算

P(h) * P(D | h),P(h) 是特定猜测的先验概率

比如用户输入tlp,那到底是top 还是tip ?这个时候,当最大似然不能作出决定性的判断时,先验概率就可以插手进来给出指示——“既然你无法决定,那么我告诉你,一般来说top 出现的程度要高许多,所以更可能他想打的是top ”

1.3 模型比较理论

最大似然:最符合观测数据的(即P(D | h) 最大的)最有优势

奥卡姆剃刀:P(h) 较大的模型有较大的优势

掷一个硬币,观察到的是“正”,根据最大似然估计的精神,我们应该猜测这枚硬币掷出“正”的概率是1,因为这个才是能最大化P(D | h) 的那个猜测

如果平面上有N 个点,近似构成一条直线,但绝不精确地位于一条直线上。这时我们既可以用直线来拟合(模型1),也可以用二阶多项式(模型2)拟合,也可以用三阶多项式(模型3),特别地,用N-1 阶多项式便能够保证肯定能完美通过

奥卡姆剃刀:越是高阶的多项式越是不常见

二. 项目实战

2.1 数据源介绍

一个12万行数据的英文文档,里面包含常用的英文单词。

2.2 一些概念

编辑距离: 两个词之间的编辑距离定义为使用了几次插入(在词中插入一个单字母), 删除(删除一个单字母), 交换(交换相邻两个字母), 替换(把一个字母换成另一个)的操作从一个词变到另一个词.

正常来说把一个元音拼成另一个的概率要大于辅音 (因为人常常把 hello 打成 hallo 这样); 把单词的第一个字母拼错的概率会相对小, 等等.但是为了简单起见, 选择了一个简单的方法: 编辑距离为1的正确单词比编辑距离为2的优先级高, 而编辑距离为0的正确单词优先级比编辑距离为1的高.

2.3 代码

代码:

import re, collections

# 把语料中的单词全部抽取出来, 转成小写, 并且去除单词中间的特殊符号

def words(text): return re.findall('[a-z]+', text.lower())

# 要是遇到我们从来没有过见过的新词怎么办.

# 假如说一个词拼写完全正确, 但是语料库中没有包含这个词, 从而这个词也永远不会出现在训练集中.

# 于是, 我们就要返回出现这个词的概率是0. 这个情况不太妙,

# 因为概率为0这个代表了这个事件绝对不可能发生, 而在我们的概率模型中, 我们期望用一个很小的概率来代表这种情况. lambda: 1

def train(features):

model = collections.defaultdict(lambda: 1)

for f in features:

model[f] += 1

return model

NWORDS = train(words(open('E:/file/big.txt').read()))

alphabet = 'abcdefghijklmnopqrstuvwxyz'

# 编辑距离:

# 两个词之间的编辑距离定义为使用了几次插入(在词中插入一个单字母), 删除(删除一个单字母),

# 交换(交换相邻两个字母), 替换(把一个字母换成另一个)的操作从一个词变到另一个词.

#返回所有与单词 w 编辑距离为 1 的集合

def edits1(word):

n = len(word)

return set([word[0:i]+word[i+1:] for i in range(n)] + # deletion

[word[0:i]+word[i+1]+word[i]+word[i+2:] for i in range(n-1)] + # transposition

[word[0:i]+c+word[i+1:] for i in range(n) for c in alphabet] + # alteration

[word[0:i]+c+word[i:] for i in range(n+1) for c in alphabet]) # insertion

#与 something 编辑距离为2的单词居然达到了 114,324 个

#优化:在这些编辑距离小于2的词中间, 只把那些正确的词作为候选词,只能返回 3 个单词: ‘smoothing’, ‘something’ 和 ‘soothing’

#返回所有与单词 w 编辑距离为 2 的集合

#在这些编辑距离小于2的词中间, 只把那些正确的词作为候选词

def known_edits2(word):

return set(e2 for e1 in edits1(word) for e2 in edits1(e1) if e2 in NWORDS)

# 判断单词是否在词频中,并返回字母

# 例如输入'knon' 返回 {'k', 'n', 'o'}

def known(words): return set(w for w in words if w in NWORDS)

# 编辑距离为1的正确单词比编辑距离为2的优先级高, 而编辑距离为0的正确单词优先级比编辑距离为1的高.

def correct(word):

candidates = known([word]) or known(edits1(word)) or known_edits2(word) or [word]

return max(candidates, key=lambda w: NWORDS[w])

# 输出词频

print(NWORDS)

print("####################################")

#返回所有与单词 knon 编辑距离为 1 的集合

print(edits1('knon'))

print("####################################")

# 判断单词是否在词频中

print(known('knon'))

print("####################################")

#返回所有与单词 knon 编辑距离为 2 的集合

print(known_edits2('knon'))

print("####################################")

# 输出knon的拼写检查

print(correct('knon'))

测试记录:

defaultdict(. at 0x00000000038652F0>, {'the': 80031, 'project': 289, 'gutenberg': 264, 'ebook': 88, 'of': 40026, 'adventures': 18, 'sherlock': 102, 'holmes': 468, 'by': 6739, 'sir': 178, 'arthur': 35, 'conan': 5, 'doyle': 6, 'in': 22048, 'our': 1067, 'series': 129, 'copyright': 70, 'laws': 234, 'are': 3631, 'changing': 45, 'all': 4145, 'over': 1283, 'world': 363, 'be': 6156, 'sure': 124, 'to': 28767, 'check': 39, 'for': 6940, 'your': 1280, 'country': 424, 'before': 1364, 'downloading': 6, 'or': 5353, 'redistributing': 8, 'this': 4064, 'any': 1205, 'other': 1503, 'header': 8, 'should': 1298, 'first': 1178, 'thing': 304, 'seen': 445, 'when': 2924, 'viewing': 8, 'file': 22, 'please': 173, 'do': 1504, 'not': 6626, 'remove': 54, 'it': 10682, 'change': 151, 'edit': 5, 'without': 1016, 'written': 118, 'permission': 53, 'read': 219, 'legal': 53, 'small': 528, 'print': 48, 'and': 38313, 'information': 74, 'about': 1498, 'at': 6792, 'bottom': 43, 'included': 44, 'is': 9775, 'important': 286, 'specific': 38, 'rights': 169, 'restrictions': 24, 'how': 1316, 'may': 2552, 'used': 277, 'you': 5623, 'can': 1096, 'also': 779, 'find': 295, 'out': 1988, 'make': 505, 'a': 21156, 'donation': 11, 'get': 469, 'involved': 108, 'welcome': 19, 'free': 422, 'plain': 109, 'vanilla': 7, 'electronic': 59, 'texts': 8, 'ebooks': 55, 'readable': 14, 'both': 530, 'humans': 3, 'computers': 8, 'since': 261, 'these': 1232, 'were': 4290, 'prepared': 139, 'thousands': 94, 'volunteers': 23, 'title': 40, 'author': 30, 'release': 29, 'date': 49, 'march': 136, 'most': 909, 'recently': 31, 'updated': 5, 'november': 42, 'edition': 22, 'language': 62, 'english': 212, 'character': 175, 'set': 325, 'encoding': 6, 'ascii': 12, 'start': 68, 'additional': 31, 'editing': 7, 'jose': 2, 'menendez': 2, 'contents': 51, 'i': 7683, 'scandal': 20, 'bohemia': 16, 'ii': 78, 'red': 289, 'headed': 38, 'league': 54, 'iii': 92, 'case': 439, 'identity': 12, 'iv': 56, 'boscombe': 17, 'valley': 79, 'mystery': 40, 'v': 52, 'five': 280, 'orange': 24, 'pips': 13, 'vi': 38, 'man': 1653, 'with': 9741, 'twisted': 22, 'lip': 57, 'vii': 35, 'adventure': 35, 'blue': 144, 'carbuncle': 18, 'viii': 40, 'speckled': 6, 'band': 55, 'ix': 29, 'engineer': 13, 's': 5632, 'thumb': 52, 'x': 137, 'noble': 49, 'bachelor': 19, 'xi': 29, 'beryl': 5, 'coronet': 30, 'xii': 29, 'copper': 27, 'beeches': 13, 'she': 3947, 'always': 609, 'woman': 326, 'have': 3494, 'seldom': 77, 'heard': 637, 'him': 5231, 'mention': 47, 'her': 5285, 'under': 964, 'name': 263, 'his': 10035, 'eyes': 940, 'eclipses': 3, 'predominates': 4, 'whole': 745, 'sex': 12, 'was': 11411, 'that': 12513, 'he': 12402, 'felt': 698, 'emotion': 37, 'akin': 15, 'love': 485, 'irene': 19, 'adler': 17, 'emotions': 11, 'one': 3372, 'particularly': 175, 'abhorrent': 2, 'cold': 258, 'precise': 14, 'but': 5654, 'admirably': 8, 'balanced': 7, 'mind': 342, 'take': 617, 'perfect': 40, 'reasoning': 42, 'observing': 22, 'machine': 40, 'has': 1604, 'as': 8065, 'lover': 27, 'would': 1954, 'placed': 183, 'himself': 1159, 'false': 65, 'position': 433, 'never': 594, 'spoke': 219, 'softer': 11, 'passions': 30, 'save': 111, 'gibe': 3, 'sneer': 7, 'they': 3939, 'admirable': 15, 'things': 322, 'observer': 14, 'excellent': 63, 'drawing': 241, 'veil': 17, 'from': 5710, 'men': 1146, 'motives': 15, 'actions': 78, 'trained': 24, 'reasoner': 7, 'admit': 66, 'such': 1437, 'intrusions': 2, 'into': 2125, 'own': 786, 'delicate': 55, 'finely': 12, 'adjusted': 17, 'temperament': 6, 'introduce': 24, 'distracting': 2, 'factor': 42, 'which': 4843, 'might': 537, 'throw': 49, 'doubt': 153, 'upon': 1112, 'mental': 38, 'results': 230, 'grit': 2, 'sensitive': 36, 'instrument': 36, 'crack': 21, 'high': 291, 'power': 549, 'lenses': 2, 'more': 1998, 'disturbing': 10, 'than': 1207, 'strong': 169, 'nature': 171, 'yet': 489, 'there': 2973, 'late': 166, 'dubious': 2, 'questionable': 4, 'memory': 56, 'had': 7384, 'little': 1002, 'lately': 23, 'my': 2250, 'marriage': 97, 'drifted': 6, 'us': 685, 'away': 839, 'each': 412, 'complete': 146, 'happiness': 144, 'home': 296, 'centred': 3, 'interests': 119, 'rise': 241, 'up': 2285, 'around': 272, 'who': 3051, 'finds': 24, 'master': 142, 'establishment': 41, 'sufficient': 76, 'absorb': 5, 'attention': 192, 'while': 769, 'loathed': 2, 'every': 651, 'form': 508, 'society': 170, 'bohemian': 9, 'soul': 169, 'remained': 232, 'lodgings': 12, 'baker': 50, 'street': 181, 'buried': 22, 'among': 452, 'old': 1181, 'books': 60, 'alternating': 3, 'week': 96, 'between': 655, 'cocaine': 5, 'ambition': 14, 'drowsiness': 5, 'drug': 22, 'fierce': 13, 'energy': 46, 'keen': 33, 'still': 923, 'ever': 275, 'deeply': 78, 'attracted': 37, 'study': 145, 'crime': 62, 'occupied': 117, 'immense': 78, 'faculties': 9, 'extraordinary': 75, 'powers': 150, 'observation': 40, 'following': 209, 'those': 1202, 'clues': 4, 'clearing': 30, 'mysteries': 10, 'been': 2600, 'abandoned': 73, 'hopeless': 18, 'official': 92, 'police': 95, 'time': 1530, 'some': 1537, 'vague': 40, 'account': 178, 'doings': 12, 'summons': 12, 'odessa': 4, 'trepoff': 2, 'murder': 31, 'singular': 37, 'tragedy': 10, 'atkinson': 2, 'brothers': 51, 'trincomalee': 2, 'finally': 157, 'mission': 35, 'accomplished': 40, 'so': 3018, 'delicately': 4, 'successfully': 26, 'reigning': 4, 'family': 211, 'holland': 13, 'beyond': 226, 'signs': 99, 'activity': 132, 'however': 431, 'merely': 190, 'shared': 26, 'readers': 12, 'daily': 45, 'press': 82, 'knew': 497, 'former': 178, 'friend': 284, 'companion': 82, 'night': 386, 'on': 6644, 'twentieth': 20, 'returning': 69, 'journey': 70, 'patient': 384, 'now': 1698, 'returned': 195, 'civil': 178, 'practice': 96, 'way': 860, 'led': 197, 'me': 1921, 'through': 816, 'passed': 368, 'well': 1199, 'remembered': 121, 'door': 499, 'must': 956, 'associated': 197, 'wooing': 3, 'dark': 182, 'incidents': 15, 'scarlet': 23, 'seized': 115, 'desire': 97, 'see': 1102, 'again': 867, 'know': 1049, 'employing': 8, 'rooms': 87, 'brilliantly': 6, 'lit': 75, 'even': 947, 'looked': 761, 'saw': 600, 'tall': 75, 'spare': 28, 'figure': 104, 'pass': 155, 'twice': 85, 'silhouette': 2, 'against': 661, 'blind': 24, 'pacing': 27, 'room': 961, 'swiftly': 39, 'eagerly': 40, 'head': 726, 'sunk': 28, 'chest': 82, 'hands': 456, 'clasped': 12, 'behind': 402, 'mood': 52, 'habit': 56, 'attitude': 73, 'manner': 136, 'told': 491, 'their': 2956, 'story': 134, 'work': 383, 'risen': 31, 'created': 63, 'dreams': 17, 'hot': 120, 'scent': 18, 'new': 1212, 'problem': 77, 'rang': 30, 'bell': 66, 'shown': 114, 'chamber': 36, 'formerly': 78, 'part': 705, 'effusive': 3, 'glad': 151, 'think': 558, 'hardly': 174, 'word': 299, 'spoken': 93, 'kindly': 87, 'eye': 111, 'waved': 30, 'an': 3424, 'armchair': 50, 'threw': 97, 'across': 223, 'cigars': 8, 'indicated': 89, 'spirit': 168, 'gasogene': 2, 'corner': 129, 'then': 1559, 'stood': 384, 'fire': 275, 'introspective': 4, 'fashion': 50, 'wedlock': 2, 'suits': 9, 'remarked': 170, 'watson': 84, 'put': 436, 'seven': 133, 'half': 319, 'pounds': 27, 'answered': 227, 'indeed': 140, 'thought': 903, 'just': 768, 'trifle': 12, 'fancy': 51, 'observe': 38, 'did': 1876, 'tell': 493, 'intended': 59, 'go': 906, 'harness': 28, 'deduce': 15, 'getting': 93, 'yourself': 163, 'very': 1341, 'wet': 61, 'clumsy': 9, 'careless': 15, 'servant': 47, 'girl': 167, 'dear': 450, 'said': 3465, 'too': 549, 'much': 672, 'certainly': 120, 'burned': 78, 'lived': 114, 'few': 459, 'centuries': 13, 'ago': 109, 'true': 206, 'walk': 76, 'thursday': 8, 'came': 980, 'dreadful': 69, 'mess': 11, 'changed': 135, 'clothes': 63, 't': 1319, 'imagine': 97, 'mary': 706, 'jane': 3, 'incorrigible': 3, 'wife': 368, 'given': 365, 'notice': 99, 'fail': 41, 'chuckled': 8, 'rubbed': 33, 'long': 992, 'nervous': 55, 'together': 261, 'simplicity': 31, 'itself': 274, 'inside': 44, 'left': 835, 'shoe': 12, 'where': 978, 'firelight': 3, 'strikes': 20, 'leather': 36, 'scored': 5, 'six': 177, 'almost': 326, 'parallel': 18, 'cuts': 6, 'obviously': 39, 'caused': 103, 'someone': 161, 'carelessly': 15, 'scraped': 22, 'round': 557, 'edges': 71, 'sole': 71, 'order': 405, 'crusted': 3, 'mud': 37, 'hence': 33, 'double': 50, 'deduction': 13, 'vile': 17, 'weather': 43, 'malignant': 89, 'boot': 23, 'slitting': 3, 'specimen': 15, 'london': 77, 'slavey': 2, 'if': 2373, 'gentleman': 100, 'walks': 11, 'smelling': 6, 'iodoform': 44, 'black': 236, 'mark': 39, 'nitrate': 8, 'silver': 129, 'right': 711, 'forefinger': 8, 'bulge': 3, 'side': 512, 'top': 43, 'hat': 106, 'show': 214, 'secreted': 3, 'stethoscope': 3, 'dull': 75, 'pronounce': 10, 'active': 97, 'member': 51, 'medical': 23, 'profession': 23, 'could': 1701, 'help': 231, 'laughing': 116, 'ease': 45, 'explained': 61, 'process': 220, 'hear': 184, 'give': 524, 'reasons': 65, 'appears': 109, 'ridiculously': 2, 'simple': 140, 'easily': 115, 'myself': 228, 'though': 651, 'successive': 18, 'instance': 51, 'am': 747, 'baffled': 9, 'until': 326, 'explain': 124, 'believe': 184, 'good': 745, 'yours': 47, 'quite': 503, 'lighting': 17, 'cigarette': 7, 'throwing': 47, 'down': 1129, 'distinction': 20, 'clear': 234, 'example': 287, 'frequently': 219, 'steps': 189, 'lead': 138, 'hall': 84, 'often': 444, 'hundreds': 49, 'times': 237, 'many': 610, 'don': 582, 'observed': 132, 'point': 224, 'seventeen': 11, 'because': 631, 'interested': 66, 'problems': 79, 'enough': 176, 'chronicle': 8, 'two': 1139, 'trifling': 13, 'experiences': 12, 'sheet': 30, 'thick': 78, 'pink': 28, 'tinted': 10, 'notepaper': 3, 'lying': 119, 'open': 326, 'table': 297, 'last': 566, 'post': 118, 'aloud': 29, 'note': 116, 'undated': 2, 'either': 294, 'signature': 10, 'address': 77, 'will': 1578, 'call': 198, 'quarter': 47, 'eight': 129, 'o': 258, 'clock': 121, 'desires': 23, 'consult': 20, 'matter': 366, 'deepest': 16, 'moment': 488, 'recent': 55, 'services': 39, 'royal': 112, 'houses': 118, 'europe': 154, 'safely': 12, 'trusted': 17, 'matters': 137, 'importance': 118, 'exaggerated': 29, 'we': 1907, 'quarters': 73, 'received': 281, 'hour': 158, 'amiss': 7, 'visitor': 75, 'wear': 31, 'mask': 13, 'what': 3012, 'means': 254, 'no': 2349, 'data': 18, 'capital': 145, 'mistake': 40, 'theorise': 2, 'insensibly': 3, 'begins': 48, 'twist': 15, 'facts': 73, 'suit': 26, 'theories': 22, 'instead': 138, 'carefully': 73, 'examined': 50, 'writing': 70, 'paper': 178, 'wrote': 150, 'presumably': 9, 'endeavouring': 9, 'imitate': 8, 'processes': 36, 'bought': 56, 'crown': 62, 'packet': 12, 'peculiarly': 15, 'stiff': 21, 'peculiar': 85, 'hold': 115, 'light': 279, 'large': 484, 'e': 137, 'g': 56, 'p': 67, 'woven': 6, 'texture': 7, 'asked': 778, 'maker': 5, 'monogram': 5, 'rather': 220, 'stands': 20, 'gesellschaft': 2, 'german': 197, 'company': 193, 'customary': 20, 'contraction': 62, 'like': 1081, 'co': 31, 'course': 390, 'papier': 2, 'eg': 2, 'let': 507, 'glance': 92, 'continental': 47, 'gazetteer': 2, 'took': 574, 'heavy': 140, 'brown': 72, 'volume': 31, 'shelves': 4, 'eglow': 2, 'eglonitz': 2, 'here': 692, 'egria': 2, 'speaking': 186, 'far': 409, 'carlsbad': 2, 'remarkable': 78, 'being': 919, 'scene': 50, 'death': 331, 'wallenstein': 2, 'its': 1636, 'numerous': 51, 'glass': 117, 'factories': 30, 'mills': 40, 'ha': 76, 'boy': 170, 'sparkled': 6, 'sent': 320, 'great': 793, 'triumphant': 17, 'cloud': 31, 'made': 1008, 'precisely': 25, 'construction': 26, 'sentence': 27, 'frenchman': 103, 'russian': 462, 'uncourteous': 2, 'verbs': 2, 'only': 1874, 'remains': 74, 'therefore': 187, 'discover': 29, 'wanted': 214, 'writes': 21, 'prefers': 3, 'wearing': 88, 'showing': 105, 'face': 1126, 'comes': 92, 'mistaken': 60, 'resolve': 15, 'doubts': 40, 'sharp': 84, 'sound': 220, 'horses': 263, 'hoofs': 25, 'grating': 11, 'wheels': 48, 'curb': 5, 'followed': 330, 'pull': 24, 'whistled': 14, 'pair': 41, 'yes': 689, 'continued': 292, 'glancing': 99, 'window': 187, 'nice': 54, 'brougham': 5, 'beauties': 3, 'hundred': 230, 'fifty': 95, 'guineas': 4, 'apiece': 8, 'money': 327, 'nothing': 647, 'else': 202, 'better': 267, 'bit': 64, 'doctor': 184, 'stay': 75, 'lost': 225, 'boswell': 2, 'promises': 16, 'interesting': 72, 'pity': 76, 'miss': 113, 'client': 34, 'want': 324, 'sit': 90, 'best': 269, 'slow': 66, 'step': 140, 'stairs': 32, 'passage': 111, 'paused': 80, 'immediately': 183, 'outside': 111, 'loud': 65, 'authoritative': 3, 'tap': 11, 'come': 935, 'entered': 283, 'less': 368, 'feet': 180, 'inches': 17, 'height': 37, 'limbs': 68, 'hercules': 5, 'dress': 139, 'rich': 93, 'richness': 3, 'england': 312, 'bad': 156, 'taste': 24, 'bands': 28, 'astrakhan': 2, 'slashed': 4, 'sleeves': 31, 'fronts': 2, 'breasted': 2, 'coat': 173, 'deep': 216, 'cloak': 63, 'thrown': 93, 'shoulders': 126, 'lined': 33, 'flame': 16, 'coloured': 22, 'silk': 51, 'secured': 49, 'neck': 204, 'brooch': 2, 'consisted': 39, 'single': 174, 'flaming': 9, 'boots': 92, 'extended': 76, 'halfway': 20, 'calves': 4, 'trimmed': 9, 'tops': 4, 'fur': 39, 'completed': 26, 'impression': 68, 'barbaric': 3, 'opulence': 4, 'suggested': 70, 'appearance': 136, 'carried': 283, 'broad': 93, 'brimmed': 5, 'hand': 835, 'wore': 59, 'upper': 131, 'extending': 36, 'past': 224, 'cheekbones': 5, 'vizard': 2, 'apparently': 69, 'raised': 213, 'lower': 197, 'appeared': 198, 'hanging': 43, 'straight': 125, 'chin': 31, 'suggestive': 12, 'resolution': 58, 'pushed': 82, 'length': 64, 'obstinacy': 8, 'harsh': 23, 'voice': 463, 'strongly': 42, 'marked': 139, 'accent': 19, 'uncertain': 31, 'pray': 80, 'seat': 171, 'colleague': 8, 'dr': 49, 'occasionally': 90, 'cases': 454, 'whom': 490, 'honour': 17, 'count': 749, 'von': 12, 'kramm': 3, 'nobleman': 12, 'understand': 413, 'discretion': 14, 'trust': 69, 'extreme': 73, 'prefer': 22, 'communicate': 16, 'alone': 338, 'rose': 244, 'caught': 91, 'wrist': 69, 'back': 747, 'chair': 136, 'none': 111, 'say': 756, 'anything': 380, 'shrugged': 36, 'begin': 98, 'binding': 19, 'absolute': 57, 'secrecy': 19, 'years': 572, 'end': 466, 'present': 330, 'weight': 71, 'influence': 139, 'european': 100, 'history': 440, 'promise': 68, 'excuse': 54, 'strange': 221, 'august': 71, 'person': 186, 'employs': 3, 'wishes': 43, 'agent': 26, 'unknown': 88, 'confess': 37, 'once': 570, 'called': 451, 'exactly': 48, 'aware': 53, 'dryly': 6, 'circumstances': 108, 'delicacy': 12, 'precaution': 10, 'taken': 439, 'quench': 4, 'grow': 75, 'seriously': 64, 'compromise': 72, 'families': 46, 'speak': 256, 'plainly': 40, 'implicates': 6, 'house': 662, 'ormstein': 3, 'hereditary': 15, 'kings': 28, 'murmured': 19, 'settling': 17, 'closing': 36, 'glanced': 177, 'apparent': 43, 'surprise': 108, 'languid': 8, 'lounging': 6, 'depicted': 8, 'incisive': 4, 'energetic': 27, 'slowly': 134, 'reopened': 7, 'impatiently': 16, 'gigantic': 24, 'majesty': 103, 'condescend': 6, 'state': 665, 'able': 202, 'advise': 20, 'sprang': 63, 'paced': 37, 'uncontrollable': 5, 'agitation': 84, 'gesture': 61, 'desperation': 12, 'tore': 19, 'hurled': 5, 'ground': 171, 'cried': 284, 'king': 239, 'why': 675, 'attempt': 77, 'conceal': 32, 'addressing': 75, 'wilhelm': 3, 'gottsreich': 2, 'sigismond': 2, 'grand': 82, 'duke': 47, 'cassel': 3, 'felstein': 2, 'sitting': 270, 'passing': 135, 'white': 354, 'forehead': 67, 'accustomed': 66, 'doing': 179, 'business': 317, 'confide': 7, 'putting': 74, 'incognito': 3, 'prague': 2, 'purpose': 122, 'consulting': 14, 'shutting': 3, 'briefly': 17, 'during': 504, 'lengthy': 4, 'visit': 82, 'warsaw': 7, 'acquaintance': 57, 'known': 412, 'adventuress': 2, 'familiar': 80, 'look': 568, 'index': 24, 'opening': 147, 'adopted': 82, 'system': 242, 'docketing': 2, 'paragraphs': 11, 'concerning': 39, 'difficult': 149, 'subject': 186, 'furnish': 30, 'found': 550, 'biography': 6, 'sandwiched': 3, 'hebrew': 5, 'rabbi': 2, 'staff': 145, 'commander': 311, 'monograph': 4, 'sea': 83, 'fishes': 4, 'hum': 26, 'born': 39, 'jersey': 43, 'year': 310, 'contralto': 3, 'la': 56, 'scala': 2, 'prima': 2, 'donna': 2, 'imperial': 55, 'opera': 12, 'retired': 44, 'operatic': 2, 'stage': 109, 'living': 136, 'became': 315, 'entangled': 10, 'young': 628, 'compromising': 5, 'letters': 109, 'desirous': 4, 'secret': 82, 'papers': 115, 'certificates': 7, 'follow': 118, 'produce': 121, 'blackmailing': 2, 'purposes': 51, 'prove': 83, 'authenticity': 2, 'pooh': 4, 'forgery': 4, 'private': 94, 'stolen': 24, 'seal': 16, 'imitated': 4, 'photograph': 42, 'oh': 411, 'committed': 52, 'indiscretion': 5, 'mad': 37, 'insane': 19, 'compromised': 3, 'prince': 1936, 'thirty': 124, 'recovered': 33, 'tried': 226, 'failed': 64, 'pay': 129, 'sell': 31, 'attempts': 47, 'burglars': 2, 'ransacked': 3, 'diverted': 11, 'luggage': 8, 'travelled': 9, 'waylaid': 4, 'result': 387, 'sign': 100, 'absolutely': 72, 'laughed': 102, 'pretty': 86, 'serious': 142, 'reproachfully': 17, 'does': 359, 'propose': 26, 'ruin': 49, 'married': 108, 'clotilde': 2, 'lothman': 2, 'saxe': 8, 'meningen': 2, 'second': 281, 'daughter': 184, 'scandinavia': 4, 'strict': 35, 'principles': 83, 'herself': 342, 'shadow': 59, 'conduct': 64, 'bring': 166, 'threatens': 8, 'send': 100, 'them': 2242, 'steel': 31, 'beautiful': 99, 'women': 391, 'resolute': 44, 'marry': 96, 'another': 842, 'lengths': 6, 'day': 820, 'betrothal': 6, 'publicly': 6, 'proclaimed': 18, 'next': 278, 'monday': 18, 'three': 585, 'days': 454, 'yawn': 5, 'fortunate': 22, 'langham': 2, 'shall': 736, 'drop': 48, 'line': 249, 'progress': 104, 'anxiety': 47, 'carte': 3, 'blanche': 4, 'provinces': 43, 'kingdom': 27, 'expenses': 22, 'chamois': 4, 'bag': 22, 'laid': 187, 'gold': 126, 'notes': 65, 'scribbled': 3, 'receipt': 14, 'book': 126, 'handed': 81, 'mademoiselle': 143, 'briony': 12, 'lodge': 87, 'serpentine': 9, 'avenue': 27, 'st': 148, 'john': 150, 'wood': 89, 'question': 349, 'cabinet': 19, 'soon': 422, 'news': 225, 'added': 299, 'rolled': 42, 'morrow': 23, 'afternoon': 35, 'chat': 10, 'landlady': 6, 'informed': 53, 'shortly': 28, 'after': 1505, 'morning': 338, 'sat': 404, 'beside': 219, 'intention': 67, 'awaiting': 54, 'already': 488, 'inquiry': 44, 'surrounded': 105, 'grim': 14, 'features': 192, 'crimes': 22, 'recorded': 27, 'exalted': 14, 'station': 53, 'gave': 443, 'apart': 86, 'investigation': 26, 'something': 684, 'masterly': 11, 'grasp': 37, 'situation': 88, 'pleasure': 140, 'quick': 82, 'subtle': 25, 'methods': 93, 'disentangled': 5, 'inextricable': 3, 'invariable': 6, 'success': 94, 'possibility': 90, 'failing': 30, 'ceased': 64, 'enter': 108, 'close': 220, 'four': 290, 'opened': 218, 'drunken': 22, 'looking': 490, 'groom': 30, 'ill': 139, 'kempt': 2, 'whiskered': 2, 'inflamed': 54, 'disreputable': 4, 'walked': 101, 'amazing': 11, 'use': 321, 'disguises': 2, 'certain': 362, 'nod': 9, 'vanished': 36, 'bedroom': 46, 'whence': 24, 'emerged': 19, 'minutes': 147, 'tweed': 7, 'suited': 16, 'respectable': 15, 'pockets': 20, 'stretched': 53, 'legs': 119, 'front': 360, 'heartily': 16, 'really': 273, 'choked': 15, 'obliged': 33, 'lie': 90, 'limp': 9, 'helpless': 23, 'funny': 26, 'guess': 18, 'employed': 157, 'ended': 40, 'suppose': 60, 'watching': 45, 'habits': 40, 'perhaps': 209, 'sequel': 15, 'unusual': 33, 'wonderful': 31, 'sympathy': 58, 'freemasonry': 21, 'horsey': 3, 'bijou': 2, 'villa': 9, 'garden': 69, 'built': 78, 'road': 261, 'stories': 45, 'chubb': 2, 'lock': 34, 'furnished': 29, 'windows': 51, 'floor': 107, 'preposterous': 5, 'fasteners': 2, 'child': 177, 'reached': 221, 'coach': 27, 'closely': 96, 'view': 180, 'noting': 11, 'interest': 223, 'lounged': 4, 'expected': 127, 'mews': 4, 'lane': 28, 'runs': 28, 'wall': 191, 'lent': 22, 'ostlers': 3, 'rubbing': 26, 'exchange': 37, 'twopence': 3, 'fills': 13, 'shag': 5, 'tobacco': 49, 'dozen': 37, 'people': 900, 'neighbourhood': 18, 'least': 195, 'whose': 189, 'biographies': 6, 'compelled': 49, 'listen': 101, 'turned': 503, 'heads': 70, 'daintiest': 2, 'bonnet': 9, 'planet': 4, 'lives': 61, 'quietly': 80, 'sings': 5, 'concerts': 4, 'drives': 13, 'returns': 34, 'dinner': 185, 'goes': 61, 'except': 165, 'male': 41, 'deal': 70, 'handsome': 118, 'dashing': 15, 'calls': 30, 'mr': 361, 'godfrey': 7, 'norton': 9, 'inner': 61, 'temple': 23, 'advantages': 40, 'cabman': 9, 'confidant': 5, 'driven': 67, 'listened': 157, 'began': 811, 'near': 294, 'plan': 160, 'campaign': 191, 'evidently': 375, 'lawyer': 17, 'sounded': 33, 'ominous': 11, 'relation': 140, 'object': 104, 'repeated': 211, 'visits': 12, 'mistress': 25, 'probably': 148, 'transferred': 53, 'keeping': 57, 'latter': 130, 'likely': 79, 'issue': 102, 'depended': 26, 'whether': 358, 'continue': 51, 'turn': 189, 'chambers': 7, 'widened': 10, 'field': 213, 'fear': 167, 'bore': 47, 'details': 68, 'difficulties': 49, 'balancing': 4, 'hansom': 7, 'cab': 34, 'drove': 115, 'remarkably': 25, 'aquiline': 3, 'moustached': 2, 'hurry': 46, 'shouted': 255, 'wait': 128, 'brushed': 22, 'maid': 88, 'air': 229, 'thoroughly': 46, 'catch': 46, 'glimpses': 7, 'talking': 204, 'excitedly': 9, 'waving': 19, 'arms': 250, 'presently': 14, 'flurried': 6, 'stepped': 63, 'pulled': 58, 'watch': 52, 'pocket': 52, 'earnestly': 11, 'drive': 87, 'devil': 73, 'gross': 29, 'hankey': 2, 'regent': 3, 'church': 118, 'monica': 4, 'edgeware': 3, 'guinea': 7, 'twenty': 273, 'went': 1009, 'wondering': 16, 'neat': 9, 'landau': 5, 'coachman': 53, 'buttoned': 11, 'tie': 16, 'ear': 47, 'tags': 3, 'sticking': 12, 'buckles': 2, 'hadn': 13, 'shot': 96, 'glimpse': 19, 'lovely': 31, 'die': 87, 'sovereign': 83, 'reach': 86, 'lose': 52, 'run': 146, 'perch': 5, 'driver': 32, 'shabby': 10, 'fare': 8, 'jumped': 51, 'twelve': 44, 'wind': 50, 'cabby': 2, 'fast': 40, 'faster': 28, 'others': 411, 'steaming': 3, 'arrived': 121, 'paid': 107, 'hurried': 59, 'surpliced': 2, 'clergyman': 10, 'seemed': 696, 'expostulating': 2, 'standing': 219, 'knot': 17, 'altar': 16, 'aisle': 3, 'idler': 2, 'dropped': 60, 'suddenly': 497, 'faced': 54, 'running': 141, 'hard': 181, 'towards': 83, 'thank': 106, 'god': 364, 'll': 428, 'won': 202, 'dragged': 35, 'mumbling': 5, 'responses': 2, 'whispered': 98, 'vouching': 2, 'generally': 92, 'assisting': 3, 'secure': 75, 'tying': 9, 'spinster': 2, 'done': 429, 'instant': 102, 'thanking': 3, 'lady': 178, 'beamed': 11, 'life': 879, 'started': 97, 'seems': 135, 'informality': 2, 'license': 41, 'refused': 73, 'witness': 34, 'sort': 92, 'lucky': 16, 'saved': 52, 'bridegroom': 9, 'having': 674, 'sally': 4, 'streets': 74, 'search': 60, 'bride': 12, 'mean': 99, 'chain': 31, 'occasion': 52, 'unexpected': 46, 'affairs': 215, 'plans': 86, 'menaced': 3, 'immediate': 58, 'departure': 61, 'necessitate': 5, 'prompt': 15, 'measures': 180, 'separated': 76, 'driving': 49, 'park': 16, 'usual': 179, 'different': 275, 'directions': 41, 'off': 635, 'arrangements': 30, 'beef': 11, 'beer': 10, 'ringing': 33, 'busy': 56, 'food': 76, 'busier': 2, 'evening': 266, 'operation': 215, 'delighted': 39, 'breaking': 62, 'law': 433, 'nor': 281, 'chance': 97, 'arrest': 61, 'cause': 377, 'rely': 12, 'wish': 244, 'mrs': 60, 'turner': 26, 'brought': 407, 'tray': 9, 'hungrily': 2, 'provided': 89, 'discuss': 37, 'eat': 55, 'nearly': 177, 'hours': 167, 'action': 358, 'madame': 44, 'meet': 171, 'leave': 301, 'arranged': 76, 'occur': 204, 'insist': 11, 'interfere': 50, 'neutral': 16, 'whatever': 115, 'unpleasantness': 6, 'join': 63, 'conveyed': 27, 'afterwards': 73, 'visible': 61, 'raise': 53, 'same': 1053, 'cry': 144, 'entirely': 91, 'formidable': 26, 'taking': 305, 'cigar': 16, 'shaped': 51, 'roll': 27, 'ordinary': 103, 'plumber': 6, 'smoke': 145, 'rocket': 6, 'fitted': 24, 'cap': 98, 'self': 219, 'task': 50, 'confined': 61, 'number': 302, 'rejoin': 9, 'ten': 220, 'hope': 150, 'remain': 142, 'signal': 26, 'prepare': 47, 'role': 43, 'play': 96, 'disappeared': 59, 'amiable': 22, 'minded': 22, 'nonconformist': 2, 'baggy': 3, 'trousers': 22, 'sympathetic': 23, 'smile': 427, 'general': 837, 'peering': 13, 'benevolent': 7, 'curiosity': 62, 'hare': 37, 'equalled': 3, 'costume': 17, 'expression': 322, 'vary': 57, 'fresh': 161, 'assumed': 70, 'fine': 176, 'actor': 9, 'science': 61, 'acute': 170, 'specialist': 9, 'ourselves': 79, 'dusk': 11, 'lamps': 9, 'lighted': 17, 'waiting': 184, 'coming': 218, 'occupant': 6, 'pictured': 17, 'succinct': 2, 'description': 28, 'locality': 15, 'contrary': 159, 'quiet': 119, 'animated': 67, 'group': 140, 'shabbily': 2, 'dressed': 103, 'smoking': 18, 'scissors': 20, 'grinder': 3, 'wheel': 22, 'guardsmen': 5, 'flirting': 2, 'nurse': 71, 'several': 374, 'mouths': 12, 'fro': 17, 'simplifies': 2, 'becomes': 246, 'edged': 6, 'weapon': 25, 'chances': 19, 'averse': 8, 'princess': 920, 'unlikely': 9, 'carries': 10, 'size': 185, 'easy': 123, 'concealment': 4, 'knows': 103, 'capable': 55, 'searched': 14, 'carry': 104, 'banker': 17, 'inclined': 22, 'neither': 169, 'naturally': 60, 'secretive': 3, 'secreting': 12, 'anyone': 224, 'guardianship': 4, 'indirect': 14, 'political': 261, 'bear': 87, 'besides': 134, 'remember': 162, 'resolved': 35, 'within': 314, 'lay': 296, 'burgled': 3, 'pshaw': 3, 'refuse': 43, 'rumble': 5, 'carriage': 144, 'orders': 224, 'letter': 291, 'gleam': 13, 'sidelights': 3, 'curve': 10, 'smart': 25, 'rattled': 14, 'loafing': 2, 'dashed': 24, 'forward': 230, 'earning': 6, 'elbowed': 3, 'loafer': 4, 'rushed': 115, 'quarrel': 33, 'broke': 96, 'increased': 140, 'sides': 173, 'loungers': 3, 'equally': 78, 'blow': 73, 'struck': 146, 'centre': 51, 'flushed': 79, 'struggling': 21, 'savagely': 7, 'fists': 10, 'sticks': 6, 'crowd': 226, 'protect': 42, 'blood': 549, 'freely': 68, 'fall': 125, 'heels': 30, 'direction': 147, 'watched': 59, 'scuffle': 5, 'crowded': 56, 'attend': 30, 'injured': 56, 'superb': 9, 'outlined': 7, 'lights': 23, 'poor': 130, 'hurt': 35, 'dead': 165, 'voices': 150, 'gone': 241, 'hospital': 47, 'brave': 29, 'fellow': 234, 'purse': 29, 'gang': 11, 'rough': 46, 'ah': 223, 'breathing': 44, 'marm': 2, 'surely': 25, 'comfortable': 23, 'sofa': 85, 'solemnly': 24, 'borne': 41, 'principal': 33, 'proceedings': 19, 'blinds': 8, 'drawn': 148, 'couch': 16, 'compunction': 4, 'playing': 60, 'ashamed': 65, 'creature': 29, 'conspiring': 2, 'grace': 22, 'kindliness': 5, 'waited': 52, 'blackest': 3, 'treachery': 15, 'draw': 56, 'intrusted': 8, 'hardened': 11, 'heart': 257, 'ulster': 7, 'injuring': 7, 'preventing': 32, 'motion': 61, 'need': 161, 'tossed': 14, 'sooner': 34, 'mouth': 165, 'spectators': 5, 'gentlemen': 101, 'maids': 31, 'joined': 77, 'shriek': 8, 'clouds': 45, 'curled': 14, 'rushing': 21, 'figures': 51, 'later': 335, 'assuring': 11, 'alarm': 53, 'slipping': 21, 'shouting': 110, 'rejoiced': 10, 'arm': 263, 'mine': 63, 'uproar': 5, 'silence': 137, 'nicely': 10, 'showed': 150, 'perfectly': 46, 'everyone': 237, 'accomplice': 3, 'engaged': 88, 'guessed': 22, 'row': 27, 'moist': 64, 'paint': 11, 'palm': 35, 'fell': 178, 'clapped': 8, 'piteous': 15, 'spectacle': 17, 'trick': 18, 'fathom': 9, 'bound': 96, 'suspected': 27, 'determined': 65, 'motioned': 3, 'thinks': 26, 'instinct': 23, 'rush': 36, 'values': 8, 'overpowering': 5, 'impulse': 22, 'advantage': 64, 'darlington': 2, 'substitution': 2, 'arnsworth': 2, 'castle': 15, 'grabs': 2, 'baby': 46, 'unmarried': 10, 'reaches': 36, 'jewel': 14, 'box': 76, 'precious': 39, 'quest': 16, 'shake': 15, 'nerves': 150, 'responded': 21, 'beautifully': 8, 'recess': 7, 'sliding': 4, 'panel': 7, 'above': 299, 'drew': 154, 'replaced': 56, 'making': 218, 'excuses': 7, 'escaped': 31, 'hesitated': 18, 'narrowly': 7, 'safer': 8, 'precipitance': 2, 'practically': 33, 'finished': 97, 'care': 107, 'probable': 28, 'satisfaction': 68, 'regain': 15, 'wire': 24, 'delay': 48, 'stopped': 211, 'searching': 32, 'key': 27, 'mister': 3, 'pavement': 18, 'greeting': 25, 'slim': 14, 'youth': 68, 've': 154, 'staring': 19, 'dimly': 24, 'wonder': 38, 'deuce': 4, 'slept': 36, 'toast': 10, 'coffee': 25, 'got': 281, 'grasping': 15, 'shoulder': 117, 'hopes': 42, 'impatience': 17, 'simplify': 2, 'descended': 32, 'yesterday': 70, 'named': 39, 'future': 127, 'annoyance': 19, 'loves': 22, 'husband': 197, 'reason': 192, 'queen': 21, 'relapsed': 5, 'moody': 2, 'broken': 128, 'elderly': 34, 'sardonic': 2, 'questioning': 28, 'startled': 19, 'gaze': 29, 'train': 58, 'charing': 3, 'cross': 97, 'continent': 38, 'staggered': 14, 'chagrin': 6, 'return': 191, 'hoarsely': 9, 'furniture': 27, 'scattered': 54, 'dismantled': 4, 'drawers': 8, 'hurriedly': 75, 'flight': 49, 'shutter': 5, 'plunging': 6, 'superscribed': 2, 'esq': 4, 'till': 217, 'dated': 7, 'midnight': 29, 'preceding': 19, 'ran': 323, 'completely': 96, 'suspicion': 22, 'betrayed': 15, 'warned': 19, 'months': 131, 'reveal': 16, 'suspicious': 12, 'evil': 56, 'kind': 203, 'actress': 8, 'freedom': 173, 'gives': 89, 'upstairs': 28, 'walking': 72, 'departed': 7, 'celebrated': 24, 'imprudently': 2, 'wished': 210, 'resource': 12, 'pursued': 34, 'antagonist': 5, 'nest': 8, 'empty': 62, 'rest': 210, 'peace': 228, 'loved': 129, 'hindrance': 12, 'cruelly': 10, 'wronged': 8, 'keep': 143, 'safeguard': 12, 'preserve': 36, 'possess': 20, 'truly': 19, 'nee': 2, 'epistle': 5, 'level': 54, 'coldly': 28, 'sorry': 78, 'successful': 57, 'conclusion': 59, 'inviolate': 2, 'safe': 48, 'immensely': 5, 'indebted': 9, 'reward': 35, 'ring': 56, 'slipped': 31, 'emerald': 3, 'snake': 14, 'finger': 123, 'held': 288, 'value': 107, 'highly': 55, 'stared': 25, 'amazement': 12, 'bowed': 72, 'turning': 209, 'threatened': 39, 'affect': 40, 'beaten': 48, 'wit': 16, 'merry': 57, 'cleverness': 7, 'speaks': 12, 'refers': 8, 'honourable': 4, 'autumn': 47, 'conversation': 182, 'stout': 63, 'florid': 3, 'fiery': 9, 'hair': 235, 'apology': 13, 'intrusion': 8, 'withdraw': 30, 'abruptly': 18, 'closed': 175, 'possibly': 35, 'cordially': 12, 'afraid': 174, 'wilson': 107, 'partner': 35, 'helper': 3, 'utmost': 19, 'bob': 4, 'fat': 90, 'encircled': 2, 'try': 88, 'settee': 2, 'relapsing': 13, 'fingertips': 3, 'custom': 26, 'judicial': 30, 'moods': 6, 'share': 70, 'bizarre': 6, 'conventions': 30, 'humdrum': 2, 'routine': 24, 'everyday': 15, 'relish': 5, 'enthusiasm': 41, 'prompted': 10, 'saying': 271, 'somewhat': 47, 'embellish': 3, 'greatest': 73, 'presented': 120, 'sutherland': 12, 'effects': 83, 'combinations': 34, 'daring': 23, 'effort': 131, 'imagination': 51, 'proposition': 17, 'liberty': 79, 'doubting': 5, 'otherwise': 72, 'piling': 3, 'fact': 292, 'breaks': 18, 'acknowledges': 2, 'jabez': 10, 'narrative': 26, 'remark': 52, 'strangest': 5, 'unique': 15, 'connected': 53, 'larger': 102, 'smaller': 52, 'positive': 45, 'impossible': 251, 'events': 204, 'kindness': 17, 'recommence': 2, 'ask': 252, 'makes': 55, 'anxious': 64, 'possible': 340, 'detail': 39, 'lips': 147, 'rule': 122, 'slight': 115, 'indication': 35, 'guide': 25, 'similar': 130, 'forced': 77, 'belief': 32, 'portly': 7, 'puffed': 6, 'pride': 42, 'dirty': 39, 'wrinkled': 22, 'newspaper': 22, 'greatcoat': 16, 'advertisement': 26, 'column': 63, 'thrust': 43, 'flattened': 6, 'knee': 172, 'endeavoured': 12, 'indications': 17, 'gain': 45, 'inspection': 19, 'average': 19, 'commonplace': 15, 'british': 266, 'tradesman': 10, 'obese': 2, 'pompous': 3, 'grey': 40, 'shepherd': 4, 'clean': 62, 'frock': 14, 'unbuttoned': 13, 'drab': 2, 'waistcoat': 23, 'brassy': 3, 'albert': 8, 'square': 71, 'pierced': 10, 'metal': 35, 'dangling': 5, 'ornament': 5, 'frayed': 2, 'faded': 10, 'overcoat': 27, 'velvet': 19, 'collar': 38, 'altogether': 35, 'blazing': 8, 'discontent': 14, 'occupation': 53, 'shook': 71, 'noticed': 192, 'glances': 27, 'obvious': 69, 'manual': 20, 'labour': 11, 'takes': 154, 'snuff': 12, 'freemason': 8, 'china': 44, 'considerable': 174, 'amount': 93, 'fortune': 44, 'gospel': 15, 'ship': 74, 'carpenter': 5, 'worked': 41, 'muscles': 205, 'developed': 52, 'insult': 20, 'intelligence': 16, 'telling': 76, 'especially': 404, 'rules': 59, 'arc': 6, 'compass': 7, 'breastpin': 2, 'forgot': 28, 'cuff': 3, 'shiny': 10, 'smooth': 58, 'patch': 15, 'elbow': 93, 'desk': 12, 'fish': 22, 'tattooed': 2, 'tattoo': 4, 'marks': 20, 'contributed': 13, 'literature': 17, 'staining': 8, 'scales': 7, 'addition': 73, 'chinese': 25, 'coin': 23, 'heavily': 63, 'clever': 57, 'explaining': 26, 'omne': 2, 'ignotum': 2, 'pro': 8, 'magnifico': 2, 'reputation': 29, 'suffer': 56, 'shipwreck': 2, 'candid': 7, 'planted': 17, 'follows': 68, 'bequest': 2, 'ezekiah': 3, 'hopkins': 3, 'lebanon': 2, 'pennsylvania': 96, 'u': 26, 'vacancy': 11, 'entitles': 2, 'salary': 14, 'purely': 21, 'nominal': 9, 'body': 338, 'age': 138, 'eligible': 8, 'apply': 44, 'eleven': 22, 'duncan': 10, 'ross': 15, 'offices': 38, 'pope': 12, 'court': 174, 'fleet': 25, 'earth': 118, 'ejaculated': 11, 'announcement': 22, 'wriggled': 3, 'spirits': 43, 'track': 33, 'isn': 53, 'scratch': 14, 'household': 56, 'effect': 188, 'fortunes': 47, 'april': 34, 'mopping': 3, 'pawnbroker': 7, 'coburg': 10, 'city': 181, 'affair': 117, 'assistants': 11, 'job': 12, 'willing': 26, 'wages': 51, 'learn': 39, 'obliging': 3, 'vincent': 11, 'spaulding': 9, 'smarter': 2, 'assistant': 51, 'earn': 14, 'satisfied': 61, 'ideas': 58, 'seem': 117, 'employe': 3, 'full': 268, 'market': 53, 'price': 46, 'common': 288, 'experience': 109, 'employers': 30, 'faults': 8, 'photography': 5, 'snapping': 5, 'camera': 3, 'ought': 116, 'improving': 14, 'diving': 2, 'cellar': 23, 'rabbit': 9, 'hole': 19, 'develop': 57, 'pictures': 23, 'main': 110, 'fault': 51, 'worker': 9, 'vice': 59, 'presume': 14, 'fourteen': 30, 'cooking': 7, 'keeps': 12, 'place': 674, 'widower': 5, 'live': 129, 'roof': 34, 'debts': 63, 'office': 132, 'weeks': 118, 'says': 147, 'lord': 133, 'asks': 22, 'worth': 71, 'gets': 23, 'vacancies': 14, 'trustees': 12, 'wits': 8, 'colour': 96, 'crib': 3, 'ready': 231, 'foot': 201, 'mat': 4, 'didn': 68, 'going': 377, 'couple': 46, 'occupations': 27, 'prick': 6, 'ears': 59, 'extra': 23, 'handy': 6, 'particulars': 12, 'founded': 77, 'american': 756, 'millionaire': 4, 'ways': 53, 'died': 84, 'enormous': 74, 'instructions': 47, 'providing': 34, 'berths': 3, 'splendid': 78, 'millions': 85, 'londoners': 2, 'grown': 101, 'town': 175, 'applying': 37, 'real': 103, 'bright': 115, 'cared': 15, 'sake': 98, 'yourselves': 11, 'tint': 12, 'competition': 24, 'met': 545, 'useful': 74, 'ordered': 149, 'shutters': 17, 'holiday': 14, 'shut': 41, 'sight': 130, 'north': 228, 'south': 319, 'east': 131, 'west': 287, 'shade': 36, 'tramped': 2, 'answer': 206, 'folk': 38, 'coster': 2, 'barrow': 2, 'straw': 22, 'lemon': 7, 'brick': 15, 'irish': 49, 'setter': 3, 'liver': 41, 'clay': 73, 'vivid': 12, 'despair': 46, 'butted': 2, 'stream': 77, 'stair': 12, 'dejected': 10, 'wedged': 4, 'entertaining': 11, 'refreshed': 8, 'huge': 90, 'pinch': 12, 'statement': 43, 'wooden': 38, 'chairs': 30, 'redder': 5, 'words': 461, 'candidate': 57, 'managed': 64, 'disqualify': 2, 'favourable': 29, 'fill': 42, 'requirement': 4, 'cannot': 278, 'recall': 38, 'backward': 26, 'cocked': 11, 'gazed': 95, 'bashful': 3, 'plunged': 16, 'wrung': 18, 'congratulated': 8, 'warmly': 22, 'injustice': 14, 'hesitate': 5, 'tugged': 10, 'yelled': 9, 'pain': 304, 'water': 188, 'released': 17, 'perceive': 15, 'careful': 44, 'deceived': 17, 'wigs': 3, 'tales': 18, 'cobbler': 2, 'wax': 23, 'disgust': 15, 'human': 171, 'filled': 121, 'groan': 12, 'disappointment': 13, 'below': 116, 'trooped': 2, 'manager': 20, 'pensioners': 2, 'fund': 15, 'benefactor': 32, 'gravely': 12, 'propagation': 2, 'spread': 194, 'maintenance': 11, 'exceedingly': 33, 'unfortunate': 37, 'lengthened': 4, 'thinking': 138, 'objection': 8, 'fatal': 64, 'stretch': 16, 'favour': 27, 'duties': 85, 'awkward': 37, 'mostly': 12, 'friday': 12, 'mornings': 4, 'building': 54, 'forfeit': 10, 'forever': 59, 'comply': 20, 'conditions': 243, 'budge': 4, 'leaving': 133, 'avail': 20, 'sickness': 14, 'billet': 5, 'copy': 47, 'encyclopaedia': 6, 'britannica': 4, 'ink': 15, 'pens': 6, 'blotting': 3, 'provide': 48, 'bye': 8, 'congratulate': 22, 'knowing': 98, 'pleased': 96, 'low': 132, 'persuaded': 15, 'hoax': 2, 'fraud': 16, 'sum': 54, 'copying': 15, 'cheer': 6, 'bedtime': 2, 'reasoned': 6, 'anyhow': 13, 'penny': 8, 'bottle': 47, 'quill': 6, 'pen': 26, 'sheets': 9, 'foolscap': 3, 'delight': 44, 'everything': 452, 'fairly': 26, 'bade': 6, 'complimented': 4, 'locked': 28, 'saturday': 11, 'planked': 2, 'golden': 25, 'sovereigns': 19, 'degrees': 30, 'dared': 34, 'risk': 76, 'loss': 144, 'abbots': 2, 'archery': 2, 'armour': 3, 'architecture': 7, 'attica': 2, 'hoped': 39, 'diligence': 3, 'b': 88, 'cost': 66, 'shelf': 9, 'writings': 15, 'cardboard': 9, 'hammered': 3, 'middle': 193, 'tack': 4, 'piece': 62, 'dissolved': 19, 'october': 52, 'surveyed': 6, 'curt': 3, 'rueful': 2, 'comical': 6, 'overtopped': 3, 'consideration': 37, 'burst': 74, 'roar': 26, 'laughter': 80, 'flushing': 16, 'roots': 13, 'laugh': 71, 'elsewhere': 25, 'shoving': 5, 'wouldn': 29, 'refreshingly': 2, 'card': 31, 'landlord': 15, 'accountant': 12, 'become': 410, 'william': 65, 'morris': 17, 'solicitor': 4, 'using': 49, 'temporary': 32, 'convenience': 10, 'premises': 13, 'moved': 249, 'edward': 8, 'paul': 17, 'manufactory': 2, 'artificial': 40, 'caps': 20, 'advice': 64, 'struggle': 77, 'wisely': 8, 'happy': 219, 'graver': 3, 'issues': 39, 'hang': 18, 'appear': 151, 'grave': 50, 'pound': 8, 'personally': 38, 'concerned': 81, 'grievance': 7, 'richer': 13, 'minute': 84, 'knowledge': 72, 'gained': 46, 'prank': 6, 'expensive': 17, 'joke': 37, 'endeavour': 4, 'points': 84, 'questions': 182, 'month': 65, 'applicant': 4, 'pick': 21, 'cheap': 16, 'short': 237, 'splash': 5, 'acid': 62, 'excitement': 63, 'earrings': 5, 'gipsy': 2, 'lad': 71, 'sinking': 22, 'attended': 133, 'absence': 99, 'complain': 15, 'opinion': 219, 'frankly': 24, 'mysterious': 39, 'proves': 21, 'featureless': 3, 'puzzling': 3, 'identify': 10, 'pipe': 57, 'beg': 57, 'thin': 167, 'knees': 56, 'hawk': 6, 'nose': 104, 'thrusting': 9, 'bill': 100, 'bird': 37, 'asleep': 88, 'nodding': 13, 'mantelpiece': 7, 'sarasate': 2, 'plays': 18, 'james': 85, 'patients': 60, 'absorbing': 3, 'lunch': 18, 'music': 57, 'programme': 4, 'italian': 34, 'french': 1071, 'introspect': 2, 'along': 405, 'underground': 9, 'aldersgate': 2, 'poky': 2, 'genteel': 2, 'lines': 134, 'dingy': 3, 'storied': 3, 'railed': 3, 'enclosure': 8, 'lawn': 15, 'weedy': 2, 'grass': 41, 'clumps': 2, 'laurel': 4, 'bushes': 30, 'fight': 97, 'laden': 11, 'uncongenial': 2, 'atmosphere': 24, 'gilt': 9, 'balls': 51, 'board': 35, 'announced': 68, 'shining': 41, 'brightly': 30, 'puckered': 21, 'lids': 9, 'keenly': 15, 'thumped': 2, 'vigorously': 25, 'stick': 37, 'knocked': 27, 'instantly': 47, 'shaven': 20, 'strand': 6, 'third': 240, 'fourth': 79, 'promptly': 24, 'judgment': 34, 'smartest': 2, 'claim': 44, 'counts': 3, 'inquired': 47, 'beat': 47, 'talk': 288, 'spies': 10, 'enemy': 293, 'explore': 6, 'parts': 297, 'contrast': 51, 'picture': 29, 'arteries': 78, 'traffic': 23, 'roadway': 3, 'blocked': 31, 'commerce': 120, 'flowing': 21, 'tide': 34, 'inward': 9, 'outward': 10, 'footpaths': 2, 'hurrying': 25, 'swarm': 8, 'pedestrians': 3, 'realise': 9, 'shops': 23, 'stately': 10, 'abutted': 3, 'stagnant': 5, 'quitted': 8, 'hobby': 5, 'exact': 27, 'mortimer': 2, 'tobacconist': 2, 'shop': 30, 'branch': 53, 'suburban': 4, 'bank': 110, 'vegetarian': 2, 'restaurant': 6, 'mcfarlane': 2, 'depot': 4, 'block': 15, 'sandwich': 3, 'cup': 27, 'violin': 9, 'land': 280, 'sweetness': 5, 'harmony': 16, 'clients': 4, 'vex': 4, 'conundrums': 2, 'enthusiastic': 18, 'musician': 5, 'performer': 4, 'composer': 4, 'merit': 25, 'stalls': 19, 'wrapped': 34, 'gently': 38, 'fingers': 147, 'smiling': 162, 'dreamy': 4, 'unlike': 47, 'sleuth': 2, 'hound': 8, 'relentless': 11, 'witted': 6, 'criminal': 31, 'conceive': 17, 'dual': 4, 'alternately': 8, 'asserted': 13, 'exactness': 2, 'astuteness': 2, 'represented': 43, 'reaction': 97, 'poetic': 20, 'contemplative': 2, 'predominated': 3, 'swing': 14, 'languor': 6, 'devouring': 3, 'amid': 85, 'improvisations': 2, 'editions': 18, 'lust': 6, 'chase': 21, 'brilliant': 86, 'intuition': 5, 'unacquainted': 3, 'askance': 5, 'mortals': 2, 'enwrapped': 2, 'hunt': 32, 'contemplation': 8, 'stop': 100, 'complicates': 3, 'early': 271, 'danger': 125, 'army': 765, 'revolver': 9, 'heel': 22, 'dense': 45, 'neighbours': 6, 'oppressed': 19, 'sense': 104, 'stupidity': 12, 'dealings': 4, 'evident': 111, 'clearly': 131, 'happened': 209, 'happen': 100, 'confused': 68, 'grotesque': 4, 'kensington': 2, 'copier': 2, 'parted': 23, 'nocturnal': 7, 'expedition': 32, 'armed': 55, 'hint': 14, 'game': 56, 'puzzle': 6, 'aside': 106, 'explanation': 59, 'nine': 65, 'oxford': 12, 'hansoms': 2, 'entering': 69, 'recognised': 64, 'peter': 53, 'jones': 25, 'sad': 92, 'oppressively': 2, 'party': 299, 'buttoning': 9, 'pea': 15, 'jacket': 35, 'hunting': 36, 'crop': 25, 'rack': 7, 'scotland': 17, 'yard': 80, 'merryweather': 13, 're': 190, 'couples': 11, 'consequential': 9, 'starting': 51, 'wants': 40, 'dog': 65, 'wild': 36, 'goose': 33, 'gloomily': 14, 'confidence': 54, 'loftily': 2, 'theoretical': 6, 'fantastic': 14, 'makings': 2, 'detective': 10, 'sholto': 2, 'agra': 2, 'treasure': 20, 'correct': 39, 'force': 240, 'stranger': 47, 'deference': 10, 'rubber': 30, 'higher': 96, 'stake': 25, 'exciting': 19, 'murderer': 12, 'thief': 13, 'smasher': 2, 'forger': 2, 'bracelets': 3, 'grandfather': 17, 'eton': 2, 'brain': 59, 'cunning': 27, 'raising': 78, 'build': 18, 'orphanage': 3, 'cornwall': 3, 'introducing': 14, 'turns': 27, 'agree': 78, 'communicative': 2, 'humming': 8, 'tunes': 2, 'endless': 26, 'labyrinth': 5, 'gas': 17, 'farrington': 2, 'director': 15, 'imbecile': 6, 'virtue': 57, 'bulldog': 3, 'tenacious': 5, 'lobster': 2, 'claws': 4, 'thoroughfare': 3, 'cabs': 4, 'dismissed': 14, 'guidance': 14, 'narrow': 62, 'corridor': 36, 'massive': 13, 'iron': 79, 'gate': 66, 'winding': 17, 'stone': 73, 'terminated': 6, 'lantern': 15, 'conducted': 26, 'vault': 9, 'piled': 9, 'crates': 2, 'boxes': 17, 'vulnerable': 3, 'striking': 60, 'flags': 9, 'sounds': 95, 'hollow': 53, 'severely': 30, 'imperilled': 2, 'goodness': 39, 'solemn': 56, 'perched': 6, 'crate': 4, 'magnifying': 4, 'lens': 13, 'examine': 23, 'minutely': 10, 'cracks': 4, 'stones': 14, 'seconds': 29, 'sufficed': 4, 'satisfy': 16, 'bed': 222, 'longer': 233, 'escape': 97, 'divined': 5, 'banks': 55, 'chairman': 8, 'directors': 9, 'criminals': 16, 'warnings': 7, 'strengthen': 22, 'resources': 57, 'borrowed': 17, 'napoleons': 5, 'france': 171, 'unpack': 2, 'contains': 37, 'packed': 41, 'layers': 23, 'foil': 2, 'reserve': 33, 'bullion': 3, 'usually': 530, 'kept': 252, 'misgivings': 7, 'justified': 20, 'expect': 62, 'meantime': 18, 'screen': 15, 'pack': 32, 'cards': 48, 'partie': 2, 'carree': 2, 'preparations': 45, 'presence': 218, 'choose': 55, 'positions': 26, 'disadvantage': 8, 'harm': 43, 'unless': 95, 'stand': 90, 'flash': 11, 'shooting': 13, 'crouched': 5, 'slide': 5, 'pitch': 17, 'darkness': 69, 'experienced': 103, 'smell': 51, 'assure': 25, 'expectancy': 4, 'depressing': 13, 'subduing': 2, 'sudden': 80, 'gloom': 23, 'dank': 3, 'retreat': 95, 'inspector': 32, 'officers': 317, 'holes': 8, 'silent': 189, 'comparing': 6, 'dawn': 23, 'weary': 53, 'feared': 63, 'highest': 82, 'tension': 41, 'hearing': 94, 'gentle': 59, 'companions': 19, 'distinguish': 35, 'deeper': 59, 'heavier': 19, 'breath': 39, 'bulky': 9, 'sighing': 18, 'glint': 3, 'lurid': 6, 'spark': 8, 'yellow': 76, 'warning': 33, 'gash': 3, 'womanly': 8, 'area': 164, 'writhing': 5, 'protruded': 6, 'withdrawn': 39, 'chink': 3, 'disappearance': 35, 'momentary': 14, 'rending': 5, 'tearing': 23, 'gaping': 7, 'streamed': 14, 'edge': 61, 'peeped': 8, 'cut': 200, 'boyish': 5, 'aperture': 7, 'waist': 18, 'rested': 29, 'hauling': 7, 'lithe': 2, 'pale': 166, 'shock': 88, 'chisel': 13, 'bags': 15, 'scott': 25, 'jump': 17, 'archie': 3, 'sprung': 13, 'intruder': 3, 'dived': 2, 'cloth': 39, 'clutched': 14, 'skirts': 9, 'flashed': 18, 'barrel': 8, 'pistol': 52, 'clinked': 2, 'blandly': 10, 'coolness': 4, 'pal': 5, 'tails': 5, 'compliment': 8, 'idea': 142, 'effective': 28, 'quicker': 20, 'climbing': 4, 'fix': 28, 'derbies': 2, 'touch': 73, 'filthy': 5, 'prisoner': 61, 'handcuffs': 2, 'clattered': 4, 'wrists': 8, 'veins': 135, 'stare': 6, 'snigger': 2, 'highness': 50, 'serenely': 4, 'sweeping': 17, 'bow': 44, 'custody': 7, 'repay': 11, 'detected': 25, 'defeated': 32, 'robbery': 18, 'scores': 4, 'settle': 43, 'expense': 34, 'refund': 31, 'amply': 5, 'repaid': 6, 'whisky': 15, 'soda': 18, 'curious': 30, 'managing': 7, 'suggest': 25, 'method': 142, 'ingenious': 10, 'lure': 9, 'rogue': 6, 'incites': 2, 'manage': 28, 'motive': 18, 'securing': 33, 'mere': 80, 'vulgar': 6, 'intrigue': 12, 'elaborate': 6, 'expenditure': 7, 'fondness': 4, 'vanishing': 8, 'tangled': 9, 'clue': 20, 'inquiries': 22, 'coolest': 2, 'tunnel': 5, 'surprised': 81, 'beating': 22, 'ascertaining': 5, 'skirmishes': 2, 'worn': 74, 'stained': 36, 'burrowing': 3, 'remaining': 41, 'solved': 20, 'concert': 7, 'essential': 93, 'discovered': 46, 'removed': 179, 'exclaimed': 119, 'unfeigned': 2, 'admiration': 15, 'link': 13, 'rings': 18, 'ennui': 3, 'yawning': 7, 'alas': 5, 'feel': 162, 'spent': 112, 'commonplaces': 3, 'existence': 65, 'race': 43, 'l': 69, 'homme': 7, 'c': 136, 'est': 30, 'rien': 2, 'oeuvre': 3, 'tout': 13, 'gustave': 2, 'flaubert': 2, 'george': 151, 'sand': 17, 'infinitely': 17, 'invent': 11, 'dare': 44, 'fly': 40, 'hover': 3, 'roofs': 19, 'peep': 3, 'queer': 16, 'coincidences': 2, 'plannings': 2, 'chains': 15, 'working': 55, 'generations': 23, 'leading': 116, 'outre': 3, 'fiction': 4, 'conventionalities': 2, 'foreseen': 23, 'conclusions': 15, 'stale': 5, 'unprofitable': 3, 'convinced': 83, 'bald': 83, 'reports': 55, 'realism': 3, 'limits': 24, 'confessed': 13, 'fascinating': 14, 'artistic': 8, 'selection': 13, 'producing': 42, 'realistic': 3, 'wanting': 13, 'report': 88, 'stress': 11, 'platitudes': 2, 'magistrate': 10, 'contain': 27, 'vital': 42, 'essence': 32, 'depend': 42, 'unnatural': 38, 'smiled': 159, 'unofficial': 7, 'adviser': 6, 'everybody': 128, 'puzzled': 15, 'throughout': 79, 'continents': 4, 'contact': 88, 'picked': 40, 'practical': 63, 'test': 54, 'heading': 11, 'cruelty': 26, 'reading': 115, 'drink': 56, 'push': 20, 'bruise': 6, 'sister': 145, 'crudest': 3, 'writers': 28, 'crude': 6, 'argument': 33, 'dundas': 2, 'separation': 52, 'happens': 65, 'connection': 104, 'teetotaler': 2, 'complained': 18, 'meal': 16, 'teeth': 77, 'hurling': 3, 'allow': 92, 'teller': 2, 'acknowledge': 12, 'snuffbox': 27, 'amethyst': 2, 'lid': 15, 'splendour': 3, 'homely': 9, 'commenting': 2, 'souvenir': 2, 'assistance': 53, 'served': 64, 'feature': 62, 'unimportant': 13, 'analysis': 21, 'charm': 32, 'apt': 36, 'simpler': 11, 'bigger': 8, 'intricate': 7, 'referred': 68, 'marseilles': 3, 'presents': 64, 'gazing': 68, 'opposite': 81, 'boa': 2, 'curling': 10, 'feather': 21, 'tilted': 4, 'coquettish': 7, 'duchess': 4, 'devonshire': 2, 'panoply': 2, 'hesitating': 17, 'oscillated': 2, 'fidgeted': 2, 'glove': 17, 'buttons': 9, 'plunge': 5, 'swimmer': 2, 'leaves': 39, 'clang': 6, 'symptoms': 172, 'oscillation': 2, 'affaire': 2, 'de': 238, 'coeur': 5, 'communication': 43, 'discriminate': 3, 'oscillates': 2, 'symptom': 22, 'maiden': 16, 'angry': 133, 'perplexed': 13, 'grieved': 14, 'announce': 20, 'loomed': 6, 'sailed': 8, 'merchant': 42, 'tiny': 21, 'pilot': 4, 'boat': 12, 'welcomed': 23, 'courtesy': 13, 'abstracted': 5, 'trying': 182, 'typewriting': 5, 'realising': 4, 'purport': 5, 'violent': 31, 'astonishment': 29, 'humoured': 2, 'overlook': 4, 'etherege': 2, 'm': 171, 'hosmer': 26, 'angel': 43, 'tips': 17, 'ceiling': 16, 'vacuous': 3, 'bang': 8, 'windibank': 21, 'father': 534, 'stepfather': 22, 'older': 46, 'mother': 313, 'alive': 72, 'wasn': 15, 'fifteen': 62, 'younger': 42, 'tottenham': 5, 'tidy': 5, 'hardy': 9, 'foreman': 6, 'superior': 42, 'traveller': 5, 'wines': 5, 'goodwill': 2, 'impatient': 16, 'rambling': 2, 'inconsequential': 2, 'concentration': 11, 'income': 48, 'separate': 70, 'uncle': 136, 'ned': 3, 'auckland': 2, 'zealand': 4, 'stock': 34, 'paying': 39, 'per': 87, 'cent': 78, 'thousand': 260, 'extremely': 52, 'bargain': 14, 'travel': 30, 'indulge': 8, 'burden': 35, 'staying': 36, 'draws': 3, 'pays': 6, 'brings': 11, 'flush': 13, 'stole': 4, 'nervously': 9, 'fringe': 7, 'gasfitters': 3, 'ball': 125, 'tickets': 5, 'anywhere': 41, 'sunday': 20, 'school': 34, 'treat': 32, 'prevent': 135, 'fit': 53, 'friends': 157, 'purple': 30, 'plush': 4, 'drawer': 14, 'firm': 142, 'annoyed': 10, 'denying': 6, 'visitors': 70, 'circle': 79, 'write': 87, 'cashier': 3, 'leadenhall': 6, 'worst': 37, 'chaffed': 3, 'clerks': 9, 'offered': 88, 'typewrite': 2, 'typewritten': 7, 'fond': 62, 'axiom': 4, 'shy': 22, 'daylight': 16, 'hated': 22, 'conspicuous': 13, 'retiring': 11, 'gentlemanly': 2, 'd': 181, 'quinsy': 3, 'swollen': 59, 'glands': 276, 'weak': 86, 'throat': 68, 'whispering': 20, 'speech': 83, 'glasses': 32, 'glare': 6, 'proposed': 93, 'earnest': 11, 'swear': 13, 'testament': 5, 'passion': 36, 'fonder': 5, 'talked': 106, 'marrying': 33, 'sly': 17, 'bordeaux': 5, 'wedding': 39, 'missed': 29, 'saviour': 11, 'breakfast': 34, 'pancras': 2, 'hotel': 23, 'wheeler': 7, 'shamefully': 6, 'treated': 96, 'unforeseen': 7, 'occurred': 122, 'pledged': 9, 'pledge': 11, 'meaning': 116, 'catastrophe': 9, 'foresaw': 10, 'notion': 17, 'bringing': 49, 'doors': 48, 'settled': 111, 'independent': 74, 'shilling': 5, 'sleep': 114, 'wink': 12, 'handkerchief': 57, 'muff': 2, 'sob': 20, 'rising': 85, 'definite': 79, 'dwell': 9, 'further': 139, 'vanish': 9, 'accurate': 17, 'advertised': 4, 'slip': 25, 'lyon': 4, 'camberwell': 3, 'travels': 5, 'westhouse': 3, 'marbank': 3, 'claret': 4, 'importers': 3, 'fenchurch': 3, 'incident': 28, 'sealed': 16, 'faith': 65, 'respect': 78, 'bundle': 14, 'whenever': 39, 'summoned': 36, 'pressed': 123, 'directed': 90, 'upward': 19, 'oily': 5, 'counsellor': 3, 'leaned': 40, 'wreaths': 4, 'spinning': 16, 'infinite': 29, 'trite': 2, 'andover': 2, 'hague': 9, 'instructive': 11, 'invisible': 23, 'unnoticed': 15, 'suggestiveness': 2, 'nails': 33, 'lace': 12, 'gather': 20, 'describe': 52, 'slate': 4, 'brickish': 2, 'beads': 5, 'sewn': 6, 'jet': 5, 'ornaments': 4, 'darker': 6, 'gloves': 30, 'greyish': 15, 'softly': 43, 'pon': 4, 'wonderfully': 6, 'hit': 22, 'impressions': 21, 'concentrate': 6, 'sleeve': 28, 'trouser': 5, 'material': 75, 'traces': 24, 'typewritist': 2, 'presses': 9, 'defined': 56, 'sewing': 6, 'type': 88, 'farthest': 13, 'broadest': 4, 'dint': 4, 'pince': 3, 'nez': 3, 'ventured': 31, 'odd': 10, 'ones': 78, 'slightly': 85, 'decorated': 7, 'toe': 37, 'fifth': 61, 'neatly': 12, 'noted': 18, 'fully': 70, 'torn': 61, 'violet': 9, 'dipped': 3, 'amusing': 25, 'elementary': 7, 'printed': 28, 'missing': 29, 'fourteenth': 28, 'ft': 3, 'sallow': 26, 'complexion': 4, 'bushy': 10, 'whiskers': 14, 'moustache': 4, 'infirmity': 2, 'harris': 5, 'gaiters': 5, 'elastic': 51, 'sided': 6, 'anybody': 22, 'quotes': 2, 'balzac': 2, 'strike': 40, 'superscription': 2, 'conclusive': 10, 'bears': 19, 'deny': 11, 'breach': 22, 'instituted': 16, 'asking': 122, 'relatives': 11, 'answers': 26, 'interim': 3, 'solid': 42, 'grounds': 42, 'assured': 42, 'demeanour': 2, 'weird': 5, 'tangle': 4, 'unravel': 3, 'puffing': 13, 'conviction': 49, 'disappearing': 4, 'professional': 29, 'gravity': 28, 'engaging': 8, 'bedside': 7, 'sufferer': 7, 'spring': 71, 'assist': 14, 'denouement': 2, 'recesses': 9, 'array': 8, 'bottles': 15, 'tubes': 14, 'pungent': 5, 'cleanly': 4, 'hydrochloric': 3, 'chemical': 36, 'bisulphate': 2, 'baryta': 2, 'salt': 35, 'drawback': 3, 'scoundrel': 26, 'deserting': 3, 'reply': 167, 'footfall': 3, 'sturdy': 11, 'sized': 4, 'skinned': 3, 'bland': 7, 'insinuating': 3, 'penetrating': 19, 'sideboard': 7, 'sidled': 3, 'nearest': 51, 'appointment': 40, 'troubled': 18, 'wash': 21, 'linen': 24, 'public': 289, 'excitable': 3, 'impulsive': 6, 'controlled': 32, 'pleasant': 97, 'misfortune': 34, 'noised': 2, 'abroad': 55, 'useless': 49, 'succeed': 17, 'discovering': 8, 'typewriter': 4, 'individuality': 5, 'handwriting': 7, 'alike': 38, 'slurring': 3, 'defect': 24, 'tail': 41, 'r': 54, 'characteristics': 15, 'correspondence': 25, 'devoted': 42, 'slurred': 2, 'tailless': 2, 'alluded': 7, 'waste': 24, 'stepping': 30, 'rat': 14, 'trap': 43, 'suavely': 3, 'transparent': 12, 'solve': 19, 'collapsed': 13, 'ghastly': 4, 'glitter': 11, 'moisture': 11, 'brow': 22, 'actionable': 3, 'stammered': 6, 'cruel': 42, 'selfish': 10, 'heartless': 7, 'petty': 18, 'contradict': 14, 'wrong': 104, 'huddled': 10, 'breast': 87, 'utterly': 22, 'crushed': 30, 'stuck': 21, 'leaning': 56, 'enjoyed': 36, 'difference': 47, 'disposition': 38, 'affectionate': 24, 'warm': 76, 'hearted': 6, 'fair': 56, 'personal': 92, 'allowed': 87, 'forbidding': 21, 'seek': 39, 'restive': 7, 'insisted': 60, 'conceives': 2, 'creditable': 2, 'connivance': 3, 'disguised': 6, 'covered': 170, 'masked': 3, 'whisper': 52, 'doubly': 10, 'lovers': 10, 'groaned': 16, 'decidedly': 10, 'flattered': 18, 'attentions': 10, 'loudly': 47, 'expressed': 136, 'produced': 133, 'meetings': 29, 'engagement': 49, 'affections': 88, 'deception': 11, 'pretended': 19, 'journeys': 8, 'cumbrous': 2, 'dramatic': 11, 'permanent': 65, 'suitor': 9, 'vows': 3, 'fidelity': 5, 'exacted': 3, 'allusions': 6, 'happening': 48, 'fate': 99, 'rate': 68, 'farther': 104, 'conveniently': 8, 'assurance': 30, 'assault': 14, 'illegal': 10, 'constraint': 9, 'unlocking': 4, 'deserved': 16, 'punishment': 22, 'brother': 178, 'whip': 41, 'jove': 4, 'bitter': 48, 'swift': 31, 'clatter': 13, 'banged': 4, 'speed': 32, 'blooded': 4, 'ends': 104, 'gallows': 6, 'respects': 23, 'devoid': 14, 'profited': 5, 'spectacles': 42, 'hinted': 12, 'disguise': 11, 'suspicions': 7, 'confirmed': 37, 'inferred': 6, 'recognise': 18, 'smallest': 13, 'sample': 9, 'isolated': 22, 'minor': 30, 'pointed': 91, 'verify': 3, 'spotted': 13, 'corroboration': 3, 'eliminated': 8, 'request': 41, 'inform': 33, 'travellers': 3, 'peculiarities': 13, 'revealed': 49, 'trivial': 39, 'characteristic': 98, 'defects': 24, 'tallied': 2, 'voila': 6, 'persian': 11, 'taketh': 2, 'tiger': 4, 'cub': 2, 'whoso': 2, 'snatches': 5, 'delusion': 7, 'hafiz': 2, 'horace': 11, 'seated': 52, 'telegram': 7, 'wired': 5, 'scenery': 6, 'paddington': 8, 'list': 49, 'anstruther': 2, 'ungrateful': 8, 'seeing': 208, 'camp': 139, 'afghanistan': 2, 'stated': 30, 'valise': 2, 'rattling': 7, 'platform': 53, 'gaunt': 6, 'gaunter': 2, 'taller': 5, 'travelling': 5, 'fitting': 22, 'local': 193, 'aid': 114, 'worthless': 12, 'biassed': 2, 'seats': 22, 'litter': 4, 'rummaged': 6, 'intervals': 40, 'meditation': 7, 'onto': 72, 'accounts': 39, 'paradoxical': 2, 'profoundly': 18, 'singularity': 2, 'invariably': 21, 'established': 130, 'son': 344, 'murdered': 11, 'conjectured': 4, 'granted': 47, 'opportunity': 67, 'district': 38, 'herefordshire': 3, 'largest': 26, 'landed': 16, 'proprietor': 19, 'australia': 11, 'farms': 36, 'hatherley': 19, 'charles': 41, 'mccarthy': 38, 'ex': 19, 'australian': 11, 'colonies': 208, 'tenant': 5, 'terms': 149, 'equality': 41, 'eighteen': 25, 'wives': 17, 'avoided': 57, 'neighbouring': 15, 'mccarthys': 4, 'sport': 8, 'servants': 89, 'june': 45, 'rd': 11, 'pool': 27, 'lake': 28, 'formed': 236, 'spreading': 63, 'serving': 38, 'farmhouse': 4, 'mile': 33, 'mentioned': 67, 'crowder': 4, 'keeper': 20, 'employ': 18, 'witnesses': 10, 'depose': 3, 'adds': 10, 'gun': 64, 'actually': 41, 'thickly': 9, 'wooded': 9, 'reeds': 5, 'patience': 27, 'moran': 14, 'estate': 89, 'woods': 23, 'picking': 16, 'flowers': 15, 'states': 982, 'border': 48, 'elder': 41, 'frightened': 146, 'violence': 50, 'quarrelling': 3, 'excited': 87, 'blows': 17, 'blunt': 16, 'injuries': 109, 'inflicted': 26, 'butt': 8, 'paces': 39, 'arrested': 79, 'verdict': 12, 'wilful': 3, 'inquest': 6, 'tuesday': 6, 'wednesday': 14, 'magistrates': 3, 'assizes': 8, 'coroner': 19, 'damning': 3, 'circumstantial': 4, 'evidence': 80, 'tricky': 2, 'thoughtfully': 12, 'shift': 7, 'pointing': 89, 'uncompromising': 7, 'looks': 89, 'culprit': 4, 'landowner': 17, 'innocence': 11, 'retained': 42, 'lestrade': 39, 'recollect': 5, 'aged': 32, 'flying': 36, 'westward': 31, 'miles': 111, 'digesting': 2, 'breakfasts': 3, 'credit': 62, 'deceptive': 3, 'boasting': 6, 'confirm': 17, 'destroy': 58, 'theory': 80, 'incapable': 17, 'understanding': 79, 'military': 229, 'neatness': 3, 'characterises': 2, 'shave': 4, 'season': 18, 'sunlight': 11, 'shaving': 7, 'positively': 14, 'slovenly': 2, 'angle': 39, 'jaw': 37, 'illuminated': 9, 'equal': 109, 'quote': 5, 'inference': 3, 'therein': 7, 'lies': 87, 'metier': 2, 'service': 224, 'considering': 54, 'farm': 51, 'constabulary': 3, 'informing': 12, 'deserts': 6, 'natural': 146, 'removing': 44, 'minds': 28, 'jury': 26, 'confession': 15, 'protestation': 2, 'brightest': 5, 'rift': 4, 'innocent': 73, 'feigned': 7, 'indignation': 7, 'anger': 60, 'policy': 117, 'scheming': 2, 'frank': 32, 'acceptance': 9, 'restraint': 19, 'firmness': 21, 'consider': 99, 'forgotten': 65, 'filial': 3, 'duty': 137, 'bandy': 7, 'according': 165, 'reproach': 38, 'contrition': 2, 'displayed': 18, 'healthy': 61, 'guilty': 43, 'hanged': 17, 'slighter': 4, 'wrongfully': 3, 'encouraging': 11, 'supporters': 11, 'paragraph': 35, 'deceased': 13, 'bristol': 10, 'absent': 57, 'arrival': 69, 'cobb': 3, 'rapidly': 198, 'strolled': 5, 'visiting': 13, 'warren': 7, 'yards': 35, 'cooee': 8, 'roughly': 10, 'ensued': 18, 'temper': 39, 'becoming': 83, 'ungovernable': 2, 'hideous': 11, 'outcry': 3, 'expiring': 4, 'terribly': 23, 'expired': 4, 'knelt': 10, 'popular': 134, 'manners': 23, 'enemies': 40, 'mumbled': 3, 'allusion': 8, 'delirious': 12, 'final': 67, 'decide': 34, 'refusal': 31, 'prejudice': 7, 'considerably': 19, 'arise': 29, 'uttered': 59, 'confusion': 59, 'juryman': 2, 'aroused': 53, 'fatally': 6, 'disturbed': 37, 'plaid': 2, 'feeling': 363, 'concluded': 58, 'examination': 73, 'concluding': 4, 'remarks': 47, 'severe': 174, 'discrepancy': 2, 'signalled': 2, 'dying': 81, 'cushioned': 2, 'pains': 43, 'strongest': 14, 'evolved': 9, 'consciousness': 79, 'reference': 45, 'approach': 41, 'whither': 9, 'hypothesis': 9, 'petrarch': 2, 'swindon': 2, 'stroud': 2, 'gleaming': 6, 'severn': 2, 'lean': 13, 'ferret': 3, 'furtive': 3, 'spite': 118, 'dustcoat': 2, 'leggings': 2, 'rustic': 4, 'surroundings': 44, 'difficulty': 111, 'recognising': 7, 'hereford': 3, 'tea': 108, 'complimentary': 2, 'barometric': 2, 'pressure': 236, 'sky': 69, 'caseful': 2, 'cigarettes': 2, 'abomination': 2, 'indulgently': 3, 'newspapers': 32, 'pikestaff': 2, 'plainer': 5, 'repeatedly': 25, 'bless': 11, 'cheeks': 48, 'concern': 33, 'fastening': 3, 'children': 232, 'tender': 89, 'charge': 71, 'absurd': 25, 'loophole': 2, 'flaw': 5, 'defiantly': 2, 'forming': 63, 'hide': 41, 'disagreements': 4, 'quarrels': 11, 'union': 274, 'blush': 10, 'willows': 2, 'wreck': 6, 'shattered': 15, 'dad': 8, 'victoria': 7, 'mines': 23, 'prison': 23, 'misses': 3, 'undertaking': 25, 'impulsively': 2, 'rattle': 18, 'dignity': 53, 'disappoint': 9, 'reconsider': 4, 'ample': 10, 'wandered': 16, 'backed': 9, 'novel': 21, 'puny': 3, 'plot': 13, 'compared': 50, 'groping': 3, 'wander': 11, 'continually': 92, 'flung': 31, 'supposing': 22, 'unhappy': 35, 'hellish': 4, 'calamity': 18, 'screams': 14, 'glade': 5, 'terrible': 196, 'deadly': 19, 'instincts': 6, 'weekly': 6, 'county': 18, 'contained': 21, 'verbatim': 2, 'surgeon': 44, 'deposition': 6, 'posterior': 32, 'parietal': 5, 'bone': 626, 'occipital': 6, 'spot': 77, 'extent': 100, 'accused': 32, 'delirium': 35, 'commonly': 61, 'indicate': 32, 'cudgelled': 2, 'brains': 9, 'hardihood': 2, 'kneeling': 9, 'tissue': 580, 'improbabilities': 2, 'insight': 9, 'rain': 40, 'keenest': 4, 'fagged': 3, 'screening': 6, 'comely': 4, 'admire': 8, 'charming': 63, 'thereby': 33, 'hangs': 7, 'painful': 85, 'tale': 22, 'madly': 8, 'insanely': 3, 'boarding': 4, 'idiot': 11, 'clutches': 5, 'barmaid': 4, 'registry': 2, 'maddening': 3, 'upbraided': 2, 'sheer': 9, 'frenzy': 9, 'interview': 37, 'goading': 2, 'supporting': 17, 'truth': 116, 'finding': 61, 'trouble': 58, 'bermuda': 2, 'dockyard': 2, 'consoled': 5, 'suffered': 64, 'crucial': 4, 'depends': 53, 'meredith': 2, 'foretold': 8, 'cloudless': 4, 'despaired': 3, 'sixty': 31, 'constitution': 293, 'health': 121, 'add': 27, 'learned': 101, 'rent': 20, 'helped': 57, 'obligations': 38, 'heiress': 13, 'cocksure': 3, 'proposal': 40, 'deductions': 8, 'inferences': 5, 'winking': 11, 'tackle': 6, 'fancies': 15, 'demurely': 2, 'grasped': 18, 'replied': 321, 'warmth': 14, 'senior': 20, 'junior': 4, 'merest': 5, 'moonshine': 4, 'brighter': 17, 'fog': 24, 'widespread': 25, 'roofed': 4, 'blotches': 4, 'lichen': 4, 'walls': 73, 'smokeless': 2, 'chimneys': 4, 'stricken': 11, 'horror': 65, 'measured': 26, 'desired': 52, 'transformed': 24, 'thinker': 5, 'logician': 2, 'darkened': 9, 'brows': 33, 'shone': 42, 'beneath': 78, 'steely': 2, 'bent': 99, 'downward': 20, 'compressed': 35, 'whipcord': 4, 'sinewy': 7, 'nostrils': 7, 'dilate': 10, 'animal': 58, 'concentrated': 32, 'unheeded': 3, 'provoked': 8, 'snarl': 3, 'silently': 73, 'meadows': 9, 'damp': 30, 'marshy': 3, 'path': 101, 'bounded': 11, 'sometimes': 426, 'detour': 2, 'meadow': 19, 'indifferent': 32, 'contemptuous': 18, 'reed': 5, 'girt': 4, 'situated': 60, 'boundary': 28, 'wealthy': 32, 'jutting': 2, 'pinnacles': 2, 'site': 33, 'dwelling': 7, 'grew': 167, 'belt': 13, 'sodden': 13, 'trees': 52, 'eager': 51, 'trampled': 11, 'fished': 2, 'rake': 5, 'trace': 37, 'tut': 12, 'mole': 16, 'vanishes': 4, 'herd': 16, 'buffalo': 13, 'wallowed': 2, 'tracks': 18, 'waterproof': 5, 'soles': 5, 'listening': 90, 'tiptoes': 3, 'losing': 44, 'beech': 2, 'tree': 43, 'traced': 14, 'dried': 27, 'gathering': 21, 'dust': 40, 'envelope': 27, 'examining': 36, 'bark': 10, 'jagged': 3, 'moss': 7, 'pathway': 3, 'highroad': 28, 'luncheon': 3, 'regained': 8, 'carrying': 88, 'holding': 145, 'growing': 154, 'lain': 7, 'corresponds': 9, 'limps': 2, 'leg': 146, 'wears': 5, 'soled': 2, 'smokes': 3, 'indian': 47, 'uses': 10, 'holder': 34, 'knife': 43, 'sceptic': 2, 'nous': 9, 'verrons': 2, 'calmly': 29, 'unfinished': 10, 'populous': 9, 'undertake': 17, 'pained': 8, 'perplexing': 11, 'cleared': 54, 'preach': 8, 'expound': 5, 'although': 169, 'impressed': 25, 'research': 37, 'commence': 12, 'presuming': 2, 'meant': 114, 'earshot': 2, 'attract': 20, 'whoever': 16, 'distinctly': 38, 'australians': 2, 'presumption': 6, 'folded': 25, 'map': 39, 'colony': 58, 'arat': 2, 'ballarat': 7, 'syllables': 3, 'utter': 42, 'narrowed': 9, 'possession': 56, 'garment': 6, 'granting': 19, 'certainty': 14, 'vagueness': 2, 'conception': 82, 'approached': 82, 'strangers': 16, 'personality': 17, 'trifles': 17, 'judge': 46, 'stride': 5, 'lameness': 3, 'distinct': 44, 'limped': 3, 'lame': 6, 'handedness': 2, 'injury': 131, 'smoked': 12, 'ash': 6, 'special': 160, 'ashes': 12, 'enables': 5, 'varieties': 112, 'stump': 24, 'variety': 84, 'rotterdam': 2, 'tip': 9, 'bitten': 14, 'deduced': 13, 'net': 29, 'cord': 47, 'waiter': 8, 'ushering': 3, 'impressive': 8, 'limping': 7, 'decrepitude': 2, 'craggy': 2, 'possessed': 36, 'strength': 184, 'beard': 44, 'grizzled': 10, 'outstanding': 16, 'drooping': 18, 'eyebrows': 37, 'combined': 44, 'ashen': 3, 'corners': 17, 'tinged': 2, 'grip': 14, 'chronic': 122, 'disease': 616, 'avoid': 99, 'answering': 38, 'sank': 36, 'break': 97, 'hears': 12, 'required': 93, 'acting': 59, 'diabetes': 13, 'gaol': 4, 'jot': 3, 'extremity': 53, 'needed': 80, 'alice': 14, 'incarnate': 3, 'blasted': 2, 'diggings': 3, 'chap': 10, 'reckless': 12, 'luck': 29, 'bush': 9, 'highway': 6, 'robber': 6, 'stopping': 34, 'wagons': 39, 'jack': 9, 'convoy': 28, 'melbourne': 2, 'attacked': 66, 'troopers': 2, 'emptied': 18, 'saddles': 11, 'volley': 5, 'boys': 22, 'killed': 147, 'swag': 2, 'wagon': 28, 'spared': 13, 'wicked': 16, 'fixed': 148, 'pals': 2, 'chanced': 9, 'earned': 11, 'wee': 4, 'leaf': 8, 'investment': 6, 'touching': 42, 'abiding': 4, 'policeman': 19, 'hail': 6, 'shaking': 51, 'forgetfulness': 7, 'grinning': 5, 'worse': 67, 'stroke': 32, 'property': 138, 'cursed': 5, 'mixed': 63, 'dislike': 10, 'braved': 6, 'midway': 5, 'uppermost': 5, 'urging': 17, 'regard': 88, 'slut': 3, 'snap': 10, 'bond': 27, 'desperate': 33, 'limb': 218, 'foul': 21, 'tongue': 67, 'sinned': 4, 'martyrdom': 4, 'atone': 8, 'meshes': 6, 'venomous': 5, 'beast': 27, 'cover': 39, 'fetch': 30, 'signed': 41, 'exposed': 81, 'temptation': 11, 'intend': 9, 'deed': 38, 'condemned': 31, 'mortal': 15, 'farewell': 14, 'deathbeds': 2, 'easier': 27, 'tottering': 2, 'giant': 29, 'frame': 37, 'stumbled': 15, 'tricks': 6, 'worms': 5, 'baxter': 2, 'acquitted': 4, 'objections': 20, 'submitted': 28, 'defending': 22, 'counsel': 11, 'prospect': 20, 'happily': 22, 'ignorance': 18, 'rests': 18, 'records': 26, 'publicity': 6, 'qualities': 25, 'degree': 95, 'illustrate': 10, 'analytical': 4, 'skill': 35, 'narratives': 3, 'beginnings': 18, 'ending': 19, 'partially': 11, 'explanations': 12, 'conjecture': 11, 'surmise': 6, 'logical': 22, 'proof': 31, 'startling': 15, 'tempted': 5, 'greater': 144, 'retain': 32, 'headings': 2, 'paradol': 2, 'amateur': 6, 'mendicant': 2, 'luxurious': 9, 'club': 72, 'warehouse': 5, 'barque': 8, 'sophy': 2, 'anderson': 3, 'grice': 2, 'patersons': 2, 'island': 76, 'uffa': 2, 'poisoning': 28, 'wound': 305, 'sketch': 10, 'september': 45, 'equinoctial': 4, 'gales': 3, 'exceptional': 37, 'screamed': 38, 'elemental': 5, 'forces': 177, 'mankind': 37, 'bars': 9, 'civilisation': 3, 'untamed': 2, 'beasts': 7, 'cage': 6, 'storm': 34, 'louder': 33, 'sobbed': 14, 'chimney': 12, 'moodily': 3, 'fireplace': 6, 'indexing': 2, 'clark': 14, 'russell': 8, 'howl': 5, 'gale': 7, 'blend': 5, 'text': 27, 'lengthen': 3, 'swash': 2, 'waves': 17, 'dweller': 2, 'encourage': 21, 'crony': 2, 'tapping': 17, 'lamp': 38, 'vacant': 11, 'newcomer': 18, 'groomed': 5, 'trimly': 2, 'clad': 15, 'refinement': 4, 'bearing': 43, 'streaming': 7, 'umbrella': 6, 'anxiously': 21, 'weighed': 11, 'owe': 21, 'intruding': 3, 'snug': 5, 'hook': 8, 'dry': 132, 'horsham': 11, 'chalk': 14, 'mixture': 14, 'distinctive': 8, 'major': 79, 'prendergast': 3, 'tankerville': 2, 'cheating': 4, 'successes': 11, 'appeal': 56, 'inexplicable': 7, 'commencement': 20, 'blaze': 6, 'openshaw': 17, 'awful': 30, 'sons': 44, 'elias': 5, 'joseph': 43, 'factory': 25, 'coventry': 3, 'enlarged': 70, 'invention': 10, 'bicycling': 2, 'patentee': 2, 'unbreakable': 2, 'tire': 4, 'retire': 30, 'competence': 3, 'emigrated': 3, 'america': 300, 'planter': 19, 'florida': 21, 'reported': 53, 'war': 882, 'fought': 53, 'jackson': 93, 'hood': 15, 'colonel': 144, 'lee': 28, 'plantation': 19, 'sussex': 2, 'aversion': 6, 'negroes': 28, 'republican': 177, 'franchise': 6, 'tempered': 8, 'mouthed': 5, 'fields': 78, 'exercise': 55, 'drank': 26, 'brandy': 16, 'youngster': 5, 'begged': 35, 'sober': 8, 'backgammon': 2, 'draughts': 3, 'representative': 40, 'tradespeople': 3, 'sixteen': 32, 'keys': 14, 'liked': 76, 'disturb': 16, 'privacy': 4, 'exception': 34, 'lumber': 15, 'attics': 2, 'permit': 32, 'keyhole': 3, 'collection': 28, 'trunks': 51, 'bundles': 25, 'foreign': 178, 'stamp': 47, 'plate': 20, 'receive': 96, 'bills': 35, 'india': 27, 'pondicherry': 6, 'postmark': 5, 'pattered': 3, 'fallen': 73, 'protruding': 8, 'skin': 580, 'putty': 3, 'glared': 3, 'trembling': 50, 'k': 34, 'shrieked': 15, 'sins': 11, 'overtaken': 9, 'palpitating': 4, 'scrawled': 6, 'flap': 28, 'gum': 7, 'terror': 58, 'ascended': 15, 'rusty': 5, 'belonged': 40, 'attic': 6, 'brass': 9, 'cashbox': 2, 'checkmate': 2, 'oath': 27, 'fordham': 3, 'burning': 84, 'grate': 6, 'mass': 102, 'fluffy': 6, 'treble': 3, 'disadvantages': 5, 'descend': 11, 'enjoy': 25, 'deadliest': 3, 'shows': 51, 'pondered': 17, 'dread': 13, 'sensation': 74, 'spend': 33, 'emerge': 9, 'tear': 25, 'screaming': 9, 'cooped': 2, 'sheep': 25, 'fits': 15, 'tumultuously': 2, 'bar': 26, 'brazen': 6, 'glisten': 2, 'basin': 8, 'abuse': 17, 'sallies': 3, 'green': 66, 'scummed': 2, 'eccentricity': 3, 'suicide': 11, 'winced': 7, 'ado': 2, 'persuade': 15, 'interposed': 8, 'foresee': 10, 'reception': 59, 'supposed': 46, 'nd': 7, 'proceed': 19, 'destroyed': 128, 'label': 4, 'initials': 8, 'memoranda': 2, 'receipts': 5, 'register': 8, 'repute': 4, 'soldier': 216, 'reconstruction': 43, 'southern': 197, 'politics': 117, 'opposing': 21, 'carpet': 22, 'politicians': 18, 'beginning': 144, 'january': 42, 'newly': 41, 'outstretched': 11, 'cock': 10, 'bull': 7, 'scared': 20, 'sundial': 6, 'peeping': 4, 'gripping': 5, 'courage': 42, 'civilised': 3, 'tomfoolery': 2, 'dundee': 6, 'sundials': 2, 'nonsense': 87, 'forbid': 12, 'fuss': 12, 'vain': 31, 'argue': 9, 'obstinate': 14, 'forebodings': 3, 'freebody': 2, 'command': 152, 'forts': 9, 'portsdown': 2, 'hill': 108, 'error': 19, 'imploring': 10, 'pits': 5, 'abound': 3, 'senseless': 38, 'skull': 72, 'fareham': 2, 'twilight': 8, 'pit': 16, 'unfenced': 2, 'hesitation': 21, 'accidental': 18, 'causes': 150, 'unable': 147, 'footmarks': 4, 'record': 42, 'roads': 45, 'nigh': 6, 'sinister': 17, 'inheritance': 17, 'dispose': 14, 'troubles': 26, 'dependent': 31, 'pressing': 67, 'elapsed': 25, 'begun': 100, 'curse': 7, 'generation': 34, 'comfort': 35, 'shape': 63, 'crumpled': 10, 'eastern': 51, 'division': 114, 'message': 47, 'rabbits': 2, 'resistless': 2, 'inexorable': 6, 'foresight': 13, 'precautions': 15, 'guard': 57, 'act': 322, 'jokes': 13, 'deaths': 4, 'relations': 150, 'accidents': 14, 'clenched': 5, 'incredible': 12, 'imbecility': 3, 'raved': 2, 'advised': 29, 'acted': 38, 'discoloured': 12, 'remembrance': 7, 'unburned': 3, 'margins': 35, 'particular': 93, 'fluttered': 7, 'destruction': 112, 'helps': 6, 'page': 60, 'diary': 17, 'undoubtedly': 32, 'ragged': 15, 'enigmatical': 2, 'notices': 9, 'th': 52, 'hudson': 16, 'mccauley': 3, 'paramore': 3, 'swain': 3, 'augustine': 2, 'visited': 29, 'folding': 9, 'described': 152, 'assert': 9, 'revenge': 9, 'web': 22, 'weave': 3, 'theirs': 15, 'punish': 27, 'parties': 100, 'pulling': 30, 'meanwhile': 46, 'imminent': 8, 'waterloo': 10, 'safety': 38, 'splashed': 7, 'elements': 70, 'blown': 13, 'weed': 6, 'reabsorbed': 4, 'glow': 23, 'chased': 6, 'perils': 8, 'sholtos': 2, 'pursue': 14, 'elbows': 25, 'ideal': 26, 'bearings': 6, 'cuvier': 2, 'correctly': 12, 'understood': 223, 'accurately': 18, 'attain': 51, 'sought': 90, 'solution': 110, 'senses': 12, 'art': 48, 'necessary': 328, 'utilise': 2, 'implies': 11, 'readily': 97, 'education': 58, 'encyclopaedias': 2, 'rare': 84, 'accomplishment': 5, 'rightly': 8, 'friendship': 45, 'document': 21, 'philosophy': 19, 'astronomy': 10, 'zero': 6, 'botany': 3, 'variable': 17, 'geology': 3, 'profound': 50, 'regards': 17, 'stains': 9, 'region': 118, 'chemistry': 7, 'eccentric': 6, 'anatomy': 31, 'unsystematic': 2, 'sensational': 4, 'player': 9, 'boxer': 8, 'swordsman': 2, 'poisoner': 2, 'grinned': 3, 'item': 6, 'stocked': 3, 'library': 14, 'muster': 4, 'willingly': 9, 'climate': 16, 'lonely': 14, 'provincial': 36, 'solitude': 19, 'suggests': 11, 'assume': 72, 'successors': 4, 'postmarks': 2, 'seaports': 3, 'writer': 17, 'probability': 13, 'threat': 12, 'fulfilment': 2, 'distance': 119, 'vessel': 138, 'sailing': 14, 'token': 12, 'quickly': 183, 'steamer': 8, 'mail': 10, 'urgency': 5, 'urged': 52, 'caution': 19, 'senders': 2, 'persecution': 7, 'persons': 120, 'deceive': 14, 'determination': 21, 'ceases': 14, 'individual': 120, 'badge': 7, 'bending': 35, 'ku': 8, 'klux': 8, 'klan': 7, 'derived': 70, 'fanciful': 4, 'resemblance': 13, 'cocking': 3, 'rifle': 13, 'confederate': 35, 'soldiers': 412, 'branches': 67, 'notably': 16, 'tennessee': 50, 'louisiana': 63, 'carolinas': 18, 'georgia': 55, 'principally': 13, 'terrorising': 2, 'negro': 23, 'voters': 44, 'murdering': 3, 'opposed': 55, 'views': 65, 'outrages': 5, 'preceded': 20, 'sprig': 2, 'oak': 31, 'melon': 9, 'seeds': 8, 'receiving': 55, 'victim': 19, 'openly': 25, 'abjure': 2, 'unfailingly': 3, 'organisation': 8, 'systematic': 13, 'succeeded': 35, 'braving': 2, 'impunity': 6, 'perpetrators': 3, 'flourished': 17, 'efforts': 104, 'united': 562, 'government': 699, 'classes': 31, 'community': 22, 'eventually': 34, 'movement': 348, 'sporadic': 2, 'outbreaks': 3, 'laying': 28, 'coincident': 5, 'implacable': 2, 'implicate': 13, 'entries': 5, 'forget': 85, 'miserable': 14, 'sun': 83, 'subdued': 11, 'brightness': 8, 'dim': 25, 'lifted': 73, 'unopened': 3, 'chill': 17, 'bridge': 157, 'constable': 7, 'cook': 28, 'h': 80, 'stormy': 9, 'passers': 4, 'rescue': 15, 'proved': 81, 'residence': 12, 'haste': 31, 'landing': 20, 'places': 90, 'river': 113, 'steamboats': 5, 'exhibited': 5, 'accident': 29, 'calling': 63, 'authorities': 55, 'condition': 347, 'riverside': 13, 'stages': 46, 'depressed': 33, 'shaken': 12, 'hurts': 9, 'sends': 9, 'clasping': 4, 'unclasping': 2, 'devils': 13, 'decoyed': 4, 'embankment': 4, 'direct': 142, 'win': 39, 'spun': 10, 'flies': 9, 'loaf': 5, 'devoured': 5, 'voraciously': 2, 'washing': 24, 'draught': 8, 'hungry': 31, 'starving': 10, 'bite': 23, 'unavenged': 2, 'devilish': 4, 'trade': 218, 'cupboard': 10, 'pieces': 29, 'squeezed': 12, 'j': 93, 'addressed': 73, 'captain': 128, 'calhoun': 39, 'lone': 10, 'star': 25, 'savannah': 12, 'await': 19, 'enters': 17, 'port': 20, 'chuckling': 2, 'sleepless': 16, 'precursor': 5, 'leader': 54, 'dates': 10, 'names': 30, 'lloyd': 11, 'registers': 2, 'files': 9, 'career': 40, 'touched': 79, 'february': 40, 'ships': 65, 'tonnage': 5, 'texas': 64, 'origin': 79, 'vessels': 250, 'dock': 9, 'homeward': 5, 'gravesend': 5, 'easterly': 2, 'goodwins': 2, 'isle': 4, 'wight': 8, 'mates': 5, 'native': 40, 'americans': 80, 'finns': 2, 'germans': 65, 'stevedore': 2, 'loading': 6, 'cargo': 6, 'cable': 4, 'badly': 56, 'murderers': 3, 'themselves': 305, 'somewhere': 58, 'atlantic': 25, 'stern': 66, 'swinging': 18, 'trough': 4, 'wave': 27, 'carved': 8, 'isa': 5, 'whitney': 11, 'theological': 4, 'college': 37, 'addicted': 5, 'opium': 24, 'foolish': 21, 'freak': 4, 'quincey': 2, 'sensations': 10, 'drenched': 6, 'laudanum': 3, 'rid': 43, 'slave': 79, 'mingled': 33, 'pasty': 2, 'pin': 19, 'pupils': 17, 'needle': 41, 'lap': 12, 'linoleum': 2, 'flew': 50, 'stuff': 12, 'control': 123, 'kate': 6, 'grief': 48, 'birds': 16, 'sweet': 36, 'wine': 62, 'comfortably': 13, 'soothed': 4, 'comforted': 11, 'surest': 4, 'den': 18, 'hitherto': 24, 'orgies': 4, 'twitching': 18, 'spell': 10, 'forty': 107, 'doubtless': 14, 'dregs': 4, 'docks': 4, 'poison': 20, 'sleeping': 34, 'swandam': 9, 'timid': 32, 'pluck': 4, 'ruffians': 2, 'escort': 18, 'promised': 81, 'cheery': 4, 'speeding': 3, 'eastward': 8, 'errand': 8, 'alley': 6, 'lurking': 6, 'wharves': 6, 'slop': 2, 'gin': 6, 'steep': 13, 'gap': 48, 'cave': 4, 'ordering': 8, 'ceaseless': 5, 'tread': 13, 'flickering': 4, 'oil': 40, 'latch': 4, 'terraced': 2, 'forecastle': 2, 'emigrant': 5, 'bodies': 93, 'poses': 2, 'chins': 2, 'lack': 34, 'lustre': 3, 'shadows': 20, 'glimmered': 4, 'circles': 37, 'faint': 20, 'waxed': 2, 'waned': 2, 'bowls': 3, 'pipes': 17, 'muttered': 75, 'monotonous': 12, 'gushes': 2, 'tailing': 2, 'thoughts': 126, 'heed': 16, 'neighbour': 4, 'brazier': 3, 'charcoal': 11, 'legged': 12, 'stool': 6, 'resting': 27, 'malay': 2, 'attendant': 14, 'supply': 85, 'beckoning': 3, 'berth': 3, 'exclamation': 11, 'haggard': 4, 'unkempt': 2, 'pitiable': 8, 'nerve': 325, 'twitter': 2, 'heavens': 18, 'frighten': 11, 'sleepers': 3, 'stupefying': 2, 'fumes': 2, 'skirt': 18, 'absorbed': 62, 'lassitude': 4, 'wrinkles': 18, 'subsided': 12, 'doddering': 2, 'loose': 91, 'lipped': 3, 'senility': 3, 'sottish': 2, 'mischief': 7, 'recommend': 10, 'lot': 36, 'requests': 5, 'mastery': 8, 'normal': 110, 'decrepit': 4, 'shuffled': 2, 'straightened': 10, 'hearty': 13, 'injections': 26, 'weaknesses': 7, 'favoured': 12, 'prey': 15, 'midst': 51, 'incoherent': 11, 'ramblings': 2, 'sots': 2, 'purchase': 51, 'rascally': 3, 'lascar': 13, 'sworn': 7, 'vengeance': 9, 'wharf': 6, 'moonless': 2, 'nights': 23, 'ay': 4, 'vilest': 4, 'neville': 20, 'clair': 28, 'forefingers': 2, 'shrilly': 3, 'whistle': 29, 'clink': 4, 'cart': 57, 'tunnels': 3, 'lanterns': 7, 'trusty': 4, 'comrade': 25, 'chronicler': 2, 'cedars': 4, 'bedded': 3, 'kent': 6, 'flicked': 3, 'horse': 335, 'succession': 20, 'sombre': 7, 'deserted': 33, 'gradually': 90, 'balustraded': 2, 'murky': 2, 'sluggishly': 3, 'wilderness': 16, 'bricks': 8, 'mortar': 3, 'regular': 77, 'songs': 15, 'shouts': 53, 'belated': 4, 'revellers': 2, 'wrack': 2, 'drifting': 8, 'twinkled': 6, 'rifts': 2, 'tax': 85, 'sorely': 6, 'current': 72, 'villas': 3, 'gift': 12, 'invaluable': 9, 'meets': 4, 'absurdly': 4, 'somehow': 14, 'plenty': 24, 'thread': 17, 'concisely': 3, 'maybe': 9, 'style': 19, 'brewer': 2, 'companies': 74, 'cannon': 95, 'temperate': 5, 'ascertain': 11, 'counties': 14, 'weighing': 6, 'earlier': 34, 'remarking': 7, 'commissions': 22, 'perform': 28, 'parcel': 6, 'expecting': 67, 'aberdeen': 3, 'shipping': 22, 'fresno': 3, 'shopping': 3, 'proceeded': 18, 'ejaculation': 4, 'describes': 7, 'agitated': 53, 'frantically': 5, 'plucked': 7, 'irresistible': 23, 'feminine': 18, 'necktie': 2, 'attempted': 30, 'ascend': 4, 'aided': 18, 'dane': 2, 'acts': 90, 'fears': 22, 'constables': 4, 'accompanied': 86, 'resistance': 48, 'crippled': 10, 'wretch': 5, 'aspect': 56, 'stoutly': 4, 'swore': 8, 'denial': 8, 'deluded': 3, 'cascade': 2, 'toy': 8, 'discovery': 26, 'cripple': 9, 'abominable': 10, 'strip': 16, 'windowsill': 2, 'drops': 29, 'curtain': 23, 'socks': 2, 'garments': 12, 'exit': 19, 'bloodstains': 3, 'sill': 18, 'swimming': 6, 'villains': 8, 'implicated': 26, 'antecedents': 3, 'accessory': 8, 'defence': 7, 'protested': 26, 'hugh': 8, 'boone': 14, 'lodger': 3, 'beggar': 11, 'regulations': 20, 'pretends': 3, 'vestas': 2, 'threadneedle': 3, 'matches': 8, 'charity': 8, 'descends': 3, 'greasy': 9, 'harvest': 14, 'reaped': 4, 'disfigured': 6, 'horrible': 28, 'scar': 90, 'outer': 30, 'mendicants': 2, 'chaff': 2, 'prime': 12, 'powerful': 74, 'nurtured': 2, 'weakness': 49, 'compensated': 5, 'fainted': 7, 'escorted': 6, 'investigations': 8, 'barton': 2, 'arresting': 15, 'communicated': 15, 'remedied': 7, 'incriminate': 2, 'shirt': 51, 'nail': 61, 'bleeding': 81, 'adding': 23, 'source': 98, 'denied': 31, 'strenuously': 3, 'assertion': 6, 'declared': 142, 'dreaming': 8, 'protesting': 9, 'ebbing': 2, 'afford': 21, 'uncovered': 13, 'receded': 7, 'stuffed': 7, 'pennies': 7, 'swept': 39, 'eddy': 3, 'weighted': 3, 'stripped': 16, 'sucked': 5, 'speciously': 2, 'seize': 32, 'swim': 7, 'sink': 14, 'downstairs': 27, 'rushes': 6, 'hoard': 4, 'accumulated': 14, 'fruits': 15, 'beggary': 2, 'stuffs': 2, 'coins': 6, 'throws': 8, 'feasible': 8, 'detailing': 2, 'whirling': 8, 'outskirts': 8, 'straggling': 8, 'hedge': 5, 'villages': 39, 'middlesex': 2, 'surrey': 6, 'sits': 7, 'conducting': 13, 'disposal': 13, 'hate': 21, 'whoa': 3, 'stable': 28, 'springing': 13, 'gravel': 9, 'blonde': 10, 'mousseline': 2, 'soie': 2, 'chiffon': 2, 'flood': 15, 'eagerness': 9, 'associate': 14, 'forgive': 65, 'madam': 24, 'campaigner': 2, 'dining': 32, 'supper': 65, 'feelings': 79, 'hysterical': 13, 'fainting': 8, 'simply': 92, 'hearts': 31, 'embarrassed': 23, 'rug': 11, 'basket': 9, 'galvanised': 2, 'roared': 10, 'snatched': 16, 'smoothing': 10, 'intently': 31, 'coarse': 29, 'stamped': 10, 'inquire': 20, 'blotted': 4, 'pause': 41, 'signet': 3, 'dearest': 21, 'rectify': 5, 'pencil': 11, 'octavo': 2, 'posted': 22, 'gummed': 2, 'chewing': 5, 'lighten': 4, 'venture': 18, 'discourage': 4, 'respond': 10, 'ignorant': 13, 'valuable': 34, 'corroborate': 2, 'unthinkable': 8, 'inarticulate': 2, 'leaped': 11, 'bare': 75, 'unsolved': 6, 'rearranging': 4, 'fathomed': 3, 'insufficient': 18, 'preparing': 51, 'dressing': 130, 'gown': 54, 'collecting': 18, 'pillows': 15, 'cushions': 8, 'armchairs': 4, 'constructed': 22, 'divan': 4, 'ounce': 14, 'briar': 2, 'vacantly': 4, 'motionless': 36, 'wake': 28, 'summer': 62, 'apartment': 12, 'haze': 5, 'heap': 18, 'previous': 68, 'awake': 25, 'stirring': 20, 'sleeps': 4, 'fools': 10, 'deserve': 8, 'kicked': 3, 'bathroom': 3, 'joking': 20, 'incredulity': 3, 'gladstone': 3, 'sunshine': 22, 'carts': 84, 'vegetables': 7, 'metropolis': 7, 'lifeless': 13, 'dream': 46, 'flicking': 2, 'gallop': 43, 'wisdom': 26, 'earliest': 18, 'risers': 2, 'sleepily': 2, 'crossed': 76, 'wellington': 3, 'wheeled': 5, 'sharply': 44, 'saluted': 6, 'bradstreet': 13, 'flagged': 4, 'peaked': 5, 'frogged': 2, 'ledger': 7, 'telephone': 7, 'projecting': 22, 'beggarman': 2, 'charged': 29, 'remanded': 2, 'cells': 131, 'tinker': 2, 'bath': 23, 'barred': 12, 'whitewashed': 5, 'coarsely': 3, 'tattered': 17, 'grime': 2, 'repulsive': 8, 'ugliness': 2, 'wheal': 2, 'perpetual': 18, 'beauty': 71, 'needs': 44, 'tools': 14, 'sponge': 8, 'doesn': 41, 'cell': 13, 'sleeper': 4, 'slumber': 4, 'stooped': 18, 'jug': 7, 'moistened': 6, 'peeled': 2, 'horrid': 13, 'seamed': 2, 'twitch': 7, 'refined': 14, 'haired': 32, 'sleepy': 21, 'bewilderment': 9, 'exposure': 50, 'scream': 15, 'pillow': 29, 'abandons': 3, 'destiny': 23, 'grin': 9, 'cake': 7, 'illegally': 4, 'detained': 13, 'patted': 15, 'convince': 17, 'submit': 32, 'proper': 49, 'passionately': 24, 'endured': 10, 'imprisonment': 12, 'execution': 37, 'blot': 3, 'schoolmaster': 6, 'chesterfield': 2, 'reporter': 5, 'editor': 18, 'articles': 87, 'begging': 19, 'volunteered': 3, 'base': 54, 'secrets': 17, 'famous': 60, 'attainments': 3, 'painted': 34, 'flesh': 27, 'plaster': 20, 'appropriate': 33, 'ostensibly': 2, 'match': 42, 'seller': 6, 'plied': 4, 'writ': 16, 'fortnight': 30, 'creditor': 3, 'debt': 66, 'arduous': 8, 'smearing': 3, 'dollars': 47, 'reporting': 12, 'chosen': 74, 'inspiring': 4, 'filling': 31, 'coppers': 3, 'squalid': 2, 'evenings': 11, 'transform': 4, 'saving': 33, 'sums': 21, 'takings': 4, 'facility': 11, 'repartee': 2, 'improved': 25, 'varied': 13, 'poured': 34, 'ambitious': 9, 'entreated': 7, 'pigments': 2, 'wig': 6, 'pierce': 14, 'betray': 12, 'reopening': 5, 'thames': 3, 'relief': 67, 'identified': 9, 'preference': 11, 'confided': 7, 'scrawl': 2, 'unobserved': 7, 'sailor': 7, 'customer': 4, 'approvingly': 8, 'prosecuted': 5, 'hush': 7, 'oaths': 6, 'consuming': 4, 'christmas': 25, 'wishing': 67, 'compliments': 5, 'pile': 10, 'studied': 18, 'hung': 46, 'seedy': 3, 'cracked': 14, 'forceps': 16, 'suspended': 15, 'interrupt': 10, 'jerked': 15, 'instruction': 13, 'warmed': 10, 'crackling': 17, 'frost': 38, 'ice': 30, 'crystals': 5, 'linked': 13, 'whimsical': 4, 'million': 73, 'beings': 13, 'jostling': 4, 'space': 66, 'humanity': 54, 'combination': 44, 'allude': 4, 'recover': 31, 'category': 10, 'peterson': 12, 'commissionaire': 5, 'trophy': 5, 'belongs': 16, 'owner': 33, 'battered': 6, 'billycock': 2, 'intellectual': 42, 'roasting': 4, 'honest': 24, 'jollification': 2, 'gaslight': 2, 'tallish': 2, 'stagger': 5, 'slung': 4, 'goodge': 3, 'roughs': 4, 'defend': 30, 'smashed': 11, 'assailants': 2, 'shocked': 10, 'uniform': 124, 'fled': 41, 'battle': 441, 'spoils': 21, 'victory': 132, 'unimpeachable': 3, 'restored': 41, 'henry': 52, 'tied': 41, 'legible': 2, 'lining': 25, 'bakers': 4, 'ours': 36, 'restore': 29, 'eaten': 19, 'unnecessary': 31, 'finder': 2, 'fulfil': 4, 'ultimate': 17, 'advertise': 4, 'article': 56, 'ruefully': 4, 'brim': 6, 'securer': 3, 'dusty': 17, 'patches': 49, 'handing': 15, 'infer': 4, 'represent': 17, 'balance': 44, 'moral': 52, 'retrogression': 3, 'decline': 27, 'disregarding': 7, 'remonstrance': 2, 'leads': 33, 'sedentary': 2, 'training': 17, 'anoints': 2, 'lime': 24, 'cream': 15, 'patent': 8, 'improbable': 6, 'attained': 33, 'stupid': 58, 'cubic': 4, 'capacity': 40, 'flat': 35, 'brims': 2, 'quality': 20, 'ribbed': 2, 'buy': 51, 'assuredly': 3, 'disc': 7, 'loop': 5, 'sold': 50, 'hats': 11, 'replace': 20, 'weakening': 7, 'daubing': 2, 'plausible': 7, 'gathered': 60, 'discloses': 2, 'barber': 5, 'adhesive': 4, 'odour': 21, 'gritty': 2, 'indoors': 7, 'wearer': 2, 'perspired': 5, 'accumulation': 26, 'allows': 10, 'affection': 74, 'nay': 4, 'offering': 25, 'tallow': 10, 'stain': 24, 'frequent': 52, 'guttering': 2, 'candle': 37, 'dazed': 9, 'gasped': 12, 'eh': 90, 'flapped': 4, 'kitchen': 20, 'fairer': 3, 'scintillating': 4, 'bean': 5, 'purity': 19, 'radiance': 5, 'electric': 22, 'trove': 2, 'diamond': 10, 'countess': 498, 'morcar': 5, 'mercy': 43, 'plumped': 4, 'sentimental': 5, 'considerations': 31, 'background': 12, 'induce': 24, 'gem': 4, 'aright': 3, 'cosmopolitan': 4, 'december': 41, 'horner': 14, 'smoothed': 11, 'doubled': 13, 'inst': 3, 'ryder': 13, 'solder': 2, 'bureau': 20, 'morocco': 4, 'casket': 6, 'transpired': 3, 'catherine': 27, 'cusack': 4, 'deposed': 4, 'dismay': 21, 'struggled': 16, 'summarily': 5, 'offence': 5, 'intense': 35, 'tossing': 8, 'sequence': 14, 'rifled': 3, 'bored': 11, 'played': 61, 'simplest': 15, 'recourse': 24, 'concise': 5, 'mischance': 2, 'bitterly': 15, 'regretted': 19, 'introduction': 32, 'advertising': 6, 'agency': 12, 'globe': 17, 'pall': 3, 'mall': 2, 'standard': 55, 'echo': 8, 'bonny': 2, 'glints': 2, 'sparkles': 2, 'nucleus': 7, 'focus': 38, 'pet': 18, 'baits': 2, 'jewels': 6, 'facet': 2, 'bloody': 15, 'amoy': 2, 'ruby': 4, 'murders': 7, 'vitriol': 2, 'robberies': 6, 'grain': 57, 'crystallised': 2, 'purveyor': 2, 'determine': 40, 'dine': 15, 'woodcock': 3, 'occurrences': 8, 'delayed': 28, 'scotch': 35, 'semicircle': 6, 'fanlight': 2, 'geniality': 3, 'circulation': 94, 'adapted': 10, 'winter': 53, 'rounded': 36, 'intelligent': 21, 'sloping': 7, 'tremor': 8, 'recalled': 53, 'lank': 3, 'staccato': 4, 'choosing': 21, 'learning': 34, 'usage': 11, 'giving': 187, 'shamefaced': 8, 'shillings': 6, 'plentiful': 8, 'assaulted': 3, 'recovering': 13, 'sigh': 39, 'feathers': 5, 'relics': 9, 'disjecta': 2, 'membra': 2, 'confine': 13, 'shrug': 4, 'fowl': 4, 'fancier': 3, 'tucked': 13, 'alpha': 8, 'inn': 27, 'museum': 22, 'host': 24, 'windigate': 4, 'pence': 5, 'duly': 17, 'pomposity': 2, 'strode': 11, 'ulsters': 2, 'cravats': 2, 'throats': 5, 'stars': 32, 'blew': 12, 'shots': 27, 'footfalls': 3, 'crisply': 2, 'swung': 15, 'doctors': 46, 'wimpole': 2, 'harley': 2, 'wigmore': 2, 'bloomsbury': 2, 'holborn': 3, 'ruddy': 8, 'aproned': 2, 'geese': 19, 'salesman': 11, 'covent': 4, 'breckinridge': 16, 'prosperity': 26, 'frosty': 8, 'penal': 2, 'servitude': 29, 'establish': 46, 'guilt': 15, 'faces': 163, 'endell': 2, 'zigzag': 3, 'slums': 5, 'trim': 6, 'helping': 19, 'nodded': 47, 'slabs': 3, 'marble': 11, 'stall': 6, 'flare': 2, 'recommended': 32, 'akimbo': 6, 'supplied': 37, 'shan': 16, 'pestered': 3, 'bet': 18, 'fowls': 7, 'fiver': 3, 'ate': 22, 'bred': 11, 'snapped': 7, 'handled': 12, 'nipper': 2, 'teach': 28, 'grimly': 2, 'finish': 50, 'numbers': 66, 'big': 77, 'suppliers': 2, 'oakshott': 8, 'brixton': 7, 'egg': 15, 'poultry': 3, 'supplier': 3, 'entry': 22, 'underneath': 10, 'chagrined': 4, 'slab': 5, 'noiseless': 7, 'un': 20, 'daresay': 6, 'wager': 4, 'nearing': 9, 'surly': 4, 'hubbub': 4, 'framed': 13, 'fiercely': 16, 'cringing': 3, 'pestering': 2, 'silly': 14, 'whined': 3, 'proosia': 2, 'inquirer': 2, 'flitted': 9, 'striding': 3, 'knots': 4, 'flaring': 6, 'speedily': 13, 'overtook': 17, 'vestige': 3, 'quavering': 2, 'overhearing': 2, 'longed': 24, 'quivering': 19, 'hailed': 8, 'cosy': 2, 'robinson': 6, 'sidelong': 6, 'sweetly': 8, 'alias': 2, 'hopeful': 6, 'verge': 9, 'windfall': 2, 'claspings': 2, 'unclaspings': 2, 'cheerily': 3, 'filed': 6, 'seasonable': 2, 'slippers': 11, 'quivered': 17, 'bonniest': 2, 'unlocked': 9, 'glaring': 5, 'disown': 2, 'felony': 7, 'dash': 10, 'shrimp': 2, 'tinge': 7, 'accuser': 2, 'proofs': 15, 'ladyship': 2, 'wealth': 78, 'acquired': 58, 'scrupulous': 3, 'villain': 15, 'bible': 12, 'christ': 33, 'sternly': 43, 'cringe': 3, 'crawl': 8, 'parched': 7, 'commission': 63, 'fattened': 5, 'sweat': 20, 'pouring': 10, 'upset': 27, 'wondered': 16, 'maudsley': 2, 'pentonville': 2, 'thieves': 9, 'kilburn': 4, 'agonies': 3, 'waddling': 6, 'shed': 75, 'prying': 3, 'gulp': 3, 'gullet': 4, 'brute': 8, 'jem': 5, 'fattest': 2, 'yonder': 4, 'maggie': 4, 'handling': 15, 'expressly': 14, 'huffed': 2, 'flock': 7, 'kill': 58, 'dealer': 8, 'chose': 35, 'tailed': 4, 'branded': 6, 'convulsive': 7, 'sobbing': 26, 'heaven': 71, 'crisp': 7, 'reaching': 59, 'deficiencies': 2, 'collapse': 18, 'commuting': 2, 'forgiveness': 17, 'chief': 360, 'seventy': 21, 'tragic': 10, 'comic': 5, 'acquirement': 2, 'tend': 53, 'roylotts': 3, 'stoke': 12, 'association': 46, 'sharing': 24, 'bachelors': 3, 'freed': 17, 'untimely': 4, 'rumours': 4, 'grimesby': 9, 'roylott': 22, 'woke': 21, 'riser': 2, 'blinked': 3, 'resentment': 13, 'knock': 19, 'retorted': 7, 'insists': 3, 'ladies': 104, 'beds': 14, 'outset': 14, 'keener': 5, 'admiring': 9, 'rapid': 97, 'intuitions': 2, 'basis': 41, 'unravelled': 2, 'accompany': 23, 'veiled': 12, 'intimate': 54, 'shivering': 13, 'shiver': 9, 'requested': 5, 'restless': 33, 'hunted': 8, 'premature': 5, 'comprehensive': 5, 'soothingly': 2, 'patting': 8, 'forearm': 49, 'ticket': 10, 'spattered': 3, 'vehicle': 15, 'leatherhead': 5, 'strain': 35, 'continues': 25, 'cares': 21, 'farintosh': 3, 'sore': 82, 'surrounds': 8, 'consulted': 7, 'opal': 2, 'tiara': 2, 'devote': 13, 'defray': 2, 'soothing': 17, 'averted': 8, 'manifold': 4, 'wickedness': 4, 'dangers': 16, 'encompass': 4, 'helen': 7, 'stoner': 20, 'survivor': 4, 'oldest': 7, 'saxon': 7, 'western': 118, 'richest': 11, 'estates': 60, 'borders': 18, 'berkshire': 5, 'hampshire': 28, 'century': 94, 'heirs': 9, 'dissolute': 3, 'wasteful': 3, 'gambler': 7, 'regency': 3, 'acres': 37, 'mortgage': 9, 'squire': 3, 'aristocratic': 16, 'pauper': 3, 'adapt': 4, 'obtained': 76, 'advance': 96, 'relative': 26, 'enabled': 15, 'calcutta': 3, 'perpetrated': 5, 'butler': 15, 'term': 134, 'morose': 15, 'disappointed': 6, 'widow': 11, 'bengal': 3, 'artillery': 57, 'julia': 7, 'twins': 5, 'bequeathed': 4, 'resided': 4, 'provision': 47, 'annual': 21, 'event': 112, 'railway': 74, 'crewe': 2, 'ancestral': 4, 'obstacle': 13, 'exchanging': 16, 'overjoyed': 2, 'ferocious': 5, 'approaching': 69, 'mania': 7, 'intensified': 9, 'tropics': 3, 'disgraceful': 10, 'brawls': 2, 'village': 161, 'folks': 11, 'blacksmith': 3, 'parapet': 6, 'avert': 12, 'wandering': 15, 'gipsies': 8, 'vagabonds': 2, 'encamp': 2, 'bramble': 2, 'accept': 58, 'hospitality': 9, 'tents': 10, 'animals': 41, 'correspondent': 6, 'cheetah': 7, 'baboon': 5, 'villagers': 2, 'whiten': 2, 'aunt': 53, 'honoria': 2, 'westphail': 2, 'harrow': 4, 'marines': 5, 'deprived': 36, 'cushion': 8, 'seared': 3, 'manor': 6, 'wing': 33, 'inhabited': 7, 'bedrooms': 4, 'central': 77, 'buildings': 20, 'chatting': 3, 'awakened': 17, 'wretched': 24, 'consequence': 29, 'moments': 57, 'security': 22, 'impending': 25, 'links': 14, 'bind': 23, 'souls': 18, 'allied': 29, 'howling': 7, 'splashing': 15, 'forth': 83, 'terrified': 17, 'shawl': 23, 'clanging': 4, 'revolved': 2, 'hinges': 5, 'blanched': 2, 'swaying': 32, 'drunkard': 10, 'writhed': 4, 'dreadfully': 11, 'convulsed': 3, 'fain': 4, 'stabbed': 3, 'convulsion': 2, 'hastening': 13, 'unconscious': 25, 'beloved': 20, 'metallic': 17, 'crash': 13, 'creaking': 12, 'charred': 10, 'investigated': 4, 'notorious': 9, 'satisfactory': 43, 'fastened': 19, 'fashioned': 16, 'flooring': 3, 'wide': 106, 'staples': 11, 'pure': 55, 'handkerchiefs': 7, 'adjective': 6, 'waters': 31, 'lonelier': 2, 'armitage': 4, 'percy': 3, 'crane': 2, 'opposition': 97, 'repairs': 5, 'move': 102, 'thrill': 17, 'herald': 3, 'frill': 4, 'fringed': 2, 'livid': 15, 'spots': 13, 'housekeeper': 9, 'trip': 13, 'lightened': 2, 'glided': 8, 'impassable': 8, 'whistles': 3, 'combine': 11, 'stepdaughter': 3, 'falling': 55, 'agricultural': 23, 'doorway': 17, 'breadth': 13, 'span': 5, 'bile': 7, 'fleshless': 3, 'apparition': 5, 'furiously': 7, 'crocuses': 2, 'imperturbably': 2, 'meddler': 2, 'busybody': 2, 'broadened': 6, 'decided': 150, 'meddle': 7, 'dangerous': 93, 'poker': 4, 'snarled': 4, 'feeble': 45, 'insolence': 4, 'confound': 7, 'zest': 4, 'imprudence': 3, 'allowing': 20, 'commons': 23, 'excursion': 4, 'prices': 46, 'investments': 7, 'total': 36, 'girls': 72, 'pittance': 2, 'wasted': 21, 'dawdling': 5, 'eley': 2, 'pokers': 2, 'tooth': 28, 'brush': 19, 'catching': 19, 'hired': 8, 'lanes': 3, 'fleecy': 4, 'wayside': 3, 'hedges': 3, 'shoots': 8, 'tapped': 11, 'timbered': 2, 'slope': 22, 'thickening': 28, 'grove': 4, 'jutted': 2, 'gables': 2, 'mansion': 6, 'cluster': 6, 'shorter': 12, 'stile': 3, 'shading': 7, 'climbed': 14, 'architects': 3, 'gossip': 26, 'joy': 90, 'splendidly': 12, 'sketched': 4, 'blotched': 2, 'portion': 123, 'curving': 11, 'wings': 11, 'crab': 3, 'boards': 16, 'partly': 57, 'caved': 2, 'repair': 79, 'comparatively': 61, 'modern': 50, 'scaffolding': 7, 'erected': 15, 'workmen': 18, 'outsides': 2, 'pending': 8, 'alterations': 18, 'unapproachable': 3, 'slit': 7, 'tested': 17, 'firmly': 74, 'masonry': 5, 'scratching': 9, 'perplexity': 30, 'bolted': 4, 'counterpaned': 2, 'wicker': 2, 'wilton': 2, 'panelling': 2, 'worm': 10, 'original': 94, 'rope': 16, 'tassel': 2, 'newer': 4, 'crawled': 5, 'panelled': 2, 'brisk': 11, 'tug': 5, 'dummy': 5, 'attached': 54, 'ventilator': 15, 'fool': 53, 'builder': 4, 'changes': 169, 'ropes': 11, 'ventilators': 2, 'ventilate': 2, 'researches': 6, 'technical': 13, 'cat': 11, 'saucer': 6, 'milk': 30, 'satisfying': 7, 'squatted': 6, 'hullo': 8, 'lash': 9, 'liking': 10, 'roused': 25, 'reverie': 8, 'compliance': 18, 'pretence': 4, 'headache': 17, 'undo': 6, 'hasp': 2, 'occupy': 25, 'investigate': 5, 'noise': 39, 'clearer': 12, 'fright': 19, 'tangible': 6, 'threaten': 11, 'looming': 3, 'undoing': 4, 'gates': 35, 'hoarse': 23, 'fury': 20, 'clinched': 2, 'scruples': 5, 'element': 28, 'coincidence': 13, 'dies': 18, 'clamped': 5, 'hinting': 3, 'palmer': 4, 'pritchard': 2, 'horrors': 13, 'cheerful': 53, 'extinguished': 6, 'exchanged': 29, 'blowing': 16, 'twinkling': 5, 'unrepaired': 2, 'breaches': 3, 'gaped': 4, 'clump': 5, 'darted': 10, 'distorted': 21, 'pets': 2, 'affected': 204, 'shoes': 39, 'noiselessly': 12, 'cast': 55, 'daytime': 6, 'creeping': 8, 'trumpet': 4, 'cane': 6, 'vigil': 2, 'eyed': 21, 'ray': 41, 'occasional': 25, 'catlike': 2, 'whine': 3, 'tones': 33, 'parish': 9, 'boomed': 6, 'befall': 4, 'heated': 16, 'stronger': 50, 'straining': 19, 'audible': 24, 'steam': 31, 'escaping': 18, 'kettle': 6, 'lashed': 6, 'flashing': 5, 'loathing': 4, 'swelled': 6, 'yell': 8, 'distant': 52, 'parsonage': 2, 'echoes': 3, 'handle': 22, 'beam': 4, 'ajar': 2, 'ankles': 7, 'heelless': 2, 'turkish': 13, 'rigid': 23, 'brownish': 15, 'speckles': 2, 'tightly': 23, 'headgear': 2, 'reared': 10, 'squat': 2, 'loathsome': 4, 'serpent': 6, 'swamp': 7, 'adder': 4, 'recoil': 6, 'schemer': 2, 'falls': 26, 'digs': 2, 'shelter': 20, 'noose': 2, 'reptile': 2, 'prolong': 7, 'indiscreetly': 2, 'erroneous': 8, 'reconsidered': 5, 'coupled': 5, 'creatures': 8, 'ruthless': 7, 'rapidity': 48, 'punctures': 9, 'fangs': 4, 'dispel': 2, 'hastily': 57, 'hiss': 4, 'causing': 55, 'snakish': 2, 'indirectly': 15, 'responsible': 33, 'weigh': 5, 'conscience': 26, 'intimacy': 18, 'warburton': 2, 'madness': 6, 'afforded': 22, 'finer': 7, 'inception': 3, 'worthy': 48, 'fewer': 17, 'openings': 12, 'deductive': 2, 'achieved': 10, 'en': 26, 'bloc': 2, 'evolve': 4, 'clears': 3, 'furnishes': 8, 'lapse': 9, 'weaken': 8, 'summarise': 3, 'forgo': 4, 'steadily': 42, 'officials': 34, 'cured': 9, 'lingering': 4, 'virtues': 15, 'hastened': 30, 'ally': 11, 'jerking': 4, 'caged': 2, 'couldn': 12, 'dooties': 2, 'heather': 3, 'soft': 186, 'mottled': 2, 'masculine': 10, 'suffering': 113, 'inquiring': 22, 'victor': 9, 'hydraulic': 11, 'abode': 3, 'regret': 25, 'caraffe': 2, 'outbursts': 4, 'crisis': 34, 'bloodless': 10, 'unwound': 3, 'shudder': 11, 'spongy': 23, 'surface': 280, 'hacked': 2, 'bled': 6, 'braced': 6, 'twig': 2, 'hydraulics': 2, 'province': 49, 'cleaver': 3, 'murderous': 6, 'attack': 158, 'horrify': 3, 'sponged': 7, 'cleaned': 7, 'cotton': 81, 'wadding': 3, 'carbolised': 2, 'bandages': 15, 'wincing': 6, 'bandage': 50, 'convincing': 15, 'believed': 90, 'justice': 86, 'agony': 11, 'composed': 92, 'plugs': 2, 'dottles': 2, 'collected': 41, 'genial': 8, 'rashers': 2, 'eggs': 9, 'tired': 41, 'stimulant': 3, 'bandaged': 22, 'cure': 72, 'lidded': 2, 'detailed': 13, 'orphan': 5, 'residing': 4, 'apprenticed': 2, 'venner': 2, 'matheson': 2, 'greenwich': 2, 'dreary': 6, 'exceptionally': 8, 'consultations': 6, 'clerk': 26, 'lysander': 8, 'stark': 11, 'engraved': 6, 'exceeding': 10, 'thinness': 3, 'sharpened': 5, 'tense': 24, 'bones': 263, 'emaciation': 5, 'due': 250, 'nearer': 85, 'proficient': 2, 'discreet': 5, 'preserving': 3, 'qualifications': 23, 'bosom': 22, 'darting': 4, 'lightning': 14, 'thoughtful': 21, 'repulsion': 8, 'antics': 2, 'restrain': 40, 'stamping': 4, 'gear': 5, 'munificent': 2, 'eyford': 10, 'oxfordshire': 2, 'convenient': 26, 'judged': 11, 'recompense': 8, 'inconvenience': 22, 'fee': 30, 'accommodate': 5, 'commit': 18, 'eavesdroppers': 2, 'thus': 213, 'fuller': 13, 'product': 19, 'deposit': 26, 'unfortunately': 12, 'secretly': 11, 'enable': 25, 'operations': 79, 'jealously': 2, 'engineers': 5, 'rouse': 9, 'excavating': 2, 'dug': 16, 'compress': 6, 'revealing': 9, 'cool': 12, 'astonished': 20, 'tenfold': 7, 'patron': 5, 'unpleasant': 54, 'necessity': 87, 'lest': 26, 'winds': 9, 'obeyed': 10, 'injunction': 13, 'passenger': 9, 'porter': 26, 'wicket': 5, 'interjected': 4, 'chestnut': 16, 'glossy': 8, 'interrupted': 108, 'intensity': 12, 'lurched': 4, 'jolted': 11, 'frosted': 2, 'blur': 2, 'hazarded': 2, 'monotony': 4, 'monosyllables': 5, 'bumping': 2, 'smoothness': 3, 'porch': 91, 'fleeting': 4, 'threshold': 20, 'slammed': 12, 'faintly': 7, 'fumbled': 2, 'muttering': 24, 'broader': 7, 'pushing': 40, 'gloss': 3, 'tone': 167, 'gruff': 3, 'monosyllable': 2, 'harmonium': 2, 'treatises': 4, 'volumes': 7, 'poetry': 11, 'hoping': 25, 'ticking': 2, 'uneasiness': 12, 'steal': 7, 'towns': 79, 'radius': 12, 'secluded': 6, 'stillness': 16, 'tune': 16, 'preliminary': 18, 'sick': 54, 'warn': 12, 'hinders': 6, 'headstrong': 2, 'engage': 10, 'wearisome': 5, 'slink': 3, 'payment': 40, 'monomaniac': 2, 'renew': 15, 'entreaties': 8, 'overhead': 7, 'footsteps': 32, 'despairing': 13, 'newcomers': 9, 'chinchilla': 2, 'creases': 7, 'introduced': 82, 'ferguson': 5, 'secretary': 53, 'dig': 6, 'corridors': 2, 'passages': 19, 'staircases': 2, 'thresholds': 2, 'hollowed': 2, 'carpets': 14, 'peeling': 3, 'unhealthy': 15, 'unconcerned': 3, 'disregarded': 6, 'countryman': 4, 'ushered': 9, 'descending': 17, 'piston': 3, 'tons': 10, 'lateral': 31, 'columns': 50, 'transmit': 15, 'multiply': 9, 'stiffness': 35, 'exercising': 7, 'levers': 5, 'whishing': 2, 'leakage': 9, 'regurgitation': 3, 'cylinders': 18, 'rod': 11, 'shrunk': 5, 'socket': 6, 'fabrication': 2, 'engine': 14, 'designed': 35, 'inadequate': 8, 'crust': 11, 'scraping': 17, 'cadaverous': 2, 'tricked': 4, 'rashness': 2, 'baleful': 2, 'kicks': 2, 'shoves': 2, 'clank': 2, 'swish': 3, 'leaking': 4, 'cylinder': 9, 'jerkily': 3, 'grind': 4, 'shapeless': 3, 'pulp': 5, 'implored': 9, 'remorseless': 2, 'clanking': 5, 'drowned': 15, 'cries': 32, 'upraised': 3, 'spine': 36, 'shuddered': 11, 'wavering': 9, 'erect': 18, 'gush': 2, 'frantic': 5, 'plucking': 3, 'foolishly': 2, 'rejected': 36, 'breathlessly': 6, 'scorn': 7, 'moon': 25, 'butcher': 4, 'wholesome': 5, 'moonlight': 19, 'clambered': 4, 'ruffian': 4, 'risks': 15, 'fritz': 3, 'elise': 2, 'conscious': 69, 'loosened': 5, 'dizziness': 2, 'throbbing': 10, 'painfully': 27, 'buzzing': 11, 'dew': 11, 'wounded': 228, 'smarting': 3, 'pursuers': 3, 'ugly': 12, 'ponderous': 4, 'cuttings': 2, 'jeremiah': 3, 'hayling': 2, 'etc': 22, 'represents': 9, 'overhauled': 6, 'explains': 12, 'pirates': 5, 'captured': 56, 'ordnance': 4, 'compasses': 5, 'softened': 29, 'agrees': 3, 'hills': 94, 'diversity': 18, 'boxed': 2, 'casting': 12, 'vote': 111, 'ruse': 5, 'coiners': 2, 'scale': 46, 'amalgam': 3, 'crowns': 3, 'thanks': 40, 'destined': 30, 'ostrich': 4, 'landscape': 4, 'steamed': 3, 'becher': 4, 'englishman': 25, 'foreigner': 13, 'topped': 4, 'spouting': 2, 'engines': 3, 'vainly': 21, 'striving': 7, 'flames': 24, 'realised': 4, 'peasant': 79, 'containing': 69, 'fugitives': 12, 'ingenuity': 9, 'whereabouts': 5, 'firemen': 2, 'perturbed': 10, 'severed': 11, 'sunset': 6, 'reduced': 42, 'piping': 3, 'machinery': 28, 'dearly': 9, 'masses': 71, 'nickel': 2, 'tin': 8, 'stored': 7, 'mould': 5, 'unusually': 13, 'bold': 39, 'assisted': 6, 'remainder': 13, 'simon': 57, 'termination': 13, 'moves': 25, 'scandals': 6, 'eclipsed': 3, 'piquant': 2, 'gossips': 4, 'drama': 8, 'memoir': 2, 'episode': 12, 'stroll': 4, 'autumnal': 4, 'jezail': 2, 'bullet': 47, 'relic': 4, 'afghan': 2, 'throbbed': 3, 'persistence': 16, 'saturated': 7, 'listless': 13, 'crest': 8, 'lazily': 7, 'fashionable': 14, 'monger': 2, 'humbler': 2, 'unwelcome': 2, 'social': 82, 'summonses': 2, 'affectation': 14, 'status': 31, 'diligently': 4, 'backwater': 4, 'tells': 21, 'implicit': 3, 'reliance': 16, 'assures': 2, 'sees': 27, 'postpone': 7, 'paramount': 3, 'faithfully': 10, 'grosvenor': 3, 'mansions': 3, 'smear': 3, 'arrange': 35, 'extracts': 3, 'flattening': 4, 'robert': 27, 'walsingham': 2, 'vere': 3, 'balmoral': 5, 'azure': 3, 'caltrops': 2, 'fess': 2, 'sable': 10, 'mature': 7, 'administration': 118, 'inherit': 8, 'plantagenet': 2, 'descent': 16, 'tudor': 2, 'distaff': 2, 'refer': 10, 'disliked': 21, 'van': 20, 'selections': 3, 'rumour': 4, 'hatty': 4, 'doran': 13, 'aloysius': 6, 'san': 21, 'francisco': 15, 'cal': 2, 'terse': 2, 'stretching': 43, 'amplifying': 2, 'protection': 64, 'principle': 57, 'management': 49, 'britain': 78, 'cousins': 6, 'prizes': 5, 'invaders': 5, 'arrows': 3, 'definitely': 36, 'california': 56, 'graceful': 12, 'westbury': 2, 'festivities': 4, 'currently': 3, 'dowry': 12, 'expectancies': 2, 'birchmoor': 2, 'californian': 2, 'gainer': 2, 'alliance': 52, 'transition': 14, 'peeress': 2, 'hanover': 6, 'invited': 45, 'lancaster': 5, 'honeymoon': 4, 'petersfield': 2, 'ceremony': 18, 'incomplete': 20, 'occurrence': 68, 'consternation': 8, 'episodes': 3, 'persistently': 8, 'floating': 14, 'affecting': 42, 'disregard': 7, 'performed': 57, 'eustace': 2, 'clara': 3, 'alicia': 2, 'whittington': 2, 'ascertained': 7, 'bridal': 3, 'alleging': 2, 'prolonged': 62, 'ejected': 2, 'footman': 49, 'fortunately': 17, 'interruption': 6, 'indisposition': 7, 'comment': 11, 'footmen': 32, 'apparelled': 2, 'believing': 12, 'conjunction': 10, 'speedy': 10, 'disturbance': 43, 'jealousy': 19, 'flora': 10, 'millar': 6, 'danseuse': 2, 'allegro': 3, 'worlds': 10, 'cultured': 2, 'nosed': 12, 'petulance': 2, 'steady': 37, 'undue': 9, 'stoop': 4, 'bend': 19, 'curly': 25, 'foppishness': 2, 'advanced': 113, 'eyeglasses': 2, 'bowing': 29, 'class': 74, 'pardon': 22, 'extend': 48, 'prints': 3, 'supplementing': 3, 'offer': 58, 'arrive': 29, 'directly': 105, 'friendly': 57, 'footing': 16, 'amused': 28, 'pacific': 80, 'mining': 19, 'invested': 19, 'leaps': 10, 'bounds': 14, 'mountains': 28, 'tomboy': 2, 'unfettered': 3, 'traditions': 20, 'impetuous': 7, 'volcanic': 3, 'fearless': 7, 'resolutions': 27, 'cough': 15, 'heroic': 27, 'sacrifice': 67, 'dishonourable': 2, 'repugnant': 6, 'locket': 3, 'ivory': 15, 'miniature': 5, 'artist': 6, 'lustrous': 2, 'exquisite': 7, 'renewed': 33, 'fait': 6, 'accompli': 2, 'relate': 22, 'childish': 26, 'bouquet': 5, 'vestry': 2, 'pew': 8, 'exclude': 15, 'confidential': 10, 'liberties': 12, 'overhear': 5, 'jumping': 14, 'slang': 3, 'expressive': 7, 'deposes': 2, 'hyde': 2, 'ungenerously': 2, 'complaint': 21, 'devotedly': 4, 'uttering': 19, 'abusive': 3, 'expressions': 16, 'threatening': 27, 'fellows': 48, 'supposition': 9, 'transformer': 2, 'characters': 70, 'propound': 2, 'deranged': 3, 'aspired': 2, 'conceivable': 7, 'detain': 9, 'wiser': 8, 'trout': 3, 'thoreau': 2, 'pre': 16, 'existing': 35, 'serves': 16, 'munich': 2, 'franco': 2, 'prussian': 18, 'tumbler': 8, 'attired': 2, 'cravat': 3, 'nautical': 2, 'canvas': 5, 'twinkle': 3, 'dissatisfied': 35, 'infernal': 3, 'dragging': 23, 'trafalgar': 4, 'fountain': 4, 'tumbled': 6, 'watered': 5, 'satin': 11, 'wreath': 3, 'soaked': 18, 'nut': 11, 'margin': 29, 'wardrobe': 8, 'implicating': 6, 'bitterness': 16, 'blunders': 7, 'slapped': 4, 'f': 153, 'confederates': 15, 'lured': 7, 'riveted': 4, 'triumph': 61, 'fragment': 17, 'oct': 2, 'cocktail': 2, 'sherry': 3, 'drawled': 3, 'rival': 16, 'myth': 4, 'sadly': 20, 'outdoor': 4, 'confectioner': 2, 'unpacked': 2, 'epicurean': 2, 'humble': 14, 'lodging': 9, 'mahogany': 5, 'brace': 5, 'pheasant': 2, 'pate': 2, 'foie': 2, 'gras': 2, 'pie': 6, 'ancient': 51, 'cobwebby': 2, 'luxuries': 5, 'genii': 2, 'arabian': 3, 'briskly': 20, 'dropping': 19, 'bustling': 8, 'messenger': 26, 'measure': 94, 'authority': 101, 'subjected': 31, 'humiliation': 13, 'purest': 5, 'standpoint': 8, 'blame': 72, 'abrupt': 10, 'allowance': 11, 'unprecedented': 6, 'lenient': 3, 'advocate': 16, 'francis': 23, 'hay': 43, 'moulton': 5, 'offended': 37, 'pleading': 6, 'resist': 34, 'wiry': 2, 'sunburnt': 2, 'alert': 14, 'mcquire': 2, 'rockies': 5, 'pa': 16, 'petered': 2, 'poorer': 8, 'lasting': 17, 'frisco': 5, 'shouldn': 18, 'montana': 17, 'prospecting': 2, 'arizona': 17, 'mexico': 70, 'miners': 20, 'apache': 2, 'indians': 48, 'doubted': 11, 'rails': 8, 'ghost': 8, 'buzz': 6, 'bee': 16, 'scribble': 2, 'beckoned': 12, 'gordon': 4, 'apaches': 2, 'openness': 2, 'sending': 39, 'lords': 14, 'paris': 81, 'meanly': 4, 'relaxed': 15, 'frowning': 50, 'lordship': 5, 'acquiesce': 3, 'developments': 4, 'stalked': 2, 'folly': 20, 'monarch': 23, 'blundering': 4, 'minister': 75, 'citizens': 110, 'flag': 32, 'quartering': 9, 'stripes': 10, 'narrated': 5, 'viewed': 22, 'undergo': 45, 'repented': 4, 'acquire': 19, 'exclusion': 14, 'womanhood': 3, 'scenes': 13, 'device': 20, 'obtaining': 19, 'resort': 12, 'significant': 40, 'parlance': 2, 'prior': 10, 'select': 26, 'hotels': 5, 'eightpence': 2, 'northumberland': 2, 'items': 5, 'duplicate': 2, 'forwarded': 5, 'thither': 9, 'loving': 43, 'paternal': 8, 'gracious': 30, 'mercifully': 3, 'bleak': 5, 'madman': 5, 'snow': 87, 'shimmering': 3, 'wintry': 4, 'ploughed': 2, 'crumbly': 2, 'heaped': 4, 'paths': 10, 'dangerously': 4, 'slippery': 6, 'passengers': 13, 'metropolitan': 7, 'imposing': 18, 'commanding': 33, 'pearl': 5, 'springs': 18, 'waggled': 2, 'contortions': 2, 'professionally': 2, 'resounded': 14, 'gesticulating': 9, 'smiles': 19, 'swayed': 29, 'chatted': 6, 'fatigued': 3, 'heaving': 5, 'fighting': 68, 'tight': 31, 'unseat': 2, 'disgrace': 13, 'affliction': 3, 'frightful': 9, 'noblest': 8, 'compose': 5, 'befallen': 4, 'alexander': 156, 'banking': 31, 'stevenson': 3, 'belonging': 26, 'foremost': 17, 'remunerative': 2, 'funds': 28, 'increasing': 70, 'depositors': 2, 'lucrative': 11, 'loans': 14, 'libraries': 4, 'overwhelmed': 10, 'disagreeable': 16, 'advancing': 46, 'borrow': 7, 'unwise': 4, 'parley': 2, 'businesslike': 6, 'possessions': 16, 'empire': 73, 'imbedded': 2, 'magnificent': 13, 'jewellery': 3, 'beryls': 5, 'chasing': 3, 'incalculable': 5, 'lowest': 18, 'estimate': 14, 'illustrious': 6, 'propriety': 10, 'reclaim': 2, 'refrain': 21, 'responsibility': 42, 'entailed': 4, 'national': 286, 'ensue': 23, 'consented': 8, 'alter': 18, 'bankers': 10, 'safes': 2, 'streatham': 5, 'breathe': 11, 'reliability': 2, 'lucy': 5, 'parr': 3, 'admirers': 2, 'grievous': 7, 'spoiled': 19, 'fade': 7, 'sterner': 3, 'wayward': 2, 'purses': 4, 'squander': 2, 'turf': 4, 'implore': 6, 'burnwell': 8, 'fascination': 5, 'everywhere': 61, 'talker': 2, 'glamour': 4, 'cynical': 4, 'distrusted': 5, 'niece': 22, 'sunbeam': 3, 'suppressing': 5, 'generous': 21, 'dishonoured': 4, 'demand': 78, 'farthing': 3, 'kissed': 124, 'singularly': 3, 'lucid': 3, 'tended': 7, 'ere': 2, 'moving': 144, 'wrenching': 4, 'blackguard': 5, 'rage': 23, 'liar': 7, 'probed': 3, 'astir': 4, 'sullenly': 5, 'theft': 4, 'ruined': 49, 'convulse': 2, 'nation': 170, 'heinous': 2, 'reparation': 3, 'forgiven': 10, 'concealed': 30, 'gems': 16, 'persuasions': 3, 'threats': 8, 'formalities': 7, 'unravelling': 2, 'rocked': 4, 'droning': 2, 'knitted': 9, 'straighten': 7, 'awoke': 20, 'considered': 165, 'slam': 4, 'sounding': 7, 'planking': 2, 'probing': 4, 'complex': 26, 'nobody': 37, 'tenable': 2, 'accompanying': 19, 'stirred': 29, 'accepted': 88, 'suburb': 8, 'desultory': 5, 'fairbank': 4, 'modest': 14, 'financier': 8, 'sweep': 17, 'entrance': 60, 'thicket': 5, 'tradesmen': 13, 'stables': 5, 'pallor': 12, 'paleness': 2, 'crying': 28, 'caress': 4, 'liberated': 11, 'harshly': 5, 'suspect': 13, 'suspecting': 4, 'consequences': 19, 'hushing': 2, 'facing': 42, 'proving': 16, 'cousin': 41, 'fasten': 5, 'sweetheart': 7, 'planned': 16, 'grocer': 2, 'prosper': 5, 'magician': 4, 'pausing': 10, 'mirror': 19, 'diadem': 2, 'jeweller': 2, 'finest': 12, 'recoiled': 2, 'lighter': 10, 'inscrutable': 3, 'serve': 65, 'altered': 43, 'limit': 36, 'topic': 12, 'trail': 18, 'wisp': 7, 'slice': 6, 'joint': 383, 'rounds': 5, 'bread': 35, 'rude': 16, 'chucked': 3, 'gossiping': 2, 'imply': 13, 'congenial': 3, 'uncommon': 30, 'lateness': 2, 'pinched': 5, 'whiter': 3, 'weariness': 13, 'lethargy': 2, 'prosperous': 18, 'sorrow': 61, 'thoughtless': 5, 'differently': 26, 'worry': 11, 'fruitless': 6, 'excessive': 43, 'triangular': 3, 'passionate': 33, 'hugged': 6, 'proud': 45, 'repeat': 26, 'hardest': 7, 'admitted': 62, 'breathed': 10, 'tool': 8, 'kindled': 11, 'extinguishes': 2, 'escapade': 4, 'stealthily': 8, 'petrified': 3, 'thrilling': 7, 'hid': 29, 'crushing': 23, 'tugging': 3, 'opponent': 24, 'warmest': 6, 'betraying': 13, 'chivalrous': 4, 'preserved': 18, 'misjudged': 2, 'indistinguishable': 3, 'random': 9, 'booted': 3, 'naked': 26, 'depression': 27, 'smudge': 2, 'framework': 24, 'outline': 27, 'instep': 2, 'overseen': 2, 'effected': 22, 'prize': 11, 'maxim': 5, 'excluded': 31, 'outweigh': 3, 'gratitude': 21, 'limited': 81, 'flatter': 8, 'valet': 45, 'buying': 16, 'journeyed': 5, 'vagabond': 3, 'prosecution': 12, 'astute': 7, 'bluster': 2, 'preserver': 2, 'reasonable': 30, 'receiver': 5, 'promising': 9, 'chaffering': 3, 'exceeded': 15, 'apologise': 3, 'wherever': 24, 'telegraph': 9, 'lowliest': 2, 'manifestations': 45, 'prominence': 11, 'celebres': 2, 'trials': 6, 'figured': 6, 'synthesis': 3, 'absolved': 4, 'sensationalism': 3, 'erred': 3, 'glowing': 15, 'cinder': 2, 'tongs': 2, 'cherry': 10, 'wont': 11, 'disputatious': 2, 'meditative': 3, 'attempting': 19, 'statements': 10, 'confining': 4, 'placing': 29, 'notable': 6, 'coldness': 14, 'repelled': 3, 'egotism': 9, 'selfishness': 4, 'conceit': 4, 'impersonal': 2, 'logic': 12, 'degraded': 8, 'lectures': 7, 'dun': 3, 'blurs': 2, 'glimmer': 5, 'dipping': 4, 'continuously': 14, 'lecture': 5, 'literary': 43, 'shortcomings': 2, 'proportion': 73, 'avoiding': 23, 'bordered': 6, 'unobservant': 4, 'weaver': 5, 'compositor': 2, 'shades': 7, 'enterprise': 73, 'originality': 7, 'degenerating': 2, 'pencils': 3, 'schools': 29, 'montague': 4, 'governess': 15, 'hunter': 44, 'whim': 7, 'freckled': 4, 'plover': 2, 'troubling': 6, 'greet': 10, 'parents': 44, 'favourably': 3, 'spence': 4, 'munro': 4, 'halifax': 3, 'nova': 2, 'scotia': 2, 'advertisements': 3, 'governesses': 12, 'westaway': 3, 'founder': 5, 'stoper': 7, 'seeking': 37, 'employment': 25, 'anteroom': 37, 'consults': 2, 'ledgers': 2, 'prodigiously': 2, 'fold': 24, 'sweating': 13, 'rank': 46, 'boiling': 18, 'pitiful': 16, 'attractions': 4, 'accomplishments': 5, 'deportment': 2, 'nutshell': 2, 'rearing': 2, 'destitute': 4, 'slits': 2, 'beforehand': 14, 'transaction': 16, 'rural': 12, 'winchester': 12, 'romper': 2, 'killing': 29, 'cockroaches': 5, 'slipper': 4, 'smack': 6, 'amusement': 14, 'obey': 30, 'commands': 36, 'heh': 3, 'faddy': 3, 'offensive': 30, 'luxuriant': 3, 'sacrificing': 10, 'offhand': 4, 'settles': 4, 'inspect': 12, 'manageress': 2, 'offers': 15, 'exert': 9, 'gong': 2, 'fads': 3, 'obedience': 15, 'overcome': 33, 'decision': 62, 'exacting': 7, 'purchasing': 5, 'philadelphia': 66, 'jephro': 3, 'rucastle': 39, 'natured': 35, 'lunatic': 9, 'asylum': 16, 'humours': 2, 'outbreak': 15, 'uneasy': 16, 'cease': 39, 'define': 14, 'grateful': 25, 'bustled': 3, 'prediction': 5, 'fulfilled': 22, 'strayed': 5, 'abnormal': 29, 'fad': 2, 'philanthropist': 2, 'indulged': 6, 'stooping': 17, 'retort': 3, 'tube': 46, 'trains': 22, 'bradshaw': 3, 'studies': 28, 'brief': 26, 'urgent': 14, 'swan': 3, 'midday': 13, 'acetones': 2, 'flecked': 3, 'exhilarating': 3, 'nip': 3, 'countryside': 10, 'rolling': 23, 'aldershot': 2, 'steadings': 2, 'foliage': 5, 'fogs': 2, 'curses': 8, 'isolation': 9, 'homesteads': 15, 'alleys': 4, 'sin': 24, 'accomplish': 17, 'tortured': 11, 'thud': 11, 'beget': 3, 'deeds': 15, 'hidden': 30, 'appeals': 12, 'devised': 37, 'tower': 10, 'cathedral': 14, 'awaited': 38, 'actual': 65, 'treatment': 465, 'streaked': 3, 'slopes': 6, 'southampton': 4, 'curves': 5, 'southerton': 2, 'preserves': 4, 'employer': 16, 'unreasoning': 10, 'stepmother': 6, 'uncomfortable': 26, 'colourless': 5, 'reverse': 12, 'nonentity': 2, 'forestalling': 5, 'bluff': 6, 'boisterous': 5, 'saddest': 2, 'tears': 173, 'disproportionately': 3, 'alternation': 2, 'savage': 20, 'gloomy': 37, 'sulking': 3, 'weaker': 25, 'talent': 19, 'planning': 16, 'capture': 45, 'mice': 4, 'insects': 9, 'relevant': 4, 'toller': 16, 'uncouth': 3, 'drunk': 33, 'sour': 5, 'nursery': 23, 'whims': 3, 'detracted': 2, 'tiniest': 2, 'iota': 2, 'beige': 2, 'unmistakable': 3, 'vehemence': 7, 'entire': 64, 'funniest': 3, 'humour': 5, 'performance': 17, 'repertoire': 2, 'inimitably': 2, 'sideways': 13, 'chapter': 465, 'consumed': 6, 'perceived': 7, 'bearded': 7, 'railings': 5, 'lowered': 34, 'impertinent': 5, 'stares': 2, 'loitering': 2, 'disconnected': 9, 'outhouse': 2, 'planks': 13, 'carlo': 3, 'mastiff': 3, 'feed': 11, 'mustard': 7, 'lets': 8, 'trespasser': 2, 'lays': 5, 'pretext': 28, 'idle': 20, 'silvered': 2, 'rapt': 4, 'peaceful': 31, 'calf': 18, 'tawny': 3, 'jowl': 3, 'muzzle': 9, 'sentinel': 13, 'burglar': 2, 'coil': 6, 'trunk': 74, 'amuse': 15, 'oversight': 2, 'bunch': 6, 'perfection': 15, 'thickness': 16, 'impossibility': 15, 'obtruded': 2, 'undid': 2, 'tresses': 3, 'identical': 13, 'rucastles': 5, 'observant': 6, 'tollers': 2, 'suite': 80, 'jovial': 5, 'crinkled': 2, 'temples': 19, 'shuttered': 3, 'preoccupied': 24, 'hobbies': 2, 'jesting': 11, 'jest': 18, 'lookout': 8, 'forbidden': 21, 'drinking': 24, 'unpapered': 2, 'uncarpeted': 2, 'cheerless': 3, 'dirt': 15, 'padlocked': 2, 'barricaded': 3, 'corresponded': 5, 'skylight': 5, 'overstrung': 2, 'clutching': 15, 'panted': 4, 'caressing': 11, 'coaxing': 2, 'overdid': 2, 'eerie': 2, 'demon': 3, 'insensibility': 8, 'spellbound': 4, 'sensible': 14, 'feat': 5, 'facilitate': 10, 'personate': 2, 'imprisoned': 13, 'resembling': 53, 'hers': 31, 'illness': 48, 'sacrificed': 14, 'fiance': 3, 'gaining': 15, 'tendencies': 16, 'converse': 8, 'valid': 11, 'studying': 12, 'abnormally': 11, 'derives': 2, 'bodes': 2, 'circumspect': 3, 'dealing': 43, 'burnished': 2, 'setting': 39, 'thudding': 2, 'snoring': 7, 'duplicates': 2, 'barricade': 2, 'transverse': 18, 'various': 156, 'clouded': 7, 'rickety': 15, 'pallet': 2, 'basketful': 2, 'villainy': 2, 'intentions': 21, 'ladder': 8, 'eaves': 2, 'burly': 2, 'confronted': 13, 'baying': 3, 'worrying': 9, 'staggering': 13, 'loosed': 4, 'fed': 25, 'famished': 4, 'meeting': 119, 'horribly': 4, 'mangled': 2, 'dispatched': 19, 'sobered': 2, 'relieve': 21, 'assembled': 50, 'slighted': 4, 'fowler': 7, 'fever': 76, 'persevering': 5, 'seaman': 4, 'blockaded': 4, 'arguments': 39, 'locus': 2, 'standi': 2, 'survived': 9, 'solely': 20, 'mauritius': 2, 'manifested': 7, 'walsall': 2, 'advsh': 5, 'htm': 2, 'zip': 5, 'corrected': 15, 'txt': 8, 'versions': 4, 'based': 57, 'sources': 32, 'domain': 63, 'encouraged': 25, 'corrections': 5, 'publication': 9, 'listing': 5, 'til': 3, 'version': 11, 'suggestion': 25, 'sites': 10, 'http': 30, 'promo': 3, 'pg': 7, 'include': 35, 'award': 8, 'winning': 20, 'including': 86, 'donate': 15, 'subscribe': 7, 'email': 14, 'newsletter': 8, 'download': 6, 'indexes': 4, 'cataloguers': 3, 'www': 21, 'ibiblio': 5, 'org': 27, 'etext': 7, 'ftp': 6, 'pub': 7, 'docs': 3, 'filename': 4, 'newsletters': 3, 'conservative': 45, 'selected': 50, 'proofread': 8, 'edited': 9, 'analyzed': 4, 'projected': 11, 'audience': 23, 'nominally': 7, 'estimated': 17, 'dollar': 20, 'population': 101, 'trillion': 6, 'goal': 29, 'titles': 8, 'computer': 13, 'users': 5, 'briefest': 3, 'july': 41, 'archive': 38, 'foundation': 87, 'millennium': 4, 'donations': 48, 'contributions': 14, 'solicited': 4, 'organizations': 15, 'alabama': 34, 'alaska': 13, 'arkansas': 21, 'connecticut': 52, 'delaware': 36, 'columbia': 12, 'hawaii': 16, 'illinois': 42, 'indiana': 28, 'iowa': 21, 'kansas': 29, 'kentucky': 63, 'maine': 22, 'massachusetts': 118, 'michigan': 24, 'mississippi': 79, 'missouri': 59, 'nebraska': 25, 'nevada': 14, 'york': 196, 'carolina': 98, 'ohio': 93, 'oklahoma': 16, 'oregon': 38, 'rhode': 34, 'dakota': 19, 'utah': 22, 'vermont': 13, 'virginia': 149, 'washington': 167, 'wisconsin': 25, 'wyoming': 15, 'requirements': 22, 'additions': 11, 'constantly': 49, 'finishing': 22, 'paperwork': 6, 'legally': 10, 'listed': 4, 'solicit': 9, 'registered': 11, 'prohibition': 19, 'accepting': 13, 'donors': 7, 'international': 47, 'deductible': 10, 'pmb': 2, 'university': 32, 'ave': 2, 'ms': 3, 'transfer': 21, 'approved': 48, 'internal': 93, 'revenue': 40, 'organization': 43, 'ein': 7, 'employee': 9, 'identification': 9, 'maximum': 22, 'permitted': 23, 'online': 16, 'html': 5, 'michael': 70, 'hart': 50, 'pobox': 5, 'com': 5, 'prof': 4, 'pages': 19, 'lawyers': 14, 'sue': 5, 'disclaims': 6, 'liability': 28, 'distribute': 27, 'copies': 27, 'tm': 129, 'physical': 60, 'medium': 45, 'disk': 11, 'distributed': 42, 'professor': 10, 'owns': 8, 'royalties': 9, 'trademark': 32, 'commercial': 69, 'products': 29, 'create': 18, 'expends': 4, 'transcribe': 6, 'works': 100, 'despite': 94, 'inaccurate': 6, 'corrupt': 11, 'transcription': 7, 'errors': 17, 'infringement': 8, 'defective': 22, 'damaged': 38, 'virus': 33, 'codes': 10, 'damage': 26, 'equipment': 22, 'warranty': 10, 'disclaimer': 10, 'damages': 30, 'replacement': 22, 'costs': 9, 'fees': 16, 'remedies': 19, 'negligence': 11, 'contract': 32, 'punitive': 8, 'incidental': 7, 'explanatory': 4, 'alternatively': 6, 'electronically': 12, 'warranties': 14, 'express': 88, 'implied': 16, 'merchantability': 3, 'fitness': 9, 'disclaimers': 8, 'limitation': 20, 'exclusions': 4, 'indemnity': 5, 'indemnify': 6, 'agents': 50, 'production': 46, 'distribution': 63, 'harmless': 8, 'alteration': 20, 'modification': 11, 'delete': 5, 'references': 34, 'requires': 14, 'modify': 7, 'binary': 6, 'proprietary': 25, 'resulting': 124, 'conversion': 8, 'processing': 7, 'hypertext': 8, 'software': 9, 'tilde': 4, 'asterisk': 4, 'underline': 5, 'convey': 14, 'punctuation': 7, 'converted': 20, 'reader': 14, 'ebcdic': 5, 'equivalent': 16, 'program': 44, 'displays': 4, 'processors': 3, 'honor': 184, 'provisions': 53, 'profits': 30, 'derive': 17, 'calculated': 20, 'calculate': 8, 'applicable': 25, 'taxes': 64, 'royalty': 14, 'payable': 6, 'periodic': 7, 'dedicated': 14, 'licensed': 7, 'gratefully': 14, 'accepts': 7, 'materials': 36, 'licenses': 5, 'contributing': 8, 'scanning': 10, 'portions': 57, 'trailer': 4, 'reprinted': 4, 'sales': 11, 'hardware': 8, 'related': 46, 'ver': 3, 'whatsoever': 9, 'iso': 3, 'curtis': 9, 'weyant': 3, 'proofreading': 5, 'team': 9, 'pgdp': 5, 'macmillan': 3, 'reserved': 16, 'electrotyped': 2, 'published': 19, 'norwood': 3, 'cushing': 4, 'berwick': 2, 'smith': 22, 'preface': 4, 'embraces': 6, 'treatments': 2, 'primary': 153, 'condensed': 6, 'emphasis': 12, 'anecdotes': 7, 'seventh': 20, 'eighth': 22, 'grade': 12, 'expansion': 25, 'ordinarily': 7, 'bluntly': 6, 'obtain': 43, 'grades': 8, 'mathematicians': 2, 'algebra': 3, 'geometry': 7, 'multiplication': 4, 'fractions': 2, 'criticism': 35, 'teachers': 15, 'route': 27, 'teacher': 11, 'challenge': 32, 'historical': 66, 'progressive': 54, 'mathematics': 12, 'languages': 9, 'historians': 130, 'overloaded': 2, 'curriculum': 3, 'deserves': 7, 'civics': 2, 'economics': 5, 'justification': 17, 'contribution': 5, 'omission': 5, 'honored': 23, 'exploration': 13, 'heroes': 26, 'columbus': 7, 'cortes': 3, 'magellan': 3, 'offense': 18, 'subjects': 68, 'demonstrated': 22, 'omitted': 10, 'descriptions': 9, 'battles': 42, 'strategy': 13, 'controversial': 3, 'experts': 3, 'differ': 16, 'widely': 66, 'naval': 42, 'novices': 3, 'gettysburg': 8, 'student': 13, 'compares': 3, 'textbook': 4, 'warfare': 42, 'arousing': 10, 'immature': 3, 'pupil': 19, 'deliberately': 24, 'responsibilities': 7, 'negative': 28, 'constructive': 7, 'topical': 9, 'aspects': 22, 'movements': 116, 'period': 204, 'illustration': 286, 'emphasized': 7, 'topics': 35, 'dwelt': 10, 'economic': 121, 'wars': 68, 'financing': 7, 'sustaining': 6, 'belong': 24, 'civilians': 13, 'omitting': 6, 'enlarge': 15, 'citizenship': 15, 'sixth': 52, 'civilization': 42, 'accordingly': 25, 'diplomacy': 36, 'reciprocal': 3, 'influences': 24, 'nations': 104, 'aimed': 20, 'standards': 24, 'maturity': 14, 'mainly': 76, 'stimulate': 7, 'comparison': 27, 'reflection': 24, 'generalization': 4, 'intellects': 3, 'mettle': 2, 'formal': 22, 'achievements': 12, 'effectiveness': 3, 'republic': 57, 'excellence': 5, 'fullness': 5, 'bassett': 5, 'elson': 42, 'w': 71, 'epochs': 3, 'formation': 216, 'thwaites': 4, 'woodrow': 14, 'reunion': 8, 'dodd': 5, 'becker': 2, 'conflict': 76, 'johnson': 23, 'democracy': 98, 'paxson': 12, 'colonial': 183, 'migration': 33, 'agencies': 19, 'colonization': 19, 'peoples': 46, 'agriculture': 56, 'industry': 137, 'industrial': 99, 'development': 114, 'leadership': 59, 'churches': 35, 'colleges': 12, 'evolution': 16, 'institutions': 35, 'nationalism': 24, 'summary': 17, 'independence': 152, 'ministers': 35, 'policies': 69, 'repeal': 25, 'resumption': 11, 'retaliation': 9, 'reform': 60, 'revolution': 203, 'allegiance': 18, 'finances': 16, 'revolutionary': 53, 'foundations': 23, 'constitutional': 93, 'convention': 152, 'framing': 10, 'ratification': 40, 'clash': 17, 'domestic': 75, 'jeffersonian': 14, 'republicans': 147, 'nationalized': 5, 'decisions': 18, 'marshall': 35, 'jacksonian': 25, 'farmers': 113, 'appalachians': 10, 'preparation': 34, 'settlement': 73, 'frontier': 72, 'democratic': 82, 'arena': 8, 'whigs': 37, 'interaction': 7, 'mexican': 40, 'coast': 41, 'sectional': 16, 'xiii': 23, 'xiv': 29, 'planting': 62, 'slavery': 212, 'drift': 24, 'toward': 332, 'irrepressible': 15, 'xv': 25, 'confederacy': 31, 'federal': 186, 'growth': 226, 'xvi': 35, 'restoration': 37, 'supremacy': 29, 'xvii': 19, 'railways': 111, 'xviii': 20, 'blazers': 3, 'grazing': 8, 'manufacturing': 40, 'admission': 62, 'xix': 18, 'currency': 51, 'protective': 54, 'tariff': 125, 'taxation': 37, 'trusts': 58, 'unrest': 9, 'xx': 15, 'cuba': 31, 'spanish': 67, 'philippines': 30, 'orient': 8, 'xxi': 14, 'roosevelt': 92, 'legislative': 32, 'executive': 54, 'activities': 28, 'president': 372, 'taft': 37, 'insurgency': 3, 'election': 120, 'xxii': 11, 'reforms': 14, 'xxiii': 9, 'suffrage': 116, 'xxiv': 9, 'cooperation': 22, 'employees': 38, 'organized': 70, 'labor': 329, 'wider': 18, 'immigration': 67, 'americanization': 6, 'xxv': 8, 'legislation': 62, 'appendix': 12, 'syllabus': 8, 'maps': 8, 'grants': 22, 'color': 43, 'settlements': 25, 'declaration': 51, 'treaty': 114, 'trails': 13, 'territory': 115, 'cumberland': 13, 'dispute': 49, 'disputed': 14, 'overland': 10, 'slaves': 93, 'soil': 94, 'eve': 31, 'railroads': 10, 'dominions': 19, 'caribbean': 19, 'popularly': 12, 'pioneers': 34, 'stirling': 2, 'calder': 3, 'modeled': 3, 'roth': 2, 'leo': 7, 'lentelli': 2, 'arch': 14, 'panama': 25, 'exposition': 9, 'universe': 12, 'typical': 32, 'canadian': 6, 'alaskan': 2, 'latin': 18, 'anglo': 9, 'squaw': 2, 'warrior': 12, 'center': 71, 'oxen': 6, 'prairie': 7, 'schooner': 3, 'girlish': 9, 'dignified': 19, 'rides': 7, 'flanked': 2, 'symbolic': 3, 'cardinell': 2, 'shores': 10, 'seventeenth': 15, 'phase': 22, 'eternal': 27, 'greeks': 4, 'gaul': 3, 'mediterranean': 6, 'asia': 5, 'confines': 4, 'romans': 4, 'supported': 40, 'armies': 63, 'dominion': 33, 'lands': 77, 'italy': 27, 'sands': 5, 'arabia': 3, 'teutonic': 4, 'tribes': 7, 'danube': 18, 'rhine': 13, 'caesars': 4, 'races': 10, 'empires': 4, 'moreover': 74, 'differed': 11, 'ancients': 18, 'sacred': 22, 'parent': 20, 'immigrants': 43, 'disowned': 3, 'compacts': 3, 'altars': 3, 'religious': 55, 'homes': 36, 'supplies': 61, 'outlays': 4, 'stores': 31, 'quantities': 16, 'sustain': 16, 'settlers': 38, 'harvests': 6, 'artisans': 25, 'laborers': 23, 'induced': 47, 'hazards': 4, 'defense': 68, 'mariners': 4, 'inland': 8, 'leaders': 137, 'adept': 5, 'demanded': 67, 'amass': 2, 'initial': 20, 'tests': 8, 'proprietors': 17, 'corporation': 35, 'trading': 26, 'adventurers': 7, 'countries': 55, 'ranks': 99, 'noblemen': 6, 'merchants': 55, 'banded': 4, 'charter': 33, 'grant': 62, 'privileges': 31, 'supervision': 21, 'originally': 13, 'members': 158, 'operated': 9, 'seas': 38, 'stockholders': 6, 'governor': 146, 'winthrop': 5, 'bay': 24, 'thirteen': 33, 'owed': 15, 'origins': 7, 'jamestown': 10, 'auspices': 3, 'chartered': 10, 'dutch': 30, 'netherland': 3, 'founders': 6, 'puritan': 11, 'incorporated': 12, 'incorporate': 4, 'ties': 25, 'knit': 15, 'swedish': 8, 'christened': 4, 'sweden': 6, 'penn': 15, 'conceived': 8, 'oglethorpe': 3, 'realize': 38, 'humane': 8, 'uniting': 16, 'politic': 4, 'corporate': 6, 'establishing': 23, 'structure': 42, 'materially': 10, 'transactions': 8, 'forms': 256, 'congregation': 10, 'largely': 30, 'brotherhood': 20, 'bonds': 53, 'institution': 22, 'christianity': 6, 'potent': 8, 'galilee': 2, 'multitude': 9, 'describing': 17, 'jerusalem': 8, 'covenant': 8, 'strictly': 18, 'pilgrims': 21, 'plymouth': 10, 'mayflower': 4, 'compact': 22, 'agreement': 71, 'incorporating': 2, 'annexed': 5, 'likewise': 31, 'congregations': 4, 'faithful': 21, 'offshoots': 3, 'covenants': 3, 'roger': 7, 'williams': 8, 'anne': 11, 'hutchinson': 16, 'followers': 24, 'narragansett': 3, 'incorporation': 4, 'thomas': 34, 'hooker': 7, 'newtown': 2, 'blazed': 7, 'merrimac': 4, 'emigrants': 6, 'parchment': 8, 'sealing': 9, 'previously': 56, 'hartford': 14, 'windsor': 3, 'wethersfield': 3, 'fundamental': 22, 'peacefully': 9, 'haven': 40, 'drafted': 19, 'shore': 12, 'agreeing': 7, 'scriptures': 8, 'benefit': 47, 'profit': 25, 'collect': 25, 'assemble': 9, 'partners': 8, 'maryland': 42, 'catholic': 11, 'baltimore': 18, 'blessed': 11, 'toleration': 13, 'mild': 51, 'berkeley': 2, 'carteret': 2, 'tireless': 7, 'labors': 20, 'patronage': 10, 'clarendon': 3, 'governed': 21, 'colonists': 64, 'sorts': 24, 'yeomen': 6, 'owners': 45, 'stocks': 18, 'goods': 82, 'scholars': 3, 'cambridge': 8, 'baronial': 4, 'puritans': 21, 'labored': 14, 'separatists': 2, 'baptists': 4, 'catholics': 10, 'clung': 19, 'religion': 36, 'fathers': 19, 'arbitrary': 20, 'stuart': 6, 'nationalities': 10, 'populations': 8, 'augmented': 4, 'wanderers': 2, 'invaded': 19, 'anglican': 7, 'clergymen': 4, 'lament': 6, 'spreads': 54, 'northern': 97, 'carolinians': 2, 'quakers': 7, 'tarrying': 2, 'presbyterians': 5, 'ancestors': 8, 'cromwell': 4, 'ireland': 16, 'conqueror': 10, 'sword': 43, 'nourished': 15, 'enjoying': 18, 'manufacture': 20, 'woolen': 16, 'worship': 7, 'ban': 7, 'export': 15, 'parliament': 66, 'decades': 13, 'eighteenth': 23, 'reckoned': 27, 'chiefly': 135, 'seaboard': 31, 'interior': 57, 'upland': 7, 'regions': 39, 'industrious': 10, 'planters': 60, 'leisurely': 10, 'manufactures': 44, 'flourishing': 22, 'supple': 8, 'inroads': 3, 'poet': 5, 'sung': 8, 'toil': 15, 'natures': 3, 'tuned': 5, 'song': 39, 'defenders': 6, 'numerical': 6, 'carpenters': 11, 'minuit': 2, 'motherland': 2, 'wesel': 2, 'jacob': 5, 'leisler': 2, 'uprising': 13, 'frankfort': 3, 'wholesale': 7, 'founding': 9, 'diligent': 8, 'thrifty': 4, 'cultivate': 6, 'peasants': 128, 'germantown': 5, 'rhinebeck': 2, 'inducements': 2, 'princes': 12, 'alarmed': 30, 'influx': 5, 'foreigners': 23, 'overseas': 7, 'majority': 122, 'protestants': 7, 'germany': 70, 'controversies': 15, 'oppression': 12, 'poverty': 27, 'skilled': 22, 'industries': 65, 'dotted': 9, 'mingle': 5, 'clannish': 2, 'irritated': 20, 'neighbors': 29, 'agitations': 3, 'collisions': 5, 'patriot': 19, 'sections': 55, 'bulk': 10, 'racial': 3, 'strains': 12, 'varying': 35, 'huguenots': 6, 'fleeing': 14, 'decree': 22, 'penalties': 11, 'celtic': 4, 'revered': 2, 'imposed': 37, 'boatload': 3, 'sustained': 29, 'constant': 74, 'fort': 20, 'albany': 16, 'jews': 10, 'spain': 75, 'portugal': 6, 'recognize': 55, 'owing': 48, 'filter': 5, 'mayor': 16, 'council': 77, 'forbade': 18, 'retail': 3, 'prohibited': 18, 'newport': 4, 'charleston': 25, 'hospitable': 7, 'jewish': 5, 'consisting': 26, 'prohibitions': 2, 'submerged': 4, 'conquest': 29, 'inhabitants': 81, 'descendants': 6, 'tenaciously': 5, 'capacious': 2, 'farmhouses': 3, 'ovens': 2, 'melting': 12, 'pot': 9, 'historic': 48, 'voyage': 13, 'capitalists': 13, 'finance': 26, 'cabot': 4, 'yeomanry': 3, 'lists': 10, 'exceptions': 16, 'emigration': 8, 'gratify': 5, 'indentured': 13, 'tens': 17, 'barrier': 25, 'whereby': 9, 'shipowners': 5, 'kitchens': 6, 'workshops': 7, 'bondage': 16, 'ranging': 7, 'baltimores': 2, 'penns': 2, 'carterets': 2, 'promoters': 8, 'workers': 40, 'nationality': 11, 'inducement': 2, 'increase': 116, 'importing': 3, 'thirds': 44, 'bondmen': 14, 'serfs': 81, 'feudal': 16, 'disabilities': 10, 'impose': 9, 'freemen': 5, 'citizen': 29, 'racing': 6, 'gambling': 7, 'unlawful': 11, 'whipped': 6, 'fined': 4, 'restricted': 29, 'bondman': 3, 'consent': 53, 'assigned': 19, 'infraction': 2, 'indentures': 2, 'masters': 38, 'unfair': 11, 'wrestle': 4, 'mechanics': 25, 'gamble': 2, 'dependence': 20, 'transported': 8, 'involuntary': 28, 'resorted': 9, 'connived': 3, 'kidnapping': 3, 'cities': 78, 'officially': 10, 'spirited': 13, 'victims': 10, 'profitable': 8, 'orphans': 4, 'dependents': 4, 'disposed': 19, 'unwilling': 13, 'support': 105, 'shipped': 6, 'gruesome': 2, 'lurked': 3, 'tragedies': 2, 'romances': 2, 'husbands': 14, 'smiths': 6, 'weavers': 3, 'swallowed': 11, 'forcibly': 12, 'peerage': 2, 'kidnapped': 2, 'convicts': 9, 'deported': 4, 'lieu': 8, 'fines': 5, 'ineffectually': 2, 'evils': 19, 'offenders': 11, 'unduly': 12, 'luckless': 4, 'purloined': 3, 'rascals': 8, 'criticized': 8, 'revolted': 3, 'cavaliers': 2, 'championed': 5, 'revolutionists': 8, 'monarchy': 22, 'uprisings': 6, 'african': 7, 'rivaling': 2, 'whites': 15, 'discarded': 5, 'auction': 5, 'chattel': 7, 'root': 25, 'recognized': 84, 'africans': 4, 'inordinate': 2, 'zeal': 26, 'traders': 19, 'relatively': 14, 'africa': 25, 'ports': 44, 'annually': 10, 'brethren': 7, 'overrun': 3, 'curtail': 2, 'importation': 19, 'futile': 16, 'vetoed': 7, 'disapproval': 9, 'daunted': 5, 'rebuffs': 3, 'petition': 34, 'vein': 117, 'hath': 8, 'inhumanity': 2, 'encouragement': 9, 'endanger': 9, 'sentiments': 15, 'humbly': 4, 'beseech': 4, 'restraints': 10, 'governors': 32, 'inhibit': 7, 'assenting': 3, 'pernicious': 5, 'protests': 38, 'amounted': 9, 'diminished': 45, 'approximately': 14, 'freedmen': 16, 'unfavorable': 9, 'servile': 10, 'economy': 24, 'plantations': 28, 'oppose': 15, 'commodities': 12, 'carriers': 7, 'rutledge': 3, 'enriches': 5, 'judges': 34, 'oliver': 3, 'ellsworth': 5, 'distinguished': 69, 'spokesman': 7, 'vols': 28, 'fiske': 15, 'faust': 3, 'ford': 8, 'tyler': 16, 'usher': 2, 'individuals': 33, 'compare': 30, 'serfdom': 2, 'favored': 43, 'charters': 13, 'macdonald': 40, 'documentary': 19, 'pp': 309, 'analyze': 7, 'hewins': 2, 'borgeaud': 2, 'lobingier': 2, 'chaps': 7, 'review': 48, 'biographical': 13, 'bradford': 3, 'stuyvesant': 2, 'encyclopedia': 5, 'contemporary': 11, 'callender': 24, 'karl': 11, 'geiser': 2, 'redemptioners': 2, 'yale': 5, 'supplement': 8, 'significance': 90, 'tenure': 22, 'divided': 128, 'exercises': 17, 'culture': 38, 'societies': 19, 'landlordism': 2, 'characterized': 16, 'owned': 18, 'intact': 21, 'primogeniture': 3, 'eldest': 30, 'prevented': 45, 'subdivision': 4, 'freeholders': 11, 'owning': 8, 'tenantry': 4, 'inevitable': 62, 'landlords': 7, 'maintain': 49, 'governing': 17, 'tenants': 8, 'livelihood': 11, 'experiments': 15, 'tillage': 5, 'plow': 10, 'entirety': 8, 'existed': 42, 'experiment': 28, 'communism': 6, 'feudalism': 3, 'tilled': 16, 'motto': 6, 'distributing': 20, 'communistic': 5, 'failures': 6, 'lazy': 6, 'idled': 2, 'meals': 6, 'issued': 59, 'manifesto': 16, 'gathereth': 2, 'banished': 8, 'starve': 6, 'communal': 3, 'lasted': 32, 'corn': 46, 'refusing': 19, 'neighbor': 29, 'excursions': 5, 'ownership': 30, 'abandon': 33, 'complicated': 30, 'communist': 5, 'quit': 15, 'rents': 9, 'manors': 9, 'lots': 9, 'proportions': 12, 'consequently': 30, 'parcels': 5, 'lump': 13, 'tribute': 18, 'exchequer': 2, 'claimed': 23, 'revenues': 10, 'amounting': 9, 'irritation': 65, 'grievances': 16, 'plots': 6, 'originated': 11, 'extensive': 52, 'concessions': 15, 'patroons': 2, 'rensselaer': 2, 'cortlandt': 2, 'livingston': 8, 'entitled': 16, 'legislature': 80, 'mill': 19, 'meted': 2, 'instances': 26, 'vast': 49, 'expanse': 9, 'barony': 2, 'dominant': 9, 'section': 118, 'freehold': 25, 'outright': 13, 'possessor': 10, 'abundance': 16, 'scarcity': 5, 'network': 14, 'stony': 7, 'valleys': 12, 'conspired': 6, 'moderate': 32, 'dependency': 4, 'freeholds': 3, 'bid': 8, 'selling': 17, 'cherished': 15, 'unit': 11, 'types': 34, 'pursuit': 24, 'cultivated': 12, 'resembled': 9, 'farmer': 28, 'forests': 45, 'rice': 24, 'amounts': 7, 'factors': 25, 'cash': 12, 'silverware': 3, 'cutlery': 2, 'markets': 48, 'ripe': 7, 'enjoyment': 22, 'gifted': 9, 'totally': 10, 'crops': 25, 'warrant': 16, 'corps': 51, 'hatters': 2, 'makers': 10, 'potters': 3, 'neighboring': 21, 'sugar': 52, 'yeoman': 2, 'nevertheless': 40, 'hunger': 28, 'appeased': 4, 'expert': 8, 'fertile': 18, 'foothold': 3, 'rivers': 21, 'breakers': 3, 'explorers': 3, 'fired': 37, 'hunters': 14, 'squatters': 5, 'wills': 14, 'traversed': 5, 'lawful': 17, 'purchased': 16, 'singly': 13, 'springfield': 4, 'barrington': 3, 'outpost': 5, 'adjoined': 2, 'radiated': 6, 'mohawk': 3, 'brunswick': 2, 'trenton': 6, 'waterways': 7, 'schuylkill': 2, 'berks': 2, 'susquehanna': 4, 'harrisburg': 2, 'tier': 6, 'pittsburgh': 11, 'cultivation': 14, 'piedmont': 2, 'plateau': 4, 'streams': 12, 'southward': 7, 'furnishing': 5, 'overflowing': 10, 'ridge': 6, 'shenandoah': 2, 'mountain': 18, 'oncoming': 2, 'seekers': 10, 'alleghanies': 4, 'harbingers': 2, 'invasion': 44, 'mighty': 31, 'nimrod': 2, 'daniel': 58, 'buffaloes': 2, 'pairs': 9, 'groups': 68, 'transylvania': 4, 'emulating': 3, 'wrecked': 5, 'congress': 446, 'embryo': 7, 'farming': 19, 'pursuits': 8, 'staple': 5, 'textiles': 3, 'centers': 22, 'candles': 29, 'textile': 11, 'hardship': 8, 'pioneering': 4, 'exclusively': 22, 'wool': 43, 'flax': 7, 'coman': 18, 'historian': 40, 'workshop': 6, 'wove': 4, 'serges': 2, 'kerseys': 2, 'linsey': 2, 'woolseys': 2, 'manufactured': 8, 'indies': 20, 'dyeing': 2, 'weaving': 7, 'fulling': 2, 'carding': 2, 'swedes': 6, 'whit': 4, 'yankee': 7, 'overestimated': 4, 'statesmen': 35, 'monopoly': 16, 'coarser': 2, 'customers': 5, 'rivals': 11, 'germ': 8, 'clothe': 4, 'handsomely': 3, 'submitting': 10, 'designs': 16, 'harboured': 2, 'breasts': 3, 'picturesque': 8, 'lynn': 3, 'forge': 13, 'boston': 65, 'smelting': 2, 'litchfield': 2, 'lenox': 2, 'shrewsbury': 2, 'forges': 6, 'lapsed': 4, 'spotswood': 2, 'tubal': 2, 'cain': 2, 'foundry': 2, 'ware': 4, 'anchors': 2, 'pig': 10, 'islands': 34, 'shipbuilding': 6, 'specialized': 4, 'fir': 7, 'masts': 3, 'timbers': 4, 'tar': 8, 'turpentine': 7, 'hemp': 12, 'shipbuilder': 2, 'amsterdam': 5, 'shipyards': 3, 'newburyport': 2, 'salem': 2, 'bedford': 3, 'providence': 23, 'poughkeepsie': 2, 'wilmington': 2, 'outdistanced': 2, 'pace': 41, 'cedar': 3, 'fishing': 12, 'fisheries': 6, 'sailors': 23, 'indomitable': 2, 'seamanship': 3, 'harpoon': 3, 'edmund': 13, 'burke': 24, 'whale': 4, 'fishery': 2, 'whilst': 8, 'tumbling': 2, 'behold': 5, 'frozen': 18, 'davis': 19, 'straits': 5, 'arctic': 3, 'polar': 2, 'antipodes': 2, 'heat': 84, 'discouraging': 2, 'poles': 12, 'longitude': 3, 'brazil': 5, 'vexed': 22, 'toils': 5, 'perseverance': 6, 'dexterous': 4, 'sagacity': 3, 'perilous': 5, 'mode': 19, 'lemons': 2, 'raisins': 6, 'consumption': 5, 'traded': 4, 'molasses': 13, 'raw': 59, 'thriving': 7, 'rum': 18, 'stimulated': 16, 'enlarging': 4, 'craft': 16, 'shipwrights': 3, 'calkers': 2, 'seaport': 2, 'widening': 4, 'centered': 14, 'maritime': 6, 'oceanic': 2, 'rivaled': 4, 'gleaned': 2, 'enterprising': 6, 'routes': 15, 'broadly': 5, 'pine': 10, 'flour': 15, 'furs': 11, 'pork': 4, 'astounding': 14, 'sarcastic': 13, 'sneering': 3, 'dish': 14, 'onions': 2, 'seed': 16, 'indigo': 3, 'sprinkle': 2, 'composition': 13, 'sawdust': 2, 'jumble': 2, 'discordant': 5, 'import': 18, 'distilleries': 2, 'imported': 10, 'located': 25, 'willings': 2, 'morrises': 3, 'amorys': 2, 'hancocks': 2, 'faneuils': 2, 'livingstons': 3, 'lows': 2, 'competitors': 6, 'navy': 39, 'mettlesome': 3, 'contend': 4, 'shield': 9, 'interference': 81, 'namely': 46, 'exports': 7, 'twelfth': 12, 'purchases': 10, 'imports': 12, 'intercolonial': 5, 'transportation': 22, 'costly': 11, 'harbors': 7, 'lively': 21, 'comparative': 12, 'sloops': 2, 'skirted': 6, 'coasts': 5, 'navigable': 4, 'timber': 16, 'sailings': 2, 'favorably': 6, 'liverpool': 7, 'statistical': 3, 'guesses': 2, 'norfolk': 3, 'counted': 21, 'prophecy': 12, 'urban': 7, 'williamsburg': 2, 'gentry': 20, 'score': 18, 'log': 21, 'courthouse': 2, 'litigants': 2, 'sessions': 10, 'exercised': 18, 'concerted': 4, 'arising': 17, 'controversy': 34, 'discussion': 32, 'mingling': 12, 'townsmen': 2, 'currents': 5, 'bishop': 9, 'bogart': 5, 'bruce': 5, 'semple': 2, 'geographical': 10, 'weeden': 3, 'parceled': 2, 'interstate': 22, 'rev': 6, 'ed': 15, 'vol': 82, 'moore': 13, 'unremitting': 2, 'scant': 5, 'leisure': 18, 'arts': 18, 'sciences': 16, 'treasuries': 3, 'museums': 4, 'meager': 7, 'lift': 33, 'plane': 6, 'clearings': 4, 'redoubled': 6, 'lengthening': 8, 'eloquent': 13, 'testimony': 8, 'intellect': 19, 'critical': 23, 'adamses': 2, 'hamilton': 79, 'franklin': 55, 'madison': 45, 'randolphs': 2, 'pinckneys': 2, 'fostered': 6, 'depth': 31, 'surmounted': 4, 'adams': 82, 'otis': 10, 'propagandists': 2, 'abundant': 29, 'impelling': 2, 'stimulating': 14, 'clergy': 20, 'preached': 11, 'sundays': 9, 'taught': 22, 'pamphlets': 15, 'clerical': 9, 'spiritual': 35, 'supreme': 75, 'notwithstanding': 10, 'overbear': 2, 'sects': 4, 'dominance': 11, 'denomination': 4, 'stronghold': 3, 'prescribed': 24, 'councilors': 4, 'appendages': 7, 'aristocracy': 17, 'vestries': 2, 'infrequently': 14, 'protestant': 6, 'dissenters': 9, 'sufferance': 2, 'covertly': 2, 'tolerated': 9, 'outnumbered': 3, 'adherents': 8, 'sanctioned': 5, 'anglicans': 5, 'embracing': 16, 'fifteenth': 20, 'exerted': 13, 'enhance': 6, 'bishops': 5, 'archbishops': 3, 'appointed': 92, 'missionaries': 12, 'loyal': 21, 'counteract': 9, 'bulwark': 3, 'augment': 3, 'unhappily': 4, 'dissenting': 9, 'memories': 32, 'conflicts': 14, 'puritanism': 4, 'unity': 20, 'essaying': 2, 'reformers': 24, 'yoke': 6, 'pastor': 3, 'secular': 6, 'uniformity': 7, 'enforced': 13, 'autonomy': 8, 'fearful': 8, 'denunciations': 2, 'faithless': 2, 'mather': 2, 'eighty': 22, 'observance': 5, 'sabbath': 4, 'worldly': 14, 'earthly': 12, 'pike': 7, 'devout': 6, 'horseback': 11, 'ungodly': 2, 'witchcraft': 4, 'jail': 10, 'disfavor': 6, 'annulled': 8, 'wrested': 4, 'elect': 13, 'abolished': 26, 'limiting': 6, 'substituting': 5, 'qualification': 12, 'episcopalian': 3, 'monarchist': 2, 'sympathies': 12, 'denominations': 6, 'elections': 38, 'applied': 207, 'professed': 7, 'jesus': 12, 'christians': 8, 'tenets': 2, 'almighty': 9, 'creator': 7, 'upholder': 2, 'ruler': 21, 'circumstance': 8, 'moravians': 3, 'lutherans': 2, 'intrenched': 6, 'communities': 10, 'prevailed': 17, 'hierarchy': 5, 'interpreting': 3, 'ecclesiastical': 6, 'revolt': 27, 'favorable': 24, 'zealous': 12, 'shopkeepers': 7, 'inspiration': 12, 'romance': 13, 'legend': 5, 'annal': 2, 'richard': 7, 'psalm': 2, 'prophets': 3, 'parables': 2, 'evangelists': 2, 'heathen': 3, 'philosophic': 6, 'apocalyptic': 2, 'visions': 4, 'broadcast': 5, 'unoccupied': 7, 'monument': 7, 'substituted': 12, 'catechism': 2, 'interpretation': 12, 'wards': 8, 'scarcely': 66, 'compulsory': 11, 'schoolbook': 2, 'adam': 6, 'crucify': 3, 'sinners': 6, 'dy': 2, 'deluge': 3, 'drown': 10, 'elijah': 2, 'ravens': 2, 'felix': 2, 'regarded': 111, 'favor': 82, 'dames': 2, 'itinerant': 2, 'parsons': 2, 'schoolhouses': 4, 'mothers': 13, 'rudiments': 3, 'illiteracy': 6, 'diffusion': 4, 'harvard': 12, 'primarily': 10, 'godly': 3, 'dartmouth': 4, 'princeton': 5, 'dissent': 9, 'sectarianism': 2, 'academy': 4, 'forerunner': 2, 'benjamin': 20, 'reflected': 41, 'representation': 29, 'tutoring': 2, 'adversity': 4, 'contest': 55, 'vie': 4, 'autobiography': 6, 'classic': 7, 'classroom': 4, 'theology': 9, 'bunyan': 2, 'defoe': 2, 'plutarch': 5, 'locke': 7, 'innumerable': 39, 'spectator': 4, 'recognition': 34, 'savants': 2, 'discoveries': 5, 'electricity': 19, 'unconsciously': 30, 'lesser': 25, 'educated': 22, 'fruitful': 6, 'ability': 15, 'enlightened': 4, 'printing': 16, 'censor': 3, 'suppressed': 18, 'discussing': 14, 'publishing': 5, 'precarious': 4, 'journalism': 3, 'refrained': 13, 'criticizing': 5, 'languished': 2, 'courant': 2, 'dissuade': 3, 'rewarded': 9, 'gazette': 7, 'censorship': 6, 'unlicensed': 2, 'uncontrolled': 4, 'broadsides': 3, 'vested': 22, 'reign': 39, 'elizabeth': 10, 'prerogative': 6, 'publish': 5, 'approval': 59, 'royalist': 4, 'vigorous': 41, 'licensing': 4, 'troublesome': 11, 'arose': 49, 'archbishop': 4, 'mete': 2, 'publishers': 5, 'liable': 147, 'displeasing': 2, 'governments': 35, 'mercury': 37, 'apologize': 13, 'zenger': 4, 'publisher': 5, 'criticising': 2, 'unlucky': 7, 'attorney': 6, 'approbation': 5, 'forthcoming': 10, 'printer': 4, 'trial': 39, 'outburst': 15, 'rejoicing': 13, 'vigilance': 5, 'almanacs': 3, 'enriched': 4, 'discussions': 17, 'fireside': 4, 'taverns': 5, 'patrick': 11, 'samuel': 27, 'spelled': 2, 'poring': 2, 'almanac': 2, 'paine': 21, 'exalting': 2, 'assembly': 41, 'impetus': 10, 'collision': 13, 'ideals': 14, 'surrendered': 25, 'choice': 47, 'appointees': 4, 'legislatures': 69, 'officer': 464, 'pardons': 4, 'reprieves': 3, 'militia': 45, 'levied': 5, 'troops': 320, 'martial': 17, 'rebellion': 30, 'claims': 41, 'adjourned': 6, 'projects': 27, 'objectionable': 6, 'hampden': 2, 'battled': 3, 'palace': 34, 'berne': 2, 'improve': 21, 'pretensions': 9, 'grated': 3, 'deepen': 2, 'antipathy': 9, 'favors': 12, 'displeased': 20, 'reappearance': 4, 'anew': 7, 'wrath': 18, 'tendency': 86, 'representatives': 97, 'multiplied': 9, 'generosity': 13, 'invite': 10, 'taxpayers': 6, 'voter': 5, 'freeholder': 3, 'sterling': 6, 'content': 30, 'assemblies': 24, 'salaries': 4, 'electing': 5, 'treasurer': 4, 'dole': 2, 'rapacious': 2, 'contests': 11, 'imagined': 49, 'relates': 6, 'humor': 17, 'courteous': 9, 'sale': 26, 'spur': 5, 'caesar': 11, 'meat': 16, 'encroached': 2, 'prerogatives': 5, 'laments': 2, 'diminishing': 15, 'echoed': 5, 'levelling': 3, 'prevail': 10, 'unhinged': 2, 'idolized': 2, 'ballot': 50, 'posts': 23, 'preferments': 2, 'provincials': 8, 'traceable': 2, 'maintained': 41, 'revoked': 4, 'courts': 45, 'dispense': 8, 'tutelage': 6, 'ministry': 15, 'earle': 2, 'episcopate': 2, 'dexter': 2, 'duniway': 2, 'greene': 7, 'mckinley': 39, 'roles': 3, 'undemocratic': 3, 'contemporaries': 28, 'payne': 5, 'loosely': 11, 'strife': 10, 'welded': 3, 'imperative': 7, 'burdens': 10, 'fusing': 2, 'resisting': 8, 'allays': 3, 'virulent': 17, 'temporarily': 22, 'stops': 6, 'diplomatic': 55, 'hostile': 31, 'humiliated': 5, 'disaster': 17, 'armada': 3, 'presenting': 17, 'coherent': 3, 'irregular': 51, 'consistent': 13, 'matured': 6, 'frontiers': 13, 'ax': 12, 'calculation': 8, 'keg': 3, 'gunpowder': 14, 'guns': 113, 'destructive': 29, 'squanto': 2, 'samoset': 2, 'teaching': 19, 'wilds': 3, 'natives': 13, 'treating': 23, 'precision': 15, 'pequots': 3, 'sensing': 2, 'doom': 7, 'philip': 9, 'massasoit': 2, 'tribesmen': 2, 'extermination': 5, 'algonquins': 3, 'mohawks': 3, 'opecacano': 2, 'powhatan': 2, 'launched': 16, 'massacre': 12, 'ablaze': 5, 'nathaniel': 5, 'bacon': 11, 'stir': 36, 'adequate': 10, 'plea': 21, 'outposts': 17, 'southeast': 5, 'tuscaroras': 2, 'virginians': 2, 'location': 9, 'consistently': 9, 'conciliation': 12, 'vanguard': 18, 'negotiations': 34, 'treaties': 22, 'belligerent': 6, 'cherokees': 2, 'creeks': 2, 'enlisted': 10, 'enterprises': 12, 'lawrence': 7, 'engrossed': 15, 'quebec': 11, 'montreal': 5, 'menace': 17, 'converging': 3, 'louis': 45, 'jesuit': 5, 'rangers': 6, 'endings': 2, 'intrigues': 20, 'rivalries': 3, 'struggles': 8, 'allies': 23, 'expanding': 7, 'marquette': 6, 'joliet': 5, 'salle': 4, 'gulf': 14, 'builders': 9, 'orleans': 32, 'gateway': 14, 'niagara': 3, 'formally': 7, 'drained': 13, 'lofty': 30, 'constructing': 5, 'le': 56, 'boeuf': 3, 'erie': 15, 'venango': 3, 'allegheny': 2, 'duquesne': 3, 'junction': 50, 'notoriously': 3, 'relinquishing': 3, 'braddock': 6, 'prussia': 40, 'austria': 54, 'defeat': 47, 'wolfe': 4, 'exploit': 13, 'capturing': 7, 'subsidized': 4, 'ganges': 2, 'conquests': 6, 'equaling': 3, 'surpassing': 4, 'magnitude': 14, 'pizarro': 2, 'declare': 26, 'pitt': 16, 'genius': 75, 'flourish': 12, 'momentous': 8, 'canada': 29, 'ambitions': 6, 'havana': 4, 'ceded': 9, 'macaulay': 6, 'jealous': 23, 'grudging': 3, 'stingy': 5, 'trades': 12, 'theater': 26, 'statecraft': 5, 'cumulative': 3, 'confederation': 48, 'amity': 4, 'mutual': 21, 'succor': 4, 'occasions': 17, 'commissioners': 17, 'extinction': 4, 'peril': 8, 'delegates': 56, 'cooperated': 3, 'loyally': 5, 'forays': 2, 'conference': 32, 'devise': 10, 'scheme': 26, 'disapproved': 6, 'forecast': 6, 'afterward': 20, 'instructed': 17, 'militiamen': 30, 'morgan': 7, 'lessons': 22, 'regulars': 12, 'operating': 34, 'shrewdly': 4, 'prowess': 4, 'elm': 2, 'spurned': 4, 'bullets': 44, 'memorable': 22, 'financial': 41, 'disorder': 37, 'bankrupt': 4, 'channels': 15, 'enhanced': 7, 'liabilities': 2, 'precipitating': 3, 'expulsion': 6, 'administered': 19, 'sovereignty': 29, 'sphere': 32, 'negotiated': 8, 'culminated': 4, 'operate': 21, 'stuarts': 3, 'parliamentary': 10, 'turmoil': 11, 'regime': 11, 'englishmen': 4, 'mercantile': 7, 'regulating': 13, 'supervise': 7, 'stricter': 4, 'annulment': 4, 'conferred': 26, 'successor': 18, 'inaugurated': 17, 'throne': 27, 'precipitated': 12, 'unite': 37, 'efficient': 23, 'pattern': 8, 'martinet': 2, 'andros': 7, 'ignore': 6, 'tradition': 14, 'despotism': 8, 'dues': 4, 'abrogated': 2, 'episcopal': 2, 'habeas': 9, 'corpus': 11, 'preacher': 4, 'denounced': 33, 'stayed': 40, 'dethroned': 2, 'kindling': 5, 'beacon': 2, 'response': 22, 'overthrow': 21, 'accession': 7, 'greeted': 28, 'thanksgiving': 7, 'liberal': 39, 'resumed': 22, 'indifference': 27, 'georges': 3, 'hanoverian': 2, 'honors': 19, 'reigns': 5, 'stoutest': 3, 'defender': 5, 'walpole': 4, 'adopting': 8, 'dogs': 39, 'appreciation': 9, 'sentiment': 37, 'exclaiming': 5, 'enforce': 30, 'arouse': 17, 'slumbering': 3, 'committee': 40, 'mondays': 2, 'thursdays': 4, 'petitions': 16, 'memorials': 4, 'addresses': 11, 'respecting': 16, 'scrutinize': 3, 'adoption': 23, 'unsatisfactory': 11, 'veto': 10, 'disallowance': 2, 'administrative': 13, 'inherent': 12, 'appellate': 4, 'tribunals': 5, 'aggrieved': 4, 'forcing': 7, 'enacted': 35, 'null': 12, 'void': 22, 'approve': 21, 'peddlers': 2, 'objected': 14, 'restrictive': 9, 'dispersion': 4, 'regulated': 7, 'foreshadowing': 3, 'regulate': 17, 'towering': 3, 'towers': 4, 'metes': 2, 'complaints': 9, 'rulings': 3, 'chafed': 4, 'weld': 3, 'nourishing': 8, 'irritations': 2, 'rebound': 2, 'sway': 12, 'prevalent': 6, 'foster': 7, 'navigation': 17, 'marine': 10, 'manned': 5, 'severity': 45, 'compelling': 7, 'freight': 17, 'rates': 49, 'adverse': 10, 'competing': 3, 'exportation': 3, 'declaring': 35, 'felts': 2, 'dyed': 3, 'undyed': 2, 'intent': 14, 'ruinous': 12, 'plating': 2, 'tilt': 2, 'hammer': 5, 'furnace': 5, 'nuisances': 3, 'ginger': 2, 'consigned': 4, 'enumerated': 6, 'embraced': 47, 'hides': 4, 'manufacturers': 22, 'guiana': 4, 'barbadoes': 3, 'jamaica': 3, 'merrily': 23, 'smuggling': 4, 'furthermore': 9, 'supplemented': 19, 'redounded': 4, 'shipbuilders': 3, 'producers': 7, 'bounties': 9, 'handicapped': 6, 'recipients': 2, 'restricting': 4, 'relating': 20, 'rigidly': 7, 'cargoes': 5, 'boldly': 37, 'galling': 4, 'epoch': 17, 'welsh': 3, 'intolerant': 2, 'dictates': 2, 'consciences': 4, 'appealed': 14, 'brotherhoods': 4, 'undertook': 10, 'plant': 13, 'bartered': 2, 'seacoast': 5, 'conquering': 8, 'kinship': 2, 'supervised': 2, 'assailed': 12, 'inspired': 20, 'critics': 14, 'stanch': 7, 'elected': 45, 'transformation': 17, 'fanned': 4, 'wiping': 18, 'nowhere': 25, 'merchandise': 5, 'regulation': 31, 'offset': 12, 'necessarily': 32, 'determining': 15, 'inspire': 9, 'economists': 3, 'unassailable': 2, 'bradley': 2, 'andrews': 3, 'egerton': 2, 'parkman': 5, 'winsor': 3, 'cartier': 2, 'frontenac': 2, 'illustrations': 8, 'promotes': 2, 'outcome': 36, 'enumerate': 15, 'mattered': 4, 'hanoverians': 2, 'beneficial': 20, 'injurious': 14, 'sloane': 2, 'montcalm': 2, 'grandson': 9, 'elector': 4, 'sophia': 5, 'granddaughter': 3, 'thorough': 15, 'reigned': 9, 'preferred': 37, 'govern': 15, 'representing': 24, 'rudely': 7, 'resented': 13, 'imputation': 3, 'display': 20, 'draft': 31, 'phrase': 35, 'glory': 50, 'briton': 2, 'tastes': 9, 'conciliated': 2, 'bloom': 6, 'pleasing': 10, 'imputed': 3, 'flattery': 5, 'absurdity': 7, 'ascribe': 6, 'princely': 5, 'tutors': 10, 'courtiers': 21, 'notions': 9, 'sacredness': 3, 'dinned': 2, 'slogan': 8, 'bute': 2, 'shaping': 8, 'subdue': 5, 'luster': 2, 'non': 42, 'conformists': 2, 'haughty': 5, 'overbearing': 2, 'continuance': 7, 'opponents': 31, 'tories': 18, 'restoring': 11, 'divine': 35, 'coveted': 11, 'rally': 5, 'tory': 6, 'controlling': 9, 'nobles': 10, 'favorites': 4, 'leeds': 2, 'manchester': 6, 'birmingham': 6, 'adult': 25, 'males': 18, 'boroughs': 4, 'handful': 15, 'bidder': 2, 'rotten': 9, 'grenville': 11, 'incivility': 2, 'crowds': 35, 'entrusted': 30, 'laborious': 8, 'adjustment': 9, 'disordered': 14, 'townshend': 14, 'encountered': 17, 'requisitions': 2, 'taxed': 6, 'regiments': 37, 'restriction': 15, 'issuance': 8, 'remedy': 26, 'authorizing': 17, 'specie': 13, 'scarce': 7, 'creditors': 24, 'proclamation': 46, 'frontiersmen': 6, 'adventurous': 4, 'squatting': 9, 'reserving': 5, 'limitations': 13, 'preservation': 12, 'abuses': 24, 'laboring': 5, 'incurred': 11, 'taxpayer': 3, 'defraying': 3, 'protecting': 14, 'effectually': 3, 'clandestine': 3, 'conveyance': 8, 'prohibitive': 4, 'specified': 10, 'calico': 2, 'silks': 4, 'enforcement': 22, 'neglected': 20, 'registration': 8, 'strengthened': 20, 'commanders': 65, 'stationed': 33, 'authorized': 32, 'supplementary': 4, 'collectors': 4, 'curtly': 3, 'discharge': 101, 'avarice': 3, 'forfeitures': 2, 'astounded': 6, 'authors': 19, 'formality': 5, 'assent': 10, 'hindered': 11, 'appearances': 32, 'fateful': 11, 'incapacitated': 2, 'skillfully': 9, 'mortgages': 8, 'inventories': 2, 'writs': 12, 'bail': 4, 'liquor': 14, 'diplomas': 2, 'dice': 3, 'calendars': 2, 'drag': 11, 'debated': 6, 'barre': 4, 'actuated': 6, 'vindicate': 2, 'violated': 10, 'dispatch': 22, 'accommodations': 2, 'denunciation': 7, 'protest': 20, 'incensed': 3, 'intimidated': 7, 'patriots': 16, 'grumbled': 7, 'whig': 19, 'aristocrats': 2, 'seditious': 2, 'factious': 3, 'magic': 11, 'committees': 22, 'daughters': 31, 'patriotic': 23, 'assemblymen': 2, 'drafting': 4, 'phrased': 6, 'rougher': 3, 'riots': 7, 'stamps': 5, 'sacked': 5, 'residences': 2, 'inquisition': 3, 'intimidation': 9, 'curtailed': 3, 'excesses': 5, 'unloosed': 2, 'quieter': 6, 'spurring': 4, 'clothing': 27, 'devising': 2, 'substitutes': 3, 'foods': 5, 'burgesses': 4, 'unconstitutional': 17, 'unjust': 11, 'immortal': 8, 'brutus': 2, 'treason': 24, 'orator': 11, 'inviting': 19, 'professing': 3, 'respective': 18, 'subvert': 2, 'burdensome': 5, 'heritage': 7, 'thereupon': 7, 'supplication': 2, 'supersede': 2, 'foreshadowed': 2, 'christopher': 4, 'gadsden': 5, 'yorkers': 2, 'effectively': 7, 'boycotted': 2, 'idly': 3, 'bankruptcy': 6, 'workingmen': 13, 'sown': 6, 'reaping': 5, 'protected': 22, 'clothed': 7, 'modified': 22, 'compel': 10, 'sponsor': 6, 'jeopardy': 6, 'unemployed': 4, 'argued': 17, 'cogently': 3, 'retracing': 3, 'wailed': 6, 'prayers': 16, 'riot': 12, 'sedition': 18, 'agreed': 72, 'cheers': 7, 'victorious': 17, 'reluctantly': 25, 'rescinding': 3, 'contention': 7, 'declaratory': 4, 'subordinate': 11, 'undoubted': 11, 'demonstrations': 9, 'bells': 39, 'rung': 5, 'toasts': 3, 'cheered': 11, 'repealed': 11, 'thoroughness': 2, 'earl': 5, 'chatham': 4, 'unconvinced': 3, 'customs': 17, 'resident': 8, 'treasury': 39, 'exported': 3, 'undersell': 2, 'smugglers': 4, 'legalized': 3, 'manifestation': 17, 'empowering': 2, 'smuggled': 4, 'hateful': 4, 'gains': 21, 'minion': 2, 'hardships': 7, 'illicit': 2, 'hostility': 24, 'application': 78, 'duration': 26, 'eloquence': 7, 'tyrant': 4, 'enabling': 7, 'malice': 4, 'desolation': 6, 'wantonness': 2, 'exertion': 20, 'provoke': 4, 'tumult': 3, 'slender': 27, 'drastic': 22, 'insupportable': 2, 'accordance': 17, 'reluctant': 17, 'frail': 7, 'circular': 25, 'intervention': 26, 'roundly': 6, 'condemning': 16, 'independently': 26, 'predicament': 2, 'dissolution': 22, 'rescind': 3, 'indorsed': 7, 'asserting': 3, 'beseeching': 2, 'redress': 9, 'jostle': 3, 'tease': 4, 'snowballs': 2, 'exasperated': 8, 'wounding': 5, 'withdrawal': 19, 'yielded': 16, 'undertaken': 17, 'populace': 6, 'josiah': 4, 'quincy': 13, 'quartered': 13, 'mobs': 6, 'convicted': 7, 'lightly': 42, 'punished': 22, 'goaded': 2, 'resisted': 8, 'prisoners': 123, 'traitors': 16, 'pitched': 12, 'alamance': 3, 'lexington': 9, 'gaspee': 4, 'friction': 20, 'overt': 5, 'patrolling': 2, 'ashore': 4, 'boarded': 4, 'seizing': 33, 'crew': 12, 'informer': 2, 'creating': 25, 'failure': 40, 'boycott': 2, 'transshipped': 2, 'impost': 2, 'reminder': 7, 'arrangement': 36, 'obnoxious': 8, 'favoritism': 4, 'dump': 3, 'losses': 27, 'irritating': 15, 'annapolis': 6, 'captains': 13, 'dumped': 5, 'harbor': 10, 'flagrant': 4, 'violation': 17, 'meek': 9, 'germain': 2, 'tumultuous': 3, 'riotous': 6, 'rabble': 8, 'prudence': 5, 'employments': 3, 'upholding': 5, 'intolerable': 13, 'stringent': 3, 'curing': 2, 'denouncing': 5, 'subversion': 2, 'boundaries': 15, 'viceroy': 2, 'celerity': 3, 'ineffective': 2, 'eloquently': 5, 'punishing': 5, 'pleas': 8, 'unanimous': 11, 'journals': 3, 'destroying': 36, 'jurist': 2, 'mansfield': 2, 'proceeding': 13, 'lenity': 2, 'resorting': 2, 'enlist': 4, 'canadians': 3, 'gage': 5, 'reinforcements': 11, 'rebels': 10, 'medicine': 28, 'vindicated': 4, 'doctrine': 66, 'violating': 5, 'thesis': 3, 'distress': 26, 'magna': 3, 'carta': 3, 'inseparable': 4, 'conflagration': 8, 'parchments': 2, 'musty': 2, 'divinity': 7, 'erased': 2, 'obscured': 7, 'realm': 23, 'avowed': 9, 'loyalists': 11, 'firebrand': 2, 'periods': 36, 'flooding': 5, 'rooted': 6, 'countrymen': 25, 'grounded': 3, 'prosecute': 6, 'beware': 6, 'tantamount': 3, 'submission': 21, 'partnership': 5, 'contemptible': 10, 'treasonable': 5, 'crush': 25, 'stubborn': 13, 'opinions': 40, 'unseen': 17, 'marching': 30, 'veriest': 2, 'urchin': 2, 'gouverneur': 7, 'gulled': 2, 'heretofore': 6, 'bewildered': 17, 'clarify': 3, 'oration': 4, 'channing': 6, 'frothingham': 2, 'howard': 5, 'preliminaries': 4, 'morse': 5, 'woodburn': 2, 'lecky': 3, 'systems': 14, 'summarize': 4, 'retaliate': 4, 'assign': 6, 'administer': 9, 'spasmodic': 5, 'appropriately': 6, 'instigation': 3, 'devices': 17, 'moderation': 11, 'disavowing': 3, 'attacking': 26, 'professions': 9, 'qualified': 7, 'athwart': 3, 'wise': 25, 'tenth': 20, 'require': 30, 'olive': 8, 'wring': 7, 'conciliatory': 4, 'proposing': 10, 'restraining': 10, 'bloodshed': 5, 'concord': 6, 'forum': 6, 'petitioned': 5, 'interpose': 3, 'behalf': 25, 'calamities': 7, 'stating': 6, 'renounce': 11, 'misled': 5, 'designing': 2, 'insurrection': 14, 'condign': 2, 'abettors': 3, 'traitorous': 2, 'prayer': 43, 'intercourse': 18, 'reconciliation': 9, 'wage': 18, 'bunker': 5, 'disappointments': 4, 'drumming': 3, 'recruits': 13, 'landgrave': 2, 'hesse': 2, 'contracting': 7, 'crowning': 3, 'hiring': 3, 'mercenaries': 2, 'essentially': 18, 'howe': 7, 'sail': 9, 'prudent': 3, 'honorable': 22, 'dreaded': 12, 'genuine': 16, 'bancroft': 3, 'discussed': 32, 'fishermen': 3, 'backwoodsmen': 2, 'pulpit': 4, 'gatherings': 6, 'fires': 39, 'conferences': 13, 'congresses': 5, 'commonsense': 4, 'ferment': 9, 'pamphleteer': 2, 'apologies': 6, 'tracts': 8, 'epithet': 4, 'praising': 4, 'claiming': 7, 'ridiculous': 18, 'oppressive': 9, 'turkey': 21, 'relentlessly': 3, 'weighty': 8, 'tolerable': 5, 'alternative': 15, 'pleads': 2, 'slain': 7, 'weeping': 20, 'tis': 6, 'posterity': 14, 'ye': 9, 'tyranny': 10, 'extinct': 3, 'virtuous': 16, 'supporter': 5, 'unanswerable': 4, 'advocated': 18, 'balked': 4, 'abolishing': 12, 'shrank': 11, 'empowered': 13, 'concur': 4, 'wyeth': 3, 'debate': 38, 'uncertainty': 18, 'jefferson': 126, 'delegation': 7, 'severing': 5, 'tidings': 6, 'couriers': 3, 'uttermost': 6, 'hamlet': 2, 'documents': 12, 'immortality': 3, 'patriotism': 20, 'vigor': 14, 'indictment': 8, 'greatness': 25, 'landmarks': 2, 'challenging': 6, 'potentates': 2, 'thrones': 3, 'aristocracies': 2, 'irresponsible': 3, 'marston': 2, 'moor': 4, 'chateau': 4, 'thierry': 4, 'summed': 7, 'decent': 10, 'impelled': 8, 'usurpations': 3, 'enduring': 8, 'endowed': 15, 'unalienable': 2, 'abolish': 10, 'institute': 3, 'organizing': 10, 'prelude': 5, 'privilege': 15, 'consolidate': 3, 'emissaries': 2, 'doctrines': 15, 'sympathizers': 7, 'ultimately': 30, 'constitutions': 39, 'substitute': 15, 'advising': 7, 'adopt': 19, 'expiration': 8, 'destinies': 2, 'renounced': 8, 'deliberation': 8, 'unchanged': 16, 'outlines': 6, 'models': 2, 'senate': 115, 'virtually': 6, 'senators': 46, 'radical': 30, 'corbin': 3, 'curiosities': 2, 'symbols': 8, 'translated': 9, 'circulated': 6, 'statesmanship': 3, 'poorly': 6, 'vision': 13, 'differences': 15, 'apportionment': 5, 'quotas': 6, 'outlook': 11, 'federation': 46, 'sagacious': 4, 'urge': 11, 'desirability': 3, 'undaunted': 5, 'debates': 16, 'jealousies': 10, 'surrender': 38, 'cornwallis': 11, 'yorktown': 10, 'sinews': 4, 'creation': 17, 'favoring': 10, 'persisted': 6, 'outspoken': 6, 'mobbing': 2, 'loyalty': 17, 'outlaws': 3, 'espionage': 5, 'confiscated': 6, 'proceeds': 9, 'suppression': 6, 'mob': 27, 'tarred': 2, 'feathered': 2, 'deplored': 9, 'defended': 23, 'waged': 14, 'conflicting': 10, 'extravagant': 4, 'galloway': 2, 'testified': 2, 'fifths': 6, 'robertson': 2, 'evacuated': 6, 'callings': 2, 'banishment': 3, 'reads': 10, 'graduates': 2, 'prominent': 77, 'anguish': 4, 'refugees': 3, 'assail': 4, 'skillful': 17, 'editorials': 4, 'rhymes': 2, 'satires': 3, 'catechisms': 2, 'obscure': 14, 'pettifogging': 2, 'attorneys': 2, 'outlawed': 5, 'banditti': 2, 'generals': 118, 'sneered': 3, 'par': 6, 'stung': 4, 'taunts': 3, 'combat': 12, 'misfortunes': 16, 'befell': 3, 'arnold': 8, 'montgomery': 5, 'harassed': 4, 'harlem': 3, 'heights': 24, 'plains': 14, 'reverses': 7, 'pamphleteers': 2, 'preachers': 3, 'publicists': 2, 'witherspoon': 2, 'provost': 2, 'forsook': 3, 'freneau': 2, 'cowardice': 8, 'poem': 7, 'ballads': 2, 'flowed': 28, 'unending': 4, 'anniversaries': 2, 'celebrations': 2, 'opportunities': 19, 'sermons': 4, 'wiberd': 2, 'decisive': 25, 'excepting': 8, 'thunder': 10, 'explicitly': 7, 'fervently': 3, 'retreated': 19, 'harried': 4, 'pamphlet': 6, 'tract': 10, 'shrink': 6, 'branding': 2, 'coward': 9, 'slavish': 2, 'inadequacy': 3, 'refuted': 2, 'fortitude': 4, 'glorious': 12, 'ravaged': 3, 'depopulated': 2, 'habitations': 2, 'weep': 26, 'phases': 10, 'evacuation': 10, 'seizure': 16, 'burgoyne': 8, 'saratoga': 6, 'encampment': 6, 'monmouth': 5, 'inclosure': 2, 'deploying': 3, 'morristown': 2, 'rogers': 6, 'kaskaskia': 3, 'vincennes': 3, 'lakes': 14, 'conquered': 13, 'camden': 7, 'overran': 2, 'cowpens': 4, 'clashed': 4, 'guilford': 5, 'plundering': 5, 'fortified': 15, 'penned': 4, 'channel': 17, 'transports': 6, 'privateers': 8, 'access': 57, 'worried': 17, 'guerrilla': 17, 'warriors': 7, 'marion': 4, 'sumter': 6, 'pickens': 2, 'technically': 3, 'possessing': 6, 'hemmed': 8, 'cutting': 35, 'linens': 3, 'chinaware': 2, 'exploits': 12, 'barry': 4, 'seamen': 10, 'insurance': 8, 'dethrone': 2, 'spectacular': 6, 'merchantmen': 4, 'reckon': 9, 'possibilities': 8, 'contending': 5, 'accounted': 9, 'disciplinarian': 3, 'gallant': 13, 'overwhelm': 6, 'bases': 6, 'shred': 3, 'theatrical': 5, 'clinton': 5, 'talents': 10, 'clashes': 3, 'plagued': 3, 'exaltation': 3, 'beveridge': 3, 'disabled': 7, 'indolence': 6, 'starved': 3, 'conway': 3, 'cabal': 3, 'benedict': 6, 'immeasurable': 6, 'traitor': 21, 'druggist': 2, 'horatio': 2, 'seasoned': 4, 'nathanael': 2, 'commentaries': 3, 'teamster': 3, 'negligible': 6, 'sullivan': 2, 'durham': 2, 'briefs': 2, 'anthony': 9, 'wayne': 2, 'surveyor': 4, 'regiment': 231, 'commanded': 26, 'quickness': 7, 'baron': 13, 'steuben': 3, 'schooled': 3, 'frederick': 9, 'drilled': 5, 'manoeuvered': 2, 'cursing': 5, 'lafayette': 6, 'kalb': 4, 'poland': 27, 'pulaski': 4, 'kosciusko': 4, 'acquainted': 23, 'siege': 9, 'discipline': 26, 'temperamental': 2, 'cope': 4, 'annals': 6, 'drummed': 2, 'hessians': 4, 'disciplined': 4, 'campaigns': 22, 'bravely': 4, 'brandywine': 4, 'demonstrate': 9, 'reluctance': 10, 'kin': 4, 'lacking': 15, 'unaccustomed': 8, 'lamented': 8, 'consume': 5, 'exhaust': 5, 'bonus': 3, 'privates': 4, 'veterans': 9, 'valiant': 9, 'accuracy': 9, 'minutemen': 2, 'victories': 20, 'bennington': 2, 'defeats': 6, 'undisciplined': 2, 'veteran': 6, 'delays': 5, 'dallied': 2, 'paralyzing': 5, 'constituted': 16, 'supineness': 3, 'averred': 3, 'promoted': 23, 'inaction': 3, 'inactivity': 6, 'wounds': 187, 'healing': 107, 'forage': 8, 'unfamiliar': 14, 'oversea': 2, 'voyages': 2, 'warships': 5, 'preying': 6, 'boats': 12, 'outdone': 5, 'hazardous': 2, 'alienated': 4, 'fretful': 3, 'timothee': 2, 'espouse': 2, 'influential': 7, 'independency': 2, 'combatted': 2, 'loyalist': 2, 'propaganda': 7, 'satire': 6, 'rendered': 35, 'rigors': 5, 'sarah': 5, 'bache': 2, 'firing': 91, 'aiding': 5, 'powder': 45, 'dispatches': 4, 'harvested': 3, 'farmerettes': 2, 'canned': 2, 'kinds': 30, 'households': 6, 'decently': 6, 'surplus': 12, 'female': 19, 'evincing': 2, 'attachment': 15, 'commended': 3, 'medals': 5, 'testimonials': 2, 'thanked': 20, 'hatred': 26, 'load': 9, 'constituents': 4, 'quire': 2, 'appealing': 6, 'redeemed': 6, 'lottery': 2, 'burdened': 10, 'inflation': 6, 'depreciation': 4, 'declined': 18, 'cents': 12, 'flow': 49, 'uphill': 7, 'speculators': 8, 'fatten': 2, 'securities': 5, 'freezing': 9, 'speculation': 7, 'peculation': 3, 'engrossing': 2, 'melancholy': 33, 'decay': 6, 'jobbing': 2, 'dissensions': 16, 'financiers': 8, 'hayn': 3, 'solomon': 7, 'monroe': 48, 'exhausted': 46, 'displaying': 16, 'yielding': 22, 'sacrifices': 13, 'lotteries': 3, 'borrowings': 2, 'impressment': 6, 'relieved': 26, 'recognizing': 36, 'appreciated': 23, 'versed': 3, 'prejudices': 8, 'rulers': 20, 'inclining': 3, 'commissioner': 9, 'silas': 3, 'deane': 5, 'styled': 5, 'diplomat': 10, 'christian': 17, 'jay': 19, 'florence': 3, 'vienna': 52, 'berlin': 14, 'petersburg': 248, 'ignored': 4, 'obscurity': 8, 'experiencing': 10, 'silesian': 2, 'woolens': 2, 'fearing': 21, 'hero': 56, 'vergennes': 4, 'reduce': 22, 'humiliating': 15, 'royale': 2, 'acadia': 2, 'senegal': 2, 'adventurer': 4, 'beaumarchais': 4, 'figaro': 2, 'seville': 2, 'manifest': 30, 'scientist': 3, 'philosopher': 8, 'thrice': 9, 'philosophers': 6, 'marie': 12, 'antoinette': 3, 'fated': 8, 'cautious': 11, 'disastrously': 2, 'sojourn': 4, 'retirement': 14, 'strategic': 19, 'flanks': 7, 'foraging': 7, 'superseded': 10, 'schuyler': 3, 'versailles': 4, 'dislocated': 10, 'guarantee': 17, 'abraham': 8, 'ranged': 8, 'remembering': 24, 'gibraltar': 4, 'neutrals': 4, 'searches': 4, 'renewal': 11, 'enactment': 10, 'truce': 18, 'hostilities': 8, 'diplomats': 6, 'loads': 4, 'timely': 8, 'recovery': 52, 'executed': 41, 'exultantly': 6, 'brightens': 3, 'latest': 18, 'valor': 10, 'measuring': 8, 'discomfiture': 5, 'thundered': 5, 'orators': 10, 'aggressor': 3, 'leveled': 3, 'batteries': 18, 'coercion': 4, 'strove': 8, 'estrangement': 7, 'fox': 24, 'david': 11, 'hume': 3, 'fame': 16, 'scribes': 2, 'journalists': 5, 'pour': 21, 'gibbon': 5, 'roman': 9, 'ridicule': 20, 'yields': 18, 'predicted': 4, 'predictions': 5, 'outlet': 13, 'paralyzed': 7, 'unpaid': 5, 'postponed': 5, 'indefinite': 28, 'continuing': 21, 'voted': 23, 'affirmative': 7, 'moaned': 7, 'yield': 37, 'embarrassing': 12, 'reproached': 17, 'neglecting': 4, 'bienseance': 2, 'naming': 5, 'specifically': 6, 'floridas': 7, 'newfoundland': 2, 'minorca': 2, 'humbled': 2, 'pigmy': 2, 'ambassador': 31, 'colossus': 3, 'tyrannical': 5, 'necked': 3, 'amicable': 5, 'willed': 2, 'converge': 4, 'inexperienced': 7, 'predecessors': 3, 'juncture': 7, 'councils': 12, 'taxing': 6, 'thankful': 5, 'evoked': 18, 'rioted': 2, 'veered': 3, 'sharper': 8, 'rioting': 8, 'unintended': 2, 'acknowledged': 11, 'ocean': 15, 'supplanted': 4, 'sumner': 7, 'trevelyan': 3, 'tyne': 2, 'financed': 4, 'resolves': 3, 'emphasizing': 3, 'sect': 9, 'xxvii': 5, 'pronounced': 22, 'peered': 6, 'uninstructed': 2, 'chaos': 9, 'organ': 17, 'session': 14, 'withheld': 9, 'authorize': 4, 'expenditures': 9, 'disorders': 15, 'trash': 4, 'contempt': 40, 'forceful': 4, 'defrauded': 2, 'changers': 2, 'clipping': 3, 'filing': 3, 'unsettled': 6, 'discrimination': 10, 'negotiate': 13, 'impeded': 6, 'barriers': 9, 'hindering': 5, 'disrepute': 4, 'naught': 6, 'unenforced': 3, 'futility': 7, 'ablest': 2, 'doubtful': 20, 'quorum': 6, 'loaded': 29, 'discouraged': 9, 'fluctuated': 2, 'violently': 15, 'reenacted': 3, 'canceled': 4, 'distrust': 9, 'substance': 50, 'impair': 7, 'obligation': 18, 'contracts': 14, 'demanding': 13, 'malcontents': 2, 'shays': 5, 'foreclosing': 2, 'apportioned': 12, 'worcester': 4, 'bowdoin': 4, 'quell': 3, 'execute': 20, 'attacks': 67, 'insurgents': 5, 'ensuing': 5, 'proudly': 10, 'careening': 2, 'anarchy': 8, 'fondly': 3, 'turbulence': 3, 'establishments': 8, 'unworthy': 14, 'contended': 10, 'inconsistency': 2, 'perfidiousness': 2, 'shedding': 7, 'unsheathing': 2, 'overturn': 2, 'rumors': 24, 'monarchical': 5, 'tremendous': 11, 'advocates': 30, 'amendment': 90, 'levy': 5, 'sanctioning': 2, 'negligent': 2, 'dishonorable': 10, 'youthful': 17, 'realizing': 16, 'lodged': 13, 'concerns': 17, 'confederated': 5, 'advisability': 2, 'resourceful': 6, 'delegate': 10, 'summon': 8, 'tardy': 3, 'revising': 4, 'anticipated': 11, 'selecting': 10, 'eminent': 13, 'thinkers': 5, 'theorists': 4, 'dickinson': 2, 'signers': 2, 'sherman': 22, 'wythe': 2, 'gerry': 6, 'clymer': 2, 'mifflin': 2, 'pinckney': 4, 'hildreth': 3, 'revised': 6, 'restrained': 12, 'revision': 19, 'paterson': 5, 'overthrown': 10, 'cited': 11, 'summoning': 5, 'revise': 3, 'amend': 3, 'depart': 5, 'authorization': 2, 'exceed': 9, 'reposed': 3, 'contentions': 3, 'randolph': 6, 'salvation': 14, 'reminding': 5, 'exist': 45, 'spokesmen': 9, 'consist': 30, 'vehemently': 7, 'challenged': 13, 'flatly': 3, 'gauntlet': 7, 'counsels': 8, 'declares': 5, 'greek': 6, 'hopelessly': 10, 'deadlocked': 2, 'aspirations': 5, 'placated': 3, 'counting': 16, 'acrimonious': 6, 'stressed': 2, 'excess': 26, 'dupes': 2, 'leveling': 3, 'licentiousness': 2, 'toned': 5, 'electors': 30, 'inferior': 19, 'requisite': 11, 'apportioning': 2, 'proposals': 16, 'confer': 15, 'tariffs': 20, 'retaliations': 2, 'discriminations': 8, 'menacing': 14, 'merits': 12, 'delivered': 24, 'nefarious': 2, 'mason': 29, 'slaveholder': 3, 'discourages': 2, 'despise': 12, 'enrich': 3, 'swamps': 7, 'continuous': 48, 'morality': 7, 'untroubled': 4, 'increases': 44, 'render': 29, 'speck': 5, 'overstocked': 2, 'prohibiting': 5, 'adamant': 3, 'federate': 4, 'stipulated': 3, 'concession': 8, 'runaway': 8, 'ebbed': 2, 'functions': 23, 'impeachment': 10, 'regal': 2, 'commonwealths': 6, 'continuity': 21, 'judiciary': 12, 'feebleness': 4, 'attributed': 25, 'emancipated': 11, 'insistence': 9, 'consenting': 2, 'deem': 7, 'checks': 7, 'balances': 3, 'framers': 5, 'ratifying': 5, 'appointments': 12, 'elective': 9, 'justly': 7, 'definition': 25, 'centralization': 4, 'removal': 109, 'gantlet': 3, 'covering': 41, 'specter': 2, 'specifying': 2, 'imposts': 7, 'excises': 4, 'allayed': 4, 'realized': 51, 'relying': 4, 'discredited': 7, 'desirable': 17, 'bodied': 5, 'clause': 16, 'interpreted': 9, 'construed': 9, 'spanning': 3, 'endowing': 2, 'futilities': 2, 'indulgent': 5, 'tenderness': 97, 'debtor': 4, 'unceasingly': 6, 'uniformly': 8, 'relaxing': 3, 'affording': 12, 'facilities': 10, 'suspending': 2, 'remitting': 2, 'debtors': 8, 'practices': 9, 'emit': 4, 'interfered': 21, 'agreements': 6, 'inserted': 23, 'venturous': 2, 'radicals': 12, 'equipped': 11, 'suppress': 15, 'insurrections': 4, 'violations': 5, 'ratified': 27, 'amended': 3, 'mandate': 2, 'amendments': 20, 'revisions': 2, 'rejection': 8, 'thereafter': 5, 'recommendation': 10, 'deciding': 9, 'recalcitrant': 4, 'decreed': 10, 'fourths': 15, 'model': 14, 'storms': 6, 'fraudulent': 3, 'usurpation': 2, 'monster': 12, 'declaimed': 3, 'sarcastically': 7, 'federalist': 32, 'tempest': 4, 'expounded': 4, 'wisest': 6, 'weightiest': 2, 'partisanship': 5, 'dishonor': 4, 'celebrating': 4, 'unanimously': 4, 'votes': 61, 'influenced': 22, 'undecided': 14, 'marshal': 67, 'sloop': 3, 'ebullient': 2, 'journalist': 5, 'rocks': 4, 'overwhelmingly': 2, 'importunities': 2, 'chancellor': 8, 'farrand': 2, 'essays': 4, 'mclaughlin': 2, 'narrate': 3, 'compromises': 6, 'embodied': 4, 'amending': 3, 'judicious': 4, 'knox': 3, 'department': 35, 'justices': 3, 'doubter': 2, 'conciliate': 3, 'inauguration': 17, 'plaudits': 2, 'animation': 32, 'inevitably': 33, 'ardent': 15, 'embitter': 2, 'dispositions': 36, 'vanquished': 11, 'bosoms': 2, 'abridging': 4, 'peaceably': 4, 'guaranteed': 7, 'reassure': 11, 'delegated': 7, 'respectively': 11, 'eleventh': 8, 'permitting': 7, 'sued': 2, 'funding': 14, 'declarations': 5, 'mounting': 11, 'indebtedness': 5, 'consolidated': 10, 'holders': 13, 'assumption': 32, 'consolidation': 8, 'subscribed': 6, 'speculative': 5, 'purchasers': 6, 'reimbursed': 2, 'redeeming': 2, 'reasonably': 10, 'flint': 6, 'honestly': 8, 'redeem': 5, 'deferring': 3, 'sharpest': 3, 'anticipating': 5, 'rash': 8, 'deadlock': 9, 'intervened': 6, 'mustered': 8, 'potomac': 4, 'locating': 2, 'safeguards': 5, 'accrue': 4, 'enhancing': 2, 'available': 38, 'hotly': 6, 'cogency': 2, 'recommendations': 3, 'closeness': 4, 'keenness': 3, 'impress': 13, 'design': 17, 'undermine': 7, 'lend': 12, 'straightforward': 4, 'sharpness': 3, 'partisan': 12, 'federalists': 54, 'anti': 77, 'soften': 15, 'asperity': 2, 'contestants': 5, 'resigned': 8, 'negotiation': 12, 'halting': 13, 'disliking': 2, 'strenuous': 9, 'shrewd': 15, 'negotiator': 3, 'variance': 6, 'cherishing': 3, 'riches': 11, 'sores': 44, 'revolutions': 12, 'insidious': 17, 'morals': 6, 'substantial': 10, 'sustenance': 2, 'trusting': 4, 'innate': 5, 'champion': 10, 'scientific': 13, 'excise': 19, 'distilled': 4, 'funded': 2, 'stills': 2, 'fiscal': 7, 'districts': 11, 'mobbed': 2, 'nullify': 4, 'flared': 12, 'obdurate': 5, 'congressmen': 5, 'disaffected': 2, 'distracted': 12, 'disputes': 28, 'depths': 23, 'extravagance': 3, 'nobility': 32, 'commoners': 3, 'bastille': 4, 'symbol': 7, 'absolutism': 2, 'stormed': 10, 'proclaiming': 7, 'vesting': 3, 'marvelous': 4, 'frugal': 4, 'unpretentious': 2, 'lineage': 2, 'commonwealth': 12, 'travelers': 12, 'republicanism': 4, 'ruling': 13, 'dalliance': 2, 'conservatives': 6, 'philanthropy': 8, 'aides': 18, 'youths': 5, 'propagated': 3, 'deplorable': 4, 'imitation': 8, 'powerfully': 5, 'heeled': 2, 'attendance': 23, 'surprising': 16, 'applause': 8, 'soberly': 2, 'memento': 3, 'transplanted': 10, 'vindication': 7, 'profuse': 21, 'congratulations': 7, 'enraged': 5, 'plotted': 3, 'monarchs': 15, 'assembling': 4, 'champs': 2, 'mars': 4, 'disperse': 18, 'jacobins': 4, 'jacobin': 4, 'monastery': 10, 'convoked': 2, 'scaffold': 3, 'raging': 7, 'counter': 16, 'dictatorship': 5, 'atrocities': 5, 'auspiciously': 2, 'degenerated': 5, 'bloodthirsty': 6, 'reflections': 19, 'monsters': 3, 'mourning': 9, 'glories': 3, 'wept': 28, 'plumage': 3, 'forgetting': 32, 'boasted': 10, 'retorts': 2, 'fangled': 2, 'condemn': 12, 'atheistical': 2, 'anarchical': 2, 'immoral': 4, 'editors': 6, 'patrons': 3, 'vehicles': 22, 'slander': 3, 'aggravatedly': 2, 'infamous': 10, 'detestable': 4, 'clubs': 8, 'coalition': 5, 'banquet': 8, 'excellency': 129, 'decried': 2, 'toastmaster': 2, 'disturbs': 3, 'calumny': 2, 'indefinitely': 10, 'confiscate': 3, 'fuel': 9, 'genet': 6, 'fervor': 6, 'wined': 2, 'dined': 20, 'ovations': 2, 'neutrality': 17, 'unmoved': 4, 'manifestoes': 3, 'dreading': 4, 'ratify': 8, 'stoned': 6, 'effigy': 5, 'retires': 4, 'maturing': 2, 'improper': 10, 'mount': 18, 'vernon': 5, 'presidential': 34, 'treasured': 2, 'remonstrated': 3, 'cautioned': 2, 'wiles': 2, 'remote': 20, 'vicissitudes': 4, 'friendships': 4, 'enmities': 2, 'forego': 3, 'steer': 5, 'alliances': 7, 'suitable': 32, 'defensive': 11, 'posture': 7, 'emergencies': 4, 'democrat': 14, 'despised': 18, 'nominee': 4, 'conciliating': 2, 'studious': 3, 'speaker': 26, 'forgave': 5, 'monocrat': 2, 'popularity': 10, 'directory': 6, 'rebuke': 6, 'overlooking': 3, 'affront': 2, 'referring': 20, 'frenchmen': 51, 'demands': 33, 'y': 40, 'z': 9, 'loudest': 5, 'napoleon': 608, 'consul': 5, 'alien': 34, 'expel': 5, 'imprison': 4, 'machinations': 2, 'penalized': 4, 'scandalous': 3, 'malicious': 4, 'defame': 2, 'discontents': 2, 'caustic': 14, 'criticisms': 8, 'bystanders': 2, 'ungenerous': 2, 'prosecutions': 4, 'saddled': 11, 'silencing': 2, 'censure': 10, 'transmitted': 22, 'replies': 19, 'reaffirmed': 2, 'nullification': 36, 'rightful': 4, 'defied': 3, 'fraught': 3, 'unturned': 3, 'odium': 3, 'approving': 7, 'discredit': 3, 'epithets': 2, 'anarchists': 4, 'weakened': 13, 'electoral': 21, 'faction': 10, 'demagogues': 3, 'priests': 15, 'cartoon': 6, 'indicating': 30, 'aaron': 6, 'burr': 7, 'intriguing': 5, 'appease': 4, 'gallatin': 3, 'footnotes': 5, 'repetition': 11, 'entertained': 10, 'foes': 11, 'competent': 9, 'interpret': 5, 'provincialism': 4, 'prescribes': 2, 'accord': 30, 'pomp': 6, 'procedure': 26, 'stead': 3, 'messages': 7, 'unbroken': 17, 'esteem': 13, 'discharging': 5, 'impeached': 2, 'convict': 8, 'intrench': 2, 'judgeships': 2, 'depriving': 10, 'removals': 3, 'hewed': 2, 'modifications': 9, 'dissolve': 6, 'inaugural': 7, 'undisturbed': 14, 'monuments': 8, 'reciting': 4, 'improvement': 33, 'felicities': 2, 'ahead': 44, 'reestablish': 4, 'enact': 12, 'nullifiers': 3, 'deliberate': 17, 'northwest': 49, 'minnesota': 14, 'untilled': 3, 'unexplored': 4, 'wildest': 2, 'refinements': 6, 'appreciate': 13, 'easterners': 2, 'comprehended': 5, 'undesirable': 9, 'unlearned': 3, 'beheld': 4, 'floated': 9, 'wheat': 39, 'bolts': 5, 'solicitude': 7, 'rocky': 7, 'tact': 15, 'allay': 7, 'rumor': 11, 'coerced': 3, 'scalers': 2, 'alps': 3, 'conquerors': 8, 'venice': 4, 'expeditions': 8, 'flooded': 9, 'cession': 13, 'habitual': 23, 'eighths': 2, 'assumes': 37, 'defiance': 10, 'fixes': 2, 'seals': 4, 'exclusive': 11, 'amiens': 2, 'fumed': 2, 'belabored': 3, 'endure': 28, 'issuing': 11, 'lamely': 3, 'confident': 33, 'ire': 2, 'connections': 31, 'hotch': 2, 'potch': 2, 'hauled': 2, 'hoisted': 2, 'coronado': 2, 'soto': 2, 'colorado': 14, 'valued': 16, 'billion': 11, 'explorations': 4, 'lewis': 6, 'divide': 15, 'journal': 9, 'zebulon': 4, 'explored': 9, 'penetrated': 11, 'territories': 44, 'southwest': 18, 'scouts': 10, 'blockades': 3, 'lull': 3, 'administrations': 10, 'hornets': 2, 'jeered': 3, 'refuge': 14, 'starvation': 12, 'brest': 2, 'elbe': 2, 'retaliated': 3, 'blockading': 4, 'isles': 2, 'terrifying': 6, 'rover': 2, 'countered': 3, 'blockade': 22, 'munitions': 7, 'milan': 6, 'complied': 3, 'confiscation': 8, 'dire': 4, 'flogged': 7, 'rovers': 2, 'stragglers': 9, 'nativity': 3, 'civilities': 3, 'submissively': 8, 'pried': 2, 'questioned': 24, 'handcuffed': 2, 'saints': 10, 'patrolled': 3, 'frigate': 4, 'chesapeake': 4, 'alleged': 24, 'deserters': 2, 'warship': 4, 'leopard': 2, 'belligerents': 8, 'shippers': 13, 'decade': 15, 'supplying': 12, 'napoleonic': 17, 'decrees': 8, 'disasters': 5, 'nile': 4, 'auxiliaries': 2, 'heeded': 2, 'executing': 10, 'dilemma': 5, 'distressing': 11, 'depredations': 3, 'clamor': 11, 'steered': 2, 'suggesting': 14, 'commodore': 11, 'preble': 3, 'evaded': 4, 'earnestness': 4, 'expedient': 9, 'embargo': 8, 'pathetic': 19, 'longshoremen': 2, 'violators': 2, 'shipment': 2, 'wry': 6, 'supine': 3, 'beset': 8, 'wrangling': 3, 'reelection': 6, 'unwritten': 6, 'halls': 5, 'stature': 6, 'tumble': 4, 'counselor': 2, 'trend': 9, 'tecumseh': 3, 'restlessness': 11, 'presaging': 2, 'checked': 23, 'tippecanoe': 6, 'harrison': 26, 'dubbed': 3, 'flair': 2, 'advocating': 7, 'westerners': 3, 'easiest': 4, 'abate': 6, 'savages': 5, 'southerners': 4, 'obviate': 3, 'acquisition': 15, 'unmindful': 3, 'embers': 5, 'adhering': 5, 'watchful': 7, 'knaves': 3, 'colored': 25, 'signing': 6, 'insulted': 12, 'detroit': 6, 'hull': 3, 'perry': 6, 'plattsburgh': 2, 'capitol': 3, 'argus': 2, 'consolation': 19, 'escapes': 31, 'inconclusive': 2, 'financially': 4, 'titanic': 3, 'exile': 12, 'elba': 3, 'horizon': 23, 'halted': 29, 'anxieties': 3, 'eventualities': 4, 'conceding': 2, 'surrendering': 6, 'skirmishing': 7, 'ghent': 2, 'rousing': 5, 'tavern': 15, 'sails': 3, 'embargoes': 2, 'completion': 4, 'perilously': 2, 'hamper': 3, 'justifiable': 3, 'obeying': 8, 'banner': 10, 'reminded': 26, 'extremists': 3, 'palpable': 11, 'infractions': 2, 'harmlessly': 3, 'waging': 4, 'taint': 6, 'unsound': 4, 'constitutionality': 7, 'reversal': 4, 'taunted': 6, 'colleagues': 11, 'annihilated': 3, 'perishes': 4, 'growers': 4, 'recur': 19, 'fostering': 2, 'tasks': 4, 'prestige': 10, 'deepening': 2, 'weaned': 2, 'unvexed': 4, 'marauders': 10, 'periodically': 5, 'hiding': 25, 'sanction': 10, 'pioneer': 14, 'ceding': 3, 'birthday': 7, 'sabine': 4, 'northwesterly': 3, 'constitutionally': 4, 'fashioning': 2, 'enunciation': 3, 'upheaval': 5, 'conquer': 10, 'republics': 3, 'undisguised': 2, 'holy': 53, 'russia': 194, 'czar': 7, 'autocratic': 6, 'maudlin': 2, 'verona': 2, 'incompatible': 3, 'mutually': 8, 'incidentally': 5, 'cooperate': 5, 'cooperating': 2, 'autocrats': 3, 'canning': 3, 'unwillingness': 3, 'acceding': 2, 'detach': 6, 'emancipate': 2, 'sedulously': 3, 'cherish': 7, 'cordial': 13, 'hemisphere': 9, 'squarely': 6, 'oppress': 5, 'unfriendly': 5, 'henceforth': 6, 'sovereignties': 3, 'assented': 15, 'precedent': 8, 'ordinance': 15, 'crawford': 4, 'wirt': 2, 'prohibit': 4, 'repudiated': 10, 'dred': 12, 'nationalist': 4, 'ranges': 16, 'exalt': 5, 'abilities': 2, 'sincere': 23, 'devotion': 30, 'cabin': 10, 'barest': 3, 'inured': 2, 'bestow': 7, 'comrades': 47, 'inclination': 10, 'ardor': 9, 'irony': 27, 'bitterest': 3, 'bench': 27, 'marbury': 6, 'vs': 10, 'violates': 4, 'rendering': 15, 'precedents': 4, 'binds': 2, 'defines': 3, 'trespass': 2, 'disappears': 19, 'violate': 4, 'departments': 10, 'unshaken': 3, 'felo': 2, 'se': 4, 'intending': 13, 'coordinate': 6, 'prescribe': 7, 'unelected': 2, 'solecism': 2, 'clinging': 10, 'annulling': 3, 'fletcher': 2, 'peck': 3, 'imposes': 3, 'mcculloch': 5, 'paralyze': 5, 'infringed': 4, 'validity': 5, 'cohens': 2, 'sheaves': 4, 'tribunal': 10, 'irrevocably': 3, 'generously': 4, 'range': 40, 'confers': 3, 'strait': 4, 'flexible': 6, 'delivering': 5, 'lincoln': 84, 'perish': 22, 'advent': 7, 'presidents': 16, 'sectionalism': 4, 'continual': 16, 'intervene': 9, 'risked': 6, 'wrangled': 4, 'clamored': 4, 'vowed': 4, 'factions': 7, 'proclamations': 5, 'exemplar': 2, 'reacted': 5, 'preyed': 2, 'raged': 5, 'intermission': 2, 'offender': 4, 'babcock': 3, 'gilman': 3, 'reddaway': 3, 'jeffersonians': 2, 'schafer': 7, 'peopled': 5, 'survive': 19, 'rail': 12, 'splitter': 3, 'sonorous': 6, 'rhetoric': 4, 'webster': 30, 'aflame': 3, 'sevier': 3, 'wielded': 4, 'tomahawk': 2, 'scalping': 2, 'fighter': 4, 'resentful': 2, 'garrisons': 2, 'survey': 11, 'townships': 2, 'township': 5, 'warrants': 5, 'entitling': 2, 'territorial': 19, 'eventual': 3, 'civilized': 12, 'lynch': 2, 'exploited': 3, 'autonomous': 3, 'marietta': 4, 'speculator': 6, 'symmes': 2, 'cincinnati': 7, 'holdings': 7, 'speculating': 2, 'claimant': 2, 'exorbitant': 2, 'occupiers': 2, 'monopolizers': 2, 'developing': 13, 'acre': 11, 'operator': 6, 'installment': 6, 'disposing': 5, 'installments': 2, 'ventures': 2, 'cheapness': 4, 'semi': 19, 'embark': 6, 'deferred': 4, 'payments': 14, 'forfeited': 2, 'handicaps': 3, 'intestate': 2, 'nineteenth': 23, 'englanders': 2, 'tilling': 4, 'redemptioner': 2, 'discharged': 19, 'achievement': 12, 'stimulus': 11, 'timothy': 4, 'recollections': 9, 'boatmen': 2, 'trappers': 5, 'droves': 2, 'forest': 77, 'bordermen': 2, 'foaming': 3, 'combers': 2, 'stations': 11, 'cattle': 43, 'genesee': 2, 'alexandria': 5, 'boonesboro': 2, 'headwaters': 5, 'flatboat': 3, 'destination': 11, 'gilbert': 3, 'imlay': 2, 'traveler': 20, 'waggon': 4, 'redstone': 2, 'canvass': 2, 'inns': 4, 'accommodation': 6, 'kettles': 2, 'brink': 5, 'rivulet': 3, 'journeying': 2, 'immigrant': 5, 'wheeling': 5, 'encountering': 7, 'sixteenth': 12, 'store': 13, 'discontented': 8, 'emerson': 7, 'chillicothe': 2, 'abbot': 2, 'baldwin': 2, 'cutler': 2, 'huntington': 2, 'putnam': 2, 'sargent': 2, 'fairfield': 2, 'trumbull': 2, 'northward': 6, 'kentuckians': 2, 'horns': 13, 'wabash': 2, 'statehood': 11, 'indianians': 2, 'corydon': 2, 'erudite': 2, 'properly': 22, 'wording': 5, 'numbered': 9, 'bustle': 13, 'apace': 3, 'fulfill': 21, 'passes': 23, 'amicably': 2, 'linger': 4, 'consummated': 2, 'admitting': 24, 'kindlier': 2, 'manhood': 23, 'fleets': 2, 'favorite': 45, 'separating': 15, 'caste': 3, 'deriving': 6, 'equaled': 3, 'birthplace': 3, 'willingness': 8, 'childhood': 42, 'deer': 6, 'roughness': 6, 'rudeness': 6, 'neighborhood': 12, 'ancestry': 2, 'cultivates': 2, 'external': 101, 'decorations': 15, 'readiness': 21, 'acquaintances': 41, 'brook': 8, 'imaginary': 8, 'insults': 5, 'marking': 6, 'accentuated': 4, 'unsociable': 2, 'eagle': 10, 'middling': 2, 'cabins': 5, 'savored': 2, 'cartwright': 2, 'muscular': 75, 'eggleston': 2, 'hoosier': 2, 'powdered': 17, 'breeches': 22, 'agog': 2, 'spaniards': 6, 'neglect': 15, 'disgraced': 8, 'duel': 32, 'secession': 27, 'adjoining': 18, 'advancement': 6, 'connecting': 11, 'strengthening': 5, 'amazingly': 3, 'encounter': 28, 'prehistoric': 3, 'fulton': 6, 'inventor': 4, 'steamboat': 6, 'canal': 73, 'cement': 5, 'cow': 8, 'bushel': 6, 'scows': 2, 'piloted': 3, 'crescent': 2, 'transport': 30, 'essentials': 3, 'rainy': 6, 'sighted': 12, 'improvements': 28, 'canals': 36, 'highways': 12, 'emptying': 6, 'northwestern': 4, 'stagecoaches': 3, 'contractors': 4, 'vandalia': 2, 'ballasted': 2, 'coaches': 4, 'portages': 4, 'completing': 3, 'connect': 5, 'georgetown': 2, 'bulkiest': 2, 'ton': 8, 'primacy': 3, 'diversion': 7, 'scow': 2, 'traveled': 14, 'grecian': 2, 'louisville': 4, 'float': 7, 'upstream': 2, 'sickle': 5, 'mosaic': 3, 'census': 9, 'andrew': 1170, 'hinsdale': 2, 'hulbert': 3, 'benton': 4, 'predominate': 11, 'prophesied': 5, 'dominate': 7, 'affinity': 9, 'strangely': 25, 'fulfillment': 10, 'strongholds': 2, 'consistency': 4, 'depositary': 2, 'taxpaying': 3, 'enfranchised': 9, 'onerous': 4, 'disability': 21, 'senator': 46, 'disfranchised': 5, 'trinity': 5, 'thoughtlessly': 2, 'landless': 5, 'upheld': 4, 'disastrous': 16, 'witnessed': 23, 'thunderstorms': 2, 'earthquakes': 2, 'pillars': 7, 'vicious': 19, 'vagrant': 3, 'arabs': 2, 'tartar': 11, 'hordes': 4, 'chimera': 2, 'illiterate': 3, 'dorr': 5, 'voting': 7, 'overturned': 4, 'statue': 9, 'crammed': 2, 'mechanicks': 2, 'birthright': 3, 'objects': 19, 'promote': 20, 'parades': 4, 'unions': 54, 'collided': 4, 'lawmakers': 2, 'privileged': 5, 'richmond': 9, 'petitioning': 5, 'ordains': 2, 'creates': 3, 'odious': 6, 'vests': 2, 'abolition': 37, 'triumphs': 5, 'embarked': 5, 'innovations': 5, 'culminating': 5, 'universal': 38, 'sighed': 58, 'carlyle': 2, 'instruct': 5, 'boundless': 6, 'subsist': 2, 'rotation': 8, 'regardless': 20, 'rewarding': 4, 'fixing': 19, 'personnel': 3, 'unfits': 2, 'tends': 49, 'geologists': 2, 'veterinarians': 3, 'surveyors': 2, 'smacked': 4, 'havoc': 5, 'greedy': 5, 'thundering': 2, 'withdrawing': 13, 'climax': 9, 'experimented': 2, 'deliberative': 2, 'exploded': 3, 'tempestuous': 2, 'nominating': 10, 'candidates': 29, 'caucus': 10, 'congressional': 12, 'unavoidable': 11, 'nomination': 15, 'whereas': 12, 'rivalry': 7, 'ignominious': 3, 'swamped': 2, 'undisputed': 2, 'slaveholders': 3, 'graduate': 5, 'wrought': 9, 'afloat': 3, 'reconciled': 8, 'era': 11, 'poll': 4, 'inasmuch': 4, 'morally': 10, 'aristocrat': 3, 'spoon': 37, 'presidency': 22, 'deepened': 5, 'appropriations': 5, 'abominations': 5, 'advocacy': 2, 'embodiment': 2, 'intrepid': 3, 'endeared': 2, 'eating': 25, 'martyr': 6, 'apostle': 3, 'installation': 3, 'decorum': 6, 'throngs': 3, 'punch': 10, 'muddy': 20, 'cataclysm': 3, 'staid': 8, 'scented': 7, 'expelling': 2, 'inveterate': 2, 'poets': 4, 'lowell': 14, 'ridiculed': 6, 'succeeding': 7, 'outdoing': 2, 'predecessor': 6, 'installed': 5, 'abstruse': 2, 'ambiguous': 3, 'split': 16, 'foundries': 2, 'tersely': 2, 'ruining': 4, 'infant': 18, 'dumping': 2, 'secondly': 21, 'furnaces': 2, 'yankees': 2, 'energies': 6, 'rotted': 3, 'expanded': 14, 'cheapest': 3, 'overborne': 5, 'camel': 4, 'augusta': 3, 'verbal': 8, 'nullifies': 2, 'coerce': 3, 'thenceforth': 2, 'forthwith': 4, 'organize': 8, 'couched': 2, 'abhor': 2, 'subversive': 4, 'disunion': 3, 'upholds': 2, 'laconic': 3, 'directness': 3, 'impassioned': 7, 'contradicted': 5, 'unauthorized': 2, 'inconsistent': 6, 'indispensable': 10, 'enforcing': 3, 'propositions': 2, 'gradual': 25, 'reduction': 22, 'rescinded': 2, 'nullifying': 3, 'hayne': 8, 'clarification': 2, 'courtly': 5, 'lawfully': 4, 'mantle': 9, 'oblivion': 6, 'orations': 7, 'reestablished': 4, 'disciple': 3, 'conferring': 7, 'counterpoise': 2, 'panic': 21, 'corruption': 11, 'swears': 2, 'understands': 8, 'deposits': 10, 'derogation': 3, 'depositing': 2, 'panics': 4, 'appropriating': 2, 'deprecated': 3, 'ride': 55, 'shod': 7, 'obedient': 6, 'advisers': 11, 'preferring': 3, 'politician': 10, 'amos': 2, 'kendall': 2, 'informal': 3, 'communicating': 12, 'lightest': 3, 'strictest': 2, 'resolutely': 21, 'expunge': 2, 'condemnation': 6, 'lieutenants': 3, 'blurted': 2, 'willful': 5, 'unstable': 4, 'vetoes': 2, 'refractory': 5, 'flouted': 2, 'sap': 3, 'reputable': 2, 'omniscience': 2, 'evoke': 4, 'ridiculing': 3, 'haunted': 4, 'fatherless': 2, 'eminence': 4, 'gifts': 7, 'motley': 4, 'species': 15, 'hickory': 3, 'yoked': 2, 'nationalists': 2, 'protectionists': 2, 'fraternizing': 2, 'adroitly': 4, 'buren': 13, 'nominated': 23, 'martin': 8, 'democrats': 94, 'devotees': 2, 'hermitage': 2, 'contributory': 2, 'dominating': 4, 'boom': 15, 'unemployment': 5, 'depositaries': 2, 'captivating': 2, 'unjustly': 6, 'renominated': 4, 'signer': 2, 'laurels': 4, 'praiseworthy': 3, 'rode': 228, 'backwoodsman': 2, 'cider': 2, 'chieftain': 3, 'horde': 3, 'wolves': 12, 'besieged': 4, 'appeasing': 2, 'mortally': 7, 'annexation': 26, 'unseemly': 8, 'protectionist': 2, 'ashburton': 6, 'withdrew': 15, 'buffets': 3, 'biter': 2, 'acceptable': 5, 'reckoning': 12, 'soured': 2, 'espoused': 7, 'polk': 15, 'grains': 16, 'overthrowing': 3, 'manipulated': 2, 'bourbon': 3, 'stifle': 8, 'restrict': 6, 'philippe': 3, 'aldermen': 3, 'parade': 21, 'celebrate': 7, 'bourbons': 9, 'hurrahs': 3, 'europeans': 2, 'liberals': 4, 'optimism': 3, 'furthest': 3, 'tocqueville': 5, 'casual': 10, 'blemishes': 2, 'alexis': 10, 'mildly': 6, 'graces': 3, 'amongst': 10, 'publicist': 2, 'harriet': 10, 'martineau': 6, 'auctions': 2, 'impartially': 2, 'solidarity': 3, 'workings': 3, 'contrasted': 6, 'tillers': 4, 'observers': 7, 'fastidious': 2, 'trollope': 3, 'females': 6, 'reverence': 5, 'quarterly': 2, 'petulantly': 3, 'brigand': 8, 'dickens': 3, 'maimed': 4, 'ulcers': 120, 'sydney': 3, 'edinburgh': 26, 'franklins': 2, 'washingtons': 2, 'sages': 2, 'statesmanlike': 2, 'sting': 10, 'taunt': 2, 'resenting': 2, 'hasty': 8, 'superficial': 96, 'judgments': 2, 'indictments': 2, 'carping': 2, 'flaws': 2, 'burgess': 2, 'ostrogorski': 2, 'schurz': 4, 'unpopularity': 3, 'underlying': 20, 'dewey': 17, 'mcmaster': 11, 'q': 6, 'stretches': 10, 'waterway': 2, 'migratory': 5, 'expanses': 2, 'onrush': 2, 'consolidating': 2, 'paradise': 3, 'swarthy': 7, 'frontiersman': 3, 'potatoes': 14, 'filtered': 2, 'cherokee': 2, 'chills': 3, 'fevers': 3, 'ills': 4, 'sylvan': 2, 'lobby': 4, 'boon': 6, 'prim': 3, 'plying': 2, 'narrows': 2, 'ninety': 8, 'aliens': 11, 'naturalized': 3, 'shorn': 3, 'robed': 2, 'menard': 2, 'paddle': 4, 'barks': 2, 'fleur': 2, 'lis': 2, 'pontiac': 2, 'conspiracy': 15, 'hustling': 2, 'interlopers': 2, 'ranger': 4, 'grinding': 3, 'crowding': 19, 'ores': 3, 'wielders': 2, 'shovel': 7, 'vantage': 3, 'milwaukee': 3, 'scandinavians': 6, 'transforming': 4, 'erecting': 2, 'prairies': 7, 'swiftness': 6, 'dubuque': 2, 'davenport': 2, 'burlington': 2, 'academies': 2, 'iowans': 2, 'dakotas': 6, 'ojibways': 2, 'sioux': 4, 'mendota': 2, 'ply': 2, 'bartering': 3, 'marina': 3, 'croix': 3, 'checkerboards': 2, 'squares': 6, 'homestead': 27, 'majestic': 25, 'antiquity': 5, 'awaken': 7, 'missions': 4, 'blankets': 7, 'chopping': 3, 'draining': 3, 'breeding': 5, 'oven': 8, 'stove': 8, 'encompassed': 2, 'tedium': 2, 'prosaic': 2, 'sameness': 2, 'santa': 15, 'barbara': 6, 'kit': 6, 'carson': 2, 'bowie': 3, 'sam': 7, 'houston': 11, 'davy': 4, 'crockett': 4, 'fremont': 8, 'rio': 3, 'grande': 5, 'diversities': 2, 'unifying': 2, 'contrasts': 4, 'desert': 26, 'sage': 5, 'coyote': 2, 'shouldering': 4, 'winters': 3, 'quaint': 4, 'antonio': 5, 'tucson': 3, 'fragments': 22, 'dwellings': 2, 'dams': 5, 'aqueducts': 2, 'aridity': 4, 'diverse': 19, 'cowboys': 5, 'keepers': 2, 'drivers': 8, 'pilots': 2, 'pony': 5, 'riders': 9, 'fruit': 21, 'jacks': 2, 'smelter': 2, 'accorded': 7, 'shout': 24, 'minerals': 9, 'wordy': 2, 'lending': 4, 'persuasion': 4, 'virgin': 18, 'penetration': 3, 'omnipresent': 2, 'moses': 6, 'austin': 3, 'bexar': 2, 'closes': 7, 'schemes': 13, 'implements': 4, 'sentinels': 10, 'backwoods': 3, 'wielder': 3, 'niceties': 2, 'numbering': 4, 'repel': 7, 'invading': 20, 'ana': 3, 'texan': 3, 'alamo': 3, 'cottonwood': 2, 'jacinto': 3, 'annexing': 2, 'texans': 3, 'agitators': 5, 'aggression': 12, 'cupidity': 2, 'atrocious': 3, 'garrison': 12, 'treading': 7, 'imperialism': 11, 'reannexation': 3, 'warily': 2, 'extension': 59, 'fling': 6, 'groans': 15, 'abolitionists': 20, 'ostensible': 2, 'mexicans': 4, 'nueces': 3, 'thence': 11, 'northerly': 3, 'zachary': 4, 'taylor': 12, 'deemed': 15, 'spilled': 5, 'wanton': 5, 'objectors': 2, 'biglow': 2, 'sarcasm': 5, 'foregone': 2, 'nominate': 6, 'commodores': 2, 'sloat': 2, 'stockton': 2, 'kearney': 2, 'areas': 42, 'salve': 2, 'cancellation': 2, 'ultra': 3, 'mourned': 2, 'renomination': 3, 'buena': 2, 'vista': 3, 'em': 6, 'grape': 5, 'bragg': 3, 'reoccupation': 3, 'slogans': 3, 'warranted': 4, 'jointly': 4, 'astor': 2, 'astoria': 3, 'jason': 3, 'marcus': 3, 'whitman': 3, 'preaching': 5, 'plows': 6, 'cape': 4, 'horn': 19, 'preamble': 4, 'jurisdiction': 18, 'reiterated': 4, 'unquestionable': 4, 'pretension': 2, 'ninth': 10, 'vancouver': 2, 'prearranged': 6, 'mouse': 7, 'thy': 48, 'dreamed': 19, 'skippers': 2, 'pots': 4, 'pans': 2, 'californy': 2, 'anchor': 4, 'explorer': 3, 'pathfinder': 2, 'fe': 9, 'leavenworth': 3, 'caravans': 3, 'guarded': 8, 'marauding': 5, 'wiped': 19, 'thirst': 14, 'wagoners': 2, 'cottons': 2, 'ammunition': 17, 'mules': 3, 'unanswered': 3, 'ewing': 2, 'los': 4, 'angeles': 4, 'pathfinders': 2, 'initiated': 11, 'mechanical': 36, 'clinch': 3, 'sutter': 2, 'sacramento': 2, 'isthmus': 4, 'resulted': 28, 'californians': 2, 'inclusion': 3, 'toombs': 4, 'compromiser': 2, 'barren': 5, 'wastes': 3, 'mormons': 11, 'migrated': 5, 'indignant': 5, 'prophet': 4, 'brigham': 6, 'forlorn': 6, 'caravan': 4, 'redemption': 6, 'arid': 7, 'upbuilding': 2, 'blossom': 6, 'verily': 3, 'operative': 54, 'profiteer': 2, 'shrewdness': 2, 'befitting': 3, 'cooperative': 10, 'obstacles': 7, 'irrigation': 24, 'equitable': 4, 'byways': 2, 'converts': 4, 'convert': 11, 'dishes': 12, 'coal': 40, 'molders': 5, 'blessing': 18, 'bridges': 18, 'outlying': 11, 'deseret': 2, 'polygamy': 7, 'outsiders': 2, 'twin': 5, 'barbarism': 4, 'tabernacle': 3, 'solving': 4, 'boast': 5, 'smote': 5, 'parceling': 2, 'appropriation': 7, 'vetoing': 2, 'trackless': 2, 'willamette': 3, 'testing': 7, 'ripley': 4, 'rives': 2, 'mormon': 4, 'neihardt': 3, 'wayfaring': 2, 'mournfully': 4, 'conceded': 4, 'disgruntled': 4, 'pitted': 7, 'watchman': 10, 'goeth': 3, 'sanguine': 6, 'expectation': 19, 'untouched': 6, 'inventive': 2, 'unrecorded': 2, 'diaries': 2, 'wiseacres': 2, 'rarely': 87, 'speeches': 14, 'philosophies': 2, 'inventors': 3, 'watt': 4, 'boulton': 2, 'experimenting': 3, 'combining': 5, 'fitch': 2, 'stevens': 4, 'cooper': 8, 'slater': 2, 'pawtucket': 2, 'attaching': 6, 'cyrus': 2, 'linking': 5, 'mccormick': 3, 'reaper': 3, 'stagecoach': 6, 'inherited': 52, 'outstrips': 2, 'multitudinous': 3, 'warp': 3, 'woof': 3, 'industrialism': 3, 'uprush': 2, 'reversed': 5, 'shriveled': 12, 'bales': 3, 'surpassed': 4, 'output': 14, 'agrarian': 7, 'northeast': 5, 'sagely': 2, 'bagging': 3, 'grist': 2, 'monarchists': 2, 'pole': 23, 'diversified': 6, 'steamship': 4, 'noteworthy': 7, 'manufacturer': 9, 'chicago': 29, 'magnet': 2, 'stephen': 7, 'douglas': 30, 'raleigh': 3, 'atlanta': 7, 'chattanooga': 4, 'nashville': 6, 'mileage': 2, 'initiate': 5, 'overturning': 2, 'detached': 35, 'caprices': 2, 'casualties': 2, 'virginian': 2, 'draymen': 2, 'expresses': 10, 'bricklayers': 3, 'painters': 2, 'classed': 3, 'reveals': 6, 'divorced': 4, 'necessities': 5, 'enigma': 2, 'prophesy': 2, 'disappear': 46, 'furious': 10, 'mid': 7, 'forties': 3, 'potato': 12, 'tributes': 3, 'absentee': 2, 'intensely': 3, 'minority': 14, 'famine': 4, 'cottages': 2, 'misery': 19, 'foreground': 2, 'exaggeration': 5, 'irishmen': 2, 'germanic': 2, 'blight': 2, 'despotic': 2, 'palaces': 4, 'forerunners': 3, 'overlooked': 14, 'housewives': 3, 'spinsters': 2, 'loom': 3, 'recruited': 2, 'jenny': 3, 'masons': 10, 'handicrafts': 4, 'printers': 8, 'shoemakers': 4, 'milder': 10, 'indicted': 2, 'twenties': 2, 'thirties': 3, 'federations': 4, 'crafts': 7, 'mounted': 44, 'craftsmen': 5, 'plumbers': 2, 'mule': 3, 'spinners': 2, 'cutters': 3, 'forged': 5, 'perished': 23, 'elapse': 6, 'forecasting': 2, 'workingman': 3, 'requiring': 12, 'platforms': 11, 'crept': 10, 'newcastle': 2, 'extremist': 2, 'polls': 11, 'triumphantly': 10, 'illusory': 4, 'tammany': 4, 'unsparingly': 2, 'levellers': 2, 'rag': 7, 'tag': 3, 'bobtail': 2, 'deeming': 2, 'disfranchisement': 6, 'remnant': 6, 'reducing': 10, 'buyers': 3, 'tributaries': 6, 'cheaply': 3, 'lamenting': 4, 'severally': 2, 'untaxed': 2, 'steamers': 2, 'guards': 94, 'via': 4, 'quoted': 4, 'moneyed': 2, 'packer': 2, 'miller': 6, 'shipments': 3, 'drafts': 3, 'forging': 3, 'federalism': 2, 'sufficiency': 3, 'hogs': 3, 'earnings': 9, 'reciprocity': 4, 'distinctions': 7, 'hoes': 2, 'transshipments': 2, 'bottoms': 3, 'accumulations': 7, 'reckons': 2, 'chafe': 2, 'bearer': 3, 'expostulated': 2, 'feeding': 16, 'progeny': 2, 'statisticians': 3, 'generalities': 2, 'manipulation': 6, 'alluring': 2, 'resorts': 2, 'tiller': 3, 'subsidies': 4, 'justify': 22, 'analogy': 6, 'vassalage': 2, 'predominance': 8, 'disparity': 4, 'laborer': 6, 'repelling': 3, 'ruled': 15, 'mcduffie': 3, 'federative': 2, 'consists': 140, 'advantageously': 5, 'diametrically': 3, 'irreconcilably': 2, 'pecuniary': 4, 'diminution': 11, 'productions': 3, 'unqualified': 3, 'soundness': 5, 'economist': 5, 'prevailing': 5, 'antagonism': 5, 'attainment': 11, 'vigilant': 3, 'disinterested': 6, 'impulses': 17, 'watchword': 4, 'statesman': 11, 'overshadowed': 4, 'giants': 3, 'wright': 6, 'closer': 36, 'economically': 3, 'inventions': 3, 'discerned': 5, 'latent': 15, 'flamed': 5, 'emancipation': 24, 'domestics': 3, 'examples': 24, 'apprentices': 3, 'vestiges': 2, 'philosophically': 2, 'promoting': 13, 'appropriated': 7, 'deprecate': 2, 'sows': 2, 'discord': 8, 'exasperating': 3, 'animosities': 2, 'dogmatism': 2, 'agitator': 4, 'imperious': 3, 'liberator': 3, 'singleness': 3, 'apologized': 2, 'unconditional': 4, 'defiant': 4, 'equivocate': 2, 'inch': 16, 'vow': 6, 'apathy': 5, 'leap': 5, 'pedestal': 4, 'hissed': 5, 'lovejoy': 2, 'alton': 3, 'brutally': 3, 'admits': 10, 'whittier': 4, 'blast': 8, 'pirate': 4, 'fetters': 2, 'espousal': 2, 'aim': 109, 'excoriated': 2, 'speakers': 6, 'gag': 3, 'birney': 2, 'polled': 10, 'abolitionist': 4, 'reiteration': 2, 'wendell': 6, 'phillips': 8, 'tremble': 6, 'reflect': 18, 'academic': 5, 'perpetuating': 2, 'uplands': 4, 'fainter': 4, 'advances': 5, 'overshadow': 3, 'invincible': 6, 'beneficent': 8, 'pulpits': 2, 'elects': 2, 'jubilant': 2, 'seward': 12, 'contribute': 10, 'overwhelming': 5, 'dictate': 4, 'slaveholding': 3, 'chooses': 2, 'bias': 3, 'needful': 6, 'transmission': 9, 'mails': 6, 'inheres': 2, 'cordon': 3, 'kindred': 4, 'borrowers': 4, 'repayment': 3, 'aids': 3, 'cheaper': 5, 'overbalance': 2, 'entrenched': 7, 'reality': 31, 'wilmot': 8, 'proviso': 7, 'forevermore': 2, 'welfare': 54, 'alacrity': 3, 'augury': 2, 'convened': 5, 'gray': 90, 'allotted': 7, 'marshaled': 3, 'fugitive': 11, 'ichabod': 2, 'deploring': 2, 'totaled': 4, 'millard': 4, 'fillmore': 6, 'similarly': 20, 'repudiating': 2, 'guaranteeing': 5, 'locally': 12, 'obstructed': 11, 'obstructing': 4, 'stealing': 4, 'conclusively': 2, 'endorsed': 11, 'winfield': 2, 'staked': 6, 'meditate': 3, 'suffrages': 3, 'bud': 4, 'hamlets': 2, 'neighborhoods': 2, 'jails': 3, 'flee': 12, 'tubman': 2, 'headquarters': 47, 'accredited': 2, 'nineteen': 6, 'invasions': 3, 'calvin': 3, 'prisons': 7, 'lawless': 6, 'beecher': 5, 'stowe': 5, 'themes': 4, 'tom': 5, 'distortion': 4, 'dramatized': 2, 'topsy': 4, 'eva': 2, 'eliza': 4, 'legree': 2, 'hounds': 37, 'specters': 3, 'rub': 4, 'dub': 2, 'vogue': 8, 'transient': 9, 'shifting': 15, 'emboldened': 3, 'unwittingly': 3, 'avalanche': 3, 'fancied': 15, 'disillusioned': 3, 'terrific': 7, 'inscription': 6, 'wholly': 16, 'asunder': 3, 'ripon': 2, 'fusion': 7, 'soilers': 2, 'longfellow': 4, 'irving': 3, 'cullen': 2, 'bryant': 2, 'ralph': 3, 'waldo': 2, 'buchanan': 8, 'vaguely': 16, 'overruled': 2, 'overrule': 2, 'dogma': 2, 'heresy': 3, 'explicit': 5, 'afflicted': 4, 'railroad': 17, 'corporations': 27, 'banners': 7, 'invade': 19, 'reductions': 6, 'ascribed': 11, 'preparatory': 6, 'trenchant': 2, 'permanently': 21, 'squatter': 6, 'baking': 4, 'abe': 3, 'legalizing': 2, 'squared': 3, 'baffling': 3, 'insecure': 2, 'query': 4, 'raid': 8, 'sanguinary': 4, 'dagger': 12, 'samson': 3, 'armory': 2, 'harper': 6, 'ferry': 9, 'deaf': 11, 'clemency': 4, 'executioner': 6, 'tolled': 2, 'funeral': 13, 'inciting': 2, 'felon': 2, 'enthusiast': 4, 'brooded': 2, 'commissioned': 5, 'liberate': 5, 'teachings': 3, 'persistent': 41, 'denounce': 5, 'gravest': 2, 'chasm': 3, 'mildest': 4, 'yancey': 3, 'palter': 2, 'balloted': 2, 'irreconcilable': 2, 'disrupted': 4, 'unionists': 8, 'everett': 3, 'exorcise': 2, 'campaigned': 2, 'derision': 6, 'stenographic': 2, 'adroit': 7, 'plank': 5, 'candidacy': 3, 'radicalism': 3, 'sincerity': 10, 'lusty': 2, 'chadwick': 4, 'engle': 2, 'rhodes': 17, 'harding': 13, 'illustrating': 6, 'taney': 5, 'stephens': 3, 'fanatical': 2, 'diabolical': 2, 'suspense': 7, 'wires': 3, 'unfurled': 2, 'throng': 13, 'overboard': 3, 'fireworks': 6, 'champagne': 11, 'prayed': 27, 'bombardment': 4, 'seceded': 5, 'dissented': 4, 'seceding': 3, 'formulated': 9, 'elaborated': 5, 'answerable': 2, 'lawfulness': 2, 'abide': 7, 'insurrectionary': 2, 'retains': 7, 'voluntarily': 7, 'provisional': 3, 'safeguarded': 4, 'monetary': 7, 'formulate': 4, 'sapping': 2, 'nullified': 3, 'alarming': 6, 'untold': 4, 'conscription': 6, 'uphold': 6, 'expectations': 13, 'granary': 4, 'breakup': 2, 'hammond': 2, 'sufficiently': 33, 'motherless': 2, 'bleating': 2, 'mange': 2, 'parallels': 2, 'overcame': 8, 'reviewing': 5, 'thurlow': 2, 'pledges': 3, 'rock': 7, 'crittenden': 4, 'thirteenth': 12, 'disillusionment': 6, 'federals': 2, 'disappointing': 8, 'enrolled': 13, 'birth': 29, 'ages': 17, 'exemptions': 3, 'excusing': 3, 'crass': 3, 'sowed': 3, 'hundredfold': 2, 'drawings': 6, 'tribune': 4, 'gutted': 2, 'rioters': 2, 'residents': 9, 'resume': 12, 'volunteering': 2, 'thinning': 2, 'exemption': 3, 'hire': 6, 'construct': 7, 'dissipated': 8, 'appalling': 8, 'gamut': 2, 'incomes': 13, 'greenbacks': 13, 'depleted': 2, 'monitor': 5, 'paralysis': 76, 'wrapping': 7, 'runner': 4, 'literally': 8, 'emperor': 640, 'disrupting': 2, 'harassing': 2, 'vicksburg': 4, 'conditional': 5, 'mediator': 3, 'polite': 20, 'declining': 4, 'friendliness': 5, 'rams': 4, 'arbitration': 28, 'geneva': 6, 'cruisers': 5, 'fairness': 5, 'vindictive': 7, 'verging': 3, 'savoring': 2, 'wilkes': 2, 'trent': 2, 'slidell': 2, 'immune': 4, 'interfering': 20, 'antietam': 4, 'announcing': 9, 'frustrate': 4, 'suspend': 7, 'desiring': 7, 'thereof': 27, 'defining': 6, 'conspiracies': 3, 'newsboys': 2, 'secessionist': 2, 'wavered': 4, 'suspension': 3, 'emphatically': 5, 'bristling': 3, 'champions': 4, 'unsparing': 3, 'vallandigham': 3, 'unlimited': 9, 'despot': 4, 'stinging': 10, 'thrusts': 2, 'mitigate': 3, 'paroling': 2, 'shoot': 16, 'wily': 3, 'induces': 6, 'layman': 2, 'maneuvers': 22, 'strokes': 5, 'baldly': 2, 'exhaustion': 13, 'geography': 7, 'appalachian': 4, 'vindicating': 3, 'donelson': 3, 'rallied': 7, 'shiloh': 3, 'murfreesboro': 2, 'chickamauga': 3, 'initiative': 22, 'maneuver': 8, 'needless': 3, 'ulysses': 4, 'sidney': 3, 'johnston': 2, 'pemberton': 2, 'mcclellan': 4, 'burnside': 2, 'meade': 4, 'demoralization': 3, 'hammering': 6, 'pitiless': 5, 'appomattox': 5, 'underwood': 47, 'n': 60, 'defy': 5, 'scrutiny': 10, 'crowned': 11, 'erases': 2, 'interlines': 2, 'burn': 41, 'carnage': 2, 'sedgwick': 2, 'believes': 11, 'sentenced': 5, 'deserter': 4, 'sow': 5, 'grandly': 2, 'personalities': 4, 'invites': 2, 'huckster': 2, 'jobs': 3, 'boor': 2, 'merciless': 3, 'apostles': 4, 'dictator': 3, 'imperator': 2, 'whichever': 4, 'godlike': 2, 'trodden': 16, 'cessation': 6, 'repudiate': 3, 'assassin': 2, 'outran': 2, 'contested': 5, 'excluding': 10, 'gall': 5, 'wormwood': 8, 'upswing': 2, 'wonderment': 2, 'unrestricted': 3, 'presage': 2, 'follower': 3, 'manning': 2, 'grappled': 2, 'shortened': 7, 'overbalancing': 2, 'compensation': 20, 'serried': 4, 'consumer': 4, 'circumvented': 3, 'chartering': 2, 'reams': 2, 'deprive': 21, 'subjection': 9, 'municipal': 19, 'ordinances': 3, 'bakeshops': 2, 'erroneously': 3, 'centralized': 3, 'involving': 19, 'apex': 5, 'oratory': 4, 'withering': 2, 'blasts': 2, 'readmit': 2, 'secede': 3, 'corollary': 2, 'function': 58, 'implication': 10, 'participated': 4, 'homeless': 4, 'instructing': 4, 'acquittal': 2, 'lacked': 14, 'enacts': 2, 'readmitted': 2, 'animus': 2, 'participation': 15, 'knell': 2, 'arbitrarily': 8, 'baggers': 3, 'unstinted': 3, 'deliberations': 6, 'aggravated': 19, 'prescriptions': 3, 'admittedly': 4, 'guise': 9, 'vagrancy': 2, 'apprentice': 3, 'renting': 5, 'divisions': 21, 'leasing': 2, 'immunities': 4, 'theaters': 7, 'conveyances': 2, 'supervising': 3, 'badges': 3, 'greece': 6, 'rome': 13, 'fratricidal': 2, 'aggregations': 4, 'wheatfields': 2, 'illusion': 5, 'dominated': 12, 'pollard': 3, 'digest': 5, 'tabulate': 2, 'emphasize': 5, 'briefer': 2, 'subverted': 2, 'cataclysms': 2, 'enfranchise': 2, 'legislator': 2, 'scalawags': 2, 'carnival': 2, 'clocks': 2, 'chandeliers': 2, 'devastation': 2, 'torch': 7, 'ruins': 13, 'warehouses': 4, 'gardens': 12, 'flower': 19, 'burnt': 9, 'fencing': 9, 'despoiled': 2, 'dilapidated': 3, 'demoralized': 2, 'illustrates': 2, 'pocahontas': 2, 'decatur': 4, 'trestle': 2, 'tanks': 2, 'weeds': 2, 'fluid': 101, 'prostrate': 9, 'inflated': 2, 'bursting': 17, 'valueless': 3, 'overdue': 2, 'executions': 7, 'camelia': 4, 'defenceless': 2, 'indignities': 2, 'wrongs': 8, 'brutal': 7, 'widows': 6, 'wizard': 5, 'decked': 2, 'robes': 3, 'horseman': 7, 'witching': 2, 'unofficially': 2, 'unmercifully': 2, 'anticipation': 7, 'freedman': 3, 'loath': 2, 'deterred': 2, 'appearing': 24, 'amnesty': 13, 'heal': 41, 'repress': 9, 'carl': 4, 'exhort': 3, 'proscription': 2, 'relent': 2, 'redouble': 3, 'rider': 17, 'hayes': 13, 'invalid': 16, 'cooling': 5, 'marshals': 27, 'deputies': 3, 'supervisors': 2, 'remnants': 3, 'populist': 9, 'tillman': 2, 'indirection': 2, 'prospective': 5, 'disfranchise': 2, 'educational': 17, 'indicates': 20, 'refuses': 5, 'unimpaired': 2, 'unquestionably': 4, 'provides': 5, 'deprives': 5, 'mindful': 6, 'endangering': 2, 'undone': 6, 'unionist': 3, 'adhere': 9, 'silenced': 6, 'misrule': 2, 'domination': 6, 'populists': 13, 'bryan': 26, 'acreage': 2, 'rented': 3, 'irksome': 4, 'reasserted': 2, 'diversification': 3, 'concurrent': 3, 'agriculturists': 3, 'depending': 10, 'alluvial': 2, 'peaches': 2, 'oranges': 2, 'peanuts': 2, 'luxuriantly': 2, 'refrigeration': 3, 'steamships': 3, 'cars': 8, 'vegetable': 6, 'gardeners': 2, 'relied': 5, 'foodstuffs': 2, 'spindles': 6, 'mineral': 12, 'strides': 9, 'ore': 4, 'basins': 3, 'pools': 6, 'lumbering': 3, 'outstripping': 3, 'exchanges': 2, 'outlets': 2, 'ante': 4, 'bellum': 2, 'assimilated': 5, 'monopolized': 2, 'zealously': 4, 'intensive': 5, 'fertility': 4, 'rehabilitation': 3, 'trips': 2, 'carpentry': 2, 'bricklaying': 2, 'blacksmithing': 2, 'transference': 11, 'scholarship': 3, 'transplantation': 14, 'hosts': 7, 'earners': 9, 'congestion': 22, 'memphis': 4, 'cleveland': 43, 'perplex': 3, 'doles': 2, 'regularly': 10, 'leases': 3, 'courses': 10, 'overcrowding': 3, 'mowed': 2, 'barter': 2, 'renter': 2, 'renters': 2, 'aptitude': 5, 'emancipators': 2, 'unchanging': 8, 'momentum': 11, 'separatist': 2, 'irresistibly': 12, 'grady': 2, 'herbert': 3, 'murphy': 9, 'southerner': 2, 'subdivisions': 3, 'enfranchisement': 7, 'plight': 13, 'dunning': 5, 'sparks': 11, 'presentation': 8, 'characterize': 3, 'virile': 4, 'unparalleled': 4, 'blazoned': 2, 'hampering': 2, 'confusing': 5, 'comprehend': 10, 'appraise': 3, 'undreamed': 2, 'spanned': 2, 'triumphal': 3, 'tour': 13, 'mt': 2, 'breeze': 7, 'turbine': 2, 'crossing': 55, 'swifter': 2, 'airplane': 3, 'bethlehem': 2, 'mesh': 2, 'tentacles': 2, 'standardized': 4, 'comforts': 12, 'bounty': 4, 'lavish': 4, 'loan': 11, 'subscriptions': 2, 'engineered': 2, 'promotion': 20, 'brooks': 5, 'subsidiary': 4, 'component': 6, 'bonded': 2, 'subtracted': 2, 'strained': 15, 'outstripped': 4, 'fabulous': 2, 'unearthed': 2, 'prospectors': 5, 'fastness': 2, 'petroleum': 2, 'pumped': 2, 'wells': 6, 'pooling': 2, 'undertakings': 8, 'mightier': 3, 'rockefeller': 6, 'participant': 5, 'cordage': 2, 'consumers': 3, 'savings': 10, 'extensions': 2, 'billions': 4, 'adjunct': 2, 'mergers': 3, 'magnates': 9, 'concentrating': 6, 'comparable': 7, 'kingdoms': 3, 'disadvantageously': 2, 'laboratories': 2, 'partnerships': 4, 'monopolies': 11, 'economies': 2, 'extortion': 3, 'mercilessly': 3, 'bribed': 5, 'soulless': 2, 'tenths': 6, 'tenements': 2, 'hungary': 13, 'italians': 6, 'magyars': 2, 'czechs': 2, 'slovaks': 2, 'russians': 149, 'dispersed': 19, 'assimilate': 2, 'overcrowded': 2, 'artificially': 8, 'refineries': 2, 'multitudes': 2, 'charges': 19, 'intolerably': 3, 'judging': 22, 'gravitated': 2, 'enlargement': 55, 'pail': 3, 'idealists': 3, 'penniless': 2, 'rewards': 18, 'pensions': 10, 'liberality': 2, 'investor': 4, 'ascribing': 3, 'purged': 3, 'oblivious': 6, 'sympathized': 10, 'valiantly': 2, 'baser': 3, 'departing': 4, 'practiced': 6, 'indignantly': 4, 'replying': 29, 'thinly': 2, 'slightest': 26, 'tilden': 7, 'disfranchisements': 2, 'proscriptions': 2, 'engendered': 2, 'oppressors': 3, 'uplifting': 2, 'inelegant': 2, 'grover': 7, 'decoration': 7, 'garfield': 10, 'savior': 5, 'firmament': 4, 'asset': 3, 'managers': 7, 'benefited': 4, 'chester': 4, 'assassination': 5, 'plurality': 2, 'boss': 6, 'plundered': 7, 'ringleader': 2, 'bosses': 11, 'offenses': 3, 'marred': 2, 'betrayals': 2, 'revelation': 9, 'rife': 3, 'distillers': 2, 'evade': 3, 'bribes': 4, 'probe': 16, 'malodorous': 3, 'frauds': 4, 'overpayment': 2, 'asterisks': 2, 'veritable': 4, 'conversant': 4, 'spoilsmen': 3, 'ode': 2, 'centennial': 2, 'biting': 10, 'plunder': 11, 'martyrs': 2, 'spiteful': 7, 'sadness': 17, 'degradation': 4, 'kakistocracy': 2, 'greeley': 10, 'indicting': 2, 'retaining': 10, 'resentments': 2, 'routed': 7, 'lesson': 12, 'theodore': 29, 'profiting': 3, 'mugwumps': 4, 'headway': 2, 'capitals': 6, 'opportune': 5, 'blaine': 7, 'honesty': 3, 'ward': 14, 'integrity': 10, 'milliners': 2, 'dilettanti': 2, 'knights': 24, 'reminiscence': 3, 'enriching': 2, 'praised': 14, 'sickened': 2, 'partisans': 5, 'heedless': 7, 'balloting': 2, 'inequitable': 2, 'illogical': 5, 'reticent': 4, 'descendant': 4, 'decisively': 4, 'haney': 2, 'swank': 2, 'copeland': 2, 'bryce': 6, 'ida': 3, 'tarbell': 3, 'fairchild': 2, 'warne': 2, 'hourwich': 2, 'exclusionist': 2, 'stanwood': 3, 'industrialized': 2, 'sponsored': 2, 'fluctuating': 14, 'jenks': 2, 'lauck': 2, 'haworth': 20, 'undeveloped': 3, 'idaho': 9, 'terminus': 2, 'roamed': 2, 'tribe': 5, 'northerners': 2, 'leland': 3, 'stanford': 3, 'ranchmen': 2, 'omaha': 2, 'ogden': 2, 'spike': 3, 'demonstration': 10, 'revival': 8, 'yuma': 3, 'helena': 6, 'puget': 2, 'plowed': 7, 'drake': 2, 'atchison': 2, 'topeka': 2, 'albuquerque': 2, 'needles': 25, 'fondest': 3, 'precede': 8, 'baggage': 40, 'afield': 2, 'tedious': 7, 'unequaled': 2, 'canon': 5, 'paved': 4, 'agriculturalist': 2, 'imaginative': 4, 'elevators': 2, 'locations': 7, 'dwellers': 3, 'virginias': 2, 'lender': 3, 'jim': 3, 'hasn': 10, 'haul': 6, 'manless': 2, 'fares': 2, 'responding': 4, 'productivity': 3, 'drainage': 30, 'ditching': 2, 'tiling': 2, 'hampered': 4, 'slacken': 3, 'conservation': 17, 'japan': 22, 'japanese': 15, 'promoter': 4, 'jennies': 2, 'yokohama': 2, 'warlike': 11, 'gangs': 3, 'custer': 2, 'brushes': 2, 'reservations': 6, 'raisers': 4, 'tractable': 2, 'reservation': 6, 'ranch': 8, 'cowboy': 10, 'famed': 3, 'herds': 4, 'seasons': 4, 'ponies': 2, 'homesteaders': 2, 'fenced': 2, 'barbed': 2, 'jeopardized': 2, 'pasture': 5, 'empting': 2, 'corrals': 2, 'disappoints': 2, 'breed': 7, 'deteriorated': 2, 'companionship': 3, 'cheyenne': 2, 'outfits': 2, 'blocks': 6, 'settler': 2, 'stipulation': 2, 'waived': 2, 'occupancy': 2, 'scandinavian': 2, 'arable': 4, 'bonanza': 2, 'anita': 2, 'vineyards': 2, 'orchards': 2, 'pastures': 3, 'ranches': 5, 'rainfall': 2, 'saxons': 3, 'mastered': 5, 'commiseration': 5, 'scoop': 3, 'ditch': 10, 'stumps': 7, 'ranchers': 3, 'miner': 9, 'gushers': 2, 'soused': 2, 'thirsty': 6, 'loam': 2, 'invest': 4, 'reclamation': 12, 'powell': 2, 'courageous': 3, 'weapons': 13, 'transit': 3, 'drill': 9, 'dredge': 2, 'spade': 3, 'mapped': 3, 'undismayed': 3, 'savageness': 2, 'countenance': 10, 'spat': 3, 'irrigating': 2, 'ditches': 5, 'submissive': 11, 'aloe': 2, 'alfalfa': 2, 'mesquite': 2, 'maize': 2, 'cactus': 2, 'chapters': 4, 'epics': 2, 'egypt': 7, 'mesopotamia': 2, 'sudan': 2, 'metaphorically': 2, 'arizonians': 2, 'carnegie': 4, 'wielding': 2, 'prodded': 3, 'laguna': 2, 'leagues': 6, 'associations': 8, 'metamorphosis': 2, 'sagebrush': 2, 'grazed': 3, 'browsing': 2, 'ranchman': 2, 'dispersing': 8, 'washed': 24, 'feverish': 25, 'alder': 2, 'gulch': 4, 'butte': 2, 'oats': 16, 'cereals': 3, 'clip': 6, 'logging': 2, 'foe': 22, 'homemakers': 2, 'treeless': 3, 'mountainous': 3, 'primeval': 2, 'upkeep': 3, 'sawmills': 3, 'smelters': 3, 'refine': 2, 'packing': 35, 'salmon': 6, 'canneries': 2, 'seasonal': 3, 'millionaires': 6, 'rating': 3, 'reviews': 7, 'hobnob': 2, 'caucuses': 4, 'denver': 3, 'civic': 4, 'tabor': 2, 'endowment': 2, 'cody': 2, 'aggressive': 10, 'overseers': 3, 'plowmen': 3, 'harvesters': 2, 'cattlemen': 2, 'volunteer': 8, 'vigilantes': 2, 'editorial': 3, 'precipitate': 3, 'leadville': 2, 'creek': 4, 'huts': 9, 'swarming': 6, 'swelling': 168, 'fjords': 2, 'norway': 4, 'dakotans': 2, 'systematically': 3, 'plural': 4, 'marriages': 7, 'gentile': 2, 'rounding': 2, 'bugle': 3, 'guthrie': 2, 'chocolate': 7, 'tubs': 8, 'manhattan': 2, 'blessings': 5, 'brighten': 2, 'visitation': 2, 'dissolving': 2, 'diego': 2, 'riding': 72, 'pullman': 8, 'scornfully': 4, 'supplants': 2, 'elevator': 4, 'unloading': 4, 'bushels': 5, 'refrigerator': 2, 'car': 8, 'baked': 6, 'dakotan': 2, 'dairy': 3, 'lenders': 3, 'accelerated': 3, 'timidly': 37, 'poorest': 4, 'cultivating': 2, 'subsistence': 4, 'expand': 7, 'herein': 5, 'troy': 4, 'advantageous': 19, 'compensate': 4, 'leviathan': 2, 'hawaiian': 6, 'honolulu': 2, 'hongkong': 2, 'mats': 3, 'peking': 4, 'soils': 2, 'conserving': 3, 'constrained': 8, 'inman': 2, 'dodge': 3, 'shinn': 2, 'cy': 2, 'warman': 2, 'hough': 2, 'hittel': 2, 'olin': 2, 'smythe': 3, 'millis': 2, 'meany': 2, 'smalley': 2, 'ranching': 2, 'cautiously': 13, 'partiality': 4, 'indulgence': 10, 'indecision': 13, 'senatorial': 2, 'muddled': 4, 'nebulous': 2, 'bondholders': 2, 'coupon': 3, 'skyward': 2, 'stationary': 17, 'discontinuance': 2, 'shrill': 14, 'rejoice': 11, 'thou': 43, 'greenback': 7, 'thee': 27, 'sing': 37, 'sipping': 4, 'parity': 4, 'suicidal': 6, 'contemplated': 5, 'metals': 4, 'personage': 17, 'maintaining': 16, 'circulate': 5, 'exceeds': 5, 'ratio': 12, 'undervalued': 3, 'coinage': 14, 'melted': 14, 'demonetized': 2, 'enacting': 2, 'mintage': 2, 'discontinued': 2, 'mint': 2, 'demonetization': 4, 'lodes': 2, 'mints': 3, 'affirmed': 3, 'occupants': 2, 'mortgaged': 3, 'shrinkage': 2, 'percentage': 6, 'equity': 5, 'contracted': 22, 'equities': 2, 'allison': 2, 'monthly': 9, 'stemmed': 2, 'redeemable': 2, 'ambiguity': 3, 'buoyed': 2, 'statute': 5, 'fluctuation': 20, 'align': 2, 'substantially': 3, 'reformed': 3, 'checkmated': 2, 'babes': 2, 'beneficiaries': 2, 'sponsors': 4, 'professors': 3, 'socialists': 15, 'bombs': 5, 'grangers': 7, 'pervaded': 4, 'seventies': 3, 'prescribing': 4, 'transporting': 4, 'discriminating': 5, 'shipper': 2, 'rebates': 3, 'unreasonable': 12, 'platt': 10, 'onward': 3, 'stressing': 4, 'greenbackers': 7, 'monopolists': 2, 'prohibitionists': 2, 'composite': 4, 'convertible': 2, 'graduated': 7, 'corruptly': 3, 'usurped': 2, 'acrid': 4, 'shamelessly': 2, 'affiliation': 2, 'husbandry': 3, 'lodges': 12, 'granges': 3, 'fraternity': 3, 'tenders': 2, 'doomed': 6, 'muzzled': 2, 'colossal': 4, 'postal': 5, 'telegraphs': 2, 'referendum': 18, 'augments': 2, 'intervening': 10, 'portentous': 2, 'populism': 5, 'alienating': 3, 'thronged': 7, 'altgeld': 2, 'eugene': 7, 'debs': 7, 'strikers': 2, 'fanning': 4, 'choate': 2, 'socialistic': 7, 'populistic': 2, 'averting': 4, 'repudiation': 2, 'villainies': 2, 'gauge': 3, 'defection': 3, 'arrayed': 3, 'wreckers': 2, 'bimetallist': 2, 'unequivocal': 2, 'indorsement': 2, 'counselors': 2, 'reprehensible': 4, 'disruption': 5, 'praise': 17, 'vilas': 2, 'credits': 2, 'repose': 8, 'thorns': 5, 'strident': 2, 'aggressors': 3, 'jennings': 3, 'voiced': 5, 'toiling': 4, 'earner': 2, 'bets': 3, 'climb': 7, 'cliffs': 4, 'scorned': 3, 'mocked': 2, 'entreat': 7, 'fates': 2, 'cheering': 3, 'deafening': 13, 'tiberius': 2, 'gracchus': 2, 'triumphed': 3, 'indianapolis': 2, 'recalling': 22, 'recurred': 10, 'pursuance': 3, 'hereafter': 3, 'reinforced': 3, 'legislators': 3, 'executioners': 2, 'outrivaled': 2, 'lavishly': 2, 'posters': 3, 'handbills': 2, 'auditoriums': 2, 'delegations': 3, 'canton': 3, 'processions': 3, 'embittered': 6, 'lease': 4, 'forefront': 2, 'nelson': 2, 'dingley': 6, 'levying': 4, 'refining': 2, 'twelvemonth': 3, 'flotation': 2, 'intimately': 12, 'intertwined': 2, 'vanderbilts': 3, 'rockefellers': 2, 'mammoth': 3, 'constitute': 26, 'taussig': 2, 'laughlin': 2, 'bimetallism': 2, 'hepburn': 5, 'seligman': 3, 'buck': 3, 'granger': 3, 'dixon': 2, 'meyer': 2, 'ely': 3, 'quantity': 41, 'determines': 9, 'nineties': 2, 'unfolded': 6, 'influencing': 4, 'perdicaris': 3, 'raisuli': 3, 'moroccan': 2, 'bandit': 3, 'brusque': 4, 'algiers': 2, 'caleb': 2, 'celestial': 4, 'exclaim': 4, 'protects': 6, 'manila': 10, 'occident': 2, 'inappropriate': 4, 'celebrates': 2, 'hundredth': 6, 'anniversary': 6, 'archduke': 16, 'maximilian': 3, 'insolent': 11, 'sheridan': 2, 'counseled': 3, 'sham': 3, 'squad': 4, 'denmark': 4, 'fruition': 2, 'misadventure': 2, 'santo': 11, 'domingo': 11, 'bide': 2, 'arbitrated': 2, 'vexing': 2, 'remonstrances': 3, 'disclaimed': 4, 'switzerland': 9, 'awarded': 8, 'claimants': 2, 'omen': 5, 'arbitrament': 2, 'samoa': 7, 'acquiring': 5, 'coaling': 3, 'tutuila': 4, 'samoan': 8, 'equator': 2, 'pago': 3, 'battleships': 8, 'dispelled': 4, 'tripartite': 3, 'protectorate': 8, 'spheres': 7, 'venezuela': 16, 'olney': 2, 'arbitrate': 3, 'fiat': 2, 'interposition': 2, 'invulnerable': 2, 'governmental': 6, 'intimating': 4, 'consequent': 9, 'portent': 2, 'bellicose': 2, 'courteously': 5, 'converting': 4, 'primitive': 8, 'liliuokalani': 2, 'righted': 4, 'controverted': 2, 'cavalier': 4, 'impugned': 2, 'betrayal': 4, 'mistaking': 5, 'cuban': 11, 'madrid': 9, 'ostend': 4, 'inimical': 4, 'wresting': 2, 'awfully': 11, 'revived': 8, 'decency': 3, 'tormented': 36, 'gomez': 2, 'provoking': 2, 'closure': 7, 'weyler': 3, 'camps': 10, 'transmuted': 2, 'misdeeds': 2, 'cubans': 6, 'scouting': 4, 'mediation': 5, 'tendered': 3, 'nuisance': 9, 'actively': 15, 'negotiates': 2, 'parry': 2, 'suave': 2, 'woodford': 2, 'lome': 5, 'senor': 2, 'expressing': 32, 'filched': 2, 'hearst': 2, 'negotiating': 4, 'battleship': 3, 'malevolence': 5, 'submarine': 14, 'magazines': 6, 'vehement': 5, 'pliable': 3, 'tenor': 7, 'performances': 5, 'armistice': 9, 'foreseeing': 4, 'militant': 3, 'inability': 15, 'leash': 13, 'relinquish': 3, 'pacification': 4, 'alertness': 3, 'admiral': 7, 'cervera': 2, 'schley': 3, 'santiago': 2, 'shafter': 4, 'shelled': 8, 'porto': 26, 'rico': 25, 'merritt': 2, 'protocol': 5, 'cognizance': 3, 'cambon': 2, 'ultimatum': 2, 'stipulating': 2, 'legitimate': 16, 'luzon': 3, 'philippine': 15, 'archipelago': 2, 'humanitarian': 2, 'heaviness': 4, 'guam': 4, 'committing': 4, 'tides': 2, 'undergone': 10, 'whitelaw': 2, 'reid': 2, 'tongues': 7, 'applaud': 2, 'unquestioning': 2, 'expansions': 2, 'contrive': 3, 'thwart': 2, 'joining': 20, 'vest': 6, 'hoar': 6, 'inveighed': 3, 'imperialistic': 3, 'vocabulary': 4, 'conveys': 3, 'blended': 6, 'freshly': 13, 'accomplishing': 3, 'evidences': 5, 'chamberlain': 4, 'kinsmen': 3, 'significantly': 18, 'coolly': 4, 'grizzly': 3, 'calm': 92, 'complications': 32, 'filipino': 5, 'adjusting': 8, 'aguinaldo': 3, 'dwindled': 3, 'vexatious': 4, 'costing': 6, 'insurrectionists': 2, 'filipinos': 7, 'warring': 5, 'supports': 7, 'catchwords': 2, 'pithy': 2, 'pregnant': 13, 'phrases': 15, 'affirm': 6, 'slay': 8, 'bury': 9, 'suggestions': 8, 'invitation': 19, 'quixotic': 2, 'repression': 2, 'steadfastly': 3, 'stint': 3, 'boxers': 3, 'lacerating': 3, 'tigers': 2, 'legations': 2, 'beleaguered': 2, 'carving': 3, 'tokyo': 4, 'respected': 23, 'acceded': 2, 'entity': 11, 'impartial': 6, 'scramble': 3, 'dismemberment': 2, 'spoliation': 2, 'students': 7, 'universities': 8, 'dupe': 2, 'chum': 2, 'kaiser': 6, 'pursuing': 11, 'renominating': 2, 'unorganized': 2, 'rescued': 10, 'whirlwind': 3, 'commercialism': 2, 'dictated': 6, 'sordid': 5, 'fails': 21, 'entailing': 4, 'militarism': 2, 'anarchist': 2, 'attending': 17, 'bier': 25, 'gentlest': 2, 'assassins': 2, 'bathtubs': 2, 'plants': 11, 'merged': 18, 'competitor': 3, 'injection': 61, 'latane': 6, 'coolidge': 3, 'mahan': 2, 'kalaw': 2, 'rowe': 2, 'unified': 2, 'hanna': 2, 'admirals': 2, 'sampson': 4, 'lawton': 2, 'comparisons': 2, 'breezy': 2, 'riddle': 3, 'biology': 3, 'eighties': 3, 'mugwump': 3, 'adhered': 6, 'erratic': 10, 'shrewdest': 2, 'confronting': 3, 'navigators': 2, 'clayton': 6, 'bulwer': 2, 'pauncefote': 2, 'nicaragua': 7, 'lesseps': 2, 'suez': 4, 'colombia': 4, 'bogota': 2, 'colombian': 3, 'exasperation': 7, 'jelly': 9, 'excavated': 2, 'contractor': 3, 'tropical': 11, 'diseases': 137, 'plague': 6, 'surmounting': 2, 'engineering': 3, 'sanitary': 4, 'criticize': 8, 'tolls': 2, 'russo': 7, 'unmarred': 2, 'manchuria': 2, 'agile': 5, 'nippon': 2, 'proprieties': 5, 'robbed': 8, 'defeating': 3, 'portsmouth': 2, 'presided': 4, 'ceremonies': 7, 'urbanity': 2, 'venezuelan': 9, 'rupture': 87, 'coaled': 2, 'dominican': 3, 'pertinently': 3, 'insignificant': 31, 'inadvisable': 3, 'alternatives': 2, 'armaments': 6, 'nicholas': 636, 'holocausts': 2, 'hampton': 2, 'contemplate': 10, 'dependencies': 4, 'interpretations': 3, 'homogeneous': 4, 'organic': 14, 'ricans': 2, 'secretaries': 5, 'initiating': 3, 'civilian': 20, 'adrift': 2, 'guiding': 6, 'incur': 3, 'infringements': 2, 'dissension': 3, 'acquiesced': 2, 'regarding': 26, 'orderly': 49, 'interviews': 3, 'lawbreaking': 2, 'betterment': 3, 'convictions': 9, 'politically': 3, 'socially': 4, 'industrially': 2, 'cunningly': 4, 'strangle': 3, 'constructionists': 2, 'especial': 4, 'plutocracy': 2, 'breeds': 2, 'unregulated': 2, 'concede': 3, 'swindling': 3, 'dealt': 27, 'firms': 2, 'charging': 5, 'collective': 29, 'bargaining': 6, 'arraigned': 2, 'eliminate': 6, 'undeserved': 3, 'challenges': 3, 'pretend': 9, 'benefits': 6, 'inequalities': 5, 'heaping': 6, 'discriminatory': 2, 'diseased': 34, 'meats': 3, 'deleterious': 3, 'drugs': 17, 'clauses': 4, 'trainmen': 3, 'operators': 2, 'dam': 31, 'phoenix': 3, 'newlands': 3, 'storage': 4, 'sluiceways': 2, 'divert': 7, 'reclaimed': 2, 'irrigated': 5, 'forestry': 5, 'leased': 3, 'graze': 2, 'rental': 2, 'dissatisfaction': 19, 'prevention': 17, 'phosphates': 2, 'doers': 3, 'malefactors': 2, 'haled': 2, 'anthracite': 2, 'mayors': 3, 'powerless': 15, 'mitchell': 7, 'harrying': 2, 'acclamation': 4, 'parker': 7, 'propitious': 2, 'thankless': 2, 'midsummer': 2, 'schedules': 2, 'aldrich': 4, 'angrily': 83, 'flout': 2, 'facilitating': 3, 'efficiency': 9, 'obsolete': 5, 'recommending': 2, 'budget': 5, 'backing': 3, 'justiciable': 2, 'involve': 23, 'schism': 2, 'insurgent': 2, 'ousting': 2, 'appoint': 9, 'brewing': 2, 'prefix': 3, 'follette': 6, 'fray': 3, 'schedule': 6, 'regularity': 6, 'hearings': 2, 'bolt': 6, 'seating': 5, 'beneficiary': 3, 'discreditable': 2, 'hiram': 2, 'primaries': 4, 'minimum': 23, 'progressives': 6, 'champ': 2, 'ballots': 4, 'utilities': 11, 'toured': 2, 'walter': 3, 'weyl': 2, 'croly': 2, 'hise': 2, 'gifford': 2, 'pinchot': 2, 'willoughby': 2, 'ogg': 22, 'insular': 3, 'applications': 24, 'scholar': 4, 'picturing': 8, 'fearlessly': 4, 'machines': 4, 'scathing': 3, 'steffens': 2, 'municipalities': 4, 'shame': 33, 'novels': 6, 'churchill': 2, 'coniston': 2, 'sinclair': 2, 'jungle': 4, 'muckrakers': 3, 'invective': 2, 'dictating': 4, 'bargained': 3, 'franchises': 6, 'blackmailed': 2, 'frenzied': 2, 'downfall': 5, 'hon': 3, 'elihu': 3, 'fenton': 3, 'conkling': 5, 'cornell': 3, 'statutory': 3, 'comptrollers': 2, 'broadway': 2, 'accountable': 2, 'removable': 3, 'particle': 6, 'capitalist': 5, 'corrupting': 2, 'wrecking': 2, 'embezzlement': 3, 'muckraking': 3, 'comprehension': 6, 'launch': 5, 'competitive': 4, 'examinations': 6, 'meritorious': 2, 'assessment': 3, 'behavior': 9, 'dismissals': 2, 'deeps': 2, 'gases': 9, 'chemists': 2, 'nurses': 10, 'surgeons': 16, 'foresters': 2, 'attractive': 24, 'careers': 2, 'enrollment': 7, 'polling': 2, 'salutary': 4, 'bribery': 4, 'conclaves': 2, 'signatures': 4, 'angered': 6, 'hughes': 7, 'pendulum': 2, 'hints': 13, 'detractors': 2, 'citadel': 6, 'conservatism': 2, 'prescription': 3, 'rear': 31, 'floors': 5, 'corrective': 2, 'swiss': 7, 'permits': 6, 'receives': 17, 'disapprove': 4, 'southwestern': 2, 'chilly': 5, 'extensively': 9, 'acclaimed': 3, 'fabric': 4, 'bulwarks': 2, 'referendums': 2, 'recalls': 3, 'initiatives': 2, 'simplifying': 2, 'shine': 5, 'galveston': 2, 'devastating': 2, 'des': 11, 'moines': 2, 'spokane': 2, 'newark': 3, 'irresponsibility': 3, 'dayton': 2, 'akron': 2, 'kalamazoo': 2, 'purification': 18, 'organs': 59, 'concrete': 5, 'elimination': 4, 'socialism': 9, 'exalts': 2, 'laissez': 2, 'faire': 9, 'vocational': 4, 'extorted': 3, 'quasi': 3, 'ferries': 2, 'unabated': 2, 'elkins': 3, 'deluged': 2, 'bankruptcies': 3, 'utility': 8, 'eliminating': 5, 'seattle': 2, 'subways': 2, 'tenement': 4, 'unfit': 6, 'habitation': 3, 'flats': 2, 'apartments': 15, 'workman': 9, 'lawsuit': 4, 'insured': 2, 'lifting': 36, 'automatic': 4, 'inheritances': 4, 'decease': 2, 'measurable': 2, 'approximate': 5, 'obtains': 4, 'evolutionary': 3, 'utopian': 3, 'seager': 2, 'zueblin': 2, 'walling': 4, 'progressivism': 2, 'vitally': 2, 'affiliated': 5, 'culmination': 3, 'queens': 2, 'parliaments': 3, 'chronicles': 4, 'rewritten': 2, 'rediscovered': 2, 'rightless': 2, 'therewith': 3, 'sifting': 2, 'findings': 2, 'collections': 8, 'dramas': 2, 'satirical': 2, 'skits': 2, 'abigail': 4, 'witty': 15, 'hannah': 3, 'lighthorse': 2, 'harry': 3, 'quickened': 3, 'wollstonecraft': 3, 'questionings': 2, 'citizenesses': 2, 'boldest': 3, 'lydia': 3, 'maria': 6, 'margaret': 3, 'ellet': 2, 'histories': 18, 'emma': 3, 'willard': 3, 'seminary': 3, 'holyoke': 2, 'oberlin': 3, 'hale': 2, 'magazine': 6, 'vassar': 4, 'temperance': 8, 'drunkenness': 8, 'divorce': 9, 'grimke': 2, 'sisters': 17, 'exiled': 5, 'quaker': 3, 'unsanitary': 2, 'dorothea': 2, 'dix': 2, 'bagley': 2, 'safeguarding': 3, 'woodson': 2, 'farnham': 2, 'matron': 3, 'penitentiary': 2, 'programs': 3, 'credentials': 2, 'prose': 6, 'hawthorne': 3, 'leniently': 2, 'thiers': 14, 'achieve': 8, 'quickening': 4, 'jailed': 2, 'greetings': 13, 'recanted': 2, 'crystallized': 2, 'seneca': 4, 'lucretia': 2, 'mott': 2, 'martha': 3, 'cady': 4, 'stanton': 4, 'ann': 3, 'mcclintock': 2, 'presumptuous': 3, 'constrains': 2, 'recited': 3, 'emoluments': 3, 'transact': 2, 'testify': 4, 'clarion': 2, 'guardians': 2, 'emulated': 2, 'hillsdale': 2, 'suffragists': 10, 'spontaneity': 2, 'westminster': 3, 'poems': 4, 'hospitals': 19, 'unguarded': 3, 'scope': 8, 'julian': 3, 'usefulness': 7, 'respectful': 24, 'susan': 6, 'pilgrimages': 2, 'ably': 2, 'freakish': 2, 'flurries': 2, 'lagging': 6, 'multiplying': 4, 'bryn': 2, 'mawr': 2, 'wellesley': 2, 'gainful': 2, 'gainfully': 2, 'federated': 3, 'frances': 2, 'pertaining': 3, 'endorse': 5, 'besought': 4, 'edith': 3, 'abbott': 6, 'hecker': 2, 'shaw': 3, 'ceasing': 3, 'inequality': 3, 'individually': 5, 'impotent': 4, 'collectively': 4, 'jr': 3, 'fundamentally': 3, 'autocracy': 2, 'sanitation': 3, 'recreation': 6, 'arbitrators': 2, 'soap': 8, 'specialists': 2, 'rochester': 2, 'recreational': 2, 'enmity': 6, 'membership': 5, 'tailors': 3, 'cordwainers': 3, 'sixties': 2, 'organizer': 3, 'sylvis': 2, 'rituals': 2, 'spy': 15, 'unskilled': 3, 'limbo': 2, 'shortening': 12, 'inherently': 2, 'antagonizing': 2, 'endeavored': 3, 'unionism': 4, 'socialist': 10, 'germination': 2, 'vitality': 42, 'marx': 2, 'marxian': 2, 'gompers': 9, 'vanquish': 5, 'endorsing': 2, 'bolshevism': 2, 'ism': 2, 'encourages': 2, 'adherence': 2, 'oriental': 14, 'injunctions': 7, 'disobey': 5, 'penalty': 4, 'frequency': 35, 'endorsement': 2, 'privately': 6, 'exempting': 2, 'basic': 7, 'voluntary': 18, 'esch': 3, 'cummins': 3, 'adjustments': 2, 'inclusive': 3, 'apprehensive': 6, 'illiterates': 3, 'passports': 5, 'discriminated': 2, 'orientals': 2, 'inferiority': 2, 'paupers': 2, 'embrace': 18, 'literacy': 4, 'physically': 23, 'dialect': 3, 'yiddish': 2, 'babel': 2, 'countless': 9, 'assimilating': 2, 'associates': 7, 'today': 94, 'syndicalism': 2, 'carlton': 5, 'assimilation': 4, 'reviving': 3, 'plighted': 3, 'heaviest': 2, 'borrowing': 4, 'rejecting': 2, 'penalizing': 2, 'problematical': 2, 'commodity': 3, 'exempted': 2, 'disobedience': 5, 'shipboard': 2, 'adamson': 3, 'intoxicating': 4, 'liquors': 3, 'beverages': 2, 'surprisingly': 4, 'dominicans': 2, 'haiti': 8, 'haitian': 2, 'danish': 8, 'commented': 3, 'heligoland': 2, 'aden': 2, 'mainland': 4, 'porfirio': 2, 'diaz': 7, 'increasingly': 5, 'peons': 3, 'cortez': 2, 'resign': 4, 'slid': 3, 'commotions': 2, 'madero': 4, 'huerta': 4, 'instigating': 2, 'carranza': 4, 'zapata': 2, 'obregon': 2, 'nationalizing': 2, 'investors': 2, 'tampico': 2, 'vera': 76, 'cruz': 3, 'argentina': 2, 'chile': 2, 'mediators': 2, 'raided': 3, 'pershing': 7, 'effecting': 5, 'imminence': 4, 'heir': 11, 'austro': 3, 'hungarian': 8, 'assassinated': 2, 'serajevo': 2, 'bosnia': 2, 'austrian': 72, 'serbs': 2, 'serbian': 2, 'serbia': 8, 'mercies': 3, 'compatible': 7, 'duchy': 5, 'luxemburg': 2, 'notified': 2, 'belgium': 8, 'belgian': 3, 'arrogance': 3, 'fatherland': 34, 'merited': 2, 'bernhard': 2, 'dernburg': 2, 'periodicals': 2, 'leaflets': 4, 'cartoons': 2, 'lutheran': 2, 'entente': 2, 'impartiality': 2, 'contraband': 5, 'ingress': 2, 'egress': 2, 'undetermined': 2, 'submarines': 8, 'patrol': 9, 'surrounding': 101, 'intercept': 4, 'gasoline': 2, 'sowing': 7, 'zone': 27, 'constitutes': 29, 'admiralty': 3, 'overhauling': 2, 'reconcile': 7, 'subsisting': 2, 'accountability': 3, 'ravage': 2, 'raider': 2, 'frye': 2, 'falaba': 2, 'embassy': 11, 'notifying': 2, 'lusitania': 6, 'torpedoes': 2, 'universally': 8, 'inhumane': 2, 'palliation': 2, 'abatement': 3, 'disavow': 3, 'recurrence': 18, 'omit': 7, 'temporized': 2, 'evasive': 2, 'liners': 3, 'combatants': 4, 'editorially': 2, 'simultaneously': 30, 'firmer': 7, 'reviewed': 7, 'urges': 2, 'avow': 2, 'antagonists': 4, 'entangling': 2, 'dumbfounded': 2, 'torpedoed': 2, 'vassal': 2, 'aims': 25, 'munition': 5, 'fomented': 2, 'indemnities': 2, 'summarizing': 2, 'righting': 2, 'alsace': 3, 'lorraine': 3, 'rumania': 4, 'readjustment': 2, 'guarantees': 3, 'selective': 3, 'expeditionary': 4, 'battlefields': 2, 'stinted': 2, 'subscribers': 2, 'mobilizing': 3, 'housewife': 4, 'mobilized': 4, 'allowances': 2, 'insubordination': 3, 'disloyalty': 2, 'willfully': 2, 'enlistment': 2, 'dismissal': 5, 'disloyal': 3, 'postmaster': 11, 'stringently': 2, 'launching': 2, 'proletarian': 2, 'contingent': 4, 'chasers': 2, 'scout': 3, 'convoys': 3, 'conveying': 8, 'battalions': 27, 'infantry': 85, 'trenches': 5, 'sector': 3, 'foch': 4, 'montdidier': 2, 'salient': 6, 'cantigny': 3, 'objectives': 2, 'marne': 2, 'belleau': 3, 'mihiel': 3, 'argonne': 4, 'hindenburg': 2, 'meuse': 4, 'sedan': 2, 'strategical': 2, 'communications': 4, 'abdicated': 2, 'hohenzollern': 2, 'satellites': 5, 'bulgaria': 4, 'hedjaz': 3, 'siam': 2, 'czechoslovakia': 3, 'bolivia': 2, 'ecuador': 2, 'guatemala': 2, 'honduras': 2, 'liberia': 2, 'peru': 5, 'uruguay': 2, 'premiers': 4, 'clemenceau': 4, 'vittorio': 2, 'orlando': 3, 'summarized': 2, 'reparations': 3, 'protectorates': 2, 'dismembered': 3, 'balkan': 2, 'finland': 4, 'lithuania': 2, 'latvia': 2, 'esthonia': 2, 'ukraine': 4, 'armenia': 2, 'cessions': 2, 'jugoslavia': 2, 'inter': 8, 'deliver': 13, 'saar': 2, 'victors': 4, 'ottoman': 4, 'knotty': 2, 'mandatories': 2, 'mandatory': 3, 'shantung': 2, 'withhold': 3, 'secretariat': 2, 'reservationists': 2, 'irreconcilables': 2, 'specially': 46, 'recast': 2, 'clarifying': 2, 'cox': 3, 'landslide': 2, 'entanglements': 4, 'impoverished': 4, 'bolsheviki': 2, 'soviet': 2, 'siberia': 10, 'archangel': 2, 'bolshevists': 2, 'unhampered': 2, 'housing': 4, 'thyself': 8, 'statutes': 5, 'assailing': 2, 'ruthlessly': 2, 'assailant': 2, 'scoured': 2, 'theme': 9, 'downed': 2, 'willis': 2, 'barron': 2, 'bekker': 2, 'fared': 2, 'insure': 4, 'tranquillity': 20, 'ordain': 3, 'inhabitant': 8, 'enumeration': 6, 'subsequent': 29, 'vacated': 4, 'resignation': 11, 'tempore': 2, 'impeachments': 2, 'affirmation': 5, 'preside': 4, 'concurrence': 6, 'disqualification': 2, 'adjourn': 4, 'disorderly': 9, 'behaviour': 6, 'yeas': 3, 'nays': 3, 'whereof': 5, 'originate': 26, 'reconsideration': 2, 'excepted': 2, 'adjournment': 4, 'repassed': 2, 'naturalization': 2, 'weights': 5, 'counterfeiting': 2, 'piracies': 2, 'felonies': 2, 'offences': 3, 'marque': 3, 'reprisal': 3, 'captures': 3, 'arming': 3, 'disciplining': 2, 'erection': 6, 'arsenals': 2, 'foregoing': 3, 'attainder': 4, 'facto': 3, 'capitation': 2, 'hereinbefore': 2, 'emolument': 3, 'impairing': 2, 'certify': 3, 'devolve': 3, 'ambassadors': 8, 'consuls': 4, 'expire': 2, 'convene': 2, 'disagreement': 6, 'misdemeanors': 2, 'forfeiture': 2, 'attainted': 2, 'intents': 2, 'engagements': 6, 'hereunto': 2, 'presidt': 2, 'deputy': 4, 'pursuant': 2, 'seizures': 2, 'presentment': 2, 'wherein': 5, 'accusation': 4, 'reexamined': 2, 'punishments': 4, 'disparage': 2, 'commenced': 8, 'ineligible': 2, 'reside': 3, 'abridge': 2, 'abridged': 4, 'empower': 2, 'beverage': 3, 'hereby': 3, 'inoperative': 2, 'hereof': 2, 'ibid': 2, 'sept': 3, 'dec': 3, 'va': 8, 'rep': 16, 'elbridge': 3, 'tompkins': 2, 'tenn': 4, 'dem': 9, 'wm': 3, 'dallas': 2, 'hannibal': 2, 'hamlin': 2, 'colfax': 2, 'rutherford': 2, 'hendricks': 2, 'ind': 2, 'levi': 2, 'morton': 2, 'adlai': 2, 'garrett': 2, 'hobart': 2, 'chas': 2, 'fairbanks': 4, 'chronological': 3, 'versus': 6, 'entanglement': 2, 'ff': 191, 'premier': 3, 'expunging': 2, 'hays': 2, 'saint': 16, 'warns': 2, 'transcriber': 3, 'normalized': 2, 'superscripted': 2, 'denoted': 2, 'caret': 2, 'verso': 2, 'maneuvered': 3, 'manoevered': 2, 'italicized': 2, 'habeus': 2, 'conform': 7, 'bout': 3, 'provisons': 2, 'aniversary': 2, 'normalize': 2, 'comma': 3, 'colon': 10, 'freesoil': 2, 'formats': 6, 'renamed': 3, 'concept': 8, 'complying': 9, 'derivative': 8, 'redistribution': 6, 'pglaf': 17, 'compilation': 4, 'performing': 16, 'format': 11, 'representations': 4, 'prominently': 6, 'accessed': 4, 'copied': 10, 'unlink': 3, 'redistribute': 4, 'nonproprietary': 3, 'user': 9, 'exporting': 4, 'alternate': 9, 'notifies': 4, 'discontinue': 4, 'expend': 4, 'disclaim': 4, 'distributor': 4, 'merchantibility': 3, 'invalidity': 4, 'unenforceability': 3, 'deletions': 3, 'synonymous': 6, 'widest': 6, 'exists': 30, 'goals': 3, 'ensuring': 6, 'exempt': 10, 'fundraising': 4, 'melan': 3, 'ak': 4, 'ut': 5, 'gregory': 4, 'newby': 3, 'gbnewby': 3, 'accessible': 12, 'outdated': 4, 'irs': 4, 'charities': 4, 'charitable': 8, 'confirmation': 13, 'solicitation': 4, 'unsolicited': 5, 'originator': 6, 'includes': 17, 'surgery': 43, 'thomson': 10, 'jonathan': 7, 'ingram': 3, 'laura': 4, 'wisewell': 3, 'apothecaries': 2, 'dram': 12, 'substitutions': 2, 'oe': 3, 'ligature': 41, 'utf': 2, 'publications': 3, 'infirmary': 3, 'frowde': 2, 'hodder': 2, 'stoughton': 2, 'lancet': 2, 'morrison': 3, 'gibb': 2, 'ltd': 2, 'surgical': 67, 'exhaustive': 2, 'rearranged': 3, 'procedures': 7, 'basle': 2, 'anatomical': 34, 'nomenclature': 3, 'brackets': 2, 'regional': 8, 'consecutive': 5, 'extremities': 28, 'fractures': 35, 'dislocations': 9, 'inflammation': 94, 'suppuration': 149, 'ulceration': 54, 'gangrene': 170, 'bacterial': 55, 'infections': 25, 'tuberculosis': 78, 'syphilis': 171, 'tumours': 190, 'lymph': 195, 'subcutaneous': 122, 'tissues': 294, 'tendons': 73, 'tendon': 130, 'sheaths': 61, 'bursae': 39, 'joints': 172, 'fig': 321, 'ulcer': 159, 'grafted': 4, 'abdominal': 48, 'staphylococcus': 20, 'aureus': 14, 'pus': 156, 'osteomyelitis': 80, 'streptococci': 19, 'diffuse': 66, 'cellulitis': 41, 'bacillus': 69, 'coli': 8, 'communis': 9, 'abscess': 196, 'fraenkel': 6, 'pneumococci': 3, 'empyema': 11, 'pneumonia': 15, 'passive': 33, 'hyperaemia': 53, 'klapp': 15, 'suction': 25, 'inguinal': 20, 'gland': 53, 'diagram': 4, 'whitlow': 27, 'charts': 3, 'sapraemia': 13, 'chart': 13, 'hectic': 9, 'septicaemia': 16, 'pyaemia': 28, 'varicose': 43, 'perforating': 17, 'bazin': 7, 'aet': 41, 'syphilitic': 152, 'callous': 13, 'thickened': 35, 'tibia': 62, 'fibula': 16, 'senile': 19, 'embolic': 12, 'terminal': 25, 'phalanx': 22, 'cancrum': 8, 'oris': 8, 'buttock': 24, 'erysipelas': 34, 'occurring': 26, 'tetanus': 43, 'anthrax': 21, 'pustule': 16, 'infection': 367, 'actinomyces': 10, 'actinomycosis': 18, 'maxilla': 7, 'mycetoma': 8, 'madura': 6, 'tubercle': 66, 'bacilli': 34, 'tuberculous': 242, 'lumbar': 7, 'sinus': 57, 'injected': 35, 'bismuth': 21, 'paste': 12, 'spirochaete': 16, 'pallida': 6, 'spirochaeta': 5, 'refrigerans': 3, 'vagina': 6, 'lesion': 103, 'secondary': 149, 'eruption': 20, 'rupia': 5, 'ulcerating': 5, 'gumma': 37, 'tertiary': 47, 'thumbs': 3, 'facies': 6, 'lipoma': 33, 'pedunculated': 14, 'lipomatosis': 8, 'zanthoma': 6, 'chondroma': 28, 'infra': 4, 'spinous': 3, 'fossa': 5, 'scapula': 23, 'metacarpal': 10, 'cancellous': 14, 'osteoma': 21, 'femur': 67, 'myeloma': 29, 'shaft': 72, 'humerus': 44, 'fibro': 15, 'myoma': 9, 'uterus': 17, 'recurrent': 21, 'sarcoma': 140, 'sciatic': 21, 'fungating': 10, 'carcinoma': 11, 'epithelioma': 48, 'dermoid': 9, 'cyst': 68, 'ovary': 11, 'carpal': 9, 'ganglion': 30, 'radiogram': 30, 'pellets': 9, 'embedded': 28, 'cicatricial': 42, 'genealogical': 5, 'haemophilic': 8, 'calcareous': 7, 'degeneration': 64, 'thrombosis': 40, 'varix': 34, 'saphena': 15, 'naevus': 28, 'cirsoid': 10, 'aneurysm': 215, 'orbit': 21, 'aorta': 28, 'sacculated': 15, 'innominate': 12, 'corradi': 9, 'thoracic': 26, 'congenital': 32, 'cystic': 35, 'tumour': 224, 'hygroma': 11, 'axilla': 38, 'cervical': 41, 'axillary': 33, 'hodgkin': 6, 'lymphadenoma': 10, 'lympho': 10, 'groin': 37, 'cancerous': 18, 'neuromas': 5, 'generalised': 12, 'neuro': 24, 'fibromatosis': 25, 'plexiform': 5, 'neuroma': 25, 'multiple': 96, 'fibromas': 5, 'molluscum': 8, 'fibrosum': 8, 'elephantiasis': 31, 'neuromatosa': 4, 'fracture': 65, 'median': 25, 'ulnar': 18, 'callosities': 8, 'corns': 11, 'ulcerated': 16, 'chilblains': 8, 'penis': 17, 'scrotum': 20, 'sebaceous': 29, 'cysts': 67, 'wens': 12, 'auricle': 6, 'paraffin': 22, 'rodent': 26, 'cancer': 171, 'canthus': 3, 'melanotic': 19, 'lymphatics': 39, 'metastasis': 12, 'keloid': 15, 'subungual': 9, 'exostosis': 20, 'avulsion': 10, 'volkmann': 6, 'ischaemic': 7, 'contracture': 29, 'ossification': 37, 'ilio': 5, 'psoas': 12, 'muscle': 153, 'calcification': 18, 'biceps': 19, 'triceps': 5, 'ossifying': 39, 'myositis': 13, 'hydrops': 32, 'prepatellar': 12, 'bursa': 76, 'gouty': 26, 'sub': 24, 'deltoid': 15, 'ischial': 6, 'segment': 20, 'resected': 12, 'brodie': 15, 'sequestrum': 43, 'amputation': 74, 'periosteal': 40, 'os': 4, 'magnum': 3, 'ankle': 37, 'dactylitis': 19, 'hyperostosis': 13, 'sclerosis': 33, 'sabre': 10, 'blade': 12, 'deformity': 54, 'skeleton': 36, 'dwarf': 6, 'ostitis': 13, 'deformans': 44, 'cadaver': 3, 'fibrosa': 15, 'femora': 4, 'exostoses': 15, 'cartilaginous': 27, 'chondromas': 15, 'phalanges': 12, 'metacarpals': 3, 'skiagram': 11, 'chondro': 14, 'osseous': 21, 'shell': 42, 'osteo': 18, 'epitheliomatus': 2, 'ankylosis': 55, 'caseating': 4, 'arthritis': 72, 'hypertrophied': 11, 'fringes': 17, 'synovial': 99, 'membrane': 155, 'charcot': 20, 'ossified': 7, 'granulation': 83, 'grafting': 56, 'grafts': 37, 'alleviate': 3, 'lesions': 160, 'malformations': 2, 'mediate': 2, 'intelligently': 3, 'physiology': 7, 'pathological': 37, 'deviations': 5, 'mal': 4, 'rationally': 2, 'correction': 7, 'reacting': 3, 'proliferative': 5, 'configuration': 4, 'recuperative': 3, 'varies': 56, 'structures': 44, 'cartilage': 105, 'periosteum': 77, 'regeneration': 39, 'reparative': 20, 'restitution': 2, 'imperfectly': 19, 'connective': 101, 'approximates': 2, 'extraneous': 5, 'micro': 19, 'organisms': 126, 'substances': 27, 'dressings': 37, 'integument': 10, 'uncomplicated': 7, 'aseptic': 26, 'dilatation': 18, 'leucocytes': 58, 'transudation': 3, 'oozing': 12, 'coagulates': 6, 'surfaces': 75, 'clot': 71, 'extends': 29, 'collateral': 22, 'microscopic': 4, 'layer': 52, 'bruised': 22, 'devitalised': 13, 'corpuscles': 14, 'fibrin': 17, 'vicinity': 50, 'exudes': 5, 'migrate': 6, 'capillaries': 18, 'adjacent': 94, 'buds': 7, 'capillary': 25, 'granular': 8, 'protoplasm': 11, 'elongates': 2, 'filament': 4, 'joins': 4, 'loops': 11, 'spaces': 38, 'fibroblasts': 13, 'fibrous': 104, 'nucleated': 3, 'proliferation': 13, 'lymphocytes': 9, 'mononuclear': 3, 'multi': 3, 'resistant': 5, 'ligatures': 11, 'phagocytes': 14, 'polymorpho': 6, 'nuclear': 7, 'amoeboid': 3, 'phagocytic': 3, 'fluids': 17, 'elongated': 9, 'spindle': 11, 'fibrillated': 3, 'replaces': 7, 'grouped': 6, 'constituting': 14, 'obliterates': 4, 'cicatrix': 17, 'undergoes': 19, 'epidermis': 50, 'rete': 5, 'malpighii': 5, 'sprout': 2, 'granulations': 61, 'pellicle': 3, 'epithelium': 56, 'bluish': 22, 'hue': 13, 'cornified': 3, 'clinical': 161, 'temperature': 104, 'circulatory': 4, 'gastro': 7, 'intestinal': 17, 'approximated': 7, 'excising': 11, 'gauze': 71, 'coagulated': 5, 'ingrowth': 4, 'clinically': 28, 'plug': 3, 'cavity': 97, 'papillary': 5, 'proliferated': 4, 'serous': 47, 'sero': 7, 'purulent': 36, 'coincidently': 5, 'covers': 11, 'thickens': 3, 'obliterate': 5, 'granulating': 12, 'apposition': 11, 'exudate': 23, 'accidentally': 21, 'fascia': 42, 'scab': 12, 'serum': 54, 'exuded': 2, 'pad': 21, 'sterilised': 44, 'separates': 16, 'tenotomy': 6, 'coagulum': 4, 'differs': 12, 'unabsorbable': 3, 'chromicised': 2, 'catgut': 23, 'broaden': 3, 'thins': 2, 'heals': 13, 'resumes': 2, 'vascular': 45, 'anastomosis': 8, 'organised': 11, 'follicles': 11, 'reproduced': 10, 'hairless': 2, 'metaplastic': 3, 'ingrowing': 6, 'cutaneous': 43, 'islets': 4, 'originating': 11, 'surviving': 3, 'epithelial': 31, 'blister': 23, 'hairs': 16, 'regenerated': 7, 'matrix': 12, 'mucous': 97, 'articular': 119, 'incision': 47, 'repaired': 7, 'proliferating': 4, 'perichondrium': 3, 'hyaline': 10, 'intermediary': 4, 'illustrated': 20, 'excision': 36, 'articulation': 4, 'constituent': 7, 'moulded': 5, 'conversely': 4, 'deformities': 28, 'displacement': 27, 'hallux': 5, 'valgus': 6, 'costal': 5, 'cartilages': 11, 'larynx': 26, 'fibres': 65, 'permeated': 10, 'sheath': 70, 'adherent': 27, 'impaired': 27, 'sutures': 29, 'unstriped': 2, 'striped': 10, 'stitches': 18, 'nuclei': 5, 'proximity': 16, 'proliferate': 6, 'gaps': 2, 'paralysed': 20, 'secretory': 4, 'glandular': 17, 'periphery': 10, 'kidney': 22, 'tubules': 3, 'decapsulation': 2, 'capsule': 34, 'permeate': 3, 'obliterated': 18, 'renal': 7, 'insufficiency': 2, 'stomach': 44, 'intestine': 25, 'peritoneal': 16, 'apposed': 5, 'glued': 5, 'viscera': 15, 'oesophagus': 6, 'urinary': 10, 'bladder': 16, 'peritoneum': 11, 'trustworthy': 3, 'spinal': 41, 'peripheral': 41, 'observations': 14, 'scalp': 26, 'sacrum': 10, 'vascularity': 7, 'graft': 19, 'transplant': 2, 'nourishment': 14, 'mobile': 4, 'acquires': 2, 'bleeds': 3, 'survival': 5, 'specialised': 3, 'differentiate': 12, 'autoplastic': 3, 'homoplastic': 4, 'heteroplastic': 2, 'prospects': 4, 'theatre': 5, 'unsuited': 4, 'lends': 4, 'transfusion': 8, 'biochemical': 2, 'haemolysis': 2, 'disintegration': 13, 'unsuccessful': 9, 'op': 9, 'surg': 8, 'burns': 59, 'scrape': 7, 'dental': 5, 'afresh': 12, 'cutis': 7, 'thiersch': 5, 'leipsic': 2, 'practised': 10, 'transplanting': 4, 'strips': 14, 'shaved': 12, 'razor': 4, 'papillae': 7, 'ooze': 5, 'thigh': 40, 'rinsed': 5, 'alcohol': 39, 'saline': 26, 'exerting': 5, 'traction': 9, 'ensure': 15, 'sawing': 2, 'anaesthetic': 27, 'anaesthesia': 24, 'novocain': 4, 'disinfection': 11, 'wrinkle': 8, 'overlapping': 5, 'postage': 2, 'affixed': 2, 'liquid': 11, 'ambrine': 4, 'detaching': 3, 'picric': 7, 'splint': 18, 'dispensed': 3, 'vaccination': 3, 'resemble': 33, 'healed': 17, 'drying': 12, 'cracking': 6, 'lanoline': 3, 'vaseline': 8, 'insensitive': 14, 'onwards': 7, 'renders': 7, 'pliant': 2, 'movable': 18, 'reverdin': 3, 'wolff': 3, 'oval': 12, 'approximation': 6, 'gillies': 3, 'favours': 11, 'stitch': 12, 'slough': 31, 'septic': 50, 'technique': 4, 'asepsis': 8, 'detachment': 38, 'cheek': 44, 'pedicle': 6, 'temporal': 9, 'artery': 169, 'piers': 3, 'dorsum': 21, 'securely': 7, 'interval': 33, 'undermining': 6, 'boxing': 4, 'flex': 7, 'gratifying': 3, 'anterior': 29, 'transferring': 4, 'remedying': 4, 'gunshot': 7, 'petrol': 3, 'rectangular': 2, 'eyelid': 8, 'eyelids': 11, 'conjunctiva': 6, 'adipose': 4, 'obtainable': 7, 'omentum': 4, 'cavities': 30, 'sounder': 3, 'pari': 2, 'passu': 2, 'absorption': 44, 'lata': 5, 'dura': 4, 'mater': 3, 'hydrocele': 6, 'hernial': 6, 'sacs': 4, 'functionate': 4, 'thyreoid': 22, 'cellular': 71, 'tuffier': 2, 'vascularised': 2, 'bacteriology': 8, 'pathogenic': 18, 'bacteria': 116, 'classification': 15, 'immunity': 13, 'antitoxic': 7, 'sera': 10, 'pyogenic': 113, 'physiological': 16, 'therapeutic': 10, 'hilton': 9, 'classical': 7, 'splints': 22, 'appliances': 10, 'anus': 10, 'caecum': 3, 'unsuitable': 9, 'lotions': 9, 'lacerated': 20, 'venous': 58, 'occurs': 154, 'scurvy': 14, 'alcoholism': 6, 'impedes': 3, 'causation': 16, 'sepsis': 11, 'putrefaction': 6, 'denote': 8, 'putrefactive': 7, 'antiseptic': 29, 'counteracting': 4, 'bacterium': 4, 'enclosed': 11, 'gelatinous': 9, 'motile': 6, 'flagella': 3, 'contractility': 2, 'fission': 5, 'spores': 16, 'spore': 4, 'tough': 9, 'tenacity': 4, 'germicides': 3, 'classified': 7, 'globular': 8, 'cocci': 11, 'spiral': 8, 'wavy': 6, 'spirilla': 5, 'micrococci': 3, 'averaging': 3, 'diameter': 9, 'diplococci': 4, 'gonorrhoea': 14, 'irregularly': 16, 'bunches': 4, 'staphylococci': 10, 'commonest': 28, 'axis': 38, 'streptococcus': 14, 'inflammatory': 49, 'suppurative': 32, 'sporulation': 3, 'screw': 12, 'flagellae': 3, 'proteins': 4, 'carbohydrates': 2, 'salts': 15, 'calcium': 6, 'potassium': 15, 'alkaline': 6, 'oxygen': 18, 'aerobic': 3, 'aerobes': 3, 'anaerobes': 6, 'facultative': 2, 'paralyses': 5, 'autoclave': 2, 'atmospheres': 3, 'destroys': 6, 'rontgen': 14, 'rays': 88, 'radium': 52, 'emanations': 4, 'properties': 8, 'sets': 12, 'saphrophytes': 2, 'nourish': 8, 'parasites': 5, 'parasitic': 8, 'organism': 40, 'virulence': 20, 'lowering': 20, 'susceptible': 8, 'diphtheria': 23, 'bodily': 7, 'fatigue': 12, 'localities': 2, 'environment': 7, 'ascendancy': 2, 'poisons': 7, 'devitalise': 3, 'diminish': 20, 'antagonise': 3, 'lupus': 39, 'lastly': 14, 'wasting': 17, 'debility': 5, 'precedes': 6, 'mortem': 6, 'localised': 44, 'inoculation': 23, 'lungs': 24, 'cultures': 6, 'pneumococcal': 8, 'typhoid': 22, 'compounds': 2, 'colloidal': 3, 'toxins': 52, 'respiratory': 7, 'derangements': 3, 'toxaemia': 19, 'intoxication': 14, 'convulsions': 6, 'toxic': 20, 'carbolic'

查看原文