From 43cd8869f9534c90ff284c39ce6a45d4f6ad990e Mon Sep 17 00:00:00 2001 From: Pol Henarejos Date: Fri, 28 Oct 2022 00:31:50 +0200 Subject: [PATCH] Adding support for backup. Now it is possible to backup and restore the internal keys to recover a pico fido. The process is splitted in two parts: a list of 24 words and a file, which stores the security key. Signed-off-by: Pol Henarejos --- src/fido/cbor_config.c | 22 ++++++++++++- src/fido/cbor_get_info.c | 3 +- src/fido/ctap.h | 1 + tools/pico-fido-tool.py | 68 ++++++++++++++++++++++++++++++++++++++- tools/secure_key/macos.py | 14 ++++++++ tools/words.py | 1 + 6 files changed, 106 insertions(+), 3 deletions(-) create mode 100644 tools/words.py diff --git a/src/fido/cbor_config.c b/src/fido/cbor_config.c index 96f86d8..91d132b 100644 --- a/src/fido/cbor_config.c +++ b/src/fido/cbor_config.c @@ -233,7 +233,27 @@ int cbor_config(const uint8_t *data, size_t len) { } has_keydev_dec = true; } - goto err; //No return + } + goto err; //No return + } + else if (vendorCommandId == CTAP_CONFIG_BACKUP) { + if (vendorAutCt.present == false) { // Save + if (has_keydev_dec == false) + CBOR_ERROR(CTAP2_ERR_PIN_AUTH_INVALID); + + CBOR_CHECK(cbor_encoder_create_map(&encoder, &mapEncoder, 1)); + CBOR_CHECK(cbor_encode_uint(&mapEncoder, 0x01)); + + CBOR_CHECK(cbor_encode_byte_string(&mapEncoder, file_get_data(ef_keydev_enc), file_get_size(ef_keydev_enc))); + } + else { // Load + uint8_t zeros[32]; + memset(zeros, 0, sizeof(zeros)); + flash_write_data_to_file(ef_keydev_enc, vendorAutCt.data, vendorAutCt.len); + flash_write_data_to_file(ef_keydev, zeros, file_get_size(ef_keydev)); // Overwrite ef with 0 + flash_write_data_to_file(ef_keydev, NULL, 0); // Set ef to 0 bytes + low_flash_available(); + goto err; } } else { diff --git a/src/fido/cbor_get_info.c b/src/fido/cbor_get_info.c index 842eba4..b8caeaf 100644 --- a/src/fido/cbor_get_info.c +++ b/src/fido/cbor_get_info.c @@ -80,10 +80,11 @@ int cbor_get_info() { CBOR_CHECK(cbor_encode_uint(&mapEncoder, PICO_FIDO_VERSION)); // firmwareVersion CBOR_CHECK(cbor_encode_uint(&mapEncoder, 0x15)); - CBOR_CHECK(cbor_encoder_create_array(&mapEncoder, &arrayEncoder, 3)); + CBOR_CHECK(cbor_encoder_create_array(&mapEncoder, &arrayEncoder, 4)); CBOR_CHECK(cbor_encode_uint(&arrayEncoder, CTAP_CONFIG_AUT)); CBOR_CHECK(cbor_encode_uint(&arrayEncoder, CTAP_CONFIG_KEY_AGREEMENT)); CBOR_CHECK(cbor_encode_uint(&arrayEncoder, CTAP_CONFIG_UNLOCK)); + CBOR_CHECK(cbor_encode_uint(&arrayEncoder, CTAP_CONFIG_BACKUP)); CBOR_CHECK(cbor_encoder_close_container(&mapEncoder, &arrayEncoder)); CBOR_CHECK(cbor_encoder_close_container(&encoder, &mapEncoder)); diff --git a/src/fido/ctap.h b/src/fido/ctap.h index 5419480..3386b56 100644 --- a/src/fido/ctap.h +++ b/src/fido/ctap.h @@ -119,6 +119,7 @@ typedef struct { #define CTAP_CONFIG_AUT 0x03e43f56b34285e2 #define CTAP_CONFIG_KEY_AGREEMENT 0x1831a40f04a25ed9 #define CTAP_CONFIG_UNLOCK 0x54365966c9a74770 +#define CTAP_CONFIG_BACKUP 0x6b1ede62beff0d5e // Command status responses diff --git a/tools/pico-fido-tool.py b/tools/pico-fido-tool.py index 35362fc..606cae3 100644 --- a/tools/pico-fido-tool.py +++ b/tools/pico-fido-tool.py @@ -22,6 +22,8 @@ import sys import argparse import platform +from binascii import hexlify +from words import words try: from fido2.ctap2.config import Config @@ -66,9 +68,11 @@ class VendorConfig(Config): CONFIG_AUT = 0x03e43f56b34285e2 CONFIG_KEY_AGREEMENT = 0x1831a40f04a25ed9 CONFIG_UNLOCK = 0x54365966c9a74770 + CONFIG_BACKUP = 0x6b1ede62beff0d5e class RESP(IntEnum): KEY_AGREEMENT = 0x01 + BACKUP = 0x01 def __init__(self, ctap, pin_uv_protocol=None, pin_uv_token=None): super().__init__(ctap, pin_uv_protocol, pin_uv_token) @@ -140,12 +144,63 @@ class VendorConfig(Config): }, ) + def backup_save(self, filename): + ret = self._call( + Config.CMD.VENDOR_PROTOTYPE, + { + VendorConfig.PARAM.VENDOR_COMMAND_ID: VendorConfig.CMD.CONFIG_BACKUP, + }, + ) + data = ret[VendorConfig.RESP.BACKUP] + d = int.from_bytes(skey.get_secure_key(), 'big') + with open(filename, 'wb') as fp: + fp.write(b'\x01') + fp.write(data) + pk = ec.derive_private_key(d, ec.SECP256R1()) + signature = pk.sign(data, ec.ECDSA(hashes.SHA256())) + fp.write(signature) + print('Remember the following words in this order:') + for c in range(24): + coef = (d//(2048**c))%2048 + print(f'{(c+1):02d} - {words[coef]}') + + def backup_load(self, filename): + d = 0 + if (d == 0): + for c in range(24): + word = input(f'Introduce word {(c+1):02d}: ') + while (word not in words): + word = input(f'Word not found. Please, tntroduce the correct word {(c+1):02d}: ') + coef = words.index(word) + d = d+(2048**c)*coef + + pk = ec.derive_private_key(d, ec.SECP256R1()) + pb = pk.public_key() + with open(filename, 'rb') as fp: + format = fp.read(1)[0] + if (format == 0x1): + data = fp.read(60) + signature = fp.read() + pb.verify(signature, data, ec.ECDSA(hashes.SHA256())) + skey.set_secure_key(pk) + self._call( + Config.CMD.VENDOR_PROTOTYPE, + { + VendorConfig.PARAM.VENDOR_COMMAND_ID: VendorConfig.CMD.CONFIG_BACKUP, + VendorConfig.PARAM.VENDOR_AUT_CT: data, + }, + ) def parse_args(): parser = argparse.ArgumentParser() subparser = parser.add_subparsers(title="commands", dest="command") parser_secure = subparser.add_parser('secure', help='Manages security of Pico Fido.') parser_secure.add_argument('subcommand', choices=['enable', 'disable', 'unlock'], help='Enables, disables or unlocks the security.') + + parser_backup = subparser.add_parser('backup', help='Manages the backup of Pico Fido.') + parser_backup.add_argument('subcommand', choices=['save', 'load'], help='Saves or loads a backup.') + parser_backup.add_argument('filename', help='File to save or load the backup.') + args = parser.parse_args() return args @@ -159,8 +214,17 @@ def secure(dev, args): elif (args.subcommand == 'disable'): vcfg.disable_device_aut() +def backup(dev, args): + vcfg = VendorConfig(Ctap2(dev)) + + if (args.subcommand == 'save'): + vcfg.backup_save(args.filename) + elif (args.subcommand == 'load'): + vcfg.backup_load(args.filename) + + def main(args): - print('Pico Fido Tool v1.0') + print('Pico Fido Tool v1.2') print('Author: Pol Henarejos') print('Report bugs to https://github.com/polhenarejos/pico-fido/issues') print('') @@ -170,6 +234,8 @@ def main(args): if (args.command == 'secure'): secure(dev, args) + elif (args.command == 'backup'): + backup(dev, args) def run(): args = parse_args() diff --git a/tools/secure_key/macos.py b/tools/secure_key/macos.py index cf365dc..381ee21 100644 --- a/tools/secure_key/macos.py +++ b/tools/secure_key/macos.py @@ -11,6 +11,12 @@ except: print('ERROR: keyring module not found! Install keyring package.\nTry with `pip install keyrings.osx-keychain-keys`') sys.exit(-1) +try: + from cryptography.hazmat.primitives.serialization import Encoding, PrivateFormat, NoEncryption +except: + print('ERROR: cryptography module not found! Install cryptography package.\nTry with `pip install cryptography`') + sys.exit(-1) + def get_backend(use_secure_enclave=False): backend = OSXKeychainKeysBackend( @@ -32,6 +38,14 @@ def generate_secure_key(use_secure_enclave=False): def get_d(key): return key.private_numbers().private_value.to_bytes(32, 'big') +def set_secure_key(pk): + backend = get_backend(False) + try: + backend.delete_password(DOMAIN, USERNAME) + except: + pass + backend.set_password(DOMAIN, USERNAME, pk.private_bytes(Encoding.PEM, PrivateFormat.TraditionalOpenSSL, NoEncryption())) + def get_secure_key(): key = None try: diff --git a/tools/words.py b/tools/words.py new file mode 100644 index 0000000..4e17003 --- /dev/null +++ b/tools/words.py @@ -0,0 +1 @@ +words = ['shape', 'reject', 'trains', 'skirt', 'magnificent', 'sloppy', 'harsh', 'valuable', 'yak', 'knit', 'ghost', 'offer', 'necessary', 'hilarious', 'wealth', 'far-flung', 'scary', 'yoke', 'cruel', 'unbecoming', 'sin', 'draconian', 'undress', 'various', 'annoying', 'great', 'flashy', 'materialistic', 'spiritual', 'writer', 'prickly', 'therapeutic', 'curvy', 'terrific', 'paste', 'reminiscent', 'range', 'female', 'trees', 'cat', 'cow', 'furtive', 'run', 'swing', 'early', 'marked', 'terrify', 'wind', 'stretch', 'bells', 'eminent', 'deserted', 'nondescript', 'basketball', 'wine', 'boast', 'food', 'fowl', 'cheerful', 'kettle', 'jazzy', 'greasy', 'sick', 'sort', 'excuse', 'impolite', 'attraction', 'ultra', 'axiomatic', 'promise', 'blood', 'camp', 'macho', 'material', 'earthquake', 'window', 'taste', 'buzz', 'identify', 'education', 'hapless', 'perfect', 'stare', 'bell', 'snail', 'powerful', 'unarmed', 'company', 'mist', 'seat', 'empty', 'plantation', 'sheet', 'pinch', 'mate', 'null', 'obtain', 'jumbled', 'awful', 'loving', 'moaning', 'chief', 'lethal', 'crabby', 'preserve', 'scratch', 'tax', 'ink', 'quack', 'produce', 'madly', 'open', 'cagey', 'mountain', 'irritating', 'attack', 'oven', 'faithful', 'sharp', 'uncle', 'wicked', 'rigid', 'theory', 'try', 'wobble', 'cloth', 'wood', 'strip', 'surround', 'uneven', 'reach', 'bright', 'agonizing', 'crate', 'rock', 'moor', 'bike', 'tired', 'tenuous', 'beg', 'boiling', 'creator', 'chance', 'scared', 'flowers', 'eye', 'limping', 'yielding', 'understood', 'longing', 'love', 'quirky', 'homely', 'crown', 'waste', 'rustic', 'thoughtless', 'flimsy', 'glossy', 'part', 'good', 'receive', 'division', 'snails', 'attractive', 'cuddly', 'release', 'gamy', 'name', 'decorate', 'move', 'plot', 'star', 'writing', 'house', 'thaw', 'robust', 'testy', 'elated', 'calm', 'sneaky', 'tomatoes', 'disgusting', 'fence', 'capable', 'rural', 'melodic', 'hysterical', 'entertaining', 'man', 'ill-informed', 'misty', 'scatter', 'jump', 'rightful', 'educated', 'adjoining', 'abashed', 'disturbed', 'fade', 'stamp', 'stream', 'boorish', 'two', 'worry', 'thank', 'trot', 'delicate', 'argument', 'creepy', 'dependent', 'rough', 'symptomatic', 'authority', 'actually', 'join', 'ignorant', 'radiate', 'aboard', 'bead', 'energetic', 'abandoned', 'shy', 'raise', 'blind', 'talented', 'stroke', 'devilish', 'death', 'type', 'taboo', 'depressed', 'level', 'equable', 'activity', 'accidental', 'ski', 'purring', 'juicy', 'maid', 'decide', 'overconfident', 'pipe', 'afternoon', 'file', 'peaceful', 'delicious', 'continue', 'imperfect', 'glow', 'haircut', 'frequent', 'arrogant', 'toothbrush', 'refuse', 'meek', 'spectacular', 'homeless', 'half', 'grateful', 'old', 'psychedelic', 'obnoxious', 'bridge', 'pies', 'invention', 'hose', 'flood', 'badge', 'unhealthy', 'deadpan', 'owe', 'undesirable', 'dock', 'insect', 'rose', 'boil', 'warlike', 'abortive', 'wriggle', 'excellent', 'fear', 'nation', 'unknown', 'press', 'wasteful', 'boundary', 'abrasive', 'glamorous', 'bag', 'army', 'punishment', 'lettuce', 'system', 'queen', 'branch', 'fretful', 'flawless', 'flap', 'observation', 'juice', 'punch', 'pretend', 'pocket', 'simplistic', 'serve', 'oval', 'weary', 'mourn', 'river', 'selective', 'heat', 'include', 'filthy', 'amuck', 'tender', 'mix', 'towering', 'shut', 'sponge', 'transport', 'communicate', 'squalid', 'unit', 'smoke', 'carriage', 'clumsy', 'abiding', 'fish', 'grease', 'frogs', 'classy', 'slim', 'needless', 'nasty', 'equal', 'relax', 'noise', 'wiry', 'cheer', 'gold', 'insidious', 'bounce', 'past', 'same', 'design', 'power', 'probable', 'sheep', 'trucks', 'agree', 'exclusive', 'smoggy', 'fumbling', 'exercise', 'astonishing', 'stupendous', 'bad', 'charming', 'birthday', 'spiteful', 'toys', 'plant', 'abnormal', 'racial', 'squeamish', 'decorous', 'woman', 'protest', 'literate', 'inquisitive', 'skillful', 'sidewalk', 'internal', 'judicious', 'hall', 'paltry', 'safe', 'deeply', 'melt', 'direction', 'relieved', 'red', 'future', 'wander', 'loaf', 'fit', 'telling', 'aquatic', 'notice', 'apathetic', 'flame', 'look', 'show', 'sable', 'hallowed', 'miss', 'premium', 'pin', 'handsome', 'volleyball', 'adhesive', 'mind', 'helpless', 'lighten', 'industry', 'mother', 'feigned', 'permit', 'plain', 'flight', 'burn', 'unruly', 'damp', 'digestion', 'air', 'x-ray', 'hook', 'squealing', 'ablaze', 'cowardly', 'dinner', 'closed', 'things', 'toothpaste', 'gaudy', 'pretty', 'finicky', 'retire', 'amount', 'sticky', 'bless', 'visitor', 'screw', 'subsequent', 'absorbing', 'left', 'parched', 'guarded', 'ants', 'squeak', 'glue', 'umbrella', 'government', 'peep', 'unkempt', 'hard', 'foolish', 'daffy', 'letters', 'ask', 'language', 'harm', 'greedy', 'wanting', 'size', 'way', 'cute', 'satisfying', 'oranges', 'second', 'pigs', 'intend', 'cast', 'somber', 'assorted', 'decision', 'ugliest', 'chop', 'excite', 'lunch', 'possessive', 'volatile', 'pricey', 'cooing', 'tearful', 'tan', 'whirl', 'worm', 'curve', 'squash', 'ceaseless', 'suck', 'obsolete', 'rabbit', 'door', 'flag', 'program', 'gullible', 'disastrous', 'lopsided', 'substance', 'kind', 'feeling', 'shiny', 'hole', 'club', 'troubled', 'heady', 'rambunctious', 'questionable', 'massive', 'balance', 'envious', 'throne', 'condemned', 'zippy', 'interesting', 'zephyr', 'thundering', 'paddle', 'nimble', 'stranger', 'fertile', 'prevent', 'hydrant', 'messy', 'floor', 'boy', 'unused', 'meal', 'occur', 'rabbits', 'spicy', 'highfalutin', 'parcel', 'action', 'dispensable', 'tree', 'better', 'bushes', 'wheel', 'fact', 'guitar', 'courageous', 'threatening', 'typical', 'paper', 'flaky', 'spoon', 'sparkle', 'sturdy', 'march', 'detail', 'coal', 'ritzy', 'team', 'duck', 'drag', 'defective', 'chivalrous', 'zesty', 'disapprove', 'cure', 'succeed', 'glib', 'grubby', 'young', 'dashing', 'clover', 'signal', 'thunder', 'illegal', 'tumble', 'wrestle', 'soft', 'waggish', 'merciful', 'stain', 'receptive', 'choke', 'jail', 'nifty', 'coast', 'berserk', 'nod', 'chilly', 'magic', 'cool', 'employ', 'alert', 'low', 'handy', 'card', 'fail', 'plate', 'lake', 'vase', 'venomous', 'violet', 'form', 'daughter', 'guttural', 'appliance', 'wren', 'doll', 'brainy', 'extend', 'trick', 'flow', 'miscreant', 'yawn', 'son', 'street', 'land', 'wing', 'grandmother', 'certain', 'rhythm', 'pray', 'cover', 'swanky', 'wrathful', 'saw', 'strong', 'amazing', 'blue', 'slave', 'hurt', 'string', 'person', 'slow', 'warm', 'babies', 'tent', 'truthful', 'white', 'bustling', 'mouth', 'property', 'art', 'oceanic', 'zip', 'parallel', 'nappy', 'dime', 'porter', 'puzzling', 'appear', 'workable', 'hesitant', 'stuff', 'defeated', 'chunky', 'bath', 'mere', 'argue', 'mature', 'waiting', 'harmonious', 'command', 'weak', 'precede', 'disagree', 'colorful', 'unequaled', 'untidy', 'tug', 'embarrassed', 'work', 'broken', 'free', 'suspect', 'event', 'limit', 'cook', 'used', 'curved', 'current', 'jolly', 'ring', 'grip', 'bizarre', 'powder', 'stew', 'careful', 'cellar', 'rely', 'ill-fated', 'sand', 'respect', 'hard-to-find', 'mixed', 'scent', 'bite', 'confuse', 'burst', 'reflect', 'breakable', 'useless', 'combative', 'trust', 'godly', 'expect', 'spiky', 'statement', 'alarm', 'ahead', 'black-and-white', 'cumbersome', 'bore', 'interfere', 'winter', 'picture', 'meaty', 'ragged', 'grouchy', 'impress', 'potato', 'edge', 'cent', 'prefer', 'roasted', 'dance', 'spot', 'itchy', 'brash', 'motion', 'bawdy', 'tour', 'old-fashioned', 'muddled', 'downtown', 'doubt', 'fortunate', 'futuristic', 'exchange', 'clean', 'flower', 'whole', 'whine', 'versed', 'groovy', 'muddle', 'divide', 'huge', 'toad', 'fast', 'lonely', 'historical', 'annoy', 'mitten', 'cattle', 'unusual', 'houses', 'magical', 'outrageous', 'pass', 'belligerent', 'knot', 'believe', 'mess up', 'dam', 'market', 'protect', 'lame', 'tame', 'sedate', 'fanatical', 'uttermost', 'list', 'dysfunctional', 'drawer', 'dirty', 'structure', 'malicious', 'hat', 'melted', 'race', 'tidy', 'pickle', 'flagrant', 'tendency', 'torpid', 'stimulating', 'cup', 'doctor', 'color', 'skip', 'bikes', 'temper', 'offbeat', 'value', 'absent', 'adorable', 'arrange', 'fine', 'space', 'changeable', 'eggs', 'remind', 'general', 'clam', 'dream', 'loss', 'repair', 'alcoholic', 'macabre', 'imminent', 'canvas', 'subdued', 'rake', 'roof', 'solid', 'military', 'physical', 'useful', 'concern', 'dislike', 'lush', 'righteous', 'wandering', 'shelf', 'rare', 'zealous', 'linen', 'grain', 'tasteful', 'camera', 'can', 'pail', 'add', 'sophisticated', 'upset', 'tremble', 'flippant', 'nail', 'snakes', 'film', 'risk', 'synonymous', 'cloistered', 'visit', 'call', 'cross', 'agreement', 'husky', 'wash', 'windy', 'hum', 'acrid', 'odd', 'depend', 'elastic', 'groan', 'ban', 'sudden', 'follow', 'rail', 'soothe', 'remove', 'intelligent', 'domineering', 'grieving', 'gaze', 'knowledge', 'birds', 'boring', 'lumpy', 'embarrass', 'many', 'drum', 'voyage', 'icicle', 'labored', 'burly', 'superficial', 'truculent', 'ice', 'obese', 'royal', 'ugly', 'van', 'high-pitched', 'tie', 'sigh', 'vacation', 'dusty', 'unfasten', 'woozy', 'treat', 'dreary', 'mellow', 'bump', 'tail', 'freezing', 'rat', 'story', 'tickle', 'onerous', 'ball', 'hungry', 'brick', 'political', 'train', 'library', 'bubble', 'imported', 'helpful', 'dull', 'unlock', 'popcorn', 'stiff', 'moan', 'crow', 'cultured', 'scale', 'force', 'zany', 'greet', 'books', 'brave', 'sweet', 'bewildered', 'thoughtful', 'dirt', 'nippy', 'pear', 'easy', 'side', 'multiply', 'gather', 'fill', 'enthusiastic', 'plan', 'living', 'blot', 'number', 'degree', 'idiotic', 'profit', 'impossible', 'nervous', 'support', 'vigorous', 'shocking', 'bottle', 'boat', 'memorize', 'trousers', 'elegant', 'unsightly', 'important', 'fabulous', 'weigh', 'erratic', 'sassy', 'absurd', 'special', 'dog', 'jittery', 'kick', 'chess', 'travel', 'song', 'sad', 'vest', 'productive', 'scene', 'stupid', 'delight', 'statuesque', 'breathe', 'awesome', 'injure', 'beam', 'class', 'screeching', 'hour', 'blow', 'bolt', 'profuse', 'bored', 'overt', 'famous', 'scissors', 'unnatural', 'kitty', 'trip', 'ruin', 'incandescent', 'jaded', 'fax', 'top', 'adjustment', 'leg', 'bait', 'cheap', 'zebra', 'develop', 'coordinated', 'educate', 'engine', 'cream', 'nine', 'admire', 'remember', 'grey', 'act', 'earthy', 'quiet', 'wound', 'awake', 'ticket', 'mundane', 'drunk', 'squeal', 'chemical', 'colour', 'connection', 'encouraging', 'roomy', 'protective', 'vessel', 'steady', 'well-groomed', 'moldy', 'cart', 'coil', 'tall', 'subtract', 'rule', 'tricky', 'alike', 'ajar', 'crash', 'mushy', 'spotless', 'volcano', 'calculate', 'uptight', 'tawdry', 'iron', 'aftermath', 'chalk', 'difficult', 'three', 'flash', 'sun', 'numerous', 'talk', 'available', 'scattered', 'striped', 'smiling', 'seashore', 'face', 'sugar', 'tick', 'overrated', 'poke', 'suit', 'elite', 'liquid', 'reply', 'habitual', 'magenta', 'clear', 'tongue', 'field', 'raspy', 'temporary', 'provide', 'sleet', 'quickest', 'scream', 'spark', 'approve', 'detect', 'exist', 'entertain', 'plastic', 'wilderness', 'crowd', 'square', 'upbeat', 'ship', 'regular', 'analyze', 'hurried', 'bathe', 'sea', 'want', 'copy', 'debt', 'pest', 'practice', 'glistening', 'tight', 'periodic', 'ubiquitous', 'aloof', 'robin', 'smile', 'confused', 'admit', 'skinny', 'whistle', 'secretary', 'satisfy', 'bulb', 'beautiful', 'unique', 'boot', 'lovely', 'inconclusive', 'childlike', 'pleasure', 'slap', 'ashamed', 'humdrum', 'interrupt', 'ignore', 'page', 'eatable', 'married', 'delay', 'object', 'foot', 'passenger', 'extra-small', 'instrument', 'industrious', 'resolute', 'dangerous', 'rate', 'big', 'deer', 'line', 'high', 'abject', 'hunt', 'lively', 'book', 'heal', 'suspend', 'smooth', 'hobbies', 'achiever', 'spring', 'possible', 'mice', 'elfin', 'snotty', 'shop', 'inexpensive', 'throat', 'suppose', 'straw', 'chicken', 'omniscient', 'steep', 'mean', 'shoe', 'moon', 'avoid', 'vanish', 'mysterious', 'fresh', 'meat', 'simple', 'wild', 'cheat', 'erect', 'kaput', 'illustrious', 'didactic', 'plough', 'fork', 'icy', 'joke', 'exotic', 'notebook', 'calendar', 'encourage', 'root', 'sulky', 'loud', 'reflective', 'school', 'expand', 'jelly', 'irritate', 'anger', 'addition', 'addicted', 'boundless', 'representative', 'lacking', 'airport', 'handle', 'hammer', 'aspiring', 'fasten', 'painful', 'cannon', 'noisy', 'offend', 'hateful', 'bedroom', 'steer', 'apparatus', 'realize', 'pastoral', 'science', 'one', 'oatmeal', 'zoo', 'dead', 'quaint', 'amused', 'exciting', 'pale', 'stem', 'end', 'discussion', 'arrive', 'bang', 'selection', 'tough', 'cushion', 'afterthought', 'dramatic', 'governor', 'sack', 'yell', 'learn', 'direful', 'locket', 'skin', 'describe', 'clever', 'obedient', 'real', 'attempt', 'surprise', 'chin', 'trace', 'pizzas', 'cough', 'weight', 'repulsive', 'hop', 'piquant', 'expert', 'box', 'dress', 'penitent', 'plants', 'substantial', 'live', 'laughable', 'abhorrent', 'friend', 'growth', 'delightful', 'sweltering', 'finger', 'monkey', 'second-hand', 'compete', 'north', 'tasteless', 'truck', 'complete', 'outgoing', 'parsimonious', 'unite', 'faulty', 'separate', 'crime', 'stitch', 'wonder', 'wary', 'squeeze', 'measure', 'treatment', 'ambiguous', 'pollution', 'cold', 'laborer', 'night', 'ambitious', 'pencil', 'bird', 'nosy', 'effect', 'soap', 'acceptable', 'pathetic', 'dust', 'spoil', 'amusing', 'lip', 'elderly', 'optimal', 'toe', 'wire', 'angry', 'example', 'heap', 'eyes', 'sneeze', 'six', 'best', 'beds', 'disgusted', 'summer', 'hate', 'petite', 'kindhearted', 'damaging', 'explode', 'steel', 'nonchalant', 'thick', 'fire', 'tip', 'unequal', 'smell', 'peel', 'lazy', 'wealthy', 'enchanting', 'chase', 'sound', 'miniature', 'efficacious', 'bouncy', 'verdant', 'abaft', 'decay', 'silent', 'late', 'grotesque', 'secretive', 'holistic', 'wiggly', 'nose', 'tranquil', 'sleep', 'pat', 'count', 'shave', 'wipe', 'seemly', 'flock', 'dare', 'wonderful', 'road', 'machine', 'children', 'stir', 'clap', 'apparel', 'strengthen', 'knock', 'pets', 'muscle', 'allow', 'insurance', 'thin', 'destruction', 'superb', 'car', 'nauseating', 'few', 'deceive', 'creature', 'momentous', 'tacit', 'curtain', 'pause', 'cooperative', 'humorous', 'hope', 'unbiased', 'clammy', 'consider', 'careless', 'sign', 'aware', 'absorbed', 'silver', 'back', 'adventurous', 'stay', 'brief', 'business', 'attract', 'pack', 'dear', 'sense', 'fireman', 'mark', 'scribble', 'girls', 'word', 'change', 'shelter', 'natural', 'funny', 'kiss', 'breath', 'holiday', 'celery', 'borrow', 'mountainous', 'coach', 'nebulous', 'harbor', 'pumped', 'round', 'voracious', 'planes', 'brush', 'common', 'trite', 'dizzy', 'grate', 'five', 'copper', 'wretched', 'fat', 'position', 'blink', 'enjoy', 'cluttered', 'legal', 'perform', 'measly', 'collect', 'tow', 'report', 'friction', 'splendid', 'silky', 'soak', 'horses', 'vegetable', 'frighten', 'regret', 'scintillating', 'welcome', 'scandalous', 'spill', 'wool', 'shiver', 'silly', 'title', 'handsomely', 'trouble', 'juggle', 'whispering', 'day', 'claim', 'women', 'repeat', 'hellish', 'rainy', 'first', 'expensive', 'fearless', 'yummy', 'wreck', 'reason', 'cable', 'prepare', 'step', 'plucky', 'bear', 'victorious', 'milky', 'sore', 'knee', 'lunchroom', 'unable', 'touch', 'trade', 'town', 'neighborly', 'approval', 'income', 'steadfast', 'scrub', 'trap', 'accessible', 'apologise', 'scare', 'bow', 'noxious', 'snatch', 'mine', 'rhetorical', 'jar', 'skate', 'staking', 'stop', 'earn', 'lamentable', 'noiseless', 'narrow', 'ruthless', 'harmony', 'abstracted', 'button', 'dynamic', 'bite-sized', 'quilt', 'leather', 'busy', 'marry', 'festive', 'thirsty', 'voice', 'majestic', 'jumpy', 'immense', 'obscene', 'pine', 'determined', 'lavish', 'agreeable', 'savory', 'unsuitable', 'grandfather', 'fragile', 'settle', 'self', 'pig', 'utter', 'stove', 'cherries', 'different', 'efficient', 'secret', 'organic', 'sister', 'cake', 'fall', 'exuberant', 'opposite', 'well-to-do', 'caption', 'vacuous', 'alive', 'smash', 'zonked', 'black', 'religion', 'maddening', 'wet', 'collar', 'sleepy', 'horn', 'seed', 'punish', 'last', 'advice', 'well-made', 'hot', 'wish', 'horse', 'credit', 'blush', 'orange', 'use', 'quixotic', 'murky', 'reproduce', 'wave', 'hurry', 'bit', 'infamous', 'soup', 'flowery', 'pen', 'brake', 'pump', 'unaccountable', 'actor', 'building', 'yarn', 'gruesome', 'angle', 'place', 'cut', 'obsequious', 'texture', 'short', 'crowded', 'spotted', 'rabid', 'concentrate', 'please', 'thinkable', 'gusty', 'disillusioned', 'laugh', 'mindless', 'bloody', 'shame', 'zipper', 'knotty', 'frog', 'tempt', 'learned', 'spy', 'hill', 'utopian', 'modern', 'craven', 'idea', 'wrap', 'load', 'new', 'quarrelsome', 'cry', 'dazzling', 'vivacious', 'cloudy', 'ripe', 'mailbox', 'overwrought', 'bitter', 'spurious', 'crib', 'vein', 'play', 'comparison', 'distance', 'blushing', 'scorch', 'ludicrous', 'thing', 'spell', 'bomb', 'start', 'squirrel', 'overflow', 'near', 'pointless', 'order', 'listen', 'belief', 'needle', 'fog', 'heartbreaking', 'hideous', 'wide', 'ill', 'group', 'beginner', 'tangible', 'escape', 'abusive', 'scarce', 'basket', 'spade', 'tremendous', 'dinosaurs', 'whisper', 'view', 'aberrant', 'sky', 'switch', 'elbow', 'aunt', 'scarf', 'songs', 'uppity', 'existence', 'discreet', 'heavenly', 'pour', 'tire', 'matter', 'instinctive', 'time', 'demonic', 'scrape', 'placid', 'puffy', 'violent', 'wail', 'debonair', 'wrong', 'irate', 'private', 'giants', 'carry', 'right', 'daily', 'able', 'foamy', 'full', 'farm', 'dapper', 'rot', 'ethereal', 'icky', 'cause', 'girl', 'advertisement', 'mighty', 'marvelous', 'male', 'earsplitting', 'adaptable', 'familiar', 'sip', 'obeisant', 'prose', 'slimy', 'hug', 'youthful', 'suggestion', 'interest', 'cabbage', 'standing', 'territory', 'shrill', 'chubby', 'outstanding', 'bare', 'drop', 'grumpy', 'precious', 'sweater', 'nerve', 'unpack', 'drab', 'battle', 'goofy', 'naive', 'little', 'tin', 'hair', 'room', 'recondite', 'friends', 'tap', 'teaching', 'cars', 'furry', 'minister', 'sparkling', 'fair', 'clip', 'butter', 'expansion', 'eggnog', 'drain', 'front', 'reduce', 'pull', 'wistful', 'price', 'point', 'carpenter', 'snore', 'vast', 'complain', 'afraid', 'invincible', 'jam', 'kindly', 'help', 'curl', 'deserve', 'makeshift', 'office', 'mom', 'mint', 'rude', 'guess', 'decisive', 'nostalgic', 'sisters', 'rub', 'walk', 'hover', 'tasty', 'tested', 'vulgar', 'snobbish', 'haunt', 'true', 'reign', 'capricious', 'fancy', 'deafening', 'reading', 'church', 'basin', 'observe', 'stage', 'fallacious', 'introduce', 'bury', 'rebel', 'telephone', 'thought', 'yellow', 'wink', 'error', 'turkey', 'shrug', 'history', 'loose', 'shoes', 'appreciate', 'attend', 'foregoing', 'frame', 'pop', 'soggy', 'aboriginal', 'pedal', 'tiresome', 'distinct', 'baby', 'border', 'wide-eyed', 'teeny-tiny', 'quartz', 'carve', 'trashy', 'ladybug', 'baseball', 'berry', 'roll', 'slope', 'pushy', 'sniff', 'post', 'ready', 'park', 'pink', 'witty', 'acoustics', 'stale', 'guiltless', 'crook', 'keen', 'donkey', 'grab', 'swim', 'afford', 'compare', 'cycle', 'flavor', 'frail', 'memory', 'tease', 'float', 'frantic', 'ratty', 'paint', 'crack', 'store', 'whimsical', 'increase', 'rest', 'grape', 'yard', 'tiny', 'applaud', 'shade', 'jagged', 'thankful', 'acidic', 'wrist', 'silk', 'glorious', 'pancake', 'impartial', 'tedious', 'belong', 'invent', 'rush', 'like', 'push', 'brawny', 'reward', 'fantastic', 'grandiose', 'lowly', 'eight', 'fairies', 'shake', 'thrill', 'accurate', 'poor', 'lackadaisical', 'four', 'obey', 'preach', 'incredible', 'quill', 'womanly', 'soda', 'base', 'hissing', 'lucky', 'puny', 'stereotyped', 'murder', 'watery', 'heavy', 'painstaking', 'marble', 'knife', 'third', 'home', 'stick', 'curly', 'manage', 'fang', 'crazy', 'drown', 'green', 'salty', 'health', 'fetch', 'hulking', 'desire', 'blue-eyed', 'attach', 'knowledgeable', 'well-off', 'examine', 'year', 'flesh', 'judge', 'tub', 'bone', 'birth', 'broad', 'neat', 'board', 'plane', 'shaggy', 'coherent', 'letter', 'deep', 'detailed', 'enchanted', 'fold', 'improve', 'incompetent', 'spiders', 'gorgeous', 'suffer', 'remain', 'rich', 'salt', 'lamp', 'coat', 'swift', 'partner', 'honey', 'pan', 'animated', 'corn', 'normal', 'oafish', 'lewd', 'bake', 'medical', 'peck', 'hands', 'thumb', 'mask', 'hollow', 'alluring', 'curious', 'abounding', 'invite', 'puncture', 'straight', 'station', 'bed', 'save', 'behavior', 'guarantee', 'sour', 'stingy', 'delirious', 'forgetful', 'panoramic', 'crush', 'hypnotic', 'bashful', 'minute', 'dogs', 'concerned', 'unwieldy', 'tramp', 'driving', 'close', 'country', 'quicksand', 'perpetual', 'sincere', 'sofa', 'pie', 'fly', 'war', 'lumber', 'innate', 'spray', 'cemetery', 'prick', 'average', 'rifle', 'grass', 'happy', 'toy', 'supreme', 'search', 'aback', 'suggest', 'relation', 'tacky', 'animal', 'sail', 'enter', 'scold', 'scrawny', 'morning', 'smart', 'bruise', 'vagabond', 'ocean', 'horrible', 'sprout', 'juvenile', 'selfish', 'grade', 'request', 'brother', 'bleach', 'unadvised', 'eager', 'consist', 'jeans', 'charge']