资讯详情

Python数据分析与机器学习27-拼写纠正实例

文章目录

  • 一. 拼写纠正项目概述
    • 1.1 拼写错误概述
    • 1.2 计算贝叶斯方法
    • 1.3 模型比较理论
  • 二. 项目实战
    • 2.1 数据源介绍
    • 2.2 一些概念
    • 2.3 代码

一. 拼写纠正项目概述

1.1 拼写错误概述

image.png

我们看到用户在字典中输入了一个单词,我们需要猜测:这个家伙真正想输入什么单词?

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

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

  1. 猜测1:P(h1 | D),猜测2:P(h2 | D),猜测3:P(h1 | D) 。。。 统一为:P(h | D)

  2. P(h | D) = P(h) * P(D | h) / P(D)

  3. 对不同的具体猜测h1 h2 h3 … ,P(D) 都是一样的,所以在比较中P(h1 | D) 和P(h2 | D) 我们可以忽略这个常数

  4. 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 span class="token operator">= '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(<function train.<locals>.<lambda> 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, 'label': 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, 'labelly': 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, 'concentra

标签: acre5100el精密电阻acre520elh二极管bradley端子块定时继电器signet金属电磁流量传感器

锐单商城拥有海量元器件数据手册IC替代型号,打造 电子元器件IC百科大全!

锐单商城 - 一站式电子元器件采购平台