{ "cells": [ { "cell_type": "code", "execution_count": 20, "id": "e1b17564-0abb-41c5-8cf4-7200b014550f", "metadata": {}, "outputs": [ { "name": "stderr", "output_type": "stream", "text": [ "[nltk_data] Downloading package wordnet to /home/sy/nltk_data...\n", "[nltk_data] Package wordnet is already up-to-date!\n", "[nltk_data] Downloading package words to /home/sy/nltk_data...\n", "[nltk_data] Package words is already up-to-date!\n" ] } ], "source": [ "import json\n", "import nltk\n", "from nltk.corpus import wordnet as wn\n", "from nltk.stem.wordnet import WordNetLemmatizer\n", "nltk.download('wordnet')\n", "from nltk.corpus import words\n", "nltk.download('words')\n", "ww = words.words()\n", "import pandas as pd \n", "import string" ] }, { "cell_type": "code", "execution_count": 21, "id": "27488c82-1e9b-4873-9e6b-e0b5937fc51d", "metadata": {}, "outputs": [], "source": [ "def format(s):\n", " return ' '.join(s.split('_'))\n", "from collections import defaultdict\n", "lexnames = set()\n", "lexname_blacklist = {\n", " 'noun.plant',\n", " 'noun.animal',\n", " 'noun.person',\n", " 'noun.state',\n", " 'noun.body',\n", " #'noun.location',\n", " #'noun.group',\n", "}\n", "def is_proper(w):\n", " return w[0] in string.ascii_uppercase\n", "def groups_for_pos(pos='as'):\n", " dsynonyms = []\n", " for word in wn.words():\n", " if is_proper(word):\n", " continue\n", " synsets = wn.synsets(word)\n", " synonymss = wn.synonyms(word)\n", " syns = set()\n", " for synset, synonyms in zip(synsets, synonymss):\n", " if synset.lexname() in lexname_blacklist:\n", " continue\n", " defn = synset.definition()\n", " if synset.pos() in pos:\n", " syns |= set((syn, defn) for syn in synonyms if not is_proper(syn))\n", " if len(syns) >= 4:\n", " clues = [(format(clue), defn) for (clue, defn) in syns]\n", " #clues.append(format(word))\n", " dsynonyms.append(dict(answer=word, hint=f'synonyms for {format(word)}', clues=clues))\n", " return dsynonyms" ] }, { "cell_type": "code", "execution_count": 22, "id": "445789e7-3808-4a28-9df5-9a69313cb4c2", "metadata": {}, "outputs": [], "source": [ "dadj = groups_for_pos('as')\n", "dverb = groups_for_pos('v')\n", "dnoun = groups_for_pos('n')\n", "dadverb = groups_for_pos('r')" ] }, { "cell_type": "code", "execution_count": 23, "id": "64ccaf3d-9743-49ed-b10b-d7b3e70e0235", "metadata": {}, "outputs": [], "source": [ "def find_def(w):\n", " synsets = wn.synsets(w)\n", " if not synsets:\n", " return 'no definition provided'\n", " return synsets[0].definition()\n", "\n", "df = pd.read_csv('LADECv1-2019.csv', index_col=0)\n", "df = df.drop(df[df.correctParse == 'no'].index)\n", "df = df.drop(df[df.isCommonstim == 0].index)\n", "prefixes = df.groupby('c1').groups\n", "suffixes = df.groupby('c2').groups\n", "dprefix = []\n", "for prefix, ids in prefixes.items():\n", " if len(ids) >= 4:\n", " clues = list(df.loc[list(ids)].c2)\n", " cluedefs = [(clue, find_def(prefix+clue)) for clue in clues]\n", " dprefix.append(dict(answer=prefix, hint=f'{prefix} _', clues=cluedefs))\n", "dsuffix = []\n", "for suffix, ids in suffixes.items():\n", " if len(ids) >= 4:\n", " clues = list(df.loc[list(ids)].c1)\n", " cluedefs = [(clue, find_def(clue+suffix)) for clue in clues]\n", " dsuffix.append(dict(answer=suffix, hint=f'_ {suffix}', clues=cluedefs))" ] }, { "cell_type": "code", "execution_count": 24, "id": "def43999-d789-4e5c-bb27-4fd29074c875", "metadata": {}, "outputs": [], "source": [ "from Levenshtein import ratio\n", "def similar(a, b):\n", " a, b = a.lower(), b.lower()\n", " if len(a) > len(b):\n", " a, b = b, a\n", " if a + 's' == b or a + 'es' == b or a + 'ing' == b or a + 'ly' == b:\n", " return True\n", " r = ratio(a, b)\n", " if .8 <= r <= .9:\n", " pass\n", " #print(a, b, r)\n", " return r >= .85\n", "def filter_duplicates(group):\n", " if not group:\n", " return []\n", " ok = [group[0]]\n", " for i in range(1, len(group)):\n", " for word in ok:\n", " if similar(word[0], group[i][0]):\n", " break\n", " else:\n", " ok.append(group[i])\n", " return ok" ] }, { "cell_type": "code", "execution_count": 25, "id": "1c8175f2-817e-45ab-af0b-5ea7ee7a5dc9", "metadata": {}, "outputs": [], "source": [ "blacklist = ['man', 'men', 'woman', 'women']\n", "def process_groups(groups):\n", " new = []\n", " for group in groups:\n", " clues = group['clues']\n", " clues = [(clue, defn) for (clue, defn) in clues if clue not in blacklist]\n", " clues = filter_duplicates(clues)\n", " if len(clues) < 4:\n", " continue\n", " new.append(dict(answer=group['answer'], hint=group['hint'], clues=clues))\n", " return new\n", "corpus = [\n", " dict(name='suffixes', groups=process_groups(dsuffix), portion=.9),\n", " dict(name='prefixes', groups=process_groups(dprefix), portion=.8),\n", " dict(name='verbs', groups=process_groups(dverb), portion=.6),\n", " dict(name='adverbs', groups=process_groups(dadverb), portion=.54),\n", " dict(name='nouns', groups=process_groups(dnoun), portion=.2),\n", " dict(name='adjectives', groups=process_groups(dadj), portion=0),\n", "]" ] }, { "cell_type": "code", "execution_count": 42, "id": "8e90da63-67cf-4738-b9c8-2bc49e9fb582", "metadata": {}, "outputs": [], "source": [ "word_corpus = json.loads(json.dumps(corpus))\n", "for i, groups in enumerate(corpus):\n", " for j, group in enumerate(groups['groups']):\n", " for k, clue in enumerate(group['clues']):\n", " full_word = clue[0]\n", " if groups['name'] == 'suffixes':\n", " full_word = clue[0] + group['answer']\n", " elif groups['name'] == 'prefixes':\n", " full_word = group['answer'] + clue[0]\n", " word_corpus[i]['groups'][j]['clues'][k] = [clue[0], [i,j,k]]\n", " corpus[i]['groups'][j]['clues'][k] = corpus[i]['groups'][j]['clues'][k][:2] + (full_word,)" ] }, { "cell_type": "code", "execution_count": 43, "id": "fd0f294a-4264-4208-82b4-7a4157366e81", "metadata": {}, "outputs": [], "source": [ "with open('../static/corpus.js', 'w') as f:\n", " f.write('var corpus = ')\n", " json.dump(word_corpus, f)\n", "with open('../static/full_corpus.js', 'w') as f:\n", " f.write('var fullCorpus = ')\n", " json.dump(corpus, f)" ] }, { "cell_type": "code", "execution_count": 28, "id": "589f6645-3a52-40ad-9899-717ea7614d00", "metadata": {}, "outputs": [ { "data": { "text/plain": [ "'an infective disease caused by sporozoan parasites that are transmitted through the bite of an infected Anopheles mosquito; marked by paroxysms of chills and fever'" ] }, "execution_count": 28, "metadata": {}, "output_type": "execute_result" } ], "source": [ "wn.synsets('malaria')[0].definition()" ] }, { "cell_type": "code", "execution_count": 29, "id": "8faeb5ee-e1ff-4571-91bf-178cdc7d29f7", "metadata": {}, "outputs": [ { "data": { "text/plain": [ "[194, 214, 6853, 437, 6421, 3569]" ] }, "execution_count": 29, "metadata": {}, "output_type": "execute_result" } ], "source": [ "[len(x['groups']) for x in corpus]" ] }, { "cell_type": "code", "execution_count": 30, "id": "b8d12e1a-757f-4d87-9374-e7eb656f30d4", "metadata": {}, "outputs": [ { "data": { "text/plain": [ "[{'name': 'suffixes',\n", " 'groups': [{'answer': 'about',\n", " 'hint': '_ about',\n", " 'clues': [('gad',\n", " 'a restless seeker after amusement or social companionship'),\n", " ('knock', 'a sloop with a simplified rig and no bowsprit'),\n", " ('turn', 'a decision to reverse an earlier decision'),\n", " ('walk', 'a walking trip or tour'),\n", " ('run', 'an open automobile having a front seat and a rumble seat'),\n", " ('round',\n", " 'a road junction at which traffic streams circularly around a central island'),\n", " ('roust', \"a member of a ship's crew who performs manual labor\"),\n", " ('lay', 'person who does no work')]},\n", " {'answer': 'ache',\n", " 'hint': '_ ache',\n", " 'clues': [('head',\n", " 'something or someone that causes anxiety; a source of unhappiness'),\n", " ('belly', 'an ache localized in the stomach or abdominal region'),\n", " ('heart',\n", " 'intense sorrow caused by loss of a loved one (especially by death)'),\n", " ('ear', 'an ache localized in the middle or inner ear'),\n", " ('back', 'an ache localized in the back'),\n", " ('stomach', 'an ache localized in the stomach or abdominal region'),\n", " ('tooth', 'an ache localized in or around a tooth')]},\n", " {'answer': 'all',\n", " 'hint': '_ all',\n", " 'clues': [('catch', 'an enclosure or receptacle for odds and ends'),\n", " ('carry', 'a capacious bag or basket'),\n", " ('cover',\n", " 'a loose-fitting protective garment that is worn over other clothing'),\n", " ('hold', 'a capacious bag or basket')]},\n", " {'answer': 'away',\n", " 'hint': '_ away',\n", " 'clues': [('break', 'the act of breaking away or withdrawing from'),\n", " ('stow',\n", " 'a person who hides aboard a ship or plane in the hope of getting free passage'),\n", " ('straight', 'a straight segment of a roadway or racecourse'),\n", " ('get', 'the attribute of being capable of rapid acceleration'),\n", " ('cast', 'a person who is rejected (from society or home)'),\n", " ('throw',\n", " '(sometimes offensive) a homeless boy who has been abandoned and roams the streets'),\n", " ('tear', 'a reckless and impetuous person'),\n", " ('take',\n", " 'prepared food that is intended to be eaten off of the premises'),\n", " ('cut',\n", " 'a representation (drawing or model) of something in which the outside is omitted to reveal the inner parts'),\n", " ('run', 'an easy victory'),\n", " ('give',\n", " 'a gift of public land or resources for the private gain of a limited group'),\n", " ('hide', 'a hiding place; usually a remote place used by outlaws'),\n", " ('walk', 'an easy victory')]},\n", " {'answer': 'back',\n", " 'hint': '_ back',\n", " 'clues': [('razor',\n", " 'a mongrel hog with a thin body and long legs and a ridged back; a wild or semi-wild descendant of improved breeds; found chiefly in the southeastern United States'),\n", " ('sling', 'a shoe that has a strap that wraps around the heel'),\n", " ('throw',\n", " 'an organism that has the characteristics of a more primitive type of that organism'),\n", " ('canvas', 'North American wild duck valued for sport and food'),\n", " ('paper', 'a book with paper covers'),\n", " ('feed',\n", " 'the process in which part of the output of a system is returned to its input in order to regulate its further output'),\n", " ('hump', 'an abnormal backward curve to the vertebral column'),\n", " ('full',\n", " '(football) the running back who plays the fullback position on the offensive team'),\n", " ('kick',\n", " 'a commercial bribe paid by a seller to a purchasing agent in order to induce the agent to enter into the transaction'),\n", " ('flash',\n", " 'a transition (in literary or theatrical works or films) to an earlier event or scene that interrupts the normal chronological development of the story'),\n", " ('half',\n", " '(football) the running back who plays the offensive halfback position'),\n", " ('green',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('fat', 'salt pork from the back of a hog carcass'),\n", " ('buy', 'the act of purchasing back something previously sold'),\n", " ('tie',\n", " 'a device (as a decorative loop of cord or fabric) for holding or drawing something back'),\n", " ('hard', 'a book with cardboard or cloth or leather covers'),\n", " ('hunch', 'an abnormal backward curve to the vertebral column'),\n", " ('quarter', '(football) the person who plays quarterback'),\n", " ('out', 'the bush country of the interior of Australia'),\n", " ('fall', 'to break off a military action with an enemy'),\n", " ('cut', 'a reduction in quantity or rate'),\n", " ('roll', 'the act of forcing the enemy to withdraw'),\n", " ('horse', 'the back of a horse'),\n", " ('draw', 'the quality of being a hindrance'),\n", " ('hatch', 'a car having a hatchback door'),\n", " ('call',\n", " 'a request by the manufacturer of a defective product to return the product (as for replacement or repair)'),\n", " ('diamond', 'large deadly rattlesnake with diamond-shaped markings'),\n", " ('piggy', 'the act of carrying something piggyback'),\n", " ('pay',\n", " 'financial return or reward (especially returns equal to the initial investment)'),\n", " ('hog', 'a narrow ridge of hills'),\n", " ('tail', '(American football) the person who plays tailback'),\n", " ('set',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('moss', 'an extremely old-fashioned conservative'),\n", " ('pull',\n", " 'a device (as a decorative loop of cord or fabric) for holding or drawing something back'),\n", " ('soft', 'a book with paper covers')]},\n", " {'answer': 'bag',\n", " 'hint': '_ bag',\n", " 'clues': [('school', 'a bag for carrying school books and supplies'),\n", " ('bean', 'a small cloth bag filled with dried beans; thrown in games'),\n", " ('gas',\n", " 'a boring person who talks a great deal about uninteresting topics'),\n", " ('feed',\n", " 'a canvas bag that is used to feed an animal (such as a horse); covers the muzzle and fastens at the top of the head'),\n", " ('money', 'a drawstring bag for holding money'),\n", " ('hand',\n", " 'a container used for carrying money and small personal items or accessories (especially by women)'),\n", " ('saddle', 'a large bag (or pair of bags) hung over a saddle'),\n", " ('carpet', 'traveling bag made of carpet; widely used in 19th century'),\n", " ('sand',\n", " 'a bag filled with sand; used as a weapon or to build walls or as ballast'),\n", " ('flea', 'a run-down hotel'),\n", " ('wind',\n", " 'a boring person who talks a great deal about uninteresting topics'),\n", " ('mail', 'pouch used in the shipment of mail'),\n", " ('post', \"letter carrier's shoulder bag\"),\n", " ('rag', 'a motley assortment of things'),\n", " ('nose',\n", " 'a canvas bag that is used to feed an animal (such as a horse); covers the muzzle and fastens at the top of the head')]},\n", " {'answer': 'ball',\n", " 'hint': '_ ball',\n", " 'clues': [('hard', 'a no-nonsense attitude in business or politics'),\n", " ('butter', 'a rotund individual'),\n", " ('goof', 'a man who is a stupid incompetent fool'),\n", " ('base',\n", " 'a ball game played with a bat and ball between two teams of nine players; teams take turns at bat trying to score runs'),\n", " ('basket',\n", " 'a game played on a court by two opposing teams of 5 players; points are scored by throwing the ball through an elevated horizontal hoop'),\n", " ('racquet', 'the ball used in playing the game of racquetball'),\n", " ('hand', 'a small rubber ball used in playing the game of handball'),\n", " ('eye', 'the ball-shaped capsule containing the vertebrate eye'),\n", " ('pin',\n", " 'a game played on a sloping board; the object is to propel marbles against pins or into pockets'),\n", " ('hair',\n", " 'a compact mass of hair that forms in the alimentary canal (especially in the stomach of animals as a result of licking fur)'),\n", " ('moth',\n", " 'a small sphere of camphor or naphthalene used to keep moths away from stored clothing'),\n", " ('fire', 'an especially luminous meteor (sometimes exploding)'),\n", " ('spit',\n", " 'a projectile made by chewing a piece of paper and shaping it into a sphere'),\n", " ('fast', '(baseball) a pitch thrown with maximum velocity'),\n", " ('foot',\n", " \"any of various games played with a ball (round or oval) in which two teams try to kick or carry or propel the ball into each other's goal\"),\n", " ('net',\n", " 'a team game that resembles basketball; a soccer ball is to be thrown so that it passes through a ring on the top of a post'),\n", " ('odd', 'a person with an unusual or odd personality'),\n", " ('volley',\n", " 'a game in which two teams hit an inflated ball over a high net using their hands'),\n", " ('puff',\n", " 'any of various fungi of the family Lycoperdaceae whose round fruiting body discharges a cloud of spores when mature'),\n", " ('meat', 'ground meat formed into a ball and fried or simmered in broth'),\n", " ('paint',\n", " 'a capsule filled with water-soluble dye used as a projectile in playing the game of paintball'),\n", " ('cannon',\n", " 'a solid projectile that in former times was fired from a cannon'),\n", " ('high',\n", " 'a mixed drink made of alcoholic liquor mixed with water or a carbonated beverage and served in a tall glass'),\n", " ('screw', 'a whimsically eccentric person'),\n", " ('track',\n", " 'an electronic device consisting of a rotatable ball in a housing; used to position the cursor and move images on a computer screen'),\n", " ('snow',\n", " 'plant having heads of fragrant white trumpet-shaped flowers; grows in sandy arid regions'),\n", " ('black', 'the act of excluding someone by a negative vote or veto'),\n", " ('soft', 'ball used in playing softball')]},\n", " {'answer': 'band',\n", " 'hint': '_ band',\n", " 'clues': [('neck', 'a band around the collar of a garment'),\n", " ('waist',\n", " 'a band of material around the waist that strengthens a skirt or trousers'),\n", " ('arm', 'worn around arm as identification or to indicate mourning'),\n", " ('sweat', 'a band of fabric or leather sewn inside the crown of a hat'),\n", " ('head', 'a band worn around or over the head'),\n", " ('hat', 'a band around the crown of a hat just above the brim'),\n", " ('wave',\n", " 'a band of adjacent radio frequencies (e.g., assigned for transmitting radio or television signals)'),\n", " ('watch',\n", " 'a band of cloth or leather or metal links attached to a wristwatch and wrapped around the wrist'),\n", " ('wrist',\n", " 'band consisting of a part of a sleeve that covers the wrist')]},\n", " {'answer': 'bar',\n", " 'hint': '_ bar',\n", " 'clues': [('cross', 'a horizontal bar that goes across something'),\n", " ('sand', 'a bar of sand'),\n", " ('side',\n", " \"(law) a courtroom conference between the lawyers and the judge that is held out of the jury's hearing\"),\n", " ('handle', 'the shaped bar used to steer a bicycle'),\n", " ('crow', 'a heavy iron lever with one end forged into a wedge')]},\n", " {'answer': 'beam',\n", " 'hint': '_ beam',\n", " 'clues': [('horn', 'any of several trees or shrubs of the genus Carpinus'),\n", " ('sun', 'a ray of sunlight'),\n", " ('moon', 'a ray of moonlight'),\n", " ('cross', 'a horizontal beam that extends across something')]},\n", " {'answer': 'beat',\n", " 'hint': '_ beat',\n", " 'clues': [('down',\n", " \"the first beat of a musical measure (as the conductor's arm moves downward)\"),\n", " ('heart',\n", " 'the rhythmic contraction and expansion of the arteries with each beat of the heart'),\n", " ('drum', 'the sound made by beating a drum'),\n", " ('dead', 'someone who fails to meet a financial obligation')]},\n", " {'answer': 'bed',\n", " 'hint': '_ bed',\n", " 'clues': [('sea', 'the bottom of a sea or ocean'),\n", " ('day', 'an armless couch; a seat by day and a bed by night'),\n", " ('flat', 'freight car without permanent sides or roof'),\n", " ('sick', 'the bed on which a sick person lies'),\n", " ('flower', 'a bed in which flowers are growing'),\n", " ('death', 'the last few hours before death'),\n", " ('river', 'a channel occupied (or formerly occupied) by a river'),\n", " ('hot',\n", " 'a situation that is ideal for rapid development (especially of something bad)'),\n", " ('seed', 'a bed where seedlings are grown before transplanting'),\n", " ('road', 'a bed supporting a road')]},\n", " {'answer': 'bell',\n", " 'hint': '_ bell',\n", " 'clues': [('cow',\n", " 'a bell hung around the neck of cow so that the cow can be easily located'),\n", " ('door',\n", " 'a push button at an outer door that gives a ringing or buzzing signal when pushed'),\n", " ('hare', 'sometimes placed in genus Scilla'),\n", " ('bar',\n", " 'a bar to which heavy discs are attached at each end; used in weightlifting'),\n", " ('dumb',\n", " 'an exercising weight; two spheres connected by a short bar that serves as a handle'),\n", " ('blue', 'sometimes placed in genus Scilla')]},\n", " {'answer': 'berry',\n", " 'hint': '_ berry',\n", " 'clues': [('bay', 'West Indian tree; source of bay rum'),\n", " ('bar',\n", " 'any of numerous plants of the genus Berberis having prickly stems and yellow flowers followed by small red berries'),\n", " ('dew',\n", " 'any of several trailing blackberry brambles especially of North America'),\n", " ('elder',\n", " 'a common shrub with black fruit or a small tree of Europe and Asia; fruit used for wines and jellies'),\n", " ('blue',\n", " 'any of numerous shrubs of the genus Vaccinium bearing blueberries'),\n", " ('straw', 'sweet fleshy red fruit'),\n", " ('rasp',\n", " 'woody brambles bearing usually red but sometimes black or yellow fruits that separate from the receptacle when ripe and are rounder and smaller than blackberries'),\n", " ('black',\n", " 'large sweet black or very dark purple edible aggregate fruit of any of various bushes of the genus Rubus'),\n", " ('goose',\n", " 'spiny Eurasian shrub having greenish purple-tinged flowers and ovoid yellow-green or red-purple berries')]},\n", " {'answer': 'bill',\n", " 'hint': '_ bill',\n", " 'clues': [('spoon',\n", " 'wading birds having a long flat bill with a tip like a spoon'),\n", " ('hand',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('way',\n", " 'a receipt given by the carrier to the shipper acknowledging receipt of the goods being shipped and specifying the terms of delivery'),\n", " ('play', 'a theatrical program'),\n", " ('duck',\n", " 'primitive fish of the Mississippi valley having a long paddle-shaped snout')]},\n", " {'answer': 'bird',\n", " 'hint': '_ bird',\n", " 'clues': [('sea',\n", " 'a bird that frequents coastal waters and the open ocean: gulls; pelicans; gannets; cormorants; albatrosses; petrels; etc.'),\n", " ('blue',\n", " 'fruit-eating mostly brilliant blue songbird of the East Indies'),\n", " ('love',\n", " 'small Australian parakeet usually light green with black and yellow markings in the wild but bred in many colors'),\n", " ('black',\n", " 'any bird of the family Icteridae whose male is black or predominantly black'),\n", " ('song', 'any bird having a musical call'),\n", " ('cow',\n", " \"North American blackbird that follows cattle and lays eggs in other birds' nests\"),\n", " ('lady',\n", " 'small round bright-colored and spotted beetle that usually feeds on aphids and other insect pests'),\n", " ('jail', 'a criminal who has been jailed repeatedly'),\n", " ('whirly',\n", " 'an aircraft without wings that obtains its lift from the rotation of overhead blades'),\n", " ('cat',\n", " 'any of various birds of the Australian region whose males build ornamented structures resembling bowers in order to attract females'),\n", " ('jay',\n", " 'common jay of eastern North America; bright blue with grey breast'),\n", " ('oven', 'American warbler; builds a dome-shaped nest on the ground'),\n", " ('water', 'freshwater aquatic bird'),\n", " ('lyre',\n", " 'Australian bird that resembles a pheasant; the courting male displays long tail feathers in a lyre shape'),\n", " ('dicky',\n", " 'small bird; adults talking to children sometimes use these words to refer to small birds'),\n", " ('snow', 'medium-sized Eurasian thrush seen chiefly in winter'),\n", " ('red', 'the male is bright red with black wings and tail'),\n", " ('mocking',\n", " 'long-tailed grey-and-white songbird of the southern United States able to mimic songs of other birds'),\n", " ('humming',\n", " 'tiny American bird having brilliant iridescent plumage and long slender bills; wings are specialized for vibrating flight'),\n", " ('shore',\n", " 'any of numerous wading birds that frequent mostly seashores and estuaries')]},\n", " {'answer': 'board',\n", " 'hint': '_ board',\n", " 'clues': [('lap', 'writing board used on the lap as a table or desk'),\n", " ('paste', 'stiff cardboard made by pasting together layers of paper'),\n", " ('floor', 'a board in the floor'),\n", " ('shuffle',\n", " 'a game in which players use long sticks to shove wooden disks onto the scoring area marked on a smooth surface'),\n", " ('cup', 'a small room (or recess) or cabinet used for storage space'),\n", " ('paper', 'a cardboard suitable for making posters'),\n", " ('score',\n", " 'a large board for displaying the score of a contest (and some other information)'),\n", " ('spring', 'a flexible board for jumping upward'),\n", " ('clapper',\n", " 'photographic equipment used to synchronize sound and motion picture; boards held in front of a movie camera are banged together'),\n", " ('finger', 'a guidepost resembling a hand with a pointing index finger'),\n", " ('side',\n", " 'a removable board fitted on the side of a wagon to increase its capacity'),\n", " ('cheese', 'tray on which cheeses are served'),\n", " ('bill', 'large outdoor signboard'),\n", " ('mold',\n", " 'wedge formed by the curved part of a steel plow blade that turns the furrow'),\n", " ('plaster',\n", " 'wallboard with a gypsum plaster core bonded to layers of paper or fiberboard; used instead of plaster or wallboard to make interior walls'),\n", " ('weather',\n", " 'a long thin board with one edge thicker than the other; used as siding by lapping one board over the board below'),\n", " ('buck',\n", " 'an open horse-drawn carriage with four wheels; has a seat attached to a flexible board between the two axles'),\n", " ('sound',\n", " '(music) resonator consisting of a thin board whose vibrations reinforce the sound of the instrument'),\n", " ('chalk', 'sheet of slate; for writing with chalk'),\n", " ('tail', 'a gate at the rear of a vehicle; can be lowered for loading'),\n", " ('black', 'sheet of slate; for writing with chalk'),\n", " ('head', 'a vertical board or panel forming the head of a bedstead'),\n", " ('dart',\n", " 'a circular board of wood or cork used as the target in the game of darts'),\n", " ('key',\n", " 'device consisting of a set of keys on a piano or organ or typewriter or typesetting machine or computer or the like'),\n", " ('drain',\n", " 'a board beside a kitchen sink and inclined to drain into the sink'),\n", " ('switch',\n", " 'telephone central where circuits are completed with patchcords'),\n", " ('snow',\n", " 'a board that resembles a broad ski or a small surfboard; used in a standing position to slide down snow-covered slopes'),\n", " ('skate',\n", " 'a board with wheels that is ridden in a standing or crouching position and propelled by foot'),\n", " ('chip',\n", " 'a cheap hard material made from wood chips that are pressed together and bound with synthetic resin'),\n", " ('hard',\n", " 'a cheap hard material made from wood chips that are pressed together and bound with synthetic resin'),\n", " ('dash',\n", " 'protective covering consisting of a panel to protect people from the splashing water or mud etc.'),\n", " ('sign',\n", " 'structure displaying a board on which advertisements can be posted'),\n", " ('checker', 'a board having 64 squares of two alternating colors'),\n", " ('sea', 'the shore of a sea or ocean regarded as a resort'),\n", " ('card', 'a stiff moderately thick paper'),\n", " ('bread',\n", " 'a wooden or plastic board on which dough is kneaded or bread is sliced'),\n", " ('star',\n", " 'the right side of a ship or aircraft to someone who is aboard and facing the bow or nose'),\n", " ('wall',\n", " 'a wide flat board used to cover walls or partitions; made from plaster or wood pulp or other materials and used primarily to form the interior walls of houses'),\n", " ('surf', 'a narrow buoyant board for riding surf'),\n", " ('clip',\n", " 'a small writing board with a clip at the top for holding papers'),\n", " ('peg',\n", " 'a board perforated with regularly spaced holes into which pegs can be fitted'),\n", " ('base', 'a molding covering the joint formed by a wall and the floor'),\n", " ('fiber',\n", " 'wallboard composed of wood chips or shavings bonded together with resin and compressed into rigid sheets'),\n", " ('center',\n", " 'a retractable fin keel used on sailboats to prevent drifting to leeward'),\n", " ('wash', 'device consisting of a corrugated surface to scrub clothes on'),\n", " ('chess', 'a checkerboard used to play chess'),\n", " ('mortar',\n", " 'a square board with a handle underneath; used by masons to hold or carry mortar')]},\n", " {'answer': 'boarding',\n", " 'hint': '_ boarding',\n", " 'clues': [('skate', 'the sport of skating on a skateboard'),\n", " ('surf',\n", " 'the sport of riding a surfboard toward the shore on the crest of a wave'),\n", " ('snow',\n", " 'the act of sliding down a snow-covered slope while standing on a snowboard'),\n", " ('weather',\n", " 'a long thin board with one edge thicker than the other; used as siding by lapping one board over the board below')]},\n", " {'answer': 'boat',\n", " 'hint': '_ boat',\n", " 'clues': [('flat',\n", " 'a flatbottom boat for carrying heavy loads (especially on canals)'),\n", " ('ferry',\n", " 'a boat that transports people or vehicles across a body of water and operates on a regular schedule'),\n", " ('gun',\n", " 'a small shallow-draft boat carrying mounted guns; used by costal patrols'),\n", " ('show',\n", " 'a river steamboat on which theatrical performances could be given (especially on the Mississippi River)'),\n", " ('speed', 'a fast motorboat'),\n", " ('life',\n", " 'a strong sea boat designed to rescue people from a sinking ship'),\n", " ('cat', 'a sailboat with a single mast set far forward'),\n", " ('whale',\n", " 'a long narrow boat designed for quick turning and use in rough seas'),\n", " ('motor', 'a boat propelled by an internal-combustion engine'),\n", " ('power', 'a boat propelled by an internal-combustion engine'),\n", " ('house', 'a barge that is designed and equipped for use as a dwelling'),\n", " ('ice',\n", " 'a ship with a reinforced bow to break up ice and keep channels open for navigation'),\n", " ('sail', 'a small sailing vessel; usually with a single mast'),\n", " ('row',\n", " 'a small boat of shallow draft with cross thwarts for seats and rowlocks for oars with which it is propelled'),\n", " ('tug', 'a powerful small boat designed to pull or push larger ships'),\n", " ('tow', 'a powerful small boat designed to pull or push larger ships'),\n", " ('steam', 'a boat propelled by a steam engine'),\n", " ('long', 'the largest boat carried by a merchant sailing vessel')]},\n", " {'answer': 'body',\n", " 'hint': '_ body',\n", " 'clues': [('home',\n", " 'a person who seldom goes anywhere; one not given to wandering or travel'),\n", " ('dogs',\n", " 'a worker who has to do all the unpleasant or boring jobs that no one else wants to do'),\n", " ('some', 'a human being'),\n", " ('busy', 'a person who meddles in the affairs of others')]},\n", " {'answer': 'bone',\n", " 'hint': '_ bone',\n", " 'clues': [('whale',\n", " 'a horny material from the upper jaws of certain whales; used as the ribs of fans or as stays in corsets'),\n", " ('hip',\n", " 'large flaring bone forming one half of the pelvis; made up of the ilium and ischium and pubis'),\n", " ('back', 'a central cohesive source of support and stability'),\n", " ('breast',\n", " 'the flat bone that articulates with the clavicles and the first seven pairs of ribs'),\n", " ('collar', 'bone linking the scapula and sternum'),\n", " ('jaw', 'the jaw in vertebrates that is hinged to open the mouth'),\n", " ('herring', 'a twilled fabric with a herringbone pattern'),\n", " ('shin',\n", " 'the inner and thicker of the two bones of the human leg between the knee and ankle'),\n", " ('ankle',\n", " 'the bone in the ankle that articulates with the leg bones to form the ankle joint'),\n", " ('wish', 'the furcula of a domestic fowl'),\n", " ('cheek',\n", " 'the arch of bone beneath the eye that forms the prominence of the cheek'),\n", " ('thigh',\n", " 'the longest and thickest bone of the human skeleton; extends from the pelvis to the knee')]},\n", " {'answer': 'book',\n", " 'hint': '_ book',\n", " 'clues': [('year',\n", " 'a book published annually by the graduating class of a high school or college usually containing photographs of faculty and graduating students'),\n", " ('cook', 'a book of recipes and cooking directions'),\n", " ('prayer', 'a book containing prayers'),\n", " ('bank',\n", " 'a record of deposits and withdrawals and interest held by depositors at certain banks'),\n", " ('text', 'a book prepared for use in schools or colleges'),\n", " ('pass',\n", " 'a record of deposits and withdrawals and interest held by depositors at certain banks'),\n", " ('log', 'a book in which the log is written'),\n", " ('hand',\n", " 'a concise reference book providing specific information about a subject or location'),\n", " ('guide', 'something that offers basic information or instruction'),\n", " ('check', 'a book issued to holders of checking accounts'),\n", " ('word',\n", " 'a reference book containing words (usually with their meanings)'),\n", " ('hymn', 'a songbook containing a collection of hymns'),\n", " ('song', 'a book containing a collection of songs'),\n", " ('story',\n", " 'a book containing a collection of stories (usually for children)'),\n", " ('stud',\n", " 'official record of the pedigree of purebred animals especially horses'),\n", " ('school', 'a book prepared for use in schools or colleges'),\n", " ('case',\n", " 'a book in which detailed written records of a case are kept and which are a source of information for subsequent work'),\n", " ('scrap',\n", " 'an album into which clippings or notes or pictures can be pasted'),\n", " ('note', 'a book with blank pages for recording notes or memoranda'),\n", " ('work',\n", " \"a student's book or booklet containing problems with spaces for solving them\"),\n", " ('copy',\n", " 'a book containing models of good penmanship; used in teaching penmanship'),\n", " ('match', 'a small folder of paper safety matches'),\n", " ('play',\n", " 'a notebook containing descriptions and diagrams of the plays that a team has practiced (especially an American football team)'),\n", " ('pocket', 'your personal financial means'),\n", " ('sketch',\n", " 'a book containing sheets of paper on which sketches can be drawn')]},\n", " {'answer': 'box',\n", " 'hint': '_ box',\n", " 'clues': [('juke',\n", " 'a cabinet containing an automatic record player; records are played by inserting a coin'),\n", " ('band',\n", " 'a light cylindrical box for holding light articles of attire (especially hats)'),\n", " ('tool', 'a box or chest or cabinet for holding hand tools'),\n", " ('soap', 'a crate for packing soap'),\n", " ('match', 'a box for holding matches'),\n", " ('paint',\n", " \"a box containing a collection of cubes or tubes of artists' paint\"),\n", " ('horse',\n", " 'a conveyance (railroad car or trailer) for transporting racehorses'),\n", " ('hot', 'a journal bearing (as of a railroad car) that has overheated'),\n", " ('post', 'public box for deposit of mail'),\n", " ('tinder',\n", " 'a dangerous state of affairs; a situation that is a potential source of violence'),\n", " ('sand', 'mold consisting of a box with sand shaped to mold metal'),\n", " ('mail', 'a private box for delivery of mail'),\n", " ('hat', 'a round piece of luggage for carrying hats'),\n", " ('ice', 'white goods in which food can be stored at low temperatures'),\n", " ('pill', \"a small round woman's hat\"),\n", " ('chatter',\n", " 'orchid growing along streams or ponds of western North America having leafy stems and 1 greenish-brown and pinkish flower in the axil of each upper leaf'),\n", " ('gear', 'the shell (metal casing) in which a train of gears is sealed'),\n", " ('snuff', 'a small ornamental box for carrying snuff in your pocket'),\n", " ('shoe',\n", " 'a structure resembling a shoebox (as a rectangular building or a cramped room or compartment)'),\n", " ('strong',\n", " 'a strongly made box for holding money or valuables; can be locked'),\n", " ('fire', 'a furnace (as on a steam locomotive) in which fuel is burned'),\n", " ('salt',\n", " 'a type of house built in New England; has two stories in front and one behind'),\n", " ('bread', 'a container used to keep bread or cake in')]},\n", " {'answer': 'boy',\n", " 'hint': '_ boy',\n", " 'clues': [('bell',\n", " 'someone employed as an errand boy and luggage carrier around hotels'),\n", " ('school', 'a boy attending school'),\n", " ('page', 'a boy who is employed to run errands'),\n", " ('home', 'a fellow male member of a youth gang'),\n", " ('news', 'a boy who delivers newspapers'),\n", " ('cow',\n", " 'a hired hand who tends cattle and performs other duties on horseback'),\n", " ('paper', 'a boy who sells or delivers newspapers'),\n", " ('play', 'a man devoted to the pursuit of pleasure'),\n", " ('tall',\n", " 'a tall chest of drawers divided into two sections and supported on four legs'),\n", " ('low', 'a low chest or table with drawers and supported on four legs'),\n", " ('high',\n", " 'a tall chest of drawers divided into two sections and supported on four legs'),\n", " ('bus',\n", " 'a restaurant attendant who sets tables and assists waiters and clears away dirty dishes'),\n", " ('choir', 'a boy who sings in a choir'),\n", " ('tom', 'a girl who behaves in a boyish manner')]},\n", " {'answer': 'bread',\n", " 'hint': '_ bread',\n", " 'clues': [('corn', 'bread made primarily of cornmeal'),\n", " ('sweet', 'edible glands of an animal'),\n", " ('short', 'very rich thick butter cookie'),\n", " ('ginger', 'cake flavored with ginger'),\n", " ('bee',\n", " 'a mixture of nectar and pollen prepared by worker bees and fed to larvae')]},\n", " {'answer': 'break',\n", " 'hint': '_ break',\n", " 'clues': [('fire',\n", " 'a narrow field that has been cleared to check the spread of a prairie fire or forest fire'),\n", " ('jail', 'an escape from jail'),\n", " ('day', 'the first light of day'),\n", " ('heart',\n", " 'intense sorrow caused by loss of a loved one (especially by death)'),\n", " ('wind',\n", " 'hedge or fence of trees designed to lessen the force of the wind and reduce erosion'),\n", " ('gaol', 'an escape from jail')]},\n", " {'answer': 'breaker',\n", " 'hint': '_ breaker',\n", " 'clues': [('strike',\n", " 'someone who works (or provides workers) during a strike'),\n", " ('ice',\n", " 'a ship with a reinforced bow to break up ice and keep channels open for navigation'),\n", " ('jaw', 'a large round hard candy'),\n", " ('law', 'someone who violates the law'),\n", " ('house',\n", " \"a burglar who unlawfully breaks into and enters another person's house\"),\n", " ('wind', \"a kind of heavy jacket (`windcheater' is a British term)\"),\n", " ('tie',\n", " 'overtime play in order to break a tie; e.g. tennis and soccer')]},\n", " {'answer': 'brow',\n", " 'hint': '_ brow',\n", " 'clues': [('middle', 'someone who is neither a highbrow nor a lowbrow'),\n", " ('high', 'a person of intellectual or erudite tastes'),\n", " ('eye', 'the arch of hair above each eye'),\n", " ('low', 'a person who is uninterested in intellectual pursuits')]},\n", " {'answer': 'brush',\n", " 'hint': '_ brush',\n", " 'clues': [('tooth', 'small brush; has long handle; used to clean teeth'),\n", " ('paint', 'a brush used as an applicator (to apply paint)'),\n", " ('sage',\n", " 'any of several North American composite subshrubs of the genera Artemis or Seriphidium'),\n", " ('nail', \"a brush used to clean a person's fingernails\"),\n", " ('hair', \"a brush used to groom a person's hair\"),\n", " ('under',\n", " 'the brush (small trees and bushes and ferns etc.) growing beneath taller trees in a wood or forest')]},\n", " {'answer': 'bug',\n", " 'hint': '_ bug',\n", " 'clues': [('bed',\n", " 'bug of temperate regions that infests especially beds and feeds on human blood'),\n", " ('fire', 'a criminal who illegally sets fire to property'),\n", " ('lady',\n", " 'small round bright-colored and spotted beetle that usually feeds on aphids and other insect pests'),\n", " ('litter', 'a person who litters public places with refuse'),\n", " ('mealy',\n", " 'scalelike plant-eating insect coated with a powdery waxy secretion; destructive especially of fruit trees'),\n", " ('doodle', 'a small motor vehicle'),\n", " ('jitter', 'a jerky American dance that was popular in the 1940s'),\n", " ('shutter', 'a photography enthusiast')]},\n", " {'answer': 'cake',\n", " 'hint': '_ cake',\n", " 'clues': [('cheese',\n", " 'made with sweetened cream cheese and eggs and cream baked in a crumb crust'),\n", " ('hot', 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('oat', 'thin flat unleavened cake of baked oatmeal'),\n", " ('hoe',\n", " 'thin usually unleavened johnnycake made of cornmeal; originally baked on the blade of a hoe over an open fire (southern)'),\n", " ('griddle', 'a scone made by dropping a spoonful of batter on a griddle'),\n", " ('coffee', 'a cake or sweet bread usually served with coffee'),\n", " ('johnny',\n", " 'cornbread usually cooked pancake-style on a griddle (chiefly New England)'),\n", " ('cup', 'small cake baked in a muffin tin'),\n", " ('pan', 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('fruit', 'a whimsically eccentric person'),\n", " ('short',\n", " 'very short biscuit dough baked as individual biscuits or a round loaf; served with sweetened fruit and usually whipped cream'),\n", " ('fried',\n", " 'small cake in the form of a ring or twist or ball or strip fried in deep fat'),\n", " ('tea', 'flat semisweet cookie or biscuit usually served with tea'),\n", " ('beef', 'a photograph of a muscular man in minimal attire')]},\n", " {'answer': 'cap',\n", " 'hint': '_ cap',\n", " 'clues': [('sky',\n", " 'a porter who helps passengers with their baggage at an airport'),\n", " ('ice',\n", " 'a mass of ice and snow that permanently covers a large area of land (e.g., the polar regions or a mountain peak)'),\n", " ('mad', 'a reckless impetuous irresponsible person'),\n", " ('hub', 'cap that fits over the hub of a wheel'),\n", " ('night', 'an alcoholic drink taken at bedtime; often alcoholic'),\n", " ('knee',\n", " 'a small flat triangular bone in front of the knee that protects the knee joint'),\n", " ('skull', 'rounded brimless cap fitting the crown of the head'),\n", " ('toe',\n", " 'a protective leather or steel cover for the toe of a boot or shoe, reinforcing or decorating it'),\n", " ('fools', 'a size of paper used especially in Britain'),\n", " ('red', 'a member of the military police in Britain'),\n", " ('white',\n", " 'a wave that is blown by the wind so its crest is broken and appears white')]},\n", " {'answer': 'car',\n", " 'hint': '_ car',\n", " 'clues': [('tram', 'a four-wheeled wagon that runs on tracks in a mine'),\n", " ('box', 'a freight car with roof and sliding doors in the sides'),\n", " ('motor',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine'),\n", " ('hand', 'a small railroad car propelled by hand or by a small motor'),\n", " ('side', 'a cocktail made of orange liqueur with lemon juice and brandy'),\n", " ('flat', 'freight car without permanent sides or roof'),\n", " ('street',\n", " 'a wheeled vehicle that runs on rails and is propelled by electricity')]},\n", " {'answer': 'care',\n", " 'hint': '_ care',\n", " 'clues': [('after', 'care and treatment of a convalescent patient'),\n", " ('child', \"a service involving care for other people's children\"),\n", " ('skin', 'care for the skin'),\n", " ('hair',\n", " 'care for the hair: the activity of washing or cutting or curling or arranging the hair'),\n", " ('day', 'childcare during the day while parents work')]},\n", " {'answer': 'cart',\n", " 'hint': '_ cart',\n", " 'clues': [('apple',\n", " \"the planning that is disrupted when someone `upsets the applecart'\"),\n", " ('push',\n", " 'wheeled vehicle that can be pushed by a person; may have one or two or four wheels'),\n", " ('dust', 'a truck for collecting domestic refuse'),\n", " ('hand',\n", " 'wheeled vehicle that can be pushed by a person; may have one or two or four wheels'),\n", " ('dog', 'a cart drawn by a dog')]},\n", " {'answer': 'case',\n", " 'hint': '_ case',\n", " 'clues': [('crank', 'housing for a crankshaft'),\n", " ('upper',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('brief', 'a case with a handle; for carrying papers or files or books'),\n", " ('seed',\n", " 'the vessel that contains the seeds of a plant (not the seeds themselves)'),\n", " ('show', 'a setting in which something can be displayed to best effect'),\n", " ('book', 'a piece of furniture with shelves for storing books'),\n", " ('suit', 'a portable rectangular container for carrying clothes'),\n", " ('pillow', 'bed linen consisting of a cover for a pillow'),\n", " ('lower',\n", " \"the characters that were once kept in bottom half of a compositor's type case\"),\n", " ('nut', 'someone deranged and possibly dangerous'),\n", " ('stair',\n", " 'a way of access (upward and downward) consisting of a set of steps')]},\n", " {'answer': 'cast',\n", " 'hint': '_ cast',\n", " 'clues': [('down', 'a ventilation shaft through which air enters a mine'),\n", " ('over', 'the state of the sky when it is covered by clouds'),\n", " ('sports', 'a broadcast of sports news or commentary'),\n", " ('broad', 'message that is transmitted by radio or television'),\n", " ('news', 'a broadcast of news or commentary on the news'),\n", " ('rough', 'a coarse plaster for the surface of external walls')]},\n", " {'answer': 'cat',\n", " 'hint': '_ cat',\n", " 'clues': [('hell', 'a malicious woman with a fierce temper'),\n", " ('tom', 'male cat'),\n", " ('bob', 'small lynx of North America'),\n", " ('wild',\n", " 'an exploratory oil well drilled in land not known to be an oil field'),\n", " ('pole',\n", " 'American musteline mammal typically ejecting an intensely malodorous fluid when startled; in some classifications put in a separate subfamily Mephitinae'),\n", " ('pussy', 'a person who is regarded as easygoing and agreeable'),\n", " ('copy', 'someone who copies the words or behavior of another')]},\n", " {'answer': 'chair',\n", " 'hint': '_ chair',\n", " 'clues': [('high',\n", " 'a chair for feeding a very young child; has four long legs and a footrest and a detachable tray'),\n", " ('push',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('arm', 'chair with a support on each side for arms'),\n", " ('wheel',\n", " 'a movable chair mounted on large wheels; for invalids or those who cannot walk; frequently propelled by the occupant')]},\n", " {'answer': 'child',\n", " 'hint': '_ child',\n", " 'clues': [('god',\n", " 'an infant who is sponsored by an adult (the godparent) at baptism'),\n", " ('school',\n", " 'a young person attending school (up through senior high school)'),\n", " ('step', 'a child of your spouse by a former marriage'),\n", " ('grand', 'a child of your son or daughter'),\n", " ('brain', 'a product of your creative thinking and work')]},\n", " {'answer': 'cloth',\n", " 'hint': '_ cloth',\n", " 'clues': [('hair',\n", " 'cloth woven from horsehair or camelhair; used for upholstery or stiffening in garments'),\n", " ('table', 'a covering spread over a dining table'),\n", " ('back', 'scenery hung at back of stage'),\n", " ('oil', 'cloth treated on one side with a drying oil or synthetic resin'),\n", " ('sack',\n", " 'a garment made of coarse sacking; formerly worn as an indication of remorse'),\n", " ('broad', 'a densely textured woolen fabric with a lustrous finish'),\n", " ('dish', 'a cloth for washing dishes'),\n", " ('terry',\n", " 'a pile fabric (usually cotton) with uncut loops on both sides; used to make bath towels and bath robes'),\n", " ('cheese',\n", " 'a coarse loosely woven cotton gauze; originally used to wrap cheeses'),\n", " ('sail',\n", " 'a strong fabric (such as cotton canvas) used for making sails and tents'),\n", " ('wash',\n", " 'bath linen consisting of a piece of cloth used to wash the face and body'),\n", " ('loin', 'a garment that provides covering for the loins')]},\n", " {'answer': 'coat',\n", " 'hint': '_ coat',\n", " 'clues': [('rain', 'a water-resistant coat'),\n", " ('waist', \"a man's sleeveless garment worn underneath a coat\"),\n", " ('red',\n", " 'British soldier; so-called because of his red coat (especially during the American Revolution)'),\n", " ('under',\n", " 'seal consisting of a coating of a tar or rubberlike material on the underside of a motor vehicle to retard corrosion'),\n", " ('turn',\n", " 'a disloyal person who betrays or deserts his cause or religion or political party or friend etc.'),\n", " ('over', 'a heavy coat worn over clothes in winter'),\n", " ('house', 'a loose dressing gown for women'),\n", " ('tail', 'formalwear consisting of full evening dress for men'),\n", " ('top', 'a heavy coat worn over clothes in winter'),\n", " ('great', 'a heavy coat worn over clothes in winter')]},\n", " {'answer': 'cock',\n", " 'hint': '_ cock',\n", " 'clues': [('pet',\n", " 'regulator consisting of a small cock or faucet or valve for letting out air or releasing compression or draining'),\n", " ('hay',\n", " 'a small cone-shaped pile of hay that has been left in the field until it is dry enough to carry to the hayrick'),\n", " ('ball', 'floating ball that controls level in a water tank'),\n", " ('pea',\n", " 'European butterfly having reddish-brown wings each marked with a purple eyespot'),\n", " ('game', 'a cock bred and trained for fighting'),\n", " ('wood', 'game bird of the sandpiper family that resembles a snipe'),\n", " ('shuttle',\n", " 'badminton equipment consisting of a ball of cork or rubber with a crown of feathers'),\n", " ('weather', 'weathervane with a vane in the form of a rooster'),\n", " ('stop',\n", " 'faucet consisting of a rotating device for regulating flow of a liquid')]},\n", " {'answer': 'comb',\n", " 'hint': '_ comb',\n", " 'clues': [('honey',\n", " 'a structure of small hexagonal cells constructed from beeswax by bees and used to store honey and larvae'),\n", " ('cox',\n", " 'a conceited dandy who is overly impressed by his own accomplishments'),\n", " ('curry', 'a square comb with rows of small teeth; used to curry horses'),\n", " ('cocks',\n", " 'garden annual with featherlike spikes of red or yellow flowers')]},\n", " {'answer': 'craft',\n", " 'hint': '_ craft',\n", " 'clues': [('needle',\n", " 'a creation created or assembled by needle and thread'),\n", " ('wood',\n", " 'skill and experience in matters relating to the woods (as hunting or fishing or camping)'),\n", " ('hand', 'a work produced by hand labor'),\n", " ('water', 'skill in the management of boats'),\n", " ('air', 'a vehicle that can fly'),\n", " ('hover',\n", " 'a craft capable of moving over water or land on a cushion of air created by jet engines'),\n", " ('witch', 'the art of sorcery'),\n", " ('space',\n", " 'a craft capable of traveling in outer space; technically, a satellite around the sun'),\n", " ('state', 'wisdom in the management of public affairs'),\n", " ('stage', 'skill in writing or staging plays')]},\n", " {'answer': 'cut',\n", " 'hint': '_ cut',\n", " 'clues': [('wood', 'a print made from a woodcut'),\n", " ('under', 'the material removed by a cut made underneath'),\n", " ('hair', 'the style in which hair has been cut'),\n", " ('cross', 'a diagonal path'),\n", " ('upper',\n", " \"a swinging blow directed upward (especially at an opponent's chin)\"),\n", " ('short', 'a route shorter than the usual one')]},\n", " {'answer': 'day',\n", " 'hint': '_ day',\n", " 'clues': [('mid', 'the middle of the day'),\n", " ('pay', 'the day on which you receive pay for your work'),\n", " ('week', 'any day except Sunday (and sometimes except Saturday)'),\n", " ('noon', 'the middle of the day'),\n", " ('dooms',\n", " '(New Testament) day at the end of time following Armageddon when God will decree the fates of all individual humans according to the good and evil of their earthly lives'),\n", " ('work', 'a day on which work is done'),\n", " ('wash', 'a day set aside for doing household laundry'),\n", " ('birth',\n", " 'an anniversary of the day on which a person was born (or the celebration of it)')]},\n", " {'answer': 'dog',\n", " 'hint': '_ dog',\n", " 'clues': [('watch',\n", " 'a guardian or defender against theft or illegal practices or waste'),\n", " ('sheep',\n", " 'any of various usually long-haired breeds of dog reared to herd and guard sheep'),\n", " ('under', 'one at a disadvantage and expected to lose'),\n", " ('bull',\n", " 'a sturdy thickset short-haired breed with a large head and strong undershot lower jaw; developed originally in England for bull baiting'),\n", " ('hot',\n", " 'someone who performs dangerous stunts to attract attention to himself'),\n", " ('lap', 'a dog small and tame enough to be held in the lap')]},\n", " {'answer': 'down',\n", " 'hint': '_ down',\n", " 'clues': [('melt',\n", " 'severe overheating of the core of a nuclear reactor resulting in the core melting and radiation escaping'),\n", " ('touch',\n", " \"a score in American football; being in possession of the ball across the opponents' goal line\"),\n", " ('count',\n", " 'counting backward from an arbitrary number to indicate the time remaining before some event (such as launching a space vehicle)'),\n", " ('knock', 'a blow that knocks the opponent off his feet'),\n", " ('crack', 'severely repressive actions'),\n", " ('clamp', 'sudden restriction on an activity'),\n", " ('rub',\n", " 'the act of rubbing down, usually for relaxation or medicinal purposes'),\n", " ('shut', 'termination of operations'),\n", " ('let',\n", " 'a feeling of dissatisfaction that results when your expectations are not realized'),\n", " ('spell',\n", " 'a contest in which you are eliminated if you fail to spell a word correctly'),\n", " ('slow', 'the act of slowing down or falling behind'),\n", " ('show', 'a hostile disagreement face-to-face'),\n", " ('break',\n", " 'the act of disrupting an established order so it fails to continue'),\n", " ('run',\n", " 'a concluding summary (as in presenting a case before a law court)'),\n", " ('come', 'decline to a lower status or level'),\n", " ('splash',\n", " 'a landing of a spacecraft in the sea at the end of a space flight'),\n", " ('eider', 'a soft quilt usually filled with the down of the eider'),\n", " ('sun',\n", " 'the time in the evening at which the sun begins to fall below the horizon'),\n", " ('shake',\n", " 'initial adjustments to improve the functioning or the efficiency and to bring to a more satisfactory state'),\n", " ('thistle',\n", " 'pappus of a thistle consisting of silky featherlike hairs attached to the seed-like fruit of a thistle')]},\n", " {'answer': 'drop',\n", " 'hint': '_ drop',\n", " 'clues': [('back', 'scenery hung at back of stage'),\n", " ('dew', 'a drop of dew'),\n", " ('gum', 'a jellied candy coated with sugar crystals'),\n", " ('snow',\n", " 'common anemone of eastern North America with solitary pink-tinged white flowers'),\n", " ('rain', 'a drop of rain'),\n", " ('air',\n", " 'delivery of supplies or equipment or personnel by dropping them by parachute from an aircraft'),\n", " ('tear',\n", " 'anything shaped like a falling drop (as a pendant gem on an earring)')]},\n", " {'answer': 'eye',\n", " 'hint': '_ eye',\n", " 'clues': [('wall',\n", " 'strabismus in which one or both eyes are directed outward'),\n", " ('shut', 'informal term for sleep'),\n", " ('buck', 'the inedible nutlike seed of the horse chestnut'),\n", " ('pink', 'inflammation of the conjunctiva of the eye')]},\n", " {'answer': 'face',\n", " 'hint': '_ face',\n", " 'clues': [('coal', 'the part of a coal seam that is being cut'),\n", " ('pale',\n", " '(slang) a derogatory term for a white person (supposedly used by North American Indians)'),\n", " ('bold', 'a typeface with thick heavy lines'),\n", " ('type', 'a specific size and style of type within a type family')]},\n", " {'answer': 'fall',\n", " 'hint': '_ fall',\n", " 'clues': [('night', 'the time of day immediately following sunset'),\n", " ('water', 'a steep descent of the water of a river'),\n", " ('pit', 'an unforeseen or unexpected or surprising difficulty'),\n", " ('short',\n", " 'the property of being an amount by which something is less than expected or required'),\n", " ('snow', 'precipitation falling from clouds in the form of ice crystals'),\n", " ('rain', 'water falling in drops from vapor condensed in the atmosphere'),\n", " ('foot', 'the sound of a step of someone walking'),\n", " ('wind', 'fruit that has fallen from the tree'),\n", " ('land', 'the seacoast first sighted on a voyage (or flight over water)'),\n", " ('down', 'failure that results in a loss of position or reputation'),\n", " ('prat', 'a fall onto your buttocks')]},\n", " {'answer': 'field',\n", " 'hint': '_ field',\n", " 'clues': [('hay',\n", " 'a field where grass or alfalfa are grown to be made into hay'),\n", " ('coal', 'a region where there is coal underground'),\n", " ('out',\n", " 'the area of a baseball playing field beyond the lines connecting the bases'),\n", " ('gold', 'a district where gold is mined'),\n", " ('corn', 'a field planted with corn'),\n", " ('snow', 'a permanent wide expanse of snow'),\n", " ('mid',\n", " '(sports) the middle part of a playing field (as in football or lacrosse)'),\n", " ('back', 'the offensive football players who line up behind the linemen'),\n", " ('oil',\n", " 'a region rich in petroleum deposits (especially one with producing oil wells)'),\n", " ('mine', 'a region in which explosives mines have been placed'),\n", " ('air', 'a place where planes take off and land'),\n", " ('battle', 'a region where a battle is being (or has been) fought')]},\n", " {'answer': 'fight',\n", " 'hint': '_ fight',\n", " 'clues': [('cock',\n", " 'a match in a cockpit between two fighting cocks heeled with metal gaffs'),\n", " ('dog', 'a fiercely disputed contest'),\n", " ('gun',\n", " 'a fight involving shooting small arms with the intent to kill or frighten'),\n", " ('fist', 'a fight with bare fists'),\n", " ('bull',\n", " 'a Spanish or Portuguese or Latin American spectacle; a matador baits and (usually) kills a bull in an arena before many spectators'),\n", " ('prize',\n", " 'a boxing match between professional boxers for a cash prize')]},\n", " {'answer': 'finder',\n", " 'hint': '_ finder',\n", " 'clues': [('range',\n", " 'a measuring instrument (acoustic or optical or electronic) for finding the distance of an object'),\n", " ('view',\n", " 'optical device that helps a user to find the target of interest'),\n", " ('fault', 'someone who is critical of the motives of others'),\n", " ('path', 'someone who can find paths through unexplored territory')]},\n", " {'answer': 'fire',\n", " 'hint': '_ fire',\n", " 'clues': [('cross',\n", " 'a lively or heated interchange of ideas and opinions'),\n", " ('hell',\n", " 'a place of eternal fire envisaged as punishment for the damned'),\n", " ('spit',\n", " 'a highly emotional and quick-tempered person (especially a girl or woman)'),\n", " ('camp', 'a small outdoor fire for warmth or cooking (as at a camp)'),\n", " ('wild', 'a raging and rapidly spreading conflagration'),\n", " ('back',\n", " 'the backward escape of gases and unburned gunpowder after a gun is fired'),\n", " ('gun', 'the act of shooting a gun')]},\n", " {'answer': 'fish',\n", " 'hint': '_ fish',\n", " 'clues': [('sail', 'a saltwater fish with lean flesh'),\n", " ('sun',\n", " 'the lean flesh of any of numerous American perch-like fishes of the family Centrarchidae'),\n", " ('spear',\n", " 'any of several large vigorous pelagic fishes resembling sailfishes but with first dorsal fin much reduced; worldwide but rare'),\n", " ('weak',\n", " 'lean flesh of food and game fishes of the Atlantic coast of the United States'),\n", " ('cat',\n", " 'flesh of scaleless food fish of the southern United States; often farmed'),\n", " ('dog',\n", " 'primitive long-bodied carnivorous freshwater fish with a very long dorsal fin; found in sluggish waters of North America'),\n", " ('star',\n", " 'echinoderms characterized by five arms extending from a central disk'),\n", " ('gold',\n", " 'small golden or orange-red freshwater fishes of Eurasia used as pond or aquarium fishes'),\n", " ('lung',\n", " 'air-breathing fish having an elongated body and fleshy paired fins; certain species construct mucus-lined mud coverings in which to survive drought'),\n", " ('sword', 'flesh of swordfish usually served as steaks'),\n", " ('flat',\n", " 'sweet lean whitish flesh of any of numerous thin-bodied fish; usually served as thin fillets'),\n", " ('cuttle',\n", " 'ten-armed oval-bodied cephalopod with narrow fins as long as the body and a large calcareous internal shell'),\n", " ('white',\n", " 'any market fish--edible saltwater fish or shellfish--except herring'),\n", " ('shell',\n", " 'meat of edible aquatic invertebrate with a shell (especially a mollusk or crustacean)'),\n", " ('jelly',\n", " 'large siphonophore having a bladderlike float and stinging tentacles'),\n", " ('gar',\n", " 'primitive predaceous North American fish covered with hard scales and having long jaws with needlelike teeth'),\n", " ('angel', 'a butterfly fish of the genus Pomacanthus'),\n", " ('silver',\n", " 'silver-grey wingless insect found in houses feeding on book bindings and starched clothing'),\n", " ('cod',\n", " 'lean white flesh of important North Atlantic food fish; usually baked or poached'),\n", " ('blue',\n", " 'bluish warm-water marine food and game fish that follow schools of small fishes into shallow waters')]},\n", " {'answer': 'flower',\n", " 'hint': '_ flower',\n", " 'clues': [('corn',\n", " 'plant of southern and southeastern United States grown for its yellow flowers that can be dried'),\n", " ('may',\n", " 'the ship in which the Pilgrim Fathers sailed from England to Massachusetts in 1620'),\n", " ('wall',\n", " 'any of numerous plants of the genus Erysimum having fragrant yellow or orange or brownish flowers'),\n", " ('sun',\n", " 'any plant of the genus Helianthus having large flower heads with dark disk florets and showy yellow rays'),\n", " ('wild', 'wild or uncultivated flowering plant'),\n", " ('wind',\n", " 'any woodland plant of the genus Anemone grown for its beautiful flowers and whorls of dissected leaves'),\n", " ('passion',\n", " 'any of various chiefly tropical American vines some bearing edible fruit')]},\n", " {'answer': 'fly',\n", " 'hint': '_ fly',\n", " 'clues': [('house',\n", " 'common fly that frequents human habitations and spreads many diseases'),\n", " ('blow',\n", " 'large usually hairy metallic blue or green fly; lays eggs in carrion or dung or wounds'),\n", " ('butter',\n", " 'diurnal insect typically having a slender body with knobbed antennae and broad colorful wings'),\n", " ('fire', 'tropical American click beetle having bright luminous spots'),\n", " ('gad', 'a persistently annoying person'),\n", " ('saw',\n", " 'insect whose female has a saw-like ovipositor for inserting eggs into the leaf or stem tissue of a host plant'),\n", " ('green', 'greenish aphid; pest on garden and crop plants'),\n", " ('may',\n", " 'slender insect with delicate membranous wings having an aquatic larval stage and terrestrial adult stage usually lasting less than two days'),\n", " ('damsel',\n", " 'slender non-stinging insect similar to but smaller than the dragonfly but having wings folded when at rest'),\n", " ('dragon',\n", " 'slender-bodied non-stinging insect having iridescent wings that are outspread at rest; adults and nymphs feed on mosquitoes etc.'),\n", " ('horse', 'winged fly parasitic on horses')]},\n", " {'answer': 'fold',\n", " 'hint': '_ fold',\n", " 'clues': [('bill',\n", " 'a pocket-size case for holding papers and paper money'),\n", " ('sheep', 'a pen for sheep'),\n", " ('center',\n", " 'a magazine center spread; especially a foldout of a large photograph or map or other feature'),\n", " ('blind', 'a cloth used to cover the eyes')]},\n", " {'answer': 'foot',\n", " 'hint': '_ foot',\n", " 'clues': [('crow', 'any of various plants of the genus Ranunculus'),\n", " ('hot',\n", " \"a practical joke that involves inserting a match surreptitiously between the sole and upper of the victim's shoe and then lighting it\"),\n", " ('flat', 'a policeman who patrols a given region'),\n", " ('club',\n", " 'congenital deformity of the foot usually marked by a curled shape or twisted position of the ankle and heel and toes'),\n", " ('tender',\n", " 'an inexperienced person (especially someone inexperienced in outdoor living)'),\n", " ('splay',\n", " 'a foot afflicted with a fallen arch; abnormally flattened and spread out'),\n", " ('web', 'a foot having the toes connected by folds of skin')]},\n", " {'answer': 'front',\n", " 'hint': '_ front',\n", " 'clues': [('ocean', 'land bordering an ocean'),\n", " ('water',\n", " 'the area of a city (such as a harbor or dockyard) alongside a body of water'),\n", " ('lake', 'land bordering a lake'),\n", " ('beach', 'a strip of land running along a beach'),\n", " ('wave',\n", " '(physics) an imaginary surface joining all points in space that are reached at the same instant by a wave propagating through a medium'),\n", " ('battle', 'the line along which opposing armies face each other'),\n", " ('shirt',\n", " 'the front of a shirt (usually the part not covered by a jacket)'),\n", " ('sea', 'the waterfront of a seaside town'),\n", " ('store',\n", " 'the front side of a store facing the street; usually contains display windows'),\n", " ('shop',\n", " 'the front side of a store facing the street; usually contains display windows')]},\n", " {'answer': 'girl',\n", " 'hint': '_ girl',\n", " 'clues': [('cow', 'a woman cowboy'),\n", " ('show', 'a woman who dances in a chorus line'),\n", " ('sales', 'a woman salesperson'),\n", " ('school', 'a girl attending school')]},\n", " {'answer': 'glass',\n", " 'hint': '_ glass',\n", " 'clues': [('hour', 'a sandglass that runs for sixty minutes'),\n", " ('spy', 'a small refracting telescope'),\n", " ('eye',\n", " 'lens for correcting defective vision in one eye; held in place by facial muscles'),\n", " ('fiber', 'a covering material made of glass fibers in resins'),\n", " ('wine', 'a glass that has a stem and in which wine is served')]},\n", " {'answer': 'goer',\n", " 'hint': '_ goer',\n", " 'clues': [('church', 'a religious person who goes to church regularly'),\n", " ('play', 'someone who attends the theater'),\n", " ('theater', 'someone who attends the theater'),\n", " ('movie', 'someone who goes to see movies')]},\n", " {'answer': 'ground',\n", " 'hint': '_ ground',\n", " 'clues': [('play', 'an area where many people go for recreation'),\n", " ('camp', 'a site where people on holiday can pitch a tent'),\n", " ('fore', 'the part of a scene that is near the viewer'),\n", " ('under',\n", " 'a secret group organized to overthrow a government or occupation force'),\n", " ('fair', 'an open area for holding fairs or exhibitions or circuses'),\n", " ('back', \"a person's social heritage: previous experience or training\"),\n", " ('battle', 'a region where a battle is being (or has been) fought')]},\n", " {'answer': 'guard',\n", " 'hint': '_ guard',\n", " 'clues': [('coast',\n", " 'a military service responsible for the safety of maritime traffic in coastal waters'),\n", " ('black', 'someone who is morally reprehensible'),\n", " ('body', 'someone who escorts and protects a prominent person'),\n", " ('fire',\n", " 'a narrow field that has been cleared to check the spread of a prairie fire or forest fire'),\n", " ('rear',\n", " 'a detachment assigned to protect the rear of a (retreating) military body'),\n", " ('safe',\n", " 'a precautionary measure warding off impending danger or damage or injury etc.'),\n", " ('van', 'the leading units moving at the head of an army'),\n", " ('life',\n", " 'an attendant employed at a beach or pool to protect swimmers from accidents'),\n", " ('mud',\n", " 'a curved piece above the wheel of a bicycle or motorcycle to protect the rider from water or mud thrown up by the wheels')]},\n", " {'answer': 'gun',\n", " 'hint': '_ gun',\n", " 'clues': [('flash',\n", " 'a lamp for providing momentary light to take a photograph'),\n", " ('shot',\n", " 'firearm that is a double-barreled smoothbore shoulder weapon for firing shot at short ranges'),\n", " ('blow', 'a tube through which darts can be shot by blowing'),\n", " ('air', 'a gun that propels a projectile by compressed air'),\n", " ('hand', 'a firearm that is held and fired with one hand'),\n", " ('pop', 'plaything consisting of a toy gun that makes a popping sound')]},\n", " {'answer': 'hand',\n", " 'hint': '_ hand',\n", " 'clues': [('long',\n", " 'rapid handwriting in which letters are set down in full and are cursively connected within words without lifting the writing implement from the paper'),\n", " ('cow',\n", " 'a hired hand who tends cattle and performs other duties on horseback'),\n", " ('short', 'a method of writing rapidly'),\n", " ('stage',\n", " 'an employee of a theater who performs work involved in putting on a theatrical production'),\n", " ('deck', \"a member of a ship's crew who performs manual labor\"),\n", " ('farm', 'a hired hand on a farm'),\n", " ('back',\n", " 'a return made with the back of the hand facing the direction of the stroke')]},\n", " {'answer': 'head',\n", " 'hint': '_ head',\n", " 'clues': [('skin',\n", " 'a young person who belongs to a British or American group that shave their heads and gather at rock concerts or engage in white supremacist demonstrations'),\n", " ('fat', 'a man who is a stupid incompetent fool'),\n", " ('bull',\n", " 'freshwater sculpin with a large flattened bony-plated head with hornlike spines'),\n", " ('block',\n", " \"a stupid person; these words are used to express a low opinion of someone's intelligence\"),\n", " ('well', 'the source of water for a well'),\n", " ('sore', 'someone who is peevish or disgruntled'),\n", " ('big',\n", " 'any of various diseases of animals characterized by edema of the head and neck'),\n", " ('dead', 'a nonenterprising person who is not paying his way'),\n", " ('maiden',\n", " 'a fold of tissue that partly covers the entrance to the vagina of a virgin'),\n", " ('bridge',\n", " 'an area in hostile territory that has been captured and is held awaiting further troops and supplies'),\n", " ('logger',\n", " \"a stupid person; these words are used to express a low opinion of someone's intelligence\"),\n", " ('black', 'a black-tipped plug clogging a pore of the skin'),\n", " ('beach',\n", " \"a bridgehead on the enemy's shoreline seized by an amphibious operation\"),\n", " ('figure', 'a person used as a cover for some questionable activity'),\n", " ('air', 'a flighty scatterbrained simpleton'),\n", " ('mast',\n", " 'a listing printed in all issues of a newspaper or magazine (usually on the editorial page) that gives the name of the publication and the names of the editorial staff, etc.'),\n", " ('fore', 'the part of the face above the eyes'),\n", " ('hot', 'a belligerent grouch'),\n", " ('egg', 'an intellectual; a very studious and academic person'),\n", " ('hammer',\n", " \"a stupid person; these words are used to express a low opinion of someone's intelligence\"),\n", " ('over',\n", " 'the expense of maintaining property (e.g., paying property taxes and utilities and insurance); it does not include depreciation or the cost of financing or income taxes'),\n", " ('copper',\n", " 'common coppery brown pit viper of upland eastern United States'),\n", " ('letter',\n", " 'a sheet of stationery with name and address of the organization printed at the top'),\n", " ('pit', 'the entrance to a coal mine'),\n", " ('hogs', 'a British unit of capacity for alcoholic beverages'),\n", " ('arrow', 'the pointed head or striking tip of an arrow'),\n", " ('bone',\n", " \"a stupid person; these words are used to express a low opinion of someone's intelligence\"),\n", " ('fountain', 'an abundant source'),\n", " ('war',\n", " 'the front part of a guided missile or rocket or torpedo that carries the nuclear or explosive charge or the chemical or biological agents'),\n", " ('knuckle',\n", " \"a stupid person; these words are used to express a low opinion of someone's intelligence\"),\n", " ('bulk', 'a partition that divides a ship or plane into compartments'),\n", " ('spear',\n", " 'someone who leads or initiates an activity (attack or campaign etc.)'),\n", " ('thunder',\n", " 'a rounded projecting mass of a cumulus cloud with shining edges; often appears before a thunderstorm'),\n", " ('red', 'someone who has red hair'),\n", " ('white',\n", " 'English philosopher and mathematician who collaborated with Bertrand Russell (1861-1947)'),\n", " ('pin', 'an ignorant or foolish person'),\n", " ('pot', 'someone who smokes marijuana habitually'),\n", " ('sleepy', 'a sleepy person'),\n", " ('tow', 'a person with light blond hair')]},\n", " {'answer': 'hill',\n", " 'hint': '_ hill',\n", " 'clues': [('dung', 'a foul or degraded condition'),\n", " ('down', 'the downward slope of a hill'),\n", " ('foot', 'a relatively low hill on the lower slope of a mountain'),\n", " ('ant', 'a mound of earth made by ants as they dig their nest'),\n", " ('mole', 'a mound of earth made by moles while burrowing')]},\n", " {'answer': 'hold',\n", " 'hint': '_ hold',\n", " 'clues': [('toe',\n", " 'a relatively insignificant position from which future progress might be made'),\n", " ('hand', 'an appendage to hold onto'),\n", " ('foot',\n", " 'an area in hostile territory that has been captured and is held awaiting further troops and supplies'),\n", " ('strangle', 'complete power over a person or situation'),\n", " ('strong', 'a strongly fortified defensive structure'),\n", " ('lease', 'land or property held under a lease'),\n", " ('house', 'a social unit living together'),\n", " ('free', 'an estate held in fee simple or for life')]},\n", " {'answer': 'holder',\n", " 'hint': '_ holder',\n", " 'clues': [('lease', 'a tenant who holds a lease'),\n", " ('land', 'a holder or proprietor of land'),\n", " ('house', 'someone who owns a home'),\n", " ('pot', 'an insulated pad for holding hot pots'),\n", " ('card', 'a person who holds a credit card or debit card'),\n", " ('free', 'the owner of a freehold'),\n", " ('bond', 'a holder of bonds issued by a government or corporation'),\n", " ('share', 'someone who holds shares of stock in a corporation'),\n", " ('policy',\n", " 'a person who holds an insurance policy; usually, the client in whose name an insurance policy is written'),\n", " ('job', 'an employee who holds a regular job'),\n", " ('stock', 'someone who holds shares of stock in a corporation'),\n", " ('place', 'a person authorized to act for another'),\n", " ('stake',\n", " 'someone entrusted to hold the stakes for two or more persons betting against one another; must deliver the stakes to the winner'),\n", " ('small', 'a person owning or renting a smallholding'),\n", " ('slave', 'someone who holds slaves'),\n", " ('office',\n", " 'someone who is appointed or elected to an office and who holds a position of trust')]},\n", " {'answer': 'hole',\n", " 'hint': '_ hole',\n", " 'clues': [('worm', 'hole made by a burrowing worm'),\n", " ('bung', 'vulgar slang for anus'),\n", " ('fox',\n", " 'a small dugout with a pit for individual shelter against enemy fire'),\n", " ('arm',\n", " 'a hole through which you put your arm and where a sleeve can be attached'),\n", " ('sink',\n", " 'a depression in the ground communicating with a subterranean passage (especially in limestone) and formed by solution or by collapse of a cavern roof'),\n", " ('cubby', 'a small compartment'),\n", " ('plug',\n", " 'a hole into which a plug fits (especially a hole where water drains away)'),\n", " ('spy', 'a hole (in a door or an oven etc) through which you can peep'),\n", " ('button', 'a hole through which buttons are pushed'),\n", " ('pigeon', 'a specific (often simplistic) category'),\n", " ('knot', 'a hole in a board where a knot came out'),\n", " ('loop',\n", " 'an ambiguity (especially one in the text of a law or contract) that makes it possible to evade a difficulty or obligation'),\n", " ('pin', 'a small puncture that might have been made by a pin'),\n", " ('pot',\n", " 'a pit or hole produced by wear or weathering (especially in a road surface)'),\n", " ('peep', 'a hole (in a door or an oven etc) through which you can peep'),\n", " ('blow', 'the spiracle of a cetacean located far back on the skull'),\n", " ('key', 'the hole where a key is inserted'),\n", " ('chuck',\n", " 'a pit or hole produced by wear or weathering (especially in a road surface)'),\n", " ('hell', 'any place of pain and turmoil')]},\n", " {'answer': 'hook',\n", " 'hint': '_ hook',\n", " 'clues': [('fish', 'a sharp barbed hook for catching fish'),\n", " ('bill', 'a long-handled saw with a curved blade'),\n", " ('tenter', 'one of a series of hooks used to hold cloth on a tenter'),\n", " ('pot', 'an S-shaped hook to suspend a pot over a fire')]},\n", " {'answer': 'horn',\n", " 'hint': '_ horn',\n", " 'clues': [('prong',\n", " 'fleet antelope-like ruminant of western North American plains with small branched horns'),\n", " ('fog', 'a loud low warning signal that can be heard by fogbound ships'),\n", " ('big',\n", " 'a river that flows from central Wyoming to the Yellowstone River in southern Montana'),\n", " ('long',\n", " 'long-horned beef cattle formerly common in southwestern United States'),\n", " ('green', 'an awkward and inexperienced youth'),\n", " ('bull', 'a portable loudspeaker with built-in microphone and amplifier'),\n", " ('short', 'English breed of short-horned cattle'),\n", " ('shoe', 'a device used for easing the foot into a shoe')]},\n", " {'answer': 'horse',\n", " 'hint': '_ horse',\n", " 'clues': [('sea',\n", " 'either of two large northern marine mammals having ivory tusks and tough hide over thick blubber'),\n", " ('clothes', 'a framework on which to hang clothes (as for drying)'),\n", " ('hobby', 'a topic to which one constantly reverts'),\n", " ('cart', 'draft horse kept for pulling carts'),\n", " ('pack', 'a workhorse used as a pack animal'),\n", " ('work', 'machine that performs dependably under heavy use'),\n", " ('war',\n", " 'a work of art (composition or drama) that is part of the standard repertory but has become hackneyed from much repetition'),\n", " ('race', 'a horse bred for racing'),\n", " ('saw', 'a framework for holding wood that is being sawed')]},\n", " {'answer': 'hound',\n", " 'hint': '_ hound',\n", " 'clues': [('wolf',\n", " 'the largest breed of dogs; formerly used to hunt wolves'),\n", " ('blood',\n", " 'a breed of large powerful hound of European origin having very acute smell and used in tracking'),\n", " ('fox', 'medium-sized glossy-coated hounds developed for hunting foxes'),\n", " ('grey',\n", " 'a tall slender dog of an ancient breed noted for swiftness and keen sight; used as a racing dog')]},\n", " {'answer': 'house',\n", " 'hint': '_ house',\n", " 'clues': [('bake',\n", " 'a workplace where baked goods (breads and cakes and pastries) are produced or sold'),\n", " ('porter',\n", " 'large steak from the thick end of the short loin containing a T-shaped bone and large piece of tenderloin'),\n", " ('whore', 'a building where prostitutes are available'),\n", " ('summer', 'a small roofed building affording shade and rest'),\n", " ('club', 'a building that is occupied by a social club'),\n", " ('custom',\n", " 'a government building where customs are collected and where ships are cleared to enter or leave the country'),\n", " ('ware', 'a storehouse for goods and merchandise'),\n", " ('bird', 'a shelter for birds'),\n", " ('green',\n", " 'a building with glass walls and roof; for the cultivation and exhibition of plants under controlled conditions'),\n", " ('glass',\n", " 'a building with glass walls and roof; for the cultivation and exhibition of plants under controlled conditions'),\n", " ('block',\n", " 'a stronghold that is reinforced for protection from enemy fire; with apertures for defensive fire'),\n", " ('cook', 'the area for food preparation on a ship'),\n", " ('flop', 'a cheap lodging house'),\n", " ('nut', 'pejorative terms for an insane asylum'),\n", " ('steak', 'a restaurant that specializes in steaks'),\n", " ('play',\n", " 'plaything consisting of a small model of a house that children can play inside of'),\n", " ('boat', 'a shed at the edge of a river or lake; used to store boats'),\n", " ('fire', 'a station housing fire apparatus and firemen'),\n", " ('bath', 'a building containing dressing rooms for bathers'),\n", " ('slaughter', 'a building where animals are butchered'),\n", " ('jail',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('mad', 'pejorative terms for an insane asylum'),\n", " ('poor',\n", " 'an establishment maintained at public expense in order to provide housing for the poor and homeless'),\n", " ('light',\n", " 'a tower with a light that gives warning of shoals to passing ships'),\n", " ('chop', 'a restaurant that specializes in steaks'),\n", " ('coffee', 'a small restaurant where drinks and snacks are sold'),\n", " ('meeting',\n", " 'a building for religious assembly (especially Nonconformists, e.g., Quakers)'),\n", " ('guard',\n", " 'a military facility that serves as the headquarters for military police and in which military prisoners can be detained'),\n", " ('gate',\n", " \"a house built at a gateway; usually the gatekeeper's residence\"),\n", " ('road',\n", " 'an inn (usually outside city limits on a main road) providing meals and liquor and dancing and (sometimes) gambling'),\n", " ('store', 'a depository for goods'),\n", " ('pilot', 'an enclosed compartment from which a vessel can be navigated'),\n", " ('ale', 'a tavern where ale is sold'),\n", " ('guest', 'a house separate from the main house; for housing guests'),\n", " ('doll', \"a house so small that it is likened to a child's plaything\"),\n", " ('court',\n", " 'a government building that houses the offices of a county government'),\n", " ('packing', 'a building where foodstuffs are processed and packed'),\n", " ('farm', 'house for a farmer and family'),\n", " ('work', 'a poorhouse where able-bodied poor are compelled to labor'),\n", " ('wheel', 'an enclosed compartment from which a vessel can be navigated'),\n", " ('power', 'a highly energetic and indefatigable person'),\n", " ('doss', 'a cheap lodging house'),\n", " ('round',\n", " 'workplace consisting of a circular building for repairing locomotives'),\n", " ('dog', 'outbuilding that serves as a shelter for a dog'),\n", " ('boarding',\n", " 'a private house that provides accommodations and meals for paying guests'),\n", " ('hot', 'a greenhouse in which plants are arranged in a pleasing manner'),\n", " ('school', 'a building where young people receive education'),\n", " ('smoke', 'a small house where smoke is used to cure meat or fish')]},\n", " {'answer': 'jack',\n", " 'hint': '_ jack',\n", " 'clues': [('apple', 'distilled from hard cider'),\n", " ('cracker', 'someone excellent of their kind'),\n", " ('steeple', 'someone who builds or maintains very tall structures'),\n", " ('flap', 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('lumber', 'a person who fells trees'),\n", " ('black',\n", " 'a common scrubby deciduous tree of central and southeastern United States having dark bark and broad three-lobed (club-shaped) leaves; tends to form dense thickets')]},\n", " {'answer': 'keeper',\n", " 'hint': '_ keeper',\n", " 'clues': [('bee', 'a farmer who keeps bees for their honey'),\n", " ('time', '(sports) an official who keeps track of the time elapsed'),\n", " ('grounds',\n", " 'someone who maintains the grounds (of an estate or park or athletic field)'),\n", " ('book', 'someone who records the transactions of a business'),\n", " ('game', 'a person employed to take care of game and wildlife'),\n", " ('store', 'a merchant who owns or manages a shop'),\n", " ('inn', 'the owner or manager of an inn'),\n", " ('gate', 'someone who controls access to something'),\n", " ('peace',\n", " 'a member of a military force that is assigned (often with international sanction) to preserve peace in a trouble area'),\n", " ('door',\n", " 'an official stationed at the entrance of a courtroom or legislative chamber'),\n", " ('house',\n", " 'a servant who is employed to perform domestic task in a household'),\n", " ('shop', 'a merchant who owns or manages a shop'),\n", " ('bar', 'an employee who mixes and serves alcoholic drinks at a bar'),\n", " ('score',\n", " 'an official who records the score during the progress of a game'),\n", " ('goal', 'the soccer or hockey player assigned to protect the goal')]},\n", " {'answer': 'keeping',\n", " 'hint': '_ keeping',\n", " 'clues': [('house', 'the work of cleaning and running a house'),\n", " ('safe', 'the responsibility of a guardian or keeper'),\n", " ('book', 'the activity of recording business transactions'),\n", " ('bee',\n", " 'the cultivation of bees on a commercial scale for the production of honey'),\n", " ('time', 'the act or process of determining the time'),\n", " ('peace',\n", " 'the activity of keeping the peace by military forces (especially when international military forces enforce a truce between hostile groups or nations)')]},\n", " {'answer': 'land',\n", " 'hint': '_ land',\n", " 'clues': [('mid', 'a town in west central Texas'),\n", " ('hinter', 'a remote and undeveloped area'),\n", " ('waste', 'an uninhabited wilderness that is worthless for cultivation'),\n", " ('swamp',\n", " 'low land that is seasonally flooded; has more woody plants than a marsh and better drainage than a bog'),\n", " ('heart',\n", " 'the central region of a country or continent; especially a region that is important to a country or to a culture'),\n", " ('park',\n", " 'a large area of land preserved in its natural state as public property'),\n", " ('pasture',\n", " 'a field covered with grass or herbage and suitable for grazing by livestock'),\n", " ('moor',\n", " 'open land usually with peaty soil covered with heather and bracken and moss'),\n", " ('heath',\n", " 'a tract of level wasteland; uncultivated land with sandy soil and scrubby vegetation'),\n", " ('dream', 'a pleasing country existing only in dreams or imagination'),\n", " ('high', 'elevated (e.g., mountainous) land'),\n", " ('fairy',\n", " 'something existing solely in the imagination (but often mistaken for reality)'),\n", " ('marsh',\n", " 'low-lying wet land with grassy vegetation; usually is a transition zone between land and water'),\n", " ('timber', 'land that is covered with trees and shrubs'),\n", " ('wood', 'land that is covered with trees and shrubs'),\n", " ('table', 'a relatively flat highland'),\n", " ('wet', 'a low area where the land is saturated with water'),\n", " ('wonder', 'a place or scene of great or strange beauty or wonder'),\n", " ('fen',\n", " 'low-lying wet land with grassy vegetation; usually is a transition zone between land and water'),\n", " ('head',\n", " 'a natural elevation (especially a rocky one that juts out into the sea)'),\n", " ('home', 'the country where you were born'),\n", " ('grass',\n", " 'land where grass or grasslike vegetation grows and is the dominant form of plant life'),\n", " ('main',\n", " 'the main land mass of a country or continent; as distinguished from an island or peninsula'),\n", " ('mother', 'the country where you were born'),\n", " ('farm', 'a rural area where farming is practiced'),\n", " ('tide', 'land near the sea that is overflowed by the tide'),\n", " ('father', 'the country where you were born'),\n", " ('low', 'low level country'),\n", " ('border',\n", " 'district consisting of the area on either side of a border or boundary of a country or an area'),\n", " ('gang', 'underworld organizations')]},\n", " {'answer': 'leg',\n", " 'hint': '_ leg',\n", " 'clues': [('black',\n", " 'someone who works (or provides workers) during a strike'),\n", " ('dog', 'angle that resembles the hind leg of a dog'),\n", " ('boot', 'whiskey illegally distilled from a corn mash'),\n", " ('bow', 'a leg bowed outward at the knee (or below the knee)')]},\n", " {'answer': 'life',\n", " 'hint': '_ life',\n", " 'clues': [('night',\n", " 'the entertainment available to people seeking nighttime diversion'),\n", " ('wild', 'all living things (except people) that are undomesticated'),\n", " ('after', 'life after death'),\n", " ('low', 'a person who is deemed to be despicable or contemptible')]},\n", " {'answer': 'light',\n", " 'hint': '_ light',\n", " 'clues': [('torch', 'light from a torch or torches'),\n", " ('high', 'the most interesting or memorable part'),\n", " ('candle', 'the light provided by a burning candle'),\n", " ('star', 'the light of the stars'),\n", " ('gas', 'light yielded by the combustion of illuminating gas'),\n", " ('flash', 'a small portable battery-powered electric lamp'),\n", " ('stop',\n", " 'a red light on the rear of a motor vehicle that signals when the brakes are applied to slow or stop'),\n", " ('head',\n", " 'a powerful light with reflector; attached to the front of an automobile or locomotive'),\n", " ('lime', 'a focus of public attention'),\n", " ('day',\n", " 'the time after sunrise and before sunset while it is light outside'),\n", " ('sky', 'a window in a roof to admit daylight'),\n", " ('sun', 'the rays of the sun'),\n", " ('lamp', 'light from a lamp'),\n", " ('fan',\n", " 'a window above a door that is usually hinged to a horizontal crosspiece over the door'),\n", " ('fire', 'the light of a fire (especially in a fireplace)'),\n", " ('street', 'a lamp supported on a lamppost; for illuminating a street'),\n", " ('tail', 'lamp (usually red) mounted at the rear of a motor vehicle'),\n", " ('moon', 'the light of the Moon'),\n", " ('search',\n", " 'a light source with reflectors that projects a beam of light in a particular direction'),\n", " ('spot', 'a focus of public attention'),\n", " ('side',\n", " \"light carried by a boat that indicates the boat's direction; vessels at night carry a red light on the port bow and a green light on the starboard bow\"),\n", " ('flood',\n", " 'light that is a source of artificial illumination having a broad beam; used in photography'),\n", " ('pen', 'a small flashlight resembling a fountain pen')]},\n", " {'answer': 'lighter',\n", " 'hint': '_ lighter',\n", " 'clues': [('lamp',\n", " '(when gas was used for streetlights) a person who lights and extinguishes streetlights'),\n", " ('fire',\n", " '(a piece of) a substance that burns easily and can be used to start a coal or coke fire'),\n", " ('moon', 'a person who holds a second job (usually after hours)'),\n", " ('high', 'a cosmetic used to highlight the eyes or cheekbones')]},\n", " {'answer': 'line',\n", " 'hint': '_ line',\n", " 'clues': [('hem', 'the line formed by the lower edge of a skirt or coat'),\n", " ('air', 'a hose that carries air under pressure'),\n", " ('clothes', 'a cord on which clothes are hung to dry'),\n", " ('dead', 'the point in time at which something must be completed'),\n", " ('side', 'a line that marks the side boundary of a playing field'),\n", " ('bread', 'a queue of people waiting for free food'),\n", " ('shore', 'a boundary line between land and water'),\n", " ('under', 'a line drawn underneath (especially under written matter)'),\n", " ('base',\n", " 'an imaginary line or standard by which things are measured or compared'),\n", " ('guide',\n", " 'a light line that is used in lettering to help align the letters'),\n", " ('pipe', 'gossip spread by spoken communication'),\n", " ('neck', 'the line formed by the edge of a garment around the neck'),\n", " ('bow', 'a loop knot that neither slips nor jams'),\n", " ('date',\n", " 'an imaginary line on the surface of the earth following (approximately) the 180th meridian'),\n", " ('border', 'a line that indicates a boundary'),\n", " ('waist', 'the narrowing of the body between the ribs and hips'),\n", " ('tape',\n", " 'measuring instrument consisting of a narrow strip (cloth or metal) marked in inches or centimeters and used for measuring lengths'),\n", " ('head', 'the heading or caption of a newspaper article'),\n", " ('coast', 'the outline of a coast'),\n", " ('life',\n", " 'a crease on the palm; its length is said by palmists to indicate how long you will live'),\n", " ('timber',\n", " 'line marking the upper limit of tree growth in mountains or northern latitudes'),\n", " ('story', 'the plot of a book or play or film'),\n", " ('sky', 'the outline of objects seen against the sky'),\n", " ('bee', 'the most direct route'),\n", " ('water',\n", " 'a line corresponding to the surface of the water when the vessel is afloat on an even keel; often painted on the hull of a ship'),\n", " ('blood', 'the descendants of one individual'),\n", " ('touch', 'either of the sidelines in soccer or rugby'),\n", " ('tow', '(nautical) a rope used in towing')]},\n", " {'answer': 'liner',\n", " 'hint': '_ liner',\n", " 'clues': [('jet', 'a large jet plane that carries passengers'),\n", " ('hard', 'a conservative who is uncompromising'),\n", " ('head', 'a performer who receives prominent billing'),\n", " ('air', 'a commercial airplane that carries passengers'),\n", " ('eye', 'makeup applied to emphasize the shape of the eyes')]},\n", " {'answer': 'load',\n", " 'hint': '_ load',\n", " 'clues': [('car',\n", " 'a gathering of passengers sufficient to fill an automobile'),\n", " ('boat',\n", " 'the amount of cargo that can be held by a boat or ship or a freight car'),\n", " ('pay',\n", " 'the front part of a guided missile or rocket or torpedo that carries the nuclear or explosive charge or the chemical or biological agents'),\n", " ('bus',\n", " 'the quantity of cargo or the number of passengers that a bus can carry'),\n", " ('work', 'work that a person is expected to do in a specified time'),\n", " ('over',\n", " 'an electrical load that exceeds the available electrical power'),\n", " ('train', 'quantity that can be carried by a train'),\n", " ('ship',\n", " 'the amount of cargo that can be held by a boat or ship or a freight car')]},\n", " {'answer': 'lock',\n", " 'hint': '_ lock',\n", " 'clues': [('dead',\n", " 'a situation in which no progress can be made or no advancement is possible'),\n", " ('grid', 'a traffic jam so bad that no movement is possible'),\n", " ('match',\n", " 'an early style of musket; a slow-burning wick would be lowered into a hole in the breech to ignite the charge'),\n", " ('pad',\n", " 'a detachable lock; has a hinged shackle that can be passed through the staple of a hasp or the links in a chain and then snapped shut'),\n", " ('row',\n", " 'a holder attached to the gunwale of a boat that holds the oar in place and acts as a fulcrum for rowing'),\n", " ('wed',\n", " 'the state of being a married couple voluntarily joined for life (or until divorce)'),\n", " ('air',\n", " 'a chamber that provides access to space where air is under pressure'),\n", " ('oar',\n", " 'a holder attached to the gunwale of a boat that holds the oar in place and acts as a fulcrum for rowing'),\n", " ('flint', 'a muzzle loader that had a flintlock type of gunlock'),\n", " ('hammer',\n", " \"a wrestling hold in which the opponent's arm is twisted up behind his back\"),\n", " ('head',\n", " \"a wrestling hold in which the opponent's head is locked between the crook of your elbow and the side of your body\")]},\n", " {'answer': 'maid',\n", " 'hint': '_ maid',\n", " 'clues': [('brides',\n", " 'an unmarried woman who attends the bride at a wedding'),\n", " ('milk', 'a woman who works in a dairy'),\n", " ('hand', 'in a subordinate position'),\n", " ('chamber',\n", " 'a maid who is employed to clean and care for bedrooms (now primarily in hotels)'),\n", " ('bar', 'a female bartender'),\n", " ('nurse', 'a woman who is the custodian of children'),\n", " ('dairy', 'a woman who works in a dairy'),\n", " ('parlor',\n", " 'a maid in a private home whose duties are to care for the parlor and the table and to answer the door'),\n", " ('house', 'a female domestic')]},\n", " {'answer': 'maker',\n", " 'hint': '_ maker',\n", " 'clues': [('cabinet', 'a woodworker who specializes in making furniture'),\n", " ('wine', 'someone who makes wine'),\n", " ('book',\n", " 'a maker of books; someone who edits or publishes or binds books'),\n", " ('king',\n", " 'English statesman; during the War of the Roses he fought first for the house of York and secured the throne for Edward IV and then changed sides to fight for the house of Lancaster and secured the throne for Henry VI (1428-1471)'),\n", " ('law', 'a maker of laws; someone who gives a code of laws'),\n", " ('steel', 'a worker engaged in making steel'),\n", " ('dress', 'someone who makes or mends dresses'),\n", " ('holiday', 'someone who travels for pleasure'),\n", " ('match',\n", " 'someone who arranges (or tries to arrange) marriages for others'),\n", " ('merry', 'a celebrant who shares in a noisy party'),\n", " ('peace', 'someone who tries to bring peace'),\n", " ('noise',\n", " 'a device (such as a clapper or bell or horn) used to make a loud noise at a celebration'),\n", " ('home',\n", " 'a wife who manages a household while her husband earns the family income'),\n", " ('watch', 'someone who makes or repairs watches'),\n", " ('rain',\n", " 'executive who is very successful in bringing in business to his company or firm'),\n", " ('clock',\n", " 'someone whose occupation is making or repairing clocks and watches'),\n", " ('money', 'someone who is successful in accumulating wealth'),\n", " ('film', 'a producer of motion pictures'),\n", " ('auto', 'a business engaged in the manufacture of automobiles'),\n", " ('trouble', 'someone who deliberately stirs up trouble'),\n", " ('tool', 'someone skilled in making or repairing tools'),\n", " ('shoe', 'a person who makes or repairs shoes')]},\n", " {'answer': 'making',\n", " 'hint': '_ making',\n", " 'clues': [('cabinet', 'the craft of a joiner'),\n", " ('love',\n", " 'sexual activities (often including sexual intercourse) between two people'),\n", " ('rain', 'activity intended to produce rain'),\n", " ('law', 'the act of making or enacting laws'),\n", " ('hay', 'taking full advantage of an opportunity while it lasts'),\n", " ('dress', 'the craft of making dresses'),\n", " ('merry', 'a boisterous celebration; a merry festivity'),\n", " ('home', 'the management of a household'),\n", " ('money', 'the act of making money (and accumulating wealth)'),\n", " ('print',\n", " 'artistic design and manufacture of prints as woodcuts or silkscreens'),\n", " ('match',\n", " 'mediation in order to bring about a marriage between others')]},\n", " {'answer': 'man',\n", " 'hint': '_ man',\n", " 'clues': [('wood', 'someone who lives in the woods'),\n", " ('horse', 'a man skilled in equitation'),\n", " ('towns', 'a person from the same town as yourself'),\n", " ('grounds',\n", " 'someone who maintains the grounds (of an estate or park or athletic field)'),\n", " ('aircraft', 'a noncommissioned officer in the British Royal Air Force'),\n", " ('bats', '(baseball) a ballplayer who is batting'),\n", " ('grooms', 'a male attendant of the bridegroom at a wedding'),\n", " ('sales', 'a man salesperson'),\n", " ('cow',\n", " 'a hired hand who tends cattle and performs other duties on horseback'),\n", " ('brake', \"a railroad employee responsible for a train's brakes\"),\n", " ('muscle', 'a bully employed as a thug or bodyguard'),\n", " ('cattle', 'a man who raises (or tends) cattle'),\n", " ('line', 'one of the players on the line of scrimmage'),\n", " ('news', 'a person who investigates and reports or edits news stories'),\n", " ('select',\n", " 'an elected member of a board of officials who run New England towns'),\n", " ('dales', 'a person who lives in the dales of northern England'),\n", " ('crafts', 'a professional whose work is consistently of high quality'),\n", " ('bogey', 'an imaginary monster used to frighten children'),\n", " ('police', 'a member of a police force'),\n", " ('law', 'an officer of the law'),\n", " ('guards',\n", " \"a soldier who is a member of a unit called `the guard' or `guards'\"),\n", " ('bands', 'a player in a band (especially a military band)'),\n", " ('strong', 'a man who performs feats of strength at a fair or circus'),\n", " ('coach', 'a man who drives a coach (or carriage)'),\n", " ('signal',\n", " 'a railroad employee in charge of signals and point in a railroad yard'),\n", " ('country', 'a man from your own country'),\n", " ('house',\n", " \"an advanced student or graduate in medicine gaining supervised practical experience (`houseman' is a British term)\"),\n", " ('backwoods', 'a man who lives on the frontier'),\n", " ('militia', 'a member of the militia; serves only during emergencies'),\n", " ('ice', 'someone who cuts and delivers ice'),\n", " ('church', 'a clergyman or other person in religious orders'),\n", " ('service',\n", " 'someone who serves in the armed forces; a member of a military force'),\n", " ('bush',\n", " 'a member of the race of nomadic hunters and gatherers who live in southern Africa'),\n", " ('cavalry', 'a soldier in a motorized army unit'),\n", " ('snow', 'a figure of a person made of packed snow'),\n", " ('milk', 'someone who delivers milk'),\n", " ('handy', 'a man skilled in various odd jobs and other small tasks'),\n", " ('midship', 'a temporary rank held by young naval officers in training'),\n", " ('clans', 'a member of a clan'),\n", " ('bonds', 'a male slave'),\n", " ('gentle', 'a man of refinement'),\n", " ('ferry', 'a man who operates a ferry'),\n", " ('rifle', 'someone skilled in the use of a rifle'),\n", " ('heads', 'an executioner who beheads the condemned person'),\n", " ('door', 'someone who guards an entrance'),\n", " ('plow', 'a man who plows'),\n", " ('yachts', 'a person who owns or sails a yacht'),\n", " ('work', 'an employee who performs manual or industrial labor'),\n", " ('chair', 'the officer who presides at the meetings of an organization'),\n", " ('sports', 'someone who engages in sports'),\n", " ('freed', 'a person who has been freed from slavery'),\n", " ('infantry', 'fights on foot with small arms'),\n", " ('herds', 'someone who drives a herd'),\n", " ('dust', 'someone employed to collect and dispose of refuse'),\n", " ('marks', 'someone skilled in shooting'),\n", " ('committee', 'a man who is a member of committee'),\n", " ('lands', 'a person who lives and works on land'),\n", " ('spokes', 'a male spokesperson'),\n", " ('warehouse', 'a workman who manages or works in a warehouse'),\n", " ('jury', 'someone who serves (or waits to be called to serve) on a jury'),\n", " ('watch', 'a guard who keeps watch'),\n", " ('newspaper',\n", " 'a journalist employed to provide news stories for newspapers or broadcast media'),\n", " ('drafts', 'a skilled worker who draws plans of buildings or machines'),\n", " ('cave', 'someone who lives in a cave'),\n", " ('train', 'an employee of a railroad'),\n", " ('patrol', 'a policeman who patrols a given region'),\n", " ('fire', 'play in which children pretend to put out a fire'),\n", " ('fisher', 'someone whose occupation is catching fish'),\n", " ('water', 'someone who drives or rides in a boat'),\n", " ('clergy',\n", " 'a member of the clergy and a spiritual leader of the Christian Church'),\n", " ('council', 'a man who is a council member'),\n", " ('alder', 'a member of a municipal legislative body (as a city council)'),\n", " ('hang', 'an executioner who hangs the condemned person'),\n", " ('laundry', 'operates industrial washing machine'),\n", " ('mail', 'a man who delivers the mail'),\n", " ('states',\n", " 'a man who is a respected leader in national or international affairs'),\n", " ('link',\n", " '(formerly) an attendant hired to carry a torch for pedestrians in dark streets'),\n", " ('husband', 'a person who operates a farm'),\n", " ('assembly', 'someone who is a member of a legislative assembly'),\n", " ('tax', 'someone who collects taxes for the government'),\n", " ('fresh', 'a first-year undergraduate'),\n", " ('bow', 'a person who is expert in the use of a bow and arrow'),\n", " ('hunts', 'someone who hunts game'),\n", " ('chess',\n", " 'any of 16 white and 16 black pieces used in playing the game of chess'),\n", " ('repair', 'a skilled worker whose job is to repair things'),\n", " ('noble', 'a titled peer of the realm'),\n", " ('dairy', 'the owner or manager of a dairy'),\n", " ('sand',\n", " \"an elf in fairy stories who sprinkles sand in children's eyes to make them sleepy\"),\n", " ('lumber', 'a person who fells trees'),\n", " ('garbage', 'someone employed to collect and dispose of refuse'),\n", " ('mad', 'an insane person'),\n", " ('anchor',\n", " 'a television reporter who coordinates a broadcast to which several correspondents contribute'),\n", " ('air', 'someone who operates an aircraft'),\n", " ('space', 'a person trained to travel in a spacecraft'),\n", " ('crew', \"any member of a ship's crew\"),\n", " ('middle',\n", " 'someone who buys large quantities of goods and resells to merchants rather than to the ultimate customers'),\n", " ('swords', 'someone skilled at fencing'),\n", " ('gun', 'a professional killer who uses a gun'),\n", " ('pen', 'informal terms for journalists'),\n", " ('business',\n", " 'a person engaged in commercial or industrial business (especially an owner or executive)'),\n", " ('pitch',\n", " 'an aggressive salesman who uses a fast line of talk to sell something'),\n", " ('plains',\n", " 'an inhabitant of a plains region (especially the Great Plains of North America)'),\n", " ('barge', 'someone who operates a barge'),\n", " ('oars', 'someone who rows a boat'),\n", " ('post', 'a man who delivers the mail'),\n", " ('oil', 'a person who owns or operates oil wells'),\n", " ('frog', 'someone who works underwater'),\n", " ('bell',\n", " 'someone employed as an errand boy and luggage carrier around hotels'),\n", " ('press', 'someone whose occupation is printing'),\n", " ('camera', 'a photographer who operates a movie camera'),\n", " ('livery', 'a worker in a livery stable'),\n", " ('fields',\n", " 'a member of the cricket team that is fielding rather than batting'),\n", " ('trencher', 'a person who is devoted to eating and drinking to excess'),\n", " ('kins', 'a male relative'),\n", " ('stable', 'someone employed in a stable to take care of the horses'),\n", " ('helms', 'the person who steers a ship'),\n", " ('congress', 'a member of the United States House of Representatives'),\n", " ('boat', 'someone who drives or rides in a boat'),\n", " ('merchant', 'a cargo ship'),\n", " ('foot',\n", " 'a man employed as a servant in a large establishment (as a palace) to run errands and do chores'),\n", " ('highway', 'a holdup man who stops a vehicle and steals from it'),\n", " ('artillery', 'a serviceman in the artillery'),\n", " ('bar', 'an employee who mixes and serves alcoholic drinks at a bar'),\n", " ('frontiers', 'a man who lives on the frontier'),\n", " ('vestry', 'a man who is a member of a church vestry'),\n", " ('gas', 'someone employed by a gas company'),\n", " ('lay', 'someone who is not a clergyman or a professional person'),\n", " ('show', 'a person skilled at making effective presentations'),\n", " ('steers', 'the person who steers a ship'),\n", " ('motor', 'the operator of streetcar'),\n", " ('yard', 'worker in a railway yard'),\n", " ('nursery', 'someone who takes care of a garden'),\n", " ('trades', 'a merchant who owns or manages a shop'),\n", " ('weather', 'predicts the weather'),\n", " ('longshore', 'a laborer who loads and unloads vessels in a port'),\n", " ('journey', 'a skilled worker who practices some trade or handicraft'),\n", " ('sea', 'a man who serves as a sailor'),\n", " ('railway', 'an employee of a railroad')]},\n", " {'answer': 'mark',\n", " 'hint': '_ mark',\n", " 'clues': [('bench',\n", " 'a standard by which something can be measured or judged'),\n", " ('trade', 'a distinctive characteristic or attribute'),\n", " ('pock',\n", " 'a scar or pit on the skin that is left by a pustule of smallpox or acne or other eruptive disease'),\n", " ('birth', 'a blemish on the skin that is formed before birth'),\n", " ('post',\n", " 'a cancellation mark stamped on mail by postal officials; indicates the post office and date of mailing'),\n", " ('book',\n", " \"a marker (a piece of paper or ribbon) placed between the pages of a book to mark the reader's place\"),\n", " ('tide',\n", " 'indicator consisting of a line at the highwater or low-water limits of the tides'),\n", " ('finger', 'a smudge made by a (dirty) finger'),\n", " ('water', 'a line marking the level reached by a body of water'),\n", " ('land',\n", " 'the position of a prominent or well-known object in a particular landscape'),\n", " ('ear', 'identification mark on the ear of a domestic animal'),\n", " ('hall', 'a distinctive characteristic or attribute')]},\n", " {'answer': 'mast',\n", " 'hint': '_ mast',\n", " 'clues': [('top',\n", " 'the mast next above a lower mast and topmost in a fore-and-aft rig'),\n", " ('main', 'the chief mast of a sailing vessel with two or more masts'),\n", " ('mizzen',\n", " 'third mast from the bow in a vessel having three or more masts; the after and shorter mast of a yawl, ketch, or dandy'),\n", " ('fore', 'the mast nearest the bow in vessels with two or more masts')]},\n", " {'answer': 'master',\n", " 'hint': '_ master',\n", " 'clues': [('pay', 'a person in charge of paying wages'),\n", " ('choir', 'the musical director of a choir'),\n", " ('station', 'the person in charge of a railway station'),\n", " ('task', 'someone who imposes hard or continuous work'),\n", " ('quarter',\n", " 'an army officer who provides clothing and subsistence for troops'),\n", " ('spy', 'someone who directs clandestine intelligence activities'),\n", " ('toast',\n", " 'the person who proposes toasts and introduces speakers at a banquet'),\n", " ('school', 'presiding officer of a school'),\n", " ('scout', 'the leader of a troop of Scouts'),\n", " ('house', 'teacher in charge of a school boardinghouse'),\n", " ('grand',\n", " 'a player of exceptional or world class skill in chess or bridge'),\n", " ('web', 'a technician who designs or maintains a website'),\n", " ('post', 'the person in charge of a post office'),\n", " ('band', 'the conductor of a band'),\n", " ('head', 'presiding officer of a school'),\n", " ('ring', 'the person in charge of performances in a circus ring'),\n", " ('yard', 'a railroad employer who is in charge of a railway yard')]},\n", " {'answer': 'mate',\n", " 'hint': '_ mate',\n", " 'clues': [('room', 'an associate who shares a room with you'),\n", " ('school', 'an acquaintance that you go to school with'),\n", " ('check', 'complete victory'),\n", " ('house', 'someone who resides in the same house with you'),\n", " ('mess',\n", " '(nautical) an associate with whom you share meals in the same mess (as on a ship)'),\n", " ('class', 'an acquaintance that you go to school with'),\n", " ('ship', 'an associate on the same ship with you'),\n", " ('stable',\n", " 'a horse stabled with another or one of several horses owned by the same person'),\n", " ('work', 'a fellow worker'),\n", " ('team', 'a fellow member of a team'),\n", " ('flat', 'an associate who shares an apartment with you'),\n", " ('play', 'a companion at play'),\n", " ('help', 'a helpful partner')]},\n", " {'answer': 'meter',\n", " 'hint': '_ meter',\n", " 'clues': [('taxi',\n", " 'a meter in a taxi that registers the fare (based on the length of the ride)'),\n", " ('audio', 'an instrument used to measure the sensitivity of hearing'),\n", " ('volt',\n", " 'meter that measures the potential difference between two points'),\n", " ('ohm', 'a meter for measuring electrical resistance in ohms')]},\n", " {'answer': 'mill',\n", " 'hint': '_ mill',\n", " 'clues': [('grist',\n", " \"a mill for grinding grain (especially the customer's own grain)\"),\n", " ('wind', 'a mill that is powered by the wind'),\n", " ('saw', 'a large sawing machine'),\n", " ('tread',\n", " 'an exercise device consisting of an endless belt on which a person can walk or jog without changing place')]},\n", " {'answer': 'mistress',\n", " 'hint': '_ mistress',\n", " 'clues': [('head', 'a woman headmaster'),\n", " ('task', 'a woman taskmaster'),\n", " ('post', 'a woman postmaster'),\n", " ('school', 'a woman schoolteacher (especially one regarded as strict)')]},\n", " {'answer': 'monger',\n", " 'hint': '_ monger',\n", " 'clues': [('scare',\n", " 'a person who spreads frightening rumors and stirs up trouble'),\n", " ('iron', 'someone who sells hardware'),\n", " ('war', 'a person who advocates war or warlike policies'),\n", " ('rumor',\n", " 'a person given to gossiping and divulging personal information about others'),\n", " ('scandal', 'a person who spreads malicious gossip'),\n", " ('fish', 'someone who sells fish'),\n", " ('hate', 'one who arouses hatred for others')]},\n", " {'answer': 'mother',\n", " 'hint': '_ mother',\n", " 'clues': [('grand', 'the mother of your father or mother'),\n", " ('step', 'the wife of your father by a subsequent marriage'),\n", " ('house',\n", " 'a woman employed as a chaperon in a residence for young people'),\n", " ('god', 'any woman who serves as a sponsor for a child at baptism')]},\n", " {'answer': 'mouth',\n", " 'hint': '_ mouth',\n", " 'clues': [('motor', 'someone who talks incessantly'),\n", " ('loud', 'a person who causes trouble by speaking indiscreetly'),\n", " ('cotton',\n", " 'venomous semiaquatic snake of swamps in southern United States'),\n", " ('goal', '(sports) the area immediately in front of the goal'),\n", " ('blabber', 'someone who gossips indiscreetly')]},\n", " {'answer': 'nail',\n", " 'hint': '_ nail',\n", " 'clues': [('hob',\n", " 'a short nail with a thick head; used to protect the soles of boots'),\n", " ('hang',\n", " 'a loose narrow strip of skin near the base of a fingernail; tearing it produces a painful sore that is easily infected'),\n", " ('thumb', 'the nail of the thumb'),\n", " ('finger', 'the nail at the end of a finger'),\n", " ('door', 'a nail with a large head; formerly used to decorate doors'),\n", " ('toe', 'the nail at the end of a toe')]},\n", " {'answer': 'neck',\n", " 'hint': '_ neck',\n", " 'clues': [('leather', 'a member of the United States Marine Corps'),\n", " ('bottle', 'a narrowing that reduces the flow through a channel'),\n", " ('rough', 'a cruel and brutal fellow'),\n", " ('rubber', 'a tourist who is visiting sights of interest'),\n", " ('red', 'a poor White person in the southern United States'),\n", " ('turtle', 'a sweater or jersey with a high close-fitting collar'),\n", " ('crook',\n", " 'yellow squash with a thin curved neck and somewhat warty skin')]},\n", " {'answer': 'nut',\n", " 'hint': '_ nut',\n", " 'clues': [('beech',\n", " 'small sweet triangular nut of any of various beech trees'),\n", " ('chest', 'wood of any of various chestnut trees of the genus Castanea'),\n", " ('butter',\n", " 'North American walnut tree having light-brown wood and edible nuts; source of a light-brown dye'),\n", " ('coco',\n", " 'the edible white meat of a coconut; often shredded for use in e.g. cakes and curries'),\n", " ('cob', 'small nut-bearing tree much grown in Europe'),\n", " ('hazel',\n", " 'any of several shrubs or small trees of the genus Corylus bearing edible nuts enclosed in a leafy husk'),\n", " ('pea', 'underground pod of the peanut vine'),\n", " ('ground',\n", " 'a North American vine with fragrant blossoms and edible tubers; important food crop of Native Americans')]},\n", " {'answer': 'off',\n", " 'hint': '_ off',\n", " 'clues': [('cut',\n", " 'a designated limit beyond which something cannot function or must be terminated'),\n", " ('play', 'any final competition to determine a championship'),\n", " ('run',\n", " 'the occurrence of surplus liquid (as water) exceeding the limit or capacity'),\n", " ('take', 'a departure; especially of airplanes'),\n", " ('kick',\n", " '(football) a kick from the center of the field to start a football game or to resume it after a score'),\n", " ('blast',\n", " 'the launching of a missile or spacecraft to a specified destination'),\n", " ('turn', 'something causing antagonism or loss of interest'),\n", " ('lift', 'the initial ascent of a rocket from its launching pad'),\n", " ('stand',\n", " 'the finish of a contest in which the score is tied and the winner is undecided'),\n", " ('knock', 'an unauthorized copy or imitation'),\n", " ('fall', 'a noticeable deterioration in performance or quality')]},\n", " {'answer': 'out',\n", " 'hint': '_ out',\n", " 'clues': [('check', 'the act of inspecting or verifying'),\n", " ('buy',\n", " 'acquisition of a company by purchasing a controlling percentage of its stock'),\n", " ('cut',\n", " 'a switch that interrupts an electric circuit in the event of an overload'),\n", " ('put', 'an out resulting from a fielding play (not a strikeout)'),\n", " ('wash',\n", " 'the channel or break produced by erosion of relatively soft soil by water'),\n", " ('take',\n", " 'prepared food that is intended to be eaten off of the premises'),\n", " ('hold',\n", " 'a negotiator who hopes to gain concessions by refusing to come to terms'),\n", " ('blow', 'an easy victory'),\n", " ('fade', 'a slow or gradual disappearance'),\n", " ('lay', 'a plan or design of something that is laid out'),\n", " ('break', 'an escape from jail'),\n", " ('walk', 'a strike in which the workers walk out'),\n", " ('work',\n", " 'the activity of exerting your muscles in various ways to keep fit'),\n", " ('turn', 'the group that gathers together for a particular occasion'),\n", " ('knock', 'a very attractive or seductive looking woman'),\n", " ('close', 'a sale intended to dispose of all remaining stock'),\n", " ('black', 'a suspension of radio or tv broadcasting'),\n", " ('strike', 'an out resulting from the batter getting three strikes'),\n", " ('fall',\n", " 'the radioactive particles that settle to the ground after a nuclear explosion'),\n", " ('drop', 'someone who quits school before graduation'),\n", " ('print', 'the output of a computer in printed form'),\n", " ('look', 'a person employed to keep watch for some anticipated event'),\n", " ('shoot',\n", " 'a fight involving shooting small arms with the intent to kill or frighten'),\n", " ('hide', 'a hiding place; usually a remote place used by outlaws'),\n", " ('cook', 'an informal meal cooked and eaten outdoors'),\n", " ('shake',\n", " 'an economic condition that results in the elimination of marginally financed participants in an industry'),\n", " ('shut', 'a defeat in a game where one side fails to score'),\n", " ('white',\n", " 'an arctic atmospheric condition with clouds over snow produce a uniform whiteness and objects are difficult to see; occurs when the light reflected off the snow equals the light coming through the clouds'),\n", " ('hand',\n", " 'an announcement distributed to members of the press in order to supplement or replace an oral presentation'),\n", " ('hang', 'a frequently visited place'),\n", " ('sell', 'an act of betrayal'),\n", " ('fold', 'an oversize page that is folded in to a book or magazine'),\n", " ('dug',\n", " 'either of two low shelters on either side of a baseball diamond where the players and coaches sit during the game'),\n", " ('lock',\n", " \"a management action resisting employee's demands; employees are barred from entering the workplace until they agree to terms\"),\n", " ('try', 'trying something to find out about it')]},\n", " {'answer': 'over',\n", " 'hint': '_ over',\n", " 'clues': [('change', 'an event that results in a transformation'),\n", " ('lay', 'a brief stay in the course of a journey'),\n", " ('make',\n", " \"an overall beauty treatment (involving a person's hair style and cosmetics and clothing) intended to change or improve a person's appearance\"),\n", " ('walk', 'backbends combined with handstands'),\n", " ('cross',\n", " 'the interchange of sections between pairing homologous chromosomes during the prophase of meiosis'),\n", " ('push', 'someone who is easily taken advantage of'),\n", " ('stop', 'a stopping place on a journey'),\n", " ('pull', 'a sweater that is put on by pulling it over the head'),\n", " ('left',\n", " 'a small part or portion that remains after the main part no longer exists'),\n", " ('fly',\n", " 'bridge formed by the upper level of a crossing of two highways at different levels'),\n", " ('pop',\n", " 'light hollow muffin made of a puff batter (individual Yorkshire pudding) baked in a deep muffin cup'),\n", " ('roll',\n", " 'the act of changing the institution that invests your pension plan without incurring a tax penalty'),\n", " ('sleep',\n", " 'an occasion of spending a night away from home or having a guest spend the night in your home (especially as a party for children)'),\n", " ('spill', '(economics) any indirect effect of public expenditure'),\n", " ('hand', 'act of relinquishing property or authority etc'),\n", " ('hang',\n", " 'disagreeable aftereffects from the use of drugs (especially alcohol)'),\n", " ('turn',\n", " 'the ratio of the number of workers that had to be replaced in a given time period to the average number of workers'),\n", " ('hold', 'an official who remains in office after his term'),\n", " ('take',\n", " 'a sudden and decisive change of government illegally or by force')]},\n", " {'answer': 'pad',\n", " 'hint': '_ pad',\n", " 'clues': [('key',\n", " 'a keyboard that is a data input device for computers; arrangement of keys is modelled after the typewriter keyboard'),\n", " ('launch', 'a platform from which rockets or space craft are launched'),\n", " ('note', 'a pad of paper for keeping notes'),\n", " ('scratch',\n", " '(computer science) a high-speed internal memory used for temporary storage of preliminary information')]},\n", " {'answer': 'pan',\n", " 'hint': '_ pan',\n", " 'clues': [('bed',\n", " 'a shallow vessel used by a bedridden patient for defecation and urination'),\n", " ('dust', 'the quantity that a dustpan will hold'),\n", " ('dish', 'large pan for washing dishes'),\n", " ('sauce', 'a deep pan with a handle; used for stewing or boiling'),\n", " ('skid',\n", " 'a paved surface on which cars can be made to skid so that drivers can practice controlling them')]},\n", " {'answer': 'paper',\n", " 'hint': '_ paper',\n", " 'clues': [('note',\n", " 'writing paper intended for writing short notes or letters'),\n", " ('wall', 'a decorative paper for the walls of rooms'),\n", " ('news',\n", " 'a daily or weekly publication on folded sheets; contains news and articles and advertisements'),\n", " ('sand', 'stiff paper coated with powdered emery or sand'),\n", " ('fly',\n", " 'paper that is poisoned or coated with a sticky substance to kill flies')]},\n", " {'answer': 'pence',\n", " 'hint': '_ pence',\n", " 'clues': [('eight', 'a coin worth eight pennies'),\n", " ('four', 'a former English silver coin worth four pennies'),\n", " ('two',\n", " 'a former United Kingdom silver coin; United Kingdom bronze decimal coin worth two pennies'),\n", " ('nine', 'a coin worth nine pennies'),\n", " ('six',\n", " 'a small coin of the United Kingdom worth six pennies; not minted since 1970'),\n", " ('three',\n", " 'former cupronickel coin of the United Kingdom equal to three pennies')]},\n", " {'answer': 'person',\n", " 'hint': '_ person',\n", " 'clues': [('anchor',\n", " 'a television reporter who coordinates a broadcast to which several correspondents contribute'),\n", " ('chair', 'the officer who presides at the meetings of an organization'),\n", " ('lay', 'someone who is not a clergyman or a professional person'),\n", " ('spokes', \"an advocate who represents someone else's policy or purpose\"),\n", " ('business',\n", " 'a capitalist who engages in industrial commercial enterprise'),\n", " ('sales',\n", " 'a person employed to represent a business and to sell its merchandise (as to customers in a store or to customers who are visited)')]},\n", " {'answer': 'phone',\n", " 'hint': '_ phone',\n", " 'clues': [('cell',\n", " 'a hand-held mobile radiotelephone for use in an area divided into small sections, each with its own short-range transmitter/receiver'),\n", " ('head',\n", " 'electro-acoustic transducer for converting electric signals into sounds; it is held over or inserted into the ear'),\n", " ('ear',\n", " 'electro-acoustic transducer for converting electric signals into sounds; it is held over or inserted into the ear'),\n", " ('speaker',\n", " 'a telephone with a microphone and loudspeaker; can be used without picking up a handset; several people can participate in a call at the same time')]},\n", " {'answer': 'piece',\n", " 'hint': '_ piece',\n", " 'clues': [('altar',\n", " 'a painted or carved screen placed above and behind an altar or communion table'),\n", " ('show',\n", " 'the outstanding item (the prize piece or main exhibit) in a collection'),\n", " ('mantel', 'shelf that projects from wall above fireplace'),\n", " ('eye',\n", " 'combination of lenses at the viewing end of optical instruments'),\n", " ('cod',\n", " \"(15th-16th century) a flap for the crotch of men's tight-fitting breeches\"),\n", " ('time', 'a measuring instrument or device for keeping time'),\n", " ('mouth', 'a part that goes over or into the mouth of a person'),\n", " ('hair',\n", " 'a covering or bunch of human or artificial hair used for disguise or adornment'),\n", " ('tail', 'appendage added to extend the length of something'),\n", " ('center', 'the central or most important feature'),\n", " ('head',\n", " \"the band that is the part of a bridle that fits around a horse's head\"),\n", " ('master', 'the most outstanding work of a creative artist or craftsman'),\n", " ('work', 'work consisting of a piece of metal being machined'),\n", " ('ear',\n", " 'electro-acoustic transducer for converting electric signals into sounds; it is held over or inserted into the ear')]},\n", " {'answer': 'pin',\n", " 'hint': '_ pin',\n", " 'clues': [('ten', 'one of the bottle-shaped pins used in bowling'),\n", " ('stick', 'a decorative pin that is worn in a necktie'),\n", " ('nine',\n", " 'a bowling pin of the type used in playing ninepins or (in England) skittles'),\n", " ('hat', 'a long sturdy pin used by women to secure a hat to their hair'),\n", " ('hair', \"a double pronged pin used to hold women's hair in place\"),\n", " ('push',\n", " 'a tack for attaching papers to a bulletin board or drawing board'),\n", " ('king', 'the most important person in a group or undertaking'),\n", " ('tie', 'a pin used to hold the tie in place'),\n", " ('head',\n", " 'the front bowling pin in the triangular arrangement of ten pins'),\n", " ('clothes',\n", " 'wood or plastic fastener; for holding clothes on a clothesline')]},\n", " {'answer': 'pipe',\n", " 'hint': '_ pipe',\n", " 'clues': [('blow',\n", " 'a tube that directs air or gas into a flame to concentrate heat'),\n", " ('bag',\n", " 'a tubular wind instrument; the player blows air into a bag and squeezes it out through the drone'),\n", " ('hose', 'a flexible pipe for conveying a liquid or gas'),\n", " ('tail', 'a pipe carrying fumes from the muffler to the rear of a car'),\n", " ('drain', 'a pipe through which liquid is carried away'),\n", " ('wind',\n", " 'membranous tube with cartilaginous rings that conveys inhaled air from the larynx to the bronchi'),\n", " ('stand', 'a vertical pipe'),\n", " ('stove',\n", " 'chimney consisting of a metal pipe of large diameter that is used to connect a stove to a flue'),\n", " ('horn', 'a British solo dance performed by sailors')]},\n", " {'answer': 'pit',\n", " 'hint': '_ pit',\n", " 'clues': [('flea', 'an old shabby movie theater'),\n", " ('cock', 'compartment where the pilot sits while flying the aircraft'),\n", " ('arm', 'the hollow under the arm where it is joined to the shoulder'),\n", " ('sand', 'a large pit in sandy ground from which sand is dug')]},\n", " {'answer': 'place',\n", " 'hint': '_ place',\n", " 'clues': [('birth', 'the place where someone was born'),\n", " ('market',\n", " 'the world of commercial activity where goods and services are bought and sold'),\n", " ('common', 'a trite or obvious remark'),\n", " ('show',\n", " 'a place that is frequently exhibited and visited for its historical interest or natural beauty'),\n", " ('fire',\n", " 'an open recess in a wall at the base of a chimney where a fire can be built'),\n", " ('work', 'a place where work is done')]},\n", " {'answer': 'plane',\n", " 'hint': '_ plane',\n", " 'clues': [('war', 'an aircraft designed and used for combat'),\n", " ('tail',\n", " \"the horizontal airfoil of an aircraft's tail assembly that is fixed and to which the elevator is hinged\"),\n", " ('air',\n", " 'an aircraft that has a fixed wing and is powered by propellers or jets'),\n", " ('sail',\n", " 'aircraft supported only by the dynamic action of air against its surfaces'),\n", " ('sea', 'an airplane that can land on or take off from water')]},\n", " {'answer': 'plate',\n", " 'hint': '_ plate',\n", " 'clues': [('breast',\n", " 'armor plate that protects the chest; the front part of a cuirass'),\n", " ('name', 'a plate bearing a name'),\n", " ('book', 'a label identifying the owner of a book in which it is pasted'),\n", " ('face',\n", " 'a protective covering for the front of a machine or device (as a door lock or computer component)'),\n", " ('copper',\n", " 'a graceful style of handwriting based on the writing used on copperplate engravings'),\n", " ('foot',\n", " 'the platform in the cab of a locomotive on which the engineer stands to operate the controls'),\n", " ('door',\n", " 'a nameplate fastened to a door; indicates the person who works or lives there'),\n", " ('hot',\n", " 'a portable electric appliance for heating or cooking or keeping food warm'),\n", " ('tin',\n", " 'a thin sheet of metal (iron or steel) coated with tin to prevent rusting; used especially for cans, pots, and tins'),\n", " ('boiler',\n", " 'standard formulations uniformly found in certain types of legal documents or news stories'),\n", " ('number',\n", " \"a plate mounted on the front and back of car and bearing the car's registration number\")]},\n", " {'answer': 'point',\n", " 'hint': '_ point',\n", " 'clues': [('stand', 'a mental position from which things are viewed'),\n", " ('blue',\n", " 'oysters originally from Long Island Sound but now from anywhere along the northeastern seacoast; usually eaten raw'),\n", " ('check',\n", " 'a place (as at a frontier) where travellers are stopped for inspection and clearance'),\n", " ('pin', 'a very brief moment'),\n", " ('gun', \"the gun muzzle's direction\"),\n", " ('end', 'a place where something ends or is complete'),\n", " ('needle',\n", " 'lace worked with a needle in a buttonhole stitch on a paper pattern'),\n", " ('ball',\n", " 'a pen that has a small metal ball as the point of transfer of ink to paper'),\n", " ('view', 'a mental position from which things are viewed'),\n", " ('mid',\n", " 'a point equidistant from the ends of a line or the extremities of a figure')]},\n", " {'answer': 'pole',\n", " 'hint': '_ pole',\n", " 'clues': [('ridge',\n", " 'a beam laid along the edge where two sloping sides of a roof meet at the top; provides an attachment for the upper ends of rafters'),\n", " ('flag',\n", " 'surveying instrument consisting of a straight rod painted in bands of alternate red and white each one foot wide; used for sightings by surveyors'),\n", " ('may',\n", " 'a vertical pole or post decorated with streamers that can be held by dancers celebrating May Day'),\n", " ('tad', 'a larval frog or toad')]},\n", " {'answer': 'post',\n", " 'hint': '_ post',\n", " 'clues': [('bed',\n", " 'any of 4 vertical supports at the corners of a bedstead'),\n", " ('mile', 'stone post at side of a road to show distances'),\n", " ('gate', 'either of two posts that bound a gate'),\n", " ('guide',\n", " 'a rule or principle that provides guidance to appropriate behavior'),\n", " ('door', 'a jamb for a door'),\n", " ('lamp',\n", " 'a metal post supporting an outdoor lamp (such as a streetlight)'),\n", " ('goal',\n", " 'one of a pair of posts (usually joined by a crossbar) that are set up as a goal at each end of a playing field'),\n", " ('sign',\n", " 'a post bearing a sign that gives directions or shows the way')]},\n", " {'answer': 'pot',\n", " 'hint': '_ pot',\n", " 'clues': [('crack', 'a whimsically eccentric person'),\n", " ('tea', 'pot for brewing tea; usually has a spout and handle'),\n", " ('flower', 'a container in which plants are cultivated'),\n", " ('fuss', 'thinks about unfortunate things that might happen'),\n", " ('chamber', 'a receptacle for urination or defecation in the bedroom'),\n", " ('honey',\n", " 'South African shrub whose flowers when open are cup-shaped resembling artichokes'),\n", " ('jack', 'the cumulative amount involved in a game (such as poker)'),\n", " ('sex', 'a young woman who is thought to have sex appeal'),\n", " ('stock', 'a pot used for preparing soup stock'),\n", " ('hot', 'a stew of meat and potatoes cooked in a tightly covered pot'),\n", " ('coffee', 'tall pot in which coffee is brewed')]},\n", " {'answer': 'power',\n", " 'hint': '_ power',\n", " 'clues': [('brain', 'mental ability'),\n", " ('will', 'the trait of resolutely controlling your own behavior'),\n", " ('candle', 'luminous intensity measured in candelas'),\n", " ('horse', 'a unit of power equal to 746 watts'),\n", " ('fire',\n", " '(military) the relative capacity for delivering fire on a target')]},\n", " {'answer': 'print',\n", " 'hint': '_ print',\n", " 'clues': [('foot', 'a mark of a foot or shoe on a surface'),\n", " ('finger',\n", " 'a print made by an impression of the ridges in the skin of a finger; often used for biometric identification in criminal investigations'),\n", " ('thumb',\n", " 'fingerprint made by the thumb (especially by the pad of the thumb)'),\n", " ('blue', 'something intended as a guide for making something else'),\n", " ('off',\n", " 'a separately printed article that originally appeared in a larger publication'),\n", " ('news',\n", " 'cheap paper made from wood pulp and used for printing newspapers'),\n", " ('over', 'something added by overprinting')]},\n", " {'answer': 'rest',\n", " 'hint': '_ rest',\n", " 'clues': [('back', 'a support that you can lean against while sitting'),\n", " ('arm', 'a support for the arm'),\n", " ('foot', 'a low seat or a stool to rest the feet of a seated person'),\n", " ('head',\n", " \"a cushion attached to the top of the back of an automobile's seat to prevent whiplash\")]},\n", " {'answer': 'roll',\n", " 'hint': '_ roll',\n", " 'clues': [('jelly',\n", " 'thin sheet of sponge cake spread with jelly and then rolled up to make a cylindrical cake'),\n", " ('pay', 'a list of employees and their salaries'),\n", " ('bank',\n", " 'a roll of currency notes (often taken as the resources of a person or business etc.)'),\n", " ('bed', 'bedding rolled up for carrying')]},\n", " {'answer': 'room',\n", " 'hint': '_ room',\n", " 'clues': [('work', 'room where work is done'),\n", " ('store', 'a room in which things are stored'),\n", " ('green',\n", " 'a backstage room in a theater where performers rest or have visitors'),\n", " ('bed', 'a room used primarily for sleeping'),\n", " ('school', 'a room in a school where lessons take place'),\n", " ('board',\n", " 'a room where a committee meets (such as the board of directors of a company)'),\n", " ('sick', 'a room to which a sick person is confined'),\n", " ('class', 'a room in a school where lessons take place'),\n", " ('ball', 'large room used mainly for dancing'),\n", " ('bar',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('wash', 'a lavatory (particularly a lavatory in a public place)'),\n", " ('lunch', 'a restaurant (in a facility) where lunch can be purchased'),\n", " ('sales', 'an area where merchandise (such as cars) can be displayed'),\n", " ('club', 'a room used for the activities of a club'),\n", " ('home',\n", " 'a classroom in which all students in a particular grade (or in a division of a grade) meet at certain times under the supervision of a teacher who takes attendance and does other administrative business'),\n", " ('tap',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('bath',\n", " 'a room (as in a residence) containing a bathtub or shower and usually a washbasin and toilet'),\n", " ('head',\n", " 'vertical space available to allow easy passage under something'),\n", " ('ward',\n", " 'military quarters for dining and recreation for officers of a warship (except the captain)'),\n", " ('back',\n", " 'the meeting place of a group of leaders who make their decisions via private negotiations'),\n", " ('play',\n", " \"a recreation room for noisy activities (parties or children's play etc)\"),\n", " ('tea', 'a restaurant where tea and light meals are available'),\n", " ('news',\n", " 'the staff of a newspaper or the news department of a periodical'),\n", " ('house', 'space for accommodation in a house'),\n", " ('stock', 'storeroom for storing goods and supplies used in a business'),\n", " ('pool', 'a room with pool tables where pool is played'),\n", " ('dark', 'a room in which photographs are developed'),\n", " ('guard', 'a cell in which soldiers who are prisoners are confined'),\n", " ('state', 'a guest cabin'),\n", " ('show', 'an area where merchandise (such as cars) can be displayed'),\n", " ('rest', 'a toilet that is available to the public'),\n", " ('coat', 'a room where coats and other articles can be left temporarily'),\n", " ('cloak', 'a private lounge off of a legislative chamber'),\n", " ('court', 'a room in which a lawcourt sits'),\n", " ('check', 'a room where baggage or parcels are checked'),\n", " ('guest', 'a bedroom that is kept for the use of guests'),\n", " ('strong',\n", " 'a burglarproof and fireproof room in which valuables are kept')]},\n", " {'answer': 'saw',\n", " 'hint': '_ saw',\n", " 'clues': [('rip', 'a handsaw for cutting with the grain of the wood'),\n", " ('jig',\n", " 'a portable power saw with a reciprocating blade; can be used with a variety of blades depending on the application and kind of cut; generally have a plate that rides on the surface that is being cut'),\n", " ('chain', 'portable power saw; teeth linked to form an endless chain'),\n", " ('see',\n", " 'a plaything consisting of a board balanced on a fulcrum; the board is ridden up and down by children at either end'),\n", " ('hack', 'saw used with one hand for cutting metal'),\n", " ('hand', 'a saw used with one hand for cutting wood'),\n", " ('buck',\n", " 'a saw that is set in a frame in the shape of an H; used with both hands to cut wood that is held in a sawbuck'),\n", " ('fret',\n", " 'fine-toothed power saw with a narrow blade; used to cut curved outlines'),\n", " ('whip',\n", " 'a saw with handles at both ends; intended for use by two people')]},\n", " {'answer': 'screen',\n", " 'hint': '_ screen',\n", " 'clues': [('wind',\n", " 'transparent screen (as of glass) to protect occupants of a vehicle'),\n", " ('sun',\n", " 'a cream spread on the skin; contains a chemical (as PABA) to filter out ultraviolet light and so protect from sunburn'),\n", " ('silk',\n", " 'a print made using a stencil process in which an image or design is superimposed on a very fine mesh screen and printing ink is squeegeed onto the printing surface through the area of the screen that is not covered by the stencil'),\n", " ('smoke',\n", " '(military) screen consisting of a cloud of smoke that obscures movements'),\n", " ('touch',\n", " 'a computer display that enables the user to interact with the computer by touching areas on the screen')]},\n", " {'answer': 'seed',\n", " 'hint': '_ seed',\n", " 'clues': [('rape', 'seed of rape plants; source of an edible oil'),\n", " ('bird', 'food given to birds; usually mixed seeds'),\n", " ('cotton', 'seed of cotton plants; source of cottonseed oil'),\n", " ('oil', 'any of several seeds that yield oil'),\n", " ('hay',\n", " 'a person who is not very intelligent or interested in culture')]},\n", " {'answer': 'set',\n", " 'hint': '_ set',\n", " 'clues': [('head', 'receiver consisting of a pair of headphones'),\n", " ('mind',\n", " 'a habitual or characteristic mental attitude that determines how you will interpret and respond to situations'),\n", " ('off', 'the time at which something is supposed to begin'),\n", " ('sun',\n", " 'the time in the evening at which the sun begins to fall below the horizon'),\n", " ('hand',\n", " 'telephone set with the mouthpiece and earpiece mounted on a single handle')]},\n", " {'answer': 'shed',\n", " 'hint': '_ shed',\n", " 'clues': [('cow', 'a barn for cows'),\n", " ('water', 'a ridge of land that separates two adjacent river systems'),\n", " ('wood', 'a shed for storing firewood or garden tools'),\n", " ('blood', 'the shedding of blood resulting in murder')]},\n", " {'answer': 'sheet',\n", " 'hint': '_ sheet',\n", " 'clues': [('work',\n", " 'a sheet of paper with multiple columns; used by an accountant to assemble figures for financial statements'),\n", " ('ground',\n", " 'a waterproofed piece of cloth spread on the ground (as under a tent) to protect from moisture'),\n", " ('spread',\n", " 'a screen-oriented interactive program enabling a user to lay out financial data on the screen'),\n", " ('broad',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution')]},\n", " {'answer': 'shell',\n", " 'hint': '_ shell',\n", " 'clues': [('sea', 'the shell of a marine organism'),\n", " ('cockle', 'a small light flimsy boat'),\n", " ('tortoise', 'the mottled horny substance of the shell of some turtles'),\n", " ('egg', \"the exterior covering of a bird's egg\"),\n", " ('nut', 'the shell around the kernel of a nut'),\n", " ('bomb', 'an entertainer who has a sensational effect')]},\n", " {'answer': 'shift',\n", " 'hint': '_ shift',\n", " 'clues': [('gear',\n", " 'a mechanical device for engaging and disengaging gears'),\n", " ('down',\n", " 'a change from a financially rewarding but stressful career to a less well paid but more fulfilling one'),\n", " ('make', 'something contrived to meet an urgent need or emergency'),\n", " ('red',\n", " '(astronomy) a shift in the spectra of very distant galaxies toward longer wavelengths (toward the red end of the spectrum); generally interpreted as evidence that the universe is expanding')]},\n", " {'answer': 'ship',\n", " 'hint': '_ ship',\n", " 'clues': [('troop', 'ship for transporting troops'),\n", " ('showman',\n", " 'the ability to present something (especially theatrical shows) in an attractive manner'),\n", " ('flag', 'the chief one of a related group'),\n", " ('swordsman', 'skill in fencing'),\n", " ('battle', 'large and heavily armoured warship'),\n", " ('light',\n", " 'a ship equipped like a lighthouse and anchored where a permanent lighthouse would be impracticable'),\n", " ('space',\n", " 'a spacecraft designed to carry a crew into interstellar space (especially in science fiction)'),\n", " ('chairman', 'the position of chairman'),\n", " ('war', 'a government ship that is available for waging war'),\n", " ('horseman', 'skill in handling and riding horses'),\n", " ('steam', 'a ship powered by one or more steam engines'),\n", " ('air', 'a steerable self-propelled aircraft')]},\n", " {'answer': 'shoe',\n", " 'hint': '_ shoe',\n", " 'clues': [('gum', 'someone who is a detective'),\n", " ('horse',\n", " 'game equipment consisting of an open ring of iron used in playing horseshoes'),\n", " ('snow',\n", " 'a device to help you walk on deep snow; a lightweight frame shaped like a racquet is strengthened with cross pieces and contains a network of thongs; one is worn on each foot'),\n", " ('over',\n", " 'footwear that protects your shoes from water or snow or cold')]},\n", " {'answer': 'shop',\n", " 'hint': '_ shop',\n", " 'clues': [('barber', 'a shop where men can get their hair cut'),\n", " ('book', 'a shop where books are sold'),\n", " ('pawn',\n", " 'a shop where loans are made with personal property as security'),\n", " ('bake',\n", " 'a workplace where baked goods (breads and cakes and pastries) are produced or sold'),\n", " ('toy', 'shop where toys are sold'),\n", " ('work', 'small workplace where handcrafts or manufacturing are done'),\n", " ('sweat',\n", " 'factory where workers do piecework for poor pay and are prevented from forming unions; common in the clothing industry'),\n", " ('tea', 'a restaurant where tea and light meals are available')]},\n", " {'answer': 'shot',\n", " 'hint': '_ shot',\n", " 'clues': [('hot', 'someone who is dazzlingly skilled in any field'),\n", " ('buck', 'small lead shot for shotgun shells'),\n", " ('sling',\n", " 'a plaything consisting of a Y-shaped stick with elastic between the arms; used to propel small stones'),\n", " ('mug',\n", " \"a photograph of someone's face (especially one made for police records)\"),\n", " ('pot', 'a shot taken at an easy or casual target (as by a pothunter)'),\n", " ('grape',\n", " 'a cluster of small projectiles fired together from a cannon to produce a hail of shot'),\n", " ('ear', 'the range within which a voice can be heard'),\n", " ('gun', 'the act of shooting a gun'),\n", " ('snap',\n", " 'an informal photograph; usually made with a small hand-held camera')]},\n", " {'answer': 'sickness',\n", " 'hint': '_ sickness',\n", " 'clues': [('home', 'a longing to return home'),\n", " ('air',\n", " 'motion sickness experienced while traveling by air (especially during turbulence)'),\n", " ('heart', 'feeling downcast and disheartened and hopeless'),\n", " ('sea', 'motion sickness experienced while traveling on water')]},\n", " {'answer': 'side',\n", " 'hint': '_ side',\n", " 'clues': [('lake', 'the shore of a lake'),\n", " ('curb', 'the side of a sidewalk that is bordered by a curb'),\n", " ('near', 'the side of a vehicle nearest the kerb'),\n", " ('fire',\n", " 'an area near a fireplace (usually paved and extending out into a room)'),\n", " ('under', 'the lower side of anything'),\n", " ('top',\n", " \"(usually plural) weather deck; the part of a ship's hull that is above the waterline\"),\n", " ('sea', 'the shore of a sea or ocean regarded as a resort'),\n", " ('dock', 'the region adjacent to a boat dock'),\n", " ('way', 'edge of a way or road or path'),\n", " ('country', 'rural regions'),\n", " ('river', 'the bank of a river'),\n", " ('back', 'the side of an object that is opposite its front'),\n", " ('hill', 'the side or slope of a hill'),\n", " ('bed',\n", " 'space by the side of a bed (especially the bed of a sick or dying person)'),\n", " ('road', 'edge of a way or road or path'),\n", " ('down', 'a negative aspect of something that is generally positive'),\n", " ('ring',\n", " 'first row of seating; has an unobstructed view of a boxing or wrestling ring'),\n", " ('mountain', 'the side or slope of a mountain'),\n", " ('off',\n", " '(sport) the mistake of occupying an illegal position on the playing field (in football, soccer, ice hockey, field hockey, etc.)'),\n", " ('water', 'land bordering a body of water')]},\n", " {'answer': 'skin',\n", " 'hint': '_ skin',\n", " 'clues': [('sheep',\n", " 'tanned skin of a sheep with the fleece left on; used for clothing'),\n", " ('doe', 'soft leather from deerskin or lambskin'),\n", " ('oil',\n", " 'a macintosh made from cotton fabric treated with oil and pigment to make it waterproof'),\n", " ('buck', 'horse of a light yellowish dun color with dark mane and tail'),\n", " ('goat', 'the hide of a goat'),\n", " ('coon', 'a raccoon cap with the tail hanging down the back'),\n", " ('seal', 'the pelt or fur (especially the underfur) of a seal'),\n", " ('deer', 'leather from the hide of a deer'),\n", " ('onion',\n", " 'a thin strong lightweight translucent paper used especially for making carbon copies'),\n", " ('kid', 'soft smooth leather from the hide of a young goat'),\n", " ('wine',\n", " 'an animal skin (usually a goatskin) that forms a bag and is used to hold and dispense wine'),\n", " ('lamb', 'the skin of a lamb with the wool still on'),\n", " ('pig', 'leather from the skin of swine'),\n", " ('calf', 'fine leather from the skin of a calf'),\n", " ('bear', 'the pelt of a bear (sometimes used as a rug)'),\n", " ('shark', 'a smooth crisp fabric'),\n", " ('mole', 'a durable cotton fabric with a velvety nap')]},\n", " {'answer': 'slip',\n", " 'hint': '_ slip',\n", " 'clues': [('land',\n", " 'a slide of a large mass of dirt and rock down a mountain or cliff'),\n", " ('gym',\n", " 'a sleeveless tunic worn by English girls as part of a school uniform'),\n", " ('pay',\n", " 'a slip of paper included with your pay that records how much money you have earned and how much tax or insurance etc. has been taken out'),\n", " ('cow',\n", " 'early spring flower common in British isles having fragrant yellow or sometimes purple flowers')]},\n", " {'answer': 'smith',\n", " 'hint': '_ smith',\n", " 'clues': [('gold',\n", " 'an artisan who makes jewelry and other objects out of gold'),\n", " ('lock', 'someone who makes or repairs locks'),\n", " ('tin', 'someone who makes or repairs tinware'),\n", " ('word', 'a fluent and prolific writer'),\n", " ('silver', 'someone who makes or repairs articles of silver'),\n", " ('black', 'a smith who forges and shapes iron with a hammer and anvil'),\n", " ('gun', 'someone who makes or repairs guns')]},\n", " {'answer': 'song',\n", " 'hint': '_ song',\n", " 'clues': [('bird', 'the characteristic sound produced by a bird'),\n", " ('plain', 'a liturgical chant of the Roman Catholic Church'),\n", " ('sing', 'a regular and monotonous rising and falling intonation'),\n", " ('even',\n", " 'the sixth of the seven canonical hours of the divine office; early evening; now often made a public service on Sundays'),\n", " ('folk',\n", " 'a song that is traditionally sung by the common people of a region and forms part of their culture')]},\n", " {'answer': 'space',\n", " 'hint': '_ space',\n", " 'clues': [('back', 'the typewriter key used for back spacing'),\n", " ('crawl',\n", " 'low space beneath a floor of a building; gives workers access to wiring or plumbing'),\n", " ('air', 'the space in the atmosphere immediately above the earth'),\n", " ('work', 'space allocated for your work (as in an office)')]},\n", " {'answer': 'spring',\n", " 'hint': '_ spring',\n", " 'clues': [('hand',\n", " 'an acrobatic feat in which a person goes from a standing position to a handstand and back again'),\n", " ('well', 'the source of water for a well'),\n", " ('hair',\n", " 'a fine spiral spring that regulates the movement of the balance wheel in a timepiece'),\n", " ('off', 'the immediate descendants of a person'),\n", " ('main',\n", " 'the most important spring in a mechanical device (especially a clock or watch); as it uncoils it drives the mechanism')]},\n", " {'answer': 'stand',\n", " 'hint': '_ stand',\n", " 'clues': [('hand',\n", " 'the act of supporting yourself by your hands alone in an upside down position'),\n", " ('kick',\n", " 'a swiveling metal rod attached to a bicycle or motorcycle or other two-wheeled vehicle; the rod lies horizontally when not in use but can be kicked into a vertical position as a support to hold the vehicle upright when it is not being ridden'),\n", " ('head',\n", " 'an acrobatic feat in which a person balances on the head (usually with the help of the hands)'),\n", " ('cab', 'a place where taxis park while awaiting customers'),\n", " ('ink',\n", " 'a small well holding writing ink into which a pen can be dipped'),\n", " ('news', 'a stall where newspapers and other periodicals are sold'),\n", " ('band', 'a platform where a (brass) band can play in the open air'),\n", " ('grand', 'the audience at a stadium or racetrack'),\n", " ('wash',\n", " \"furniture consisting of a table or stand to hold a basin and pitcher of water for washing: `wash-hand stand' is a British term\")]},\n", " {'answer': 'step',\n", " 'hint': '_ step',\n", " 'clues': [('quick', 'military march accompanying quick time'),\n", " ('lock', 'a standard procedure that is followed mindlessly'),\n", " ('foot', 'the sound of a step of someone walking'),\n", " ('door',\n", " 'the sill of a door; a horizontal piece of wood or stone that forms the bottom of a doorway and offers support when passing through a doorway'),\n", " ('side', 'a step to one side (as in boxing or dancing)')]},\n", " {'answer': 'stick',\n", " 'hint': '_ stick',\n", " 'clues': [('dip',\n", " 'a graduated rod dipped into a container to indicate the fluid level'),\n", " ('joy',\n", " 'a lever used by a pilot to control the ailerons and elevators of an airplane'),\n", " ('night', 'a short stout club used primarily by policemen'),\n", " ('candle', 'a holder with sockets for candles'),\n", " ('drum', 'the lower joint of the leg of a fowl'),\n", " ('gear', 'a mechanical device for engaging and disengaging gears'),\n", " ('yard', 'a measure or standard used for comparison'),\n", " ('match', 'a short thin stick of wood used in making matches'),\n", " ('chop',\n", " 'one of a pair of slender sticks used as oriental tableware to eat food with'),\n", " ('slap',\n", " 'a boisterous comedy with chases and collisions and practical jokes'),\n", " ('lip', 'makeup that is used to color the lips'),\n", " ('broom', 'the handle of a broom')]},\n", " {'answer': 'stock',\n", " 'hint': '_ stock',\n", " 'clues': [('feed',\n", " 'the raw material that is required for some industrial process'),\n", " ('blood', 'thoroughbred horses (collectively)'),\n", " ('live', 'any animals kept for use or profit'),\n", " ('head',\n", " 'the stationary support in a machine or power tool that supports and drives a revolving part (as a chuck or the spindle on a lathe)'),\n", " ('root',\n", " 'a horizontal plant stem with shoots above and roots below serving as a reproductive structure'),\n", " ('laughing', 'a victim of ridicule or pranks')]},\n", " {'answer': 'stone',\n", " 'hint': '_ stone',\n", " 'clues': [('sand',\n", " 'a sedimentary rock consisting of sand consolidated with some cement (clay or quartz etc.)'),\n", " ('lime',\n", " 'a sedimentary rock consisting mainly of calcium that was deposited by the remains of marine animals'),\n", " ('blood', 'green chalcedony with red spots that resemble blood'),\n", " ('gall', 'a calculus formed in the gall bladder or its ducts'),\n", " ('whet', 'a flat stone for sharpening edged tools or knives'),\n", " ('hail', 'small pellet of ice that falls during a hailstorm'),\n", " ('tomb', 'a stone that is used to mark a grave'),\n", " ('mile', 'stone post at side of a road to show distances'),\n", " ('grind',\n", " 'a revolving stone shaped like a disk; used to grind or sharpen or polish edge tools'),\n", " ('head', 'the central building block at the top of an arch or vault'),\n", " ('cap', 'a final touch; a crowning achievement; a culmination'),\n", " ('gem', 'a crystalline rock that can be cut and polished for jewelry'),\n", " ('brown', 'a reddish brown sandstone; used in buildings'),\n", " ('soap',\n", " 'a soft heavy compact variety of talc having a soapy feel; used to make hearths and tabletops and ornaments'),\n", " ('moon',\n", " 'a transparent or translucent gemstone with a pearly luster; some specimens are orthoclase feldspar and others are plagioclase feldspar'),\n", " ('mill', '(figurative) something that hinders or handicaps'),\n", " ('cobble',\n", " 'rectangular paving stone with curved top; once used to make roads'),\n", " ('lode',\n", " 'a permanent magnet consisting of magnetite that possess polarity and has the power to attract as well as to be attracted magnetically'),\n", " ('touch',\n", " 'a basis for comparison; a reference point against which other things can be evaluated'),\n", " ('grave', 'a stone that is used to mark a grave'),\n", " ('flag',\n", " 'stratified stone that splits into pieces suitable as paving stones'),\n", " ('hearth', 'a stone that forms a hearth'),\n", " ('key', 'a central cohesive source of support and stability'),\n", " ('free',\n", " 'fruit (especially peach) whose flesh does not adhere to the pit'),\n", " ('curb', 'a paving stone forming part of a curb'),\n", " ('corner',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('silt', 'a fine-grained sandstone of consolidated silt')]},\n", " {'answer': 'storm',\n", " 'hint': '_ storm',\n", " 'clues': [('brain',\n", " 'the clear (and often sudden) understanding of a complex situation'),\n", " ('thunder',\n", " 'a storm resulting from strong rising air currents; heavy rain or hail along with thunder and lightning'),\n", " ('hail', 'a storm during which hail falls'),\n", " ('snow', 'a storm with widespread snowfall accompanied by strong winds'),\n", " ('sand', 'a windstorm that lifts up clouds of dust or sand'),\n", " ('fire',\n", " 'a storm in which violent winds are drawn into the column of hot air rising over a severely bombed area'),\n", " ('wind', 'a storm consisting of violent winds')]},\n", " {'answer': 'stream',\n", " 'hint': '_ stream',\n", " 'clues': [('air', 'a relatively well-defined prevailing wind'),\n", " ('blood', 'the blood flowing through the circulatory system'),\n", " ('main', 'the prevailing current of thought'),\n", " ('slip',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('mid', 'the middle of a stream')]},\n", " {'answer': 'string',\n", " 'hint': '_ string',\n", " 'clues': [('ham', 'one of the tendons at the back of the knee'),\n", " ('draw',\n", " 'a tie consisting of a cord that goes through a seam around an opening'),\n", " ('shoe', 'a lace used for fastening shoes'),\n", " ('bow', \"the string of an archer's bow\")]},\n", " {'answer': 'stroke',\n", " 'hint': '_ stroke',\n", " 'clues': [('breast',\n", " 'a swimming stroke; the arms are extended together in front of the head and swept back on either side accompanied by a frog kick'),\n", " ('heat', 'collapse caused by exposure to excessive heat'),\n", " ('master', 'an achievement demonstrating great skill or mastery'),\n", " ('side',\n", " 'a swimming stroke in which the arms move forward and backward while the legs do a scissors kick'),\n", " ('sun',\n", " 'sudden prostration due to exposure to the sun or excessive heat'),\n", " ('back',\n", " 'a swimming stroke that resembles the crawl except the swimmer lies on his or her back'),\n", " ('key', 'the stroke of a key; one depression of a key on a keyboard')]},\n", " {'answer': 'suit',\n", " 'hint': '_ suit',\n", " 'clues': [('sweat', 'garment consisting of sweat pants and a sweatshirt'),\n", " ('law',\n", " 'a comprehensive term for any proceeding in a court of law whereby an individual seeks a legal remedy'),\n", " ('swim', 'tight fitting garment worn for swimming'),\n", " ('space', 'a pressure suit worn by astronauts while in outer space'),\n", " ('pant', 'a pair of pants and a matching jacket worn by women'),\n", " ('snow', \"a child's overgarment for cold weather\"),\n", " ('jump', \"one-piece garment fashioned after a parachutist's uniform\")]},\n", " {'answer': 'table',\n", " 'hint': '_ table',\n", " 'clues': [('time',\n", " 'a schedule listing events and the times at which they will take place'),\n", " ('work', 'a table designed for a particular task'),\n", " ('turn',\n", " 'a circular horizontal platform that rotates a phonograph record while it is being played'),\n", " ('round', 'a meeting of peers for discussion and exchange of views')]},\n", " {'answer': 'tail',\n", " 'hint': '_ tail',\n", " 'clues': [('cat',\n", " 'tall erect herbs with sword-shaped leaves; cosmopolitan in fresh and salt marshes'),\n", " ('cock', 'a short mixed drink'),\n", " ('horse',\n", " 'perennial rushlike flowerless herbs with jointed hollow stems and narrow toothlike leaves that spread by creeping rhizomes; tend to become weedy; common in northern hemisphere; some in Africa and South America'),\n", " ('bob', 'a short or shortened tail of certain animals'),\n", " ('wag',\n", " 'Old World bird having a very long tail that jerks up and down as it walks'),\n", " ('fan',\n", " 'an overhang consisting of the fan-shaped part of the deck extending aft of the sternpost of a ship'),\n", " ('white', 'common North American deer; tail has a white underside'),\n", " ('swallow',\n", " \"a man's full-dress jacket with two long tapering tails at the back\"),\n", " ('dove', 'a mortise joint formed by interlocking tenons and mortises'),\n", " ('shirt', 'a brief addendum at the end of a newspaper article'),\n", " ('pony',\n", " \"a hair style that draws the hair back so that it hangs down in back of the head like a pony's tail\"),\n", " ('cotton',\n", " 'common small rabbit of North America having greyish or brownish fur and a tail with a white underside; a host for Ixodes pacificus and Ixodes scapularis (Lyme disease ticks)'),\n", " ('pig', 'a plait of braided hair')]},\n", " {'answer': 'tale',\n", " 'hint': '_ tale',\n", " 'clues': [('tattle', 'someone who gossips indiscreetly'),\n", " ('fairy', 'a story about fairies; told to amuse children'),\n", " ('tell', 'someone who gossips indiscreetly'),\n", " ('folk', 'a tale circulated by word of mouth among the common folk')]},\n", " {'answer': 'time',\n", " 'hint': '_ time',\n", " 'clues': [('over', 'work done in addition to regular working hours'),\n", " ('tea', 'a light midafternoon meal of tea and sandwiches or cakes'),\n", " ('lunch', 'the customary or habitual hour for eating lunch'),\n", " ('life',\n", " 'the period during which something is functional (as between birth and death)'),\n", " ('meal', 'the hour at which a meal is habitually or customarily eaten'),\n", " ('play', 'time for play or diversion'),\n", " ('night',\n", " 'the time after sunset and before sunrise while it is dark outside'),\n", " ('bed', 'the time you go to bed'),\n", " ('dinner', 'the customary or habitual hour for the evening meal'),\n", " ('spring', 'the season of growth'),\n", " ('summer',\n", " 'the warmest season of the year; in the northern hemisphere it extends from the summer solstice to the autumnal equinox'),\n", " ('show', 'the time at which something is supposed to begin'),\n", " ('peace', 'a period of time during which there is no war'),\n", " ('mean', 'the time between one event, process, or period and another'),\n", " ('winter',\n", " 'the coldest season of the year; in the northern hemisphere it extends from the winter solstice to the vernal equinox'),\n", " ('rag', 'music with a syncopated melody (usually for the piano)'),\n", " ('half', 'an intermission between the first and second half of a game'),\n", " ('supper', 'the customary or habitual hour for the evening meal'),\n", " ('day',\n", " 'the time after sunrise and before sunset while it is light outside'),\n", " ('war', 'a period of time during which there is armed conflict'),\n", " ('down',\n", " 'a period of time when something (as a machine or factory) is not operating (especially as a result of malfunctions)')]},\n", " {'answer': 'top',\n", " 'hint': '_ top',\n", " 'clues': [('flat', 'a closely cropped haircut; usually for men'),\n", " ('hill', 'the peak of a hill'),\n", " ('tree', 'the upper branches and leaves of a tree or other plant'),\n", " ('hard', 'a car that resembles a convertible but has a fixed rigid top'),\n", " ('house', 'the roof of a house'),\n", " ('tip',\n", " 'the highest level or degree attainable; the highest stage of development'),\n", " ('desk', 'the top of a desk'),\n", " ('black',\n", " 'a black bituminous material used for paving roads or other areas; usually spread over crushed rock'),\n", " ('lap', 'a portable computer small enough to use in your lap'),\n", " ('table', 'the top horizontal work surface of a table'),\n", " ('roof', 'the top of a (usually flat) roof')]},\n", " {'answer': 'trap',\n", " 'hint': '_ trap',\n", " 'clues': [('clap', 'pompous or pretentious talk or writing'),\n", " ('fire',\n", " 'a building that would be hard to escape from if it were to catch fire'),\n", " ('mouse', 'a trap for catching mice'),\n", " ('death',\n", " 'any structure that is very unsafe; where people are likely to be killed'),\n", " ('sun',\n", " 'a terrace or garden oriented to take advantage of the sun while protected from cold winds'),\n", " ('rat', 'a difficult entangling situation')]},\n", " {'answer': 'walk',\n", " 'hint': '_ walk',\n", " 'clues': [('side',\n", " 'walk consisting of a paved area for pedestrians; usually beside a street or roadway'),\n", " ('board', 'a walkway made of wooden boards; usually at seaside'),\n", " ('cat', 'narrow platform extending out into an auditorium'),\n", " ('moon',\n", " 'a kind of dance step in which the dancer seems to be sliding on the spot'),\n", " ('cake',\n", " 'a strutting dance based on a march; was performed in minstrel shows; originated as a competition among Black dancers to win a cake'),\n", " ('cross',\n", " 'a path (often marked) where something (as a street or railroad) can be crossed to get from one side to the other')]},\n", " {'answer': 'walker',\n", " 'hint': '_ walker',\n", " 'clues': [('floor',\n", " 'an employee of a retail store who supervises sales personnel and helps with customer problems'),\n", " ('sleep', 'someone who walks about in their sleep'),\n", " ('jay', 'a reckless pedestrian who crosses a street illegally'),\n", " ('street',\n", " 'a prostitute who attracts customers by walking the streets')]},\n", " {'answer': 'wall',\n", " 'hint': '_ wall',\n", " 'clues': [('sea',\n", " 'a protective structure of stone or concrete; extends from shore into the water to prevent a beach from washing away'),\n", " ('side', 'the side of an automobile tire'),\n", " ('fire', '(colloquial) the application of maximum thrust'),\n", " ('dry',\n", " 'a wide flat board used to cover walls or partitions; made from plaster or wood pulp or other materials and used primarily to form the interior walls of houses')]},\n", " {'answer': 'ware',\n", " 'hint': '_ ware',\n", " 'clues': [('dish', 'tableware (eating and serving dishes) collectively'),\n", " ('flat',\n", " 'tableware that is relatively flat and fashioned as a single piece'),\n", " ('china', 'dishware made of high quality porcelain'),\n", " ('cook',\n", " 'a kitchen utensil made of material that does not melt easily; used for cooking'),\n", " ('iron', 'instrumentalities (tools or implements) made of metal'),\n", " ('glass', 'an article of tableware made of glass'),\n", " ('kitchen', 'hardware utensils for use in a kitchen'),\n", " ('firm',\n", " '(computer science) coded instructions that are stored permanently in read-only memory'),\n", " ('table',\n", " 'articles for use at the table (dishes and silverware and glassware)'),\n", " ('free', 'software that is provided without charge'),\n", " ('hard', 'major items of military weaponry (as tanks or missile)'),\n", " ('tin', 'articles of commerce made of tin plate'),\n", " ('oven',\n", " 'heat-resistant dishware in which food can be cooked as well as served'),\n", " ('dinner',\n", " 'the tableware (plates and platters and serving bowls etc.) used in serving a meal'),\n", " ('earthen', 'ceramic ware made of porous clay fired at low heat'),\n", " ('group',\n", " 'software that can be used by a group of people who are working on the same information but may be distributed in space'),\n", " ('silver',\n", " 'tableware made of silver or silver plate or pewter or stainless steel'),\n", " ('stone',\n", " 'ceramic ware that is fired in high heat and vitrified and nonporous'),\n", " ('share',\n", " 'software that is available free of charge; may be distributed for evaluation with a fee requested for additional features or a manual etc.'),\n", " ('enamel', 'cooking utensil of enameled iron'),\n", " ('soft',\n", " '(computer science) written programs or procedures or rules and associated documentation pertaining to the operation of a computer system and that are stored in read/write memory')]},\n", " {'answer': 'wash',\n", " 'hint': '_ wash',\n", " 'clues': [('white',\n", " 'a defeat in which the losing person or team fails to score'),\n", " ('back',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('mouth', 'a medicated solution used for gargling and rinsing the mouth'),\n", " ('eye',\n", " 'lotion consisting of a solution used as a cleanser for the eyes'),\n", " ('hog',\n", " 'unacceptable behavior (especially ludicrously false statements)')]},\n", " {'answer': 'water',\n", " 'hint': '_ water',\n", " 'clues': [('rain',\n", " 'drops of fresh water that fall as precipitation from clouds'),\n", " ('break',\n", " 'a protective structure of stone or concrete; extends from shore into the water to prevent a beach from washing away'),\n", " ('salt', 'water containing salts'),\n", " ('white', 'frothy water as in rapids or waterfalls'),\n", " ('tide', 'low-lying coastal land drained by tidal streams'),\n", " ('sea', 'water containing salts'),\n", " ('back',\n", " 'a body of water that was created by a flood or tide or by being held or forced back by a dam'),\n", " ('fresh', 'water that is not salty'),\n", " ('dish', 'water in which dishes and cooking utensils are washed'),\n", " ('fire', 'any strong spirits (such as strong whisky or rum)')]},\n", " {'answer': 'way',\n", " 'hint': '_ way',\n", " 'clues': [('walk', 'a path set aside for walking'),\n", " ('hatch',\n", " 'an entrance equipped with a hatch; especially a passageway between decks of a ship'),\n", " ('race', 'a canal for a current of water'),\n", " ('head',\n", " 'vertical space available to allow easy passage under something'),\n", " ('express', 'a broad highway designed for high-speed traffic'),\n", " ('gate', 'an entrance that can be closed by a gate'),\n", " ('road',\n", " 'a road (especially that part of a road) over which vehicles travel'),\n", " ('slip',\n", " 'structure consisting of a sloping way down to the water from the place where ships are built or repaired'),\n", " ('companion',\n", " 'a stairway or ladder that leads from one deck to another on a ship'),\n", " ('speed', 'road where high speed driving is allowed'),\n", " ('air', 'a duct that provides ventilation (as in mines)'),\n", " ('spill',\n", " 'a channel that carries excess water over or around a dam or other obstruction'),\n", " ('entry', 'something that provides access (to get in or get out)'),\n", " ('rail',\n", " 'line that is the commercial organization responsible for operating a system of transportation for trains that pull passengers or freight'),\n", " ('passage', 'a passage between rooms or between buildings'),\n", " ('run',\n", " 'a bar or pair of parallel bars of rolled steel making the railway along which railroad cars or other vehicles can roll'),\n", " ('path',\n", " 'a bundle of myelinated nerve fibers following a path through the brain'),\n", " ('cause', 'a road that is raised above water or marshland or sand'),\n", " ('mid',\n", " 'the place at a fair or carnival where sideshows and similar amusements are located'),\n", " ('drive', 'a road leading up to a private house'),\n", " ('high', 'a major road for any form of motor transport'),\n", " ('tram',\n", " 'a conveyance that transports passengers or freight in carriers suspended from cables and supported by a series of towers'),\n", " ('arch', 'a passageway under a curved masonry construction'),\n", " ('lee', '(of a ship or plane) sideways drift'),\n", " ('door',\n", " 'the entrance (the space in a wall) through which you enter or leave a room or building; the space that a door can close'),\n", " ('stair',\n", " 'a way of access (upward and downward) consisting of a set of steps'),\n", " ('carriage',\n", " 'one of the two sides of a motorway where traffic travels in one direction only usually in two or three lanes'),\n", " ('sea', 'a lane at sea that is a regularly used route for vessels'),\n", " ('motor', 'a broad highway designed for high-speed traffic'),\n", " ('taxi',\n", " 'a paved surface in the form of a strip; used by planes taxiing to or from the runway at an airport'),\n", " ('fly', 'the geographic route along which birds customarily migrate'),\n", " ('tide', 'a channel in which a tidal current runs'),\n", " ('water', 'a navigable body of water'),\n", " ('free', 'a broad highway designed for high-speed traffic'),\n", " ('gang',\n", " 'a temporary passageway of planks (as over mud on a building site)'),\n", " ('belt',\n", " 'a highway that encircles an urban area so that traffic does not have to pass through the center'),\n", " ('hall', 'an interior passage or corridor onto which rooms open'),\n", " ('alley', 'a narrow street with walls on both sides'),\n", " ('clear',\n", " 'a road on which you are not allowed to stop (unless you have a breakdown)'),\n", " ('park', 'a wide scenic road planted with trees')]},\n", " {'answer': 'wear',\n", " 'hint': '_ wear',\n", " 'clues': [('swim', 'tight fitting garment worn for swimming'),\n", " ('knit', 'knitted clothing'),\n", " ('beach', 'clothing to be worn at a beach'),\n", " ('sports', 'attire worn for sport or for casual wear'),\n", " ('night', 'garments designed to be worn in bed'),\n", " ('foot', \"clothing worn on a person's feet\"),\n", " ('under',\n", " 'undergarment worn next to the skin and under the outer garments'),\n", " ('outer', 'clothing for use outdoors'),\n", " ('sleep', 'garments designed to be worn in bed')]},\n", " {'answer': 'weed',\n", " 'hint': '_ weed',\n", " 'clues': [('rag',\n", " 'widespread European weed having yellow daisylike flowers; sometimes an obnoxious weed and toxic to cattle if consumed in quantity'),\n", " ('duck',\n", " 'any small or minute aquatic plant of the family Lemnaceae that float on or near the surface of shallow ponds'),\n", " ('bind',\n", " 'any of several vines of the genera Convolvulus and Calystegia having a twining habit'),\n", " ('chick', 'any of various plants of the genus Stellaria'),\n", " ('sea', 'plant growing in the sea, especially marine algae'),\n", " ('loco',\n", " 'any of several leguminous plants of western North America causing locoism in livestock'),\n", " ('milk',\n", " 'any of numerous plants of the genus Asclepias having milky juice and pods that split open releasing seeds with downy tufts'),\n", " ('tumble',\n", " 'any plant that breaks away from its roots in autumn and is driven by the wind as a light rolling mass')]},\n", " {'answer': 'weight',\n", " 'hint': '_ weight',\n", " 'clues': [('bantam', 'weighs 115-126 pounds'),\n", " ('light', 'a professional boxer who weighs between 131 and 135 pounds'),\n", " ('middle', 'an amateur boxer who weighs no more than 165 pounds'),\n", " ('fly', 'weighs no more than 115 pounds'),\n", " ('feather', 'an amateur boxer who weighs no more than 126 pounds'),\n", " ('penny', 'a unit of apothecary weight equal to 24 grains'),\n", " ('paper', 'a weight used to hold down a stack of papers'),\n", " ('hundred', 'a unit of weight equal to 100 kilograms'),\n", " ('over', 'the property of excessive fatness'),\n", " ('make', 'anything added to fill out a whole'),\n", " ('welter',\n", " 'a weight of 28 pounds; sometimes imposed as a handicap in a horse race (such as a steeplechase)'),\n", " ('heavy', 'an amateur boxer who weighs no more than 201 pounds')]},\n", " {'answer': 'wheel',\n", " 'hint': '_ wheel',\n", " 'clues': [('cog',\n", " 'a toothed wheel that engages another toothed mechanism in order to change the speed or direction of transmitted motion'),\n", " ('cart', 'a wheel that has wooden spokes and a metal rim'),\n", " ('free',\n", " 'a clutch (as on the rear wheel of a bicycle) that allows wheels to turn freely (as in coasting)'),\n", " ('pin',\n", " 'perennial subshrub of Tenerife having leaves in rosettes resembling pinwheels'),\n", " ('water',\n", " 'a wheel with buckets attached to its rim; raises water from a stream or pond'),\n", " ('fly',\n", " 'regulator consisting of a heavy wheel that stores kinetic energy and smooths the operation of a reciprocating engine')]},\n", " {'answer': 'wife',\n", " 'hint': '_ wife',\n", " 'clues': [('fish', 'someone who sells fish'),\n", " ('ale',\n", " 'flesh of shad-like fish abundant along the Atlantic coast or in coastal streams'),\n", " ('house',\n", " 'a wife who manages a household while her husband earns the family income'),\n", " ('mid', 'a woman skilled in aiding the delivery of babies')]},\n", " {'answer': 'wind',\n", " 'hint': '_ wind',\n", " 'clues': [('cross', 'wind blowing across the path of a ship or aircraft'),\n", " ('head', 'wind blowing opposite to the path of a ship or aircraft'),\n", " ('whirl',\n", " 'a more or less vertical column of air whirling around itself as it moves over the surface of the Earth'),\n", " ('tail',\n", " 'wind blowing in the same direction as the path of a ship or aircraft'),\n", " ('wood', 'any wind instrument other than the brass instruments')]},\n", " {'answer': 'woman',\n", " 'hint': '_ woman',\n", " 'clues': [('bond', 'a female bound to serve without wages'),\n", " ('congress', 'a member of the United States House of Representatives'),\n", " ('spokes', 'a female spokesperson'),\n", " ('frontiers', 'a woman who lives on the frontier'),\n", " ('states', 'a woman statesman'),\n", " ('jury', 'someone who serves (or waits to be called to serve) on a jury'),\n", " ('oars', 'a woman oarsman'),\n", " ('clans', 'a member of a clan'),\n", " ('business', 'a female businessperson'),\n", " ('air', 'a woman aviator'),\n", " ('news', 'a female newsperson'),\n", " ('committee', 'a woman who is a member of a committee'),\n", " ('kins', 'a female relative'),\n", " ('chair', 'the officer who presides at the meetings of an organization'),\n", " ('council', 'a woman who is a council member'),\n", " ('sales', 'a woman salesperson'),\n", " ('country', 'a woman who lives in the country and has country ways'),\n", " ('sports', 'someone who engages in sports'),\n", " ('mad', 'a woman lunatic'),\n", " ('washer', 'a working woman who takes in washing'),\n", " ('newspaper',\n", " 'a journalist employed to provide news stories for newspapers or broadcast media'),\n", " ('yachts', 'a person who owns or sails a yacht'),\n", " ('laundry', 'a working woman who takes in washing'),\n", " ('gentle', 'a woman of refinement'),\n", " ('noble', 'a woman of the peerage in Britain'),\n", " ('horse', 'a woman horseman'),\n", " ('assembly', 'a woman assemblyman'),\n", " ('police', 'a woman policeman'),\n", " ('needle', 'someone who makes or mends dresses')]},\n", " {'answer': 'wood',\n", " 'hint': '_ wood',\n", " 'clues': [('match', 'wood in small pieces or splinters'),\n", " ('cotton',\n", " 'any of several North American trees of the genus Populus having a tuft of cottony hairs on the seed'),\n", " ('brush', 'the wood from bushes or small branches'),\n", " ('beech',\n", " 'wood of any of various beech trees; used for flooring and containers and plywood and tool handles'),\n", " ('box',\n", " 'very hard tough close-grained light yellow wood of the box (particularly the common box); used in delicate woodwork: musical instruments and inlays and engraving blocks'),\n", " ('pulp', 'softwood used to make paper'),\n", " ('rose',\n", " 'hard dark reddish wood of a rosewood tree having a strongly marked grain; used in cabinetwork'),\n", " ('dog',\n", " 'a tree of shrub of the genus Cornus often having showy bracts resembling flowers'),\n", " ('soft', 'wood that is easy to saw (from conifers such as pine or fir)'),\n", " ('iron',\n", " 'handsome East Indian evergreen tree often planted as an ornamental for its fragrant white flowers that yield a perfume; source of very heavy hardwood used for railroad ties'),\n", " ('hard',\n", " 'the wood of broad-leaved dicotyledonous trees (as distinguished from the wood of conifers)'),\n", " ('dead', 'a branch or a part of a tree that is dead'),\n", " ('drift', 'wood that is floating or that has been washed ashore'),\n", " ('sap',\n", " 'newly formed outer wood lying between the cambium and the heartwood of a tree or woody plant; usually light colored; active in water conduction'),\n", " ('green', 'woodlands in full leaf'),\n", " ('red',\n", " 'the soft reddish wood of either of two species of sequoia trees'),\n", " ('bass',\n", " 'soft light-colored wood of any of various linden trees; used in making crates and boxes and in carving and millwork'),\n", " ('ply', 'a laminate made of thin layers of wood'),\n", " ('worm',\n", " 'any of several low composite herbs of the genera Artemisia or Seriphidium'),\n", " ('satin', 'West Indian tree with smooth lustrous and slightly oily wood'),\n", " ('button',\n", " 'very large spreading plane tree of eastern and central North America to Mexico'),\n", " ('bent',\n", " 'wood that is steamed until it becomes pliable and then is shaped for use in making furniture'),\n", " ('fire', 'wood used for fuel'),\n", " ('heart',\n", " 'the older inactive central wood of a tree or woody plant; usually darker and denser than the surrounding sapwood'),\n", " ('sandal',\n", " 'close-grained fragrant yellowish heartwood of the true sandalwood; has insect repelling properties and is used for carving and cabinetwork')]},\n", " {'answer': 'word',\n", " 'hint': '_ word',\n", " 'clues': [('loan',\n", " \"a word borrowed from another language; e.g. `blitz' is a German word borrowed into modern English\"),\n", " ('swear', 'profane or obscene expression usually of surprise or anger'),\n", " ('head', 'a content word that can be qualified by a modifier'),\n", " ('buzz',\n", " 'stock phrases that have become nonsense through endless repetition'),\n", " ('cross',\n", " 'a puzzle in which words corresponding to numbered clues are to be found and written in to squares in the puzzle'),\n", " ('watch', 'a slogan used to rally support for a cause'),\n", " ('catch', 'a favorite saying of a sect or political group'),\n", " ('pass', 'a secret word or phrase known only to a restricted group')]},\n", " {'answer': 'work',\n", " 'hint': '_ work',\n", " 'clues': [('course',\n", " \"work assigned to and done by a student during a course of study; usually it is evaluated as part of the student's grade in the course\"),\n", " ('fancy', 'decorative needlework'),\n", " ('school', 'a school task performed by a student to satisfy the teacher'),\n", " ('case',\n", " 'close sociological study of a maladjusted person or family for diagnosis and treatment'),\n", " ('ground',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('busy', 'active work of little value'),\n", " ('lace', 'work consisting of (or resembling) lace fabric'),\n", " ('clock',\n", " 'any mechanism of geared wheels that is driven by a coiled spring; resembles the works of a mechanical clock'),\n", " ('crewel', 'embroidery done with loosely twisted worsted yarn'),\n", " ('brick', 'masonry done with bricks and mortar'),\n", " ('class', \"the part of a student's work that is done in the classroom\"),\n", " ('house', 'the work of cleaning and running a house'),\n", " ('lattice',\n", " 'framework consisting of an ornamental design made of strips of wood or metal'),\n", " ('paper',\n", " 'work that involves handling papers: forms or letters or reports etc.'),\n", " ('art',\n", " 'photographs or other visual representations in a printed publication'),\n", " ('body', 'the exterior body of a motor vehicle'),\n", " ('cabinet', 'woodwork finished by hand by a cabinetmaker'),\n", " ('field', 'a temporary fortification built by troops in the field'),\n", " ('iron', 'work made of iron (gratings or rails or railings etc)'),\n", " ('team',\n", " 'cooperative work done by a team (especially when it is effective)'),\n", " ('stone', 'masonry done with stone'),\n", " ('life', 'the principal work of your career'),\n", " ('wax',\n", " 'twining shrub of North America having yellow capsules enclosing scarlet seeds'),\n", " ('fire',\n", " '(usually plural) a device with an explosive that burns at a low rate and with colored flames; can be used to illuminate areas or send signals etc.'),\n", " ('earth', 'an earthen rampart'),\n", " ('guess', 'an estimate based on little or no information'),\n", " ('fret',\n", " 'framework consisting of an ornamental design made of strips of wood or metal'),\n", " ('pipe', 'the flues and stops on a pipe organ'),\n", " ('needle', 'a creation created or assembled by needle and thread'),\n", " ('breast', 'fortification consisting of a low wall'),\n", " ('plaster', 'a surface of hardened plaster (as on a wall or ceiling)'),\n", " ('wicker',\n", " 'work made of interlaced slender branches (especially willow branches)'),\n", " ('patch',\n", " 'a theory or argument made up of miscellaneous or incongruous ideas'),\n", " ('spade',\n", " 'dull or routine preliminary work preparing for an undertaking'),\n", " ('over', 'the act of working too much or too long'),\n", " ('home',\n", " 'preparatory school work done outside school (especially at home)'),\n", " ('frame', 'a hypothetical description of a complex entity or process'),\n", " ('net', 'an interconnected system of things or people'),\n", " ('hand', 'a work produced by hand labor'),\n", " ('brush',\n", " \"an artist's distinctive technique of applying paint with a brush\"),\n", " ('bridge', 'a denture anchored to teeth on either side of missing teeth'),\n", " ('metal', 'the metal parts of something'),\n", " ('hack', 'professional work done according to formula'),\n", " ('wood',\n", " 'work made of wood; especially moldings or stairways or furniture'),\n", " ('piece', 'work paid for according to the quantity produced'),\n", " ('foot', 'the manner of using the feet'),\n", " ('open',\n", " 'ornamental work (such as embroidery or latticework) having a pattern of openings')]},\n", " {'answer': 'worker',\n", " 'hint': '_ worker',\n", " 'clues': [('steel', 'a worker engaged in making steel'),\n", " ('case',\n", " 'someone employed to provide social services (especially to the disadvantaged)'),\n", " ('field', 'a researcher who works in the field'),\n", " ('metal',\n", " 'someone who works metal (especially by hammering it when it is hot and malleable)'),\n", " ('dock', 'a laborer who loads and unloads vessels in a port'),\n", " ('wood', 'makes things out of wood')]},\n", " {'answer': 'works',\n", " 'hint': '_ works',\n", " 'clues': [('water', 'a public utility that provides water'),\n", " ('steel', 'a factory where steel is made'),\n", " ('gas', 'the workplace where coal gas is manufactured'),\n", " ('iron',\n", " 'the workplace where iron is smelted or where iron goods are made')]},\n", " {'answer': 'worm',\n", " 'hint': '_ worm',\n", " 'clues': [('ring',\n", " 'infections of the skin or nails caused by fungi and appearing as itching circular patches'),\n", " ('cut',\n", " 'North American moth whose larvae feed on young plant stems cutting them off at the ground'),\n", " ('earth',\n", " 'terrestrial worm that burrows into and helps aerate soil; often surfaces when the ground is cool or wet; used as bait by anglers'),\n", " ('angle',\n", " 'terrestrial worm that burrows into and helps aerate soil; often surfaces when the ground is cool or wet; used as bait by anglers'),\n", " ('round',\n", " 'infections of the skin or nails caused by fungi and appearing as itching circular patches'),\n", " ('tape',\n", " 'ribbonlike flatworms that are parasitic in the intestines of humans and other vertebrates'),\n", " ('hook',\n", " 'parasitic bloodsucking roundworms having hooked mouth parts to fasten to the intestinal wall of human and other hosts'),\n", " ('book',\n", " 'a person who pays more attention to formal rules and book learning than they merit'),\n", " ('silk',\n", " 'the commercially bred hairless white caterpillar of the domestic silkworm moth which spins a cocoon that can be processed to yield silk fiber; the principal source of commercial silk'),\n", " ('glow', 'the luminous larva or wingless grub-like female of a firefly'),\n", " ('blood',\n", " 'a segmented marine worm with bright red body; often used for bait'),\n", " ('inch',\n", " 'small hairless caterpillar having legs on only its front and rear segments; mostly larvae of moths of the family Geometridae'),\n", " ('wood', 'a larva of a woodborer'),\n", " ('flat', 'parasitic or free-living worms having a flattened body')]},\n", " {'answer': 'worthiness',\n", " 'hint': '_ worthiness',\n", " 'clues': [('trust', 'the trait of deserving trust and confidence'),\n", " ('air', 'fitness to fly'),\n", " ('credit',\n", " \"trustworthiness with money as based on a person's credit history; a general qualification for borrowing\"),\n", " ('praise', 'the quality of being worthy of praise'),\n", " ('sea', 'fitness to traverse the seas')]},\n", " {'answer': 'wright',\n", " 'hint': '_ wright',\n", " 'clues': [('play', 'someone who writes plays'),\n", " ('ship', 'a carpenter who helps build and launch wooden vessels'),\n", " ('mill', 'a workman who designs or erects mills and milling machinery'),\n", " ('wain', 'a wagon maker'),\n", " ('wheel', 'someone who makes and repairs wooden wheels')]},\n", " {'answer': 'writer',\n", " 'hint': '_ writer',\n", " 'clues': [('sports', 'a journalist who writes about sports'),\n", " ('teletype',\n", " 'a character printer connected to a telegraph that operates like a typewriter'),\n", " ('song', 'a composer of words or music for popular songs'),\n", " ('ghost', 'a writer who gives the credit of authorship to someone else'),\n", " ('under', 'a banker who deals chiefly in underwriting new securities'),\n", " ('copy', 'a person employed to write advertising or publicity copy'),\n", " ('screen', 'someone who writes screenplays'),\n", " ('speech', 'a writer who composes speeches for others to deliver'),\n", " ('script',\n", " 'someone who writes scripts for plays or movies or broadcast dramas'),\n", " ('type',\n", " 'hand-operated character printer for printing written messages one character at a time')]},\n", " {'answer': 'yard',\n", " 'hint': '_ yard',\n", " 'clues': [('back', 'the grounds in back of a house'),\n", " ('church', 'the yard associated with a church'),\n", " ('lumber', 'a workplace where lumber is stocked for sale'),\n", " ('grave', 'a tract of land used for burials'),\n", " ('junk', 'a field where junk is collected and stored for resale'),\n", " ('barn', 'a yard adjoining a barn'),\n", " ('court', 'an area wholly or partly surrounded by walls or buildings'),\n", " ('door', 'a yard outside the front or rear door of a house'),\n", " ('dock',\n", " 'an establishment on the waterfront where vessels are built or fitted out or repaired'),\n", " ('brick', 'a place where bricks are made and sold'),\n", " ('school', 'the yard associated with a school'),\n", " ('vine', 'a farm of grapevines where wine grapes are produced'),\n", " ('stock',\n", " 'enclosed yard where cattle, pigs, horses, or sheep are kept temporarily'),\n", " ('farm', 'an area adjacent to farm buildings'),\n", " ('boat', 'a place where boats are built or maintained or stored'),\n", " ('steel',\n", " 'a portable balance consisting of a pivoted bar with arms of unequal length'),\n", " ('ship', 'a workplace where ships are built or repaired')]}],\n", " 'portion': 0.9},\n", " {'name': 'prefixes',\n", " 'groups': [{'answer': 'after',\n", " 'hint': 'after _',\n", " 'clues': [('birth',\n", " 'the placenta and fetal membranes that are expelled from the uterus after the baby is born'),\n", " ('burner', 'a device injects fuel into a hot exhaust for extra thrust'),\n", " ('care', 'care and treatment of a convalescent patient'),\n", " ('effect', 'any result that follows its cause after an interval'),\n", " ('glow', 'a glow sometimes seen in the sky after sunset'),\n", " ('image',\n", " 'an image (usually a negative image) that persists after stimulation has ceased'),\n", " ('life', 'life after death'),\n", " ('math',\n", " 'the consequences of an event (especially a catastrophic event)'),\n", " ('noon', 'the part of the day between noon and evening'),\n", " ('shock',\n", " 'a tremor (or one of a series of tremors) occurring after the main shock of an earthquake'),\n", " ('taste', 'an afterimage of a taste'),\n", " ('thought', 'thinking again about a choice previously made')]},\n", " {'answer': 'air',\n", " 'hint': 'air _',\n", " 'clues': [('brush',\n", " 'an atomizer to spray paint by means of compressed air'),\n", " ('bus', 'a subsonic jet airliner operated over short distances'),\n", " ('craft', 'a vehicle that can fly'),\n", " ('crew', 'the crew of an aircraft'),\n", " ('drome',\n", " 'an airfield equipped with control tower and hangars as well as accommodations for passengers and cargo'),\n", " ('drop',\n", " 'delivery of supplies or equipment or personnel by dropping them by parachute from an aircraft'),\n", " ('fare', 'the fare charged for traveling by airplane'),\n", " ('field', 'a place where planes take off and land'),\n", " ('flow', 'the flow of air'),\n", " ('foil',\n", " 'a device that provides reactive force when in motion relative to the surrounding air; can lift or control a plane in flight'),\n", " ('frame',\n", " 'the framework and covering of an airplane or rocket (excluding the engines)'),\n", " ('gun', 'a gun that propels a projectile by compressed air'),\n", " ('head', 'a flighty scatterbrained simpleton'),\n", " ('lift',\n", " 'transportation of people or goods by air (especially when other means of access are unavailable)'),\n", " ('line', 'a hose that carries air under pressure'),\n", " ('lock',\n", " 'a chamber that provides access to space where air is under pressure'),\n", " ('mail', 'letters and packages that are transported by aircraft'),\n", " ('plane',\n", " 'an aircraft that has a fixed wing and is powered by propellers or jets'),\n", " ('port',\n", " 'an airfield equipped with control tower and hangars as well as accommodations for passengers and cargo'),\n", " ('ship', 'a steerable self-propelled aircraft'),\n", " ('sickness',\n", " 'motion sickness experienced while traveling by air (especially during turbulence)'),\n", " ('space', 'the space in the atmosphere immediately above the earth'),\n", " ('speed',\n", " 'the speed of an aircraft relative to the air in which it is flying'),\n", " ('stream', 'a relatively well-defined prevailing wind'),\n", " ('strip', 'an airfield without normal airport facilities'),\n", " ('way', 'a duct that provides ventilation (as in mines)'),\n", " ('worthiness', 'fitness to fly')]},\n", " {'answer': 'arm',\n", " 'hint': 'arm _',\n", " 'clues': [('band',\n", " 'worn around arm as identification or to indicate mourning'),\n", " ('chair', 'chair with a support on each side for arms'),\n", " ('hole',\n", " 'a hole through which you put your arm and where a sleeve can be attached'),\n", " ('pit', 'the hollow under the arm where it is joined to the shoulder'),\n", " ('rest', 'a support for the arm')]},\n", " {'answer': 'back',\n", " 'hint': 'back _',\n", " 'clues': [('ache', 'an ache localized in the back'),\n", " ('bench',\n", " 'any of the seats occupied by backbenchers in the House of Commons'),\n", " ('biter',\n", " 'one who attacks the reputation of another by slander or libel'),\n", " ('board',\n", " 'a raised vertical board with basket attached; used to play basketball'),\n", " ('bone', 'a central cohesive source of support and stability'),\n", " ('chat', 'light teasing repartee'),\n", " ('cloth', 'scenery hung at back of stage'),\n", " ('door',\n", " 'an undocumented way to get access to a computer system or the data it contains'),\n", " ('drop', 'scenery hung at back of stage'),\n", " ('field',\n", " 'the offensive football players who line up behind the linemen'),\n", " ('fire',\n", " 'the backward escape of gases and unburned gunpowder after a gun is fired'),\n", " ('gammon',\n", " 'a board game for two players; pieces move according to throws of the dice'),\n", " ('ground', \"a person's social heritage: previous experience or training\"),\n", " ('hand',\n", " 'a return made with the back of the hand facing the direction of the stroke'),\n", " ('hoe',\n", " 'an excavator whose shovel bucket is attached to a hinged boom and is drawn backward to move earth'),\n", " ('lash', 'a movement back from an impact'),\n", " ('log',\n", " 'an accumulation of jobs not done or materials not processed that are yet to be dealt with (especially unfilled customer orders for products or services)'),\n", " ('pack', 'a bag carried by a strap on your back or shoulder'),\n", " ('packer', 'a hiker who wears a backpack'),\n", " ('rest', 'a support that you can lean against while sitting'),\n", " ('room',\n", " 'the meeting place of a group of leaders who make their decisions via private negotiations'),\n", " ('seat', 'a secondary or inferior position or status'),\n", " ('side', 'the side of an object that is opposite its front'),\n", " ('slapper',\n", " 'someone who demonstrates enthusiastic or excessive cordiality'),\n", " ('slider',\n", " 'someone who lapses into previous undesirable patterns of behavior'),\n", " ('sliding', 'a failure to maintain a higher state'),\n", " ('space', 'the typewriter key used for back spacing'),\n", " ('spin',\n", " 'spin (usually of a moving ball) that retards or reverses the forward motion'),\n", " ('stage', 'a stage area out of sight of the audience'),\n", " ('stairs', 'a second staircase at the rear of a building'),\n", " ('stop', '(baseball) the person who plays the position of catcher'),\n", " ('stroke',\n", " 'a swimming stroke that resembles the crawl except the swimmer lies on his or her back'),\n", " ('talk', 'an impudent or insolent rejoinder'),\n", " ('wash',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('water',\n", " 'a body of water that was created by a flood or tide or by being held or forced back by a dam'),\n", " ('woods', 'a remote and undeveloped area'),\n", " ('yard', 'the grounds in back of a house')]},\n", " {'answer': 'ball',\n", " 'hint': 'ball _',\n", " 'clues': [('cock', 'floating ball that controls level in a water tank'),\n", " ('game',\n", " 'a particular situation that is radically different from the preceding situation'),\n", " ('park',\n", " 'a facility in which ball games are played (especially baseball games)'),\n", " ('player', 'an athlete who plays baseball'),\n", " ('point',\n", " 'a pen that has a small metal ball as the point of transfer of ink to paper'),\n", " ('room', 'large room used mainly for dancing')]},\n", " {'answer': 'band',\n", " 'hint': 'band _',\n", " 'clues': [('box',\n", " 'a light cylindrical box for holding light articles of attire (especially hats)'),\n", " ('leader', 'the leader of a dance band'),\n", " ('master', 'the conductor of a band'),\n", " ('stand', 'a platform where a (brass) band can play in the open air'),\n", " ('wagon', 'a popular trend that attracts growing support'),\n", " ('width',\n", " 'a data transmission rate; the maximum amount of information (bits/second) that can be transmitted along a channel')]},\n", " {'answer': 'bar',\n", " 'hint': 'bar _',\n", " 'clues': [('bell',\n", " 'a bar to which heavy discs are attached at each end; used in weightlifting'),\n", " ('berry',\n", " 'any of numerous plants of the genus Berberis having prickly stems and yellow flowers followed by small red berries'),\n", " ('keep', 'an employee who mixes and serves alcoholic drinks at a bar'),\n", " ('keeper', 'an employee who mixes and serves alcoholic drinks at a bar'),\n", " ('maid', 'a female bartender'),\n", " ('room',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('tender',\n", " 'an employee who mixes and serves alcoholic drinks at a bar')]},\n", " {'answer': 'bath',\n", " 'hint': 'bath _',\n", " 'clues': [('house', 'a building containing dressing rooms for bathers'),\n", " ('robe', 'a loose-fitting robe of towelling; worn after a bath or swim'),\n", " ('room',\n", " 'a room (as in a residence) containing a bathtub or shower and usually a washbasin and toilet'),\n", " ('tub',\n", " 'a relatively large open container that you fill with water and use to wash the body')]},\n", " {'answer': 'battle',\n", " 'hint': 'battle _',\n", " 'clues': [('field',\n", " 'a region where a battle is being (or has been) fought'),\n", " ('front', 'the line along which opposing armies face each other'),\n", " ('ground', 'a region where a battle is being (or has been) fought'),\n", " ('ship', 'large and heavily armoured warship')]},\n", " {'answer': 'beach',\n", " 'hint': 'beach _',\n", " 'clues': [('comber', 'a vagrant living on a beach'),\n", " ('front', 'a strip of land running along a beach'),\n", " ('head',\n", " \"a bridgehead on the enemy's shoreline seized by an amphibious operation\"),\n", " ('wear', 'clothing to be worn at a beach')]},\n", " {'answer': 'bed',\n", " 'hint': 'bed _',\n", " 'clues': [('bug',\n", " 'bug of temperate regions that infests especially beds and feeds on human blood'),\n", " ('chamber', 'a room used primarily for sleeping'),\n", " ('clothes', 'coverings that are used on a bed'),\n", " ('fellow', 'a temporary associate'),\n", " ('pan',\n", " 'a shallow vessel used by a bedridden patient for defecation and urination'),\n", " ('post', 'any of 4 vertical supports at the corners of a bedstead'),\n", " ('rock', 'solid unweathered rock lying beneath surface deposits of soil'),\n", " ('roll', 'bedding rolled up for carrying'),\n", " ('room', 'a room used primarily for sleeping'),\n", " ('side',\n", " 'space by the side of a bed (especially the bed of a sick or dying person)'),\n", " ('sit',\n", " 'a furnished sitting room with sleeping accommodations (and some plumbing)'),\n", " ('sitter',\n", " 'a furnished sitting room with sleeping accommodations (and some plumbing)'),\n", " ('sore',\n", " 'a chronic ulcer of the skin caused by prolonged pressure on it (as in bedridden patients)'),\n", " ('spread', 'decorative cover for a bed'),\n", " ('stead', 'the framework of a bed'),\n", " ('time', 'the time you go to bed')]},\n", " {'answer': 'bee',\n", " 'hint': 'bee _',\n", " 'clues': [('bread',\n", " 'a mixture of nectar and pollen prepared by worker bees and fed to larvae'),\n", " ('hive', 'any workplace where people are very busy'),\n", " ('keeper', 'a farmer who keeps bees for their honey'),\n", " ('keeping',\n", " 'the cultivation of bees on a commercial scale for the production of honey'),\n", " ('line', 'the most direct route')]},\n", " {'answer': 'beef',\n", " 'hint': 'beef _',\n", " 'clues': [('burger',\n", " 'a sandwich consisting of a fried cake of minced beef served on a bun, often with other ingredients'),\n", " ('cake', 'a photograph of a muscular man in minimal attire'),\n", " ('eater', 'officer in the (ceremonial) bodyguard of the British monarch'),\n", " ('steak', 'a beef steak usually cooked by broiling')]},\n", " {'answer': 'bird',\n", " 'hint': 'bird _',\n", " 'clues': [('bath',\n", " 'an ornamental basin (usually in a garden) for birds to bathe in'),\n", " ('brain', 'a person with confused ideas; incapable of serious thought'),\n", " ('cage', 'a cage in which a bird can be kept'),\n", " ('house', 'a shelter for birds'),\n", " ('lime',\n", " 'a sticky adhesive that is smeared on small branches to capture small birds'),\n", " ('seed', 'food given to birds; usually mixed seeds'),\n", " ('song', 'the characteristic sound produced by a bird')]},\n", " {'answer': 'birth',\n", " 'hint': 'birth _',\n", " 'clues': [('day',\n", " 'an anniversary of the day on which a person was born (or the celebration of it)'),\n", " ('mark', 'a blemish on the skin that is formed before birth'),\n", " ('place', 'the place where someone was born'),\n", " ('rate',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year'),\n", " ('right', 'a right or privilege that you are entitled to at birth')]},\n", " {'answer': 'black',\n", " 'hint': 'black _',\n", " 'clues': [('ball',\n", " 'the act of excluding someone by a negative vote or veto'),\n", " ('berry',\n", " 'large sweet black or very dark purple edible aggregate fruit of any of various bushes of the genus Rubus'),\n", " ('bird',\n", " 'any bird of the family Icteridae whose male is black or predominantly black'),\n", " ('board', 'sheet of slate; for writing with chalk'),\n", " ('guard', 'someone who is morally reprehensible'),\n", " ('head', 'a black-tipped plug clogging a pore of the skin'),\n", " ('jack',\n", " 'a common scrubby deciduous tree of central and southeastern United States having dark bark and broad three-lobed (club-shaped) leaves; tends to form dense thickets'),\n", " ('leg', 'someone who works (or provides workers) during a strike'),\n", " ('list', 'a list of people who are out of favor'),\n", " ('mail',\n", " 'extortion of money by threats to divulge discrediting information'),\n", " ('mailer',\n", " 'a criminal who extorts money from someone by threatening to expose embarrassing information about them'),\n", " ('out', 'a suspension of radio or tv broadcasting'),\n", " ('smith', 'a smith who forges and shapes iron with a hammer and anvil'),\n", " ('snake', 'large harmless shiny black North American snake'),\n", " ('thorn', 'a thorny Eurasian bush with plumlike fruits'),\n", " ('top',\n", " 'a black bituminous material used for paving roads or other areas; usually spread over crushed rock'),\n", " ('topping',\n", " 'a black bituminous material used for paving roads or other areas; usually spread over crushed rock')]},\n", " {'answer': 'blood',\n", " 'hint': 'blood _',\n", " 'clues': [('bath', 'indiscriminate slaughter'),\n", " ('hound',\n", " 'a breed of large powerful hound of European origin having very acute smell and used in tracking'),\n", " ('letting',\n", " 'formerly used as a treatment to reduce excess blood (one of the four humors of medieval medicine)'),\n", " ('line', 'the descendants of one individual'),\n", " ('mobile', 'a motor vehicle equipped to collect blood donations'),\n", " ('shed', 'the shedding of blood resulting in murder'),\n", " ('stain', 'a discoloration caused by blood'),\n", " ('stock', 'thoroughbred horses (collectively)'),\n", " ('stone', 'green chalcedony with red spots that resemble blood'),\n", " ('stream', 'the blood flowing through the circulatory system'),\n", " ('sucker',\n", " 'carnivorous or bloodsucking aquatic or terrestrial worms typically having a sucker at each end'),\n", " ('worm',\n", " 'a segmented marine worm with bright red body; often used for bait')]},\n", " {'answer': 'blow',\n", " 'hint': 'blow _',\n", " 'clues': [('fly',\n", " 'large usually hairy metallic blue or green fly; lays eggs in carrion or dung or wounds'),\n", " ('gun', 'a tube through which darts can be shot by blowing'),\n", " ('hard', 'a very boastful and talkative person'),\n", " ('hole', 'the spiracle of a cetacean located far back on the skull'),\n", " ('lamp', 'a burner that mixes air and gas to produce a very hot flame'),\n", " ('out', 'an easy victory'),\n", " ('pipe',\n", " 'a tube that directs air or gas into a flame to concentrate heat'),\n", " ('torch',\n", " 'a burner that mixes air and gas to produce a very hot flame')]},\n", " {'answer': 'blue',\n", " 'hint': 'blue _',\n", " 'clues': [('bell', 'sometimes placed in genus Scilla'),\n", " ('berry',\n", " 'any of numerous shrubs of the genus Vaccinium bearing blueberries'),\n", " ('bird',\n", " 'fruit-eating mostly brilliant blue songbird of the East Indies'),\n", " ('bonnet',\n", " 'low-growing annual herb of southwestern United States (Texas) having silky foliage and blue flowers; a leading cause of livestock poisoning in the southwestern United States'),\n", " ('bottle',\n", " 'an annual Eurasian plant cultivated in North America having showy heads of blue or purple or pink or white flowers'),\n", " ('fish',\n", " 'bluish warm-water marine food and game fish that follow schools of small fishes into shallow waters'),\n", " ('gill', 'important edible sunfish of eastern and central United States'),\n", " ('grass', 'any of various grasses of the genus Poa'),\n", " ('jacket', 'a serviceman in the navy'),\n", " ('nose', 'a native or inhabitant of Nova Scotia'),\n", " ('point',\n", " 'oysters originally from Long Island Sound but now from anywhere along the northeastern seacoast; usually eaten raw'),\n", " ('print', 'something intended as a guide for making something else'),\n", " ('stocking', 'a woman having literary or intellectual interests')]},\n", " {'answer': 'boat',\n", " 'hint': 'boat _',\n", " 'clues': [('house',\n", " 'a shed at the edge of a river or lake; used to store boats'),\n", " ('load',\n", " 'the amount of cargo that can be held by a boat or ship or a freight car'),\n", " ('swain',\n", " 'a petty officer on a merchant ship who controls the work of other seamen'),\n", " ('yard', 'a place where boats are built or maintained or stored')]},\n", " {'answer': 'bob',\n", " 'hint': 'bob _',\n", " 'clues': [('cat', 'small lynx of North America'),\n", " ('sled', 'formerly two short sleds coupled together'),\n", " ('sledding', 'riding on a bobsled'),\n", " ('sleigh', 'formerly two short sleds coupled together'),\n", " ('tail', 'a short or shortened tail of certain animals'),\n", " ('white', 'a popular North American game bird; named for its call')]},\n", " {'answer': 'body',\n", " 'hint': 'body _',\n", " 'clues': [('builder',\n", " 'someone who does special exercises to develop a brawny musculature'),\n", " ('building', 'exercise that builds muscles through tension'),\n", " ('guard', 'someone who escorts and protects a prominent person'),\n", " ('work', 'the exterior body of a motor vehicle')]},\n", " {'answer': 'book',\n", " 'hint': 'book _',\n", " 'clues': [('binder', 'a worker whose trade is binding books'),\n", " ('binding', 'the craft of binding books'),\n", " ('case', 'a piece of furniture with shelves for storing books'),\n", " ('end',\n", " 'a support placed at the end of a row of books to keep them upright (on a shelf or table)'),\n", " ('keeper', 'someone who records the transactions of a business'),\n", " ('keeping', 'the activity of recording business transactions'),\n", " ('maker',\n", " 'a maker of books; someone who edits or publishes or binds books'),\n", " ('mark',\n", " \"a marker (a piece of paper or ribbon) placed between the pages of a book to mark the reader's place\"),\n", " ('mobile',\n", " 'a van with shelves of books; serves as a mobile library or bookstore'),\n", " ('plate',\n", " 'a label identifying the owner of a book in which it is pasted'),\n", " ('seller', 'the proprietor of a bookstore'),\n", " ('shelf', 'a shelf on which to keep books'),\n", " ('shop', 'a shop where books are sold'),\n", " ('stall', 'a shop where books are sold'),\n", " ('store', 'a shop where books are sold'),\n", " ('worm',\n", " 'a person who pays more attention to formal rules and book learning than they merit')]},\n", " {'answer': 'boot',\n", " 'hint': 'boot _',\n", " 'clues': [('black', 'a person who polishes shoes and boots'),\n", " ('lace', 'a long lace for fastening boots'),\n", " ('leg', 'whiskey illegally distilled from a corn mash'),\n", " ('legging',\n", " 'the act of making or transporting alcoholic liquor for sale illegally'),\n", " ('strap',\n", " 'a strap that is looped and sewn to the top of a boot for pulling it on')]},\n", " {'answer': 'bow',\n", " 'hint': 'bow _',\n", " 'clues': [('leg', 'a leg bowed outward at the knee (or below the knee)'),\n", " ('line', 'a loop knot that neither slips nor jams'),\n", " ('sprit', 'a spar projecting from the bow of a vessel'),\n", " ('string', \"the string of an archer's bow\")]},\n", " {'answer': 'brain',\n", " 'hint': 'brain _',\n", " 'clues': [('child', 'a product of your creative thinking and work'),\n", " ('power', 'mental ability'),\n", " ('storm',\n", " 'the clear (and often sudden) understanding of a complex situation'),\n", " ('washing',\n", " 'forcible indoctrination into a new set of attitudes and beliefs'),\n", " ('wave',\n", " '(neurophysiology) rapid fluctuations of voltage between parts of the cerebral cortex that are detectable with an electroencephalograph')]},\n", " {'answer': 'bread',\n", " 'hint': 'bread _',\n", " 'clues': [('basket',\n", " 'a geographic region serving as the principal source of grain'),\n", " ('board',\n", " 'a wooden or plastic board on which dough is kneaded or bread is sliced'),\n", " ('box', 'a container used to keep bread or cake in'),\n", " ('crumb', 'crumb of bread; used especially for coating or thickening'),\n", " ('fruit',\n", " 'native to Pacific islands and having edible fruit with a texture like bread'),\n", " ('line', 'a queue of people waiting for free food'),\n", " ('winner',\n", " 'one whose earnings are the primary source of support for their dependents')]},\n", " {'answer': 'break',\n", " 'hint': 'break _',\n", " 'clues': [('away', 'the act of breaking away or withdrawing from'),\n", " ('down',\n", " 'the act of disrupting an established order so it fails to continue'),\n", " ('fast', 'the first meal of the day (usually in the morning)'),\n", " ('out', 'an escape from jail'),\n", " ('through', 'a productive insight'),\n", " ('water',\n", " 'a protective structure of stone or concrete; extends from shore into the water to prevent a beach from washing away')]},\n", " {'answer': 'breast',\n", " 'hint': 'breast _',\n", " 'clues': [('bone',\n", " 'the flat bone that articulates with the clavicles and the first seven pairs of ribs'),\n", " ('plate',\n", " 'armor plate that protects the chest; the front part of a cuirass'),\n", " ('stroke',\n", " 'a swimming stroke; the arms are extended together in front of the head and swept back on either side accompanied by a frog kick'),\n", " ('work', 'fortification consisting of a low wall')]},\n", " {'answer': 'brick',\n", " 'hint': 'brick _',\n", " 'clues': [('bat', 'a fragment of brick used as a weapon'),\n", " ('layer', 'a craftsman skilled in building with bricks'),\n", " ('laying', 'the craft of laying bricks'),\n", " ('work', 'masonry done with bricks and mortar'),\n", " ('yard', 'a place where bricks are made and sold')]},\n", " {'answer': 'broad',\n", " 'hint': 'broad _',\n", " 'clues': [('cast', 'message that is transmitted by radio or television'),\n", " ('caster', 'someone who broadcasts on radio or television'),\n", " ('cloth', 'a densely textured woolen fabric with a lustrous finish'),\n", " ('loom', 'a carpet woven on a wide loom to obviate the need for seams'),\n", " ('sheet',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('side',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('sword',\n", " 'a sword with a broad blade and (usually) two cutting edges; used to cut rather than stab')]},\n", " {'answer': 'buck',\n", " 'hint': 'buck _',\n", " 'clues': [('board',\n", " 'an open horse-drawn carriage with four wheels; has a seat attached to a flexible board between the two axles'),\n", " ('eye', 'the inedible nutlike seed of the horse chestnut'),\n", " ('saw',\n", " 'a saw that is set in a frame in the shape of an H; used with both hands to cut wood that is held in a sawbuck'),\n", " ('shot', 'small lead shot for shotgun shells'),\n", " ('skin', 'horse of a light yellowish dun color with dark mane and tail'),\n", " ('tooth', 'a large projecting front tooth'),\n", " ('wheat',\n", " 'a member of the genus Fagopyrum; annual Asian plant with clusters of small pinkish white flowers and small edible triangular seeds which are used whole or ground into flour')]},\n", " {'answer': 'bull',\n", " 'hint': 'bull _',\n", " 'clues': [('dog',\n", " 'a sturdy thickset short-haired breed with a large head and strong undershot lower jaw; developed originally in England for bull baiting'),\n", " ('dozer',\n", " 'large powerful tractor; a large blade in front flattens areas of ground'),\n", " ('fight',\n", " 'a Spanish or Portuguese or Latin American spectacle; a matador baits and (usually) kills a bull in an arena before many spectators'),\n", " ('fighter', 'someone who fights bulls'),\n", " ('finch',\n", " 'United States architect who designed the Capitol Building in Washington which served as a model for state capitols throughout the United States (1763-1844)'),\n", " ('frog',\n", " 'largest North American frog; highly aquatic with a deep-pitched voice'),\n", " ('head',\n", " 'freshwater sculpin with a large flattened bony-plated head with hornlike spines'),\n", " ('horn', 'a portable loudspeaker with built-in microphone and amplifier'),\n", " ('pen',\n", " 'a place on a baseball field where relief pitchers can warm up during a game'),\n", " ('ring', 'a stadium where bullfights take place')]},\n", " {'answer': 'butter',\n", " 'hint': 'butter _',\n", " 'clues': [('ball', 'a rotund individual'),\n", " ('cup', 'any of various plants of the genus Ranunculus'),\n", " ('fat', 'the fatty substance of milk from which butter is made'),\n", " ('fingers',\n", " 'someone who drops things (especially one who cannot catch a ball)'),\n", " ('fly',\n", " 'diurnal insect typically having a slender body with knobbed antennae and broad colorful wings'),\n", " ('milk',\n", " 'residue from making butter from sour raw milk; or pasteurized milk curdled by adding a culture'),\n", " ('nut',\n", " 'North American walnut tree having light-brown wood and edible nuts; source of a light-brown dye'),\n", " ('scotch', 'a hard brittle candy made with butter and brown sugar')]},\n", " {'answer': 'candle',\n", " 'hint': 'candle _',\n", " 'clues': [('light', 'the light provided by a burning candle'),\n", " ('power', 'luminous intensity measured in candelas'),\n", " ('stick', 'a holder with sockets for candles'),\n", " ('wick', 'the wick of a candle')]},\n", " {'answer': 'car',\n", " 'hint': 'car _',\n", " 'clues': [('fare', 'the fare charged for riding a bus or streetcar'),\n", " ('hop', 'a waiter at a drive-in restaurant'),\n", " ('jacking', 'the violent theft of an occupied car'),\n", " ('load', 'a gathering of passengers sufficient to fill an automobile'),\n", " ('port',\n", " 'garage for one or two cars consisting of a flat roof supported on poles')]},\n", " {'answer': 'card',\n", " 'hint': 'card _',\n", " 'clues': [('board', 'a stiff moderately thick paper'),\n", " ('holder', 'a person who holds a credit card or debit card'),\n", " ('sharp',\n", " 'a professional card player who makes a living by cheating at card games'),\n", " ('sharper',\n", " 'a professional card player who makes a living by cheating at card games')]},\n", " {'answer': 'cat',\n", " 'hint': 'cat _',\n", " 'clues': [('bird',\n", " 'any of various birds of the Australian region whose males build ornamented structures resembling bowers in order to attract females'),\n", " ('boat', 'a sailboat with a single mast set far forward'),\n", " ('call', 'a cry expressing disapproval'),\n", " ('fish',\n", " 'flesh of scaleless food fish of the southern United States; often farmed'),\n", " ('gut',\n", " 'perennial subshrub of eastern North America having downy leaves yellowish and rose flowers and; source of rotenone'),\n", " ('nap', 'sleeping for a short period of time (usually not in bed)'),\n", " ('nip',\n", " 'hairy aromatic perennial herb having whorls of small white purple-spotted flowers in a terminal spike; used in the past as a domestic remedy; strongly attractive to cats'),\n", " ('tail',\n", " 'tall erect herbs with sword-shaped leaves; cosmopolitan in fresh and salt marshes'),\n", " ('walk', 'narrow platform extending out into an auditorium')]},\n", " {'answer': 'check',\n", " 'hint': 'check _',\n", " 'clues': [('book', 'a book issued to holders of checking accounts'),\n", " ('list',\n", " 'a list of items (names or tasks etc.) to be checked or consulted'),\n", " ('mate', 'complete victory'),\n", " ('out', 'the act of inspecting or verifying'),\n", " ('point',\n", " 'a place (as at a frontier) where travellers are stopped for inspection and clearance'),\n", " ('room', 'a room where baggage or parcels are checked')]},\n", " {'answer': 'cheese',\n", " 'hint': 'cheese _',\n", " 'clues': [('board', 'tray on which cheeses are served'),\n", " ('burger', 'a hamburger with melted cheese on it'),\n", " ('cake',\n", " 'made with sweetened cream cheese and eggs and cream baked in a crumb crust'),\n", " ('cloth',\n", " 'a coarse loosely woven cotton gauze; originally used to wrap cheeses')]},\n", " {'answer': 'cock',\n", " 'hint': 'cock _',\n", " 'clues': [('crow', 'the first light of day'),\n", " ('fight',\n", " 'a match in a cockpit between two fighting cocks heeled with metal gaffs'),\n", " ('pit', 'compartment where the pilot sits while flying the aircraft'),\n", " ('roach',\n", " 'any of numerous chiefly nocturnal insects; some are domestic pests'),\n", " ('tail', 'a short mixed drink')]},\n", " {'answer': 'cook',\n", " 'hint': 'cook _',\n", " 'clues': [('book', 'a book of recipes and cooking directions'),\n", " ('house', 'the area for food preparation on a ship'),\n", " ('out', 'an informal meal cooked and eaten outdoors'),\n", " ('ware',\n", " 'a kitchen utensil made of material that does not melt easily; used for cooking')]},\n", " {'answer': 'copy',\n", " 'hint': 'copy _',\n", " 'clues': [('book',\n", " 'a book containing models of good penmanship; used in teaching penmanship'),\n", " ('cat', 'someone who copies the words or behavior of another'),\n", " ('right',\n", " 'a document granting exclusive right to publish and sell literary or musical or artistic work'),\n", " ('writer', 'a person employed to write advertising or publicity copy')]},\n", " {'answer': 'corn',\n", " 'hint': 'corn _',\n", " 'clues': [('bread', 'bread made primarily of cornmeal'),\n", " ('cob',\n", " 'the hard cylindrical core that bears the kernels of an ear of corn'),\n", " ('crake', 'common Eurasian rail that frequents grain fields'),\n", " ('field', 'a field planted with corn'),\n", " ('flour',\n", " 'starch prepared from the grains of corn; used in cooking as a thickener'),\n", " ('flower',\n", " 'plant of southern and southeastern United States grown for its yellow flowers that can be dried'),\n", " ('meal', 'coarsely ground corn'),\n", " ('stalk', 'the stalk of a corn plant'),\n", " ('starch',\n", " 'starch prepared from the grains of corn; used in cooking as a thickener')]},\n", " {'answer': 'cotton',\n", " 'hint': 'cotton _',\n", " 'clues': [('mouth',\n", " 'venomous semiaquatic snake of swamps in southern United States'),\n", " ('seed', 'seed of cotton plants; source of cottonseed oil'),\n", " ('tail',\n", " 'common small rabbit of North America having greyish or brownish fur and a tail with a white underside; a host for Ixodes pacificus and Ixodes scapularis (Lyme disease ticks)'),\n", " ('wood',\n", " 'any of several North American trees of the genus Populus having a tuft of cottony hairs on the seed')]},\n", " {'answer': 'cow',\n", " 'hint': 'cow _',\n", " 'clues': [('bell',\n", " 'a bell hung around the neck of cow so that the cow can be easily located'),\n", " ('bird',\n", " \"North American blackbird that follows cattle and lays eggs in other birds' nests\"),\n", " ('boy',\n", " 'a hired hand who tends cattle and performs other duties on horseback'),\n", " ('catcher',\n", " 'an inclined metal frame at the front of a locomotive to clear the track'),\n", " ('girl', 'a woman cowboy'),\n", " ('hand',\n", " 'a hired hand who tends cattle and performs other duties on horseback'),\n", " ('herd',\n", " 'a hired hand who tends cattle and performs other duties on horseback'),\n", " ('hide', 'leather made from the hide of a cow'),\n", " ('lick',\n", " 'a tuft of hair that grows in a different direction from the rest of the hair and usually will not lie flat'),\n", " ('poke',\n", " 'a hired hand who tends cattle and performs other duties on horseback'),\n", " ('pox',\n", " 'a viral disease of cattle causing a mild skin disease affecting the udder; formerly used to inoculate humans against smallpox'),\n", " ('puncher',\n", " 'a hired hand who tends cattle and performs other duties on horseback'),\n", " ('shed', 'a barn for cows'),\n", " ('slip',\n", " 'early spring flower common in British isles having fragrant yellow or sometimes purple flowers')]},\n", " {'answer': 'cross',\n", " 'hint': 'cross _',\n", " 'clues': [('bar', 'a horizontal bar that goes across something'),\n", " ('beam', 'a horizontal beam that extends across something'),\n", " ('bones',\n", " 'two crossed bones (or a representation of two crossed bones) used as a symbol danger or death'),\n", " ('bow',\n", " 'a bow fixed transversely on a wooden stock grooved to direct the arrow (quarrel)'),\n", " ('breed',\n", " '(genetics) an organism that is the offspring of genetically dissimilar parents or stock; especially offspring produced by breeding plants or animals of different varieties or breeds or species'),\n", " ('check',\n", " 'an instance of confirming something by considering information from several sources'),\n", " ('cut', 'a diagonal path'),\n", " ('fire', 'a lively or heated interchange of ideas and opinions'),\n", " ('hatch', 'shading consisting of multiple crossing lines'),\n", " ('over',\n", " 'the interchange of sections between pairing homologous chromosomes during the prophase of meiosis'),\n", " ('patch', 'a bad-tempered person'),\n", " ('road', 'a junction where one street or road crosses another'),\n", " ('talk', 'the presence of an unwanted signal via an accidental coupling'),\n", " ('walk',\n", " 'a path (often marked) where something (as a street or railroad) can be crossed to get from one side to the other'),\n", " ('wind', 'wind blowing across the path of a ship or aircraft'),\n", " ('word',\n", " 'a puzzle in which words corresponding to numbered clues are to be found and written in to squares in the puzzle')]},\n", " {'answer': 'cut',\n", " 'hint': 'cut _',\n", " 'clues': [('away',\n", " 'a representation (drawing or model) of something in which the outside is omitted to reveal the inner parts'),\n", " ('back', 'a reduction in quantity or rate'),\n", " ('off',\n", " 'a designated limit beyond which something cannot function or must be terminated'),\n", " ('out',\n", " 'a switch that interrupts an electric circuit in the event of an overload'),\n", " ('throat', \"someone who murders by cutting the victim's throat\"),\n", " ('worm',\n", " 'North American moth whose larvae feed on young plant stems cutting them off at the ground')]},\n", " {'answer': 'day',\n", " 'hint': 'day _',\n", " 'clues': [('bed', 'an armless couch; a seat by day and a bed by night'),\n", " ('break', 'the first light of day'),\n", " ('care', 'childcare during the day while parents work'),\n", " ('dream', 'absentminded dreaming while awake'),\n", " ('dreamer', 'someone who indulges in idle or absentminded daydreaming'),\n", " ('light',\n", " 'the time after sunrise and before sunset while it is light outside'),\n", " ('time',\n", " 'the time after sunrise and before sunset while it is light outside')]},\n", " {'answer': 'dead',\n", " 'hint': 'dead _',\n", " 'clues': [('beat', 'someone who fails to meet a financial obligation'),\n", " ('bolt', 'the part of a lock that is engaged or withdrawn with a key'),\n", " ('head', 'a nonenterprising person who is not paying his way'),\n", " ('line', 'the point in time at which something must be completed'),\n", " ('lock',\n", " 'a situation in which no progress can be made or no advancement is possible'),\n", " ('wood', 'a branch or a part of a tree that is dead')]},\n", " {'answer': 'death',\n", " 'hint': 'death _',\n", " 'clues': [('bed', 'the last few hours before death'),\n", " ('blow', 'the blow that kills (usually mercifully)'),\n", " ('trap',\n", " 'any structure that is very unsafe; where people are likely to be killed'),\n", " ('watch',\n", " 'minute wingless psocopterous insects injurious to books and papers')]},\n", " {'answer': 'dish',\n", " 'hint': 'dish _',\n", " 'clues': [('cloth', 'a cloth for washing dishes'),\n", " ('pan', 'large pan for washing dishes'),\n", " ('rag', 'a cloth for washing dishes'),\n", " ('towel', 'a towel for drying dishes'),\n", " ('ware', 'tableware (eating and serving dishes) collectively'),\n", " ('washer', 'a machine for washing dishes'),\n", " ('water', 'water in which dishes and cooking utensils are washed')]},\n", " {'answer': 'dog',\n", " 'hint': 'dog _',\n", " 'clues': [('cart', 'a cart drawn by a dog'),\n", " ('fight', 'a fiercely disputed contest'),\n", " ('fish',\n", " 'primitive long-bodied carnivorous freshwater fish with a very long dorsal fin; found in sluggish waters of North America'),\n", " ('house', 'outbuilding that serves as a shelter for a dog'),\n", " ('leg', 'angle that resembles the hind leg of a dog'),\n", " ('sled', 'a sled pulled by dogs'),\n", " ('trot', 'a steady trot like that of a dog'),\n", " ('wood',\n", " 'a tree of shrub of the genus Cornus often having showy bracts resembling flowers')]},\n", " {'answer': 'door',\n", " 'hint': 'door _',\n", " 'clues': [('bell',\n", " 'a push button at an outer door that gives a ringing or buzzing signal when pushed'),\n", " ('jamb', 'a jamb for a door'),\n", " ('keeper',\n", " 'an official stationed at the entrance of a courtroom or legislative chamber'),\n", " ('knob',\n", " \"a knob used to release the catch when opening a door (often called `doorhandle' in Great Britain)\"),\n", " ('knocker',\n", " 'a device (usually metal and ornamental) attached by a hinge to a door'),\n", " ('mat', 'a person who is physically weak and ineffectual'),\n", " ('nail', 'a nail with a large head; formerly used to decorate doors'),\n", " ('plate',\n", " 'a nameplate fastened to a door; indicates the person who works or lives there'),\n", " ('post', 'a jamb for a door'),\n", " ('step',\n", " 'the sill of a door; a horizontal piece of wood or stone that forms the bottom of a doorway and offers support when passing through a doorway'),\n", " ('stop', 'a stop that keeps open doors from moving'),\n", " ('way',\n", " 'the entrance (the space in a wall) through which you enter or leave a room or building; the space that a door can close'),\n", " ('yard', 'a yard outside the front or rear door of a house')]},\n", " {'answer': 'down',\n", " 'hint': 'down _',\n", " 'clues': [('beat',\n", " \"the first beat of a musical measure (as the conductor's arm moves downward)\"),\n", " ('cast', 'a ventilation shaft through which air enters a mine'),\n", " ('draft', 'a strong downward air current'),\n", " ('fall', 'failure that results in a loss of position or reputation'),\n", " ('grade', 'the property possessed by a slope or surface that descends'),\n", " ('hill', 'the downward slope of a hill'),\n", " ('pour', 'a heavy rain'),\n", " ('shift',\n", " 'a change from a financially rewarding but stressful career to a less well paid but more fulfilling one'),\n", " ('side', 'a negative aspect of something that is generally positive'),\n", " ('sizing',\n", " 'the reduction of expenditures in order to become financially stable'),\n", " ('stage', 'the front half of the stage (as seen from the audience)'),\n", " ('swing', 'a swing downward of a golf club'),\n", " ('time',\n", " 'a period of time when something (as a machine or factory) is not operating (especially as a result of malfunctions)'),\n", " ('town', 'the central area or commercial center of a town or city'),\n", " ('turn', 'a worsening of business or economic activity')]},\n", " {'answer': 'ear',\n", " 'hint': 'ear _',\n", " 'clues': [('ache', 'an ache localized in the middle or inner ear'),\n", " ('drum', 'the membrane in the ear that vibrates to sound'),\n", " ('lobe', 'the fleshy pendulous part of the external human ear'),\n", " ('mark', 'identification mark on the ear of a domestic animal'),\n", " ('muff',\n", " 'either of a pair of ear coverings (usually connected by a headband) that are worn to keep the ears warm in cold weather'),\n", " ('phone',\n", " 'electro-acoustic transducer for converting electric signals into sounds; it is held over or inserted into the ear'),\n", " ('piece',\n", " 'electro-acoustic transducer for converting electric signals into sounds; it is held over or inserted into the ear'),\n", " ('plug', 'an earphone that is inserted into the ear canal'),\n", " ('ring',\n", " 'jewelry to ornament the ear; usually clipped to the earlobe or fastened through a hole in the lobe'),\n", " ('shot', 'the range within which a voice can be heard'),\n", " ('wax', 'a soft yellow wax secreted by glands in the ear canal'),\n", " ('wig',\n", " 'any of numerous insects of the order Dermaptera having elongate bodies and slender many-jointed antennae and a pair of large pincers at the rear of the abdomen')]},\n", " {'answer': 'egg',\n", " 'hint': 'egg _',\n", " 'clues': [('beater',\n", " 'an aircraft without wings that obtains its lift from the rotation of overhead blades'),\n", " ('cup', 'dishware consisting of a small cup for serving a boiled egg'),\n", " ('head', 'an intellectual; a very studious and academic person'),\n", " ('nog',\n", " 'a punch made of sweetened milk or cream mixed with eggs and usually alcoholic liquor'),\n", " ('plant',\n", " 'egg-shaped vegetable having a shiny skin typically dark purple but occasionally white or yellow'),\n", " ('shell', \"the exterior covering of a bird's egg\")]},\n", " {'answer': 'eye',\n", " 'hint': 'eye _',\n", " 'clues': [('ball',\n", " 'the ball-shaped capsule containing the vertebrate eye'),\n", " ('brow', 'the arch of hair above each eye'),\n", " ('glass',\n", " 'lens for correcting defective vision in one eye; held in place by facial muscles'),\n", " ('lash',\n", " 'any of the short curved hairs that grow from the edges of the eyelids'),\n", " ('lid',\n", " 'either of two folds of skin that can be moved to cover or open the eye'),\n", " ('liner', 'makeup applied to emphasize the shape of the eyes'),\n", " ('piece',\n", " 'combination of lenses at the viewing end of optical instruments'),\n", " ('shadow',\n", " 'makeup consisting of a cosmetic substance used to darken the eyes'),\n", " ('sight', 'normal use of the faculty of vision'),\n", " ('sore', 'something very ugly and offensive'),\n", " ('strain',\n", " 'a tiredness of the eyes caused by prolonged close work by a person with an uncorrected vision problem'),\n", " ('tooth',\n", " 'one of the four pointed conical teeth (two in each jaw) located between the incisors and the premolars'),\n", " ('wash',\n", " 'lotion consisting of a solution used as a cleanser for the eyes'),\n", " ('witness', 'a spectator who can describe what happened')]},\n", " {'answer': 'farm',\n", " 'hint': 'farm _',\n", " 'clues': [('hand', 'a hired hand on a farm'),\n", " ('house', 'house for a farmer and family'),\n", " ('land', 'a rural area where farming is practiced'),\n", " ('stead', 'the buildings and adjacent grounds of a farm'),\n", " ('yard', 'an area adjacent to farm buildings')]},\n", " {'answer': 'feed',\n", " 'hint': 'feed _',\n", " 'clues': [('back',\n", " 'the process in which part of the output of a system is returned to its input in order to regulate its further output'),\n", " ('bag',\n", " 'a canvas bag that is used to feed an animal (such as a horse); covers the muzzle and fastens at the top of the head'),\n", " ('lot', 'a building where livestock are fattened for market'),\n", " ('stock',\n", " 'the raw material that is required for some industrial process')]},\n", " {'answer': 'finger',\n", " 'hint': 'finger _',\n", " 'clues': [('board',\n", " 'a guidepost resembling a hand with a pointing index finger'),\n", " ('mark', 'a smudge made by a (dirty) finger'),\n", " ('nail', 'the nail at the end of a finger'),\n", " ('print',\n", " 'a print made by an impression of the ridges in the skin of a finger; often used for biometric identification in criminal investigations'),\n", " ('tip', 'the end (tip) of a finger')]},\n", " {'answer': 'fire',\n", " 'hint': 'fire _',\n", " 'clues': [('arm', 'a portable gun'),\n", " ('ball', 'an especially luminous meteor (sometimes exploding)'),\n", " ('bomb',\n", " 'a bomb that is designed to start fires; is most effective against flammable targets (such as fuel)'),\n", " ('box', 'a furnace (as on a steam locomotive) in which fuel is burned'),\n", " ('brand', 'a piece of wood that has been burned or is burning'),\n", " ('break',\n", " 'a narrow field that has been cleared to check the spread of a prairie fire or forest fire'),\n", " ('brick',\n", " 'brick made of fire clay; used for lining e.g. furnaces and chimneys'),\n", " ('bug', 'a criminal who illegally sets fire to property'),\n", " ('cracker',\n", " 'firework consisting of a small explosive charge and fuse in a heavy paper casing'),\n", " ('damp',\n", " 'a mixture of gases (mostly methane) that form in coal mines and become explosive when mixed with air'),\n", " ('fighter',\n", " 'a member of a fire department who tries to extinguish fires'),\n", " ('fly', 'tropical American click beetle having bright luminous spots'),\n", " ('guard',\n", " 'a narrow field that has been cleared to check the spread of a prairie fire or forest fire'),\n", " ('house', 'a station housing fire apparatus and firemen'),\n", " ('light', 'the light of a fire (especially in a fireplace)'),\n", " ('place',\n", " 'an open recess in a wall at the base of a chimney where a fire can be built'),\n", " ('plug',\n", " 'an upright hydrant for drawing water to use in fighting a fire'),\n", " ('power',\n", " '(military) the relative capacity for delivering fire on a target'),\n", " ('side',\n", " 'an area near a fireplace (usually paved and extending out into a room)'),\n", " ('storm',\n", " 'a storm in which violent winds are drawn into the column of hot air rising over a severely bombed area'),\n", " ('trap',\n", " 'a building that would be hard to escape from if it were to catch fire'),\n", " ('wall', '(colloquial) the application of maximum thrust'),\n", " ('water', 'any strong spirits (such as strong whisky or rum)'),\n", " ('wood', 'wood used for fuel'),\n", " ('work',\n", " '(usually plural) a device with an explosive that burns at a low rate and with colored flames; can be used to illuminate areas or send signals etc.')]},\n", " {'answer': 'fish',\n", " 'hint': 'fish _',\n", " 'clues': [('bowl', 'a state of affairs in which you have no privacy'),\n", " ('hook', 'a sharp barbed hook for catching fish'),\n", " ('monger', 'someone who sells fish'),\n", " ('net', 'a net that will enclose fish when it is pulled in'),\n", " ('pond', 'a freshwater pond with fish'),\n", " ('wife', 'someone who sells fish')]},\n", " {'answer': 'flag',\n", " 'hint': 'flag _',\n", " 'clues': [('pole',\n", " 'surveying instrument consisting of a straight rod painted in bands of alternate red and white each one foot wide; used for sightings by surveyors'),\n", " ('ship', 'the chief one of a related group'),\n", " ('staff',\n", " 'a town in north central Arizona; site of an important observatory'),\n", " ('stone',\n", " 'stratified stone that splits into pieces suitable as paving stones')]},\n", " {'answer': 'flash',\n", " 'hint': 'flash _',\n", " 'clues': [('back',\n", " 'a transition (in literary or theatrical works or films) to an earlier event or scene that interrupts the normal chronological development of the story'),\n", " ('bulb', 'a lamp for providing momentary light to take a photograph'),\n", " ('card',\n", " 'a card with words or numbers or pictures that is flashed to a class by the teacher'),\n", " ('gun', 'a lamp for providing momentary light to take a photograph'),\n", " ('light', 'a small portable battery-powered electric lamp')]},\n", " {'answer': 'flat',\n", " 'hint': 'flat _',\n", " 'clues': [('bed', 'freight car without permanent sides or roof'),\n", " ('boat',\n", " 'a flatbottom boat for carrying heavy loads (especially on canals)'),\n", " ('car', 'freight car without permanent sides or roof'),\n", " ('fish',\n", " 'sweet lean whitish flesh of any of numerous thin-bodied fish; usually served as thin fillets'),\n", " ('foot', 'a policeman who patrols a given region'),\n", " ('iron', 'an iron that was heated by placing it on a stove'),\n", " ('mate', 'an associate who shares an apartment with you'),\n", " ('top', 'a closely cropped haircut; usually for men'),\n", " ('ware',\n", " 'tableware that is relatively flat and fashioned as a single piece'),\n", " ('worm', 'parasitic or free-living worms having a flattened body')]},\n", " {'answer': 'fly',\n", " 'hint': 'fly _',\n", " 'clues': [('catcher',\n", " 'any of a large group of small songbirds that feed on insects taken on the wing'),\n", " ('leaf', 'a blank leaf in the front or back of a book'),\n", " ('over',\n", " 'bridge formed by the upper level of a crossing of two highways at different levels'),\n", " ('paper',\n", " 'paper that is poisoned or coated with a sticky substance to kill flies'),\n", " ('past',\n", " 'a flight at a low altitude (usually of military aircraft) over spectators on the ground'),\n", " ('speck', 'a tiny dark speck made by the excrement of a fly'),\n", " ('swatter',\n", " 'an implement with a flat part (of mesh or plastic) and a long handle; used to kill insects'),\n", " ('way', 'the geographic route along which birds customarily migrate'),\n", " ('weight', 'weighs no more than 115 pounds'),\n", " ('wheel',\n", " 'regulator consisting of a heavy wheel that stores kinetic energy and smooths the operation of a reciprocating engine')]},\n", " {'answer': 'foot',\n", " 'hint': 'foot _',\n", " 'clues': [('ball',\n", " \"any of various games played with a ball (round or oval) in which two teams try to kick or carry or propel the ball into each other's goal\"),\n", " ('bridge', 'a bridge designed for pedestrians'),\n", " ('fall', 'the sound of a step of someone walking'),\n", " ('hill', 'a relatively low hill on the lower slope of a mountain'),\n", " ('hold',\n", " 'an area in hostile territory that has been captured and is held awaiting further troops and supplies'),\n", " ('lights',\n", " 'theater light at the front of a stage that illuminate the set and actors'),\n", " ('locker',\n", " 'a trunk for storing personal possessions; usually kept at the foot of a bed (as in a barracks)'),\n", " ('note', 'a printed note placed below the text on a printed page'),\n", " ('path', 'a trodden path'),\n", " ('plate',\n", " 'the platform in the cab of a locomotive on which the engineer stands to operate the controls'),\n", " ('print', 'a mark of a foot or shoe on a surface'),\n", " ('race', 'a race run on foot'),\n", " ('rest', 'a low seat or a stool to rest the feet of a seated person'),\n", " ('step', 'the sound of a step of someone walking'),\n", " ('stool', 'a low seat or a stool to rest the feet of a seated person'),\n", " ('wear', \"clothing worn on a person's feet\"),\n", " ('work', 'the manner of using the feet')]},\n", " {'answer': 'fore',\n", " 'hint': 'fore _',\n", " 'clues': [('ground', 'the part of a scene that is near the viewer'),\n", " ('head', 'the part of the face above the eyes'),\n", " ('mast', 'the mast nearest the bow in vessels with two or more masts'),\n", " ('name', 'the name that precedes the surname'),\n", " ('runner',\n", " 'a person who goes before or announces the coming of another')]},\n", " {'answer': 'four',\n", " 'hint': 'four _',\n", " 'clues': [('pence', 'a former English silver coin worth four pennies'),\n", " ('score', 'the cardinal number that is the product of ten and eight'),\n", " ('some', 'four people considered as a unit'),\n", " ('square',\n", " '(geometry) a plane rectangle with four equal sides and four right angles; a four-sided regular polygon')]},\n", " {'answer': 'fox',\n", " 'hint': 'fox _',\n", " 'clues': [('glove', 'any of several plants of the genus Digitalis'),\n", " ('hole',\n", " 'a small dugout with a pit for individual shelter against enemy fire'),\n", " ('hound',\n", " 'medium-sized glossy-coated hounds developed for hunting foxes'),\n", " ('hunt', 'mounted hunters follow hounds in pursuit of a fox'),\n", " ('trot',\n", " 'a ballroom dance in quadruple time; combines short and long and fast and slow steps fixed sequences')]},\n", " {'answer': 'free',\n", " 'hint': 'free _',\n", " 'clues': [('hold', 'an estate held in fee simple or for life'),\n", " ('holder', 'the owner of a freehold'),\n", " ('lance',\n", " 'a writer or artist who sells services to different employers without a long-term contract with any of them'),\n", " ('loader', 'someone who takes advantage of the generosity of others'),\n", " ('masonry',\n", " 'a natural or instinctive fellowship between people of similar interests'),\n", " ('stone',\n", " 'fruit (especially peach) whose flesh does not adhere to the pit'),\n", " ('style',\n", " 'a race (as in swimming) in which each contestant has a free choice of the style to use'),\n", " ('thinker',\n", " 'a person who believes that God created the universe and then abandoned it'),\n", " ('thinking',\n", " 'the doctrine that reason is the right basis for regulating conduct'),\n", " ('ware', 'software that is provided without charge'),\n", " ('way', 'a broad highway designed for high-speed traffic'),\n", " ('wheel',\n", " 'a clutch (as on the rear wheel of a bicycle) that allows wheels to turn freely (as in coasting)')]},\n", " {'answer': 'gate',\n", " 'hint': 'gate _',\n", " 'clues': [('crasher',\n", " 'someone who gets in (to a party) without an invitation or without paying'),\n", " ('house',\n", " \"a house built at a gateway; usually the gatekeeper's residence\"),\n", " ('keeper', 'someone who controls access to something'),\n", " ('post', 'either of two posts that bound a gate'),\n", " ('way', 'an entrance that can be closed by a gate')]},\n", " {'answer': 'goal',\n", " 'hint': 'goal _',\n", " 'clues': [('keeper',\n", " 'the soccer or hockey player assigned to protect the goal'),\n", " ('mouth', '(sports) the area immediately in front of the goal'),\n", " ('post',\n", " 'one of a pair of posts (usually joined by a crossbar) that are set up as a goal at each end of a playing field'),\n", " ('tender', 'the soccer or hockey player assigned to protect the goal')]},\n", " {'answer': 'god',\n", " 'hint': 'god _',\n", " 'clues': [('child',\n", " 'an infant who is sponsored by an adult (the godparent) at baptism'),\n", " ('daughter', 'a female godchild'),\n", " ('father', 'any man who serves as a sponsor for a child at baptism'),\n", " ('mother', 'any woman who serves as a sponsor for a child at baptism'),\n", " ('parent', 'a person who sponsors someone (the godchild) at baptism'),\n", " ('send',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('son', 'a male godchild')]},\n", " {'answer': 'gold',\n", " 'hint': 'gold _',\n", " 'clues': [('brick',\n", " 'a soldier who performs his duties without proper care or effort'),\n", " ('field', 'a district where gold is mined'),\n", " ('finch', 'American finch whose male has yellow body plumage in summer'),\n", " ('fish',\n", " 'small golden or orange-red freshwater fishes of Eurasia used as pond or aquarium fishes'),\n", " ('mine', 'a good source of something that is desired'),\n", " ('smith', 'an artisan who makes jewelry and other objects out of gold')]},\n", " {'answer': 'grand',\n", " 'hint': 'grand _',\n", " 'clues': [('aunt', 'an aunt of your father or mother'),\n", " ('child', 'a child of your son or daughter'),\n", " ('dad', 'the father of your father or mother'),\n", " ('daddy', 'the father of your father or mother'),\n", " ('daughter', 'a female grandchild'),\n", " ('father', 'the father of your father or mother'),\n", " ('master',\n", " 'a player of exceptional or world class skill in chess or bridge'),\n", " ('mother', 'the mother of your father or mother'),\n", " ('nephew', 'a son of your niece or nephew'),\n", " ('niece', 'a daughter of your niece or nephew'),\n", " ('parent', 'a parent of your father or mother'),\n", " ('son', 'a male grandchild'),\n", " ('stand', 'the audience at a stadium or racetrack'),\n", " ('uncle', 'an uncle of your father or mother')]},\n", " {'answer': 'green',\n", " 'hint': 'green _',\n", " 'clues': [('back',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('belt', 'a belt of parks or rural land surrounding a town or city'),\n", " ('fly', 'greenish aphid; pest on garden and crop plants'),\n", " ('gage', 'sweet green or greenish-yellow variety of plum'),\n", " ('grocer', 'a grocer who sells fresh fruits and vegetables'),\n", " ('horn', 'an awkward and inexperienced youth'),\n", " ('house',\n", " 'a building with glass walls and roof; for the cultivation and exhibition of plants under controlled conditions'),\n", " ('mail',\n", " '(corporation) the practice of purchasing enough shares in a firm to threaten a takeover and thereby forcing the owners to buy those shares back at a premium in order to stay in business'),\n", " ('room',\n", " 'a backstage room in a theater where performers rest or have visitors'),\n", " ('sward',\n", " 'surface layer of ground containing a mat of grass and grass roots'),\n", " ('wood', 'woodlands in full leaf')]},\n", " {'answer': 'ground',\n", " 'hint': 'ground _',\n", " 'clues': [('breaking',\n", " 'the ceremonial breaking of the ground to formally begin a construction project'),\n", " ('hog', 'reddish brown North American marmot'),\n", " ('nut',\n", " 'a North American vine with fragrant blossoms and edible tubers; important food crop of Native Americans'),\n", " ('sheet',\n", " 'a waterproofed piece of cloth spread on the ground (as under a tent) to protect from moisture'),\n", " ('work',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained')]},\n", " {'answer': 'gun',\n", " 'hint': 'gun _',\n", " 'clues': [('boat',\n", " 'a small shallow-draft boat carrying mounted guns; used by costal patrols'),\n", " ('fight',\n", " 'a fight involving shooting small arms with the intent to kill or frighten'),\n", " ('fire', 'the act of shooting a gun'),\n", " ('metal',\n", " 'a type of bronze used for parts subject to wear or corrosion (especially corrosion by sea water)'),\n", " ('point', \"the gun muzzle's direction\"),\n", " ('powder',\n", " 'a mixture of potassium nitrate, charcoal, and sulfur in a 75:15:10 ratio which is used in gunnery, time fuses, and fireworks'),\n", " ('runner', 'a smuggler of guns'),\n", " ('running',\n", " 'the smuggling of guns and ammunition into a country secretly and illegally'),\n", " ('shot', 'the act of shooting a gun'),\n", " ('slinger', 'a professional killer who uses a gun'),\n", " ('smith', 'someone who makes or repairs guns'),\n", " ('wale',\n", " 'wale at the top of the side of boat; topmost planking of a wooden vessel')]},\n", " {'answer': 'hair',\n", " 'hint': 'hair _',\n", " 'clues': [('ball',\n", " 'a compact mass of hair that forms in the alimentary canal (especially in the stomach of animals as a result of licking fur)'),\n", " ('brush', \"a brush used to groom a person's hair\"),\n", " ('care',\n", " 'care for the hair: the activity of washing or cutting or curling or arranging the hair'),\n", " ('cloth',\n", " 'cloth woven from horsehair or camelhair; used for upholstery or stiffening in garments'),\n", " ('cut', 'the style in which hair has been cut'),\n", " ('dresser', 'someone who cuts or beautifies hair'),\n", " ('dressing', 'a toiletry for the hair'),\n", " ('grip',\n", " 'a flat wire hairpin whose prongs press tightly together; used to hold bobbed hair in place'),\n", " ('line', 'a very thin line'),\n", " ('net',\n", " 'a small net that some women wear over their hair to keep it in place'),\n", " ('piece',\n", " 'a covering or bunch of human or artificial hair used for disguise or adornment'),\n", " ('pin', \"a double pronged pin used to hold women's hair in place\"),\n", " ('splitter', 'a disputant who makes unreasonably fine distinctions'),\n", " ('splitting', 'making too fine distinctions of little importance'),\n", " ('spring',\n", " 'a fine spiral spring that regulates the movement of the balance wheel in a timepiece'),\n", " ('style', \"the arrangement of the hair (especially a woman's hair)\"),\n", " ('stylist', 'someone who cuts or beautifies hair')]},\n", " {'answer': 'half',\n", " 'hint': 'half _',\n", " 'clues': [('back',\n", " '(football) the running back who plays the offensive halfback position'),\n", " ('penny', 'an English coin worth half a penny'),\n", " ('time', 'an intermission between the first and second half of a game'),\n", " ('tone', 'a print obtained from photoengraving')]},\n", " {'answer': 'hand',\n", " 'hint': 'hand _',\n", " 'clues': [('bag',\n", " 'a container used for carrying money and small personal items or accessories (especially by women)'),\n", " ('ball', 'a small rubber ball used in playing the game of handball'),\n", " ('barrow',\n", " 'a rectangular frame with handles at both ends; carried by two people'),\n", " ('basin',\n", " \"a basin for washing the hands (`wash-hand basin' is a British expression)\"),\n", " ('bill',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('book',\n", " 'a concise reference book providing specific information about a subject or location'),\n", " ('car', 'a small railroad car propelled by hand or by a small motor'),\n", " ('clasp',\n", " \"grasping and shaking a person's hand (as to acknowledge an introduction or to agree on a contract)\"),\n", " ('craft', 'a work produced by hand labor'),\n", " ('cuff',\n", " 'shackle that consists of a metal loop that can be locked around the wrist; usually used in pairs'),\n", " ('gun', 'a firearm that is held and fired with one hand'),\n", " ('hold', 'an appendage to hold onto'),\n", " ('kerchief',\n", " 'a square piece of cloth used for wiping the eyes or nose or as a costume accessory'),\n", " ('maid', 'in a subordinate position'),\n", " ('maiden', 'in a subordinate position'),\n", " ('out',\n", " 'an announcement distributed to members of the press in order to supplement or replace an oral presentation'),\n", " ('over', 'act of relinquishing property or authority etc'),\n", " ('rail',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('saw', 'a saw used with one hand for cutting wood'),\n", " ('set',\n", " 'telephone set with the mouthpiece and earpiece mounted on a single handle'),\n", " ('shake',\n", " \"grasping and shaking a person's hand (as to acknowledge an introduction or to agree on a contract)\"),\n", " ('shaking',\n", " \"grasping and shaking a person's hand (as to acknowledge an introduction or to agree on a contract)\"),\n", " ('spring',\n", " 'an acrobatic feat in which a person goes from a standing position to a handstand and back again'),\n", " ('stand',\n", " 'the act of supporting yourself by your hands alone in an upside down position'),\n", " ('work', 'a work produced by hand labor'),\n", " ('writing', 'something written by hand')]},\n", " {'answer': 'hard',\n", " 'hint': 'hard _',\n", " 'clues': [('back', 'a book with cardboard or cloth or leather covers'),\n", " ('ball', 'a no-nonsense attitude in business or politics'),\n", " ('board',\n", " 'a cheap hard material made from wood chips that are pressed together and bound with synthetic resin'),\n", " ('cover', 'a book with cardboard or cloth or leather covers'),\n", " ('liner', 'a conservative who is uncompromising'),\n", " ('tack', \"very hard unsalted biscuit or bread; a former ship's staple\"),\n", " ('top', 'a car that resembles a convertible but has a fixed rigid top'),\n", " ('ware', 'major items of military weaponry (as tanks or missile)'),\n", " ('wood',\n", " 'the wood of broad-leaved dicotyledonous trees (as distinguished from the wood of conifers)')]},\n", " {'answer': 'hay',\n", " 'hint': 'hay _',\n", " 'clues': [('cock',\n", " 'a small cone-shaped pile of hay that has been left in the field until it is dry enough to carry to the hayrick'),\n", " ('field', 'a field where grass or alfalfa are grown to be made into hay'),\n", " ('loft', 'a loft in a barn where hay is stored'),\n", " ('making', 'taking full advantage of an opportunity while it lasts'),\n", " ('mow', 'a mass of hay piled up in a barn for preservation'),\n", " ('rick', 'a stack of hay'),\n", " ('seed', 'a person who is not very intelligent or interested in culture'),\n", " ('stack', 'a stack of hay'),\n", " ('wire', 'wire for tying up bales of hay')]},\n", " {'answer': 'head',\n", " 'hint': 'head _',\n", " 'clues': [('ache',\n", " 'something or someone that causes anxiety; a source of unhappiness'),\n", " ('band', 'a band worn around or over the head'),\n", " ('board', 'a vertical board or panel forming the head of a bedstead'),\n", " ('cheese',\n", " 'sausage or jellied loaf made of chopped parts of the head meat and sometimes feet and tongue of a calf or pig'),\n", " ('count', 'number of people in a particular group'),\n", " ('dress', 'clothing for the head'),\n", " ('gear', 'clothing for the head'),\n", " ('hunter', 'a recruiter of personnel (especially for corporations)'),\n", " ('lamp',\n", " 'a powerful light with reflector; attached to the front of an automobile or locomotive'),\n", " ('land',\n", " 'a natural elevation (especially a rocky one that juts out into the sea)'),\n", " ('light',\n", " 'a powerful light with reflector; attached to the front of an automobile or locomotive'),\n", " ('line', 'the heading or caption of a newspaper article'),\n", " ('lock',\n", " \"a wrestling hold in which the opponent's head is locked between the crook of your elbow and the side of your body\"),\n", " ('master', 'presiding officer of a school'),\n", " ('mastership', 'the position of headmaster'),\n", " ('mistress', 'a woman headmaster'),\n", " ('phone',\n", " 'electro-acoustic transducer for converting electric signals into sounds; it is held over or inserted into the ear'),\n", " ('piece',\n", " \"the band that is the part of a bridle that fits around a horse's head\"),\n", " ('pin',\n", " 'the front bowling pin in the triangular arrangement of ten pins'),\n", " ('quarters',\n", " '(usually plural) the office that serves as the administrative center of an enterprise'),\n", " ('rest',\n", " \"a cushion attached to the top of the back of an automobile's seat to prevent whiplash\"),\n", " ('room',\n", " 'vertical space available to allow easy passage under something'),\n", " ('scarf', 'a kerchief worn over the head and tied under the chin'),\n", " ('set', 'receiver consisting of a pair of headphones'),\n", " ('stall',\n", " \"the band that is the part of a bridle that fits around a horse's head\"),\n", " ('stand',\n", " 'an acrobatic feat in which a person balances on the head (usually with the help of the hands)'),\n", " ('stock',\n", " 'the stationary support in a machine or power tool that supports and drives a revolving part (as a chuck or the spindle on a lathe)'),\n", " ('stone', 'the central building block at the top of an arch or vault'),\n", " ('waiter',\n", " 'a dining-room attendant who is in charge of the waiters and the seating of customers'),\n", " ('way', 'vertical space available to allow easy passage under something'),\n", " ('wind', 'wind blowing opposite to the path of a ship or aircraft'),\n", " ('word', 'a content word that can be qualified by a modifier')]},\n", " {'answer': 'heart',\n", " 'hint': 'heart _',\n", " 'clues': [('ache',\n", " 'intense sorrow caused by loss of a loved one (especially by death)'),\n", " ('beat',\n", " 'the rhythmic contraction and expansion of the arteries with each beat of the heart'),\n", " ('break',\n", " 'intense sorrow caused by loss of a loved one (especially by death)'),\n", " ('burn',\n", " 'a painful burning sensation in the chest caused by gastroesophageal reflux (backflow from the stomach irritating the esophagus); symptomatic of an ulcer or a diaphragmatic hernia or other disorder'),\n", " ('land',\n", " 'the central region of a country or continent; especially a region that is important to a country or to a culture'),\n", " ('sickness', 'feeling downcast and disheartened and hopeless'),\n", " ('strings', 'your deepest feelings of love and compassion'),\n", " ('throb', 'an object of infatuation'),\n", " ('wood',\n", " 'the older inactive central wood of a tree or woody plant; usually darker and denser than the surrounding sapwood')]},\n", " {'answer': 'high',\n", " 'hint': 'high _',\n", " 'clues': [('ball',\n", " 'a mixed drink made of alcoholic liquor mixed with water or a carbonated beverage and served in a tall glass'),\n", " ('boy',\n", " 'a tall chest of drawers divided into two sections and supported on four legs'),\n", " ('brow', 'a person of intellectual or erudite tastes'),\n", " ('chair',\n", " 'a chair for feeding a very young child; has four long legs and a footrest and a detachable tray'),\n", " ('land', 'elevated (e.g., mountainous) land'),\n", " ('light', 'the most interesting or memorable part'),\n", " ('lighter', 'a cosmetic used to highlight the eyes or cheekbones'),\n", " ('road', 'a highway'),\n", " ('way', 'a major road for any form of motor transport')]},\n", " {'answer': 'home',\n", " 'hint': 'home _',\n", " 'clues': [('body',\n", " 'a person who seldom goes anywhere; one not given to wandering or travel'),\n", " ('coming', 'an annual school or university reunion for graduates'),\n", " ('land', 'the country where you were born'),\n", " ('maker',\n", " 'a wife who manages a household while her husband earns the family income'),\n", " ('making', 'the management of a household'),\n", " ('owner', 'someone who owns a home'),\n", " ('page', 'the opening page of a web site'),\n", " ('room',\n", " 'a classroom in which all students in a particular grade (or in a division of a grade) meet at certain times under the supervision of a teacher who takes attendance and does other administrative business'),\n", " ('sickness', 'a longing to return home'),\n", " ('spun',\n", " 'a rough loosely woven fabric originally made with yarn that was spun at home'),\n", " ('stead', 'the home and adjacent grounds occupied by a family'),\n", " ('stretch', 'the end of an enterprise'),\n", " ('town',\n", " 'the town (or city) where you grew up or where you have your principal residence'),\n", " ('work',\n", " 'preparatory school work done outside school (especially at home)')]},\n", " {'answer': 'honey',\n", " 'hint': 'honey _',\n", " 'clues': [('bee',\n", " 'social bee often domesticated for the honey it produces'),\n", " ('comb',\n", " 'a structure of small hexagonal cells constructed from beeswax by bees and used to store honey and larvae'),\n", " ('dew',\n", " 'the fruit of a variety of winter melon vine; a large smooth greenish-white melon with pale green flesh'),\n", " ('moon', 'a holiday taken by a newly married couple'),\n", " ('pot',\n", " 'South African shrub whose flowers when open are cup-shaped resembling artichokes'),\n", " ('suckle', 'shrub or vine of the genus Lonicera')]},\n", " {'answer': 'horse',\n", " 'hint': 'horse _',\n", " 'clues': [('back', 'the back of a horse'),\n", " ('box',\n", " 'a conveyance (railroad car or trailer) for transporting racehorses'),\n", " ('flesh', 'the flesh of horses as food'),\n", " ('fly', 'winged fly parasitic on horses'),\n", " ('hair', 'hair taken from the mane or tail of a horse'),\n", " ('hide', 'leather from the hide of a horse'),\n", " ('laugh', 'a loud laugh that sounds like a horse neighing'),\n", " ('play', 'rowdy or boisterous play'),\n", " ('power', 'a unit of power equal to 746 watts'),\n", " ('radish',\n", " 'the root of the horseradish plant; it is grated or ground and used for seasoning'),\n", " ('shoe',\n", " 'game equipment consisting of an open ring of iron used in playing horseshoes'),\n", " ('tail',\n", " 'perennial rushlike flowerless herbs with jointed hollow stems and narrow toothlike leaves that spread by creeping rhizomes; tend to become weedy; common in northern hemisphere; some in Africa and South America'),\n", " ('whip', 'a whip for controlling horses'),\n", " ('whipping', 'the act of whipping with a horsewhip')]},\n", " {'answer': 'hot',\n", " 'hint': 'hot _',\n", " 'clues': [('bed',\n", " 'a situation that is ideal for rapid development (especially of something bad)'),\n", " ('box', 'a journal bearing (as of a railroad car) that has overheated'),\n", " ('cake', 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('dog',\n", " 'someone who performs dangerous stunts to attract attention to himself'),\n", " ('foot',\n", " \"a practical joke that involves inserting a match surreptitiously between the sole and upper of the victim's shoe and then lighting it\"),\n", " ('head', 'a belligerent grouch'),\n", " ('house',\n", " 'a greenhouse in which plants are arranged in a pleasing manner'),\n", " ('plate',\n", " 'a portable electric appliance for heating or cooking or keeping food warm'),\n", " ('pot', 'a stew of meat and potatoes cooked in a tightly covered pot'),\n", " ('shot', 'someone who is dazzlingly skilled in any field')]},\n", " {'answer': 'house',\n", " 'hint': 'house _',\n", " 'clues': [('boat',\n", " 'a barge that is designed and equipped for use as a dwelling'),\n", " ('breaker',\n", " \"a burglar who unlawfully breaks into and enters another person's house\"),\n", " ('breaking',\n", " 'trespassing for an unlawful purpose; illegal entrance into premises with criminal intent'),\n", " ('cleaning',\n", " '(figurative) the act of reforming by the removal of unwanted personnel or practices or conditions'),\n", " ('coat', 'a loose dressing gown for women'),\n", " ('fly',\n", " 'common fly that frequents human habitations and spreads many diseases'),\n", " ('hold', 'a social unit living together'),\n", " ('holder', 'someone who owns a home'),\n", " ('husband',\n", " 'a husband who keeps house while his wife earns the family income'),\n", " ('keeper',\n", " 'a servant who is employed to perform domestic task in a household'),\n", " ('keeping', 'the work of cleaning and running a house'),\n", " ('lights',\n", " \"lights that illuminate the audience's part of a theater or other auditorium\"),\n", " ('maid', 'a female domestic'),\n", " ('master', 'teacher in charge of a school boardinghouse'),\n", " ('mate', 'someone who resides in the same house with you'),\n", " ('mother',\n", " 'a woman employed as a chaperon in a residence for young people'),\n", " ('plant',\n", " 'any of a variety of plants grown indoors for decorative purposes'),\n", " ('room', 'space for accommodation in a house'),\n", " ('top', 'the roof of a house'),\n", " ('warming',\n", " 'a party of people assembled to celebrate moving into a new home'),\n", " ('wife',\n", " 'a wife who manages a household while her husband earns the family income'),\n", " ('work', 'the work of cleaning and running a house')]},\n", " {'answer': 'ice',\n", " 'hint': 'ice _',\n", " 'clues': [('berg',\n", " 'a large mass of ice floating at sea; usually broken off of a polar glacier'),\n", " ('boat',\n", " 'a ship with a reinforced bow to break up ice and keep channels open for navigation'),\n", " ('box', 'white goods in which food can be stored at low temperatures'),\n", " ('breaker',\n", " 'a ship with a reinforced bow to break up ice and keep channels open for navigation'),\n", " ('cap',\n", " 'a mass of ice and snow that permanently covers a large area of land (e.g., the polar regions or a mountain peak)'),\n", " ('pick',\n", " 'pick consisting of a steel rod with a sharp point; used for breaking up blocks of ice')]},\n", " {'answer': 'iron',\n", " 'hint': 'iron _',\n", " 'clues': [('clad',\n", " 'a wooden warship of the 19th century that is plated with iron or steel armor'),\n", " ('monger', 'someone who sells hardware'),\n", " ('ware', 'instrumentalities (tools or implements) made of metal'),\n", " ('wood',\n", " 'handsome East Indian evergreen tree often planted as an ornamental for its fragrant white flowers that yield a perfume; source of very heavy hardwood used for railroad ties'),\n", " ('work', 'work made of iron (gratings or rails or railings etc)')]},\n", " {'answer': 'jack',\n", " 'hint': 'jack _',\n", " 'clues': [('ass', 'a man who is a stupid incompetent fool'),\n", " ('boot', \"(19th century) a man's high tasseled boot\"),\n", " ('hammer', 'a hammer driven by compressed air'),\n", " ('knife', 'a large knife with one or more folding blades'),\n", " ('pot', 'the cumulative amount involved in a game (such as poker)'),\n", " ('rabbit', 'large hare of western North America'),\n", " ('straw',\n", " 'a thin strip of wood used in playing the game of jackstraws')]},\n", " {'answer': 'key',\n", " 'hint': 'key _',\n", " 'clues': [('board',\n", " 'device consisting of a set of keys on a piano or organ or typewriter or typesetting machine or computer or the like'),\n", " ('hole', 'the hole where a key is inserted'),\n", " ('note', 'the principal theme in a speech or literary work'),\n", " ('pad',\n", " 'a keyboard that is a data input device for computers; arrangement of keys is modelled after the typewriter keyboard'),\n", " ('stone', 'a central cohesive source of support and stability'),\n", " ('stroke',\n", " 'the stroke of a key; one depression of a key on a keyboard')]},\n", " {'answer': 'knock',\n", " 'hint': 'knock _',\n", " 'clues': [('about', 'a sloop with a simplified rig and no bowsprit'),\n", " ('down', 'a blow that knocks the opponent off his feet'),\n", " ('off', 'an unauthorized copy or imitation'),\n", " ('out', 'a very attractive or seductive looking woman')]},\n", " {'answer': 'lady',\n", " 'hint': 'lady _',\n", " 'clues': [('bird',\n", " 'small round bright-colored and spotted beetle that usually feeds on aphids and other insect pests'),\n", " ('bug',\n", " 'small round bright-colored and spotted beetle that usually feeds on aphids and other insect pests'),\n", " ('finger', 'small finger-shaped sponge cake'),\n", " ('love', \"a woman who is a man's sweetheart\")]},\n", " {'answer': 'lamp',\n", " 'hint': 'lamp _',\n", " 'clues': [('black',\n", " 'a black colloidal substance consisting wholly or principally of amorphous carbon and used to make pigments and ink'),\n", " ('light', 'light from a lamp'),\n", " ('lighter',\n", " '(when gas was used for streetlights) a person who lights and extinguishes streetlights'),\n", " ('post',\n", " 'a metal post supporting an outdoor lamp (such as a streetlight)'),\n", " ('shade',\n", " 'a protective ornamental shade used to screen a light bulb from direct view')]},\n", " {'answer': 'land',\n", " 'hint': 'land _',\n", " 'clues': [('fall',\n", " 'the seacoast first sighted on a voyage (or flight over water)'),\n", " ('fill', 'a low area that has been filled in'),\n", " ('holder', 'a holder or proprietor of land'),\n", " ('holding', 'ownership of land; the state or fact of owning land'),\n", " ('lady', 'a landlord who is a woman'),\n", " ('lord', 'a landowner who leases to others'),\n", " ('lubber', 'a person who lives and works on land'),\n", " ('mark',\n", " 'the position of a prominent or well-known object in a particular landscape'),\n", " ('mass', 'a large continuous extent of land'),\n", " ('owner', 'a holder or proprietor of land'),\n", " ('scape', 'an expanse of scenery that can be seen in a single view'),\n", " ('slide', 'an overwhelming electoral victory'),\n", " ('slip',\n", " 'a slide of a large mass of dirt and rock down a mountain or cliff')]},\n", " {'answer': 'lap',\n", " 'hint': 'lap _',\n", " 'clues': [('board', 'writing board used on the lap as a table or desk'),\n", " ('dog', 'a dog small and tame enough to be held in the lap'),\n", " ('top', 'a portable computer small enough to use in your lap'),\n", " ('wing', 'large crested Old World plover having wattles and spurs')]},\n", " {'answer': 'law',\n", " 'hint': 'law _',\n", " 'clues': [('breaker', 'someone who violates the law'),\n", " ('giver', 'a maker of laws; someone who gives a code of laws'),\n", " ('maker', 'a maker of laws; someone who gives a code of laws'),\n", " ('making', 'the act of making or enacting laws'),\n", " ('suit',\n", " 'a comprehensive term for any proceeding in a court of law whereby an individual seeks a legal remedy')]},\n", " {'answer': 'lay',\n", " 'hint': 'lay _',\n", " 'clues': [('about', 'person who does no work'),\n", " ('off', 'the act of laying off an employee or a work force'),\n", " ('out', 'a plan or design of something that is laid out'),\n", " ('over', 'a brief stay in the course of a journey'),\n", " ('person', 'someone who is not a clergyman or a professional person')]},\n", " {'answer': 'life',\n", " 'hint': 'life _',\n", " 'clues': [('blood', 'the blood considered as the seat of vitality'),\n", " ('boat',\n", " 'a strong sea boat designed to rescue people from a sinking ship'),\n", " ('guard',\n", " 'an attendant employed at a beach or pool to protect swimmers from accidents'),\n", " ('line',\n", " 'a crease on the palm; its length is said by palmists to indicate how long you will live'),\n", " ('saver',\n", " 'an attendant employed at a beach or pool to protect swimmers from accidents'),\n", " ('saving', 'saving the lives of drowning persons'),\n", " ('span',\n", " 'the period during which something is functional (as between birth and death)'),\n", " ('style',\n", " \"a manner of living that reflects the person's values and attitudes\"),\n", " ('time',\n", " 'the period during which something is functional (as between birth and death)'),\n", " ('work', 'the principal work of your career')]},\n", " {'answer': 'lock',\n", " 'hint': 'lock _',\n", " 'clues': [('jaw',\n", " 'an acute and serious infection of the central nervous system caused by bacterial infection of open wounds; spasms of the jaw and laryngeal muscles may occur during the late stages'),\n", " ('out',\n", " \"a management action resisting employee's demands; employees are barred from entering the workplace until they agree to terms\"),\n", " ('smith', 'someone who makes or repairs locks'),\n", " ('step', 'a standard procedure that is followed mindlessly')]},\n", " {'answer': 'long',\n", " 'hint': 'long _',\n", " 'clues': [('boat',\n", " 'the largest boat carried by a merchant sailing vessel'),\n", " ('bow',\n", " 'a powerful wooden bow drawn by hand; usually 5-6 feet long; used in medieval England'),\n", " ('hand',\n", " 'rapid handwriting in which letters are set down in full and are cursively connected within words without lifting the writing implement from the paper'),\n", " ('horn',\n", " 'long-horned beef cattle formerly common in southwestern United States'),\n", " ('ways',\n", " 'country dancing performed with couples in two long lines facing each other')]},\n", " {'answer': 'low',\n", " 'hint': 'low _',\n", " 'clues': [('boy',\n", " 'a low chest or table with drawers and supported on four legs'),\n", " ('brow', 'a person who is uninterested in intellectual pursuits'),\n", " ('land', 'low level country'),\n", " ('life', 'a person who is deemed to be despicable or contemptible')]},\n", " {'answer': 'main',\n", " 'hint': 'main _',\n", " 'clues': [('frame',\n", " 'a large digital computer serving 100-400 users and occupying a special air-conditioned room'),\n", " ('land',\n", " 'the main land mass of a country or continent; as distinguished from an island or peninsula'),\n", " ('mast', 'the chief mast of a sailing vessel with two or more masts'),\n", " ('sail', 'the lowermost sail on the mainmast'),\n", " ('spring',\n", " 'the most important spring in a mechanical device (especially a clock or watch); as it uncoils it drives the mechanism'),\n", " ('stay', 'a prominent supporter'),\n", " ('stream', 'the prevailing current of thought')]},\n", " {'answer': 'man',\n", " 'hint': 'man _',\n", " 'clues': [('drill',\n", " 'baboon of west Africa with a bright red and blue muzzle and blue hindquarters'),\n", " ('hole',\n", " 'a hole (usually with a flush cover) through which a person can gain access to an underground structure'),\n", " ('hunt',\n", " 'an organized search (by police) for a person (charged with a crime)'),\n", " ('kind', 'all of the living human inhabitants of the earth'),\n", " ('power', 'the force of workers available'),\n", " ('servant', 'a man servant'),\n", " ('slaughter', 'homicide without malice aforethought'),\n", " ('trap', 'a very attractive or seductive looking woman')]},\n", " {'answer': 'match',\n", " 'hint': 'match _',\n", " 'clues': [('book', 'a small folder of paper safety matches'),\n", " ('box', 'a box for holding matches'),\n", " ('lock',\n", " 'an early style of musket; a slow-burning wick would be lowered into a hole in the breech to ignite the charge'),\n", " ('maker',\n", " 'someone who arranges (or tries to arrange) marriages for others'),\n", " ('making', 'mediation in order to bring about a marriage between others'),\n", " ('stick', 'a short thin stick of wood used in making matches'),\n", " ('wood', 'wood in small pieces or splinters')]},\n", " {'answer': 'mid',\n", " 'hint': 'mid _',\n", " 'clues': [('air', 'some point in the air; above ground level'),\n", " ('day', 'the middle of the day'),\n", " ('field',\n", " '(sports) the middle part of a playing field (as in football or lacrosse)'),\n", " ('land', 'a town in west central Texas'),\n", " ('night', \"12 o'clock at night; the middle of the night\"),\n", " ('point',\n", " 'a point equidistant from the ends of a line or the extremities of a figure'),\n", " ('rib', 'the vein in the center of a leaf'),\n", " ('section', 'the middle area of the human torso (usually in front)'),\n", " ('stream', 'the middle of a stream'),\n", " ('summer', 'June 21, when the sun is at its northernmost point'),\n", " ('term', 'the middle of the gestation period'),\n", " ('way',\n", " 'the place at a fair or carnival where sideshows and similar amusements are located'),\n", " ('week', 'the fourth day of the week; the third working day'),\n", " ('wife', 'a woman skilled in aiding the delivery of babies'),\n", " ('winter', 'the middle of winter')]},\n", " {'answer': 'milk',\n", " 'hint': 'milk _',\n", " 'clues': [('maid', 'a woman who works in a dairy'),\n", " ('shake',\n", " 'frothy drink of milk and flavoring and sometimes fruit or ice cream'),\n", " ('sop', 'a timid man or boy considered childish or unassertive'),\n", " ('weed',\n", " 'any of numerous plants of the genus Asclepias having milky juice and pods that split open releasing seeds with downy tufts')]},\n", " {'answer': 'mill',\n", " 'hint': 'mill _',\n", " 'clues': [('pond',\n", " 'a pond formed by damming a stream to provide a head of water to turn a mill wheel'),\n", " ('race', 'a channel for the water current that turns a millwheel'),\n", " ('stone', '(figurative) something that hinders or handicaps'),\n", " ('wright',\n", " 'a workman who designs or erects mills and milling machinery')]},\n", " {'answer': 'money',\n", " 'hint': 'money _',\n", " 'clues': [('bag', 'a drawstring bag for holding money'),\n", " ('lender', 'someone who lends money at excessive rates of interest'),\n", " ('maker', 'someone who is successful in accumulating wealth'),\n", " ('making', 'the act of making money (and accumulating wealth)')]},\n", " {'answer': 'moon',\n", " 'hint': 'moon _',\n", " 'clues': [('beam', 'a ray of moonlight'),\n", " ('light', 'the light of the Moon'),\n", " ('lighter', 'a person who holds a second job (usually after hours)'),\n", " ('shine', 'the light of the Moon'),\n", " ('stone',\n", " 'a transparent or translucent gemstone with a pearly luster; some specimens are orthoclase feldspar and others are plagioclase feldspar'),\n", " ('walk',\n", " 'a kind of dance step in which the dancer seems to be sliding on the spot')]},\n", " {'answer': 'motor',\n", " 'hint': 'motor _',\n", " 'clues': [('bike',\n", " 'small motorcycle with a low frame and small wheels and elevated handlebars'),\n", " ('boat', 'a boat propelled by an internal-combustion engine'),\n", " ('car',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine'),\n", " ('cycle', 'a motor vehicle with two wheels and a strong frame'),\n", " ('cycling', 'riding a motorcycle'),\n", " ('cyclist', 'a traveler who rides a motorcycle'),\n", " ('mouth', 'someone who talks incessantly'),\n", " ('way', 'a broad highway designed for high-speed traffic')]},\n", " {'answer': 'neck',\n", " 'hint': 'neck _',\n", " 'clues': [('band', 'a band around the collar of a garment'),\n", " ('lace',\n", " 'jewelry consisting of a cord or chain (often bearing gems) worn about the neck as an ornament (especially by women)'),\n", " ('line', 'the line formed by the edge of a garment around the neck'),\n", " ('tie',\n", " 'neckwear consisting of a long narrow piece of material worn (mostly by men) under a collar and tied in knot at the front')]},\n", " {'answer': 'news',\n", " 'hint': 'news _',\n", " 'clues': [('agent', 'someone who sells newspapers'),\n", " ('boy', 'a boy who delivers newspapers'),\n", " ('cast', 'a broadcast of news or commentary on the news'),\n", " ('caster', 'someone who broadcasts the news'),\n", " ('dealer', 'someone who sells newspapers'),\n", " ('flash',\n", " 'a short news announcement concerning some on-going news story'),\n", " ('letter',\n", " 'report or open letter giving informal or confidential news of interest to a special group'),\n", " ('paper',\n", " 'a daily or weekly publication on folded sheets; contains news and articles and advertisements'),\n", " ('print',\n", " 'cheap paper made from wood pulp and used for printing newspapers'),\n", " ('reader', 'someone who reads out broadcast news bulletin'),\n", " ('reel', 'a short film and commentary about current events'),\n", " ('room',\n", " 'the staff of a newspaper or the news department of a periodical'),\n", " ('stand', 'a stall where newspapers and other periodicals are sold')]},\n", " {'answer': 'night',\n", " 'hint': 'night _',\n", " 'clues': [('cap', 'an alcoholic drink taken at bedtime; often alcoholic'),\n", " ('clothes', 'garments designed to be worn in bed'),\n", " ('club',\n", " 'a spot that is open late at night and that provides entertainment (as singers or dancers) as well as dancing and food and drink'),\n", " ('dress',\n", " 'lingerie consisting of a loose dress designed to be worn in bed by women'),\n", " ('fall', 'the time of day immediately following sunset'),\n", " ('gown',\n", " 'lingerie consisting of a loose dress designed to be worn in bed by women'),\n", " ('hawk', 'a person who likes to be active late at night'),\n", " ('life',\n", " 'the entertainment available to people seeking nighttime diversion'),\n", " ('mare', 'a situation resembling a terrifying dream'),\n", " ('shade',\n", " 'any of numerous shrubs or herbs or vines of the genus Solanum; most are poisonous though many bear edible fruit'),\n", " ('shirt', 'nightclothes worn by men'),\n", " ('spot',\n", " 'a spot that is open late at night and that provides entertainment (as singers or dancers) as well as dancing and food and drink'),\n", " ('stick', 'a short stout club used primarily by policemen'),\n", " ('time',\n", " 'the time after sunset and before sunrise while it is dark outside'),\n", " ('wear', 'garments designed to be worn in bed')]},\n", " {'answer': 'nose',\n", " 'hint': 'nose _',\n", " 'clues': [('bag',\n", " 'a canvas bag that is used to feed an animal (such as a horse); covers the muzzle and fastens at the top of the head'),\n", " ('bleed', 'bleeding from the nose'),\n", " ('dive', 'a sudden sharp drop or rapid decline'),\n", " ('gay', 'an arrangement of flowers that is usually given as a present')]},\n", " {'answer': 'nut',\n", " 'hint': 'nut _',\n", " 'clues': [('case', 'someone deranged and possibly dangerous'),\n", " ('cracker', 'a compound lever used to crack nuts open'),\n", " ('hatch',\n", " 'any of various small short-tailed songbirds with strong feet and a sharp beak that feed on small nuts and insects'),\n", " ('house', 'pejorative terms for an insane asylum'),\n", " ('shell', 'the shell around the kernel of a nut')]},\n", " {'answer': 'off',\n", " 'hint': 'off _',\n", " 'clues': [('print',\n", " 'a separately printed article that originally appeared in a larger publication'),\n", " ('set', 'the time at which something is supposed to begin'),\n", " ('side',\n", " '(sport) the mistake of occupying an illegal position on the playing field (in football, soccer, ice hockey, field hockey, etc.)'),\n", " ('spring', 'the immediate descendants of a person'),\n", " ('stage', 'a stage area out of sight of the audience')]},\n", " {'answer': 'oil',\n", " 'hint': 'oil _',\n", " 'clues': [('can', 'a can with a long nozzle to apply oil to machinery'),\n", " ('cloth',\n", " 'cloth treated on one side with a drying oil or synthetic resin'),\n", " ('field',\n", " 'a region rich in petroleum deposits (especially one with producing oil wells)'),\n", " ('seed', 'any of several seeds that yield oil'),\n", " ('skin',\n", " 'a macintosh made from cotton fabric treated with oil and pigment to make it waterproof')]},\n", " {'answer': 'out',\n", " 'hint': 'out _',\n", " 'clues': [('back', 'the bush country of the interior of Australia'),\n", " ('field',\n", " 'the area of a baseball playing field beyond the lines connecting the bases'),\n", " ('fitter', \"someone who sells men's clothes\"),\n", " ('skirts', 'outlying areas (as of a city or town)'),\n", " ('station', 'a station in a remote or sparsely populated location')]},\n", " {'answer': 'over',\n", " 'hint': 'over _',\n", " 'clues': [('abundance', 'the state of being more than full'),\n", " ('achiever',\n", " 'a student who attains higher standards than the IQ indicated'),\n", " ('acting', 'poor acting by a ham actor'),\n", " ('age',\n", " 'a surplus or excess of money or merchandise that is actually on hand and that exceeds expectations'),\n", " ('all',\n", " '(usually plural) work clothing consisting of denim trousers (usually with a bib and shoulder straps)'),\n", " ('bid', 'a bid that is higher than preceding bids'),\n", " ('bite',\n", " '(dentistry) malocclusion in which the upper teeth extend abnormally far over the lower teeth'),\n", " ('burden',\n", " 'the surface soil that must be moved away to get at coal seams and mineral deposits'),\n", " ('cast', 'the state of the sky when it is covered by clouds'),\n", " ('charge', 'a price that is too high'),\n", " ('coat', 'a heavy coat worn over clothes in winter'),\n", " ('confidence',\n", " 'total certainty or greater certainty than circumstances warrant'),\n", " ('draft', 'a draft in excess of the credit balance'),\n", " ('drive',\n", " 'the state of high or excessive activity or productivity or concentration'),\n", " ('eating', 'eating to excess (personified as one of the deadly sins)'),\n", " ('emphasis', 'too much emphasis'),\n", " ('estimate', 'an appraisal that is too high'),\n", " ('estimation', 'an appraisal that is too high'),\n", " ('exertion',\n", " 'excessive exertion; so much exertion that discomfort or injury results'),\n", " ('exposure',\n", " 'the act of exposing film to too much light or for too long a time'),\n", " ('feeding', 'excessive feeding'),\n", " ('flight',\n", " 'a flight by an aircraft over a particular area (especially over an area in foreign territory)'),\n", " ('flow', 'a large flow'),\n", " ('growth',\n", " 'excessive size; usually caused by excessive secretion of growth hormone from the pituitary gland'),\n", " ('hang', 'projection that extends beyond or hangs over something else'),\n", " ('haul', 'periodic maintenance on a car or machine'),\n", " ('head',\n", " 'the expense of maintaining property (e.g., paying property taxes and utilities and insurance); it does not include depreciation or the cost of financing or income taxes'),\n", " ('indulgence', 'excessive indulgence'),\n", " ('kill',\n", " 'the capability to obliterate a target with more weapons (especially nuclear weapons) than are required'),\n", " ('lap',\n", " 'a representation of common ground between theories or phenomena'),\n", " ('lapping',\n", " 'covering with a design in which one element covers a part of another (as with tiles or shingles)'),\n", " ('lay',\n", " 'protective covering consisting, for example, of a layer of boards applied to the studs and joists of a building to strengthen it and serve as a foundation for a weatherproof exterior'),\n", " ('load',\n", " 'an electrical load that exceeds the available electrical power'),\n", " ('look', 'a high place affording a good view'),\n", " ('lord', 'a person who has general authority over others'),\n", " ('much', 'a quantity that is more than what is appropriate'),\n", " ('pass',\n", " 'bridge formed by the upper level of a crossing of two highways at different levels'),\n", " ('payment', 'a payment larger than needed or expected'),\n", " ('population', 'too much population'),\n", " ('pressure',\n", " 'a transient air pressure greater than the surrounding atmospheric pressure'),\n", " ('print', 'something added by overprinting'),\n", " ('production', 'too much production or more than expected'),\n", " ('rating', 'a calculation that results in an estimate that is too high'),\n", " ('reaction',\n", " 'an excessive reaction; a reaction with inappropriate emotional behavior'),\n", " ('ride',\n", " 'a manually operated device to correct the operation of an automatic device'),\n", " ('run', 'too much production or more than expected'),\n", " ('seer', 'a person who directs and manages an organization'),\n", " ('shoe', 'footwear that protects your shoes from water or snow or cold'),\n", " ('shoot', 'an approach that fails and gives way to another attempt'),\n", " ('sight',\n", " 'an unintentional omission resulting from failure to notice something'),\n", " ('spill',\n", " 'the relocation of people from overcrowded cities; they are accommodated in new houses or apartments in smaller towns'),\n", " ('statement', 'making to seem more important than it really is'),\n", " ('supply', 'the quality of being so overabundant that prices fall'),\n", " ('taking',\n", " 'going by something that is moving in order to get in front of it'),\n", " ('throw',\n", " 'the termination of a ruler or institution (especially by force)'),\n", " ('time', 'work done in addition to regular working hours'),\n", " ('tone', '(usually plural) an ulterior implicit meaning or quality'),\n", " ('turn', 'the act of upsetting something'),\n", " ('use', 'exploitation to the point of diminishing returns'),\n", " ('valuation', 'an appraisal that is too high'),\n", " ('view', 'a general summary of a subject'),\n", " ('weight', 'the property of excessive fatness'),\n", " ('work', 'the act of working too much or too long')]},\n", " {'answer': 'paper',\n", " 'hint': 'paper _',\n", " 'clues': [('back', 'a book with paper covers'),\n", " ('board', 'a cardboard suitable for making posters'),\n", " ('boy', 'a boy who sells or delivers newspapers'),\n", " ('clip', 'a wire or plastic clip for holding sheets of paper together'),\n", " ('hanger', 'someone who passes bad checks or counterfeit paper money'),\n", " ('hanging', 'the application of wallpaper'),\n", " ('weight', 'a weight used to hold down a stack of papers'),\n", " ('work',\n", " 'work that involves handling papers: forms or letters or reports etc.')]},\n", " {'answer': 'para',\n", " 'hint': 'para _',\n", " 'clues': [('gliding', 'gliding in a parasail'),\n", " ('medic',\n", " 'a person trained to assist medical professionals and to give emergency medical treatment'),\n", " ('trooper', 'a soldier in the paratroops'),\n", " ('troops', 'infantry trained and equipped to parachute')]},\n", " {'answer': 'pay',\n", " 'hint': 'pay _',\n", " 'clues': [('back',\n", " 'financial return or reward (especially returns equal to the initial investment)'),\n", " ('check', 'a check issued in payment of wages or salary'),\n", " ('day', 'the day on which you receive pay for your work'),\n", " ('load',\n", " 'the front part of a guided missile or rocket or torpedo that carries the nuclear or explosive charge or the chemical or biological agents'),\n", " ('master', 'a person in charge of paying wages'),\n", " ('off', 'the final payment of a debt'),\n", " ('roll', 'a list of employees and their salaries'),\n", " ('slip',\n", " 'a slip of paper included with your pay that records how much money you have earned and how much tax or insurance etc. has been taken out')]},\n", " {'answer': 'pea',\n", " 'hint': 'pea _',\n", " 'clues': [('cock',\n", " 'European butterfly having reddish-brown wings each marked with a purple eyespot'),\n", " ('fowl',\n", " 'very large terrestrial southeast Asian pheasant often raised as an ornamental bird'),\n", " ('hen', 'female peafowl'),\n", " ('nut', 'underground pod of the peanut vine')]},\n", " {'answer': 'peace',\n", " 'hint': 'peace _',\n", " 'clues': [('keeper',\n", " 'a member of a military force that is assigned (often with international sanction) to preserve peace in a trouble area'),\n", " ('keeping',\n", " 'the activity of keeping the peace by military forces (especially when international military forces enforce a truce between hostile groups or nations)'),\n", " ('maker', 'someone who tries to bring peace'),\n", " ('time', 'a period of time during which there is no war')]},\n", " {'answer': 'pig',\n", " 'hint': 'pig _',\n", " 'clues': [('pen', 'a pen for swine'),\n", " ('skin', 'leather from the skin of swine'),\n", " ('sty', 'a pen for swine'),\n", " ('swill',\n", " 'wet feed (especially for pigs) consisting of mostly kitchen waste mixed with water or skimmed or sour milk'),\n", " ('tail', 'a plait of braided hair')]},\n", " {'answer': 'pin',\n", " 'hint': 'pin _',\n", " 'clues': [('ball',\n", " 'a game played on a sloping board; the object is to propel marbles against pins or into pockets'),\n", " ('cushion',\n", " 'a small stiff cushion into which pins are stuck ready for use'),\n", " ('head', 'an ignorant or foolish person'),\n", " ('hole', 'a small puncture that might have been made by a pin'),\n", " ('point', 'a very brief moment'),\n", " ('prick', 'a minor annoyance'),\n", " ('stripe', 'a suit made from a fabric with very thin stripes'),\n", " ('wheel',\n", " 'perennial subshrub of Tenerife having leaves in rosettes resembling pinwheels')]},\n", " {'answer': 'play',\n", " 'hint': 'play _',\n", " 'clues': [('acting', 'the performance of a part or role in a drama'),\n", " ('back', 'the act of reproducing recorded sound'),\n", " ('bill', 'a theatrical program'),\n", " ('book',\n", " 'a notebook containing descriptions and diagrams of the plays that a team has practiced (especially an American football team)'),\n", " ('boy', 'a man devoted to the pursuit of pleasure'),\n", " ('fellow', 'a companion at play'),\n", " ('goer', 'someone who attends the theater'),\n", " ('ground', 'an area where many people go for recreation'),\n", " ('house',\n", " 'plaything consisting of a small model of a house that children can play inside of'),\n", " ('mate', 'a companion at play'),\n", " ('off', 'any final competition to determine a championship'),\n", " ('pen', 'a portable enclosure in which babies may be left to play'),\n", " ('room',\n", " \"a recreation room for noisy activities (parties or children's play etc)\"),\n", " ('school',\n", " 'a small informal nursery group meeting for half-day sessions'),\n", " ('thing', 'an artifact designed to be played with'),\n", " ('time', 'time for play or diversion'),\n", " ('wright', 'someone who writes plays')]},\n", " {'answer': 'post',\n", " 'hint': 'post _',\n", " 'clues': [('bag', \"letter carrier's shoulder bag\"),\n", " ('box', 'public box for deposit of mail'),\n", " ('card', 'a card for sending messages by post without an envelope'),\n", " ('code',\n", " 'a code of letters and digits added to a postal address to aid in the sorting of mail'),\n", " ('mark',\n", " 'a cancellation mark stamped on mail by postal officials; indicates the post office and date of mailing'),\n", " ('master', 'the person in charge of a post office'),\n", " ('mistress', 'a woman postmaster')]},\n", " {'answer': 'pot',\n", " 'hint': 'pot _',\n", " 'clues': [('ash',\n", " 'a potassium compound often used in agriculture and industry'),\n", " ('belly', 'slang for a paunch'),\n", " ('boiler',\n", " 'a literary composition of poor quality that was written quickly to make money (to boil the pot)'),\n", " ('head', 'someone who smokes marijuana habitually'),\n", " ('herb',\n", " 'any of various herbaceous plants whose leaves or stems or flowers are cooked and used for food or seasoning'),\n", " ('holder', 'an insulated pad for holding hot pots'),\n", " ('hole',\n", " 'a pit or hole produced by wear or weathering (especially in a road surface)'),\n", " ('hook', 'an S-shaped hook to suspend a pot over a fire'),\n", " ('luck',\n", " 'whatever happens to be available especially when offered to an unexpected guest or when brought by guests and shared by all'),\n", " ('pie', 'deep-dish meat and vegetable pie or a meat stew with dumplings'),\n", " ('sherd', 'a shard of pottery'),\n", " ('shot',\n", " 'a shot taken at an easy or casual target (as by a pothunter)')]},\n", " {'answer': 'push',\n", " 'hint': 'push _',\n", " 'clues': [('cart',\n", " 'wheeled vehicle that can be pushed by a person; may have one or two or four wheels'),\n", " ('chair',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('over', 'someone who is easily taken advantage of'),\n", " ('pin',\n", " 'a tack for attaching papers to a bulletin board or drawing board')]},\n", " {'answer': 'quarter',\n", " 'hint': 'quarter _',\n", " 'clues': [('back', '(football) the person who plays quarterback'),\n", " ('deck', \"the stern area of a ship's upper deck\"),\n", " ('final',\n", " 'one of the four competitions in an elimination tournament whose winners go on to play in the semifinals'),\n", " ('master',\n", " 'an army officer who provides clothing and subsistence for troops'),\n", " ('staff', 'a long stout staff used as a weapon')]},\n", " {'answer': 'quick',\n", " 'hint': 'quick _',\n", " 'clues': [('lime',\n", " 'a white crystalline oxide used in the production of calcium hydroxide'),\n", " ('sand', 'a treacherous situation that tends to entrap and destroy'),\n", " ('silver',\n", " 'a heavy silvery toxic univalent and bivalent metallic element; the only metal that is liquid at ordinary temperatures'),\n", " ('step', 'military march accompanying quick time')]},\n", " {'answer': 'race',\n", " 'hint': 'race _',\n", " 'clues': [('course', 'a course over which races are run'),\n", " ('horse', 'a horse bred for racing'),\n", " ('track', 'a course over which races are run'),\n", " ('way', 'a canal for a current of water')]},\n", " {'answer': 'rag',\n", " 'hint': 'rag _',\n", " 'clues': [('bag', 'a motley assortment of things'),\n", " ('tag', 'disparaging terms for the common people'),\n", " ('time', 'music with a syncopated melody (usually for the piano)'),\n", " ('weed',\n", " 'widespread European weed having yellow daisylike flowers; sometimes an obnoxious weed and toxic to cattle if consumed in quantity'),\n", " ('wort',\n", " 'widespread European weed having yellow daisylike flowers; sometimes an obnoxious weed and toxic to cattle if consumed in quantity')]},\n", " {'answer': 'rain',\n", " 'hint': 'rain _',\n", " 'clues': [('bow',\n", " \"an arc of colored light in the sky caused by refraction of the sun's rays by rain\"),\n", " ('coat', 'a water-resistant coat'),\n", " ('drop', 'a drop of rain'),\n", " ('fall', 'water falling in drops from vapor condensed in the atmosphere'),\n", " ('maker',\n", " 'executive who is very successful in bringing in business to his company or firm'),\n", " ('making', 'activity intended to produce rain'),\n", " ('storm', 'a storm with rain'),\n", " ('water',\n", " 'drops of fresh water that fall as precipitation from clouds')]},\n", " {'answer': 'red',\n", " 'hint': 'red _',\n", " 'clues': [('bird', 'the male is bright red with black wings and tail'),\n", " ('breast', 'small Old World songbird with a reddish breast'),\n", " ('cap', 'a member of the military police in Britain'),\n", " ('coat',\n", " 'British soldier; so-called because of his red coat (especially during the American Revolution)'),\n", " ('head', 'someone who has red hair'),\n", " ('neck', 'a poor White person in the southern United States'),\n", " ('shift',\n", " '(astronomy) a shift in the spectra of very distant galaxies toward longer wavelengths (toward the red end of the spectrum); generally interpreted as evidence that the universe is expanding'),\n", " ('wood',\n", " 'the soft reddish wood of either of two species of sequoia trees')]},\n", " {'answer': 'ring',\n", " 'hint': 'ring _',\n", " 'clues': [('leader',\n", " 'a person who leads (especially in illicit activities)'),\n", " ('master', 'the person in charge of performances in a circus ring'),\n", " ('side',\n", " 'first row of seating; has an unobstructed view of a boxing or wrestling ring'),\n", " ('worm',\n", " 'infections of the skin or nails caused by fungi and appearing as itching circular patches')]},\n", " {'answer': 'road',\n", " 'hint': 'road _',\n", " 'clues': [('bed', 'a bed supporting a road'),\n", " ('block',\n", " 'any condition that makes it difficult to make progress or to achieve an objective'),\n", " ('house',\n", " 'an inn (usually outside city limits on a main road) providing meals and liquor and dancing and (sometimes) gambling'),\n", " ('kill',\n", " 'the dead body of an animal that has been killed on a road by a vehicle'),\n", " ('runner',\n", " 'speedy largely terrestrial bird found from California and Mexico to Texas'),\n", " ('side', 'edge of a way or road or path'),\n", " ('way',\n", " 'a road (especially that part of a road) over which vehicles travel')]},\n", " {'answer': 'round',\n", " 'hint': 'round _',\n", " 'clues': [('about',\n", " 'a road junction at which traffic streams circularly around a central island'),\n", " ('house',\n", " 'workplace consisting of a circular building for repairing locomotives'),\n", " ('table', 'a meeting of peers for discussion and exchange of views'),\n", " ('worm',\n", " 'infections of the skin or nails caused by fungi and appearing as itching circular patches')]},\n", " {'answer': 'run',\n", " 'hint': 'run _',\n", " 'clues': [('about',\n", " 'an open automobile having a front seat and a rumble seat'),\n", " ('away', 'an easy victory'),\n", " ('down',\n", " 'a concluding summary (as in presenting a case before a law court)'),\n", " ('off',\n", " 'the occurrence of surplus liquid (as water) exceeding the limit or capacity')]},\n", " {'answer': 'sail',\n", " 'hint': 'sail _',\n", " 'clues': [('boat', 'a small sailing vessel; usually with a single mast'),\n", " ('cloth',\n", " 'a strong fabric (such as cotton canvas) used for making sails and tents'),\n", " ('fish', 'a saltwater fish with lean flesh'),\n", " ('plane',\n", " 'aircraft supported only by the dynamic action of air against its surfaces')]},\n", " {'answer': 'sales',\n", " 'hint': 'sales _',\n", " 'clues': [('clerk', 'a salesperson in a store'),\n", " ('girl', 'a woman salesperson'),\n", " ('lady', 'a woman salesperson'),\n", " ('person',\n", " 'a person employed to represent a business and to sell its merchandise (as to customers in a store or to customers who are visited)'),\n", " ('room', 'an area where merchandise (such as cars) can be displayed')]},\n", " {'answer': 'salt',\n", " 'hint': 'salt _',\n", " 'clues': [('box',\n", " 'a type of house built in New England; has two stories in front and one behind'),\n", " ('cellar', 'a small container for holding salt at the dining table'),\n", " ('peter', '(KNO3) used especially as a fertilizer and explosive'),\n", " ('shaker', 'a shaker with a perforated top for sprinkling salt'),\n", " ('water', 'water containing salts')]},\n", " {'answer': 'sand',\n", " 'hint': 'sand _',\n", " 'clues': [('bag',\n", " 'a bag filled with sand; used as a weapon or to build walls or as ballast'),\n", " ('bank',\n", " 'a submerged bank of sand near a shore or in a river; can be exposed at low tide'),\n", " ('bar', 'a bar of sand'),\n", " ('blast', 'a blast of wind laden with sand'),\n", " ('blaster',\n", " 'a tool that throws out a blast of steam laden with sand; used to clean or grind hard surfaces'),\n", " ('box', 'mold consisting of a box with sand shaped to mold metal'),\n", " ('lot', 'a vacant lot used by city boys to play games'),\n", " ('paper', 'stiff paper coated with powdered emery or sand'),\n", " ('piper',\n", " 'any of numerous usually small wading birds having a slender bill and piping call; closely related to the plovers'),\n", " ('pit', 'a large pit in sandy ground from which sand is dug'),\n", " ('stone',\n", " 'a sedimentary rock consisting of sand consolidated with some cement (clay or quartz etc.)'),\n", " ('storm', 'a windstorm that lifts up clouds of dust or sand')]},\n", " {'answer': 'saw',\n", " 'hint': 'saw _',\n", " 'clues': [('bones', 'a physician who specializes in surgery'),\n", " ('buck', 'a framework for holding wood that is being sawed'),\n", " ('dust', 'fine particles of wood made by sawing wood'),\n", " ('fly',\n", " 'insect whose female has a saw-like ovipositor for inserting eggs into the leaf or stem tissue of a host plant'),\n", " ('horse', 'a framework for holding wood that is being sawed'),\n", " ('mill', 'a large sawing machine'),\n", " ('tooth', 'a serration on a saw blade')]},\n", " {'answer': 'school',\n", " 'hint': 'school _',\n", " 'clues': [('bag', 'a bag for carrying school books and supplies'),\n", " ('book', 'a book prepared for use in schools or colleges'),\n", " ('boy', 'a boy attending school'),\n", " ('child',\n", " 'a young person attending school (up through senior high school)'),\n", " ('days', 'the time of life when you are going to school'),\n", " ('fellow', 'an acquaintance that you go to school with'),\n", " ('friend', 'a friend who attends the same school'),\n", " ('girl', 'a girl attending school'),\n", " ('house', 'a building where young people receive education'),\n", " ('master', 'presiding officer of a school'),\n", " ('mate', 'an acquaintance that you go to school with'),\n", " ('mistress', 'a woman schoolteacher (especially one regarded as strict)'),\n", " ('room', 'a room in a school where lessons take place'),\n", " ('teacher', 'a teacher in a school below the college level'),\n", " ('work', 'a school task performed by a student to satisfy the teacher'),\n", " ('yard', 'the yard associated with a school')]},\n", " {'answer': 'sea',\n", " 'hint': 'sea _',\n", " 'clues': [('bed', 'the bottom of a sea or ocean'),\n", " ('bird',\n", " 'a bird that frequents coastal waters and the open ocean: gulls; pelicans; gannets; cormorants; albatrosses; petrels; etc.'),\n", " ('board', 'the shore of a sea or ocean regarded as a resort'),\n", " ('coast', 'the shore of a sea or ocean'),\n", " ('faring', 'the work of a sailor'),\n", " ('food',\n", " 'edible fish (broadly including freshwater fish) or shellfish or roe etc'),\n", " ('front', 'the waterfront of a seaside town'),\n", " ('gull',\n", " 'mostly white aquatic bird having long pointed wings and short legs'),\n", " ('horse',\n", " 'either of two large northern marine mammals having ivory tusks and tough hide over thick blubber'),\n", " ('plane', 'an airplane that can land on or take off from water'),\n", " ('port', 'a sheltered port where ships can take on or discharge cargo'),\n", " ('scape', 'a view of the sea'),\n", " ('shell', 'the shell of a marine organism'),\n", " ('shore', 'the shore of a sea or ocean'),\n", " ('sickness', 'motion sickness experienced while traveling on water'),\n", " ('side', 'the shore of a sea or ocean regarded as a resort'),\n", " ('wall',\n", " 'a protective structure of stone or concrete; extends from shore into the water to prevent a beach from washing away'),\n", " ('water', 'water containing salts'),\n", " ('way', 'a lane at sea that is a regularly used route for vessels'),\n", " ('weed', 'plant growing in the sea, especially marine algae'),\n", " ('worthiness', 'fitness to traverse the seas')]},\n", " {'answer': 'share',\n", " 'hint': 'share _',\n", " 'clues': [('cropper', 'small farmers and tenants'),\n", " ('holder', 'someone who holds shares of stock in a corporation'),\n", " ('holding', 'a holding in the form of shares of corporations'),\n", " ('ware',\n", " 'software that is available free of charge; may be distributed for evaluation with a fee requested for additional features or a manual etc.')]},\n", " {'answer': 'sheep',\n", " 'hint': 'sheep _',\n", " 'clues': [('dog',\n", " 'any of various usually long-haired breeds of dog reared to herd and guard sheep'),\n", " ('fold', 'a pen for sheep'),\n", " ('herder',\n", " 'a herder of sheep (on an open range); someone who keeps the sheep together in a flock'),\n", " ('skin',\n", " 'tanned skin of a sheep with the fleece left on; used for clothing')]},\n", " {'answer': 'ship',\n", " 'hint': 'ship _',\n", " 'clues': [('builder',\n", " 'a carpenter who helps build and launch wooden vessels'),\n", " ('building', 'the construction of ships'),\n", " ('load',\n", " 'the amount of cargo that can be held by a boat or ship or a freight car'),\n", " ('mate', 'an associate on the same ship with you'),\n", " ('owner', 'someone who owns a ship or a share in a ship'),\n", " ('wreck', 'a wrecked ship (or a part of one)'),\n", " ('wright', 'a carpenter who helps build and launch wooden vessels'),\n", " ('yard', 'a workplace where ships are built or repaired')]},\n", " {'answer': 'shirt',\n", " 'hint': 'shirt _',\n", " 'clues': [('front',\n", " 'the front of a shirt (usually the part not covered by a jacket)'),\n", " ('sleeve', 'the sleeve of a shirt'),\n", " ('tail', 'a brief addendum at the end of a newspaper article'),\n", " ('waist', 'a blouse with buttons down the front')]},\n", " {'answer': 'shoe',\n", " 'hint': 'shoe _',\n", " 'clues': [('box',\n", " 'a structure resembling a shoebox (as a rectangular building or a cramped room or compartment)'),\n", " ('horn', 'a device used for easing the foot into a shoe'),\n", " ('lace', 'a lace used for fastening shoes'),\n", " ('maker', 'a person who makes or repairs shoes'),\n", " ('shine', 'a shiny finish put on shoes with polish and buffing'),\n", " ('string', 'a lace used for fastening shoes'),\n", " ('tree',\n", " 'a wooden or metal device that is inserted into a shoe to preserve its shape when it is not being worn')]},\n", " {'answer': 'shop',\n", " 'hint': 'shop _',\n", " 'clues': [('front',\n", " 'the front side of a store facing the street; usually contains display windows'),\n", " ('keeper', 'a merchant who owns or manages a shop'),\n", " ('lifter', 'a thief who steals goods that are in a store'),\n", " ('lifting', 'the act of stealing goods that are on display in a store')]},\n", " {'answer': 'short',\n", " 'hint': 'short _',\n", " 'clues': [('bread', 'very rich thick butter cookie'),\n", " ('cake',\n", " 'very short biscuit dough baked as individual biscuits or a round loaf; served with sweetened fruit and usually whipped cream'),\n", " ('coming', 'a failing or deficiency'),\n", " ('cut', 'a route shorter than the usual one'),\n", " ('fall',\n", " 'the property of being an amount by which something is less than expected or required'),\n", " ('hand', 'a method of writing rapidly'),\n", " ('horn', 'English breed of short-horned cattle'),\n", " ('list',\n", " 'a list of applicants winnowed from a longer list who have been deemed suitable and from which the successful person will be chosen'),\n", " ('stop', '(baseball) the person who plays the shortstop position')]},\n", " {'answer': 'show',\n", " 'hint': 'show _',\n", " 'clues': [('boat',\n", " 'a river steamboat on which theatrical performances could be given (especially on the Mississippi River)'),\n", " ('case', 'a setting in which something can be displayed to best effect'),\n", " ('down', 'a hostile disagreement face-to-face'),\n", " ('girl', 'a woman who dances in a chorus line'),\n", " ('jumping',\n", " 'riding horses in competitions over set courses to demonstrate skill in jumping over obstacles'),\n", " ('piece',\n", " 'the outstanding item (the prize piece or main exhibit) in a collection'),\n", " ('place',\n", " 'a place that is frequently exhibited and visited for its historical interest or natural beauty'),\n", " ('room', 'an area where merchandise (such as cars) can be displayed'),\n", " ('stopper',\n", " 'an act so striking or impressive that the show must be delayed until the audience quiets down'),\n", " ('time', 'the time at which something is supposed to begin')]},\n", " {'answer': 'side',\n", " 'hint': 'side _',\n", " 'clues': [('bar',\n", " \"(law) a courtroom conference between the lawyers and the judge that is held out of the jury's hearing\"),\n", " ('board',\n", " 'a removable board fitted on the side of a wagon to increase its capacity'),\n", " ('car', 'a cocktail made of orange liqueur with lemon juice and brandy'),\n", " ('kick',\n", " 'a close friend who accompanies his buddies in their activities'),\n", " ('light',\n", " \"light carried by a boat that indicates the boat's direction; vessels at night carry a red light on the port bow and a green light on the starboard bow\"),\n", " ('line', 'a line that marks the side boundary of a playing field'),\n", " ('saddle',\n", " 'a saddle for a woman; rider sits with both feet on the same side of the horse'),\n", " ('show',\n", " 'a subordinate incident of little importance relative to the main event'),\n", " ('step', 'a step to one side (as in boxing or dancing)'),\n", " ('stroke',\n", " 'a swimming stroke in which the arms move forward and backward while the legs do a scissors kick'),\n", " ('swipe',\n", " 'a glancing blow from or on the side of something (especially motor vehicles)'),\n", " ('track',\n", " 'a short stretch of railroad track used to store rolling stock or enable trains on the same line to pass'),\n", " ('walk',\n", " 'walk consisting of a paved area for pedestrians; usually beside a street or roadway'),\n", " ('wall', 'the side of an automobile tire'),\n", " ('winder',\n", " 'small pale-colored desert rattlesnake of southwestern United States; body moves in an s-shaped curve')]},\n", " {'answer': 'sky',\n", " 'hint': 'sky _',\n", " 'clues': [('cap',\n", " 'a porter who helps passengers with their baggage at an airport'),\n", " ('diver',\n", " 'a person who jumps from a plane and performs various gymnastic maneuvers before pulling the parachute cord'),\n", " ('diving',\n", " 'performing acrobatics in free fall before pulling the ripcord of a parachute'),\n", " ('lark',\n", " 'brown-speckled European lark noted for singing while hovering at a great height'),\n", " ('light', 'a window in a roof to admit daylight'),\n", " ('line', 'the outline of objects seen against the sky'),\n", " ('rocket',\n", " 'propels bright light high in the sky, or used to propel a lifesaving line or harpoon'),\n", " ('scraper', 'a very tall building with many stories'),\n", " ('writing',\n", " 'writing formed in the sky by smoke released from an airplane')]},\n", " {'answer': 'sleep',\n", " 'hint': 'sleep _',\n", " 'clues': [('over',\n", " 'an occasion of spending a night away from home or having a guest spend the night in your home (especially as a party for children)'),\n", " ('walker', 'someone who walks about in their sleep'),\n", " ('walking', 'walking by a person who is asleep'),\n", " ('wear', 'garments designed to be worn in bed')]},\n", " {'answer': 'slip',\n", " 'hint': 'slip _',\n", " 'clues': [('cover',\n", " 'a removable fitted cloth covering for upholstered furniture'),\n", " ('knot',\n", " 'a knot at the end of a cord or rope that can slip along the cord or rope around which it is made'),\n", " ('stream',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('way',\n", " 'structure consisting of a sloping way down to the water from the place where ships are built or repaired')]},\n", " {'answer': 'snow',\n", " 'hint': 'snow _',\n", " 'clues': [('ball',\n", " 'plant having heads of fragrant white trumpet-shaped flowers; grows in sandy arid regions'),\n", " ('bank', 'a mound or heap of snow'),\n", " ('bird', 'medium-sized Eurasian thrush seen chiefly in winter'),\n", " ('board',\n", " 'a board that resembles a broad ski or a small surfboard; used in a standing position to slide down snow-covered slopes'),\n", " ('boarder',\n", " 'someone who slides down snow-covered slopes while standing on a snowboard'),\n", " ('drift', 'a mass of snow heaped up by the wind'),\n", " ('drop',\n", " 'common anemone of eastern North America with solitary pink-tinged white flowers'),\n", " ('fall', 'precipitation falling from clouds in the form of ice crystals'),\n", " ('field', 'a permanent wide expanse of snow'),\n", " ('flake', 'a crystal of snow'),\n", " ('mobile', 'tracked vehicle for travel on snow having skis in front'),\n", " ('plough', 'a vehicle used to push snow from roads'),\n", " ('plow', 'a vehicle used to push snow from roads'),\n", " ('shoe',\n", " 'a device to help you walk on deep snow; a lightweight frame shaped like a racquet is strengthened with cross pieces and contains a network of thongs; one is worn on each foot'),\n", " ('storm', 'a storm with widespread snowfall accompanied by strong winds'),\n", " ('suit', \"a child's overgarment for cold weather\")]},\n", " {'answer': 'soft',\n", " 'hint': 'soft _',\n", " 'clues': [('back', 'a book with paper covers'),\n", " ('ball', 'ball used in playing softball'),\n", " ('ware',\n", " '(computer science) written programs or procedures or rules and associated documentation pertaining to the operation of a computer system and that are stored in read/write memory'),\n", " ('wood',\n", " 'wood that is easy to saw (from conifers such as pine or fir)')]},\n", " {'answer': 'south',\n", " 'hint': 'south _',\n", " 'clues': [('east',\n", " 'the compass point midway between south and east; at 135 degrees'),\n", " ('easter', 'a strong wind from the southeast'),\n", " ('paw', 'a baseball pitcher who throws the ball with the left hand'),\n", " ('west',\n", " 'the compass point midway between south and west; at 225 degrees'),\n", " ('wester', 'a strong wind from the southwest')]},\n", " {'answer': 'space',\n", " 'hint': 'space _',\n", " 'clues': [('craft',\n", " 'a craft capable of traveling in outer space; technically, a satellite around the sun'),\n", " ('flight', \"a voyage outside the Earth's atmosphere\"),\n", " ('ship',\n", " 'a spacecraft designed to carry a crew into interstellar space (especially in science fiction)'),\n", " ('suit', 'a pressure suit worn by astronauts while in outer space')]},\n", " {'answer': 'sports',\n", " 'hint': 'sports _',\n", " 'clues': [('cast', 'a broadcast of sports news or commentary'),\n", " ('caster',\n", " 'an announcer who reads sports news or describes sporting events'),\n", " ('wear', 'attire worn for sport or for casual wear'),\n", " ('writer', 'a journalist who writes about sports')]},\n", " {'answer': 'stand',\n", " 'hint': 'stand _',\n", " 'clues': [('off',\n", " 'the finish of a contest in which the score is tied and the winner is undecided'),\n", " ('pipe', 'a vertical pipe'),\n", " ('point', 'a mental position from which things are viewed'),\n", " ('still',\n", " 'a situation in which no progress can be made or no advancement is possible')]},\n", " {'answer': 'star',\n", " 'hint': 'star _',\n", " 'clues': [('board',\n", " 'the right side of a ship or aircraft to someone who is aboard and facing the bow or nose'),\n", " ('dust', 'a dreamy romantic or sentimental quality'),\n", " ('fish',\n", " 'echinoderms characterized by five arms extending from a central disk'),\n", " ('gazer', 'someone indifferent to the busy world'),\n", " ('gazing', 'observation of the stars'),\n", " ('light', 'the light of the stars')]},\n", " {'answer': 'steam',\n", " 'hint': 'steam _',\n", " 'clues': [('boat', 'a boat propelled by a steam engine'),\n", " ('fitter',\n", " 'a craftsman who installs and maintains equipment for ventilating or heating or refrigerating'),\n", " ('roller',\n", " 'a massive inexorable force that seems to crush everything in its way'),\n", " ('ship', 'a ship powered by one or more steam engines')]},\n", " {'answer': 'steel',\n", " 'hint': 'steel _',\n", " 'clues': [('maker', 'a worker engaged in making steel'),\n", " ('worker', 'a worker engaged in making steel'),\n", " ('works', 'a factory where steel is made'),\n", " ('yard',\n", " 'a portable balance consisting of a pivoted bar with arms of unequal length')]},\n", " {'answer': 'stock',\n", " 'hint': 'stock _',\n", " 'clues': [('broker',\n", " 'an agent in the buying and selling of stocks and bonds'),\n", " ('holder', 'someone who holds shares of stock in a corporation'),\n", " ('pile',\n", " 'something kept back or saved for future use or a special purpose'),\n", " ('piling', 'accumulating and storing a reserve supply'),\n", " ('pot', 'a pot used for preparing soup stock'),\n", " ('room', 'storeroom for storing goods and supplies used in a business'),\n", " ('taking', 'reappraisal of a situation or position or outlook'),\n", " ('yard',\n", " 'enclosed yard where cattle, pigs, horses, or sheep are kept temporarily')]},\n", " {'answer': 'stone',\n", " 'hint': 'stone _',\n", " 'clues': [('mason', 'a craftsman who works with stone or brick'),\n", " ('walling',\n", " 'stalling or delaying especially by refusing to answer questions or cooperate'),\n", " ('ware',\n", " 'ceramic ware that is fired in high heat and vitrified and nonporous'),\n", " ('work', 'masonry done with stone')]},\n", " {'answer': 'stop',\n", " 'hint': 'stop _',\n", " 'clues': [('cock',\n", " 'faucet consisting of a rotating device for regulating flow of a liquid'),\n", " ('gap', 'something contrived to meet an urgent need or emergency'),\n", " ('light',\n", " 'a red light on the rear of a motor vehicle that signals when the brakes are applied to slow or stop'),\n", " ('over', 'a stopping place on a journey'),\n", " ('watch',\n", " 'a timepiece that can be started or stopped for exact timing (as of a race)')]},\n", " {'answer': 'store',\n", " 'hint': 'store _',\n", " 'clues': [('front',\n", " 'the front side of a store facing the street; usually contains display windows'),\n", " ('house', 'a depository for goods'),\n", " ('keeper', 'a merchant who owns or manages a shop'),\n", " ('room', 'a room in which things are stored')]},\n", " {'answer': 'sun',\n", " 'hint': 'sun _',\n", " 'clues': [('bather',\n", " 'someone who basks in the sunshine in order to get a suntan'),\n", " ('beam', 'a ray of sunlight'),\n", " ('block',\n", " 'a cream spread on the skin; contains a chemical (as PABA) to filter out ultraviolet light and so protect from sunburn'),\n", " ('bonnet',\n", " 'a large bonnet that shades the face; worn by girls and women'),\n", " ('burn',\n", " 'a browning of the skin resulting from exposure to the rays of the sun'),\n", " ('burst', 'a sudden emergence of the sun from behind clouds'),\n", " ('dial',\n", " 'timepiece that indicates the daylight hours by the shadow that the gnomon casts on a calibrated dial'),\n", " ('down',\n", " 'the time in the evening at which the sun begins to fall below the horizon'),\n", " ('dress',\n", " 'a light loose sleeveless summer dress with a wide neckline and thin shoulder straps that expose the arms and shoulders'),\n", " ('fish',\n", " 'the lean flesh of any of numerous American perch-like fishes of the family Centrarchidae'),\n", " ('flower',\n", " 'any plant of the genus Helianthus having large flower heads with dark disk florets and showy yellow rays'),\n", " ('glasses',\n", " 'spectacles that are darkened or polarized to protect the eyes from the glare of the sun'),\n", " ('hat',\n", " 'a hat with a broad brim that protects the face from direct exposure to the sun'),\n", " ('lamp', 'a mercury-vapor lamp used in medical or cosmetic treatments'),\n", " ('light', 'the rays of the sun'),\n", " ('rise', 'the first light of day'),\n", " ('roof', 'an automobile roof having a sliding or raisable panel'),\n", " ('screen',\n", " 'a cream spread on the skin; contains a chemical (as PABA) to filter out ultraviolet light and so protect from sunburn'),\n", " ('set',\n", " 'the time in the evening at which the sun begins to fall below the horizon'),\n", " ('shade',\n", " 'a canopy made of canvas to shelter people or things from rain or sun'),\n", " ('shine', 'the rays of the sun'),\n", " ('spot',\n", " \"a cooler darker spot appearing periodically on the sun's photosphere; associated with a strong magnetic field\"),\n", " ('stroke',\n", " 'sudden prostration due to exposure to the sun or excessive heat'),\n", " ('tan',\n", " 'a browning of the skin resulting from exposure to the rays of the sun'),\n", " ('trap',\n", " 'a terrace or garden oriented to take advantage of the sun while protected from cold winds')]},\n", " {'answer': 'sweat',\n", " 'hint': 'sweat _',\n", " 'clues': [('band',\n", " 'a band of fabric or leather sewn inside the crown of a hat'),\n", " ('pants', 'loose-fitting trousers with elastic cuffs; worn by athletes'),\n", " ('shirt',\n", " 'cotton knit pullover with long sleeves worn during athletic activity'),\n", " ('shop',\n", " 'factory where workers do piecework for poor pay and are prevented from forming unions; common in the clothing industry'),\n", " ('suit', 'garment consisting of sweat pants and a sweatshirt')]},\n", " {'answer': 'sweet',\n", " 'hint': 'sweet _',\n", " 'clues': [('bread', 'edible glands of an animal'),\n", " ('brier',\n", " 'Eurasian rose with prickly stems and fragrant leaves and bright pink flowers followed by scarlet hips'),\n", " ('heart', 'a person loved by another person'),\n", " ('meat', 'a sweetened delicacy (as a preserve or pastry)')]},\n", " {'answer': 'table',\n", " 'hint': 'table _',\n", " 'clues': [('cloth', 'a covering spread over a dining table'),\n", " ('land', 'a relatively flat highland'),\n", " ('spoon', 'as much as a tablespoon will hold'),\n", " ('spoonful', 'as much as a tablespoon will hold'),\n", " ('top', 'the top horizontal work surface of a table'),\n", " ('ware',\n", " 'articles for use at the table (dishes and silverware and glassware)')]},\n", " {'answer': 'tail',\n", " 'hint': 'tail _',\n", " 'clues': [('back', '(American football) the person who plays tailback'),\n", " ('board', 'a gate at the rear of a vehicle; can be lowered for loading'),\n", " ('coat', 'formalwear consisting of full evening dress for men'),\n", " ('gate', 'a gate at the rear of a vehicle; can be lowered for loading'),\n", " ('light', 'lamp (usually red) mounted at the rear of a motor vehicle'),\n", " ('piece', 'appendage added to extend the length of something'),\n", " ('pipe', 'a pipe carrying fumes from the muffler to the rear of a car'),\n", " ('plane',\n", " \"the horizontal airfoil of an aircraft's tail assembly that is fixed and to which the elevator is hinged\"),\n", " ('spin',\n", " 'loss of emotional control often resulting in emotional collapse'),\n", " ('wind',\n", " 'wind blowing in the same direction as the path of a ship or aircraft')]},\n", " {'answer': 'take',\n", " 'hint': 'take _',\n", " 'clues': [('away',\n", " 'prepared food that is intended to be eaten off of the premises'),\n", " ('off', 'a departure; especially of airplanes'),\n", " ('out', 'prepared food that is intended to be eaten off of the premises'),\n", " ('over',\n", " 'a sudden and decisive change of government illegally or by force')]},\n", " {'answer': 'tea',\n", " 'hint': 'tea _',\n", " 'clues': [('cake',\n", " 'flat semisweet cookie or biscuit usually served with tea'),\n", " ('cup', 'as much as a teacup will hold'),\n", " ('cupful', 'as much as a teacup will hold'),\n", " ('kettle', 'kettle for boiling water to make tea'),\n", " ('pot', 'pot for brewing tea; usually has a spout and handle'),\n", " ('room', 'a restaurant where tea and light meals are available'),\n", " ('shop', 'a restaurant where tea and light meals are available'),\n", " ('spoon', 'as much as a teaspoon will hold'),\n", " ('spoonful', 'as much as a teaspoon will hold'),\n", " ('time', 'a light midafternoon meal of tea and sandwiches or cakes')]},\n", " {'answer': 'tear',\n", " 'hint': 'tear _',\n", " 'clues': [('away', 'a reckless and impetuous person'),\n", " ('drop',\n", " 'anything shaped like a falling drop (as a pendant gem on an earring)'),\n", " ('gas',\n", " 'a gas that makes the eyes fill with tears but does not damage them; used in dispersing crowds'),\n", " ('jerker', 'an excessively sentimental narrative')]},\n", " {'answer': 'thumb',\n", " 'hint': 'thumb _',\n", " 'clues': [('nail', 'the nail of the thumb'),\n", " ('print',\n", " 'fingerprint made by the thumb (especially by the pad of the thumb)'),\n", " ('screw', 'instrument of torture that crushes the thumb'),\n", " ('tack',\n", " 'a tack for attaching papers to a bulletin board or drawing board')]},\n", " {'answer': 'thunder',\n", " 'hint': 'thunder _',\n", " 'clues': [('bolt', 'a discharge of lightning accompanied by thunder'),\n", " ('clap', 'a single sharp crash of thunder'),\n", " ('cloud',\n", " 'a dark cloud of great vertical extent charged with electricity; associated with thunderstorms'),\n", " ('head',\n", " 'a rounded projecting mass of a cumulus cloud with shining edges; often appears before a thunderstorm'),\n", " ('shower', 'a short rainstorm accompanied by thunder and lightning'),\n", " ('storm',\n", " 'a storm resulting from strong rising air currents; heavy rain or hail along with thunder and lightning')]},\n", " {'answer': 'tide',\n", " 'hint': 'tide _',\n", " 'clues': [('land', 'land near the sea that is overflowed by the tide'),\n", " ('mark',\n", " 'indicator consisting of a line at the highwater or low-water limits of the tides'),\n", " ('water', 'low-lying coastal land drained by tidal streams'),\n", " ('way', 'a channel in which a tidal current runs')]},\n", " {'answer': 'time',\n", " 'hint': 'time _',\n", " 'clues': [('keeper',\n", " '(sports) an official who keeps track of the time elapsed'),\n", " ('keeping', 'the act or process of determining the time'),\n", " ('piece', 'a measuring instrument or device for keeping time'),\n", " ('server',\n", " 'one who conforms to current ways and opinions for personal advantage'),\n", " ('table',\n", " 'a schedule listing events and the times at which they will take place')]},\n", " {'answer': 'tin',\n", " 'hint': 'tin _',\n", " 'clues': [('foil', 'foil made of tin or an alloy of tin and lead'),\n", " ('plate',\n", " 'a thin sheet of metal (iron or steel) coated with tin to prevent rusting; used especially for cans, pots, and tins'),\n", " ('smith', 'someone who makes or repairs tinware'),\n", " ('ware', 'articles of commerce made of tin plate')]},\n", " {'answer': 'tooth',\n", " 'hint': 'tooth _',\n", " 'clues': [('ache', 'an ache localized in or around a tooth'),\n", " ('brush', 'small brush; has long handle; used to clean teeth'),\n", " ('paste', 'a dentifrice in the form of a paste'),\n", " ('pick',\n", " 'pick consisting of a small strip of wood or plastic; used to pick food from between the teeth')]},\n", " {'answer': 'top',\n", " 'hint': 'top _',\n", " 'clues': [('coat', 'a heavy coat worn over clothes in winter'),\n", " ('knot',\n", " 'headdress consisting of a decorative ribbon or bow worn in the hair'),\n", " ('mast',\n", " 'the mast next above a lower mast and topmost in a fore-and-aft rig'),\n", " ('sail',\n", " 'a sail (or either of a pair of sails) immediately above the lowermost sail of a mast and supported by a topmast'),\n", " ('side',\n", " \"(usually plural) weather deck; the part of a ship's hull that is above the waterline\"),\n", " ('soil', 'the layer of soil on the surface'),\n", " ('spin',\n", " 'forward spin (usually of a moving ball) that is imparted by an upward stroke')]},\n", " {'answer': 'touch',\n", " 'hint': 'touch _',\n", " 'clues': [('down',\n", " \"a score in American football; being in possession of the ball across the opponents' goal line\"),\n", " ('line', 'either of the sidelines in soccer or rugby'),\n", " ('screen',\n", " 'a computer display that enables the user to interact with the computer by touching areas on the screen'),\n", " ('stone',\n", " 'a basis for comparison; a reference point against which other things can be evaluated')]},\n", " {'answer': 'tow',\n", " 'hint': 'tow _',\n", " 'clues': [('boat',\n", " 'a powerful small boat designed to pull or push larger ships'),\n", " ('head', 'a person with light blond hair'),\n", " ('line', '(nautical) a rope used in towing'),\n", " ('path', 'a path along a canal or river used by animals towing boats'),\n", " ('rope', '(nautical) a rope used in towing')]},\n", " {'answer': 'turn',\n", " 'hint': 'turn _',\n", " 'clues': [('about', 'a decision to reverse an earlier decision'),\n", " ('around', 'time need to prepare a vessel or ship for a return trip'),\n", " ('buckle',\n", " 'an oblong metal coupling with a swivel at one end and an internal thread at the other into which a threaded rod can be screwed in order to form a unit that can be adjusted for length or tension'),\n", " ('coat',\n", " 'a disloyal person who betrays or deserts his cause or religion or political party or friend etc.'),\n", " ('key', 'someone who guards prisoners'),\n", " ('off', 'something causing antagonism or loss of interest'),\n", " ('out', 'the group that gathers together for a particular occasion'),\n", " ('over',\n", " 'the ratio of the number of workers that had to be replaced in a given time period to the average number of workers'),\n", " ('pike',\n", " '(from 16th to 19th centuries) gates set across a road to prevent passage until a toll had been paid'),\n", " ('stile',\n", " 'a gate consisting of a post that acts as a pivot for rotating arms; set in a passageway for controlling the persons entering'),\n", " ('table',\n", " 'a circular horizontal platform that rotates a phonograph record while it is being played')]},\n", " {'answer': 'type',\n", " 'hint': 'type _',\n", " 'clues': [('face',\n", " 'a specific size and style of type within a type family'),\n", " ('script',\n", " 'typewritten matter especially a typewritten copy of a manuscript'),\n", " ('setter', 'one who sets written material into type'),\n", " ('writer',\n", " 'hand-operated character printer for printing written messages one character at a time'),\n", " ('writing', 'writing done with a typewriter')]},\n", " {'answer': 'under',\n", " 'hint': 'under _',\n", " 'clues': [('achiever',\n", " 'a student who does not perform as well as expected or as well as the IQ indicates'),\n", " ('belly', 'lower side'),\n", " ('brush',\n", " 'the brush (small trees and bushes and ferns etc.) growing beneath taller trees in a wood or forest'),\n", " ('carriage',\n", " 'framework that serves as a support for the body of a vehicle'),\n", " ('charge', 'a price that is too low'),\n", " ('class', 'the social class lowest in the social hierarchy'),\n", " ('clothes',\n", " 'undergarment worn next to the skin and under the outer garments'),\n", " ('clothing',\n", " 'undergarment worn next to the skin and under the outer garments'),\n", " ('coat',\n", " 'seal consisting of a coating of a tar or rubberlike material on the underside of a motor vehicle to retard corrosion'),\n", " ('current',\n", " 'a subdued emotional quality underlying an utterance; implicit meaning'),\n", " ('cut', 'the material removed by a cut made underneath'),\n", " ('dog', 'one at a disadvantage and expected to lose'),\n", " ('estimate',\n", " 'an estimation that is too low; an estimate that is less than the true or actual value'),\n", " ('estimation',\n", " 'an estimation that is too low; an estimate that is less than the true or actual value'),\n", " ('exposure',\n", " 'the act of exposing film to too little light or for too short a time'),\n", " ('frame',\n", " 'the internal supporting structure that gives an artifact its shape'),\n", " ('fur', 'thick soft fur lying beneath the longer and coarser guard hair'),\n", " ('garment', 'a garment worn under other garments'),\n", " ('grad', 'a university student who has not yet received a first degree'),\n", " ('graduate',\n", " 'a university student who has not yet received a first degree'),\n", " ('ground',\n", " 'a secret group organized to overthrow a government or occupation force'),\n", " ('growth',\n", " 'the brush (small trees and bushes and ferns etc.) growing beneath taller trees in a wood or forest'),\n", " ('lay', 'a pad placed under a carpet'),\n", " ('line', 'a line drawn underneath (especially under written matter)'),\n", " ('ling', 'an assistant subject to the authority or control of another'),\n", " ('lip', 'the lower lip'),\n", " ('pants',\n", " 'an undergarment that covers the body from the waist no further than to the thighs; usually worn next to the skin'),\n", " ('part', \"a part lying on the lower side or underneath an animal's body\"),\n", " ('pass',\n", " 'an underground tunnel or passage enabling pedestrians to cross a road or railway'),\n", " ('payment', 'a payment smaller than needed or expected'),\n", " ('production', 'inadequate production or less than expected'),\n", " ('rating',\n", " 'an estimation that is too low; an estimate that is less than the true or actual value'),\n", " ('score', 'a line drawn underneath (especially under written matter)'),\n", " ('secretary',\n", " 'a secretary immediately subordinate to the head of a department of government'),\n", " ('shirt',\n", " \"a collarless men's undergarment for the upper part of the body\"),\n", " ('side', 'the lower side of anything'),\n", " ('skirt', 'undergarment worn under a skirt'),\n", " ('standing', 'the cognitive condition of someone who understands'),\n", " ('statement',\n", " 'a statement that is restrained in ironic contrast to what might have been said'),\n", " ('study', 'an actor able to replace a regular performer when required'),\n", " ('taker', 'one whose business is the management of funerals'),\n", " ('taking', 'any piece of work that is undertaken or attempted'),\n", " ('tone', 'a quiet or hushed tone of voice'),\n", " ('tow', 'an inclination contrary to the strongest or prevailing feeling'),\n", " ('valuation', 'too low a value or price assigned to something'),\n", " ('wear',\n", " 'undergarment worn next to the skin and under the outer garments'),\n", " ('world', 'the criminal class'),\n", " ('writer', 'a banker who deals chiefly in underwriting new securities')]},\n", " {'answer': 'video',\n", " 'hint': 'video _',\n", " 'clues': [('cassette', 'a cassette for videotape'),\n", " ('disc',\n", " 'a digital recording (as of a movie) on an optical disk that can be played on a computer or a television set'),\n", " ('disk',\n", " 'a digital recording (as of a movie) on an optical disk that can be played on a computer or a television set'),\n", " ('tape', 'a video recording made on magnetic tape')]},\n", " {'answer': 'walk',\n", " 'hint': 'walk _',\n", " 'clues': [('about', 'a walking trip or tour'),\n", " ('away', 'an easy victory'),\n", " ('out', 'a strike in which the workers walk out'),\n", " ('over', 'backbends combined with handstands')]},\n", " {'answer': 'wall',\n", " 'hint': 'wall _',\n", " 'clues': [('board',\n", " 'a wide flat board used to cover walls or partitions; made from plaster or wood pulp or other materials and used primarily to form the interior walls of houses'),\n", " ('eye', 'strabismus in which one or both eyes are directed outward'),\n", " ('flower',\n", " 'any of numerous plants of the genus Erysimum having fragrant yellow or orange or brownish flowers'),\n", " ('paper', 'a decorative paper for the walls of rooms')]},\n", " {'answer': 'war',\n", " 'hint': 'war _',\n", " 'clues': [('fare', 'the waging of armed conflict against an enemy'),\n", " ('head',\n", " 'the front part of a guided missile or rocket or torpedo that carries the nuclear or explosive charge or the chemical or biological agents'),\n", " ('horse',\n", " 'a work of art (composition or drama) that is part of the standard repertory but has become hackneyed from much repetition'),\n", " ('lord',\n", " 'supreme military leader exercising civil power in a region especially one accountable to nobody when the central government is weak'),\n", " ('monger', 'a person who advocates war or warlike policies'),\n", " ('path', 'hostile or belligerent mood'),\n", " ('plane', 'an aircraft designed and used for combat'),\n", " ('ship', 'a government ship that is available for waging war'),\n", " ('time', 'a period of time during which there is armed conflict')]},\n", " {'answer': 'wash',\n", " 'hint': 'wash _',\n", " 'clues': [('basin',\n", " 'a bathroom sink that is permanently installed and connected to a water supply and drainpipe; where you can wash your hands and face'),\n", " ('board',\n", " 'device consisting of a corrugated surface to scrub clothes on'),\n", " ('bowl',\n", " 'a bathroom sink that is permanently installed and connected to a water supply and drainpipe; where you can wash your hands and face'),\n", " ('cloth',\n", " 'bath linen consisting of a piece of cloth used to wash the face and body'),\n", " ('day', 'a day set aside for doing household laundry'),\n", " ('out',\n", " 'the channel or break produced by erosion of relatively soft soil by water'),\n", " ('rag',\n", " 'bath linen consisting of a piece of cloth used to wash the face and body'),\n", " ('room', 'a lavatory (particularly a lavatory in a public place)'),\n", " ('stand',\n", " \"furniture consisting of a table or stand to hold a basin and pitcher of water for washing: `wash-hand stand' is a British term\"),\n", " ('tub', 'a tub in which clothes or linens can be washed')]},\n", " {'answer': 'watch',\n", " 'hint': 'watch _',\n", " 'clues': [('band',\n", " 'a band of cloth or leather or metal links attached to a wristwatch and wrapped around the wrist'),\n", " ('dog',\n", " 'a guardian or defender against theft or illegal practices or waste'),\n", " ('maker', 'someone who makes or repairs watches'),\n", " ('strap',\n", " 'a band of cloth or leather or metal links attached to a wristwatch and wrapped around the wrist'),\n", " ('tower',\n", " 'an observation tower for a lookout to watch over prisoners or watch for fires or enemies'),\n", " ('word', 'a slogan used to rally support for a cause')]},\n", " {'answer': 'water',\n", " 'hint': 'water _',\n", " 'clues': [('bird', 'freshwater aquatic bird'),\n", " ('color', 'a painting produced with watercolors'),\n", " ('course', 'natural or artificial channel through which water flows'),\n", " ('craft', 'skill in the management of boats'),\n", " ('cress', 'any of several water-loving cresses'),\n", " ('fall', 'a steep descent of the water of a river'),\n", " ('fowl', 'freshwater aquatic bird'),\n", " ('front',\n", " 'the area of a city (such as a harbor or dockyard) alongside a body of water'),\n", " ('line',\n", " 'a line corresponding to the surface of the water when the vessel is afloat on an even keel; often painted on the hull of a ship'),\n", " ('mark', 'a line marking the level reached by a body of water'),\n", " ('melon', 'an African melon'),\n", " ('proof', 'any fabric impervious to water'),\n", " ('shed', 'a ridge of land that separates two adjacent river systems'),\n", " ('side', 'land bordering a body of water'),\n", " ('spout',\n", " 'a tornado passing over water and picking up a column of water and mist'),\n", " ('way', 'a navigable body of water'),\n", " ('wheel',\n", " 'a wheel with buckets attached to its rim; raises water from a stream or pond'),\n", " ('works', 'a public utility that provides water')]},\n", " {'answer': 'wave',\n", " 'hint': 'wave _',\n", " 'clues': [('band',\n", " 'a band of adjacent radio frequencies (e.g., assigned for transmitting radio or television signals)'),\n", " ('form',\n", " 'the shape of a wave illustrated graphically by plotting the values of the period quantity against time'),\n", " ('front',\n", " '(physics) an imaginary surface joining all points in space that are reached at the same instant by a wave propagating through a medium'),\n", " ('guide',\n", " 'a hollow metal conductor that provides a path to guide microwaves; used in radar'),\n", " ('length',\n", " 'the distance (measured in the direction of propagation) between two points in the same phase in consecutive cycles of a wave')]},\n", " {'answer': 'weather',\n", " 'hint': 'weather _',\n", " 'clues': [('board',\n", " 'a long thin board with one edge thicker than the other; used as siding by lapping one board over the board below'),\n", " ('cock', 'weathervane with a vane in the form of a rooster'),\n", " ('strip',\n", " 'a narrow strip of material to cover the joint of a door or window to exclude the cold'),\n", " ('stripping',\n", " 'a narrow strip of material to cover the joint of a door or window to exclude the cold')]},\n", " {'answer': 'wheel',\n", " 'hint': 'wheel _',\n", " 'clues': [('barrow',\n", " 'a cart for carrying small loads; has handles and one or more wheels'),\n", " ('base',\n", " \"the distance from the center of a car's front wheel to the rear axle\"),\n", " ('chair',\n", " 'a movable chair mounted on large wheels; for invalids or those who cannot walk; frequently propelled by the occupant'),\n", " ('house', 'an enclosed compartment from which a vessel can be navigated'),\n", " ('wright', 'someone who makes and repairs wooden wheels')]},\n", " {'answer': 'white',\n", " 'hint': 'white _',\n", " 'clues': [('bait',\n", " 'minnows or other small fresh- or saltwater fish (especially herring); usually cooked whole'),\n", " ('cap',\n", " 'a wave that is blown by the wind so its crest is broken and appears white'),\n", " ('fish',\n", " 'any market fish--edible saltwater fish or shellfish--except herring'),\n", " ('head',\n", " 'English philosopher and mathematician who collaborated with Bertrand Russell (1861-1947)'),\n", " ('out',\n", " 'an arctic atmospheric condition with clouds over snow produce a uniform whiteness and objects are difficult to see; occurs when the light reflected off the snow equals the light coming through the clouds'),\n", " ('tail', 'common North American deer; tail has a white underside'),\n", " ('wash', 'a defeat in which the losing person or team fails to score'),\n", " ('water', 'frothy water as in rapids or waterfalls')]},\n", " {'answer': 'wild',\n", " 'hint': 'wild _',\n", " 'clues': [('cat',\n", " 'an exploratory oil well drilled in land not known to be an oil field'),\n", " ('fire', 'a raging and rapidly spreading conflagration'),\n", " ('flower', 'wild or uncultivated flowering plant'),\n", " ('fowl', 'flesh of any of a number of wild game birds suitable for food'),\n", " ('life', 'all living things (except people) that are undomesticated')]},\n", " {'answer': 'wind',\n", " 'hint': 'wind _',\n", " 'clues': [('bag',\n", " 'a boring person who talks a great deal about uninteresting topics'),\n", " ('break',\n", " 'hedge or fence of trees designed to lessen the force of the wind and reduce erosion'),\n", " ('breaker', \"a kind of heavy jacket (`windcheater' is a British term)\"),\n", " ('burn',\n", " 'redness and irritation of the skin caused by exposure to high-velocity wind'),\n", " ('cheater', \"a kind of heavy jacket (`windcheater' is a British term)\"),\n", " ('fall', 'fruit that has fallen from the tree'),\n", " ('flower',\n", " 'any woodland plant of the genus Anemone grown for its beautiful flowers and whorls of dissected leaves'),\n", " ('jammer', 'a large sailing ship'),\n", " ('mill', 'a mill that is powered by the wind'),\n", " ('pipe',\n", " 'membranous tube with cartilaginous rings that conveys inhaled air from the larynx to the bronchi'),\n", " ('screen',\n", " 'transparent screen (as of glass) to protect occupants of a vehicle'),\n", " ('shield',\n", " 'transparent screen (as of glass) to protect occupants of a vehicle'),\n", " ('sock',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('storm', 'a storm consisting of violent winds')]},\n", " {'answer': 'wood',\n", " 'hint': 'wood _',\n", " 'clues': [('carver', 'makes decorative wooden panels'),\n", " ('carving', 'a carving created by carving wood'),\n", " ('chuck', 'reddish brown North American marmot'),\n", " ('cock', 'game bird of the sandpiper family that resembles a snipe'),\n", " ('craft',\n", " 'skill and experience in matters relating to the woods (as hunting or fishing or camping)'),\n", " ('cut', 'a print made from a woodcut'),\n", " ('cutter', 'cuts down trees and chops wood as a job'),\n", " ('land', 'land that is covered with trees and shrubs'),\n", " ('louse',\n", " 'any of various small terrestrial isopods having a flat elliptical segmented body; found in damp habitats'),\n", " ('pecker',\n", " 'bird with strong claws and a stiff tail adapted for climbing and a hard chisel-like bill for boring into wood for insects'),\n", " ('pile', 'a pile or stack of wood to be used for fuel'),\n", " ('shed', 'a shed for storing firewood or garden tools'),\n", " ('wind', 'any wind instrument other than the brass instruments'),\n", " ('work',\n", " 'work made of wood; especially moldings or stairways or furniture'),\n", " ('worker', 'makes things out of wood'),\n", " ('worm', 'a larva of a woodborer')]},\n", " {'answer': 'work',\n", " 'hint': 'work _',\n", " 'clues': [('basket',\n", " 'container for holding implements and materials for work (especially for sewing)'),\n", " ('bench', 'a strong worktable for a carpenter or mechanic'),\n", " ('book',\n", " \"a student's book or booklet containing problems with spaces for solving them\"),\n", " ('day', 'a day on which work is done'),\n", " ('force', 'the force of workers available'),\n", " ('horse', 'machine that performs dependably under heavy use'),\n", " ('house', 'a poorhouse where able-bodied poor are compelled to labor'),\n", " ('load', 'work that a person is expected to do in a specified time'),\n", " ('mate', 'a fellow worker'),\n", " ('out',\n", " 'the activity of exerting your muscles in various ways to keep fit'),\n", " ('piece', 'work consisting of a piece of metal being machined'),\n", " ('place', 'a place where work is done'),\n", " ('room', 'room where work is done'),\n", " ('sheet',\n", " 'a sheet of paper with multiple columns; used by an accountant to assemble figures for financial statements'),\n", " ('shop', 'small workplace where handcrafts or manufacturing are done'),\n", " ('space', 'space allocated for your work (as in an office)'),\n", " ('station',\n", " 'a desktop digital computer that is conventionally considered to be more powerful than a microcomputer'),\n", " ('table', 'a table designed for a particular task'),\n", " ('week', 'hours or days of work in a calendar week')]}],\n", " 'portion': 0.8},\n", " {'name': 'verbs',\n", " 'groups': [{'answer': 'abandoned',\n", " 'hint': 'synonyms for abandoned',\n", " 'clues': [('abandon', 'forsake, leave behind'),\n", " ('empty', 'leave behind empty; move out of'),\n", " ('desert',\n", " 'leave someone who needs or counts on you; leave in the lurch'),\n", " ('give up', 'stop maintaining or insisting on; of ideas or claims'),\n", " ('vacate', 'leave behind empty; move out of'),\n", " ('forsake',\n", " 'leave someone who needs or counts on you; leave in the lurch'),\n", " ('desolate',\n", " 'leave someone who needs or counts on you; leave in the lurch')]},\n", " {'answer': 'abbreviated',\n", " 'hint': 'synonyms for abbreviated',\n", " 'clues': [('abridge',\n", " 'reduce in scope while retaining essential elements'),\n", " ('reduce', 'reduce in scope while retaining essential elements'),\n", " ('abbreviate', 'reduce in scope while retaining essential elements'),\n", " ('shorten', 'reduce in scope while retaining essential elements'),\n", " ('contract', 'reduce in scope while retaining essential elements'),\n", " ('cut', 'reduce in scope while retaining essential elements'),\n", " ('foreshorten', 'reduce in scope while retaining essential elements')]},\n", " {'answer': 'abducting',\n", " 'hint': 'synonyms for abducting',\n", " 'clues': [('abduct',\n", " 'take away to an undisclosed location against their will and usually in order to extract a ransom'),\n", " ('snatch',\n", " 'take away to an undisclosed location against their will and usually in order to extract a ransom'),\n", " ('nobble',\n", " 'take away to an undisclosed location against their will and usually in order to extract a ransom'),\n", " ('kidnap',\n", " 'take away to an undisclosed location against their will and usually in order to extract a ransom')]},\n", " {'answer': 'abiding',\n", " 'hint': 'synonyms for abiding',\n", " 'clues': [('tolerate', 'put up with something or somebody unpleasant'),\n", " ('endure', 'put up with something or somebody unpleasant'),\n", " ('bide', 'dwell'),\n", " ('stand', 'put up with something or somebody unpleasant'),\n", " ('stay', 'dwell'),\n", " ('put up', 'put up with something or somebody unpleasant'),\n", " ('support', 'put up with something or somebody unpleasant'),\n", " ('digest', 'put up with something or somebody unpleasant'),\n", " ('stick out', 'put up with something or somebody unpleasant'),\n", " ('brook', 'put up with something or somebody unpleasant'),\n", " ('bear', 'put up with something or somebody unpleasant'),\n", " ('stomach', 'put up with something or somebody unpleasant'),\n", " ('suffer', 'put up with something or somebody unpleasant')]},\n", " {'answer': 'abridged',\n", " 'hint': 'synonyms for abridged',\n", " 'clues': [('abridge',\n", " 'reduce in scope while retaining essential elements'),\n", " ('reduce', 'reduce in scope while retaining essential elements'),\n", " ('abbreviate', 'reduce in scope while retaining essential elements'),\n", " ('shorten', 'reduce in scope while retaining essential elements'),\n", " ('contract', 'reduce in scope while retaining essential elements'),\n", " ('cut', 'reduce in scope while retaining essential elements'),\n", " ('foreshorten', 'reduce in scope while retaining essential elements')]},\n", " {'answer': 'absolved',\n", " 'hint': 'synonyms for absolved',\n", " 'clues': [('absolve', 'grant remission of a sin to'),\n", " ('justify', 'let off the hook'),\n", " ('free', 'let off the hook'),\n", " ('shrive', 'grant remission of a sin to')]},\n", " {'answer': 'absorbed',\n", " 'hint': 'synonyms for absorbed',\n", " 'clues': [('absorb', 'become imbued'),\n", " ('steep', 'devote (oneself) fully to'),\n", " ('immerse', 'devote (oneself) fully to'),\n", " ('soak up', 'take in, also metaphorically'),\n", " ('plunge', 'devote (oneself) fully to'),\n", " ('engage', \"consume all of one's attention or time\"),\n", " ('draw', 'take in, also metaphorically'),\n", " ('engross', \"consume all of one's attention or time\"),\n", " ('take in', 'suck or take up or in'),\n", " ('take up', 'take in, also metaphorically'),\n", " ('assimilate', 'take up mentally'),\n", " ('sop up', 'take in, also metaphorically'),\n", " ('suck', 'take in, also metaphorically'),\n", " ('take over', 'take up, as of debts or payments'),\n", " ('engulf', 'devote (oneself) fully to'),\n", " ('imbibe', 'take in, also metaphorically'),\n", " ('ingest', 'take up mentally'),\n", " ('suck up', 'take in, also metaphorically'),\n", " ('occupy', \"consume all of one's attention or time\")]},\n", " {'answer': 'absorbing',\n", " 'hint': 'synonyms for absorbing',\n", " 'clues': [('absorb', 'become imbued'),\n", " ('steep', 'devote (oneself) fully to'),\n", " ('immerse', 'devote (oneself) fully to'),\n", " ('soak up', 'take in, also metaphorically'),\n", " ('plunge', 'devote (oneself) fully to'),\n", " ('engage', \"consume all of one's attention or time\"),\n", " ('draw', 'take in, also metaphorically'),\n", " ('engross', \"consume all of one's attention or time\"),\n", " ('take in', 'suck or take up or in'),\n", " ('take up', 'take in, also metaphorically'),\n", " ('assimilate', 'take up mentally'),\n", " ('sop up', 'take in, also metaphorically'),\n", " ('suck', 'take in, also metaphorically'),\n", " ('take over', 'take up, as of debts or payments'),\n", " ('engulf', 'devote (oneself) fully to'),\n", " ('imbibe', 'take in, also metaphorically'),\n", " ('ingest', 'take up mentally'),\n", " ('suck up', 'take in, also metaphorically'),\n", " ('occupy', \"consume all of one's attention or time\")]},\n", " {'answer': 'abstract',\n", " 'hint': 'synonyms for abstract',\n", " 'clues': [('filch', 'make off with belongings of others'),\n", " ('cabbage', 'make off with belongings of others'),\n", " ('lift', 'make off with belongings of others'),\n", " ('nobble', 'make off with belongings of others'),\n", " ('hook', 'make off with belongings of others'),\n", " ('snarf', 'make off with belongings of others'),\n", " ('sneak', 'make off with belongings of others'),\n", " ('pilfer', 'make off with belongings of others'),\n", " ('purloin', 'make off with belongings of others'),\n", " ('swipe', 'make off with belongings of others'),\n", " ('pinch', 'make off with belongings of others')]},\n", " {'answer': 'abstracted',\n", " 'hint': 'synonyms for abstracted',\n", " 'clues': [('abstract',\n", " 'consider apart from a particular case or instance'),\n", " ('filch', 'make off with belongings of others'),\n", " ('cabbage', 'make off with belongings of others'),\n", " ('lift', 'make off with belongings of others'),\n", " ('hook', 'make off with belongings of others'),\n", " ('nobble', 'make off with belongings of others'),\n", " ('snarf', 'make off with belongings of others'),\n", " ('sneak', 'make off with belongings of others'),\n", " ('pilfer', 'make off with belongings of others'),\n", " ('purloin', 'make off with belongings of others'),\n", " ('swipe', 'make off with belongings of others'),\n", " ('pinch', 'make off with belongings of others')]},\n", " {'answer': 'abused',\n", " 'hint': 'synonyms for abused',\n", " 'clues': [('abuse',\n", " 'change the inherent purpose or function of something'),\n", " ('mistreat', 'treat badly'),\n", " ('pervert', 'change the inherent purpose or function of something'),\n", " ('ill-treat', 'treat badly'),\n", " ('ill-use', 'treat badly'),\n", " ('step', 'treat badly'),\n", " ('shout', 'use foul or abusive language towards'),\n", " ('blackguard', 'use foul or abusive language towards'),\n", " ('misuse', 'change the inherent purpose or function of something'),\n", " ('clapperclaw', 'use foul or abusive language towards'),\n", " ('maltreat', 'treat badly')]},\n", " {'answer': 'accelerated',\n", " 'hint': 'synonyms for accelerated',\n", " 'clues': [('accelerate', 'cause to move faster'),\n", " ('speed up', 'move faster'),\n", " ('speed', 'cause to move faster'),\n", " ('quicken', 'move faster')]},\n", " {'answer': 'accented',\n", " 'hint': 'synonyms for accented',\n", " 'clues': [('accent', 'to stress, single out as important'),\n", " ('emphasize', 'to stress, single out as important'),\n", " ('stress', 'to stress, single out as important'),\n", " ('accentuate', 'put stress on; utter with an accent'),\n", " ('punctuate', 'to stress, single out as important')]},\n", " {'answer': 'accepted',\n", " 'hint': 'synonyms for accepted',\n", " 'clues': [('accept', 'receive willingly something given or offered'),\n", " ('consent', 'give an affirmative reply to; respond favorably to'),\n", " ('have', 'receive willingly something given or offered'),\n", " ('bear', \"take on as one's own the expenses or debts of another person\"),\n", " ('live with', 'tolerate or accommodate oneself to'),\n", " ('take', 'be designed to hold or take'),\n", " ('take on', 'admit into a group or community'),\n", " ('swallow', 'tolerate or accommodate oneself to'),\n", " ('go for', 'give an affirmative reply to; respond favorably to'),\n", " ('take over',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('admit', 'admit into a group or community'),\n", " ('assume',\n", " \"take on as one's own the expenses or debts of another person\")]},\n", " {'answer': 'accepting',\n", " 'hint': 'synonyms for accepting',\n", " 'clues': [('accept', 'receive willingly something given or offered'),\n", " ('consent', 'give an affirmative reply to; respond favorably to'),\n", " ('have', 'receive willingly something given or offered'),\n", " ('bear', \"take on as one's own the expenses or debts of another person\"),\n", " ('live with', 'tolerate or accommodate oneself to'),\n", " ('take', 'be designed to hold or take'),\n", " ('take on', 'admit into a group or community'),\n", " ('swallow', 'tolerate or accommodate oneself to'),\n", " ('go for', 'give an affirmative reply to; respond favorably to'),\n", " ('take over',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('admit', 'admit into a group or community'),\n", " ('assume',\n", " \"take on as one's own the expenses or debts of another person\")]},\n", " {'answer': 'accommodating',\n", " 'hint': 'synonyms for accommodating',\n", " 'clues': [('accommodate', 'provide housing for'),\n", " ('suit', 'be agreeable or acceptable to'),\n", " ('fit', 'be agreeable or acceptable to'),\n", " ('reconcile', 'make (one thing) compatible with (another)'),\n", " ('adapt', 'make fit for, or change to suit a new purpose'),\n", " ('lodge', 'provide housing for'),\n", " ('conciliate', 'make (one thing) compatible with (another)'),\n", " ('admit', 'have room for; hold without crowding'),\n", " ('oblige', 'provide a service or favor for someone'),\n", " ('hold', 'have room for; hold without crowding')]},\n", " {'answer': 'accompanied',\n", " 'hint': 'synonyms for accompanied',\n", " 'clues': [('attach to',\n", " 'be present or associated with an event or entity'),\n", " ('companion', 'be a companion to somebody'),\n", " ('keep company', 'be a companion to somebody'),\n", " ('accompany', 'go or travel along with'),\n", " ('follow', 'perform an accompaniment to'),\n", " ('play along', 'perform an accompaniment to'),\n", " ('come with', 'be present or associated with an event or entity'),\n", " ('go with', 'be present or associated with an event or entity')]},\n", " {'answer': 'accompanying',\n", " 'hint': 'synonyms for accompanying',\n", " 'clues': [('attach to',\n", " 'be present or associated with an event or entity'),\n", " ('companion', 'be a companion to somebody'),\n", " ('keep company', 'be a companion to somebody'),\n", " ('accompany', 'go or travel along with'),\n", " ('follow', 'perform an accompaniment to'),\n", " ('play along', 'perform an accompaniment to'),\n", " ('come with', 'be present or associated with an event or entity'),\n", " ('go with', 'be present or associated with an event or entity')]},\n", " {'answer': 'accomplished',\n", " 'hint': 'synonyms for accomplished',\n", " 'clues': [('carry out', 'put in effect'),\n", " ('action', 'put in effect'),\n", " ('accomplish', 'put in effect'),\n", " ('fulfil', 'put in effect'),\n", " ('achieve', 'to gain with effort'),\n", " ('execute', 'put in effect'),\n", " ('attain', 'to gain with effort'),\n", " ('reach', 'to gain with effort'),\n", " ('carry through', 'put in effect')]},\n", " {'answer': 'according',\n", " 'hint': 'synonyms for according',\n", " 'clues': [('accord', 'go together'),\n", " ('concord', 'go together'),\n", " ('allot', 'allow to have'),\n", " ('harmonize', 'go together'),\n", " ('consort', 'go together'),\n", " ('fit in', 'go together'),\n", " ('grant', 'allow to have'),\n", " ('agree', 'go together')]},\n", " {'answer': 'accumulated',\n", " 'hint': 'synonyms for accumulated',\n", " 'clues': [('pile up', 'collect or gather'),\n", " ('conglomerate', 'collect or gather'),\n", " ('amass', 'collect or gather'),\n", " ('roll up', 'get or gather together'),\n", " ('gather', 'collect or gather'),\n", " ('cumulate', 'collect or gather'),\n", " ('compile', 'get or gather together'),\n", " ('collect', 'get or gather together'),\n", " ('hoard', 'get or gather together')]},\n", " {'answer': 'accursed',\n", " 'hint': 'synonyms for accursed',\n", " 'clues': [('execrate',\n", " 'curse or declare to be evil or anathema or threaten with divine punishment'),\n", " ('anathematise',\n", " 'curse or declare to be evil or anathema or threaten with divine punishment'),\n", " ('comminate',\n", " 'curse or declare to be evil or anathema or threaten with divine punishment'),\n", " ('anathemize',\n", " 'curse or declare to be evil or anathema or threaten with divine punishment'),\n", " ('accurse',\n", " 'curse or declare to be evil or anathema or threaten with divine punishment')]},\n", " {'answer': 'accusing',\n", " 'hint': 'synonyms for accusing',\n", " 'clues': [('accuse',\n", " 'blame for, make a claim of wrongdoing or misbehavior against'),\n", " ('impeach', 'bring an accusation against; level a charge against'),\n", " ('incriminate', 'bring an accusation against; level a charge against'),\n", " ('charge',\n", " 'blame for, make a claim of wrongdoing or misbehavior against')]},\n", " {'answer': 'ace',\n", " 'hint': 'synonyms for ace',\n", " 'clues': [('nail', 'succeed at easily'),\n", " ('sweep through', 'succeed at easily'),\n", " ('pass with flying colors', 'succeed at easily'),\n", " ('breeze through', 'succeed at easily'),\n", " ('sail through', 'succeed at easily')]},\n", " {'answer': 'aching',\n", " 'hint': 'synonyms for aching',\n", " 'clues': [('yen',\n", " 'have a desire for something or someone who is not present'),\n", " ('ache', 'feel physical pain'),\n", " ('smart', 'be the source of pain'),\n", " ('pine', 'have a desire for something or someone who is not present'),\n", " ('suffer', 'feel physical pain'),\n", " ('yearn', 'have a desire for something or someone who is not present'),\n", " ('hurt', 'feel physical pain'),\n", " ('languish',\n", " 'have a desire for something or someone who is not present')]},\n", " {'answer': 'acknowledged',\n", " 'hint': 'synonyms for acknowledged',\n", " 'clues': [('acknowledge', 'express obligation, thanks, or gratitude for'),\n", " ('receipt', 'report the receipt of'),\n", " ('know',\n", " 'accept (someone) to be what is claimed or accept his power and authority'),\n", " ('recognise',\n", " 'accept (someone) to be what is claimed or accept his power and authority'),\n", " ('admit',\n", " 'declare to be true or admit the existence or reality or truth of'),\n", " ('notice',\n", " 'express recognition of the presence or existence of, or acquaintance with')]},\n", " {'answer': 'acquainted',\n", " 'hint': 'synonyms for acquainted',\n", " 'clues': [('familiarize', 'make familiar or conversant with'),\n", " ('present', 'cause to come to know personally'),\n", " ('introduce', 'cause to come to know personally'),\n", " ('acquaint', 'inform')]},\n", " {'answer': 'acquired',\n", " 'hint': 'synonyms for acquired',\n", " 'clues': [('grow',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('acquire',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('take on', 'take on a certain form, attribute, or aspect'),\n", " ('assume', 'take on a certain form, attribute, or aspect'),\n", " ('gain', \"win something through one's efforts\"),\n", " ('take', 'take on a certain form, attribute, or aspect'),\n", " ('adopt', 'take on a certain form, attribute, or aspect'),\n", " ('larn', 'gain knowledge or skills'),\n", " ('develop',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('get',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('evolve', 'gain through experience'),\n", " ('win', \"win something through one's efforts\"),\n", " ('produce',\n", " 'come to have or undergo a change of (physical features and attributes)')]},\n", " {'answer': 'acquitted',\n", " 'hint': 'synonyms for acquitted',\n", " 'clues': [('deport', 'behave in a certain manner'),\n", " ('assoil', 'pronounce not guilty of criminal charges'),\n", " ('exonerate', 'pronounce not guilty of criminal charges'),\n", " ('clear', 'pronounce not guilty of criminal charges'),\n", " ('acquit', 'behave in a certain manner'),\n", " ('discharge', 'pronounce not guilty of criminal charges'),\n", " ('carry', 'behave in a certain manner'),\n", " ('behave', 'behave in a certain manner'),\n", " ('comport', 'behave in a certain manner'),\n", " ('exculpate', 'pronounce not guilty of criminal charges'),\n", " ('conduct', 'behave in a certain manner'),\n", " ('bear', 'behave in a certain manner')]},\n", " {'answer': 'acting',\n", " 'hint': 'synonyms for acting',\n", " 'clues': [('do',\n", " 'behave in a certain manner; show a certain behavior; conduct or comport oneself'),\n", " ('act as', 'pretend to have certain qualities or state of mind'),\n", " ('play', 'perform on a stage or theater'),\n", " ('move', 'perform an action, or work out or perform (an action)'),\n", " ('act', \"discharge one's duties\"),\n", " ('dissemble', 'behave unnaturally or affectedly'),\n", " ('pretend', 'behave unnaturally or affectedly'),\n", " ('represent', 'play a role or part'),\n", " ('work', 'have an effect or outcome; often the one desired or expected'),\n", " ('behave',\n", " 'behave in a certain manner; show a certain behavior; conduct or comport oneself'),\n", " ('roleplay', 'perform on a stage or theater'),\n", " ('playact', 'perform on a stage or theater')]},\n", " {'answer': 'activated',\n", " 'hint': 'synonyms for activated',\n", " 'clues': [('activate', 'make more adsorptive'),\n", " ('spark', 'put in motion or move to act'),\n", " ('trigger off', 'put in motion or move to act'),\n", " ('aerate',\n", " 'aerate (sewage) so as to favor the growth of organisms that decompose organic matter'),\n", " ('set off', 'put in motion or move to act'),\n", " ('spark off', 'put in motion or move to act'),\n", " ('trip', 'put in motion or move to act'),\n", " ('trigger', 'put in motion or move to act'),\n", " ('actuate', 'put in motion or move to act'),\n", " ('touch off', 'put in motion or move to act')]},\n", " {'answer': 'activating',\n", " 'hint': 'synonyms for activating',\n", " 'clues': [('activate', 'make more adsorptive'),\n", " ('spark', 'put in motion or move to act'),\n", " ('trigger off', 'put in motion or move to act'),\n", " ('aerate',\n", " 'aerate (sewage) so as to favor the growth of organisms that decompose organic matter'),\n", " ('set off', 'put in motion or move to act'),\n", " ('spark off', 'put in motion or move to act'),\n", " ('trip', 'put in motion or move to act'),\n", " ('trigger', 'put in motion or move to act'),\n", " ('actuate', 'put in motion or move to act'),\n", " ('touch off', 'put in motion or move to act')]},\n", " {'answer': 'actuated',\n", " 'hint': 'synonyms for actuated',\n", " 'clues': [('propel', 'give an incentive for action'),\n", " ('incite', 'give an incentive for action'),\n", " ('spark', 'put in motion or move to act'),\n", " ('prompt', 'give an incentive for action'),\n", " ('motivate', 'give an incentive for action'),\n", " ('trigger off', 'put in motion or move to act'),\n", " ('set off', 'put in motion or move to act'),\n", " ('spark off', 'put in motion or move to act'),\n", " ('trip', 'put in motion or move to act'),\n", " ('trigger', 'put in motion or move to act'),\n", " ('activate', 'put in motion or move to act'),\n", " ('actuate', 'put in motion or move to act'),\n", " ('touch off', 'put in motion or move to act'),\n", " ('move', 'give an incentive for action')]},\n", " {'answer': 'actuating',\n", " 'hint': 'synonyms for actuating',\n", " 'clues': [('propel', 'give an incentive for action'),\n", " ('incite', 'give an incentive for action'),\n", " ('spark', 'put in motion or move to act'),\n", " ('prompt', 'give an incentive for action'),\n", " ('motivate', 'give an incentive for action'),\n", " ('trigger off', 'put in motion or move to act'),\n", " ('set off', 'put in motion or move to act'),\n", " ('spark off', 'put in motion or move to act'),\n", " ('trip', 'put in motion or move to act'),\n", " ('trigger', 'put in motion or move to act'),\n", " ('activate', 'put in motion or move to act'),\n", " ('actuate', 'put in motion or move to act'),\n", " ('touch off', 'put in motion or move to act'),\n", " ('move', 'give an incentive for action')]},\n", " {'answer': 'adapted',\n", " 'hint': 'synonyms for adapted',\n", " 'clues': [('adjust',\n", " 'adapt or conform oneself to new or different conditions'),\n", " ('adapt', 'adapt or conform oneself to new or different conditions'),\n", " ('conform', 'adapt or conform oneself to new or different conditions'),\n", " ('accommodate', 'make fit for, or change to suit a new purpose')]},\n", " {'answer': 'addressed',\n", " 'hint': 'synonyms for addressed',\n", " 'clues': [('speak', 'give a speech to'),\n", " ('address', 'greet, as with a prescribed form, title, or name'),\n", " ('come up to', 'speak to someone'),\n", " ('cover', 'act on verbally or in some form of artistic expression'),\n", " ('call', 'greet, as with a prescribed form, title, or name'),\n", " ('plow', 'act on verbally or in some form of artistic expression'),\n", " ('deal', 'act on verbally or in some form of artistic expression'),\n", " ('treat', 'act on verbally or in some form of artistic expression'),\n", " ('accost', 'speak to someone'),\n", " ('turn to', 'speak to'),\n", " ('handle', 'act on verbally or in some form of artistic expression'),\n", " ('direct', 'put an address on (an envelope)')]},\n", " {'answer': 'adjusted',\n", " 'hint': 'synonyms for adjusted',\n", " 'clues': [('adjust',\n", " 'adapt or conform oneself to new or different conditions'),\n", " ('conform', 'adapt or conform oneself to new or different conditions'),\n", " ('line up',\n", " 'place in a line or arrange so as to be parallel or straight'),\n", " ('correct',\n", " 'alter or regulate so as to achieve accuracy or conform to a standard'),\n", " ('align', 'place in a line or arrange so as to be parallel or straight'),\n", " ('aline', 'place in a line or arrange so as to be parallel or straight'),\n", " ('adapt', 'adapt or conform oneself to new or different conditions'),\n", " ('set',\n", " 'alter or regulate so as to achieve accuracy or conform to a standard')]},\n", " {'answer': 'admonishing',\n", " 'hint': 'synonyms for admonishing',\n", " 'clues': [('reprove', 'take to task'),\n", " ('discourage', \"admonish or counsel in terms of someone's behavior\"),\n", " ('caution', 'warn strongly; put on guard'),\n", " ('admonish', 'warn strongly; put on guard'),\n", " ('warn', \"admonish or counsel in terms of someone's behavior\")]},\n", " {'answer': 'adopted',\n", " 'hint': 'synonyms for adopted',\n", " 'clues': [('adopt',\n", " \"take up the cause, ideology, practice, method, of someone and use it as one's own\"),\n", " ('espouse',\n", " 'choose and follow; as of theories, ideas, policies, strategies or plans'),\n", " ('take on', 'take on a certain form, attribute, or aspect'),\n", " ('acquire', 'take on a certain form, attribute, or aspect'),\n", " ('assume', 'take on a certain form, attribute, or aspect'),\n", " ('sweep up',\n", " \"take up the cause, ideology, practice, method, of someone and use it as one's own\"),\n", " ('take over', 'take on titles, offices, duties, responsibilities'),\n", " ('take', 'take on a certain form, attribute, or aspect'),\n", " ('dramatize', 'put into dramatic form'),\n", " ('borrow', \"take up and practice as one's own\"),\n", " ('take up', \"take up and practice as one's own\"),\n", " ('embrace',\n", " \"take up the cause, ideology, practice, method, of someone and use it as one's own\"),\n", " ('follow',\n", " 'choose and follow; as of theories, ideas, policies, strategies or plans')]},\n", " {'answer': 'adorned',\n", " 'hint': 'synonyms for adorned',\n", " 'clues': [('decorate', 'be beautiful to look at'),\n", " ('clothe', 'furnish with power or authority; of kings or emperors'),\n", " ('adorn', 'make more attractive by adding ornament, colour, etc.'),\n", " ('ornament', 'make more attractive by adding ornament, colour, etc.'),\n", " ('beautify', 'make more attractive by adding ornament, colour, etc.'),\n", " ('embellish', 'make more attractive by adding ornament, colour, etc.'),\n", " ('grace', 'make more attractive by adding ornament, colour, etc.'),\n", " ('deck', 'be beautiful to look at'),\n", " ('invest', 'furnish with power or authority; of kings or emperors')]},\n", " {'answer': 'adulterate',\n", " 'hint': 'synonyms for adulterate',\n", " 'clues': [('stretch',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('dilute',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('load',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('debase',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones')]},\n", " {'answer': 'adulterated',\n", " 'hint': 'synonyms for adulterated',\n", " 'clues': [('adulterate',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('load',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('stretch',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('dilute',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('debase',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones')]},\n", " {'answer': 'adulterating',\n", " 'hint': 'synonyms for adulterating',\n", " 'clues': [('adulterate',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('load',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('stretch',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('dilute',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('debase',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones')]},\n", " {'answer': 'advance',\n", " 'hint': 'synonyms for advance',\n", " 'clues': [('get ahead', 'obtain advantages, such as points, etc.'),\n", " ('progress', 'develop in a positive way'),\n", " ('gain', 'rise in rate or price'),\n", " ('supercharge', 'increase or raise'),\n", " ('get along', 'develop in a positive way'),\n", " ('elevate', 'give a promotion to or assign to a higher position'),\n", " ('come on', 'develop in a positive way'),\n", " ('encourage', 'contribute to the progress or growth of'),\n", " ('promote', 'contribute to the progress or growth of'),\n", " ('pull ahead', 'obtain advantages, such as points, etc.'),\n", " ('come along', 'develop in a positive way'),\n", " ('make headway', 'obtain advantages, such as points, etc.'),\n", " ('gain ground', 'obtain advantages, such as points, etc.'),\n", " ('pass on', 'move forward, also in the metaphorical sense'),\n", " ('move on', 'move forward, also in the metaphorical sense'),\n", " ('win', 'obtain advantages, such as points, etc.'),\n", " ('further', 'contribute to the progress or growth of'),\n", " ('go on', 'move forward, also in the metaphorical sense'),\n", " ('get on', 'develop in a positive way'),\n", " ('upgrade', 'give a promotion to or assign to a higher position'),\n", " ('throw out', 'bring forward for consideration or acceptance'),\n", " ('kick upstairs', 'give a promotion to or assign to a higher position'),\n", " ('raise', 'give a promotion to or assign to a higher position'),\n", " ('shape up', 'develop in a positive way'),\n", " ('march on', 'move forward, also in the metaphorical sense'),\n", " ('boost', 'contribute to the progress or growth of'),\n", " ('bring forward', 'cause to move forward')]},\n", " {'answer': 'advanced',\n", " 'hint': 'synonyms for advanced',\n", " 'clues': [('gain', 'rise in rate or price'),\n", " ('get along', 'develop in a positive way'),\n", " ('advance', 'contribute to the progress or growth of'),\n", " ('promote', 'contribute to the progress or growth of'),\n", " ('come along', 'develop in a positive way'),\n", " ('move on', 'move forward, also in the metaphorical sense'),\n", " ('raise', 'give a promotion to or assign to a higher position'),\n", " ('set ahead', 'move forward'),\n", " ('get on', 'develop in a positive way'),\n", " ('progress', 'develop in a positive way'),\n", " ('supercharge', 'increase or raise'),\n", " ('elevate', 'give a promotion to or assign to a higher position'),\n", " ('come on', 'develop in a positive way'),\n", " ('encourage', 'contribute to the progress or growth of'),\n", " ('pull ahead', 'obtain advantages, such as points, etc.'),\n", " ('make headway', 'obtain advantages, such as points, etc.'),\n", " ('gain ground', 'obtain advantages, such as points, etc.'),\n", " ('pass on', 'move forward, also in the metaphorical sense'),\n", " ('win', 'obtain advantages, such as points, etc.'),\n", " ('further', 'contribute to the progress or growth of'),\n", " ('go on', 'move forward, also in the metaphorical sense'),\n", " ('upgrade', 'give a promotion to or assign to a higher position'),\n", " ('throw out', 'bring forward for consideration or acceptance'),\n", " ('kick upstairs', 'give a promotion to or assign to a higher position'),\n", " ('shape up', 'develop in a positive way'),\n", " ('march on', 'move forward, also in the metaphorical sense'),\n", " ('boost', 'contribute to the progress or growth of'),\n", " ('bring forward', 'cause to move forward')]},\n", " {'answer': 'advancing',\n", " 'hint': 'synonyms for advancing',\n", " 'clues': [('gain', 'rise in rate or price'),\n", " ('get along', 'develop in a positive way'),\n", " ('advance', 'contribute to the progress or growth of'),\n", " ('promote', 'contribute to the progress or growth of'),\n", " ('come along', 'develop in a positive way'),\n", " ('move on', 'move forward, also in the metaphorical sense'),\n", " ('raise', 'give a promotion to or assign to a higher position'),\n", " ('set ahead', 'move forward'),\n", " ('get on', 'develop in a positive way'),\n", " ('progress', 'develop in a positive way'),\n", " ('supercharge', 'increase or raise'),\n", " ('elevate', 'give a promotion to or assign to a higher position'),\n", " ('come on', 'develop in a positive way'),\n", " ('encourage', 'contribute to the progress or growth of'),\n", " ('pull ahead', 'obtain advantages, such as points, etc.'),\n", " ('make headway', 'obtain advantages, such as points, etc.'),\n", " ('gain ground', 'obtain advantages, such as points, etc.'),\n", " ('pass on', 'move forward, also in the metaphorical sense'),\n", " ('win', 'obtain advantages, such as points, etc.'),\n", " ('further', 'contribute to the progress or growth of'),\n", " ('go on', 'move forward, also in the metaphorical sense'),\n", " ('upgrade', 'give a promotion to or assign to a higher position'),\n", " ('throw out', 'bring forward for consideration or acceptance'),\n", " ('kick upstairs', 'give a promotion to or assign to a higher position'),\n", " ('shape up', 'develop in a positive way'),\n", " ('march on', 'move forward, also in the metaphorical sense'),\n", " ('boost', 'contribute to the progress or growth of'),\n", " ('bring forward', 'cause to move forward')]},\n", " {'answer': 'advertised',\n", " 'hint': 'synonyms for advertised',\n", " 'clues': [('publicise', 'call attention to'),\n", " ('push', 'make publicity for; try to sell (a product)'),\n", " ('advertise', 'call attention to'),\n", " ('promote', 'make publicity for; try to sell (a product)')]},\n", " {'answer': 'advised',\n", " 'hint': 'synonyms for advised',\n", " 'clues': [('notify', 'inform (somebody) of something'),\n", " ('give notice', 'inform (somebody) of something'),\n", " ('apprise', 'inform (somebody) of something'),\n", " ('advise', 'inform (somebody) of something'),\n", " ('send word', 'inform (somebody) of something'),\n", " ('propose', 'make a proposal, declare a plan for something'),\n", " ('suggest', 'make a proposal, declare a plan for something'),\n", " ('rede', 'give advice to'),\n", " ('counsel', 'give advice to')]},\n", " {'answer': 'aerated',\n", " 'hint': 'synonyms for aerated',\n", " 'clues': [('oxygenate', 'impregnate, combine, or supply with oxygen'),\n", " ('oxygenize', 'impregnate, combine, or supply with oxygen'),\n", " ('aerate',\n", " 'aerate (sewage) so as to favor the growth of organisms that decompose organic matter'),\n", " ('air', 'expose to fresh air'),\n", " ('activate',\n", " 'aerate (sewage) so as to favor the growth of organisms that decompose organic matter'),\n", " ('air out', 'expose to fresh air')]},\n", " {'answer': 'affected',\n", " 'hint': 'synonyms for affected',\n", " 'clues': [('touch', 'have an effect upon'),\n", " ('dissemble', 'make believe with the intent to deceive'),\n", " ('feign', 'make believe with the intent to deceive'),\n", " ('pretend', 'make believe with the intent to deceive'),\n", " ('bear upon', 'have an effect upon'),\n", " ('regard', 'connect closely and often incriminatingly'),\n", " ('move', 'have an emotional or cognitive impact upon'),\n", " ('affect', 'act physically on; have an effect upon'),\n", " ('impress', 'have an emotional or cognitive impact upon'),\n", " ('sham', 'make believe with the intent to deceive'),\n", " ('involve', 'connect closely and often incriminatingly'),\n", " ('impact', 'have an effect upon'),\n", " ('touch on', 'have an effect upon'),\n", " ('strike', 'have an emotional or cognitive impact upon')]},\n", " {'answer': 'affecting',\n", " 'hint': 'synonyms for affecting',\n", " 'clues': [('touch', 'have an effect upon'),\n", " ('dissemble', 'make believe with the intent to deceive'),\n", " ('feign', 'make believe with the intent to deceive'),\n", " ('pretend', 'make believe with the intent to deceive'),\n", " ('bear upon', 'have an effect upon'),\n", " ('regard', 'connect closely and often incriminatingly'),\n", " ('move', 'have an emotional or cognitive impact upon'),\n", " ('affect', 'act physically on; have an effect upon'),\n", " ('impress', 'have an emotional or cognitive impact upon'),\n", " ('sham', 'make believe with the intent to deceive'),\n", " ('involve', 'connect closely and often incriminatingly'),\n", " ('impact', 'have an effect upon'),\n", " ('touch on', 'have an effect upon'),\n", " ('strike', 'have an emotional or cognitive impact upon')]},\n", " {'answer': 'affiliated',\n", " 'hint': 'synonyms for affiliated',\n", " 'clues': [('associate', 'keep company with; hang out with'),\n", " ('assort', 'keep company with; hang out with'),\n", " ('affiliate', 'join in an affiliation'),\n", " ('consort', 'keep company with; hang out with')]},\n", " {'answer': 'affixed',\n", " 'hint': 'synonyms for affixed',\n", " 'clues': [('add on', 'add to the very end'),\n", " ('append', 'add to the very end'),\n", " ('supplement', 'add to the very end'),\n", " ('stick on', 'attach to'),\n", " ('affix', 'attach to')]},\n", " {'answer': 'aged',\n", " 'hint': 'synonyms for aged',\n", " 'clues': [('mature', 'grow old or older'),\n", " ('age', 'make older'),\n", " ('senesce', 'grow old or older'),\n", " ('get on', 'grow old or older')]},\n", " {'answer': 'ageing',\n", " 'hint': 'synonyms for ageing',\n", " 'clues': [('mature', 'grow old or older'),\n", " ('age', 'make older'),\n", " ('senesce', 'grow old or older'),\n", " ('get on', 'grow old or older')]},\n", " {'answer': 'aggravated',\n", " 'hint': 'synonyms for aggravated',\n", " 'clues': [('exasperate', 'make worse'),\n", " ('exacerbate', 'exasperate or irritate'),\n", " ('worsen', 'make worse'),\n", " ('aggravate', 'exasperate or irritate')]},\n", " {'answer': 'aggravating',\n", " 'hint': 'synonyms for aggravating',\n", " 'clues': [('exasperate', 'make worse'),\n", " ('exacerbate', 'exasperate or irritate'),\n", " ('worsen', 'make worse'),\n", " ('aggravate', 'exasperate or irritate')]},\n", " {'answer': 'aging',\n", " 'hint': 'synonyms for aging',\n", " 'clues': [('mature', 'grow old or older'),\n", " ('age', 'make older'),\n", " ('senesce', 'grow old or older'),\n", " ('get on', 'grow old or older')]},\n", " {'answer': 'agitated',\n", " 'hint': 'synonyms for agitated',\n", " 'clues': [('disturb', 'change the arrangement or position of'),\n", " ('fight',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('commove', 'cause to be agitated, excited, or roused'),\n", " ('push',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('press',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('budge', 'move very slightly'),\n", " ('vex', 'change the arrangement or position of'),\n", " ('agitate', 'try to stir up public opinion'),\n", " ('rouse', 'cause to be agitated, excited, or roused'),\n", " ('shake', 'move or cause to move back and forth'),\n", " ('charge', 'cause to be agitated, excited, or roused'),\n", " ('turn on', 'cause to be agitated, excited, or roused'),\n", " ('campaign',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('crusade',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('stir up', 'change the arrangement or position of'),\n", " ('foment', 'try to stir up public opinion'),\n", " ('charge up', 'cause to be agitated, excited, or roused'),\n", " ('shake up', 'change the arrangement or position of'),\n", " ('excite', 'cause to be agitated, excited, or roused'),\n", " ('stir', 'move very slightly'),\n", " ('shift', 'move very slightly'),\n", " ('raise up', 'change the arrangement or position of')]},\n", " {'answer': 'agitating',\n", " 'hint': 'synonyms for agitating',\n", " 'clues': [('disturb', 'change the arrangement or position of'),\n", " ('fight',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('commove', 'cause to be agitated, excited, or roused'),\n", " ('push',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('press',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('budge', 'move very slightly'),\n", " ('vex', 'change the arrangement or position of'),\n", " ('agitate', 'try to stir up public opinion'),\n", " ('rouse', 'cause to be agitated, excited, or roused'),\n", " ('shake', 'move or cause to move back and forth'),\n", " ('charge', 'cause to be agitated, excited, or roused'),\n", " ('turn on', 'cause to be agitated, excited, or roused'),\n", " ('campaign',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('crusade',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('stir up', 'change the arrangement or position of'),\n", " ('foment', 'try to stir up public opinion'),\n", " ('charge up', 'cause to be agitated, excited, or roused'),\n", " ('shake up', 'change the arrangement or position of'),\n", " ('excite', 'cause to be agitated, excited, or roused'),\n", " ('stir', 'move very slightly'),\n", " ('shift', 'move very slightly'),\n", " ('raise up', 'change the arrangement or position of')]},\n", " {'answer': 'agreed',\n", " 'hint': 'synonyms for agreed',\n", " 'clues': [('fit',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('accord', 'go together'),\n", " ('concord', 'go together'),\n", " ('agree', 'achieve harmony of opinion, feeling, or purpose'),\n", " ('consort', 'go together'),\n", " ('correspond',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('check',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('fit in', 'go together'),\n", " ('match',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('harmonize', 'go together'),\n", " ('hold', 'be in accord; be in agreement'),\n", " ('concur', 'be in accord; be in agreement'),\n", " ('tally',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('jibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('gibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics')]},\n", " {'answer': 'aired',\n", " 'hint': 'synonyms for aired',\n", " 'clues': [('vent', 'expose to cool or cold air so as to cool or freshen'),\n", " ('publicize', 'make public'),\n", " ('air', 'broadcast over the airwaves, as in radio or television'),\n", " ('send', 'broadcast over the airwaves, as in radio or television'),\n", " ('transmit', 'broadcast over the airwaves, as in radio or television'),\n", " ('air out', 'expose to cool or cold air so as to cool or freshen'),\n", " ('broadcast', 'broadcast over the airwaves, as in radio or television'),\n", " ('beam', 'broadcast over the airwaves, as in radio or television'),\n", " ('bare', 'make public'),\n", " ('ventilate', 'expose to cool or cold air so as to cool or freshen'),\n", " ('aerate', 'expose to fresh air')]},\n", " {'answer': 'alarmed',\n", " 'hint': 'synonyms for alarmed',\n", " 'clues': [('alarm',\n", " 'warn or arouse to a sense of danger or call to a state of preparedness'),\n", " ('appal',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('dismay',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('horrify',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('alert',\n", " 'warn or arouse to a sense of danger or call to a state of preparedness')]},\n", " {'answer': 'alarming',\n", " 'hint': 'synonyms for alarming',\n", " 'clues': [('alarm',\n", " 'warn or arouse to a sense of danger or call to a state of preparedness'),\n", " ('appal',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('dismay',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('horrify',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('alert',\n", " 'warn or arouse to a sense of danger or call to a state of preparedness')]},\n", " {'answer': 'alienated',\n", " 'hint': 'synonyms for alienated',\n", " 'clues': [('alien', 'transfer property or ownership'),\n", " ('alienate', 'make withdrawn or isolated or emotionally dissociated'),\n", " ('estrange',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('disaffect',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness')]},\n", " {'answer': 'alienating',\n", " 'hint': 'synonyms for alienating',\n", " 'clues': [('alien', 'transfer property or ownership'),\n", " ('alienate', 'make withdrawn or isolated or emotionally dissociated'),\n", " ('estrange',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('disaffect',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness')]},\n", " {'answer': 'aligned',\n", " 'hint': 'synonyms for aligned',\n", " 'clues': [('align', 'be or come into adjustment with'),\n", " ('array', 'align oneself with a group or a way of thinking'),\n", " ('line up',\n", " 'place in a line or arrange so as to be parallel or straight'),\n", " ('adjust', 'place in a line or arrange so as to be parallel or straight'),\n", " ('aline', 'place in a line or arrange so as to be parallel or straight'),\n", " ('coordinate',\n", " 'bring (components or parts) into proper or desirable coordination correlation')]},\n", " {'answer': 'aligning',\n", " 'hint': 'synonyms for aligning',\n", " 'clues': [('align', 'be or come into adjustment with'),\n", " ('array', 'align oneself with a group or a way of thinking'),\n", " ('line up',\n", " 'place in a line or arrange so as to be parallel or straight'),\n", " ('adjust', 'place in a line or arrange so as to be parallel or straight'),\n", " ('aline', 'place in a line or arrange so as to be parallel or straight'),\n", " ('coordinate',\n", " 'bring (components or parts) into proper or desirable coordination correlation')]},\n", " {'answer': 'alleviated',\n", " 'hint': 'synonyms for alleviated',\n", " 'clues': [('palliate', 'provide physical relief, as from pain'),\n", " ('facilitate', 'make easier'),\n", " ('alleviate', 'make easier'),\n", " ('ease', 'make easier'),\n", " ('relieve', 'provide physical relief, as from pain'),\n", " ('assuage', 'provide physical relief, as from pain')]},\n", " {'answer': 'allotted',\n", " 'hint': 'synonyms for allotted',\n", " 'clues': [('lot', 'administer or bestow, as in small portions'),\n", " ('dish out', 'administer or bestow, as in small portions'),\n", " ('dispense', 'administer or bestow, as in small portions'),\n", " ('shell out', 'administer or bestow, as in small portions'),\n", " ('allot', 'administer or bestow, as in small portions'),\n", " ('accord', 'allow to have'),\n", " ('assign', 'give out'),\n", " ('dole out', 'administer or bestow, as in small portions'),\n", " ('mete out', 'administer or bestow, as in small portions'),\n", " ('parcel out', 'administer or bestow, as in small portions'),\n", " ('deal out', 'administer or bestow, as in small portions'),\n", " ('administer', 'administer or bestow, as in small portions'),\n", " ('deal', 'administer or bestow, as in small portions'),\n", " ('portion', 'give out'),\n", " ('grant', 'allow to have'),\n", " ('distribute', 'administer or bestow, as in small portions')]},\n", " {'answer': 'altered',\n", " 'hint': 'synonyms for altered',\n", " 'clues': [('alter',\n", " 'insert words into texts, often falsifying it thereby'),\n", " ('falsify', 'insert words into texts, often falsifying it thereby'),\n", " ('spay', 'remove the ovaries of'),\n", " ('interpolate', 'insert words into texts, often falsifying it thereby'),\n", " ('change',\n", " \"become different in some particular way, without permanently losing one's or its former characteristics or essence\"),\n", " ('castrate', 'remove the ovaries of'),\n", " ('modify', 'cause to change; make different; cause a transformation'),\n", " ('vary',\n", " \"become different in some particular way, without permanently losing one's or its former characteristics or essence\"),\n", " ('neuter', 'remove the ovaries of')]},\n", " {'answer': 'alternate',\n", " 'hint': 'synonyms for alternate',\n", " 'clues': [('switch',\n", " 'reverse (a direction, attitude, or course of action)'),\n", " ('understudy', 'be an understudy or alternate for a role'),\n", " ('flip-flop', 'reverse (a direction, attitude, or course of action)'),\n", " ('tack', 'reverse (a direction, attitude, or course of action)'),\n", " ('take turns', 'do something in turns'),\n", " ('interchange', 'reverse (a direction, attitude, or course of action)'),\n", " ('jump',\n", " 'go back and forth; swing back and forth between two states or conditions'),\n", " ('flip', 'reverse (a direction, attitude, or course of action)')]},\n", " {'answer': 'alternating',\n", " 'hint': 'synonyms for alternating',\n", " 'clues': [('switch',\n", " 'reverse (a direction, attitude, or course of action)'),\n", " ('alternate', 'be an understudy or alternate for a role'),\n", " ('flip-flop', 'reverse (a direction, attitude, or course of action)'),\n", " ('tack', 'reverse (a direction, attitude, or course of action)'),\n", " ('take turns', 'do something in turns'),\n", " ('jump',\n", " 'go back and forth; swing back and forth between two states or conditions'),\n", " ('understudy', 'be an understudy or alternate for a role'),\n", " ('interchange', 'reverse (a direction, attitude, or course of action)'),\n", " ('flip', 'reverse (a direction, attitude, or course of action)')]},\n", " {'answer': 'amalgamate',\n", " 'hint': 'synonyms for amalgamate',\n", " 'clues': [('mix', 'to bring or combine together or with something else'),\n", " ('commix', 'to bring or combine together or with something else'),\n", " ('unify', 'to bring or combine together or with something else'),\n", " ('mingle', 'to bring or combine together or with something else')]},\n", " {'answer': 'amalgamated',\n", " 'hint': 'synonyms for amalgamated',\n", " 'clues': [('mingle',\n", " 'to bring or combine together or with something else'),\n", " ('unify', 'to bring or combine together or with something else'),\n", " ('mix', 'to bring or combine together or with something else'),\n", " ('commix', 'to bring or combine together or with something else'),\n", " ('amalgamate', 'to bring or combine together or with something else')]},\n", " {'answer': 'amazed',\n", " 'hint': 'synonyms for amazed',\n", " 'clues': [('baffle', 'be a mystery or bewildering to'),\n", " ('amaze', 'affect with wonder'),\n", " ('beat', 'be a mystery or bewildering to'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('dumbfound', 'be a mystery or bewildering to'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('astound', 'affect with wonder'),\n", " ('astonish', 'affect with wonder'),\n", " ('bewilder', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to')]},\n", " {'answer': 'amazing',\n", " 'hint': 'synonyms for amazing',\n", " 'clues': [('baffle', 'be a mystery or bewildering to'),\n", " ('amaze', 'affect with wonder'),\n", " ('beat', 'be a mystery or bewildering to'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('dumbfound', 'be a mystery or bewildering to'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('astound', 'affect with wonder'),\n", " ('astonish', 'affect with wonder'),\n", " ('bewilder', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to')]},\n", " {'answer': 'ameliorating',\n", " 'hint': 'synonyms for ameliorating',\n", " 'clues': [('meliorate', 'to make better'),\n", " ('better', 'get better'),\n", " ('amend', 'to make better'),\n", " ('improve', 'to make better')]},\n", " {'answer': 'amended',\n", " 'hint': 'synonyms for amended',\n", " 'clues': [('remediate', 'set straight or right'),\n", " ('meliorate', 'to make better'),\n", " ('amend', 'to make better'),\n", " ('rectify', 'set straight or right'),\n", " ('improve', 'to make better'),\n", " ('repair', 'set straight or right'),\n", " ('remedy', 'set straight or right'),\n", " ('better', 'to make better')]},\n", " {'answer': 'analyzed',\n", " 'hint': 'synonyms for analyzed',\n", " 'clues': [('psychoanalyze', 'subject to psychoanalytic treatment'),\n", " ('analyse',\n", " 'make a mathematical, chemical, or grammatical analysis of; break down into components or essential features'),\n", " ('examine',\n", " 'consider in detail and subject to an analysis in order to discover essential features or meaning'),\n", " ('canvas',\n", " 'consider in detail and subject to an analysis in order to discover essential features or meaning'),\n", " ('break down',\n", " 'make a mathematical, chemical, or grammatical analysis of; break down into components or essential features'),\n", " ('dissect',\n", " 'make a mathematical, chemical, or grammatical analysis of; break down into components or essential features'),\n", " ('take apart',\n", " 'make a mathematical, chemical, or grammatical analysis of; break down into components or essential features'),\n", " ('study',\n", " 'consider in detail and subject to an analysis in order to discover essential features or meaning')]},\n", " {'answer': 'angled',\n", " 'hint': 'synonyms for angled',\n", " 'clues': [('lean', 'to incline or bend from a vertical position'),\n", " ('tip', 'to incline or bend from a vertical position'),\n", " ('fish', 'seek indirectly'),\n", " ('angle', 'move or proceed at an angle'),\n", " ('tilt', 'to incline or bend from a vertical position'),\n", " ('slant', 'to incline or bend from a vertical position'),\n", " ('weight', 'present with a bias')]},\n", " {'answer': 'animate',\n", " 'hint': 'synonyms for animate',\n", " 'clues': [('animize', 'give lifelike qualities to'),\n", " ('quicken', 'give new life or energy to'),\n", " ('inspire', 'heighten or intensify'),\n", " ('vivify', 'give new life or energy to'),\n", " ('revive', 'give new life or energy to'),\n", " ('liven up', 'make lively'),\n", " ('renovate', 'give new life or energy to'),\n", " ('invigorate', 'make lively'),\n", " ('liven', 'make lively'),\n", " ('repair', 'give new life or energy to'),\n", " ('reanimate', 'give new life or energy to'),\n", " ('enliven', 'make lively'),\n", " ('recreate', 'give new life or energy to'),\n", " ('exalt', 'heighten or intensify')]},\n", " {'answer': 'animated',\n", " 'hint': 'synonyms for animated',\n", " 'clues': [('animize', 'give lifelike qualities to'),\n", " ('revive', 'give new life or energy to'),\n", " ('invigorate', 'make lively'),\n", " ('liven', 'make lively'),\n", " ('animate', 'give new life or energy to'),\n", " ('repair', 'give new life or energy to'),\n", " ('enliven', 'heighten or intensify'),\n", " ('renovate', 'give new life or energy to'),\n", " ('quicken', 'give new life or energy to'),\n", " ('inspire', 'heighten or intensify'),\n", " ('vivify', 'give new life or energy to'),\n", " ('liven up', 'make lively'),\n", " ('recreate', 'give new life or energy to'),\n", " ('exalt', 'heighten or intensify')]},\n", " {'answer': 'animating',\n", " 'hint': 'synonyms for animating',\n", " 'clues': [('animize', 'give lifelike qualities to'),\n", " ('revive', 'give new life or energy to'),\n", " ('invigorate', 'make lively'),\n", " ('liven', 'make lively'),\n", " ('animate', 'give new life or energy to'),\n", " ('repair', 'give new life or energy to'),\n", " ('enliven', 'heighten or intensify'),\n", " ('renovate', 'give new life or energy to'),\n", " ('quicken', 'give new life or energy to'),\n", " ('inspire', 'heighten or intensify'),\n", " ('vivify', 'give new life or energy to'),\n", " ('liven up', 'make lively'),\n", " ('recreate', 'give new life or energy to'),\n", " ('exalt', 'heighten or intensify')]},\n", " {'answer': 'annihilated',\n", " 'hint': 'synonyms for annihilated',\n", " 'clues': [('wipe out', 'kill in large numbers'),\n", " ('eradicate', 'kill in large numbers'),\n", " ('carry off', 'kill in large numbers'),\n", " ('decimate', 'kill in large numbers'),\n", " ('eliminate', 'kill in large numbers'),\n", " ('extinguish', 'kill in large numbers'),\n", " ('annihilate', 'kill in large numbers')]},\n", " {'answer': 'annihilating',\n", " 'hint': 'synonyms for annihilating',\n", " 'clues': [('wipe out', 'kill in large numbers'),\n", " ('eradicate', 'kill in large numbers'),\n", " ('carry off', 'kill in large numbers'),\n", " ('decimate', 'kill in large numbers'),\n", " ('eliminate', 'kill in large numbers'),\n", " ('extinguish', 'kill in large numbers'),\n", " ('annihilate', 'kill in large numbers')]},\n", " {'answer': 'announced',\n", " 'hint': 'synonyms for announced',\n", " 'clues': [('announce', 'make known; make an announcement'),\n", " ('harbinger', 'foreshadow or presage'),\n", " ('annunciate', 'foreshadow or presage'),\n", " ('herald', 'foreshadow or presage'),\n", " ('foretell', 'foreshadow or presage'),\n", " ('declare', 'announce publicly or officially'),\n", " ('denote', 'make known; make an announcement')]},\n", " {'answer': 'annoyed',\n", " 'hint': 'synonyms for annoyed',\n", " 'clues': [('annoy',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('vex', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('nettle',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('chafe', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('devil', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('rag', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('bother',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('nark', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('rile', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('irritate',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('get at',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('gravel',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('get to',\n", " 'cause annoyance in; disturb, especially by minor irritations')]},\n", " {'answer': 'annoying',\n", " 'hint': 'synonyms for annoying',\n", " 'clues': [('annoy',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('vex', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('nettle',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('chafe', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('devil', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('rag', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('bother',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('nark', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('rile', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('irritate',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('get at',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('gravel',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('get to',\n", " 'cause annoyance in; disturb, especially by minor irritations')]},\n", " {'answer': 'answering',\n", " 'hint': 'synonyms for answering',\n", " 'clues': [('do',\n", " 'be sufficient; be adequate, either in quality or quantity'),\n", " ('answer', 'be liable or accountable'),\n", " ('reply', 'react verbally'),\n", " ('suffice', 'be sufficient; be adequate, either in quality or quantity'),\n", " ('respond', 'react verbally'),\n", " ('serve', 'be sufficient; be adequate, either in quality or quantity'),\n", " ('resolve', 'understand the meaning of')]},\n", " {'answer': 'anticipated',\n", " 'hint': 'synonyms for anticipated',\n", " 'clues': [('look to', 'be excited or anxious about'),\n", " ('call', 'make a prediction about; tell in advance'),\n", " ('anticipate', 'regard something as probable or likely'),\n", " ('foresee', 'realize beforehand'),\n", " ('forebode', 'make a prediction about; tell in advance'),\n", " ('expect', 'regard something as probable or likely'),\n", " ('previse', 'realize beforehand'),\n", " ('predict', 'make a prediction about; tell in advance'),\n", " ('foretell', 'make a prediction about; tell in advance'),\n", " ('prognosticate', 'make a prediction about; tell in advance'),\n", " ('foreknow', 'realize beforehand'),\n", " ('promise', 'make a prediction about; tell in advance'),\n", " ('forestall', 'act in advance of; deal with ahead of time'),\n", " ('counter', 'act in advance of; deal with ahead of time'),\n", " ('look for', 'be excited or anxious about')]},\n", " {'answer': 'appalled',\n", " 'hint': 'synonyms for appalled',\n", " 'clues': [('outrage', 'strike with disgust or revulsion'),\n", " ('horrify',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('alarm',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('appall',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('offend', 'strike with disgust or revulsion'),\n", " ('scandalise', 'strike with disgust or revulsion'),\n", " ('shock', 'strike with disgust or revulsion'),\n", " ('dismay',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised')]},\n", " {'answer': 'appalling',\n", " 'hint': 'synonyms for appalling',\n", " 'clues': [('outrage', 'strike with disgust or revulsion'),\n", " ('horrify',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('alarm',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('appall',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('offend', 'strike with disgust or revulsion'),\n", " ('scandalise', 'strike with disgust or revulsion'),\n", " ('shock', 'strike with disgust or revulsion'),\n", " ('dismay',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised')]},\n", " {'answer': 'appareled',\n", " 'hint': 'synonyms for appareled',\n", " 'clues': [('garb', 'provide with clothes or put clothes on'),\n", " ('habilitate', 'provide with clothes or put clothes on'),\n", " ('fit out', 'provide with clothes or put clothes on'),\n", " ('garment', 'provide with clothes or put clothes on'),\n", " ('dress', 'provide with clothes or put clothes on'),\n", " ('enclothe', 'provide with clothes or put clothes on'),\n", " ('raiment', 'provide with clothes or put clothes on'),\n", " ('apparel', 'provide with clothes or put clothes on'),\n", " ('tog', 'provide with clothes or put clothes on')]},\n", " {'answer': 'appeasing',\n", " 'hint': 'synonyms for appeasing',\n", " 'clues': [('mollify',\n", " 'cause to be more favorably inclined; gain the good will of'),\n", " ('placate', 'cause to be more favorably inclined; gain the good will of'),\n", " ('appease', 'make peace with'),\n", " ('gentle', 'cause to be more favorably inclined; gain the good will of'),\n", " ('conciliate',\n", " 'cause to be more favorably inclined; gain the good will of'),\n", " ('pacify', 'cause to be more favorably inclined; gain the good will of'),\n", " ('propitiate', 'make peace with'),\n", " ('gruntle', 'cause to be more favorably inclined; gain the good will of'),\n", " ('quell', 'overcome or allay'),\n", " ('stay', 'overcome or allay'),\n", " ('assuage', 'cause to be more favorably inclined; gain the good will of'),\n", " ('lenify',\n", " 'cause to be more favorably inclined; gain the good will of')]},\n", " {'answer': 'applied',\n", " 'hint': 'synonyms for applied',\n", " 'clues': [('practice', 'avail oneself to'),\n", " ('go for', 'be pertinent or relevant or applicable'),\n", " ('apply', 'give or convey physically'),\n", " ('enforce', 'ensure observance of laws and rules'),\n", " ('put on', 'apply to a surface'),\n", " ('lend oneself', 'be applicable to; as to an analysis'),\n", " ('utilize',\n", " 'put into service; make work or employ for a particular purpose or for its inherent or natural purpose'),\n", " ('implement', 'ensure observance of laws and rules'),\n", " ('use',\n", " 'put into service; make work or employ for a particular purpose or for its inherent or natural purpose'),\n", " ('give', 'give or convey physically'),\n", " ('hold', 'be pertinent or relevant or applicable'),\n", " ('employ',\n", " 'put into service; make work or employ for a particular purpose or for its inherent or natural purpose')]},\n", " {'answer': 'appointed',\n", " 'hint': 'synonyms for appointed',\n", " 'clues': [('appoint', 'furnish'),\n", " ('constitute', 'create and charge with a task or function'),\n", " ('name', 'create and charge with a task or function'),\n", " ('charge', 'assign a duty, responsibility or obligation to'),\n", " ('nominate', 'create and charge with a task or function')]},\n", " {'answer': 'apportioned',\n", " 'hint': 'synonyms for apportioned',\n", " 'clues': [('divvy up', \"give out as one's portion or share\"),\n", " ('apportion',\n", " 'distribute according to a plan or set apart for a special purpose'),\n", " ('share', \"give out as one's portion or share\"),\n", " ('allocate',\n", " 'distribute according to a plan or set apart for a special purpose'),\n", " ('deal', \"give out as one's portion or share\"),\n", " ('portion out', \"give out as one's portion or share\")]},\n", " {'answer': 'appraising',\n", " 'hint': 'synonyms for appraising',\n", " 'clues': [('valuate',\n", " 'evaluate or estimate the nature, quality, ability, extent, or significance of'),\n", " ('survey', 'consider in a comprehensive way'),\n", " ('measure',\n", " 'evaluate or estimate the nature, quality, ability, extent, or significance of'),\n", " ('assess',\n", " 'evaluate or estimate the nature, quality, ability, extent, or significance of'),\n", " ('appraise', 'consider in a comprehensive way'),\n", " ('value',\n", " 'evaluate or estimate the nature, quality, ability, extent, or significance of')]},\n", " {'answer': 'appreciated',\n", " 'hint': 'synonyms for appreciated',\n", " 'clues': [('take account', 'be fully aware of; realize fully'),\n", " ('appreciate', 'hold dear'),\n", " ('apprise', 'gain in value'),\n", " ('revalue', 'gain in value'),\n", " ('treasure', 'hold dear'),\n", " ('prize', 'hold dear'),\n", " ('value', 'hold dear')]},\n", " {'answer': 'apprehended',\n", " 'hint': 'synonyms for apprehended',\n", " 'clues': [('grasp', 'get the meaning of something'),\n", " ('apprehend', 'take into custody'),\n", " ('comprehend', 'get the meaning of something'),\n", " ('compass', 'get the meaning of something'),\n", " ('nail', 'take into custody'),\n", " ('pick up', 'take into custody'),\n", " ('cop', 'take into custody'),\n", " ('arrest', 'take into custody'),\n", " ('nab', 'take into custody'),\n", " ('collar', 'take into custody'),\n", " ('quail at', 'anticipate with dread or anxiety'),\n", " ('dig', 'get the meaning of something'),\n", " ('savvy', 'get the meaning of something'),\n", " ('grok', 'get the meaning of something'),\n", " ('get the picture', 'get the meaning of something')]},\n", " {'answer': 'approaching',\n", " 'hint': 'synonyms for approaching',\n", " 'clues': [('come near', 'come near in time'),\n", " ('approach', 'move towards'),\n", " ('near', 'move towards'),\n", " ('border on',\n", " 'come near or verge on, resemble, come nearer in quality, or character'),\n", " ('draw near', 'move towards'),\n", " ('go about', 'begin to deal with'),\n", " ('draw close', 'move towards'),\n", " ('come on', 'move towards'),\n", " ('go up', 'move towards'),\n", " ('set about', 'begin to deal with')]},\n", " {'answer': 'appropriate',\n", " 'hint': 'synonyms for appropriate',\n", " 'clues': [('reserve',\n", " 'give or assign a resource to a particular person or cause'),\n", " ('seize', 'take possession of by force, as after an invasion'),\n", " ('set aside',\n", " 'give or assign a resource to a particular person or cause'),\n", " ('conquer', 'take possession of by force, as after an invasion'),\n", " ('allow', 'give or assign a resource to a particular person or cause'),\n", " ('earmark', 'give or assign a resource to a particular person or cause'),\n", " ('capture', 'take possession of by force, as after an invasion')]},\n", " {'answer': 'approximate',\n", " 'hint': 'synonyms for approximate',\n", " 'clues': [('guess',\n", " 'judge tentatively or form an estimate of (quantities or time)'),\n", " ('come close', 'be close or similar'),\n", " ('gauge',\n", " 'judge tentatively or form an estimate of (quantities or time)'),\n", " ('estimate',\n", " 'judge tentatively or form an estimate of (quantities or time)'),\n", " ('judge',\n", " 'judge tentatively or form an estimate of (quantities or time)')]},\n", " {'answer': 'armed',\n", " 'hint': 'synonyms for armed',\n", " 'clues': [('build up', 'prepare oneself for a military confrontation'),\n", " ('arm', 'prepare oneself for a military confrontation'),\n", " ('gird', 'prepare oneself for a military confrontation'),\n", " ('fortify', 'prepare oneself for a military confrontation')]},\n", " {'answer': 'aroused',\n", " 'hint': 'synonyms for aroused',\n", " 'clues': [('stir', 'to begin moving,'),\n", " ('enkindle', 'call forth (emotions, feelings, and responses)'),\n", " ('wake', 'cause to become awake or conscious'),\n", " ('bring up',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('energise', 'cause to be alert and energetic'),\n", " ('arouse', 'stimulate sexually'),\n", " ('come alive', 'stop sleeping'),\n", " ('raise',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('wake up', 'stop sleeping'),\n", " ('stimulate', 'cause to be alert and energetic'),\n", " ('provoke', 'call forth (emotions, feelings, and responses)'),\n", " ('awaken', 'stop sleeping'),\n", " ('evoke', 'call forth (emotions, feelings, and responses)'),\n", " ('sex', 'stimulate sexually'),\n", " ('turn on', 'stimulate sexually'),\n", " ('invoke',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('call down',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('excite', 'stimulate sexually'),\n", " ('wind up', 'stimulate sexually'),\n", " ('call forth',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('perk up', 'cause to be alert and energetic'),\n", " ('put forward',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('fire', 'call forth (emotions, feelings, and responses)'),\n", " ('conjure',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('elicit', 'call forth (emotions, feelings, and responses)'),\n", " ('brace', 'cause to be alert and energetic'),\n", " ('conjure up',\n", " 'summon into action or bring into existence, often as if by magic')]},\n", " {'answer': 'arranged',\n", " 'hint': 'synonyms for arranged',\n", " 'clues': [('coiffure', 'arrange attractively'),\n", " ('set up', 'arrange thoughts, ideas, temporal events'),\n", " ('coif', 'arrange attractively'),\n", " ('dress', 'arrange attractively'),\n", " ('arrange', 'put into a proper or systematic order'),\n", " ('put', 'arrange thoughts, ideas, temporal events'),\n", " ('fix up', 'make arrangements for'),\n", " ('do', 'arrange attractively'),\n", " ('set', 'arrange attractively'),\n", " ('stage', 'plan, organize, and carry out (an event)'),\n", " ('format', 'set (printed matter) into a specific format'),\n", " ('order', 'arrange thoughts, ideas, temporal events')]},\n", " {'answer': 'arrayed',\n", " 'hint': 'synonyms for arrayed',\n", " 'clues': [('array', 'align oneself with a group or a way of thinking'),\n", " ('set out', 'lay out orderly or logically in a line or as if in a line'),\n", " ('lay out', 'lay out orderly or logically in a line or as if in a line'),\n", " ('range', 'lay out orderly or logically in a line or as if in a line'),\n", " ('align', 'align oneself with a group or a way of thinking')]},\n", " {'answer': 'arresting',\n", " 'hint': 'synonyms for arresting',\n", " 'clues': [('apprehend', 'take into custody'),\n", " ('contain',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('get', 'attract and fix'),\n", " ('halt', 'cause to stop'),\n", " ('cop', 'take into custody'),\n", " ('arrest', 'take into custody'),\n", " ('collar', 'take into custody'),\n", " ('catch', 'attract and fix'),\n", " ('check',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('turn back',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('nail', 'take into custody'),\n", " ('pick up', 'take into custody'),\n", " ('hold back',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('nab', 'take into custody'),\n", " ('hold', 'cause to stop'),\n", " ('stop',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of')]},\n", " {'answer': 'articulate',\n", " 'hint': 'synonyms for articulate',\n", " 'clues': [('vocalise', 'express or state clearly'),\n", " ('formulate', 'put into words or an expression'),\n", " ('joint', 'provide with a joint'),\n", " ('enunciate', 'express or state clearly'),\n", " ('enounce', 'speak, pronounce, or utter in a certain way'),\n", " ('give voice', 'put into words or an expression'),\n", " ('word', 'put into words or an expression'),\n", " ('say', 'speak, pronounce, or utter in a certain way'),\n", " ('sound out', 'speak, pronounce, or utter in a certain way'),\n", " ('pronounce', 'speak, pronounce, or utter in a certain way'),\n", " ('phrase', 'put into words or an expression')]},\n", " {'answer': 'articulated',\n", " 'hint': 'synonyms for articulated',\n", " 'clues': [('articulate', 'speak, pronounce, or utter in a certain way'),\n", " ('vocalise', 'express or state clearly'),\n", " ('formulate', 'put into words or an expression'),\n", " ('joint', 'provide with a joint'),\n", " ('enunciate', 'express or state clearly'),\n", " ('enounce', 'speak, pronounce, or utter in a certain way'),\n", " ('give voice', 'put into words or an expression'),\n", " ('word', 'put into words or an expression'),\n", " ('say', 'speak, pronounce, or utter in a certain way'),\n", " ('pronounce', 'speak, pronounce, or utter in a certain way'),\n", " ('sound out', 'speak, pronounce, or utter in a certain way'),\n", " ('phrase', 'put into words or an expression')]},\n", " {'answer': 'ascending',\n", " 'hint': 'synonyms for ascending',\n", " 'clues': [('ascend', 'go back in order of genealogical succession'),\n", " ('rise',\n", " 'move to a better position in life or to a better job; \"She ascended from a life of poverty to one of great'),\n", " ('go up', 'travel up,'),\n", " ('come up', 'come up, of celestial bodies'),\n", " ('uprise', 'come up, of celestial bodies'),\n", " ('move up',\n", " 'move to a better position in life or to a better job; \"She ascended from a life of poverty to one of great'),\n", " ('climb up', 'appear to be moving upward, as by means of tendrils')]},\n", " {'answer': 'ascertained',\n", " 'hint': 'synonyms for ascertained',\n", " 'clues': [('check',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('ascertain',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('determine',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('watch',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('see',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('control',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('assure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('ensure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('find out',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('insure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('find',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('learn',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('see to it',\n", " 'be careful or certain to do something; make certain of something')]},\n", " {'answer': 'asphyxiated',\n", " 'hint': 'synonyms for asphyxiated',\n", " 'clues': [('asphyxiate', 'deprive of oxygen and prevent from breathing'),\n", " ('suffocate', 'impair the respiration of or obstruct the air passage of'),\n", " ('stifle', 'be asphyxiated; die from lack of oxygen'),\n", " ('choke', 'impair the respiration of or obstruct the air passage of'),\n", " ('smother', 'deprive of oxygen and prevent from breathing')]},\n", " {'answer': 'asphyxiating',\n", " 'hint': 'synonyms for asphyxiating',\n", " 'clues': [('asphyxiate', 'deprive of oxygen and prevent from breathing'),\n", " ('suffocate', 'impair the respiration of or obstruct the air passage of'),\n", " ('stifle', 'be asphyxiated; die from lack of oxygen'),\n", " ('choke', 'impair the respiration of or obstruct the air passage of'),\n", " ('smother', 'deprive of oxygen and prevent from breathing')]},\n", " {'answer': 'aspiring',\n", " 'hint': 'synonyms for aspiring',\n", " 'clues': [('draw a bead on', 'have an ambitious plan or a lofty goal'),\n", " ('shoot for', 'have an ambitious plan or a lofty goal'),\n", " ('aspire', 'have an ambitious plan or a lofty goal'),\n", " ('aim', 'have an ambitious plan or a lofty goal')]},\n", " {'answer': 'asserted',\n", " 'hint': 'synonyms for asserted',\n", " 'clues': [('affirm', 'to declare or affirm solemnly and formally as true'),\n", " ('assert', \"insist on having one's opinions and rights recognized\"),\n", " ('insist', 'assert to be true'),\n", " ('swan', 'to declare or affirm solemnly and formally as true'),\n", " ('verify', 'to declare or affirm solemnly and formally as true'),\n", " ('asseverate', 'state categorically'),\n", " ('avow', 'to declare or affirm solemnly and formally as true'),\n", " ('maintain', 'state categorically'),\n", " ('aver', 'to declare or affirm solemnly and formally as true'),\n", " ('put forward', \"insist on having one's opinions and rights recognized\"),\n", " ('swear', 'to declare or affirm solemnly and formally as true')]},\n", " {'answer': 'asserting',\n", " 'hint': 'synonyms for asserting',\n", " 'clues': [('affirm', 'to declare or affirm solemnly and formally as true'),\n", " ('assert', \"insist on having one's opinions and rights recognized\"),\n", " ('insist', 'assert to be true'),\n", " ('swan', 'to declare or affirm solemnly and formally as true'),\n", " ('verify', 'to declare or affirm solemnly and formally as true'),\n", " ('asseverate', 'state categorically'),\n", " ('avow', 'to declare or affirm solemnly and formally as true'),\n", " ('maintain', 'state categorically'),\n", " ('aver', 'to declare or affirm solemnly and formally as true'),\n", " ('put forward', \"insist on having one's opinions and rights recognized\"),\n", " ('swear', 'to declare or affirm solemnly and formally as true')]},\n", " {'answer': 'assigned',\n", " 'hint': 'synonyms for assigned',\n", " 'clues': [('assign', \"transfer one's right to\"),\n", " ('depute',\n", " 'give an assignment to (a person) to a post, or assign a task to (a person)'),\n", " ('designate',\n", " 'give an assignment to (a person) to a post, or assign a task to (a person)'),\n", " ('specify', 'select something or someone for a specific purpose'),\n", " ('delegate',\n", " 'give an assignment to (a person) to a post, or assign a task to (a person)'),\n", " ('put', 'attribute or give'),\n", " ('allot', 'give out'),\n", " ('attribute', 'decide as to where something belongs in a scheme'),\n", " ('ascribe', 'attribute or credit to'),\n", " ('arrogate', 'make undue claims to having'),\n", " ('impute', 'attribute or credit to'),\n", " ('portion', 'give out'),\n", " ('set apart', 'select something or someone for a specific purpose')]},\n", " {'answer': 'assimilating',\n", " 'hint': 'synonyms for assimilating',\n", " 'clues': [('take in', 'take up mentally'),\n", " ('assimilate', \"become similar to one's environment\"),\n", " ('ingest', 'take up mentally'),\n", " ('absorb', 'take up mentally'),\n", " ('imbibe', 'take (gas, light or heat) into a solution')]},\n", " {'answer': 'assisted',\n", " 'hint': 'synonyms for assisted',\n", " 'clues': [('aid', 'give help or assistance; be of service'),\n", " ('assist', 'give help or assistance; be of service'),\n", " ('serve', 'work for or be a servant to'),\n", " ('attend to', 'work for or be a servant to'),\n", " ('attend', 'work for or be a servant to'),\n", " ('wait on', 'work for or be a servant to'),\n", " ('help', 'give help or assistance; be of service')]},\n", " {'answer': 'associate',\n", " 'hint': 'synonyms for associate',\n", " 'clues': [('assort', 'keep company with; hang out with'),\n", " ('affiliate', 'keep company with; hang out with'),\n", " ('colligate', 'make a logical or causal connection'),\n", " ('consociate', 'bring or come into association or action'),\n", " ('link up', 'make a logical or causal connection'),\n", " ('link', 'make a logical or causal connection'),\n", " ('connect', 'make a logical or causal connection'),\n", " ('consort', 'keep company with; hang out with'),\n", " ('tie in', 'make a logical or causal connection'),\n", " ('relate', 'make a logical or causal connection')]},\n", " {'answer': 'assorted',\n", " 'hint': 'synonyms for assorted',\n", " 'clues': [('associate', 'keep company with; hang out with'),\n", " ('assort', 'keep company with; hang out with'),\n", " ('sort out', 'arrange or order by classes or categories'),\n", " ('separate', 'arrange or order by classes or categories'),\n", " ('classify', 'arrange or order by classes or categories'),\n", " ('sort', 'arrange or order by classes or categories'),\n", " ('affiliate', 'keep company with; hang out with'),\n", " ('consort', 'keep company with; hang out with'),\n", " ('class', 'arrange or order by classes or categories')]},\n", " {'answer': 'assumed',\n", " 'hint': 'synonyms for assumed',\n", " 'clues': [('don', \"put clothing on one's body\"),\n", " ('take', 'occupy or take on'),\n", " ('bear', \"take on as one's own the expenses or debts of another person\"),\n", " ('assume',\n", " \"seize and take control without authority and possibly with force; take as one's right or possession\"),\n", " ('adopt', 'take on titles, offices, duties, responsibilities'),\n", " ('take on', 'take on a certain form, attribute, or aspect'),\n", " ('acquire', 'take on a certain form, attribute, or aspect'),\n", " ('simulate', 'make a pretence of'),\n", " ('feign', 'make a pretence of'),\n", " ('take for granted',\n", " 'take to be the case or to be true; accept without verification or proof'),\n", " ('wear', \"put clothing on one's body\"),\n", " ('get into', \"put clothing on one's body\"),\n", " ('take over', 'take on titles, offices, duties, responsibilities'),\n", " ('strike', 'occupy or take on'),\n", " ('take up', 'occupy or take on'),\n", " ('accept',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('arrogate',\n", " \"seize and take control without authority and possibly with force; take as one's right or possession\"),\n", " ('presume',\n", " 'take to be the case or to be true; accept without verification or proof'),\n", " ('sham', 'make a pretence of'),\n", " ('put on', \"put clothing on one's body\"),\n", " ('usurp',\n", " \"seize and take control without authority and possibly with force; take as one's right or possession\"),\n", " ('seize',\n", " \"seize and take control without authority and possibly with force; take as one's right or possession\")]},\n", " {'answer': 'assuming',\n", " 'hint': 'synonyms for assuming',\n", " 'clues': [('don', \"put clothing on one's body\"),\n", " ('take', 'occupy or take on'),\n", " ('bear', \"take on as one's own the expenses or debts of another person\"),\n", " ('assume',\n", " \"seize and take control without authority and possibly with force; take as one's right or possession\"),\n", " ('adopt', 'take on titles, offices, duties, responsibilities'),\n", " ('take on', 'take on a certain form, attribute, or aspect'),\n", " ('acquire', 'take on a certain form, attribute, or aspect'),\n", " ('simulate', 'make a pretence of'),\n", " ('feign', 'make a pretence of'),\n", " ('take for granted',\n", " 'take to be the case or to be true; accept without verification or proof'),\n", " ('wear', \"put clothing on one's body\"),\n", " ('get into', \"put clothing on one's body\"),\n", " ('take over', 'take on titles, offices, duties, responsibilities'),\n", " ('strike', 'occupy or take on'),\n", " ('take up', 'occupy or take on'),\n", " ('accept',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('arrogate',\n", " \"seize and take control without authority and possibly with force; take as one's right or possession\"),\n", " ('presume',\n", " 'take to be the case or to be true; accept without verification or proof'),\n", " ('sham', 'make a pretence of'),\n", " ('put on', \"put clothing on one's body\"),\n", " ('usurp',\n", " \"seize and take control without authority and possibly with force; take as one's right or possession\"),\n", " ('seize',\n", " \"seize and take control without authority and possibly with force; take as one's right or possession\")]},\n", " {'answer': 'assured',\n", " 'hint': 'synonyms for assured',\n", " 'clues': [('assure', 'make certain of'),\n", " ('ascertain',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('guarantee', 'make certain of'),\n", " ('insure', 'make certain of'),\n", " ('promise', 'make a promise or commitment'),\n", " ('secure', 'make certain of'),\n", " ('see',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('control',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('ensure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('tell', 'inform positively and with certainty and confidence'),\n", " ('check',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('see to it',\n", " 'be careful or certain to do something; make certain of something')]},\n", " {'answer': 'assuring',\n", " 'hint': 'synonyms for assuring',\n", " 'clues': [('assure', 'make certain of'),\n", " ('ascertain',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('guarantee', 'make certain of'),\n", " ('insure', 'make certain of'),\n", " ('promise', 'make a promise or commitment'),\n", " ('secure', 'make certain of'),\n", " ('see',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('control',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('ensure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('tell', 'inform positively and with certainty and confidence'),\n", " ('check',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('see to it',\n", " 'be careful or certain to do something; make certain of something')]},\n", " {'answer': 'attached',\n", " 'hint': 'synonyms for attached',\n", " 'clues': [('attach',\n", " 'take temporary possession of as a security, by legal authority'),\n", " ('bond', 'create social or emotional ties'),\n", " ('bind', 'create social or emotional ties'),\n", " ('seize',\n", " 'take temporary possession of as a security, by legal authority'),\n", " ('confiscate',\n", " 'take temporary possession of as a security, by legal authority'),\n", " ('tie', 'create social or emotional ties'),\n", " ('impound',\n", " 'take temporary possession of as a security, by legal authority'),\n", " ('sequester',\n", " 'take temporary possession of as a security, by legal authority')]},\n", " {'answer': 'attacking',\n", " 'hint': 'synonyms for attacking',\n", " 'clues': [('attack', 'attack in speech or writing'),\n", " ('assault', 'attack someone physically or emotionally'),\n", " ('round', 'attack in speech or writing'),\n", " ('snipe', 'attack in speech or writing'),\n", " ('lash out', 'attack in speech or writing'),\n", " ('assail', 'attack in speech or writing'),\n", " ('aggress', 'take the initiative and go on the offensive'),\n", " ('set on', 'attack someone physically or emotionally')]},\n", " {'answer': 'attained',\n", " 'hint': 'synonyms for attained',\n", " 'clues': [('chance upon', 'find unexpectedly'),\n", " ('fall upon', 'find unexpectedly'),\n", " ('achieve', 'to gain with effort'),\n", " ('gain', 'reach a destination, either real or abstract'),\n", " ('attain', 'to gain with effort'),\n", " ('make', 'reach a destination, either real or abstract'),\n", " ('reach', 'to gain with effort'),\n", " ('come across', 'find unexpectedly'),\n", " ('come upon', 'find unexpectedly'),\n", " ('happen upon', 'find unexpectedly'),\n", " ('discover', 'find unexpectedly'),\n", " ('hit', 'reach a destination, either real or abstract'),\n", " ('accomplish', 'to gain with effort'),\n", " ('light upon', 'find unexpectedly'),\n", " ('arrive at', 'reach a destination, either real or abstract'),\n", " ('strike', 'find unexpectedly')]},\n", " {'answer': 'attempted',\n", " 'hint': 'synonyms for attempted',\n", " 'clues': [('try', 'make an effort or attempt'),\n", " ('attempt', 'make an effort or attempt'),\n", " ('undertake', 'enter upon an activity or enterprise'),\n", " ('essay', 'make an effort or attempt'),\n", " ('assay', 'make an effort or attempt'),\n", " ('set about', 'enter upon an activity or enterprise'),\n", " ('seek', 'make an effort or attempt')]},\n", " {'answer': 'attended',\n", " 'hint': 'synonyms for attended',\n", " 'clues': [('look', 'take charge of or deal with'),\n", " ('attend', 'take charge of or deal with'),\n", " ('hang', 'give heed (to)'),\n", " ('give ear', 'give heed (to)'),\n", " ('assist', 'work for or be a servant to'),\n", " ('serve', 'work for or be a servant to'),\n", " ('attend to', 'work for or be a servant to'),\n", " ('pay heed', 'give heed (to)'),\n", " ('go to', 'be present at (meetings, church services, university), etc.'),\n", " ('take care', 'take charge of or deal with'),\n", " ('advert', 'give heed (to)'),\n", " ('wait on', 'work for or be a servant to'),\n", " ('see', 'take charge of or deal with')]},\n", " {'answer': 'attested',\n", " 'hint': 'synonyms for attested',\n", " 'clues': [('manifest',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('certify',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('attest', 'establish or verify the usage of'),\n", " ('evidence',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('demonstrate',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('bear witness', 'give testimony in a court of law'),\n", " ('take the stand', 'give testimony in a court of law'),\n", " ('testify', 'give testimony in a court of law')]},\n", " {'answer': 'attired',\n", " 'hint': 'synonyms for attired',\n", " 'clues': [('deck up',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('trick out',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('fig up',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('get up',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('fig out',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('prink',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('trick up',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('gussy up',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('tog out',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('deck out',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('attire',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('dress up',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('overdress',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('fancy up',\n", " 'put on special clothes to appear particularly appealing and attractive'),\n", " ('tog up',\n", " 'put on special clothes to appear particularly appealing and attractive')]},\n", " {'answer': 'authorised',\n", " 'hint': 'synonyms for authorised',\n", " 'clues': [('clear', 'grant authorization or clearance for'),\n", " ('pass', 'grant authorization or clearance for'),\n", " ('authorize', 'grant authorization or clearance for'),\n", " ('empower', 'give or delegate power or authority to')]},\n", " {'answer': 'authorized',\n", " 'hint': 'synonyms for authorized',\n", " 'clues': [('clear', 'grant authorization or clearance for'),\n", " ('pass', 'grant authorization or clearance for'),\n", " ('authorize', 'grant authorization or clearance for'),\n", " ('empower', 'give or delegate power or authority to')]},\n", " {'answer': 'avowed',\n", " 'hint': 'synonyms for avowed',\n", " 'clues': [('affirm', 'to declare or affirm solemnly and formally as true'),\n", " ('avow', 'admit openly and bluntly; make no bones about'),\n", " ('swan', 'to declare or affirm solemnly and formally as true'),\n", " ('verify', 'to declare or affirm solemnly and formally as true'),\n", " ('avouch', 'admit openly and bluntly; make no bones about'),\n", " ('assert', 'to declare or affirm solemnly and formally as true'),\n", " ('aver', 'to declare or affirm solemnly and formally as true'),\n", " ('swear', 'to declare or affirm solemnly and formally as true')]},\n", " {'answer': 'awake',\n", " 'hint': 'synonyms for awake',\n", " 'clues': [('awaken', 'stop sleeping'),\n", " ('wake', 'stop sleeping'),\n", " ('come alive', 'stop sleeping'),\n", " ('wake up', 'stop sleeping'),\n", " ('arouse', 'stop sleeping')]},\n", " {'answer': 'awakened',\n", " 'hint': 'synonyms for awakened',\n", " 'clues': [('awaken', 'stop sleeping'),\n", " ('wake', 'cause to become awake or conscious'),\n", " ('wake up', 'cause to become awake or conscious'),\n", " ('arouse', 'cause to become awake or conscious'),\n", " ('come alive', 'stop sleeping')]},\n", " {'answer': 'back',\n", " 'hint': 'synonyms for back',\n", " 'clues': [('indorse', \"give support or one's approval to\"),\n", " ('bet on', 'place a bet on'),\n", " ('second', \"give support or one's approval to\"),\n", " ('stake', 'place a bet on'),\n", " ('gage', 'place a bet on'),\n", " ('support', 'be behind; approve of'),\n", " ('game', 'place a bet on'),\n", " ('plump for', 'be behind; approve of'),\n", " ('plunk for', 'be behind; approve of'),\n", " ('back up', 'establish as valid or genuine'),\n", " ('punt', 'place a bet on')]},\n", " {'answer': 'backed',\n", " 'hint': 'synonyms for backed',\n", " 'clues': [('indorse', \"give support or one's approval to\"),\n", " ('bet on', 'place a bet on'),\n", " ('second', \"give support or one's approval to\"),\n", " ('back', 'be behind; approve of'),\n", " ('punt', 'place a bet on'),\n", " ('stake', 'place a bet on'),\n", " ('plump for', 'be behind; approve of'),\n", " ('back up', 'establish as valid or genuine'),\n", " ('gage', 'place a bet on'),\n", " ('support', 'be behind; approve of'),\n", " ('game', 'place a bet on'),\n", " ('plunk for', 'be behind; approve of')]},\n", " {'answer': 'baffled',\n", " 'hint': 'synonyms for baffled',\n", " 'clues': [('cross',\n", " 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('baffle', 'be a mystery or bewildering to'),\n", " ('thwart', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('beat', 'be a mystery or bewildering to'),\n", " ('spoil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('regulate', 'check the emission of (sound)'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('bilk', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('foil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('dumbfound', 'be a mystery or bewildering to'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('scotch', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('bewilder', 'be a mystery or bewildering to'),\n", " ('frustrate', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('queer', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('amaze', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to')]},\n", " {'answer': 'baffling',\n", " 'hint': 'synonyms for baffling',\n", " 'clues': [('cross',\n", " 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('baffle', 'be a mystery or bewildering to'),\n", " ('thwart', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('beat', 'be a mystery or bewildering to'),\n", " ('spoil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('regulate', 'check the emission of (sound)'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('bilk', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('foil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('dumbfound', 'be a mystery or bewildering to'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('scotch', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('bewilder', 'be a mystery or bewildering to'),\n", " ('frustrate', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('queer', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('amaze', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to')]},\n", " {'answer': 'balanced',\n", " 'hint': 'synonyms for balanced',\n", " 'clues': [('balance', 'hold or carry in equilibrium'),\n", " ('equilibrize', 'bring into balance or equilibrium'),\n", " ('poise', 'hold or carry in equilibrium'),\n", " ('equilibrate', 'bring into balance or equilibrium')]},\n", " {'answer': 'banging',\n", " 'hint': 'synonyms for banging',\n", " 'clues': [('bang',\n", " 'to produce a sharp often metallic explosive or percussive sound'),\n", " ('hump', 'have sexual intercourse with'),\n", " ('jazz', 'have sexual intercourse with'),\n", " ('slam', 'close violently'),\n", " ('eff', 'have sexual intercourse with'),\n", " ('do it', 'have sexual intercourse with'),\n", " ('bed', 'have sexual intercourse with'),\n", " ('lie with', 'have sexual intercourse with'),\n", " ('sleep with', 'have sexual intercourse with'),\n", " ('fuck', 'have sexual intercourse with'),\n", " ('be intimate', 'have sexual intercourse with'),\n", " ('make love', 'have sexual intercourse with'),\n", " ('get it on', 'have sexual intercourse with'),\n", " ('roll in the hay', 'have sexual intercourse with'),\n", " ('know', 'have sexual intercourse with'),\n", " ('love', 'have sexual intercourse with'),\n", " ('have sex', 'have sexual intercourse with'),\n", " ('bonk', 'have sexual intercourse with'),\n", " ('spang', 'leap, jerk, bang'),\n", " ('have it off', 'have sexual intercourse with'),\n", " ('get laid', 'have sexual intercourse with'),\n", " ('have a go at it', 'have sexual intercourse with'),\n", " ('have it away', 'have sexual intercourse with'),\n", " ('make out', 'have sexual intercourse with'),\n", " ('have intercourse', 'have sexual intercourse with'),\n", " ('sleep together', 'have sexual intercourse with'),\n", " ('screw', 'have sexual intercourse with')]},\n", " {'answer': 'banned',\n", " 'hint': 'synonyms for banned',\n", " 'clues': [('banish', 'ban from a place of residence, as for punishment'),\n", " ('shun', 'expel from a community or group'),\n", " ('ban', 'ban from a place of residence, as for punishment'),\n", " ('ostracize', 'expel from a community or group'),\n", " ('censor', 'forbid the public distribution of ( a movie or a newspaper)'),\n", " ('blackball', 'expel from a community or group'),\n", " ('cast out', 'expel from a community or group')]},\n", " {'answer': 'bantering',\n", " 'hint': 'synonyms for bantering',\n", " 'clues': [('josh', 'be silly or tease one another'),\n", " ('chaff', 'be silly or tease one another'),\n", " ('banter', 'be silly or tease one another'),\n", " ('kid', 'be silly or tease one another'),\n", " ('jolly', 'be silly or tease one another')]},\n", " {'answer': 'bare',\n", " 'hint': 'synonyms for bare',\n", " 'clues': [('denudate', 'lay bare'),\n", " ('publicize', 'make public'),\n", " ('strip', 'lay bare'),\n", " ('air', 'make public')]},\n", " {'answer': 'bared',\n", " 'hint': 'synonyms for bared',\n", " 'clues': [('exclude', 'prevent from entering; keep out'),\n", " ('bare', 'lay bare'),\n", " ('denude', 'lay bare'),\n", " ('relegate', 'expel, as if by official decree'),\n", " ('stop', 'render unsuitable for passage'),\n", " ('blockade', 'render unsuitable for passage'),\n", " ('block up', 'render unsuitable for passage'),\n", " ('strip', 'lay bare'),\n", " ('air', 'make public'),\n", " ('barricade', 'render unsuitable for passage'),\n", " ('publicize', 'make public'),\n", " ('debar', 'prevent from entering; keep out'),\n", " ('banish', 'expel, as if by official decree'),\n", " ('block', 'render unsuitable for passage'),\n", " ('block off', 'render unsuitable for passage')]},\n", " {'answer': 'barred',\n", " 'hint': 'synonyms for barred',\n", " 'clues': [('exclude', 'prevent from entering; keep out'),\n", " ('bar', 'secure with, or as if with, bars'),\n", " ('debar', 'prevent from entering; keep out'),\n", " ('stop', 'render unsuitable for passage'),\n", " ('relegate', 'expel, as if by official decree'),\n", " ('banish', 'expel, as if by official decree'),\n", " ('blockade', 'render unsuitable for passage'),\n", " ('block up', 'render unsuitable for passage'),\n", " ('block', 'render unsuitable for passage'),\n", " ('block off', 'render unsuitable for passage'),\n", " ('barricade', 'render unsuitable for passage')]},\n", " {'answer': 'barricaded',\n", " 'hint': 'synonyms for barricaded',\n", " 'clues': [('block', 'render unsuitable for passage'),\n", " ('barricado', 'block off with barricades'),\n", " ('stop', 'render unsuitable for passage'),\n", " ('blockade', 'render unsuitable for passage'),\n", " ('block up', 'render unsuitable for passage'),\n", " ('bar', 'render unsuitable for passage'),\n", " ('block off', 'render unsuitable for passage')]},\n", " {'answer': 'base',\n", " 'hint': 'synonyms for base',\n", " 'clues': [('ground', 'use as a basis for; found on'),\n", " ('establish', 'use as a basis for; found on'),\n", " ('free-base',\n", " 'use (purified cocaine) by burning it and inhaling the fumes'),\n", " ('found', 'use as a basis for; found on')]},\n", " {'answer': 'based',\n", " 'hint': 'synonyms for based',\n", " 'clues': [('ground', 'use as a basis for; found on'),\n", " ('base', 'use (purified cocaine) by burning it and inhaling the fumes'),\n", " ('establish', 'use as a basis for; found on'),\n", " ('free-base',\n", " 'use (purified cocaine) by burning it and inhaling the fumes'),\n", " ('found', 'use as a basis for; found on')]},\n", " {'answer': 'bated',\n", " 'hint': 'synonyms for bated',\n", " 'clues': [('thrash',\n", " 'beat thoroughly and conclusively in a competition or fight'),\n", " ('bate', 'flap the wings wildly or frantically; used of falcons'),\n", " ('lick', 'beat thoroughly and conclusively in a competition or fight'),\n", " ('cream', 'beat thoroughly and conclusively in a competition or fight'),\n", " ('drub', 'beat thoroughly and conclusively in a competition or fight'),\n", " ('flutter', 'wink briefly'),\n", " ('clobber',\n", " 'beat thoroughly and conclusively in a competition or fight')]},\n", " {'answer': 'bats',\n", " 'hint': 'synonyms for bats',\n", " 'clues': [('thrash',\n", " 'beat thoroughly and conclusively in a competition or fight'),\n", " ('lick', 'beat thoroughly and conclusively in a competition or fight'),\n", " ('bat', 'strike with, or as if with a baseball bat'),\n", " ('cream', 'beat thoroughly and conclusively in a competition or fight'),\n", " ('drub', 'beat thoroughly and conclusively in a competition or fight'),\n", " ('flutter', 'wink briefly'),\n", " ('clobber',\n", " 'beat thoroughly and conclusively in a competition or fight')]},\n", " {'answer': 'battered',\n", " 'hint': 'synonyms for battered',\n", " 'clues': [('batter', 'strike violently and repeatedly'),\n", " ('dinge', 'make a dent or impression in'),\n", " ('buffet', 'strike against forcefully'),\n", " ('baste', 'strike violently and repeatedly'),\n", " ('knock about', 'strike against forcefully'),\n", " ('clobber', 'strike violently and repeatedly')]},\n", " {'answer': 'beaming',\n", " 'hint': 'synonyms for beaming',\n", " 'clues': [('air',\n", " 'broadcast over the airwaves, as in radio or television'),\n", " ('send', 'broadcast over the airwaves, as in radio or television'),\n", " ('transmit', 'broadcast over the airwaves, as in radio or television'),\n", " ('beam',\n", " 'have a complexion with a strong bright color, such as red or pink'),\n", " ('shine', 'emit light; be bright, as of the sun or a light'),\n", " ('broadcast', 'broadcast over the airwaves, as in radio or television'),\n", " ('glow',\n", " 'have a complexion with a strong bright color, such as red or pink'),\n", " ('radiate',\n", " 'have a complexion with a strong bright color, such as red or pink')]},\n", " {'answer': 'bearing',\n", " 'hint': 'synonyms for bearing',\n", " 'clues': [('endure', 'put up with something or somebody unpleasant'),\n", " ('turn out', 'bring forth,'),\n", " ('bear', 'contain or hold; have within'),\n", " ('birth', 'cause to be born'),\n", " ('have', 'cause to be born'),\n", " ('give birth', 'cause to be born'),\n", " ('comport', 'behave in a certain manner'),\n", " ('support', 'put up with something or somebody unpleasant'),\n", " ('hold', 'contain or hold; have within'),\n", " ('yield', 'bring in'),\n", " ('have a bun in the oven', 'be pregnant with'),\n", " ('wear', \"have on one's person\"),\n", " ('carry', 'support or hold in a certain manner'),\n", " ('acquit', 'behave in a certain manner'),\n", " ('digest', 'put up with something or somebody unpleasant'),\n", " ('brook', 'put up with something or somebody unpleasant'),\n", " ('assume',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('tolerate', 'put up with something or somebody unpleasant'),\n", " ('deport', 'behave in a certain manner'),\n", " ('expect', 'be pregnant with'),\n", " ('contain', 'contain or hold; have within'),\n", " ('abide', 'put up with something or somebody unpleasant'),\n", " ('put up', 'put up with something or somebody unpleasant'),\n", " ('conduct', 'behave in a certain manner'),\n", " ('pay', 'bring in'),\n", " ('stick out', 'put up with something or somebody unpleasant'),\n", " ('suffer', 'put up with something or somebody unpleasant'),\n", " ('take over',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('accept',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('stand', 'put up with something or somebody unpleasant'),\n", " ('behave', 'behave in a certain manner'),\n", " ('gestate', 'be pregnant with'),\n", " ('stomach', 'put up with something or somebody unpleasant'),\n", " ('deliver', 'cause to be born')]},\n", " {'answer': 'beat',\n", " 'hint': 'synonyms for beat',\n", " 'clues': [('work over',\n", " 'give a beating to; subject to a beating, either as a punishment or as an act of aggression'),\n", " ('scramble', 'stir vigorously'),\n", " ('beat out', 'come out better in a competition, race, or conflict'),\n", " ('thump', 'move rhythmically'),\n", " ('ticktock', 'make a sound like a clock or a timer'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('circumvent', 'beat through cleverness and wit'),\n", " ('crush', 'come out better in a competition, race, or conflict'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('shell', 'come out better in a competition, race, or conflict'),\n", " ('flap', 'move with a thrashing motion'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('thrum', 'make a rhythmic sound'),\n", " ('tucker', 'wear out completely'),\n", " ('outfox', 'beat through cleverness and wit'),\n", " ('tucker out', 'wear out completely'),\n", " ('amaze', 'be a mystery or bewildering to'),\n", " ('vanquish', 'come out better in a competition, race, or conflict'),\n", " ('baffle', 'be a mystery or bewildering to'),\n", " ('bunk', 'avoid paying'),\n", " ('pound', 'move rhythmically'),\n", " ('exhaust', 'wear out completely'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('quiver', 'move with or as if with a regular alternating motion'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('overreach', 'beat through cleverness and wit'),\n", " ('beat up',\n", " 'give a beating to; subject to a beating, either as a punishment or as an act of aggression'),\n", " ('outwit', 'beat through cleverness and wit'),\n", " ('pulsate', 'move with or as if with a regular alternating motion'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('wash up', 'wear out completely'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('outsmart', 'beat through cleverness and wit'),\n", " ('bewilder', 'be a mystery or bewildering to'),\n", " ('trounce', 'come out better in a competition, race, or conflict'),\n", " ('drum', 'make a rhythmic sound'),\n", " ('dumbfound', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to')]},\n", " {'answer': 'beaten',\n", " 'hint': 'synonyms for beaten',\n", " 'clues': [('work over',\n", " 'give a beating to; subject to a beating, either as a punishment or as an act of aggression'),\n", " ('beat', 'avoid paying'),\n", " ('scramble', 'stir vigorously'),\n", " ('beat out', 'come out better in a competition, race, or conflict'),\n", " ('thump', 'move rhythmically'),\n", " ('ticktock', 'make a sound like a clock or a timer'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('circumvent', 'beat through cleverness and wit'),\n", " ('crush', 'come out better in a competition, race, or conflict'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('shell', 'come out better in a competition, race, or conflict'),\n", " ('flap', 'move with a thrashing motion'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('thrum', 'make a rhythmic sound'),\n", " ('tucker', 'wear out completely'),\n", " ('outfox', 'beat through cleverness and wit'),\n", " ('tucker out', 'wear out completely'),\n", " ('amaze', 'be a mystery or bewildering to'),\n", " ('vanquish', 'come out better in a competition, race, or conflict'),\n", " ('baffle', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to'),\n", " ('bunk', 'avoid paying'),\n", " ('pound', 'move rhythmically'),\n", " ('exhaust', 'wear out completely'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('quiver', 'move with or as if with a regular alternating motion'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('overreach', 'beat through cleverness and wit'),\n", " ('beat up',\n", " 'give a beating to; subject to a beating, either as a punishment or as an act of aggression'),\n", " ('outwit', 'beat through cleverness and wit'),\n", " ('pulsate', 'move with or as if with a regular alternating motion'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('wash up', 'wear out completely'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('outsmart', 'beat through cleverness and wit'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('bewilder', 'be a mystery or bewildering to'),\n", " ('trounce', 'come out better in a competition, race, or conflict'),\n", " ('drum', 'make a rhythmic sound'),\n", " ('dumbfound', 'be a mystery or bewildering to')]},\n", " {'answer': 'beatified',\n", " 'hint': 'synonyms for beatified',\n", " 'clues': [('beatify', 'make blessedly happy'),\n", " ('thrill', 'fill with sublime emotion'),\n", " ('tickle pink', 'fill with sublime emotion'),\n", " ('exhilarate', 'fill with sublime emotion'),\n", " ('inebriate', 'fill with sublime emotion'),\n", " ('exalt', 'fill with sublime emotion')]},\n", " {'answer': 'becoming',\n", " 'hint': 'synonyms for becoming',\n", " 'clues': [('become', 'come into existence'),\n", " ('suit', 'enhance the appearance of'),\n", " ('get', 'enter or assume a certain state or condition'),\n", " ('turn', 'undergo a change or development'),\n", " ('go', 'enter or assume a certain state or condition')]},\n", " {'answer': 'bedded',\n", " 'hint': 'synonyms for bedded',\n", " 'clues': [('hump', 'have sexual intercourse with'),\n", " ('jazz', 'have sexual intercourse with'),\n", " ('eff', 'have sexual intercourse with'),\n", " ('do it', 'have sexual intercourse with'),\n", " ('bed', 'have sexual intercourse with'),\n", " ('lie with', 'have sexual intercourse with'),\n", " ('sleep with', 'have sexual intercourse with'),\n", " ('fuck', 'have sexual intercourse with'),\n", " ('be intimate', 'have sexual intercourse with'),\n", " ('roll in the hay', 'have sexual intercourse with'),\n", " ('sack out', 'prepare for sleep'),\n", " ('bang', 'have sexual intercourse with'),\n", " ('love', 'have sexual intercourse with'),\n", " ('have it off', 'have sexual intercourse with'),\n", " ('hit the sack', 'prepare for sleep'),\n", " ('have a go at it', 'have sexual intercourse with'),\n", " ('have it away', 'have sexual intercourse with'),\n", " ('retire', 'prepare for sleep'),\n", " ('go to bed', 'prepare for sleep'),\n", " ('have intercourse', 'have sexual intercourse with'),\n", " ('kip down', 'prepare for sleep'),\n", " ('crawl in', 'prepare for sleep'),\n", " ('make love', 'have sexual intercourse with'),\n", " ('get it on', 'have sexual intercourse with'),\n", " ('know', 'have sexual intercourse with'),\n", " ('turn in', 'prepare for sleep'),\n", " ('have sex', 'have sexual intercourse with'),\n", " ('bonk', 'have sexual intercourse with'),\n", " ('get laid', 'have sexual intercourse with'),\n", " ('go to sleep', 'prepare for sleep'),\n", " ('make out', 'have sexual intercourse with'),\n", " ('hit the hay', 'prepare for sleep'),\n", " ('sleep together', 'have sexual intercourse with'),\n", " ('screw', 'have sexual intercourse with')]},\n", " {'answer': 'bedimmed',\n", " 'hint': 'synonyms for bedimmed',\n", " 'clues': [('bedim', 'make darker and difficult to perceive by sight'),\n", " ('benight', 'make darker and difficult to perceive by sight'),\n", " ('obscure', 'make obscure or unclear'),\n", " ('overcloud', 'make obscure or unclear')]},\n", " {'answer': 'befogged',\n", " 'hint': 'synonyms for befogged',\n", " 'clues': [('haze over', 'make less visible or unclear'),\n", " ('becloud', 'make less visible or unclear'),\n", " ('mist', 'make less visible or unclear'),\n", " ('obscure', 'make less visible or unclear'),\n", " ('obnubilate', 'make less visible or unclear'),\n", " ('fog', 'make less visible or unclear'),\n", " ('cloud', 'make less visible or unclear'),\n", " ('befog', 'make less visible or unclear')]},\n", " {'answer': 'befouled',\n", " 'hint': 'synonyms for befouled',\n", " 'clues': [('maculate', 'spot, stain, or pollute'),\n", " ('defile', 'spot, stain, or pollute'),\n", " ('foul', 'spot, stain, or pollute'),\n", " ('befoul', 'spot, stain, or pollute')]},\n", " {'answer': 'befuddled',\n", " 'hint': 'synonyms for befuddled',\n", " 'clues': [('discombobulate',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confound',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('befuddle', 'make stupid with alcohol'),\n", " ('throw',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confuse',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('fox',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bedevil',\n", " 'be confusing or perplexing to; cause to be unable to think clearly')]},\n", " {'answer': 'beginning',\n", " 'hint': 'synonyms for beginning',\n", " 'clues': [('begin',\n", " 'have a beginning characterized in some specified way'),\n", " ('get', 'take the first step or steps in carrying out an action'),\n", " ('set out', 'take the first step or steps in carrying out an action'),\n", " ('start', 'set in motion, cause to start'),\n", " ('lead off', 'set in motion, cause to start'),\n", " ('get down', 'take the first step or steps in carrying out an action'),\n", " ('commence', 'set in motion, cause to start'),\n", " ('start out', 'take the first step or steps in carrying out an action')]},\n", " {'answer': 'begotten',\n", " 'hint': 'synonyms for begotten',\n", " 'clues': [('mother', 'make children'),\n", " ('father', 'make children'),\n", " ('sire', 'make children'),\n", " ('bring forth', 'make children'),\n", " ('engender', 'make children'),\n", " ('generate', 'make children'),\n", " ('get', 'make children'),\n", " ('beget', 'make children')]},\n", " {'answer': 'begrimed',\n", " 'hint': 'synonyms for begrimed',\n", " 'clues': [('colly', 'make soiled, filthy, or dirty'),\n", " ('grime', 'make soiled, filthy, or dirty'),\n", " ('dirty', 'make soiled, filthy, or dirty'),\n", " ('soil', 'make soiled, filthy, or dirty'),\n", " ('begrime', 'make soiled, filthy, or dirty'),\n", " ('bemire', 'make soiled, filthy, or dirty')]},\n", " {'answer': 'beguiled',\n", " 'hint': 'synonyms for beguiled',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('beguile', 'influence by slyness'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('juggle', 'influence by slyness'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('hoodwink', 'influence by slyness'),\n", " ('charm', 'attract; cause to be enamored')]},\n", " {'answer': 'beguiling',\n", " 'hint': 'synonyms for beguiling',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('beguile', 'influence by slyness'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('juggle', 'influence by slyness'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('hoodwink', 'influence by slyness'),\n", " ('charm', 'attract; cause to be enamored')]},\n", " {'answer': 'belittled',\n", " 'hint': 'synonyms for belittled',\n", " 'clues': [('minimize', 'cause to seem less serious; play down'),\n", " ('diminish', 'lessen the authority, dignity, or reputation of'),\n", " ('belittle', 'lessen the authority, dignity, or reputation of'),\n", " ('disparage', 'express a negative opinion of'),\n", " ('denigrate', 'cause to seem less serious; play down'),\n", " ('derogate', 'cause to seem less serious; play down'),\n", " ('pick at', 'express a negative opinion of')]},\n", " {'answer': 'belittling',\n", " 'hint': 'synonyms for belittling',\n", " 'clues': [('minimize', 'cause to seem less serious; play down'),\n", " ('diminish', 'lessen the authority, dignity, or reputation of'),\n", " ('belittle', 'lessen the authority, dignity, or reputation of'),\n", " ('disparage', 'express a negative opinion of'),\n", " ('denigrate', 'cause to seem less serious; play down'),\n", " ('derogate', 'cause to seem less serious; play down'),\n", " ('pick at', 'express a negative opinion of')]},\n", " {'answer': 'bemused',\n", " 'hint': 'synonyms for bemused',\n", " 'clues': [('throw', 'cause to be confused emotionally'),\n", " ('bemuse', 'cause to be confused emotionally'),\n", " ('discombobulate', 'cause to be confused emotionally'),\n", " ('bewilder', 'cause to be confused emotionally')]},\n", " {'answer': 'bended',\n", " 'hint': 'synonyms for bended',\n", " 'clues': [('turn away',\n", " 'turn from a straight course, fixed direction, or line of interest'),\n", " ('deform',\n", " 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('flex', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('bend', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('bow', \"bend one's back forward from the waist on down\"),\n", " ('turn', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('twist', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('deflect',\n", " 'turn from a straight course, fixed direction, or line of interest'),\n", " ('crouch', \"bend one's back forward from the waist on down\"),\n", " ('stoop', \"bend one's back forward from the waist on down\")]},\n", " {'answer': 'bent',\n", " 'hint': 'synonyms for bent',\n", " 'clues': [('turn away',\n", " 'turn from a straight course, fixed direction, or line of interest'),\n", " ('deform',\n", " 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('flex', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('bend', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('bow', \"bend one's back forward from the waist on down\"),\n", " ('turn', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('twist', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('deflect',\n", " 'turn from a straight course, fixed direction, or line of interest'),\n", " ('crouch', \"bend one's back forward from the waist on down\"),\n", " ('stoop', \"bend one's back forward from the waist on down\")]},\n", " {'answer': 'benumbed',\n", " 'hint': 'synonyms for benumbed',\n", " 'clues': [('benumb', 'make numb or insensitive'),\n", " ('blunt', 'make numb or insensitive'),\n", " ('dull', 'make numb or insensitive'),\n", " ('numb', 'make numb or insensitive')]},\n", " {'answer': 'beseeching',\n", " 'hint': 'synonyms for beseeching',\n", " 'clues': [('beseech', 'ask for or request earnestly'),\n", " ('press', 'ask for or request earnestly'),\n", " ('bid', 'ask for or request earnestly'),\n", " ('conjure', 'ask for or request earnestly'),\n", " ('entreat', 'ask for or request earnestly'),\n", " ('adjure', 'ask for or request earnestly')]},\n", " {'answer': 'besieged',\n", " 'hint': 'synonyms for besieged',\n", " 'clues': [('circumvent', 'surround so as to force to give up'),\n", " ('besiege', 'harass, as with questions or requests'),\n", " ('surround', 'surround so as to force to give up'),\n", " ('hem in', 'surround so as to force to give up'),\n", " ('beleaguer', 'surround so as to force to give up')]},\n", " {'answer': 'bespoke',\n", " 'hint': 'synonyms for bespoke',\n", " 'clues': [('bespeak', 'be a signal for or a symptom of'),\n", " ('request', 'express the need or desire for; ask for'),\n", " ('betoken', 'be a signal for or a symptom of'),\n", " ('indicate', 'be a signal for or a symptom of'),\n", " ('point', 'be a signal for or a symptom of'),\n", " ('quest', 'express the need or desire for; ask for'),\n", " ('signal', 'be a signal for or a symptom of'),\n", " ('call for', 'express the need or desire for; ask for')]},\n", " {'answer': 'bespoken',\n", " 'hint': 'synonyms for bespoken',\n", " 'clues': [('bespeak', 'be a signal for or a symptom of'),\n", " ('request', 'express the need or desire for; ask for'),\n", " ('betoken', 'be a signal for or a symptom of'),\n", " ('indicate', 'be a signal for or a symptom of'),\n", " ('point', 'be a signal for or a symptom of'),\n", " ('quest', 'express the need or desire for; ask for'),\n", " ('signal', 'be a signal for or a symptom of'),\n", " ('call for', 'express the need or desire for; ask for')]},\n", " {'answer': 'best',\n", " 'hint': 'synonyms for best',\n", " 'clues': [('scoop', 'get the better of'),\n", " ('outflank', 'get the better of'),\n", " ('outdo', 'get the better of'),\n", " ('trump', 'get the better of')]},\n", " {'answer': 'betrothed',\n", " 'hint': 'synonyms for betrothed',\n", " 'clues': [('affiance', 'give to in marriage'),\n", " ('betroth', 'give to in marriage'),\n", " ('plight', 'give to in marriage'),\n", " ('engage', 'give to in marriage')]},\n", " {'answer': 'better',\n", " 'hint': 'synonyms for better',\n", " 'clues': [('ameliorate', 'to make better'),\n", " ('break', 'surpass in excellence'),\n", " ('improve', 'get better'),\n", " ('amend', 'to make better')]},\n", " {'answer': 'bettering',\n", " 'hint': 'synonyms for bettering',\n", " 'clues': [('meliorate', 'to make better'),\n", " ('better', 'get better'),\n", " ('amend', 'to make better'),\n", " ('improve', 'to make better'),\n", " ('break', 'surpass in excellence')]},\n", " {'answer': 'betting',\n", " 'hint': 'synonyms for betting',\n", " 'clues': [('calculate', 'have faith or confidence in'),\n", " ('play', 'stake on the outcome of an issue'),\n", " ('bet', 'maintain with or as if with a bet'),\n", " ('wager', 'maintain with or as if with a bet'),\n", " ('count', 'have faith or confidence in'),\n", " ('reckon', 'have faith or confidence in'),\n", " ('look', 'have faith or confidence in'),\n", " ('depend', 'have faith or confidence in')]},\n", " {'answer': 'bewildered',\n", " 'hint': 'synonyms for bewildered',\n", " 'clues': [('throw', 'cause to be confused emotionally'),\n", " ('baffle', 'be a mystery or bewildering to'),\n", " ('bewilder', 'cause to be confused emotionally'),\n", " ('beat', 'be a mystery or bewildering to'),\n", " ('discombobulate', 'cause to be confused emotionally'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('bemuse', 'cause to be confused emotionally'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('dumbfound', 'be a mystery or bewildering to'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('amaze', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to')]},\n", " {'answer': 'bewitched',\n", " 'hint': 'synonyms for bewitched',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract strongly, as if with a magnet'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('spellbind', 'attract strongly, as if with a magnet'),\n", " ('glamour',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('enchant',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('mesmerise', 'attract strongly, as if with a magnet'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('magnetise', 'attract strongly, as if with a magnet'),\n", " ('hex',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('jinx',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('witch',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored')]},\n", " {'answer': 'bewitching',\n", " 'hint': 'synonyms for bewitching',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract strongly, as if with a magnet'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('spellbind', 'attract strongly, as if with a magnet'),\n", " ('glamour',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('enchant',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('mesmerise', 'attract strongly, as if with a magnet'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('magnetise', 'attract strongly, as if with a magnet'),\n", " ('hex',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('jinx',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('witch',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored')]},\n", " {'answer': 'billowing',\n", " 'hint': 'synonyms for billowing',\n", " 'clues': [('billow', 'rise and move, as in waves or billows'),\n", " ('surge', 'rise and move, as in waves or billows'),\n", " ('wallow', 'rise up as if in waves'),\n", " ('balloon', 'become inflated'),\n", " ('inflate', 'become inflated'),\n", " ('heave', 'rise and move, as in waves or billows')]},\n", " {'answer': 'binding',\n", " 'hint': 'synonyms for binding',\n", " 'clues': [('bind', 'stick to firmly'),\n", " ('oblige', 'bind by an obligation; cause to be indebted'),\n", " ('adhere', 'stick to firmly'),\n", " ('tie', 'fasten or secure with a rope, string, or cord'),\n", " ('stick to', 'stick to firmly'),\n", " ('hold fast', 'stick to firmly'),\n", " ('stick', 'stick to firmly'),\n", " ('tie up', 'secure with or as if with ropes'),\n", " ('constipate', 'cause to be constipated'),\n", " ('bond', 'stick to firmly'),\n", " ('bandage', 'wrap around with something so as to cover or enclose'),\n", " ('tie down', 'secure with or as if with ropes'),\n", " ('truss', 'secure with or as if with ropes'),\n", " ('attach', 'create social or emotional ties'),\n", " ('hold', 'bind by an obligation; cause to be indebted')]},\n", " {'answer': 'biting',\n", " 'hint': 'synonyms for biting',\n", " 'clues': [('bite', 'penetrate or cut, as with a knife'),\n", " ('burn', 'cause a sharp or stinging pain or discomfort'),\n", " ('sting', 'cause a sharp or stinging pain or discomfort'),\n", " ('prick', 'deliver a sting to'),\n", " ('seize with teeth',\n", " 'to grip, cut off, or tear with or as if with the teeth or jaws')]},\n", " {'answer': 'blackened',\n", " 'hint': 'synonyms for blackened',\n", " 'clues': [('blacken', 'make or become black'),\n", " ('melanise', 'make or become black'),\n", " ('scorch', 'burn slightly and superficially so as to affect color'),\n", " ('black', 'make or become black'),\n", " ('sear', 'burn slightly and superficially so as to affect color'),\n", " ('char', 'burn slightly and superficially so as to affect color'),\n", " ('nigrify', 'make or become black')]},\n", " {'answer': 'blame',\n", " 'hint': 'synonyms for blame',\n", " 'clues': [('find fault', 'harass with constant criticism'),\n", " ('pick', 'harass with constant criticism'),\n", " ('fault', 'put or pin the blame on'),\n", " ('charge', 'attribute responsibility to')]},\n", " {'answer': 'blamed',\n", " 'hint': 'synonyms for blamed',\n", " 'clues': [('find fault', 'harass with constant criticism'),\n", " ('blame', 'harass with constant criticism'),\n", " ('charge', 'attribute responsibility to'),\n", " ('pick', 'harass with constant criticism'),\n", " ('fault', 'put or pin the blame on')]},\n", " {'answer': 'blanched',\n", " 'hint': 'synonyms for blanched',\n", " 'clues': [('blanch', 'turn pale, as if in fear'),\n", " ('parboil', 'cook (vegetables) briefly'),\n", " ('pale', 'turn pale, as if in fear'),\n", " ('blench', 'turn pale, as if in fear')]},\n", " {'answer': 'blaring',\n", " 'hint': 'synonyms for blaring',\n", " 'clues': [('blare', 'make a loud noise'),\n", " ('beep', 'make a loud noise'),\n", " ('honk', 'make a loud noise'),\n", " ('blast', 'make a strident sound'),\n", " ('claxon', 'make a loud noise'),\n", " ('toot', 'make a loud noise')]},\n", " {'answer': 'blasted',\n", " 'hint': 'synonyms for blasted',\n", " 'clues': [('blare', 'make a strident sound'),\n", " ('blast', 'use explosives on'),\n", " ('pillory', 'criticize harshly or violently'),\n", " ('smash', 'hit hard'),\n", " ('boom', 'hit hard'),\n", " ('crucify', 'criticize harshly or violently'),\n", " ('shell', 'create by using explosives'),\n", " ('shoot', 'fire a shot'),\n", " ('nail', 'hit hard'),\n", " ('knock down', 'shatter as if by explosion'),\n", " ('savage', 'criticize harshly or violently')]},\n", " {'answer': 'blasting',\n", " 'hint': 'synonyms for blasting',\n", " 'clues': [('blare', 'make a strident sound'),\n", " ('blast', 'use explosives on'),\n", " ('pillory', 'criticize harshly or violently'),\n", " ('smash', 'hit hard'),\n", " ('boom', 'hit hard'),\n", " ('crucify', 'criticize harshly or violently'),\n", " ('shell', 'create by using explosives'),\n", " ('shoot', 'fire a shot'),\n", " ('nail', 'hit hard'),\n", " ('knock down', 'shatter as if by explosion'),\n", " ('savage', 'criticize harshly or violently')]},\n", " {'answer': 'bleached',\n", " 'hint': 'synonyms for bleached',\n", " 'clues': [('discolourise', 'remove color from'),\n", " ('decolourize', 'remove color from'),\n", " ('bleach', 'remove color from'),\n", " ('decolour', 'remove color from'),\n", " ('bleach out', 'remove color from')]},\n", " {'answer': 'blemished',\n", " 'hint': 'synonyms for blemished',\n", " 'clues': [('flaw',\n", " 'add a flaw or blemish to; make imperfect or defective'),\n", " ('disfigure', 'mar or spoil the appearance of'),\n", " ('deface', 'mar or spoil the appearance of'),\n", " ('spot', 'mar or impair with a flaw'),\n", " ('blemish', 'mar or impair with a flaw')]},\n", " {'answer': 'blended',\n", " 'hint': 'synonyms for blended',\n", " 'clues': [('blend', 'blend or harmonize'),\n", " ('intermingle', 'combine into one'),\n", " ('conflate', 'mix together different elements'),\n", " ('fuse', 'mix together different elements'),\n", " ('go', 'blend or harmonize'),\n", " ('meld', 'mix together different elements'),\n", " ('coalesce', 'mix together different elements'),\n", " ('mix', 'mix together different elements'),\n", " ('immix', 'mix together different elements'),\n", " ('blend in', 'blend or harmonize'),\n", " ('intermix', 'combine into one'),\n", " ('merge', 'mix together different elements'),\n", " ('commingle', 'mix together different elements'),\n", " ('immingle', 'combine into one'),\n", " ('combine', 'mix together different elements'),\n", " ('flux', 'mix together different elements')]},\n", " {'answer': 'blessed',\n", " 'hint': 'synonyms for blessed',\n", " 'clues': [('bless',\n", " 'make the sign of the cross over someone in order to call on God for protection; consecrate'),\n", " ('hallow', 'render holy by means of religious rites'),\n", " ('sanctify', 'render holy by means of religious rites'),\n", " ('consecrate', 'render holy by means of religious rites'),\n", " ('sign',\n", " 'make the sign of the cross over someone in order to call on God for protection; consecrate')]},\n", " {'answer': 'blest',\n", " 'hint': 'synonyms for blest',\n", " 'clues': [('bless',\n", " 'make the sign of the cross over someone in order to call on God for protection; consecrate'),\n", " ('hallow', 'render holy by means of religious rites'),\n", " ('sanctify', 'render holy by means of religious rites'),\n", " ('consecrate', 'render holy by means of religious rites'),\n", " ('sign',\n", " 'make the sign of the cross over someone in order to call on God for protection; consecrate')]},\n", " {'answer': 'blinking',\n", " 'hint': 'synonyms for blinking',\n", " 'clues': [('flash', 'gleam or glow intermittently'),\n", " ('blink away', 'force to go away by blinking'),\n", " ('wink', 'briefly shut the eyes'),\n", " ('nictitate', 'briefly shut the eyes'),\n", " ('blink', 'gleam or glow intermittently'),\n", " ('winkle', 'gleam or glow intermittently')]},\n", " {'answer': 'blistering',\n", " 'hint': 'synonyms for blistering',\n", " 'clues': [('blister', 'subject to harsh criticism'),\n", " ('scald', 'subject to harsh criticism'),\n", " ('vesicate', 'get blistered'),\n", " ('whip', 'subject to harsh criticism')]},\n", " {'answer': 'blockaded',\n", " 'hint': 'synonyms for blockaded',\n", " 'clues': [('block off', 'obstruct access to'),\n", " ('hinder', 'hinder or prevent the progress or accomplishment of'),\n", " ('blockade', 'impose a blockade on'),\n", " ('seal off', 'impose a blockade on'),\n", " ('stop', 'render unsuitable for passage'),\n", " ('embarrass', 'hinder or prevent the progress or accomplishment of'),\n", " ('block', 'hinder or prevent the progress or accomplishment of'),\n", " ('stymie', 'hinder or prevent the progress or accomplishment of'),\n", " ('obstruct', 'hinder or prevent the progress or accomplishment of'),\n", " ('block up', 'render unsuitable for passage'),\n", " ('bar', 'render unsuitable for passage'),\n", " ('stymy', 'hinder or prevent the progress or accomplishment of'),\n", " ('barricade', 'render unsuitable for passage')]},\n", " {'answer': 'blockading',\n", " 'hint': 'synonyms for blockading',\n", " 'clues': [('block off', 'obstruct access to'),\n", " ('hinder', 'hinder or prevent the progress or accomplishment of'),\n", " ('blockade', 'impose a blockade on'),\n", " ('seal off', 'impose a blockade on'),\n", " ('stop', 'render unsuitable for passage'),\n", " ('embarrass', 'hinder or prevent the progress or accomplishment of'),\n", " ('block', 'hinder or prevent the progress or accomplishment of'),\n", " ('stymie', 'hinder or prevent the progress or accomplishment of'),\n", " ('obstruct', 'hinder or prevent the progress or accomplishment of'),\n", " ('block up', 'render unsuitable for passage'),\n", " ('bar', 'render unsuitable for passage'),\n", " ('stymy', 'hinder or prevent the progress or accomplishment of'),\n", " ('barricade', 'render unsuitable for passage')]},\n", " {'answer': 'blocked',\n", " 'hint': 'synonyms for blocked',\n", " 'clues': [('hinder',\n", " 'hinder or prevent the progress or accomplishment of'),\n", " ('jam', 'interfere with or prevent the reception of signals'),\n", " ('close up', 'block passage through'),\n", " ('immobilize', 'prohibit the conversion or use of (assets)'),\n", " ('stop', 'render unsuitable for passage'),\n", " ('obstruct', 'block passage through'),\n", " ('block up', 'render unsuitable for passage'),\n", " ('block', 'shape by using a block'),\n", " ('barricade', 'render unsuitable for passage'),\n", " ('forget', 'be unable to remember'),\n", " ('blockade', 'hinder or prevent the progress or accomplishment of'),\n", " ('lug', 'obstruct'),\n", " ('choke up', 'obstruct'),\n", " ('stymie', 'hinder or prevent the progress or accomplishment of'),\n", " ('stuff', 'obstruct'),\n", " ('blank out', 'be unable to remember'),\n", " ('kibosh', 'stop from happening or developing'),\n", " ('obturate', 'block passage through'),\n", " ('impede', 'block passage through'),\n", " ('block off', 'render unsuitable for passage'),\n", " ('embarrass', 'hinder or prevent the progress or accomplishment of'),\n", " ('stymy', 'hinder or prevent the progress or accomplishment of'),\n", " ('parry', 'impede the movement of (an opponent or a ball)'),\n", " ('deflect', 'impede the movement of (an opponent or a ball)'),\n", " ('freeze', 'prohibit the conversion or use of (assets)'),\n", " ('draw a blank', 'be unable to remember'),\n", " ('halt', 'stop from happening or developing'),\n", " ('bar', 'render unsuitable for passage'),\n", " ('occlude', 'block passage through')]},\n", " {'answer': 'blown',\n", " 'hint': 'synonyms for blown',\n", " 'clues': [('bodge', 'make a mess of, destroy or ruin'),\n", " ('blow', 'lay eggs'),\n", " ('muck up', 'make a mess of, destroy or ruin'),\n", " ('bobble', 'make a mess of, destroy or ruin'),\n", " ('botch up', 'make a mess of, destroy or ruin'),\n", " ('swash', 'show off'),\n", " ('foul up', 'make a mess of, destroy or ruin'),\n", " ('spoil', 'make a mess of, destroy or ruin'),\n", " ('fellate', 'provide sexual gratification through oral stimulation'),\n", " ('suck', 'provide sexual gratification through oral stimulation'),\n", " ('squander', 'spend thoughtlessly; throw away'),\n", " ('go down on', 'provide sexual gratification through oral stimulation'),\n", " ('bollocks up', 'make a mess of, destroy or ruin'),\n", " ('vaunt', 'show off'),\n", " ('brag', 'show off'),\n", " ('mishandle', 'make a mess of, destroy or ruin'),\n", " ('muff', 'make a mess of, destroy or ruin'),\n", " ('shove off', 'leave; informal or rude'),\n", " ('gas', 'show off'),\n", " ('bungle', 'make a mess of, destroy or ruin'),\n", " ('fumble', 'make a mess of, destroy or ruin'),\n", " ('tout', 'show off'),\n", " ('drift', 'be in motion due to some air or water current'),\n", " ('bollix up', 'make a mess of, destroy or ruin'),\n", " ('fluff', 'make a mess of, destroy or ruin'),\n", " ('screw up', 'make a mess of, destroy or ruin'),\n", " ('float', 'be in motion due to some air or water current'),\n", " ('bluster', 'show off'),\n", " ('boast', 'show off'),\n", " ('gasconade', 'show off'),\n", " ('be adrift', 'be in motion due to some air or water current'),\n", " ('bollix', 'make a mess of, destroy or ruin'),\n", " ('bumble', 'make a mess of, destroy or ruin'),\n", " ('waste', 'spend thoughtlessly; throw away'),\n", " ('mess up', 'make a mess of, destroy or ruin'),\n", " ('blow out', 'melt, break, or become otherwise unusable'),\n", " ('flub', 'make a mess of, destroy or ruin'),\n", " ('shoot a line', 'show off'),\n", " ('ball up', 'make a mess of, destroy or ruin'),\n", " ('burn out', 'melt, break, or become otherwise unusable'),\n", " ('louse up', 'make a mess of, destroy or ruin'),\n", " ('bollocks', 'make a mess of, destroy or ruin'),\n", " ('shove along', 'leave; informal or rude'),\n", " ('botch', 'make a mess of, destroy or ruin')]},\n", " {'answer': 'blunt',\n", " 'hint': 'synonyms for blunt',\n", " 'clues': [('benumb', 'make numb or insensitive'),\n", " ('dull', 'make numb or insensitive'),\n", " ('numb', 'make numb or insensitive'),\n", " ('deaden',\n", " 'make less lively, intense, or vigorous; impair in vigor, force, activity, or sensation')]},\n", " {'answer': 'blunted',\n", " 'hint': 'synonyms for blunted',\n", " 'clues': [('blunt',\n", " 'make less lively, intense, or vigorous; impair in vigor, force, activity, or sensation'),\n", " ('dull', 'make numb or insensitive'),\n", " ('deaden',\n", " 'make less lively, intense, or vigorous; impair in vigor, force, activity, or sensation'),\n", " ('benumb', 'make numb or insensitive'),\n", " ('numb', 'make numb or insensitive')]},\n", " {'answer': 'blurred',\n", " 'hint': 'synonyms for blurred',\n", " 'clues': [('obscure', 'make unclear, indistinct, or blurred'),\n", " ('smutch', 'make a smudge on; soil by smudging'),\n", " ('blear', 'make dim or indistinct'),\n", " ('glaze over', 'become glassy; lose clear vision'),\n", " ('slur', 'become vague or indistinct'),\n", " ('blur', 'to make less distinct or clear'),\n", " ('confuse', 'make unclear, indistinct, or blurred'),\n", " ('smudge', 'make a smudge on; soil by smudging'),\n", " ('dim', 'become vague or indistinct'),\n", " ('smear', 'make a smudge on; soil by smudging'),\n", " ('obnubilate', 'make unclear, indistinct, or blurred'),\n", " ('film over', 'become glassy; lose clear vision')]},\n", " {'answer': 'blushing',\n", " 'hint': 'synonyms for blushing',\n", " 'clues': [('flush', 'turn red, as if in embarrassment or shame'),\n", " ('blush', 'turn red, as if in embarrassment or shame'),\n", " ('crimson', 'turn red, as if in embarrassment or shame'),\n", " ('redden', 'turn red, as if in embarrassment or shame')]},\n", " {'answer': 'blustering',\n", " 'hint': 'synonyms for blustering',\n", " 'clues': [('bluster',\n", " 'act in an arrogant, overly self-assured, or conceited manner'),\n", " ('swash', 'act in an arrogant, overly self-assured, or conceited manner'),\n", " ('tout', 'show off'),\n", " ('shoot a line', 'show off'),\n", " ('blow', 'show off'),\n", " ('boast', 'show off'),\n", " ('vaunt', 'show off'),\n", " ('brag', 'show off'),\n", " ('gasconade', 'show off'),\n", " ('gas', 'show off'),\n", " ('swagger',\n", " 'act in an arrogant, overly self-assured, or conceited manner')]},\n", " {'answer': 'boiled',\n", " 'hint': 'synonyms for boiled',\n", " 'clues': [('boil', 'be agitated'),\n", " ('seethe', 'be in an agitated emotional state'),\n", " ('roil', 'be agitated'),\n", " ('moil', 'be agitated'),\n", " ('churn', 'be agitated')]},\n", " {'answer': 'bone',\n", " 'hint': 'synonyms for bone',\n", " 'clues': [('drum', 'study intensively, as before an exam'),\n", " ('debone', 'remove the bones from'),\n", " ('swot', 'study intensively, as before an exam'),\n", " ('cram', 'study intensively, as before an exam'),\n", " ('get up', 'study intensively, as before an exam'),\n", " ('bone up', 'study intensively, as before an exam'),\n", " ('mug up', 'study intensively, as before an exam'),\n", " ('grind away', 'study intensively, as before an exam'),\n", " ('swot up', 'study intensively, as before an exam')]},\n", " {'answer': 'boned',\n", " 'hint': 'synonyms for boned',\n", " 'clues': [('drum', 'study intensively, as before an exam'),\n", " ('debone', 'remove the bones from'),\n", " ('swot', 'study intensively, as before an exam'),\n", " ('cram', 'study intensively, as before an exam'),\n", " ('get up', 'study intensively, as before an exam'),\n", " ('bone', 'remove the bones from'),\n", " ('bone up', 'study intensively, as before an exam'),\n", " ('mug up', 'study intensively, as before an exam'),\n", " ('grind away', 'study intensively, as before an exam'),\n", " ('swot up', 'study intensively, as before an exam')]},\n", " {'answer': 'booming',\n", " 'hint': 'synonyms for booming',\n", " 'clues': [('flourish', 'grow vigorously'),\n", " ('boom', 'make a deep hollow sound'),\n", " ('thrive', 'grow vigorously'),\n", " ('din', 'make a resonant sound, like artillery'),\n", " ('blast', 'hit hard'),\n", " ('smash', 'hit hard'),\n", " ('thunder', 'be the case that thunder is being heard'),\n", " ('boom out', 'make a deep hollow sound'),\n", " ('expand', 'grow vigorously'),\n", " ('nail', 'hit hard')]},\n", " {'answer': 'bootlicking',\n", " 'hint': 'synonyms for bootlicking',\n", " 'clues': [('toady', 'try to gain favor by cringing or flattering'),\n", " ('kotow', 'try to gain favor by cringing or flattering'),\n", " ('fawn', 'try to gain favor by cringing or flattering'),\n", " ('truckle', 'try to gain favor by cringing or flattering'),\n", " ('bootlick', 'try to gain favor by cringing or flattering'),\n", " ('suck up', 'try to gain favor by cringing or flattering')]},\n", " {'answer': 'bordered',\n", " 'hint': 'synonyms for bordered',\n", " 'clues': [('surround', 'extend on all sides of simultaneously; encircle'),\n", " ('ring', 'extend on all sides of simultaneously; encircle'),\n", " ('frame in', 'enclose in or as if in a frame'),\n", " ('butt on', 'lie adjacent to another or share a boundary'),\n", " ('frame', 'enclose in or as if in a frame'),\n", " ('edge', 'lie adjacent to another or share a boundary'),\n", " ('environ', 'extend on all sides of simultaneously; encircle'),\n", " ('border', 'lie adjacent to another or share a boundary'),\n", " ('butt', 'lie adjacent to another or share a boundary'),\n", " ('adjoin', 'lie adjacent to another or share a boundary'),\n", " ('bound', 'form the boundary of; be contiguous to'),\n", " ('skirt', 'extend on all sides of simultaneously; encircle'),\n", " ('abut', 'lie adjacent to another or share a boundary'),\n", " ('march', 'lie adjacent to another or share a boundary'),\n", " ('butt against', 'lie adjacent to another or share a boundary')]},\n", " {'answer': 'born',\n", " 'hint': 'synonyms for born',\n", " 'clues': [('endure', 'put up with something or somebody unpleasant'),\n", " ('turn out', 'bring forth,'),\n", " ('bear', 'contain or hold; have within'),\n", " ('birth', 'cause to be born'),\n", " ('have', 'cause to be born'),\n", " ('give birth', 'cause to be born'),\n", " ('comport', 'behave in a certain manner'),\n", " ('support', 'put up with something or somebody unpleasant'),\n", " ('hold', 'contain or hold; have within'),\n", " ('yield', 'bring in'),\n", " ('have a bun in the oven', 'be pregnant with'),\n", " ('wear', \"have on one's person\"),\n", " ('carry', 'support or hold in a certain manner'),\n", " ('acquit', 'behave in a certain manner'),\n", " ('digest', 'put up with something or somebody unpleasant'),\n", " ('brook', 'put up with something or somebody unpleasant'),\n", " ('assume',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('tolerate', 'put up with something or somebody unpleasant'),\n", " ('deport', 'behave in a certain manner'),\n", " ('expect', 'be pregnant with'),\n", " ('contain', 'contain or hold; have within'),\n", " ('abide', 'put up with something or somebody unpleasant'),\n", " ('put up', 'put up with something or somebody unpleasant'),\n", " ('conduct', 'behave in a certain manner'),\n", " ('pay', 'bring in'),\n", " ('stick out', 'put up with something or somebody unpleasant'),\n", " ('suffer', 'put up with something or somebody unpleasant'),\n", " ('take over',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('accept',\n", " \"take on as one's own the expenses or debts of another person\"),\n", " ('stand', 'put up with something or somebody unpleasant'),\n", " ('behave', 'behave in a certain manner'),\n", " ('gestate', 'be pregnant with'),\n", " ('stomach', 'put up with something or somebody unpleasant'),\n", " ('deliver', 'cause to be born')]},\n", " {'answer': 'bosomed',\n", " 'hint': 'synonyms for bosomed',\n", " 'clues': [('bosom',\n", " 'squeeze (someone) tightly in your arms, usually with fondness'),\n", " ('squeeze',\n", " 'squeeze (someone) tightly in your arms, usually with fondness'),\n", " ('embrace',\n", " 'squeeze (someone) tightly in your arms, usually with fondness'),\n", " ('hug',\n", " 'squeeze (someone) tightly in your arms, usually with fondness')]},\n", " {'answer': 'botched',\n", " 'hint': 'synonyms for botched',\n", " 'clues': [('bodge', 'make a mess of, destroy or ruin'),\n", " ('bungle', 'make a mess of, destroy or ruin'),\n", " ('fumble', 'make a mess of, destroy or ruin'),\n", " ('blow', 'make a mess of, destroy or ruin'),\n", " ('muck up', 'make a mess of, destroy or ruin'),\n", " ('bollix up', 'make a mess of, destroy or ruin'),\n", " ('bobble', 'make a mess of, destroy or ruin'),\n", " ('fluff', 'make a mess of, destroy or ruin'),\n", " ('screw up', 'make a mess of, destroy or ruin'),\n", " ('botch up', 'make a mess of, destroy or ruin'),\n", " ('foul up', 'make a mess of, destroy or ruin'),\n", " ('bollix', 'make a mess of, destroy or ruin'),\n", " ('spoil', 'make a mess of, destroy or ruin'),\n", " ('bumble', 'make a mess of, destroy or ruin'),\n", " ('mess up', 'make a mess of, destroy or ruin'),\n", " ('flub', 'make a mess of, destroy or ruin'),\n", " ('ball up', 'make a mess of, destroy or ruin'),\n", " ('bollocks up', 'make a mess of, destroy or ruin'),\n", " ('louse up', 'make a mess of, destroy or ruin'),\n", " ('bollocks', 'make a mess of, destroy or ruin'),\n", " ('mishandle', 'make a mess of, destroy or ruin'),\n", " ('muff', 'make a mess of, destroy or ruin'),\n", " ('botch', 'make a mess of, destroy or ruin')]},\n", " {'answer': 'bothered',\n", " 'hint': 'synonyms for bothered',\n", " 'clues': [('vex',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('nettle',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('chafe', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('discommode', 'to cause inconvenience or discomfort to'),\n", " ('bother',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('nark', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('trouble oneself', 'take the trouble to do something; concern oneself'),\n", " ('rile', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('irritate',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('get at',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('trouble', 'to cause inconvenience or discomfort to'),\n", " ('gravel',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('get to',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('inconvenience', 'to cause inconvenience or discomfort to'),\n", " ('annoy', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('devil', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('rag', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('put out', 'to cause inconvenience or discomfort to'),\n", " ('incommode', 'to cause inconvenience or discomfort to'),\n", " ('inconvenience oneself',\n", " 'take the trouble to do something; concern oneself'),\n", " ('disoblige', 'to cause inconvenience or discomfort to')]},\n", " {'answer': 'bouncing',\n", " 'hint': 'synonyms for bouncing',\n", " 'clues': [('bounce', 'eject from the premises'),\n", " ('jounce', 'move up and down repeatedly'),\n", " ('take a hop', 'spring back; spring away from an impact'),\n", " ('spring', 'spring back; spring away from an impact'),\n", " ('recoil', 'spring back; spring away from an impact'),\n", " ('reverberate', 'spring back; spring away from an impact'),\n", " ('ricochet', 'spring back; spring away from an impact'),\n", " ('rebound', 'spring back; spring away from an impact'),\n", " ('resile', 'spring back; spring away from an impact'),\n", " ('bound', 'spring back; spring away from an impact')]},\n", " {'answer': 'bound',\n", " 'hint': 'synonyms for bound',\n", " 'clues': [('bind', 'stick to firmly'),\n", " ('oblige', 'bind by an obligation; cause to be indebted'),\n", " ('adhere', 'stick to firmly'),\n", " ('stick to', 'stick to firmly'),\n", " ('throttle', 'place limits on (extent or access)'),\n", " ('hold fast', 'stick to firmly'),\n", " ('bounce', 'spring back; spring away from an impact'),\n", " ('stick', 'stick to firmly'),\n", " ('rebound', 'spring back; spring away from an impact'),\n", " ('constipate', 'cause to be constipated'),\n", " ('bond', 'stick to firmly'),\n", " ('limit', 'place limits on (extent or access)'),\n", " ('restrict', 'place limits on (extent or access)'),\n", " ('truss', 'secure with or as if with ropes'),\n", " ('confine', 'place limits on (extent or access)'),\n", " ('restrain', 'place limits on (extent or access)'),\n", " ('reverberate', 'spring back; spring away from an impact'),\n", " ('border', 'form the boundary of; be contiguous to'),\n", " ('ricochet', 'spring back; spring away from an impact'),\n", " ('spring', 'move forward by leaps and bounds'),\n", " ('resile', 'spring back; spring away from an impact'),\n", " ('hold', 'bind by an obligation; cause to be indebted'),\n", " ('leap', 'move forward by leaps and bounds'),\n", " ('take a hop', 'spring back; spring away from an impact'),\n", " ('tie', 'fasten or secure with a rope, string, or cord'),\n", " ('tie up', 'secure with or as if with ropes'),\n", " ('jump', 'move forward by leaps and bounds'),\n", " ('bandage', 'wrap around with something so as to cover or enclose'),\n", " ('tie down', 'secure with or as if with ropes'),\n", " ('recoil', 'spring back; spring away from an impact'),\n", " ('attach', 'create social or emotional ties'),\n", " ('trammel', 'place limits on (extent or access)')]},\n", " {'answer': 'bounded',\n", " 'hint': 'synonyms for bounded',\n", " 'clues': [('leap', 'move forward by leaps and bounds'),\n", " ('take a hop', 'spring back; spring away from an impact'),\n", " ('spring', 'spring back; spring away from an impact'),\n", " ('throttle', 'place limits on (extent or access)'),\n", " ('bounce', 'spring back; spring away from an impact'),\n", " ('rebound', 'spring back; spring away from an impact'),\n", " ('jump', 'move forward by leaps and bounds'),\n", " ('bound', 'form the boundary of; be contiguous to'),\n", " ('limit', 'place limits on (extent or access)'),\n", " ('restrict', 'place limits on (extent or access)'),\n", " ('recoil', 'spring back; spring away from an impact'),\n", " ('confine', 'place limits on (extent or access)'),\n", " ('restrain', 'place limits on (extent or access)'),\n", " ('reverberate', 'spring back; spring away from an impact'),\n", " ('border', 'form the boundary of; be contiguous to'),\n", " ('trammel', 'place limits on (extent or access)'),\n", " ('ricochet', 'spring back; spring away from an impact'),\n", " ('resile', 'spring back; spring away from an impact')]},\n", " {'answer': 'bowed',\n", " 'hint': 'synonyms for bowed',\n", " 'clues': [('give in', \"yield to another's wish or opinion\"),\n", " ('bow',\n", " 'bend the head or the upper part of the body in a gesture of respect or greeting'),\n", " ('bow down', \"bend one's knee or body, or lower one's head\"),\n", " ('accede', \"yield to another's wish or opinion\"),\n", " ('crouch', \"bend one's back forward from the waist on down\"),\n", " ('bend', \"bend one's back forward from the waist on down\"),\n", " ('defer', \"yield to another's wish or opinion\"),\n", " ('submit', \"yield to another's wish or opinion\"),\n", " ('stoop', \"bend one's back forward from the waist on down\")]},\n", " {'answer': 'bowing',\n", " 'hint': 'synonyms for bowing',\n", " 'clues': [('give in', \"yield to another's wish or opinion\"),\n", " ('bow',\n", " 'bend the head or the upper part of the body in a gesture of respect or greeting'),\n", " ('bow down', \"bend one's knee or body, or lower one's head\"),\n", " ('accede', \"yield to another's wish or opinion\"),\n", " ('crouch', \"bend one's back forward from the waist on down\"),\n", " ('bend', \"bend one's back forward from the waist on down\"),\n", " ('defer', \"yield to another's wish or opinion\"),\n", " ('submit', \"yield to another's wish or opinion\"),\n", " ('stoop', \"bend one's back forward from the waist on down\")]},\n", " {'answer': 'braced',\n", " 'hint': 'synonyms for braced',\n", " 'clues': [('brace',\n", " 'support or hold steady and make steadfast, with or as if with a brace'),\n", " ('stabilize',\n", " 'support or hold steady and make steadfast, with or as if with a brace'),\n", " ('energize', 'cause to be alert and energetic'),\n", " ('poise', 'prepare (oneself) for something unpleasant or difficult'),\n", " ('steady',\n", " 'support or hold steady and make steadfast, with or as if with a brace'),\n", " ('arouse', 'cause to be alert and energetic'),\n", " ('perk up', 'cause to be alert and energetic'),\n", " ('stimulate', 'cause to be alert and energetic')]},\n", " {'answer': 'bracing',\n", " 'hint': 'synonyms for bracing',\n", " 'clues': [('brace',\n", " 'support or hold steady and make steadfast, with or as if with a brace'),\n", " ('stabilize',\n", " 'support or hold steady and make steadfast, with or as if with a brace'),\n", " ('energize', 'cause to be alert and energetic'),\n", " ('poise', 'prepare (oneself) for something unpleasant or difficult'),\n", " ('steady',\n", " 'support or hold steady and make steadfast, with or as if with a brace'),\n", " ('arouse', 'cause to be alert and energetic'),\n", " ('perk up', 'cause to be alert and energetic'),\n", " ('stimulate', 'cause to be alert and energetic')]},\n", " {'answer': 'brag',\n", " 'hint': 'synonyms for brag',\n", " 'clues': [('tout', 'show off'),\n", " ('shoot a line', 'show off'),\n", " ('bluster', 'show off'),\n", " ('blow', 'show off'),\n", " ('boast', 'show off'),\n", " ('vaunt', 'show off'),\n", " ('gasconade', 'show off'),\n", " ('swash', 'show off'),\n", " ('gas', 'show off')]},\n", " {'answer': 'bragging',\n", " 'hint': 'synonyms for bragging',\n", " 'clues': [('tout', 'show off'),\n", " ('shoot a line', 'show off'),\n", " ('bluster', 'show off'),\n", " ('blow', 'show off'),\n", " ('boast', 'show off'),\n", " ('vaunt', 'show off'),\n", " ('brag', 'show off'),\n", " ('gasconade', 'show off'),\n", " ('swash', 'show off'),\n", " ('gas', 'show off')]},\n", " {'answer': 'braided',\n", " 'hint': 'synonyms for braided',\n", " 'clues': [('braid', 'make by braiding or interlacing'),\n", " ('lace', 'make by braiding or interlacing'),\n", " ('pleach', 'form or weave into a braid or braids'),\n", " ('plait', 'make by braiding or interlacing')]},\n", " {'answer': 'branched',\n", " 'hint': 'synonyms for branched',\n", " 'clues': [('furcate',\n", " 'divide into two or more branches so as to form a fork'),\n", " ('ramify', 'divide into two or more branches so as to form a fork'),\n", " ('fork', 'divide into two or more branches so as to form a fork'),\n", " ('branch', 'grow and send out branches or branch-like structures'),\n", " ('separate', 'divide into two or more branches so as to form a fork')]},\n", " {'answer': 'branching',\n", " 'hint': 'synonyms for branching',\n", " 'clues': [('furcate',\n", " 'divide into two or more branches so as to form a fork'),\n", " ('ramify', 'divide into two or more branches so as to form a fork'),\n", " ('fork', 'divide into two or more branches so as to form a fork'),\n", " ('branch', 'grow and send out branches or branch-like structures'),\n", " ('separate', 'divide into two or more branches so as to form a fork')]},\n", " {'answer': 'branded',\n", " 'hint': 'synonyms for branded',\n", " 'clues': [('brand', 'mark or expose as infamous'),\n", " ('denounce',\n", " 'to accuse or condemn or openly or formally or brand as disgraceful'),\n", " ('stigmatize',\n", " 'to accuse or condemn or openly or formally or brand as disgraceful'),\n", " ('trademark', 'mark with a brand or trademark'),\n", " ('mark',\n", " 'to accuse or condemn or openly or formally or brand as disgraceful'),\n", " ('brandmark', 'mark with a brand or trademark'),\n", " ('post', 'mark or expose as infamous')]},\n", " {'answer': 'breathed',\n", " 'hint': 'synonyms for breathed',\n", " 'clues': [('emit', 'expel (gases or odors)'),\n", " ('respire', 'draw air into, and expel out of, the lungs'),\n", " ('breathe', 'impart as if by breathing'),\n", " ('suspire', 'draw air into, and expel out of, the lungs'),\n", " ('rest', \"take a short break from one's activities in order to relax\"),\n", " ('pass off', 'expel (gases or odors)'),\n", " ('take a breath', 'draw air into, and expel out of, the lungs'),\n", " (\"catch one's breath\",\n", " \"take a short break from one's activities in order to relax\")]},\n", " {'answer': 'breathing',\n", " 'hint': 'synonyms for breathing',\n", " 'clues': [('emit', 'expel (gases or odors)'),\n", " ('respire', 'draw air into, and expel out of, the lungs'),\n", " ('breathe', 'impart as if by breathing'),\n", " ('suspire', 'draw air into, and expel out of, the lungs'),\n", " ('rest', \"take a short break from one's activities in order to relax\"),\n", " ('pass off', 'expel (gases or odors)'),\n", " ('take a breath', 'draw air into, and expel out of, the lungs'),\n", " (\"catch one's breath\",\n", " \"take a short break from one's activities in order to relax\")]},\n", " {'answer': 'breeding',\n", " 'hint': 'synonyms for breeding',\n", " 'clues': [('breed', 'copulate with a female, used especially of horses'),\n", " ('multiply', 'have young (animals) or reproduce (organisms)'),\n", " ('engender', 'call forth'),\n", " ('spawn', 'call forth'),\n", " ('cover', 'copulate with a female, used especially of horses')]},\n", " {'answer': 'bristled',\n", " 'hint': 'synonyms for bristled',\n", " 'clues': [('burst', 'be in a state of movement or action'),\n", " ('bristle', 'be in a state of movement or action'),\n", " ('uprise', 'rise up as in fear'),\n", " ('stand up', 'rise up as in fear'),\n", " ('abound', 'be in a state of movement or action')]},\n", " {'answer': 'broke',\n", " 'hint': 'synonyms for broke',\n", " 'clues': [('break', 'destroy the completeness of a set of related items'),\n", " ('offend', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('break up', 'destroy the completeness of a set of related items'),\n", " ('damp', 'lessen in force or effect'),\n", " ('kick downstairs', 'assign to a lower position; reduce in rank'),\n", " ('give', 'break down, literally or metaphorically'),\n", " ('get out', 'be released or become known; of news'),\n", " ('divulge',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('develop', 'happen'),\n", " ('disclose',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('go against', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('transgress', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('break off', 'prevent completion'),\n", " ('go', 'stop operating or functioning'),\n", " ('breach', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('break away', 'move away or escape suddenly'),\n", " ('come apart', 'become separated into pieces or fragments'),\n", " ('wear', 'go to pieces'),\n", " ('infract', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('erupt',\n", " 'force out or release suddenly and often violently something pent up'),\n", " ('better', 'surpass in excellence'),\n", " ('discover',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('split', 'discontinue an association or relation; go different ways'),\n", " ('bankrupt', 'reduce to bankruptcy'),\n", " ('snap off', 'break a piece from a whole'),\n", " ('discontinue', 'prevent completion'),\n", " ('expose',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('part', 'discontinue an association or relation; go different ways'),\n", " ('give away',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('interrupt', 'terminate'),\n", " ('stop', 'prevent completion'),\n", " ('go bad', 'stop operating or functioning'),\n", " ('unwrap',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('bust', 'go to pieces'),\n", " ('get around', 'be released or become known; of news'),\n", " ('break in',\n", " \"enter someone's (virtual or real) property in an unauthorized manner, usually with the intent to steal or commit a violent act\"),\n", " ('weaken', 'lessen in force or effect'),\n", " ('recrudesce', 'happen'),\n", " ('split up', 'become separated into pieces or fragments'),\n", " ('demote', 'assign to a lower position; reduce in rank'),\n", " ('cave in', 'break down, literally or metaphorically'),\n", " ('check', 'become fractured; break or crack on the surface only'),\n", " ('break dance', 'do a break dance'),\n", " ('separate', 'become separated into pieces or fragments'),\n", " ('violate',\n", " 'fail to agree with; be in violation of; as of rules or patterns'),\n", " ('collapse', 'break down, literally or metaphorically'),\n", " ('dampen', 'lessen in force or effect'),\n", " ('intermit', 'cease an action temporarily'),\n", " ('relegate', 'assign to a lower position; reduce in rank'),\n", " ('die', 'stop operating or functioning'),\n", " ('reveal',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('let on',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('fracture', 'fracture a bone of'),\n", " ('fall apart', 'go to pieces'),\n", " ('give out', 'stop operating or functioning'),\n", " ('break down', 'stop operating or functioning'),\n", " ('smash', 'reduce to bankruptcy'),\n", " ('pause', 'cease an action temporarily'),\n", " ('fall in', 'break down, literally or metaphorically'),\n", " ('wear out', 'go to pieces'),\n", " ('break out', 'move away or escape suddenly'),\n", " ('conk out', 'stop operating or functioning'),\n", " ('crack', 'become fractured; break or crack on the surface only'),\n", " ('ruin', 'reduce to bankruptcy'),\n", " ('fail', 'stop operating or functioning'),\n", " ('bump', 'assign to a lower position; reduce in rank'),\n", " ('bring out',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('founder', 'break down, literally or metaphorically'),\n", " ('soften', 'lessen in force or effect')]},\n", " {'answer': 'broken',\n", " 'hint': 'synonyms for broken',\n", " 'clues': [('break', 'destroy the completeness of a set of related items'),\n", " ('offend', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('break up', 'destroy the completeness of a set of related items'),\n", " ('damp', 'lessen in force or effect'),\n", " ('kick downstairs', 'assign to a lower position; reduce in rank'),\n", " ('give', 'break down, literally or metaphorically'),\n", " ('get out', 'be released or become known; of news'),\n", " ('divulge',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('develop', 'happen'),\n", " ('disclose',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('go against', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('transgress', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('break off', 'prevent completion'),\n", " ('go', 'stop operating or functioning'),\n", " ('breach', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('break away', 'move away or escape suddenly'),\n", " ('come apart', 'become separated into pieces or fragments'),\n", " ('wear', 'go to pieces'),\n", " ('infract', 'act in disregard of laws, rules, contracts, or promises'),\n", " ('erupt',\n", " 'force out or release suddenly and often violently something pent up'),\n", " ('better', 'surpass in excellence'),\n", " ('discover',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('split', 'discontinue an association or relation; go different ways'),\n", " ('bankrupt', 'reduce to bankruptcy'),\n", " ('snap off', 'break a piece from a whole'),\n", " ('discontinue', 'prevent completion'),\n", " ('expose',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('part', 'discontinue an association or relation; go different ways'),\n", " ('give away',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('interrupt', 'terminate'),\n", " ('stop', 'prevent completion'),\n", " ('go bad', 'stop operating or functioning'),\n", " ('unwrap',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('bust', 'go to pieces'),\n", " ('get around', 'be released or become known; of news'),\n", " ('break in',\n", " \"enter someone's (virtual or real) property in an unauthorized manner, usually with the intent to steal or commit a violent act\"),\n", " ('weaken', 'lessen in force or effect'),\n", " ('recrudesce', 'happen'),\n", " ('split up', 'become separated into pieces or fragments'),\n", " ('demote', 'assign to a lower position; reduce in rank'),\n", " ('cave in', 'break down, literally or metaphorically'),\n", " ('check', 'become fractured; break or crack on the surface only'),\n", " ('break dance', 'do a break dance'),\n", " ('separate', 'become separated into pieces or fragments'),\n", " ('violate',\n", " 'fail to agree with; be in violation of; as of rules or patterns'),\n", " ('collapse', 'break down, literally or metaphorically'),\n", " ('dampen', 'lessen in force or effect'),\n", " ('intermit', 'cease an action temporarily'),\n", " ('relegate', 'assign to a lower position; reduce in rank'),\n", " ('die', 'stop operating or functioning'),\n", " ('reveal',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('let on',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('fracture', 'fracture a bone of'),\n", " ('fall apart', 'go to pieces'),\n", " ('give out', 'stop operating or functioning'),\n", " ('break down', 'stop operating or functioning'),\n", " ('smash', 'reduce to bankruptcy'),\n", " ('pause', 'cease an action temporarily'),\n", " ('fall in', 'break down, literally or metaphorically'),\n", " ('wear out', 'go to pieces'),\n", " ('break out', 'move away or escape suddenly'),\n", " ('conk out', 'stop operating or functioning'),\n", " ('crack', 'become fractured; break or crack on the surface only'),\n", " ('ruin', 'reduce to bankruptcy'),\n", " ('fail', 'stop operating or functioning'),\n", " ('bump', 'assign to a lower position; reduce in rank'),\n", " ('bring out',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('founder', 'break down, literally or metaphorically'),\n", " ('soften', 'lessen in force or effect')]},\n", " {'answer': 'brooding',\n", " 'hint': 'synonyms for brooding',\n", " 'clues': [('pout', \"be in a huff and display one's displeasure\"),\n", " ('grizzle', 'be in a huff; be silent or sullen'),\n", " ('incubate', 'sit on (eggs)'),\n", " ('dwell', 'think moodily or anxiously about something'),\n", " ('stew', 'be in a huff; be silent or sullen'),\n", " ('brood', 'think moodily or anxiously about something'),\n", " ('cover', 'sit on (eggs)'),\n", " ('hover', 'hang over, as of something threatening, dark, or menacing'),\n", " ('hatch', 'sit on (eggs)'),\n", " ('sulk', \"be in a huff and display one's displeasure\"),\n", " ('loom', 'hang over, as of something threatening, dark, or menacing'),\n", " ('bulk large',\n", " 'hang over, as of something threatening, dark, or menacing')]},\n", " {'answer': 'bruising',\n", " 'hint': 'synonyms for bruising',\n", " 'clues': [('wound', 'hurt the feelings of'),\n", " ('spite', 'hurt the feelings of'),\n", " ('offend', 'hurt the feelings of'),\n", " ('bruise', 'damage (plant tissue) by abrasion or pressure'),\n", " ('contuse', 'injure the underlying soft tissue or bone of'),\n", " ('injure', 'hurt the feelings of'),\n", " ('hurt', 'hurt the feelings of')]},\n", " {'answer': 'bubbling',\n", " 'hint': 'synonyms for bubbling',\n", " 'clues': [('guggle', 'flow in an irregular current with a bubbling noise'),\n", " ('bubble', 'form, produce, or emit bubbles'),\n", " ('gurgle', 'flow in an irregular current with a bubbling noise'),\n", " ('burble', 'flow in an irregular current with a bubbling noise'),\n", " ('babble', 'flow in an irregular current with a bubbling noise'),\n", " ('eruct', 'expel gas from the stomach'),\n", " ('burp', 'expel gas from the stomach'),\n", " ('ripple', 'flow in an irregular current with a bubbling noise'),\n", " ('belch', 'expel gas from the stomach')]},\n", " {'answer': 'buffeted',\n", " 'hint': 'synonyms for buffeted',\n", " 'clues': [('batter', 'strike against forcefully'),\n", " ('buffet', 'strike against forcefully'),\n", " ('knock about', 'strike against forcefully'),\n", " ('buff', 'strike, beat repeatedly')]},\n", " {'answer': 'bugged',\n", " 'hint': 'synonyms for bugged',\n", " 'clues': [('badger', 'annoy persistently'),\n", " ('tease', 'annoy persistently'),\n", " ('intercept', 'tap a telephone or telegraph wire to get information'),\n", " ('wiretap', 'tap a telephone or telegraph wire to get information'),\n", " ('beleaguer', 'annoy persistently'),\n", " ('bug', 'tap a telephone or telegraph wire to get information'),\n", " ('pester', 'annoy persistently'),\n", " ('tap', 'tap a telephone or telegraph wire to get information')]},\n", " {'answer': 'built',\n", " 'hint': 'synonyms for built',\n", " 'clues': [('build', 'order, supervise, or finance the construction of'),\n", " ('build up', 'bolster or strengthen'),\n", " ('work up', 'bolster or strengthen'),\n", " ('ramp up', 'bolster or strengthen'),\n", " ('establish', 'build or establish something abstract'),\n", " ('construct', 'make by combining materials and parts'),\n", " ('make', 'make by combining materials and parts'),\n", " ('progress', 'form or accumulate steadily')]},\n", " {'answer': 'bulging',\n", " 'hint': 'synonyms for bulging',\n", " 'clues': [('bulge', 'swell or protrude outwards'),\n", " ('pop', 'bulge outward'),\n", " ('protrude', 'swell or protrude outwards'),\n", " ('bulk', 'cause to bulge or swell outwards'),\n", " ('bag',\n", " 'bulge out; form a bulge outward, or be so full as to appear to bulge'),\n", " ('start', 'bulge outward'),\n", " ('pouch', 'swell or protrude outwards'),\n", " ('bulge out', 'bulge outward'),\n", " ('come out', 'bulge outward'),\n", " ('pop out', 'bulge outward')]},\n", " {'answer': 'bully',\n", " 'hint': 'synonyms for bully',\n", " 'clues': [('ballyrag', 'be bossy towards'),\n", " ('boss around', 'be bossy towards'),\n", " ('swagger',\n", " 'discourage or frighten with threats or a domineering manner; intimidate'),\n", " ('browbeat',\n", " 'discourage or frighten with threats or a domineering manner; intimidate'),\n", " ('push around', 'be bossy towards'),\n", " ('hector', 'be bossy towards'),\n", " ('strong-arm', 'be bossy towards')]},\n", " {'answer': 'bullying',\n", " 'hint': 'synonyms for bullying',\n", " 'clues': [('bully',\n", " 'discourage or frighten with threats or a domineering manner; intimidate'),\n", " ('ballyrag', 'be bossy towards'),\n", " ('boss around', 'be bossy towards'),\n", " ('swagger',\n", " 'discourage or frighten with threats or a domineering manner; intimidate'),\n", " ('browbeat',\n", " 'discourage or frighten with threats or a domineering manner; intimidate'),\n", " ('push around', 'be bossy towards'),\n", " ('hector', 'be bossy towards'),\n", " ('strong-arm', 'be bossy towards')]},\n", " {'answer': 'bum',\n", " 'hint': 'synonyms for bum',\n", " 'clues': [('fuck off', 'be lazy or idle'),\n", " ('loaf', 'be lazy or idle'),\n", " ('bum around', 'be lazy or idle'),\n", " ('grub', 'ask for and get free; be a parasite'),\n", " ('cadge', 'ask for and get free; be a parasite'),\n", " ('lounge about', 'be lazy or idle'),\n", " ('arse about', 'be lazy or idle'),\n", " ('lounge around', 'be lazy or idle'),\n", " (\"waste one's time\", 'be lazy or idle'),\n", " ('bum about', 'be lazy or idle'),\n", " ('loll around', 'be lazy or idle'),\n", " ('frig around', 'be lazy or idle'),\n", " ('loll', 'be lazy or idle'),\n", " ('arse around', 'be lazy or idle'),\n", " ('mooch', 'ask for and get free; be a parasite'),\n", " ('sponge', 'ask for and get free; be a parasite')]},\n", " {'answer': 'bumbling',\n", " 'hint': 'synonyms for bumbling',\n", " 'clues': [('bodge', 'make a mess of, destroy or ruin'),\n", " ('bungle', 'make a mess of, destroy or ruin'),\n", " ('fumble', 'make a mess of, destroy or ruin'),\n", " ('falter', 'walk unsteadily'),\n", " ('blow', 'make a mess of, destroy or ruin'),\n", " ('muck up', 'make a mess of, destroy or ruin'),\n", " ('stammer', 'speak haltingly'),\n", " ('bollix up', 'make a mess of, destroy or ruin'),\n", " ('bobble', 'make a mess of, destroy or ruin'),\n", " ('fluff', 'make a mess of, destroy or ruin'),\n", " ('screw up', 'make a mess of, destroy or ruin'),\n", " ('botch up', 'make a mess of, destroy or ruin'),\n", " ('bumble', 'speak haltingly'),\n", " ('foul up', 'make a mess of, destroy or ruin'),\n", " ('bollix', 'make a mess of, destroy or ruin'),\n", " ('spoil', 'make a mess of, destroy or ruin'),\n", " ('mess up', 'make a mess of, destroy or ruin'),\n", " ('flub', 'make a mess of, destroy or ruin'),\n", " ('ball up', 'make a mess of, destroy or ruin'),\n", " ('bollocks up', 'make a mess of, destroy or ruin'),\n", " ('louse up', 'make a mess of, destroy or ruin'),\n", " ('bollocks', 'make a mess of, destroy or ruin'),\n", " ('stumble', 'walk unsteadily'),\n", " ('mishandle', 'make a mess of, destroy or ruin'),\n", " ('muff', 'make a mess of, destroy or ruin'),\n", " ('stutter', 'speak haltingly'),\n", " ('botch', 'make a mess of, destroy or ruin')]},\n", " {'answer': 'bungled',\n", " 'hint': 'synonyms for bungled',\n", " 'clues': [('bodge', 'make a mess of, destroy or ruin'),\n", " ('bungle', 'make a mess of, destroy or ruin'),\n", " ('fumble', 'make a mess of, destroy or ruin'),\n", " ('blow', 'make a mess of, destroy or ruin'),\n", " ('muck up', 'make a mess of, destroy or ruin'),\n", " ('bollix up', 'make a mess of, destroy or ruin'),\n", " ('bobble', 'make a mess of, destroy or ruin'),\n", " ('fluff', 'make a mess of, destroy or ruin'),\n", " ('screw up', 'make a mess of, destroy or ruin'),\n", " ('botch up', 'make a mess of, destroy or ruin'),\n", " ('foul up', 'make a mess of, destroy or ruin'),\n", " ('bollix', 'make a mess of, destroy or ruin'),\n", " ('spoil', 'make a mess of, destroy or ruin'),\n", " ('bumble', 'make a mess of, destroy or ruin'),\n", " ('mess up', 'make a mess of, destroy or ruin'),\n", " ('flub', 'make a mess of, destroy or ruin'),\n", " ('ball up', 'make a mess of, destroy or ruin'),\n", " ('bollocks up', 'make a mess of, destroy or ruin'),\n", " ('louse up', 'make a mess of, destroy or ruin'),\n", " ('bollocks', 'make a mess of, destroy or ruin'),\n", " ('mishandle', 'make a mess of, destroy or ruin'),\n", " ('muff', 'make a mess of, destroy or ruin'),\n", " ('botch', 'make a mess of, destroy or ruin')]},\n", " {'answer': 'bungling',\n", " 'hint': 'synonyms for bungling',\n", " 'clues': [('bodge', 'make a mess of, destroy or ruin'),\n", " ('bungle', 'make a mess of, destroy or ruin'),\n", " ('fumble', 'make a mess of, destroy or ruin'),\n", " ('blow', 'make a mess of, destroy or ruin'),\n", " ('muck up', 'make a mess of, destroy or ruin'),\n", " ('bollix up', 'make a mess of, destroy or ruin'),\n", " ('bobble', 'make a mess of, destroy or ruin'),\n", " ('fluff', 'make a mess of, destroy or ruin'),\n", " ('screw up', 'make a mess of, destroy or ruin'),\n", " ('botch up', 'make a mess of, destroy or ruin'),\n", " ('foul up', 'make a mess of, destroy or ruin'),\n", " ('bollix', 'make a mess of, destroy or ruin'),\n", " ('spoil', 'make a mess of, destroy or ruin'),\n", " ('bumble', 'make a mess of, destroy or ruin'),\n", " ('mess up', 'make a mess of, destroy or ruin'),\n", " ('flub', 'make a mess of, destroy or ruin'),\n", " ('ball up', 'make a mess of, destroy or ruin'),\n", " ('bollocks up', 'make a mess of, destroy or ruin'),\n", " ('louse up', 'make a mess of, destroy or ruin'),\n", " ('bollocks', 'make a mess of, destroy or ruin'),\n", " ('mishandle', 'make a mess of, destroy or ruin'),\n", " ('muff', 'make a mess of, destroy or ruin'),\n", " ('botch', 'make a mess of, destroy or ruin')]},\n", " {'answer': 'burbling',\n", " 'hint': 'synonyms for burbling',\n", " 'clues': [('guggle', 'flow in an irregular current with a bubbling noise'),\n", " ('babble', 'flow in an irregular current with a bubbling noise'),\n", " ('gurgle', 'flow in an irregular current with a bubbling noise'),\n", " ('bubble', 'flow in an irregular current with a bubbling noise'),\n", " ('ripple', 'flow in an irregular current with a bubbling noise'),\n", " ('burble', 'flow in an irregular current with a bubbling noise')]},\n", " {'answer': 'burdened',\n", " 'hint': 'synonyms for burdened',\n", " 'clues': [('burthen', 'weight down with a load'),\n", " ('saddle', 'impose a task upon, assign a responsibility to'),\n", " ('burden', 'impose a task upon, assign a responsibility to'),\n", " ('charge', 'impose a task upon, assign a responsibility to'),\n", " ('weight down', 'weight down with a load'),\n", " ('weight', 'weight down with a load')]},\n", " {'answer': 'buried',\n", " 'hint': 'synonyms for buried',\n", " 'clues': [('forget', 'dismiss from the mind; stop remembering'),\n", " ('bury', 'embed deeply'),\n", " ('inhume', 'place in a grave or tomb'),\n", " ('sink', 'embed deeply'),\n", " ('entomb', 'place in a grave or tomb'),\n", " ('inter', 'place in a grave or tomb'),\n", " ('immerse', 'enclose or envelop completely, as if by swallowing'),\n", " ('swallow', 'enclose or envelop completely, as if by swallowing'),\n", " ('swallow up', 'enclose or envelop completely, as if by swallowing'),\n", " ('lay to rest', 'place in a grave or tomb'),\n", " ('eat up', 'enclose or envelop completely, as if by swallowing')]},\n", " {'answer': 'burned',\n", " 'hint': 'synonyms for burned',\n", " 'clues': [('burn', 'get a sunburn by overexposure to the sun'),\n", " ('bite', 'cause a sharp or stinging pain or discomfort'),\n", " ('combust', 'undergo combustion'),\n", " ('fire', 'destroy by fire'),\n", " ('incinerate', 'cause to undergo combustion'),\n", " ('cut', 'create by duplicating data'),\n", " ('burn off', 'use up (energy)'),\n", " ('glow', 'shine intensely, as if with heat'),\n", " ('cauterise',\n", " 'burn, sear, or freeze (tissue) using a hot iron or electric current or a caustic agent'),\n", " ('sting', 'cause a sharp or stinging pain or discomfort'),\n", " ('burn down', 'destroy by fire'),\n", " ('sunburn', 'get a sunburn by overexposure to the sun'),\n", " ('burn up', 'use up (energy)')]},\n", " {'answer': 'burning',\n", " 'hint': 'synonyms for burning',\n", " 'clues': [('burn', 'get a sunburn by overexposure to the sun'),\n", " ('bite', 'cause a sharp or stinging pain or discomfort'),\n", " ('combust', 'undergo combustion'),\n", " ('fire', 'destroy by fire'),\n", " ('incinerate', 'cause to undergo combustion'),\n", " ('cut', 'create by duplicating data'),\n", " ('burn off', 'use up (energy)'),\n", " ('glow', 'shine intensely, as if with heat'),\n", " ('cauterise',\n", " 'burn, sear, or freeze (tissue) using a hot iron or electric current or a caustic agent'),\n", " ('sting', 'cause a sharp or stinging pain or discomfort'),\n", " ('burn down', 'destroy by fire'),\n", " ('sunburn', 'get a sunburn by overexposure to the sun'),\n", " ('burn up', 'use up (energy)')]},\n", " {'answer': 'burnt',\n", " 'hint': 'synonyms for burnt',\n", " 'clues': [('burn', 'get a sunburn by overexposure to the sun'),\n", " ('bite', 'cause a sharp or stinging pain or discomfort'),\n", " ('combust', 'undergo combustion'),\n", " ('fire', 'destroy by fire'),\n", " ('incinerate', 'cause to undergo combustion'),\n", " ('cut', 'create by duplicating data'),\n", " ('burn off', 'use up (energy)'),\n", " ('glow', 'shine intensely, as if with heat'),\n", " ('cauterise',\n", " 'burn, sear, or freeze (tissue) using a hot iron or electric current or a caustic agent'),\n", " ('sting', 'cause a sharp or stinging pain or discomfort'),\n", " ('burn down', 'destroy by fire'),\n", " ('sunburn', 'get a sunburn by overexposure to the sun'),\n", " ('burn up', 'use up (energy)')]},\n", " {'answer': 'bushwhacking',\n", " 'hint': 'synonyms for bushwhacking',\n", " 'clues': [('bushwhack', 'live in the bush as a fugitive or as a guerilla'),\n", " ('lurk', 'wait in hiding to attack'),\n", " ('scupper', 'wait in hiding to attack'),\n", " ('ambush', 'wait in hiding to attack'),\n", " ('lie in wait', 'wait in hiding to attack'),\n", " ('ambuscade', 'wait in hiding to attack'),\n", " ('waylay', 'wait in hiding to attack')]},\n", " {'answer': 'bust',\n", " 'hint': 'synonyms for bust',\n", " 'clues': [('wear out', 'go to pieces'),\n", " ('rupture', 'separate or cause to separate abruptly'),\n", " ('break', 'go to pieces'),\n", " ('raid', 'search without warning, make a sudden surprise attack on'),\n", " ('fall apart', 'go to pieces'),\n", " ('wear', 'go to pieces'),\n", " ('burst', 'break open or apart suddenly and forcefully'),\n", " ('snap', 'separate or cause to separate abruptly'),\n", " ('tear', 'separate or cause to separate abruptly')]},\n", " {'answer': 'busted',\n", " 'hint': 'synonyms for busted',\n", " 'clues': [('bust',\n", " 'search without warning, make a sudden surprise attack on'),\n", " ('wear out', 'go to pieces'),\n", " ('rupture', 'separate or cause to separate abruptly'),\n", " ('break', 'go to pieces'),\n", " ('raid', 'search without warning, make a sudden surprise attack on'),\n", " ('fall apart', 'go to pieces'),\n", " ('wear', 'go to pieces'),\n", " ('snap', 'separate or cause to separate abruptly'),\n", " ('tear', 'separate or cause to separate abruptly')]},\n", " {'answer': 'buzzing',\n", " 'hint': 'synonyms for buzzing',\n", " 'clues': [('buzz', 'call with a buzzer'),\n", " ('bombilate', 'make a buzzing sound'),\n", " ('seethe', 'be noisy with activity'),\n", " ('hum', 'be noisy with activity')]},\n", " {'answer': 'bypast',\n", " 'hint': 'synonyms for bypast',\n", " 'clues': [('go around', 'avoid something unpleasant or laborious'),\n", " ('short-circuit', 'avoid something unpleasant or laborious'),\n", " ('get around', 'avoid something unpleasant or laborious'),\n", " ('bypass', 'avoid something unpleasant or laborious')]},\n", " {'answer': 'calculated',\n", " 'hint': 'synonyms for calculated',\n", " 'clues': [('work out', 'make a mathematical calculation or computation'),\n", " ('cypher', 'make a mathematical calculation or computation'),\n", " ('direct',\n", " 'specifically design a product, event, or activity for a certain public'),\n", " ('forecast', 'judge to be probable'),\n", " ('look', 'have faith or confidence in'),\n", " ('bet', 'have faith or confidence in'),\n", " ('cipher', 'make a mathematical calculation or computation'),\n", " ('account', 'keep an account of'),\n", " ('figure', 'make a mathematical calculation or computation'),\n", " ('calculate', 'keep an account of'),\n", " ('reckon', 'have faith or confidence in'),\n", " ('depend', 'have faith or confidence in'),\n", " ('compute', 'make a mathematical calculation or computation'),\n", " ('count', 'have faith or confidence in'),\n", " ('count on', 'judge to be probable'),\n", " ('estimate', 'judge to be probable'),\n", " ('aim',\n", " 'specifically design a product, event, or activity for a certain public')]},\n", " {'answer': 'calculating',\n", " 'hint': 'synonyms for calculating',\n", " 'clues': [('work out', 'make a mathematical calculation or computation'),\n", " ('cypher', 'make a mathematical calculation or computation'),\n", " ('direct',\n", " 'specifically design a product, event, or activity for a certain public'),\n", " ('forecast', 'judge to be probable'),\n", " ('look', 'have faith or confidence in'),\n", " ('bet', 'have faith or confidence in'),\n", " ('cipher', 'make a mathematical calculation or computation'),\n", " ('account', 'keep an account of'),\n", " ('figure', 'make a mathematical calculation or computation'),\n", " ('calculate', 'keep an account of'),\n", " ('reckon', 'have faith or confidence in'),\n", " ('depend', 'have faith or confidence in'),\n", " ('compute', 'make a mathematical calculation or computation'),\n", " ('count', 'have faith or confidence in'),\n", " ('count on', 'judge to be probable'),\n", " ('estimate', 'judge to be probable'),\n", " ('aim',\n", " 'specifically design a product, event, or activity for a certain public')]},\n", " {'answer': 'calm',\n", " 'hint': 'synonyms for calm',\n", " 'clues': [('cool off',\n", " 'become quiet or calm, especially after a state of agitation'),\n", " ('cool it',\n", " 'become quiet or calm, especially after a state of agitation'),\n", " ('tranquilize',\n", " 'cause to be calm or quiet as by administering a sedative to'),\n", " ('calm down', 'make calm or still'),\n", " ('chill out',\n", " 'become quiet or calm, especially after a state of agitation'),\n", " ('quiet', 'make calm or still'),\n", " ('sedate', 'cause to be calm or quiet as by administering a sedative to'),\n", " ('simmer down',\n", " 'become quiet or calm, especially after a state of agitation'),\n", " ('steady', 'make steady'),\n", " ('quieten', 'make calm or still'),\n", " ('settle down',\n", " 'become quiet or calm, especially after a state of agitation'),\n", " ('lull', 'make calm or still'),\n", " ('still', 'make calm or still'),\n", " ('becalm', 'make steady')]},\n", " {'answer': 'camp',\n", " 'hint': 'synonyms for camp',\n", " 'clues': [('bivouac', 'live in or as if in a tent'),\n", " ('camp out', 'live in or as if in a tent'),\n", " ('camp down', 'establish or set up a camp'),\n", " ('encamp', 'live in or as if in a tent'),\n", " ('tent', 'live in or as if in a tent')]},\n", " {'answer': 'cancelled',\n", " 'hint': 'synonyms for cancelled',\n", " 'clues': [('invalidate', 'make invalid for use'),\n", " ('cancel', 'remove or make invisible'),\n", " ('set off', 'make up for'),\n", " ('scrub', 'postpone indefinitely or annul something that was scheduled'),\n", " ('delete', 'remove or make invisible'),\n", " ('scratch',\n", " 'postpone indefinitely or annul something that was scheduled'),\n", " ('call off',\n", " 'postpone indefinitely or annul something that was scheduled'),\n", " ('strike down', 'declare null and void; make ineffective'),\n", " ('offset', 'make up for')]},\n", " {'answer': 'canned',\n", " 'hint': 'synonyms for canned',\n", " 'clues': [('put up', 'preserve in a can or tin'),\n", " ('sack',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('fire',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('give the sack',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('can',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('send away',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('force out',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('terminate',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('give the axe',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('displace',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('tin', 'preserve in a can or tin'),\n", " ('give notice',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('dismiss',\n", " 'terminate the employment of; discharge from an office or position')]},\n", " {'answer': 'canted',\n", " 'hint': 'synonyms for canted',\n", " 'clues': [('tilt', 'heel over'),\n", " ('cant over', 'heel over'),\n", " ('cant', 'heel over'),\n", " ('slant', 'heel over'),\n", " ('pitch', 'heel over')]},\n", " {'answer': 'captivated',\n", " 'hint': 'synonyms for captivated',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('enamour', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored'),\n", " ('becharm', 'attract; cause to be enamored')]},\n", " {'answer': 'captivating',\n", " 'hint': 'synonyms for captivating',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('enamour', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored'),\n", " ('becharm', 'attract; cause to be enamored')]},\n", " {'answer': 'caring',\n", " 'hint': 'synonyms for caring',\n", " 'clues': [('deal', 'be in charge of, act on, or dispose of'),\n", " ('handle', 'be in charge of, act on, or dispose of'),\n", " ('care', 'be concerned with'),\n", " ('wish', 'prefer or wish to do something'),\n", " ('worry', 'be concerned with'),\n", " ('give care', 'provide care for'),\n", " ('manage', 'be in charge of, act on, or dispose of'),\n", " ('like', 'prefer or wish to do something')]},\n", " {'answer': 'castrated',\n", " 'hint': 'synonyms for castrated',\n", " 'clues': [('bowdlerise',\n", " 'edit by omitting or modifying parts considered indelicate'),\n", " ('spay', 'remove the ovaries of'),\n", " ('alter', 'remove the ovaries of'),\n", " ('castrate', 'deprive of strength or vigor'),\n", " ('shorten', 'edit by omitting or modifying parts considered indelicate'),\n", " ('expurgate',\n", " 'edit by omitting or modifying parts considered indelicate'),\n", " ('demasculinize', 'remove the testicles of a male animal'),\n", " ('emasculate', 'deprive of strength or vigor'),\n", " ('neuter', 'remove the ovaries of')]},\n", " {'answer': 'catching',\n", " 'hint': 'synonyms for catching',\n", " 'clues': [('overtake', 'catch up with and possibly overtake'),\n", " ('catch',\n", " 'take hold of so as to seize or restrain or stop the motion of'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('view', 'see or watch'),\n", " ('see', 'see or watch'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('get', 'suffer from the receipt of'),\n", " ('overhear', 'hear, usually without the knowledge of the speakers'),\n", " ('capture', 'succeed in catching or seizing, especially after a chase'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored'),\n", " ('catch up with', 'catch up with and possibly overtake'),\n", " ('watch', 'see or watch'),\n", " ('grab', 'take hold of so as to seize or restrain or stop the motion of'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('hitch', 'to hook or entangle'),\n", " ('arrest', 'attract and fix'),\n", " ('take in', 'hear, usually without the knowledge of the speakers'),\n", " ('pick up', 'perceive with the senses quickly, suddenly, or momentarily'),\n", " ('take hold of',\n", " 'take hold of so as to seize or restrain or stop the motion of'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trip up', 'detect a blunder or misstep'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored')]},\n", " {'answer': 'celebrated',\n", " 'hint': 'synonyms for celebrated',\n", " 'clues': [('lionize', 'assign great social importance to'),\n", " ('observe', 'behave as expected during of holidays or rites'),\n", " ('celebrate', 'behave as expected during of holidays or rites'),\n", " ('fete', 'have a celebration'),\n", " ('keep', 'behave as expected during of holidays or rites')]},\n", " {'answer': 'center',\n", " 'hint': 'synonyms for center',\n", " 'clues': [('center on', 'center upon'),\n", " ('centre', \"direct one's attention on something\"),\n", " ('focus', \"direct one's attention on something\"),\n", " ('concentrate on', 'center upon'),\n", " ('rivet', \"direct one's attention on something\"),\n", " ('focus on', 'center upon'),\n", " ('revolve around', 'center upon'),\n", " ('pore', \"direct one's attention on something\"),\n", " ('revolve about', 'center upon')]},\n", " {'answer': 'centered',\n", " 'hint': 'synonyms for centered',\n", " 'clues': [('center on', 'center upon'),\n", " ('centre', \"direct one's attention on something\"),\n", " ('focus', \"direct one's attention on something\"),\n", " ('concentrate on', 'center upon'),\n", " ('rivet', \"direct one's attention on something\"),\n", " ('focus on', 'center upon'),\n", " ('revolve around', 'center upon'),\n", " ('pore', \"direct one's attention on something\"),\n", " ('center', 'center upon'),\n", " ('revolve about', 'center upon')]},\n", " {'answer': 'certified',\n", " 'hint': 'synonyms for certified',\n", " 'clues': [('manifest',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('certify', 'declare legally insane'),\n", " ('license', 'authorize officially'),\n", " ('evidence',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('demonstrate',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('attest',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('indorse', 'guarantee as meeting a certain standard')]},\n", " {'answer': 'chafed',\n", " 'hint': 'synonyms for chafed',\n", " 'clues': [('chafe', 'feel extreme irritation or anger'),\n", " ('vex', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('nettle',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('bother',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('nark', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('rile', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('fret', 'become or make sore by or as if by rubbing'),\n", " ('irritate',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('scratch', 'cause friction'),\n", " ('get at',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('gravel',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('excoriate', 'tear or wear off the skin or make sore by abrading'),\n", " ('get to',\n", " 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('rub', 'cause friction'),\n", " ('annoy', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('devil', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('rag', 'cause annoyance in; disturb, especially by minor irritations'),\n", " ('gall', 'become or make sore by or as if by rubbing'),\n", " ('fray', 'cause friction')]},\n", " {'answer': 'chagrined',\n", " 'hint': 'synonyms for chagrined',\n", " 'clues': [('humble', 'cause to feel shame; hurt the pride of'),\n", " ('abase', 'cause to feel shame; hurt the pride of'),\n", " ('chagrin', 'cause to feel shame; hurt the pride of'),\n", " ('mortify', 'cause to feel shame; hurt the pride of'),\n", " ('humiliate', 'cause to feel shame; hurt the pride of')]},\n", " {'answer': 'challenging',\n", " 'hint': 'synonyms for challenging',\n", " 'clues': [('challenge', 'issue a challenge to'),\n", " ('gainsay', 'take exception to'),\n", " ('dispute', 'take exception to'),\n", " ('take exception', 'raise a formal objection in a court of law')]},\n", " {'answer': 'chance',\n", " 'hint': 'synonyms for chance',\n", " 'clues': [('happen', 'come upon, as if by accident; meet with'),\n", " ('take chances', 'take a risk in the hope of a favorable outcome'),\n", " ('gamble', 'take a risk in the hope of a favorable outcome'),\n", " ('bump', 'come upon, as if by accident; meet with'),\n", " ('hazard', 'take a risk in the hope of a favorable outcome'),\n", " ('risk', 'take a risk in the hope of a favorable outcome'),\n", " ('encounter', 'come upon, as if by accident; meet with'),\n", " ('find', 'come upon, as if by accident; meet with'),\n", " ('run a risk', 'take a risk in the hope of a favorable outcome'),\n", " ('adventure', 'take a risk in the hope of a favorable outcome')]},\n", " {'answer': 'changed',\n", " 'hint': 'synonyms for changed',\n", " 'clues': [('commute',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('interchange', 'give to, and receive from, one another'),\n", " ('alter',\n", " \"become different in some particular way, without permanently losing one's or its former characteristics or essence\"),\n", " ('convert',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('change',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('shift', 'lay aside, abandon, or leave for another'),\n", " ('modify', 'cause to change; make different; cause a transformation'),\n", " ('transfer', 'change from one vehicle or transportation line to another'),\n", " ('deepen', 'become deeper in tone'),\n", " ('vary',\n", " \"become different in some particular way, without permanently losing one's or its former characteristics or essence\"),\n", " ('switch', 'lay aside, abandon, or leave for another')]},\n", " {'answer': 'changing',\n", " 'hint': 'synonyms for changing',\n", " 'clues': [('commute',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('interchange', 'give to, and receive from, one another'),\n", " ('alter',\n", " \"become different in some particular way, without permanently losing one's or its former characteristics or essence\"),\n", " ('convert',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('change',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('shift', 'lay aside, abandon, or leave for another'),\n", " ('modify', 'cause to change; make different; cause a transformation'),\n", " ('transfer', 'change from one vehicle or transportation line to another'),\n", " ('deepen', 'become deeper in tone'),\n", " ('vary',\n", " \"become different in some particular way, without permanently losing one's or its former characteristics or essence\"),\n", " ('switch', 'lay aside, abandon, or leave for another')]},\n", " {'answer': 'chanted',\n", " 'hint': 'synonyms for chanted',\n", " 'clues': [('chant',\n", " 'recite with musical intonation; recite as a chant or a psalm'),\n", " ('intone',\n", " 'recite with musical intonation; recite as a chant or a psalm'),\n", " ('cantillate',\n", " 'recite with musical intonation; recite as a chant or a psalm'),\n", " ('tone', 'utter monotonously and repetitively and rhythmically')]},\n", " {'answer': 'charged',\n", " 'hint': 'synonyms for charged',\n", " 'clues': [('accuse',\n", " 'blame for, make a claim of wrongdoing or misbehavior against'),\n", " ('appoint', 'assign a duty, responsibility or obligation to'),\n", " ('blame', 'attribute responsibility to'),\n", " ('file', 'file a formal charge against'),\n", " ('saddle', 'impose a task upon, assign a responsibility to'),\n", " ('rouse', 'cause to be agitated, excited, or roused'),\n", " ('shoot', 'move quickly and violently'),\n", " ('charge', 'lie down on command, of hunting dogs'),\n", " ('level', 'direct into a position for use'),\n", " ('charge up', 'cause to be agitated, excited, or roused'),\n", " ('institutionalize',\n", " 'cause to be admitted; of persons to an institution'),\n", " ('bear down', 'to make a rush at or sudden attack upon, as in battle'),\n", " ('tear', 'move quickly and violently'),\n", " ('consign', 'give over to another for care or safekeeping'),\n", " ('commove', 'cause to be agitated, excited, or roused'),\n", " ('buck', 'move quickly and violently'),\n", " ('send', 'cause to be admitted; of persons to an institution'),\n", " ('burden', 'impose a task upon, assign a responsibility to'),\n", " ('agitate', 'cause to be agitated, excited, or roused'),\n", " ('turn on', 'cause to be agitated, excited, or roused'),\n", " ('lodge', 'file a formal charge against'),\n", " ('point', 'direct into a position for use'),\n", " ('commit', 'cause to be admitted; of persons to an institution'),\n", " ('excite', 'cause to be agitated, excited, or roused'),\n", " ('bill', 'demand payment'),\n", " ('load', 'provide (a device) with something necessary'),\n", " ('shoot down', 'move quickly and violently')]},\n", " {'answer': 'charmed',\n", " 'hint': 'synonyms for charmed',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('influence', \"induce into action by using one's charm\"),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('charm', 'control by magic spells, as by practicing witchcraft'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('tempt', \"induce into action by using one's charm\")]},\n", " {'answer': 'charming',\n", " 'hint': 'synonyms for charming',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('influence', \"induce into action by using one's charm\"),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('charm', 'control by magic spells, as by practicing witchcraft'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('tempt', \"induce into action by using one's charm\")]},\n", " {'answer': 'chartered',\n", " 'hint': 'synonyms for chartered',\n", " 'clues': [('lease',\n", " 'hold under a lease or rental agreement; of goods and services'),\n", " ('rent', 'engage for service under a term of contract'),\n", " ('hire', 'engage for service under a term of contract'),\n", " ('take', 'engage for service under a term of contract'),\n", " ('charter', 'grant a charter to'),\n", " ('engage', 'engage for service under a term of contract')]},\n", " {'answer': 'cheating',\n", " 'hint': 'synonyms for cheating',\n", " 'clues': [('cheat',\n", " 'engage in deceitful behavior; practice trickery or fraud'),\n", " ('cheat on', \"be sexually unfaithful to one's partner in marriage\"),\n", " ('cuckold', \"be sexually unfaithful to one's partner in marriage\"),\n", " ('betray', \"be sexually unfaithful to one's partner in marriage\"),\n", " ('chisel', 'engage in deceitful behavior; practice trickery or fraud'),\n", " ('chouse', 'defeat someone through trickery or deceit'),\n", " ('jockey', 'defeat someone through trickery or deceit'),\n", " ('shaft', 'defeat someone through trickery or deceit'),\n", " ('chicane', 'defeat someone through trickery or deceit'),\n", " ('rip off', 'deprive somebody of something by deceit'),\n", " ('wander', \"be sexually unfaithful to one's partner in marriage\"),\n", " ('screw', 'defeat someone through trickery or deceit')]},\n", " {'answer': 'checked',\n", " 'hint': 'synonyms for checked',\n", " 'clues': [('mark', 'put a check mark on or near or next to'),\n", " ('ascertain',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('check',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('fit',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('correspond',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('see',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('train',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\"),\n", " ('check out', 'be verified or confirmed; pass inspection'),\n", " ('contain',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('tally',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('suss out',\n", " 'examine so as to determine accuracy, quality, or condition'),\n", " ('see to it',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('gibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('check into',\n", " 'examine so as to determine accuracy, quality, or condition'),\n", " ('go over', 'examine so as to determine accuracy, quality, or condition'),\n", " ('watch',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('assure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('ensure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('retard', 'slow the growth or development of'),\n", " ('chequer',\n", " 'mark into squares or draw squares on; draw crossed lines on'),\n", " ('insure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('hold',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('moderate',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('curb',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('check up on',\n", " 'examine so as to determine accuracy, quality, or condition'),\n", " ('checker',\n", " 'mark into squares or draw squares on; draw crossed lines on'),\n", " ('discipline',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\"),\n", " ('control',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('match',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('tick off', 'put a check mark on or near or next to'),\n", " ('tick', 'put a check mark on or near or next to'),\n", " ('break', 'become fractured; break or crack on the surface only'),\n", " ('condition',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\"),\n", " ('check off', 'put a check mark on or near or next to'),\n", " ('learn',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('delay', 'slow the growth or development of'),\n", " ('stop',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('agree',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('mark off', 'put a check mark on or near or next to'),\n", " ('chink', 'make cracks or chinks in'),\n", " ('hold in',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('crack', 'become fractured; break or crack on the surface only'),\n", " ('determine',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('look into',\n", " 'examine so as to determine accuracy, quality, or condition'),\n", " ('turn back',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('check over',\n", " 'examine so as to determine accuracy, quality, or condition'),\n", " ('arrest',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('hold back',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('find out',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('jibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics')]},\n", " {'answer': 'cheering',\n", " 'hint': 'synonyms for cheering',\n", " 'clues': [('barrack',\n", " 'spur on or encourage especially by cheers and shouts'),\n", " ('pep up', 'spur on or encourage especially by cheers and shouts'),\n", " ('cheer', 'show approval or good wishes by shouting'),\n", " ('cheer up', 'cause (somebody) to feel happier or more cheerful'),\n", " ('hearten', 'give encouragement to'),\n", " ('recreate', 'give encouragement to'),\n", " ('urge', 'spur on or encourage especially by cheers and shouts'),\n", " ('chirk up', 'become cheerful'),\n", " ('inspire', 'spur on or encourage especially by cheers and shouts'),\n", " ('exhort', 'spur on or encourage especially by cheers and shouts'),\n", " ('urge on', 'spur on or encourage especially by cheers and shouts'),\n", " ('embolden', 'give encouragement to'),\n", " ('jolly up', 'cause (somebody) to feel happier or more cheerful'),\n", " ('root on', 'spur on or encourage especially by cheers and shouts'),\n", " ('jolly along', 'cause (somebody) to feel happier or more cheerful')]},\n", " {'answer': 'cherished',\n", " 'hint': 'synonyms for cherished',\n", " 'clues': [('treasure', 'be fond of; be attached to'),\n", " ('cherish', 'be fond of; be attached to'),\n", " ('care for', 'be fond of; be attached to'),\n", " ('hold dear', 'be fond of; be attached to')]},\n", " {'answer': 'chinked',\n", " 'hint': 'synonyms for chinked',\n", " 'clues': [('chink', 'fill the chinks of, as with caulking'),\n", " ('tink', 'make or emit a high sound'),\n", " ('check', 'make cracks or chinks in'),\n", " ('tinkle', 'make or emit a high sound'),\n", " ('clink', 'make or emit a high sound')]},\n", " {'answer': 'choked',\n", " 'hint': 'synonyms for choked',\n", " 'clues': [('perish',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('clog', 'become or cause to become obstructed'),\n", " ('suffocate', 'become stultified, suppressed, or stifled'),\n", " ('choke', 'struggle for breath; have insufficient oxygen intake'),\n", " ('kick the bucket',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pop off',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('back up', 'become or cause to become obstructed'),\n", " ('conk',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('clog up', 'become or cause to become obstructed'),\n", " ('drop dead',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pass',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('decease',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('stifle', 'impair the respiration of or obstruct the air passage of'),\n", " ('choke off', 'become or cause to become obstructed'),\n", " (\"cash in one's chips\",\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('strangle', 'struggle for breath; have insufficient oxygen intake'),\n", " ('foul', 'become or cause to become obstructed'),\n", " ('give-up the ghost',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('gag', 'cause to retch or choke'),\n", " ('fret', 'be too tight; rub or press'),\n", " ('pass away',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('die',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('croak',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('congest', 'become or cause to become obstructed'),\n", " ('snuff it',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('expire',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('buy the farm',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('exit',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('throttle', 'reduce the air supply'),\n", " ('go',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('scrag', 'wring the neck of'),\n", " ('asphyxiate',\n", " 'impair the respiration of or obstruct the air passage of')]},\n", " {'answer': 'churning',\n", " 'hint': 'synonyms for churning',\n", " 'clues': [('roil', 'be agitated'),\n", " ('moil', 'be agitated'),\n", " ('churn', 'stir (cream) vigorously in order to make butter'),\n", " ('boil', 'be agitated')]},\n", " {'answer': 'circulating',\n", " 'hint': 'synonyms for circulating',\n", " 'clues': [('pass around', 'cause to become widely known'),\n", " ('circulate', 'move around freely'),\n", " ('propagate', 'cause to become widely known'),\n", " ('circle', 'move in circles'),\n", " ('mobilize', 'cause to move around'),\n", " ('circularize', 'cause to become widely known'),\n", " ('distribute', 'cause to become widely known'),\n", " ('diffuse', 'cause to become widely known'),\n", " ('spread', 'become widely known and passed on'),\n", " ('pass on', 'cause be distributed'),\n", " ('disseminate', 'cause to become widely known'),\n", " ('broadcast', 'cause to become widely known'),\n", " ('go around', 'become widely known and passed on'),\n", " ('disperse', 'cause to become widely known')]},\n", " {'answer': 'civilised',\n", " 'hint': 'synonyms for civilised',\n", " 'clues': [('train',\n", " 'teach or refine to be discriminative in taste or judgment'),\n", " ('civilise', 'teach or refine to be discriminative in taste or judgment'),\n", " ('cultivate',\n", " 'teach or refine to be discriminative in taste or judgment'),\n", " ('educate', 'teach or refine to be discriminative in taste or judgment'),\n", " ('school', 'teach or refine to be discriminative in taste or judgment')]},\n", " {'answer': 'civilized',\n", " 'hint': 'synonyms for civilized',\n", " 'clues': [('train',\n", " 'teach or refine to be discriminative in taste or judgment'),\n", " ('civilise', 'teach or refine to be discriminative in taste or judgment'),\n", " ('cultivate',\n", " 'teach or refine to be discriminative in taste or judgment'),\n", " ('educate', 'teach or refine to be discriminative in taste or judgment'),\n", " ('school', 'teach or refine to be discriminative in taste or judgment')]},\n", " {'answer': 'clad',\n", " 'hint': 'synonyms for clad',\n", " 'clues': [('garb', 'provide with clothes or put clothes on'),\n", " ('habilitate', 'provide with clothes or put clothes on'),\n", " ('fit out', 'provide with clothes or put clothes on'),\n", " ('clothe', 'furnish with power or authority; of kings or emperors'),\n", " ('garment', 'provide with clothes or put clothes on'),\n", " ('drape', 'cover as if with clothing'),\n", " ('cloak', 'cover as if with clothing'),\n", " ('dress', 'provide with clothes or put clothes on'),\n", " ('raiment', 'provide with clothes or put clothes on'),\n", " ('invest', 'furnish with power or authority; of kings or emperors'),\n", " ('apparel', 'provide with clothes or put clothes on'),\n", " ('adorn', 'furnish with power or authority; of kings or emperors'),\n", " ('tog', 'provide with clothes or put clothes on'),\n", " ('robe', 'cover as if with clothing')]},\n", " {'answer': 'classified',\n", " 'hint': 'synonyms for classified',\n", " 'clues': [('sort out', 'arrange or order by classes or categories'),\n", " ('separate', 'arrange or order by classes or categories'),\n", " ('assort', 'arrange or order by classes or categories'),\n", " ('classify', 'arrange or order by classes or categories'),\n", " ('relegate', 'assign to a class or kind'),\n", " ('sort', 'arrange or order by classes or categories'),\n", " ('class', 'arrange or order by classes or categories')]},\n", " {'answer': 'clean',\n", " 'hint': 'synonyms for clean',\n", " 'clues': [('houseclean', 'clean and tidy up the house'),\n", " ('cleanse', \"clean one's body or parts thereof, as by washing\"),\n", " ('strip', 'remove all contents or possession from, or empty completely'),\n", " ('scavenge', 'remove unwanted substances from'),\n", " ('clean house', 'clean and tidy up the house'),\n", " ('make clean',\n", " 'make clean by removing dirt, filth, or unwanted substances from'),\n", " ('pick', 'remove unwanted substances from, such as feathers or pits')]},\n", " {'answer': 'clear',\n", " 'hint': 'synonyms for clear',\n", " 'clues': [('sack', 'make as a net profit'),\n", " ('realize',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('pass', 'go unchallenged; be approved'),\n", " ('illuminate', 'make free from confusion or ambiguity; make clear'),\n", " ('sack up', 'make as a net profit'),\n", " ('light up', 'become clear'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('pull in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('brighten', 'become clear'),\n", " ('assoil', 'pronounce not guilty of criminal charges'),\n", " ('crystalise', 'make free from confusion or ambiguity; make clear'),\n", " ('discharge', 'pronounce not guilty of criminal charges'),\n", " ('bring in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('earn',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('exculpate', 'pronounce not guilty of criminal charges'),\n", " ('take in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('clear up', 'become clear'),\n", " ('gain',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('authorise', 'grant authorization or clearance for'),\n", " ('top', 'pass by, over, or under without making contact'),\n", " ('make',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('net', 'make as a net profit'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('solve', 'settle, as of a debt'),\n", " ('exonerate', 'pronounce not guilty of criminal charges'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('unclutter', 'rid of obstructions'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear'),\n", " ('acquit', 'pronounce not guilty of criminal charges')]},\n", " {'answer': 'cleared',\n", " 'hint': 'synonyms for cleared',\n", " 'clues': [('clear', 'become clear'),\n", " ('sack', 'make as a net profit'),\n", " ('realize',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('pass', 'go unchallenged; be approved'),\n", " ('illuminate', 'make free from confusion or ambiguity; make clear'),\n", " ('sack up', 'make as a net profit'),\n", " ('light up', 'become clear'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('pull in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('brighten', 'become clear'),\n", " ('assoil', 'pronounce not guilty of criminal charges'),\n", " ('crystalise', 'make free from confusion or ambiguity; make clear'),\n", " ('discharge', 'pronounce not guilty of criminal charges'),\n", " ('bring in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('earn',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('exculpate', 'pronounce not guilty of criminal charges'),\n", " ('clear up', 'become clear'),\n", " ('take in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('gain',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('authorise', 'grant authorization or clearance for'),\n", " ('top', 'pass by, over, or under without making contact'),\n", " ('make',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('net', 'make as a net profit'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('solve', 'settle, as of a debt'),\n", " ('exonerate', 'pronounce not guilty of criminal charges'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('unclutter', 'rid of obstructions'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear'),\n", " ('acquit', 'pronounce not guilty of criminal charges')]},\n", " {'answer': 'cleft',\n", " 'hint': 'synonyms for cleft',\n", " 'clues': [('cohere',\n", " 'come or be in close contact with; stick or hold together and resist separation'),\n", " ('adhere',\n", " 'come or be in close contact with; stick or hold together and resist separation'),\n", " ('cleave', 'separate or cut with a tool, such as a sharp instrument'),\n", " ('rive', 'separate or cut with a tool, such as a sharp instrument'),\n", " ('cling',\n", " 'come or be in close contact with; stick or hold together and resist separation'),\n", " ('stick',\n", " 'come or be in close contact with; stick or hold together and resist separation'),\n", " ('split', 'separate or cut with a tool, such as a sharp instrument')]},\n", " {'answer': 'clinking',\n", " 'hint': 'synonyms for clinking',\n", " 'clues': [('clink', 'make a high sound typical of glass'),\n", " ('chink', 'make or emit a high sound'),\n", " ('tink', 'make or emit a high sound'),\n", " ('tinkle', 'make or emit a high sound')]},\n", " {'answer': 'clipped',\n", " 'hint': 'synonyms for clipped',\n", " 'clues': [('dress', 'cultivate, tend, and cut back the growth of'),\n", " ('curtail',\n", " 'terminate or abbreviate before its intended or proper end or its full extent'),\n", " ('nip off', 'sever or remove by pinching or snipping'),\n", " ('crop', 'cultivate, tend, and cut back the growth of'),\n", " ('clip', 'run at a moderately swift pace'),\n", " ('snip', 'cultivate, tend, and cut back the growth of'),\n", " ('trim', 'cultivate, tend, and cut back the growth of'),\n", " ('prune', 'cultivate, tend, and cut back the growth of'),\n", " ('jog', 'run at a moderately swift pace'),\n", " ('trot', 'run at a moderately swift pace'),\n", " ('cut short',\n", " 'terminate or abbreviate before its intended or proper end or its full extent'),\n", " ('lop', 'cultivate, tend, and cut back the growth of'),\n", " ('cut back', 'cultivate, tend, and cut back the growth of')]},\n", " {'answer': 'cloaked',\n", " 'hint': 'synonyms for cloaked',\n", " 'clues': [('clothe', 'cover as if with clothing'),\n", " ('drape', 'cover as if with clothing'),\n", " ('cloak', 'cover with or as if with a cloak'),\n", " ('dissemble', 'hide under a false appearance'),\n", " ('mask', 'hide under a false appearance'),\n", " ('robe', 'cover as if with clothing')]},\n", " {'answer': 'clogged',\n", " 'hint': 'synonyms for clogged',\n", " 'clues': [('clog', 'dance a clog dance'),\n", " ('constipate', 'impede with a clog or as if with a clog'),\n", " ('choke off', 'become or cause to become obstructed'),\n", " ('foul', 'become or cause to become obstructed'),\n", " ('back up', 'become or cause to become obstructed'),\n", " ('overload', 'fill to excess so that function is impaired'),\n", " ('clot', 'coalesce or unite in a mass'),\n", " ('congest', 'become or cause to become obstructed'),\n", " ('clog up', 'become or cause to become obstructed'),\n", " ('choke', 'become or cause to become obstructed')]},\n", " {'answer': 'clogging',\n", " 'hint': 'synonyms for clogging',\n", " 'clues': [('clog', 'dance a clog dance'),\n", " ('constipate', 'impede with a clog or as if with a clog'),\n", " ('choke off', 'become or cause to become obstructed'),\n", " ('foul', 'become or cause to become obstructed'),\n", " ('back up', 'become or cause to become obstructed'),\n", " ('overload', 'fill to excess so that function is impaired'),\n", " ('clot', 'coalesce or unite in a mass'),\n", " ('congest', 'become or cause to become obstructed'),\n", " ('clog up', 'become or cause to become obstructed'),\n", " ('choke', 'become or cause to become obstructed')]},\n", " {'answer': 'close',\n", " 'hint': 'synonyms for close',\n", " 'clues': [('shut down', 'cease to operate or cause to cease operating'),\n", " ('shut', 'become closed'),\n", " ('close down', 'cease to operate or cause to cease operating'),\n", " ('fold', 'cease to operate or cause to cease operating'),\n", " ('conclude', 'come to a close'),\n", " ('fill up', 'fill or stop up'),\n", " ('close up',\n", " 'unite or bring into contact or bring together the edges of'),\n", " ('come together', 'come together, as if in an embrace')]},\n", " {'answer': 'closed',\n", " 'hint': 'synonyms for closed',\n", " 'clues': [('close', 'fill or stop up'),\n", " ('shut', 'move so that an opening or passage is obstructed; make shut'),\n", " ('fill up', 'fill or stop up'),\n", " ('come together', 'come together, as if in an embrace'),\n", " ('shut down', 'cease to operate or cause to cease operating'),\n", " ('close down', 'cease to operate or cause to cease operating'),\n", " ('fold', 'cease to operate or cause to cease operating'),\n", " ('conclude', 'come to a close'),\n", " ('close up',\n", " 'unite or bring into contact or bring together the edges of')]},\n", " {'answer': 'closing',\n", " 'hint': 'synonyms for closing',\n", " 'clues': [('close', 'fill or stop up'),\n", " ('shut', 'move so that an opening or passage is obstructed; make shut'),\n", " ('fill up', 'fill or stop up'),\n", " ('come together', 'come together, as if in an embrace'),\n", " ('shut down', 'cease to operate or cause to cease operating'),\n", " ('close down', 'cease to operate or cause to cease operating'),\n", " ('fold', 'cease to operate or cause to cease operating'),\n", " ('conclude', 'come to a close'),\n", " ('close up',\n", " 'unite or bring into contact or bring together the edges of')]},\n", " {'answer': 'clothed',\n", " 'hint': 'synonyms for clothed',\n", " 'clues': [('garb', 'provide with clothes or put clothes on'),\n", " ('habilitate', 'provide with clothes or put clothes on'),\n", " ('fit out', 'provide with clothes or put clothes on'),\n", " ('clothe', 'furnish with power or authority; of kings or emperors'),\n", " ('garment', 'provide with clothes or put clothes on'),\n", " ('drape', 'cover as if with clothing'),\n", " ('cloak', 'cover as if with clothing'),\n", " ('dress', 'provide with clothes or put clothes on'),\n", " ('raiment', 'provide with clothes or put clothes on'),\n", " ('invest', 'furnish with power or authority; of kings or emperors'),\n", " ('apparel', 'provide with clothes or put clothes on'),\n", " ('adorn', 'furnish with power or authority; of kings or emperors'),\n", " ('tog', 'provide with clothes or put clothes on'),\n", " ('robe', 'cover as if with clothing')]},\n", " {'answer': 'clotted',\n", " 'hint': 'synonyms for clotted',\n", " 'clues': [('clot', 'turn into curds'),\n", " ('clabber', 'turn into curds'),\n", " ('coagulate', 'change from a liquid to a thickened or solid state'),\n", " ('clog', 'coalesce or unite in a mass'),\n", " ('curdle', 'turn into curds')]},\n", " {'answer': 'clouded',\n", " 'hint': 'synonyms for clouded',\n", " 'clues': [('mist', 'make less visible or unclear'),\n", " ('cloud', 'make less clear'),\n", " ('overcast', 'make overcast or cloudy'),\n", " ('obnubilate', 'make less visible or unclear'),\n", " ('sully', 'place under suspicion or cast doubt upon'),\n", " ('befog', 'make less visible or unclear'),\n", " ('haze over', 'make less visible or unclear'),\n", " ('becloud', 'make less visible or unclear'),\n", " ('obscure', 'make less visible or unclear'),\n", " ('taint', 'place under suspicion or cast doubt upon'),\n", " ('defile', 'place under suspicion or cast doubt upon'),\n", " ('dapple', 'colour with streaks or blotches of different shades'),\n", " ('corrupt', 'place under suspicion or cast doubt upon'),\n", " ('mottle', 'colour with streaks or blotches of different shades'),\n", " ('fog', 'make less visible or unclear')]},\n", " {'answer': 'cloven',\n", " 'hint': 'synonyms for cloven',\n", " 'clues': [('cohere',\n", " 'come or be in close contact with; stick or hold together and resist separation'),\n", " ('adhere',\n", " 'come or be in close contact with; stick or hold together and resist separation'),\n", " ('cleave', 'separate or cut with a tool, such as a sharp instrument'),\n", " ('rive', 'separate or cut with a tool, such as a sharp instrument'),\n", " ('cling',\n", " 'come or be in close contact with; stick or hold together and resist separation'),\n", " ('stick',\n", " 'come or be in close contact with; stick or hold together and resist separation'),\n", " ('split', 'separate or cut with a tool, such as a sharp instrument')]},\n", " {'answer': 'clustered',\n", " 'hint': 'synonyms for clustered',\n", " 'clues': [('clump', 'gather or cause to gather into a cluster'),\n", " ('bunch up', 'gather or cause to gather into a cluster'),\n", " ('bundle', 'gather or cause to gather into a cluster'),\n", " ('cluster', 'come together as in a cluster or flock'),\n", " ('flock', 'come together as in a cluster or flock'),\n", " ('constellate', 'come together as in a cluster or flock'),\n", " ('bunch', 'gather or cause to gather into a cluster')]},\n", " {'answer': 'coalesced',\n", " 'hint': 'synonyms for coalesced',\n", " 'clues': [('conflate', 'mix together different elements'),\n", " ('fuse', 'mix together different elements'),\n", " ('coalesce', 'fuse or cause to grow together'),\n", " ('merge', 'mix together different elements'),\n", " ('meld', 'mix together different elements'),\n", " ('commingle', 'mix together different elements'),\n", " ('combine', 'mix together different elements'),\n", " ('mix', 'mix together different elements'),\n", " ('flux', 'mix together different elements'),\n", " ('immix', 'mix together different elements'),\n", " ('blend', 'mix together different elements')]},\n", " {'answer': 'coalescing',\n", " 'hint': 'synonyms for coalescing',\n", " 'clues': [('conflate', 'mix together different elements'),\n", " ('fuse', 'mix together different elements'),\n", " ('coalesce', 'fuse or cause to grow together'),\n", " ('merge', 'mix together different elements'),\n", " ('meld', 'mix together different elements'),\n", " ('commingle', 'mix together different elements'),\n", " ('combine', 'mix together different elements'),\n", " ('mix', 'mix together different elements'),\n", " ('flux', 'mix together different elements'),\n", " ('immix', 'mix together different elements'),\n", " ('blend', 'mix together different elements')]},\n", " {'answer': 'coaxing',\n", " 'hint': 'synonyms for coaxing',\n", " 'clues': [('blarney',\n", " 'influence or urge by gentle urging, caressing, or flattering'),\n", " ('coax', 'influence or urge by gentle urging, caressing, or flattering'),\n", " ('sweet-talk',\n", " 'influence or urge by gentle urging, caressing, or flattering'),\n", " ('wheedle',\n", " 'influence or urge by gentle urging, caressing, or flattering'),\n", " ('inveigle',\n", " 'influence or urge by gentle urging, caressing, or flattering'),\n", " ('palaver',\n", " 'influence or urge by gentle urging, caressing, or flattering'),\n", " ('cajole',\n", " 'influence or urge by gentle urging, caressing, or flattering')]},\n", " {'answer': 'cod',\n", " 'hint': 'synonyms for cod',\n", " 'clues': [('gull', 'fool or hoax'),\n", " ('twit', 'harass with persistent criticism or carping'),\n", " ('bait', 'harass with persistent criticism or carping'),\n", " ('rag', 'harass with persistent criticism or carping'),\n", " ('taunt', 'harass with persistent criticism or carping'),\n", " ('tantalise', 'harass with persistent criticism or carping'),\n", " ('slang', 'fool or hoax'),\n", " ('take in', 'fool or hoax'),\n", " ('dupe', 'fool or hoax'),\n", " ('ride', 'harass with persistent criticism or carping'),\n", " ('fool', 'fool or hoax'),\n", " ('put one over', 'fool or hoax'),\n", " ('razz', 'harass with persistent criticism or carping'),\n", " ('rally', 'harass with persistent criticism or carping'),\n", " ('put on', 'fool or hoax'),\n", " ('befool', 'fool or hoax'),\n", " ('tease', 'harass with persistent criticism or carping'),\n", " ('put one across', 'fool or hoax')]},\n", " {'answer': 'coiled',\n", " 'hint': 'synonyms for coiled',\n", " 'clues': [('hand-build', \"make without a potter's wheel\"),\n", " ('coil', 'wind around something in coils or loops'),\n", " ('spiral', 'to wind or move in a spiral course'),\n", " ('gyrate', 'to wind or move in a spiral course'),\n", " ('loop', 'wind around something in coils or loops'),\n", " ('curl', 'wind around something in coils or loops')]},\n", " {'answer': 'coiling',\n", " 'hint': 'synonyms for coiling',\n", " 'clues': [('hand-build', \"make without a potter's wheel\"),\n", " ('coil', 'wind around something in coils or loops'),\n", " ('spiral', 'to wind or move in a spiral course'),\n", " ('gyrate', 'to wind or move in a spiral course'),\n", " ('loop', 'wind around something in coils or loops'),\n", " ('curl', 'wind around something in coils or loops')]},\n", " {'answer': 'collect',\n", " 'hint': 'synonyms for collect',\n", " 'clues': [('pull in', 'get or bring together'),\n", " ('call for', 'gather or collect'),\n", " ('pick up', 'gather or collect'),\n", " ('pile up', 'get or gather together'),\n", " ('gather', 'assemble or get together'),\n", " ('take in', 'call for and obtain payment of'),\n", " ('garner', 'assemble or get together'),\n", " ('pull together', 'assemble or get together'),\n", " ('roll up', 'get or gather together'),\n", " ('amass', 'get or gather together'),\n", " ('compile', 'get or gather together'),\n", " ('gather up', 'gather or collect'),\n", " ('accumulate', 'get or gather together'),\n", " ('hoard', 'get or gather together')]},\n", " {'answer': 'collected',\n", " 'hint': 'synonyms for collected',\n", " 'clues': [('call for', 'gather or collect'),\n", " ('pick up', 'gather or collect'),\n", " ('pile up', 'get or gather together'),\n", " ('collect', 'call for and obtain payment of'),\n", " ('take in', 'call for and obtain payment of'),\n", " ('roll up', 'get or gather together'),\n", " ('gather up', 'gather or collect'),\n", " ('accumulate', 'get or gather together'),\n", " ('pull in', 'get or bring together'),\n", " ('gather', 'assemble or get together'),\n", " ('garner', 'assemble or get together'),\n", " ('pull together', 'assemble or get together'),\n", " ('amass', 'get or gather together'),\n", " ('compile', 'get or gather together'),\n", " ('hoard', 'get or gather together')]},\n", " {'answer': 'color',\n", " 'hint': 'synonyms for color',\n", " 'clues': [('colourise', 'add color to'),\n", " ('distort', 'affect as in thought or feeling'),\n", " ('emblazon', 'decorate with colors'),\n", " ('colour in', 'add color to'),\n", " ('colorize', 'add color to'),\n", " ('colour', 'give a deceptive explanation or excuse for'),\n", " ('tinge', 'affect as in thought or feeling'),\n", " ('gloss', 'give a deceptive explanation or excuse for'),\n", " ('discolour', 'change color, often in an undesired manner')]},\n", " {'answer': 'colored',\n", " 'hint': 'synonyms for colored',\n", " 'clues': [('color', 'affect as in thought or feeling'),\n", " ('emblazon', 'decorate with colors'),\n", " ('colourize', 'add color to'),\n", " ('colour in', 'add color to'),\n", " ('discolour', 'change color, often in an undesired manner'),\n", " ('tinge', 'affect as in thought or feeling'),\n", " ('colorise', 'add color to'),\n", " ('distort', 'affect as in thought or feeling'),\n", " ('gloss', 'give a deceptive explanation or excuse for')]},\n", " {'answer': 'colour',\n", " 'hint': 'synonyms for colour',\n", " 'clues': [('colourise', 'add color to'),\n", " ('distort', 'affect as in thought or feeling'),\n", " ('emblazon', 'decorate with colors'),\n", " ('color', 'affect as in thought or feeling'),\n", " ('discolor', 'change color, often in an undesired manner'),\n", " ('colour in', 'add color to'),\n", " ('colorize', 'add color to'),\n", " ('tinge', 'affect as in thought or feeling'),\n", " ('gloss', 'give a deceptive explanation or excuse for')]},\n", " {'answer': 'coloured',\n", " 'hint': 'synonyms for coloured',\n", " 'clues': [('emblazon', 'decorate with colors'),\n", " ('color', 'affect as in thought or feeling'),\n", " ('colourize', 'add color to'),\n", " ('colour in', 'add color to'),\n", " ('discolour', 'change color, often in an undesired manner'),\n", " ('tinge', 'affect as in thought or feeling'),\n", " ('colorise', 'add color to'),\n", " ('distort', 'affect as in thought or feeling'),\n", " ('gloss', 'give a deceptive explanation or excuse for')]},\n", " {'answer': 'combed',\n", " 'hint': 'synonyms for combed',\n", " 'clues': [('comb', 'search thoroughly'),\n", " ('ransack', 'search thoroughly'),\n", " ('comb out', 'smoothen and neaten with or as with a comb'),\n", " ('disentangle', 'smoothen and neaten with or as with a comb')]},\n", " {'answer': 'combined',\n", " 'hint': 'synonyms for combined',\n", " 'clues': [('conflate', 'mix together different elements'),\n", " ('fuse', 'mix together different elements'),\n", " ('flux', 'mix together different elements'),\n", " ('unite', 'have or possess in combination'),\n", " ('meld', 'mix together different elements'),\n", " ('coalesce', 'mix together different elements'),\n", " ('mix', 'mix together different elements'),\n", " ('immix', 'mix together different elements'),\n", " ('combine', 'join for a common purpose or in a common action'),\n", " ('aggregate', 'gather in a mass, sum, or whole'),\n", " ('merge', 'mix together different elements'),\n", " ('commingle', 'mix together different elements'),\n", " ('compound', 'combine so as to form a whole; mix'),\n", " ('blend', 'mix together different elements')]},\n", " {'answer': 'comforted',\n", " 'hint': 'synonyms for comforted',\n", " 'clues': [('ease', 'lessen pain or discomfort; alleviate'),\n", " ('comfort', 'give moral or emotional strength to'),\n", " ('soothe', 'give moral or emotional strength to'),\n", " ('solace', 'give moral or emotional strength to'),\n", " ('console', 'give moral or emotional strength to')]},\n", " {'answer': 'comforting',\n", " 'hint': 'synonyms for comforting',\n", " 'clues': [('ease', 'lessen pain or discomfort; alleviate'),\n", " ('comfort', 'give moral or emotional strength to'),\n", " ('soothe', 'give moral or emotional strength to'),\n", " ('solace', 'give moral or emotional strength to'),\n", " ('console', 'give moral or emotional strength to')]},\n", " {'answer': 'coming',\n", " 'hint': 'synonyms for coming',\n", " 'clues': [('amount', 'develop into'),\n", " ('arrive', 'reach a destination; arrive by movement or progress'),\n", " ('come', 'have a certain priority'),\n", " ('occur', \"come to one's mind; suggest itself\"),\n", " ('total', 'add up in number or quantity'),\n", " ('get', 'reach a destination; arrive by movement or progress'),\n", " ('hail', 'be a native of'),\n", " ('get along', 'proceed or get along'),\n", " ('follow', 'to be the product or result'),\n", " ('make out', 'proceed or get along'),\n", " ('do', 'proceed or get along'),\n", " ('fall', 'come under, be classified or included'),\n", " ('derive',\n", " 'come from; be connected by a relationship of blood, for example'),\n", " ('descend',\n", " 'come from; be connected by a relationship of blood, for example'),\n", " ('number', 'add up in number or quantity'),\n", " ('come up',\n", " 'move toward, travel toward something or somebody or approach something or somebody'),\n", " ('issue forth', 'come forth'),\n", " ('add up', 'add up in number or quantity'),\n", " ('fare', 'proceed or get along'),\n", " ('come in', 'be received')]},\n", " {'answer': 'commanding',\n", " 'hint': 'synonyms for commanding',\n", " 'clues': [('command', 'be in command of'),\n", " ('require', 'make someone do something'),\n", " ('dominate', 'look down on'),\n", " ('overlook', 'look down on'),\n", " ('overtop', 'look down on'),\n", " ('control', 'exercise authoritative control or power over')]},\n", " {'answer': 'commemorating',\n", " 'hint': 'synonyms for commemorating',\n", " 'clues': [('commemorate',\n", " 'be or provide a memorial to a person or an event'),\n", " ('mark', 'mark by some ceremony or observation'),\n", " ('record', 'be or provide a memorial to a person or an event'),\n", " ('immortalize', 'be or provide a memorial to a person or an event'),\n", " ('memorialise', 'be or provide a memorial to a person or an event'),\n", " ('remember',\n", " 'call to remembrance; keep alive the memory of someone or something, as in a ceremony')]},\n", " {'answer': 'committed',\n", " 'hint': 'synonyms for committed',\n", " 'clues': [('commit',\n", " 'perform an act, usually with a negative connotation'),\n", " ('confide', 'confer a trust upon'),\n", " ('send', 'cause to be admitted; of persons to an institution'),\n", " ('pull', 'perform an act, usually with a negative connotation'),\n", " ('devote', 'give entirely to a specific person, activity, or cause'),\n", " ('give', 'give entirely to a specific person, activity, or cause'),\n", " ('dedicate', 'give entirely to a specific person, activity, or cause'),\n", " ('institutionalise',\n", " 'cause to be admitted; of persons to an institution'),\n", " ('place', 'make an investment'),\n", " ('perpetrate', 'perform an act, usually with a negative connotation'),\n", " ('put', 'make an investment'),\n", " ('charge', 'cause to be admitted; of persons to an institution'),\n", " ('trust', 'confer a trust upon'),\n", " ('intrust', 'confer a trust upon'),\n", " ('consecrate', 'give entirely to a specific person, activity, or cause'),\n", " ('invest', 'make an investment'),\n", " ('practice', 'engage in or perform')]},\n", " {'answer': 'compact',\n", " 'hint': 'synonyms for compact',\n", " 'clues': [('bundle', 'compress into a wad'),\n", " ('pack together', 'make more compact by or as if by pressing'),\n", " ('pack', 'have the property of being packable or of compacting easily'),\n", " ('squeeze', 'squeeze or press together'),\n", " ('compress', 'make more compact by or as if by pressing'),\n", " ('constrict', 'squeeze or press together'),\n", " ('wad', 'compress into a wad'),\n", " ('press', 'squeeze or press together'),\n", " ('contract', 'squeeze or press together')]},\n", " {'answer': 'compassionate',\n", " 'hint': 'synonyms for compassionate',\n", " 'clues': [('sympathize with', 'share the suffering of'),\n", " ('pity', 'share the suffering of'),\n", " ('condole with', 'share the suffering of'),\n", " ('feel for', 'share the suffering of')]},\n", " {'answer': 'compensated',\n", " 'hint': 'synonyms for compensated',\n", " 'clues': [('make up', 'do or give something to somebody in return'),\n", " ('compensate', 'make reparations or amends for'),\n", " ('pay off', 'do or give something to somebody in return'),\n", " ('recompense', 'make amends for; pay compensation for'),\n", " ('correct', 'make reparations or amends for'),\n", " ('repair', 'make amends for; pay compensation for'),\n", " ('pay', 'do or give something to somebody in return'),\n", " ('remunerate', 'make payment to; compensate'),\n", " ('cover',\n", " 'make up for shortcomings or a feeling of inferiority by exaggerating good qualities'),\n", " ('even out', 'adjust for'),\n", " ('even off', 'adjust for'),\n", " ('indemnify', 'make amends for; pay compensation for'),\n", " ('overcompensate',\n", " 'make up for shortcomings or a feeling of inferiority by exaggerating good qualities'),\n", " ('redress', 'make reparations or amends for'),\n", " ('even up', 'adjust for'),\n", " ('right', 'make reparations or amends for'),\n", " ('counterbalance', 'adjust for')]},\n", " {'answer': 'complaining',\n", " 'hint': 'synonyms for complaining',\n", " 'clues': [('kick',\n", " 'express complaints, discontent, displeasure, or unhappiness'),\n", " ('quetch', 'express complaints, discontent, displeasure, or unhappiness'),\n", " ('complain',\n", " 'express complaints, discontent, displeasure, or unhappiness'),\n", " ('sound off',\n", " 'express complaints, discontent, displeasure, or unhappiness'),\n", " ('kvetch', 'express complaints, discontent, displeasure, or unhappiness'),\n", " ('plain',\n", " 'express complaints, discontent, displeasure, or unhappiness')]},\n", " {'answer': 'complete',\n", " 'hint': 'synonyms for complete',\n", " 'clues': [('finish', 'come or bring to a finish or an end'),\n", " ('discharge', 'complete or carry out'),\n", " ('dispatch', 'complete or carry out'),\n", " ('nail', 'complete a pass'),\n", " ('fill out', 'write all the required information onto a form'),\n", " ('make out', 'write all the required information onto a form'),\n", " ('fill in', 'write all the required information onto a form')]},\n", " {'answer': 'completed',\n", " 'hint': 'synonyms for completed',\n", " 'clues': [('finish', 'come or bring to a finish or an end'),\n", " ('complete',\n", " 'bring to a whole, with all the necessary parts or elements'),\n", " ('dispatch', 'complete or carry out'),\n", " ('nail', 'complete a pass'),\n", " ('discharge', 'complete or carry out'),\n", " ('fill out', 'write all the required information onto a form'),\n", " ('make out', 'write all the required information onto a form'),\n", " ('fill in', 'write all the required information onto a form')]},\n", " {'answer': 'completing',\n", " 'hint': 'synonyms for completing',\n", " 'clues': [('finish', 'come or bring to a finish or an end'),\n", " ('complete',\n", " 'bring to a whole, with all the necessary parts or elements'),\n", " ('dispatch', 'complete or carry out'),\n", " ('nail', 'complete a pass'),\n", " ('discharge', 'complete or carry out'),\n", " ('fill out', 'write all the required information onto a form'),\n", " ('make out', 'write all the required information onto a form'),\n", " ('fill in', 'write all the required information onto a form')]},\n", " {'answer': 'complicated',\n", " 'hint': 'synonyms for complicated',\n", " 'clues': [('complicate', 'make more complex, intricate, or richer'),\n", " ('perplex', 'make more complicated'),\n", " ('elaborate', 'make more complex, intricate, or richer'),\n", " ('rarify', 'make more complex, intricate, or richer'),\n", " ('refine', 'make more complex, intricate, or richer')]},\n", " {'answer': 'composed',\n", " 'hint': 'synonyms for composed',\n", " 'clues': [('compose', 'produce a literary work'),\n", " ('indite', 'produce a literary work'),\n", " ('draw up', 'make up plans or basic details for'),\n", " ('pen', 'produce a literary work'),\n", " ('write', 'produce a literary work'),\n", " ('frame', 'make up plans or basic details for'),\n", " ('compile', 'put together out of existing material')]},\n", " {'answer': 'compound',\n", " 'hint': 'synonyms for compound',\n", " 'clues': [('deepen', 'make more intense, stronger, or more marked; ,'),\n", " ('combine', 'combine so as to form a whole; mix'),\n", " ('heighten', 'make more intense, stronger, or more marked; ,'),\n", " ('intensify', 'make more intense, stronger, or more marked; ,')]},\n", " {'answer': 'compounded',\n", " 'hint': 'synonyms for compounded',\n", " 'clues': [('deepen', 'make more intense, stronger, or more marked; ,'),\n", " ('intensify', 'make more intense, stronger, or more marked; ,'),\n", " ('compound', 'make more intense, stronger, or more marked; ,'),\n", " ('combine', 'combine so as to form a whole; mix'),\n", " ('heighten', 'make more intense, stronger, or more marked; ,')]},\n", " {'answer': 'comprehended',\n", " 'hint': 'synonyms for comprehended',\n", " 'clues': [('grasp', 'get the meaning of something'),\n", " ('comprehend', 'get the meaning of something'),\n", " ('compass', 'get the meaning of something'),\n", " ('perceive', 'to become aware of through the senses'),\n", " ('apprehend', 'get the meaning of something'),\n", " ('embrace',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\"),\n", " ('dig', 'get the meaning of something'),\n", " ('savvy', 'get the meaning of something'),\n", " ('grok', 'get the meaning of something'),\n", " ('cover',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\"),\n", " ('get the picture', 'get the meaning of something')]},\n", " {'answer': 'compressed',\n", " 'hint': 'synonyms for compressed',\n", " 'clues': [('pack together', 'make more compact by or as if by pressing'),\n", " ('compact', 'make more compact by or as if by pressing'),\n", " ('squeeze', 'squeeze or press together'),\n", " ('compress', 'make more compact by or as if by pressing'),\n", " ('constrict', 'squeeze or press together'),\n", " ('press', 'squeeze or press together'),\n", " ('contract', 'squeeze or press together')]},\n", " {'answer': 'concealed',\n", " 'hint': 'synonyms for concealed',\n", " 'clues': [('hide', 'prevent from being seen or discovered'),\n", " ('hold back', 'hold back; keep from being perceived by others'),\n", " ('conceal', 'prevent from being seen or discovered'),\n", " ('hold in', 'hold back; keep from being perceived by others')]},\n", " {'answer': 'concealing',\n", " 'hint': 'synonyms for concealing',\n", " 'clues': [('hide', 'prevent from being seen or discovered'),\n", " ('hold back', 'hold back; keep from being perceived by others'),\n", " ('conceal', 'prevent from being seen or discovered'),\n", " ('hold in', 'hold back; keep from being perceived by others')]},\n", " {'answer': 'concentrated',\n", " 'hint': 'synonyms for concentrated',\n", " 'clues': [('condense', 'compress or concentrate'),\n", " ('concentrate', 'make central'),\n", " ('focus', \"direct one's attention on something\"),\n", " ('contract', 'compress or concentrate'),\n", " ('center', \"direct one's attention on something\"),\n", " ('pore', \"direct one's attention on something\"),\n", " ('centralize', 'make central'),\n", " ('reduce', 'be cooked until very little liquid is left'),\n", " ('boil down', 'cook until very little liquid is left'),\n", " ('centre', \"direct one's attention on something\"),\n", " ('rivet', \"direct one's attention on something\"),\n", " ('digest', 'make more concise'),\n", " ('decoct', 'be cooked until very little liquid is left')]},\n", " {'answer': 'concerned',\n", " 'hint': 'synonyms for concerned',\n", " 'clues': [('come to', 'be relevant to'),\n", " ('have-to doe with', 'be relevant to'),\n", " ('bear on', 'be relevant to'),\n", " ('relate', 'be relevant to'),\n", " ('touch on', 'be relevant to'),\n", " ('worry', 'be on the mind of'),\n", " ('pertain', 'be relevant to'),\n", " ('concern', 'be relevant to'),\n", " ('interest', 'be on the mind of'),\n", " ('occupy', 'be on the mind of'),\n", " ('touch', 'be relevant to'),\n", " ('refer', 'be relevant to')]},\n", " {'answer': 'concluded',\n", " 'hint': 'synonyms for concluded',\n", " 'clues': [('conclude', 'bring to a close'),\n", " ('resolve', 'reach a conclusion after a discussion or deliberation'),\n", " ('reason out', 'decide by reasoning; draw or come to a conclusion'),\n", " ('close', 'come to a close'),\n", " ('reason', 'decide by reasoning; draw or come to a conclusion')]},\n", " {'answer': 'concluding',\n", " 'hint': 'synonyms for concluding',\n", " 'clues': [('conclude', 'bring to a close'),\n", " ('resolve', 'reach a conclusion after a discussion or deliberation'),\n", " ('reason out', 'decide by reasoning; draw or come to a conclusion'),\n", " ('close', 'come to a close'),\n", " ('reason', 'decide by reasoning; draw or come to a conclusion')]},\n", " {'answer': 'concurring',\n", " 'hint': 'synonyms for concurring',\n", " 'clues': [('concur', 'be in accord; be in agreement'),\n", " ('concord', 'be in accord; be in agreement'),\n", " ('agree', 'be in accord; be in agreement'),\n", " ('coincide', 'happen simultaneously'),\n", " ('hold', 'be in accord; be in agreement')]},\n", " {'answer': 'condemning',\n", " 'hint': 'synonyms for condemning',\n", " 'clues': [('decry', 'express strong disapproval of'),\n", " ('condemn', 'demonstrate the guilt of (someone)'),\n", " ('objurgate', 'express strong disapproval of'),\n", " ('doom', 'pronounce a sentence on (somebody) in a court of law'),\n", " ('sentence', 'pronounce a sentence on (somebody) in a court of law'),\n", " ('reprobate', 'express strong disapproval of'),\n", " ('excoriate', 'express strong disapproval of')]},\n", " {'answer': 'condescending',\n", " 'hint': 'synonyms for condescending',\n", " 'clues': [('stoop',\n", " 'debase oneself morally, act in an undignified, unworthy, or dishonorable way'),\n", " ('condescend', 'behave in a patronizing and condescending manner'),\n", " ('patronize', 'treat condescendingly'),\n", " ('lower oneself',\n", " 'debase oneself morally, act in an undignified, unworthy, or dishonorable way'),\n", " ('deign', \"do something that one considers to be below one's dignity\"),\n", " ('descend',\n", " \"do something that one considers to be below one's dignity\")]},\n", " {'answer': 'conditioned',\n", " 'hint': 'synonyms for conditioned',\n", " 'clues': [('train',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\"),\n", " ('condition', 'put into a better state'),\n", " ('specify',\n", " 'specify as a condition or requirement in a contract or agreement; make an express demand or provision in an agreement'),\n", " ('qualify',\n", " 'specify as a condition or requirement in a contract or agreement; make an express demand or provision in an agreement'),\n", " ('check',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\"),\n", " ('stipulate',\n", " 'specify as a condition or requirement in a contract or agreement; make an express demand or provision in an agreement'),\n", " ('discipline',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\")]},\n", " {'answer': 'confiding',\n", " 'hint': 'synonyms for confiding',\n", " 'clues': [('confide', 'reveal in private; tell confidentially'),\n", " ('commit', 'confer a trust upon'),\n", " ('intrust', 'confer a trust upon'),\n", " ('trust', 'confer a trust upon')]},\n", " {'answer': 'confined',\n", " 'hint': 'synonyms for confined',\n", " 'clues': [('hold in', 'close in; darkness enclosed him\"'),\n", " ('throttle', 'place limits on (extent or access)'),\n", " ('circumscribe', 'restrict or confine,'),\n", " ('enclose', 'close in; darkness enclosed him\"'),\n", " ('confine', 'deprive of freedom; take into confinement'),\n", " ('detain', 'deprive of freedom; take into confinement'),\n", " ('limit', 'place limits on (extent or access)'),\n", " ('bound', 'place limits on (extent or access)'),\n", " ('restrict', 'place limits on (extent or access)'),\n", " ('restrain', 'place limits on (extent or access)'),\n", " ('hold', 'to close within bounds, limit or hold back from movement'),\n", " ('trammel', 'place limits on (extent or access)')]},\n", " {'answer': 'confining',\n", " 'hint': 'synonyms for confining',\n", " 'clues': [('hold in', 'close in; darkness enclosed him\"'),\n", " ('throttle', 'place limits on (extent or access)'),\n", " ('circumscribe', 'restrict or confine,'),\n", " ('enclose', 'close in; darkness enclosed him\"'),\n", " ('confine', 'deprive of freedom; take into confinement'),\n", " ('detain', 'deprive of freedom; take into confinement'),\n", " ('limit', 'place limits on (extent or access)'),\n", " ('bound', 'place limits on (extent or access)'),\n", " ('restrict', 'place limits on (extent or access)'),\n", " ('restrain', 'place limits on (extent or access)'),\n", " ('hold', 'to close within bounds, limit or hold back from movement'),\n", " ('trammel', 'place limits on (extent or access)')]},\n", " {'answer': 'confirmed',\n", " 'hint': 'synonyms for confirmed',\n", " 'clues': [('support',\n", " 'establish or strengthen as with new evidence or facts'),\n", " ('reassert', 'strengthen or make more firm'),\n", " ('confirm', 'make more firm'),\n", " ('sustain', 'establish or strengthen as with new evidence or facts'),\n", " ('substantiate', 'establish or strengthen as with new evidence or facts'),\n", " ('affirm', 'establish or strengthen as with new evidence or facts'),\n", " ('corroborate',\n", " 'establish or strengthen as with new evidence or facts')]},\n", " {'answer': 'confirming',\n", " 'hint': 'synonyms for confirming',\n", " 'clues': [('support',\n", " 'establish or strengthen as with new evidence or facts'),\n", " ('reassert', 'strengthen or make more firm'),\n", " ('confirm', 'make more firm'),\n", " ('sustain', 'establish or strengthen as with new evidence or facts'),\n", " ('substantiate', 'establish or strengthen as with new evidence or facts'),\n", " ('affirm', 'establish or strengthen as with new evidence or facts'),\n", " ('corroborate',\n", " 'establish or strengthen as with new evidence or facts')]},\n", " {'answer': 'confiscate',\n", " 'hint': 'synonyms for confiscate',\n", " 'clues': [('attach',\n", " 'take temporary possession of as a security, by legal authority'),\n", " ('impound',\n", " 'take temporary possession of as a security, by legal authority'),\n", " ('sequester',\n", " 'take temporary possession of as a security, by legal authority'),\n", " ('seize',\n", " 'take temporary possession of as a security, by legal authority')]},\n", " {'answer': 'conflicting',\n", " 'hint': 'synonyms for conflicting',\n", " 'clues': [('contravene', 'go against, as of rules and laws'),\n", " ('conflict', 'go against, as of rules and laws'),\n", " ('run afoul', 'go against, as of rules and laws'),\n", " ('infringe', 'go against, as of rules and laws')]},\n", " {'answer': 'confounded',\n", " 'hint': 'synonyms for confounded',\n", " 'clues': [('discombobulate',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confound', 'mistake one thing for another'),\n", " ('fuddle',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('throw',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confuse', 'mistake one thing for another'),\n", " ('fox',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bedevil',\n", " 'be confusing or perplexing to; cause to be unable to think clearly')]},\n", " {'answer': 'confounding',\n", " 'hint': 'synonyms for confounding',\n", " 'clues': [('discombobulate',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confound', 'mistake one thing for another'),\n", " ('fuddle',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('throw',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confuse', 'mistake one thing for another'),\n", " ('fox',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bedevil',\n", " 'be confusing or perplexing to; cause to be unable to think clearly')]},\n", " {'answer': 'confused',\n", " 'hint': 'synonyms for confused',\n", " 'clues': [('mix up', 'assemble without order or sense'),\n", " ('confuse', 'assemble without order or sense'),\n", " ('fuddle',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('put off', 'cause to feel embarrassment'),\n", " ('obnubilate', 'make unclear, indistinct, or blurred'),\n", " ('jumble', 'assemble without order or sense'),\n", " ('throw',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confound', 'mistake one thing for another'),\n", " ('fox',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bedevil',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('discombobulate',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('obscure', 'make unclear, indistinct, or blurred'),\n", " ('disconcert', 'cause to feel embarrassment'),\n", " ('flurry', 'cause to feel embarrassment'),\n", " ('blur', 'make unclear, indistinct, or blurred')]},\n", " {'answer': 'confusing',\n", " 'hint': 'synonyms for confusing',\n", " 'clues': [('mix up', 'assemble without order or sense'),\n", " ('confuse', 'assemble without order or sense'),\n", " ('fuddle',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('put off', 'cause to feel embarrassment'),\n", " ('obnubilate', 'make unclear, indistinct, or blurred'),\n", " ('jumble', 'assemble without order or sense'),\n", " ('throw',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confound', 'mistake one thing for another'),\n", " ('fox',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bedevil',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('discombobulate',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('obscure', 'make unclear, indistinct, or blurred'),\n", " ('disconcert', 'cause to feel embarrassment'),\n", " ('flurry', 'cause to feel embarrassment'),\n", " ('blur', 'make unclear, indistinct, or blurred')]},\n", " {'answer': 'congested',\n", " 'hint': 'synonyms for congested',\n", " 'clues': [('foul', 'become or cause to become obstructed'),\n", " ('clog up', 'become or cause to become obstructed'),\n", " ('back up', 'become or cause to become obstructed'),\n", " ('clog', 'become or cause to become obstructed'),\n", " ('choke off', 'become or cause to become obstructed'),\n", " ('congest', 'become or cause to become obstructed'),\n", " ('choke', 'become or cause to become obstructed')]},\n", " {'answer': 'conglomerate',\n", " 'hint': 'synonyms for conglomerate',\n", " 'clues': [('pile up', 'collect or gather'),\n", " ('gather', 'collect or gather'),\n", " ('cumulate', 'collect or gather'),\n", " ('amass', 'collect or gather')]},\n", " {'answer': 'conjoined',\n", " 'hint': 'synonyms for conjoined',\n", " 'clues': [('conjoin', 'take in marriage'),\n", " ('get hitched with', 'take in marriage'),\n", " ('espouse', 'take in marriage'),\n", " ('get married', 'take in marriage'),\n", " ('join', 'make contact or come together'),\n", " ('marry', 'take in marriage'),\n", " ('wed', 'take in marriage'),\n", " ('hook up with', 'take in marriage')]},\n", " {'answer': 'connected',\n", " 'hint': 'synonyms for connected',\n", " 'clues': [('connect', 'land on or hit solidly'),\n", " ('tie', 'connect, fasten, or put together two or more pieces'),\n", " ('touch base', 'establish communication with someone'),\n", " ('join', 'be or become joined or united or linked'),\n", " ('plug in', 'plug into an outlet'),\n", " ('link up', 'connect, fasten, or put together two or more pieces'),\n", " ('colligate', 'make a logical or causal connection'),\n", " ('unite', 'be or become joined or united or linked'),\n", " ('link', 'make a logical or causal connection'),\n", " ('tie in', 'make a logical or causal connection'),\n", " ('relate', 'make a logical or causal connection'),\n", " ('get in touch', 'establish communication with someone'),\n", " ('associate', 'make a logical or causal connection')]},\n", " {'answer': 'consecrate',\n", " 'hint': 'synonyms for consecrate',\n", " 'clues': [('hallow', 'render holy by means of religious rites'),\n", " ('order', 'appoint to a clerical posts'),\n", " ('sanctify', 'render holy by means of religious rites'),\n", " ('bless', 'render holy by means of religious rites'),\n", " ('ordain', 'appoint to a clerical posts'),\n", " ('vow', 'dedicate to a deity by a vow'),\n", " ('ordinate', 'appoint to a clerical posts'),\n", " ('devote', 'give entirely to a specific person, activity, or cause'),\n", " ('give', 'give entirely to a specific person, activity, or cause'),\n", " ('commit', 'give entirely to a specific person, activity, or cause'),\n", " ('dedicate', 'give entirely to a specific person, activity, or cause')]},\n", " {'answer': 'consecrated',\n", " 'hint': 'synonyms for consecrated',\n", " 'clues': [('consecrate', 'appoint to a clerical posts'),\n", " ('hallow', 'render holy by means of religious rites'),\n", " ('order', 'appoint to a clerical posts'),\n", " ('sanctify', 'render holy by means of religious rites'),\n", " ('bless', 'render holy by means of religious rites'),\n", " ('ordain', 'appoint to a clerical posts'),\n", " ('vow', 'dedicate to a deity by a vow'),\n", " ('ordinate', 'appoint to a clerical posts'),\n", " ('devote', 'give entirely to a specific person, activity, or cause'),\n", " ('give', 'give entirely to a specific person, activity, or cause'),\n", " ('commit', 'give entirely to a specific person, activity, or cause'),\n", " ('dedicate', 'give entirely to a specific person, activity, or cause')]},\n", " {'answer': 'conserved',\n", " 'hint': 'synonyms for conserved',\n", " 'clues': [('husband', 'use cautiously and frugally'),\n", " ('conserve', 'preserve with sugar'),\n", " ('economize', 'use cautiously and frugally'),\n", " ('maintain',\n", " 'keep in safety and protect from harm, decay, loss, or destruction'),\n", " ('preserve',\n", " 'keep in safety and protect from harm, decay, loss, or destruction'),\n", " ('keep up',\n", " 'keep in safety and protect from harm, decay, loss, or destruction')]},\n", " {'answer': 'considered',\n", " 'hint': 'synonyms for considered',\n", " 'clues': [('think', 'judge or regard; look upon; judge'),\n", " ('consider', 'look at carefully; study mentally'),\n", " ('regard', 'deem to be'),\n", " ('look at', 'take into consideration for exemplifying purposes'),\n", " ('deal', 'take into consideration for exemplifying purposes'),\n", " ('count', 'show consideration for; take into account'),\n", " ('weigh', 'show consideration for; take into account'),\n", " ('conceive', 'judge or regard; look upon; judge'),\n", " ('take', 'take into consideration for exemplifying purposes'),\n", " ('deliberate', 'think about carefully; weigh'),\n", " ('view', 'deem to be'),\n", " ('see', 'deem to be'),\n", " ('reckon', 'deem to be'),\n", " ('study', 'give careful consideration to'),\n", " ('debate', 'think about carefully; weigh'),\n", " ('turn over', 'think about carefully; weigh'),\n", " ('moot', 'think about carefully; weigh'),\n", " ('believe', 'judge or regard; look upon; judge')]},\n", " {'answer': 'consoling',\n", " 'hint': 'synonyms for consoling',\n", " 'clues': [('solace', 'give moral or emotional strength to'),\n", " ('soothe', 'give moral or emotional strength to'),\n", " ('comfort', 'give moral or emotional strength to'),\n", " ('console', 'give moral or emotional strength to')]},\n", " {'answer': 'constituted',\n", " 'hint': 'synonyms for constituted',\n", " 'clues': [('make up', 'form or compose'),\n", " ('appoint', 'create and charge with a task or function'),\n", " ('constitute', 'form or compose'),\n", " ('name', 'create and charge with a task or function'),\n", " ('make', 'to compose or represent:'),\n", " ('institute', 'set up or lay the groundwork for'),\n", " ('establish', 'set up or lay the groundwork for'),\n", " ('comprise', 'form or compose'),\n", " ('nominate', 'create and charge with a task or function'),\n", " ('plant', 'set up or lay the groundwork for'),\n", " ('found', 'set up or lay the groundwork for'),\n", " ('form', 'to compose or represent:'),\n", " ('be', 'form or compose'),\n", " ('represent', 'form or compose')]},\n", " {'answer': 'constrained',\n", " 'hint': 'synonyms for constrained',\n", " 'clues': [('encumber', 'hold back'),\n", " ('constrain', 'restrict'),\n", " ('restrain', 'hold back'),\n", " ('tighten up', 'restrict'),\n", " ('tighten', 'restrict'),\n", " ('stiffen', 'restrict')]},\n", " {'answer': 'constraining',\n", " 'hint': 'synonyms for constraining',\n", " 'clues': [('encumber', 'hold back'),\n", " ('constrain', 'restrict'),\n", " ('restrain', 'hold back'),\n", " ('tighten up', 'restrict'),\n", " ('tighten', 'restrict'),\n", " ('stiffen', 'restrict')]},\n", " {'answer': 'constricted',\n", " 'hint': 'synonyms for constricted',\n", " 'clues': [('constrict', 'become tight or as if tight'),\n", " ('squeeze', 'squeeze or press together'),\n", " ('constringe', 'become tight or as if tight'),\n", " ('compact', 'squeeze or press together'),\n", " ('press', 'squeeze or press together'),\n", " ('compress', 'squeeze or press together'),\n", " ('narrow', 'become tight or as if tight'),\n", " ('contract', 'squeeze or press together')]},\n", " {'answer': 'constricting',\n", " 'hint': 'synonyms for constricting',\n", " 'clues': [('constrict', 'become tight or as if tight'),\n", " ('squeeze', 'squeeze or press together'),\n", " ('constringe', 'become tight or as if tight'),\n", " ('compact', 'squeeze or press together'),\n", " ('press', 'squeeze or press together'),\n", " ('compress', 'squeeze or press together'),\n", " ('narrow', 'become tight or as if tight'),\n", " ('contract', 'squeeze or press together')]},\n", " {'answer': 'consuming',\n", " 'hint': 'synonyms for consuming',\n", " 'clues': [('wipe out', 'use up (resources or materials)'),\n", " ('consume', 'engage fully'),\n", " ('have', 'serve oneself to, or consume regularly'),\n", " ('run through', 'use up (resources or materials)'),\n", " ('eat', 'use up (resources or materials)'),\n", " ('go through', 'eat immoderately'),\n", " ('deplete', 'use up (resources or materials)'),\n", " ('devour', 'eat immoderately'),\n", " ('squander', 'spend extravagantly'),\n", " ('take in', 'serve oneself to, or consume regularly'),\n", " ('waste', 'spend extravagantly'),\n", " ('exhaust', 'use up (resources or materials)'),\n", " ('ingest', 'serve oneself to, or consume regularly'),\n", " ('use up', 'use up (resources or materials)'),\n", " ('eat up', 'use up (resources or materials)'),\n", " ('ware', 'spend extravagantly'),\n", " ('take', 'serve oneself to, or consume regularly'),\n", " ('down', 'eat immoderately')]},\n", " {'answer': 'contained',\n", " 'hint': 'synonyms for contained',\n", " 'clues': [('bear', 'contain or hold; have within'),\n", " ('check',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('contain',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('comprise', 'include or contain; have as a component'),\n", " ('hold', 'contain or hold; have within'),\n", " ('curb',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('hold in',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('take', 'be capable of holding or containing'),\n", " ('turn back',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('arrest',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('hold back',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of'),\n", " ('control',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('moderate',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('carry', 'contain or hold; have within'),\n", " ('incorporate', 'include or contain; have as a component'),\n", " ('stop',\n", " 'hold back, as of a danger or an enemy; check the expansion or influence of')]},\n", " {'answer': 'continued',\n", " 'hint': 'synonyms for continued',\n", " 'clues': [('go forward', 'move ahead; travel onward in time or space'),\n", " ('continue', 'continue after an interruption'),\n", " ('proceed', 'move ahead; travel onward in time or space'),\n", " ('stay', 'continue in a place, position, or situation'),\n", " ('keep on',\n", " 'allow to remain in a place or position or maintain a property or feature'),\n", " ('remain', 'continue in a place, position, or situation'),\n", " ('persist in',\n", " 'do something repeatedly and showing no intention to stop'),\n", " ('carry on', 'continue talking; he continued,'),\n", " ('preserve',\n", " 'keep or maintain in unaltered condition; cause to remain or last'),\n", " ('bear on',\n", " 'keep or maintain in unaltered condition; cause to remain or last'),\n", " ('go on', 'continue a certain state, condition, or activity'),\n", " ('extend', 'span an interval of distance, space or time'),\n", " ('keep',\n", " 'allow to remain in a place or position or maintain a property or feature'),\n", " ('cover', 'span an interval of distance, space or time'),\n", " ('retain',\n", " 'allow to remain in a place or position or maintain a property or feature'),\n", " ('uphold',\n", " 'keep or maintain in unaltered condition; cause to remain or last'),\n", " ('stay on', 'continue in a place, position, or situation'),\n", " ('go along', 'continue a certain state, condition, or activity')]},\n", " {'answer': 'continuing',\n", " 'hint': 'synonyms for continuing',\n", " 'clues': [('go forward', 'move ahead; travel onward in time or space'),\n", " ('continue', 'continue after an interruption'),\n", " ('proceed', 'move ahead; travel onward in time or space'),\n", " ('stay', 'continue in a place, position, or situation'),\n", " ('keep on',\n", " 'allow to remain in a place or position or maintain a property or feature'),\n", " ('remain', 'continue in a place, position, or situation'),\n", " ('persist in',\n", " 'do something repeatedly and showing no intention to stop'),\n", " ('carry on', 'continue talking; he continued,'),\n", " ('preserve',\n", " 'keep or maintain in unaltered condition; cause to remain or last'),\n", " ('bear on',\n", " 'keep or maintain in unaltered condition; cause to remain or last'),\n", " ('go on', 'continue a certain state, condition, or activity'),\n", " ('extend', 'span an interval of distance, space or time'),\n", " ('keep',\n", " 'allow to remain in a place or position or maintain a property or feature'),\n", " ('cover', 'span an interval of distance, space or time'),\n", " ('retain',\n", " 'allow to remain in a place or position or maintain a property or feature'),\n", " ('uphold',\n", " 'keep or maintain in unaltered condition; cause to remain or last'),\n", " ('stay on', 'continue in a place, position, or situation'),\n", " ('go along', 'continue a certain state, condition, or activity')]},\n", " {'answer': 'contorted',\n", " 'hint': 'synonyms for contorted',\n", " 'clues': [('contort', 'twist and press out of shape'),\n", " ('deform', 'twist and press out of shape'),\n", " ('wring', 'twist and press out of shape'),\n", " ('distort', 'twist and press out of shape')]},\n", " {'answer': 'contracted',\n", " 'hint': 'synonyms for contracted',\n", " 'clues': [('contract', 'engage by written agreement'),\n", " ('undertake', 'enter into a contractual arrangement'),\n", " ('sign', 'engage by written agreement'),\n", " ('condense', 'compress or concentrate'),\n", " ('constrict', 'squeeze or press together'),\n", " ('concentrate', 'compress or concentrate'),\n", " ('cut', 'reduce in scope while retaining essential elements'),\n", " ('compact', 'squeeze or press together'),\n", " ('foreshorten', 'reduce in scope while retaining essential elements'),\n", " ('press', 'squeeze or press together'),\n", " ('sign up', 'engage by written agreement'),\n", " ('abbreviate', 'reduce in scope while retaining essential elements'),\n", " ('take', 'be stricken by an illness, fall victim to an illness'),\n", " ('sign on', 'engage by written agreement'),\n", " ('squeeze', 'squeeze or press together'),\n", " ('narrow', 'make or become more narrow or restricted'),\n", " ('shrink', 'become smaller or draw together'),\n", " ('get', 'be stricken by an illness, fall victim to an illness'),\n", " ('abridge', 'reduce in scope while retaining essential elements'),\n", " ('reduce', 'reduce in scope while retaining essential elements'),\n", " ('compress', 'squeeze or press together'),\n", " ('shorten', 'reduce in scope while retaining essential elements')]},\n", " {'answer': 'contributing',\n", " 'hint': 'synonyms for contributing',\n", " 'clues': [('impart', 'bestow a quality on'),\n", " ('lend', 'bestow a quality on'),\n", " ('conduce', 'be conducive to'),\n", " ('lead', 'be conducive to'),\n", " ('contribute', 'provide'),\n", " ('add', 'bestow a quality on'),\n", " ('kick in', 'contribute to some cause'),\n", " ('chip in', 'contribute to some cause'),\n", " ('give', 'contribute to some cause'),\n", " ('bring', 'bestow a quality on'),\n", " ('bestow', 'bestow a quality on'),\n", " ('put up', 'provide')]},\n", " {'answer': 'contrived',\n", " 'hint': 'synonyms for contrived',\n", " 'clues': [('throw', 'put or send forth'),\n", " ('plan', 'make or work out a plan for; devise'),\n", " ('project', 'make or work out a plan for; devise'),\n", " ('invent',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('devise',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('contrive', 'make or work out a plan for; devise'),\n", " ('excogitate',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('cast', 'put or send forth'),\n", " ('forge',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('formulate',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('design', 'make or work out a plan for; devise')]},\n", " {'answer': 'controlled',\n", " 'hint': 'synonyms for controlled',\n", " 'clues': [('ascertain',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('check',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('control',\n", " 'check or regulate (a scientific experiment) by conducting a parallel experiment or comparing with another standard'),\n", " ('verify',\n", " 'check or regulate (a scientific experiment) by conducting a parallel experiment or comparing with another standard'),\n", " ('curb',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('hold in',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('master', 'have a firm understanding or knowledge of; be on top of'),\n", " ('see',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('assure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('ensure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('contain',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('insure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('command', 'exercise authoritative control or power over'),\n", " ('hold',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('operate', 'handle and cause to function'),\n", " ('see to it',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('moderate',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('keep in line',\n", " \"control (others or oneself) or influence skillfully, usually to one's advantage\"),\n", " ('manipulate',\n", " \"control (others or oneself) or influence skillfully, usually to one's advantage\")]},\n", " {'answer': 'controlling',\n", " 'hint': 'synonyms for controlling',\n", " 'clues': [('ascertain',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('check',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('control',\n", " 'check or regulate (a scientific experiment) by conducting a parallel experiment or comparing with another standard'),\n", " ('verify',\n", " 'check or regulate (a scientific experiment) by conducting a parallel experiment or comparing with another standard'),\n", " ('curb',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('hold in',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('master', 'have a firm understanding or knowledge of; be on top of'),\n", " ('see',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('assure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('ensure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('contain',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('insure',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('command', 'exercise authoritative control or power over'),\n", " ('hold',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('operate', 'handle and cause to function'),\n", " ('see to it',\n", " 'be careful or certain to do something; make certain of something'),\n", " ('moderate',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('keep in line',\n", " \"control (others or oneself) or influence skillfully, usually to one's advantage\"),\n", " ('manipulate',\n", " \"control (others or oneself) or influence skillfully, usually to one's advantage\")]},\n", " {'answer': 'converted',\n", " 'hint': 'synonyms for converted',\n", " 'clues': [('win over',\n", " 'make (someone) agree, understand, or realize the truth or validity of something'),\n", " ('convert',\n", " 'make (someone) agree, understand, or realize the truth or validity of something'),\n", " ('commute',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('change',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('change over',\n", " 'change from one system to another or to a new plan or policy'),\n", " ('convince',\n", " 'make (someone) agree, understand, or realize the truth or validity of something')]},\n", " {'answer': 'convolute',\n", " 'hint': 'synonyms for convolute',\n", " 'clues': [('convolve', 'curl, wind, or twist together'),\n", " ('sophisticate',\n", " 'practice sophistry; change the meaning of or be vague about in order to mislead or deceive'),\n", " ('twist around',\n", " 'practice sophistry; change the meaning of or be vague about in order to mislead or deceive'),\n", " ('twist',\n", " 'practice sophistry; change the meaning of or be vague about in order to mislead or deceive'),\n", " ('pervert',\n", " 'practice sophistry; change the meaning of or be vague about in order to mislead or deceive')]},\n", " {'answer': 'convoluted',\n", " 'hint': 'synonyms for convoluted',\n", " 'clues': [('convolve', 'curl, wind, or twist together'),\n", " ('sophisticate',\n", " 'practice sophistry; change the meaning of or be vague about in order to mislead or deceive'),\n", " ('twist around',\n", " 'practice sophistry; change the meaning of or be vague about in order to mislead or deceive'),\n", " ('convolute', 'curl, wind, or twist together'),\n", " ('twist',\n", " 'practice sophistry; change the meaning of or be vague about in order to mislead or deceive'),\n", " ('pervert',\n", " 'practice sophistry; change the meaning of or be vague about in order to mislead or deceive')]},\n", " {'answer': 'cooked',\n", " 'hint': 'synonyms for cooked',\n", " 'clues': [('cook',\n", " 'transform and make suitable for consumption by heating'),\n", " ('fix', 'prepare for eating by applying heat'),\n", " ('manipulate', 'tamper, with the purpose of deception'),\n", " ('falsify', 'tamper, with the purpose of deception'),\n", " ('wangle', 'tamper, with the purpose of deception'),\n", " ('fudge', 'tamper, with the purpose of deception'),\n", " ('ready', 'prepare for eating by applying heat'),\n", " ('prepare', 'prepare for eating by applying heat'),\n", " ('fake', 'tamper, with the purpose of deception'),\n", " ('misrepresent', 'tamper, with the purpose of deception'),\n", " ('make', 'prepare for eating by applying heat')]},\n", " {'answer': 'correct',\n", " 'hint': 'synonyms for correct',\n", " 'clues': [('slump', 'go down in value'),\n", " ('compensate', 'make reparations or amends for'),\n", " ('rectify', 'make right or correct'),\n", " ('objurgate', 'censure severely'),\n", " ('castigate', 'censure severely'),\n", " ('right', 'make right or correct'),\n", " ('make up', 'adjust for'),\n", " ('even out', 'adjust for'),\n", " ('even off', 'adjust for'),\n", " ('set',\n", " 'alter or regulate so as to achieve accuracy or conform to a standard'),\n", " ('discipline', 'punish in order to gain control or enforce obedience'),\n", " ('redress', 'make reparations or amends for'),\n", " ('sort out', 'punish in order to gain control or enforce obedience'),\n", " ('even up', 'adjust for'),\n", " ('chasten', 'censure severely'),\n", " ('chastise', 'censure severely'),\n", " ('decline', 'go down in value'),\n", " ('adjust',\n", " 'alter or regulate so as to achieve accuracy or conform to a standard'),\n", " ('counterbalance', 'adjust for')]},\n", " {'answer': 'corrected',\n", " 'hint': 'synonyms for corrected',\n", " 'clues': [('slump', 'go down in value'),\n", " ('compensate', 'make reparations or amends for'),\n", " ('correct', 'censure severely'),\n", " ('rectify', 'make right or correct'),\n", " ('objurgate', 'censure severely'),\n", " ('castigate', 'censure severely'),\n", " ('right', 'make right or correct'),\n", " ('make up', 'adjust for'),\n", " ('even out', 'adjust for'),\n", " ('even off', 'adjust for'),\n", " ('set',\n", " 'alter or regulate so as to achieve accuracy or conform to a standard'),\n", " ('discipline', 'punish in order to gain control or enforce obedience'),\n", " ('redress', 'make reparations or amends for'),\n", " ('sort out', 'punish in order to gain control or enforce obedience'),\n", " ('even up', 'adjust for'),\n", " ('chasten', 'censure severely'),\n", " ('chastise', 'censure severely'),\n", " ('decline', 'go down in value'),\n", " ('adjust',\n", " 'alter or regulate so as to achieve accuracy or conform to a standard'),\n", " ('counterbalance', 'adjust for')]},\n", " {'answer': 'corresponding',\n", " 'hint': 'synonyms for corresponding',\n", " 'clues': [('stand for',\n", " 'take the place of or be parallel or equivalent to'),\n", " ('match',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('fit',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('correspond', 'take the place of or be parallel or equivalent to'),\n", " ('equate', 'be equivalent or parallel, in mathematics'),\n", " ('represent', 'take the place of or be parallel or equivalent to'),\n", " ('tally',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('jibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('gibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('check',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('agree',\n", " 'be compatible, similar or consistent; coincide in their characteristics')]},\n", " {'answer': 'corrupt',\n", " 'hint': 'synonyms for corrupt',\n", " 'clues': [('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('bribe', 'make illegal payments to in exchange for favors or influence'),\n", " ('taint', 'place under suspicion or cast doubt upon'),\n", " (\"grease one's palms\",\n", " 'make illegal payments to in exchange for favors or influence'),\n", " ('spoil', 'alter from the original'),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('buy', 'make illegal payments to in exchange for favors or influence'),\n", " ('defile', 'place under suspicion or cast doubt upon'),\n", " ('cloud', 'place under suspicion or cast doubt upon'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('sully', 'place under suspicion or cast doubt upon'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'corrupted',\n", " 'hint': 'synonyms for corrupted',\n", " 'clues': [(\"grease one's palms\",\n", " 'make illegal payments to in exchange for favors or influence'),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('cloud', 'place under suspicion or cast doubt upon'),\n", " ('sully', 'place under suspicion or cast doubt upon'),\n", " ('buy', 'make illegal payments to in exchange for favors or influence'),\n", " ('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('bribe', 'make illegal payments to in exchange for favors or influence'),\n", " ('taint', 'place under suspicion or cast doubt upon'),\n", " ('corrupt', 'alter from the original'),\n", " ('spoil', 'alter from the original'),\n", " ('defile', 'place under suspicion or cast doubt upon'),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'corrupting',\n", " 'hint': 'synonyms for corrupting',\n", " 'clues': [(\"grease one's palms\",\n", " 'make illegal payments to in exchange for favors or influence'),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('cloud', 'place under suspicion or cast doubt upon'),\n", " ('sully', 'place under suspicion or cast doubt upon'),\n", " ('buy', 'make illegal payments to in exchange for favors or influence'),\n", " ('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('bribe', 'make illegal payments to in exchange for favors or influence'),\n", " ('taint', 'place under suspicion or cast doubt upon'),\n", " ('corrupt', 'alter from the original'),\n", " ('spoil', 'alter from the original'),\n", " ('defile', 'place under suspicion or cast doubt upon'),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'counterbalanced',\n", " 'hint': 'synonyms for counterbalanced',\n", " 'clues': [('counterbalance',\n", " 'oppose and mitigate the effects of by contrary actions'),\n", " ('oppose', 'contrast with equal weight or force'),\n", " ('even up', 'adjust for'),\n", " ('make up', 'adjust for'),\n", " ('compensate', 'adjust for'),\n", " ('even out', 'adjust for'),\n", " ('even off', 'adjust for'),\n", " ('correct', 'adjust for'),\n", " ('counteract', 'oppose and mitigate the effects of by contrary actions'),\n", " ('neutralize', 'oppose and mitigate the effects of by contrary actions'),\n", " ('countervail',\n", " 'oppose and mitigate the effects of by contrary actions')]},\n", " {'answer': 'coupled',\n", " 'hint': 'synonyms for coupled',\n", " 'clues': [('pair', 'form a pair or pairs'),\n", " ('couple', 'bring two objects, ideas, or people together'),\n", " ('mate', 'bring two objects, ideas, or people together'),\n", " ('match', 'bring two objects, ideas, or people together'),\n", " ('pair off', 'form a pair or pairs'),\n", " ('twin', 'bring two objects, ideas, or people together'),\n", " ('couple on', 'link together'),\n", " ('couple up', 'link together'),\n", " ('copulate', 'engage in sexual intercourse'),\n", " ('partner off', 'form a pair or pairs')]},\n", " {'answer': 'covered',\n", " 'hint': 'synonyms for covered',\n", " 'clues': [('cover', 'maintain a check on; especially by patrolling'),\n", " ('cover up', 'hide from view or knowledge'),\n", " ('report',\n", " 'be responsible for reporting the details of, as in journalism'),\n", " ('brood', 'sit on (eggs)'),\n", " ('comprehend',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\"),\n", " ('hatch', 'sit on (eggs)'),\n", " ('wrap up', 'clothe, as if for protection from the elements'),\n", " ('extend', 'span an interval of distance, space or time'),\n", " ('address', 'act on verbally or in some form of artistic expression'),\n", " ('deal', 'act on verbally or in some form of artistic expression'),\n", " ('shroud', 'cover as if with a shroud'),\n", " ('pass over', 'travel across or pass over'),\n", " ('overlay', 'put something on top of something else'),\n", " ('handle', 'act on verbally or in some form of artistic expression'),\n", " ('cut across', 'travel across or pass over'),\n", " ('track', 'travel across or pass over'),\n", " ('traverse', 'travel across or pass over'),\n", " ('embrace',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\"),\n", " ('get over', 'travel across or pass over'),\n", " ('insure', 'protect by insurance'),\n", " ('cross', 'travel across or pass over'),\n", " ('continue', 'span an interval of distance, space or time'),\n", " ('underwrite', 'protect by insurance'),\n", " ('cut through', 'travel across or pass over'),\n", " ('incubate', 'sit on (eggs)'),\n", " ('overcompensate',\n", " 'make up for shortcomings or a feeling of inferiority by exaggerating good qualities'),\n", " ('plow', 'act on verbally or in some form of artistic expression'),\n", " ('treat', 'act on verbally or in some form of artistic expression'),\n", " ('compensate',\n", " 'make up for shortcomings or a feeling of inferiority by exaggerating good qualities'),\n", " ('encompass',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\"),\n", " ('spread over', 'form a cover over'),\n", " ('breed', 'copulate with a female, used especially of horses'),\n", " ('hide', 'cover as if with a shroud'),\n", " ('get across', 'travel across or pass over')]},\n", " {'answer': 'crabbed',\n", " 'hint': 'synonyms for crabbed',\n", " 'clues': [('bitch', 'complain'),\n", " ('squawk', 'complain'),\n", " ('holler', 'complain'),\n", " ('gripe', 'complain'),\n", " ('crab', 'complain'),\n", " ('beef', 'complain'),\n", " ('bellyache', 'complain'),\n", " ('grouse', 'complain')]},\n", " {'answer': 'crack',\n", " 'hint': 'synonyms for crack',\n", " 'clues': [('break through', 'pass through (a barrier)'),\n", " ('crack up', 'suffer a nervous breakdown'),\n", " ('check', 'become fractured; break or crack on the surface only'),\n", " ('snap', 'make a sharp sound'),\n", " ('break', 'become fractured; break or crack on the surface only'),\n", " ('collapse', 'suffer a nervous breakdown'),\n", " ('break up', 'suffer a nervous breakdown')]},\n", " {'answer': 'cracked',\n", " 'hint': 'synonyms for cracked',\n", " 'clues': [('crack',\n", " 'reduce (petroleum) to a simpler compound by cracking'),\n", " ('crack up', 'suffer a nervous breakdown'),\n", " ('snap', 'break suddenly and abruptly, as under tension'),\n", " ('break through', 'pass through (a barrier)'),\n", " ('check', 'become fractured; break or crack on the surface only'),\n", " ('break', 'become fractured; break or crack on the surface only'),\n", " ('break up', 'suffer a nervous breakdown'),\n", " ('collapse', 'suffer a nervous breakdown')]},\n", " {'answer': 'cracking',\n", " 'hint': 'synonyms for cracking',\n", " 'clues': [('crack',\n", " 'reduce (petroleum) to a simpler compound by cracking'),\n", " ('crack up', 'suffer a nervous breakdown'),\n", " ('snap', 'break suddenly and abruptly, as under tension'),\n", " ('break through', 'pass through (a barrier)'),\n", " ('check', 'become fractured; break or crack on the surface only'),\n", " ('break', 'become fractured; break or crack on the surface only'),\n", " ('break up', 'suffer a nervous breakdown'),\n", " ('collapse', 'suffer a nervous breakdown')]},\n", " {'answer': 'cramped',\n", " 'hint': 'synonyms for cramped',\n", " 'clues': [('hamper', 'prevent the progress or free movement of'),\n", " ('cramp', 'prevent the progress or free movement of'),\n", " ('strangle', 'prevent the progress or free movement of'),\n", " ('halter', 'prevent the progress or free movement of')]},\n", " {'answer': 'crashing',\n", " 'hint': 'synonyms for crashing',\n", " 'clues': [('doss down', 'sleep in a convenient place'),\n", " ('doss', 'sleep in a convenient place'),\n", " ('crash', 'move violently as through a barrier'),\n", " ('break apart', 'break violently or noisily; smash'),\n", " ('dash', 'hurl or thrust violently'),\n", " ('ram', 'undergo damage or destruction on impact'),\n", " ('gate-crash', 'enter uninvited; informal'),\n", " ('break up', 'break violently or noisily; smash'),\n", " ('go down', 'stop operating'),\n", " ('barge in', 'enter uninvited; informal')]},\n", " {'answer': 'craved',\n", " 'hint': 'synonyms for craved',\n", " 'clues': [('hunger', 'have a craving, appetite, or great desire for'),\n", " ('crave', 'plead or ask for earnestly'),\n", " ('thirst', 'have a craving, appetite, or great desire for'),\n", " ('lust', 'have a craving, appetite, or great desire for'),\n", " ('starve', 'have a craving, appetite, or great desire for')]},\n", " {'answer': 'cringing',\n", " 'hint': 'synonyms for cringing',\n", " 'clues': [('quail', 'draw back, as with fear or pain'),\n", " ('funk', 'draw back, as with fear or pain'),\n", " ('recoil', 'draw back, as with fear or pain'),\n", " ('fawn', 'show submission or fear'),\n", " ('cower', 'show submission or fear'),\n", " ('cringe', 'draw back, as with fear or pain'),\n", " ('wince', 'draw back, as with fear or pain'),\n", " ('shrink', 'draw back, as with fear or pain'),\n", " ('flinch', 'draw back, as with fear or pain'),\n", " ('squinch', 'draw back, as with fear or pain'),\n", " ('creep', 'show submission or fear'),\n", " ('grovel', 'show submission or fear'),\n", " ('crawl', 'show submission or fear')]},\n", " {'answer': 'crinkled',\n", " 'hint': 'synonyms for crinkled',\n", " 'clues': [('crinkle', 'become wrinkled or crumpled or creased'),\n", " ('rumple', 'become wrinkled or crumpled or creased'),\n", " ('crease',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in'),\n", " ('scrunch up',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in'),\n", " ('crisp',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in'),\n", " ('ruckle',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in'),\n", " ('scrunch',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in')]},\n", " {'answer': 'crisp',\n", " 'hint': 'synonyms for crisp',\n", " 'clues': [('crispen', 'make brown and crisp by heating'),\n", " ('toast', 'make brown and crisp by heating'),\n", " ('ruckle',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in'),\n", " ('wrinkle',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in'),\n", " ('crease',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in'),\n", " ('scrunch',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in'),\n", " ('scrunch up',\n", " 'make wrinkles or creases on a smooth surface; make a pressed, folded or wrinkled line in')]},\n", " {'answer': 'cropped',\n", " 'hint': 'synonyms for cropped',\n", " 'clues': [('dress', 'cultivate, tend, and cut back the growth of'),\n", " ('graze', 'let feed in a field or pasture or meadow'),\n", " ('work', 'prepare for crops'),\n", " ('pasture', 'feed as in a meadow or pasture'),\n", " ('crop', 'cultivate, tend, and cut back the growth of'),\n", " ('cultivate', 'prepare for crops'),\n", " ('snip', 'cultivate, tend, and cut back the growth of'),\n", " ('trim', 'cultivate, tend, and cut back the growth of'),\n", " ('prune', 'cultivate, tend, and cut back the growth of'),\n", " ('range', 'feed as in a meadow or pasture'),\n", " ('clip', 'cultivate, tend, and cut back the growth of'),\n", " ('browse', 'feed as in a meadow or pasture'),\n", " ('lop', 'cultivate, tend, and cut back the growth of'),\n", " ('cut back', 'cultivate, tend, and cut back the growth of')]},\n", " {'answer': 'cross',\n", " 'hint': 'synonyms for cross',\n", " 'clues': [('get over', 'travel across or pass over'),\n", " ('intersect', 'meet at a point'),\n", " ('thwart', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('crossbreed',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('spoil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('interbreed',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('sweep', 'to cover or extend over an area or time period; ,'),\n", " ('traverse', 'to cover or extend over an area or time period; ,'),\n", " ('get across', 'travel across or pass over'),\n", " ('hybridize',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('bilk', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('cut through', 'travel across or pass over'),\n", " ('cover', 'travel across or pass over'),\n", " ('pass over', 'travel across or pass over'),\n", " ('foil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('span', 'to cover or extend over an area or time period; ,'),\n", " ('cut across', 'travel across or pass over'),\n", " ('track', 'travel across or pass over'),\n", " ('scotch', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('frustrate', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('queer', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('baffle', 'hinder or prevent (the efforts, plans, or desires) of')]},\n", " {'answer': 'crossbred',\n", " 'hint': 'synonyms for crossbred',\n", " 'clues': [('cross',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('crossbreed',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('hybridise',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('interbreed',\n", " 'breed animals or plants using parents of different races and varieties')]},\n", " {'answer': 'crossed',\n", " 'hint': 'synonyms for crossed',\n", " 'clues': [('get over', 'travel across or pass over'),\n", " ('cross', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('intersect', 'meet at a point'),\n", " ('thwart', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('frustrate', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('spoil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('crossbreed',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('interbreed',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('sweep', 'to cover or extend over an area or time period; ,'),\n", " ('traverse', 'to cover or extend over an area or time period; ,'),\n", " ('hybridize',\n", " 'breed animals or plants using parents of different races and varieties'),\n", " ('bilk', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('baffle', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('cut through', 'travel across or pass over'),\n", " ('pass over', 'travel across or pass over'),\n", " ('foil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('span', 'to cover or extend over an area or time period; ,'),\n", " ('cut across', 'travel across or pass over'),\n", " ('track', 'travel across or pass over'),\n", " ('scotch', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('cover', 'travel across or pass over'),\n", " ('queer', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('get across', 'travel across or pass over')]},\n", " {'answer': 'crowded',\n", " 'hint': 'synonyms for crowded',\n", " 'clues': [('crowd', 'approach a certain age or speed'),\n", " ('push', 'approach a certain age or speed'),\n", " ('crowd together', 'to gather together in large numbers'),\n", " ('herd', 'cause to herd, drive, or crowd together')]},\n", " {'answer': 'crumpled',\n", " 'hint': 'synonyms for crumpled',\n", " 'clues': [('crinkle', 'become wrinkled or crumpled or creased'),\n", " ('rumple', 'become wrinkled or crumpled or creased'),\n", " ('collapse', 'fall apart'),\n", " ('crumble', 'fall apart'),\n", " ('break down', 'fall apart'),\n", " ('cockle', 'to gather something into small wrinkles or folds'),\n", " ('buckle', 'fold or collapse'),\n", " ('knit', 'to gather something into small wrinkles or folds'),\n", " ('crease', 'become wrinkled or crumpled or creased'),\n", " ('pucker', 'to gather something into small wrinkles or folds'),\n", " ('tumble', 'fall apart')]},\n", " {'answer': 'crushed',\n", " 'hint': 'synonyms for crushed',\n", " 'clues': [('mash',\n", " 'to compress with violence, out of natural shape or condition'),\n", " ('squelch',\n", " 'to compress with violence, out of natural shape or condition'),\n", " ('vanquish', 'come out better in a competition, race, or conflict'),\n", " ('suppress',\n", " \"come down on or keep down by unjust use of one's authority\"),\n", " ('beat out', 'come out better in a competition, race, or conflict'),\n", " ('squash',\n", " 'to compress with violence, out of natural shape or condition'),\n", " ('crush', 'to compress with violence, out of natural shape or condition'),\n", " ('beat', 'come out better in a competition, race, or conflict'),\n", " ('jam', 'crush or bruise'),\n", " ('demolish', 'humiliate or depress completely'),\n", " ('shell', 'come out better in a competition, race, or conflict'),\n", " ('oppress', \"come down on or keep down by unjust use of one's authority\"),\n", " ('break down', 'make ineffective'),\n", " ('squeeze',\n", " 'to compress with violence, out of natural shape or condition'),\n", " ('trounce', 'come out better in a competition, race, or conflict')]},\n", " {'answer': 'crushing',\n", " 'hint': 'synonyms for crushing',\n", " 'clues': [('mash',\n", " 'to compress with violence, out of natural shape or condition'),\n", " ('squelch',\n", " 'to compress with violence, out of natural shape or condition'),\n", " ('vanquish', 'come out better in a competition, race, or conflict'),\n", " ('suppress',\n", " \"come down on or keep down by unjust use of one's authority\"),\n", " ('beat out', 'come out better in a competition, race, or conflict'),\n", " ('squash',\n", " 'to compress with violence, out of natural shape or condition'),\n", " ('crush', 'to compress with violence, out of natural shape or condition'),\n", " ('beat', 'come out better in a competition, race, or conflict'),\n", " ('jam', 'crush or bruise'),\n", " ('demolish', 'humiliate or depress completely'),\n", " ('shell', 'come out better in a competition, race, or conflict'),\n", " ('oppress', \"come down on or keep down by unjust use of one's authority\"),\n", " ('break down', 'make ineffective'),\n", " ('squeeze',\n", " 'to compress with violence, out of natural shape or condition'),\n", " ('trounce', 'come out better in a competition, race, or conflict')]},\n", " {'answer': 'crying',\n", " 'hint': 'synonyms for crying',\n", " 'clues': [('cry', 'demand immediate action'),\n", " ('call', 'utter a sudden loud cry'),\n", " ('shout', 'utter aloud; often with surprise, horror, or joy'),\n", " ('cry out', 'utter aloud; often with surprise, horror, or joy'),\n", " ('outcry', 'utter aloud; often with surprise, horror, or joy'),\n", " ('hollo', 'utter a sudden loud cry'),\n", " ('weep', 'shed tears because of sadness, rage, or pain'),\n", " ('squall', 'utter a sudden loud cry'),\n", " ('yell', 'utter a sudden loud cry'),\n", " ('call out', 'utter aloud; often with surprise, horror, or joy'),\n", " ('shout out', 'utter a sudden loud cry'),\n", " ('scream', 'utter a sudden loud cry'),\n", " ('exclaim', 'utter aloud; often with surprise, horror, or joy'),\n", " ('blazon out', 'proclaim or announce in public'),\n", " ('holler', 'utter a sudden loud cry')]},\n", " {'answer': 'crystalised',\n", " 'hint': 'synonyms for crystalised',\n", " 'clues': [('crystalise', 'assume crystalline form; become crystallized'),\n", " ('clear', 'make free from confusion or ambiguity; make clear'),\n", " ('illuminate', 'make free from confusion or ambiguity; make clear'),\n", " ('effloresce', 'assume crystalline form; become crystallized'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear'),\n", " ('clear up', 'make free from confusion or ambiguity; make clear')]},\n", " {'answer': 'crystalized',\n", " 'hint': 'synonyms for crystalized',\n", " 'clues': [('crystalise', 'assume crystalline form; become crystallized'),\n", " ('clear', 'make free from confusion or ambiguity; make clear'),\n", " ('illuminate', 'make free from confusion or ambiguity; make clear'),\n", " ('effloresce', 'assume crystalline form; become crystallized'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear'),\n", " ('clear up', 'make free from confusion or ambiguity; make clear')]},\n", " {'answer': 'crystallised',\n", " 'hint': 'synonyms for crystallised',\n", " 'clues': [('crystalize', 'cause to take on a definite and clear shape'),\n", " ('clear', 'make free from confusion or ambiguity; make clear'),\n", " ('illuminate', 'make free from confusion or ambiguity; make clear'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear'),\n", " ('clear up', 'make free from confusion or ambiguity; make clear')]},\n", " {'answer': 'crystallized',\n", " 'hint': 'synonyms for crystallized',\n", " 'clues': [('crystalise', 'assume crystalline form; become crystallized'),\n", " ('clear', 'make free from confusion or ambiguity; make clear'),\n", " ('illuminate', 'make free from confusion or ambiguity; make clear'),\n", " ('effloresce', 'assume crystalline form; become crystallized'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear'),\n", " ('clear up', 'make free from confusion or ambiguity; make clear')]},\n", " {'answer': 'cultivated',\n", " 'hint': 'synonyms for cultivated',\n", " 'clues': [('train',\n", " 'teach or refine to be discriminative in taste or judgment'),\n", " ('civilise', 'teach or refine to be discriminative in taste or judgment'),\n", " ('cultivate', 'foster the growth of'),\n", " ('work', 'prepare for crops'),\n", " ('educate', 'teach or refine to be discriminative in taste or judgment'),\n", " ('tame', 'adapt (a wild plant or unclaimed land) to the environment'),\n", " ('crop', 'prepare for crops'),\n", " ('naturalize',\n", " 'adapt (a wild plant or unclaimed land) to the environment'),\n", " ('school', 'teach or refine to be discriminative in taste or judgment'),\n", " ('domesticate',\n", " 'adapt (a wild plant or unclaimed land) to the environment')]},\n", " {'answer': 'curled',\n", " 'hint': 'synonyms for curled',\n", " 'clues': [('kink', 'form a curl, curve, or kink'),\n", " ('coil', 'wind around something in coils or loops'),\n", " ('draw in', \"shape one's body into a curl\"),\n", " ('curl', 'play the Scottish game of curling'),\n", " ('curve', 'form a curl, curve, or kink'),\n", " ('loop', 'wind around something in coils or loops'),\n", " ('curl up', \"shape one's body into a curl\"),\n", " ('wave', 'twist or roll into coils or ringlets')]},\n", " {'answer': 'curling',\n", " 'hint': 'synonyms for curling',\n", " 'clues': [('kink', 'form a curl, curve, or kink'),\n", " ('coil', 'wind around something in coils or loops'),\n", " ('draw in', \"shape one's body into a curl\"),\n", " ('curl', 'play the Scottish game of curling'),\n", " ('curve', 'form a curl, curve, or kink'),\n", " ('loop', 'wind around something in coils or loops'),\n", " ('curl up', \"shape one's body into a curl\"),\n", " ('wave', 'twist or roll into coils or ringlets')]},\n", " {'answer': 'cursed',\n", " 'hint': 'synonyms for cursed',\n", " 'clues': [('curse', 'exclude from a church or a religious community'),\n", " ('excommunicate', 'exclude from a church or a religious community'),\n", " ('maledict', 'wish harm upon; invoke evil upon'),\n", " ('swear', 'utter obscenities or profanities'),\n", " ('bedamn', 'wish harm upon; invoke evil upon'),\n", " ('unchurch', 'exclude from a church or a religious community'),\n", " ('beshrew', 'wish harm upon; invoke evil upon'),\n", " ('damn', 'wish harm upon; invoke evil upon'),\n", " ('imprecate', 'wish harm upon; invoke evil upon'),\n", " ('anathemise', 'wish harm upon; invoke evil upon'),\n", " ('cuss', 'utter obscenities or profanities'),\n", " ('blaspheme', 'utter obscenities or profanities')]},\n", " {'answer': 'curst',\n", " 'hint': 'synonyms for curst',\n", " 'clues': [('curse', 'exclude from a church or a religious community'),\n", " ('excommunicate', 'exclude from a church or a religious community'),\n", " ('maledict', 'wish harm upon; invoke evil upon'),\n", " ('swear', 'utter obscenities or profanities'),\n", " ('bedamn', 'wish harm upon; invoke evil upon'),\n", " ('unchurch', 'exclude from a church or a religious community'),\n", " ('beshrew', 'wish harm upon; invoke evil upon'),\n", " ('damn', 'wish harm upon; invoke evil upon'),\n", " ('imprecate', 'wish harm upon; invoke evil upon'),\n", " ('anathemise', 'wish harm upon; invoke evil upon'),\n", " ('cuss', 'utter obscenities or profanities'),\n", " ('blaspheme', 'utter obscenities or profanities')]},\n", " {'answer': 'curved',\n", " 'hint': 'synonyms for curved',\n", " 'clues': [('kink', 'form a curl, curve, or kink'),\n", " ('curve', 'form an arch or curve'),\n", " ('slew', 'turn sharply; change direction abruptly'),\n", " ('wind', 'extend in curves and turns'),\n", " ('sheer', 'turn sharply; change direction abruptly'),\n", " ('slue', 'turn sharply; change direction abruptly'),\n", " ('arch', 'form an arch or curve'),\n", " ('swerve', 'turn sharply; change direction abruptly'),\n", " ('twist', 'extend in curves and turns'),\n", " ('veer', 'turn sharply; change direction abruptly'),\n", " ('curl', 'form a curl, curve, or kink'),\n", " ('cut', 'turn sharply; change direction abruptly'),\n", " ('trend', 'turn sharply; change direction abruptly'),\n", " ('crook', 'bend or cause to bend')]},\n", " {'answer': 'curving',\n", " 'hint': 'synonyms for curving',\n", " 'clues': [('kink', 'form a curl, curve, or kink'),\n", " ('curve', 'form an arch or curve'),\n", " ('slew', 'turn sharply; change direction abruptly'),\n", " ('wind', 'extend in curves and turns'),\n", " ('sheer', 'turn sharply; change direction abruptly'),\n", " ('slue', 'turn sharply; change direction abruptly'),\n", " ('arch', 'form an arch or curve'),\n", " ('swerve', 'turn sharply; change direction abruptly'),\n", " ('twist', 'extend in curves and turns'),\n", " ('veer', 'turn sharply; change direction abruptly'),\n", " ('curl', 'form a curl, curve, or kink'),\n", " ('cut', 'turn sharply; change direction abruptly'),\n", " ('trend', 'turn sharply; change direction abruptly'),\n", " ('crook', 'bend or cause to bend')]},\n", " {'answer': 'cussed',\n", " 'hint': 'synonyms for cussed',\n", " 'clues': [('swear', 'utter obscenities or profanities'),\n", " ('curse', 'utter obscenities or profanities'),\n", " ('cuss', 'utter obscenities or profanities'),\n", " ('imprecate', 'utter obscenities or profanities'),\n", " ('blaspheme', 'utter obscenities or profanities')]},\n", " {'answer': 'cut',\n", " 'hint': 'synonyms for cut',\n", " 'clues': [('skip', 'intentionally fail to attend'),\n", " ('cut back', 'cut down on; make a reduction in'),\n", " ('write out', 'make out and issue'),\n", " ('turn off', 'cause to stop operating by disengaging a switch'),\n", " ('burn', 'create by duplicating data'),\n", " ('slew', 'turn sharply; change direction abruptly'),\n", " ('issue', 'make out and issue'),\n", " ('cut off', 'cease, stop'),\n", " ('trim back', 'cut down on; make a reduction in'),\n", " ('contract', 'reduce in scope while retaining essential elements'),\n", " ('sheer', 'turn sharply; change direction abruptly'),\n", " ('turn out', 'cause to stop operating by disengaging a switch'),\n", " ('cut down', 'cut down on; make a reduction in'),\n", " ('make out', 'make out and issue'),\n", " ('prune', 'weed out unwanted or unnecessary things'),\n", " ('bring down', 'cut down on; make a reduction in'),\n", " ('veer', 'turn sharply; change direction abruptly'),\n", " ('rationalize', 'weed out unwanted or unnecessary things'),\n", " ('edit out', 'cut and assemble the components of'),\n", " ('hack', 'be able to manage or manage successfully'),\n", " ('shorten', 'reduce in scope while retaining essential elements'),\n", " ('edit', 'cut and assemble the components of'),\n", " ('thin', 'lessen the strength or flavor of a solution or mixture'),\n", " ('trim down', 'cut down on; make a reduction in'),\n", " ('trend', 'turn sharply; change direction abruptly'),\n", " ('reduce', 'lessen the strength or flavor of a solution or mixture'),\n", " ('switch off', 'cause to stop operating by disengaging a switch'),\n", " ('foreshorten', 'reduce in scope while retaining essential elements'),\n", " ('curve', 'turn sharply; change direction abruptly'),\n", " ('disregard', 'refuse to acknowledge'),\n", " ('abbreviate', 'reduce in scope while retaining essential elements'),\n", " ('trim', 'cut down on; make a reduction in'),\n", " ('slue', 'turn sharply; change direction abruptly'),\n", " ('snub', 'refuse to acknowledge'),\n", " ('swerve', 'turn sharply; change direction abruptly'),\n", " ('geld', 'cut off the testicles (of male animals such as horses)'),\n", " ('tailor', 'style and tailor in a certain fashion'),\n", " ('abridge', 'reduce in scope while retaining essential elements'),\n", " ('ignore', 'refuse to acknowledge'),\n", " ('dilute', 'lessen the strength or flavor of a solution or mixture'),\n", " ('thin out', 'lessen the strength or flavor of a solution or mixture')]},\n", " {'answer': 'cut_off',\n", " 'hint': 'synonyms for cut off',\n", " 'clues': [('cut', 'cease, stop'),\n", " ('disrupt', 'make a break in'),\n", " ('break up', 'make a break in'),\n", " ('chip', 'break a small piece off from'),\n", " ('chop off', 'remove by or as if by cutting'),\n", " ('knap', 'break a small piece off from'),\n", " ('interrupt', 'make a break in'),\n", " ('cut out', 'cut off and stop'),\n", " ('lop off', 'remove by or as if by cutting'),\n", " ('amputate', 'remove surgically'),\n", " ('break off', 'break a small piece off from')]},\n", " {'answer': 'cut_up',\n", " 'hint': 'synonyms for cut up',\n", " 'clues': [('mutilate', 'destroy or injure severely'),\n", " ('compartmentalize', 'separate into isolated compartments or categories'),\n", " ('mangle', 'destroy or injure severely'),\n", " ('hack', 'significantly cut up a manuscript'),\n", " ('carve', 'cut to pieces')]},\n", " {'answer': 'cutting',\n", " 'hint': 'synonyms for cutting',\n", " 'clues': [('turn off', 'cause to stop operating by disengaging a switch'),\n", " ('cut', 'make an incision or separation'),\n", " ('slew', 'turn sharply; change direction abruptly'),\n", " ('issue', 'make out and issue'),\n", " ('contract', 'reduce in scope while retaining essential elements'),\n", " ('sheer', 'turn sharply; change direction abruptly'),\n", " ('make out', 'make out and issue'),\n", " ('prune', 'weed out unwanted or unnecessary things'),\n", " ('rationalize', 'weed out unwanted or unnecessary things'),\n", " ('edit out', 'cut and assemble the components of'),\n", " ('hack', 'be able to manage or manage successfully'),\n", " ('thin', 'lessen the strength or flavor of a solution or mixture'),\n", " ('trim down', 'cut down on; make a reduction in'),\n", " ('reduce', 'lessen the strength or flavor of a solution or mixture'),\n", " ('foreshorten', 'reduce in scope while retaining essential elements'),\n", " ('curve', 'turn sharply; change direction abruptly'),\n", " ('disregard', 'refuse to acknowledge'),\n", " ('slue', 'turn sharply; change direction abruptly'),\n", " ('snub', 'refuse to acknowledge'),\n", " ('swerve', 'turn sharply; change direction abruptly'),\n", " ('geld', 'cut off the testicles (of male animals such as horses)'),\n", " ('ignore', 'refuse to acknowledge'),\n", " ('skip', 'intentionally fail to attend'),\n", " ('cut back', 'cut down on; make a reduction in'),\n", " ('write out', 'make out and issue'),\n", " ('burn', 'create by duplicating data'),\n", " ('cut off', 'cease, stop'),\n", " ('trim back', 'cut down on; make a reduction in'),\n", " ('turn out', 'cause to stop operating by disengaging a switch'),\n", " ('cut down', 'cut down on; make a reduction in'),\n", " ('bring down', 'cut down on; make a reduction in'),\n", " ('veer', 'turn sharply; change direction abruptly'),\n", " ('shorten', 'reduce in scope while retaining essential elements'),\n", " ('edit', 'cut and assemble the components of'),\n", " ('trend', 'turn sharply; change direction abruptly'),\n", " ('switch off', 'cause to stop operating by disengaging a switch'),\n", " ('abbreviate', 'reduce in scope while retaining essential elements'),\n", " ('trim', 'cut down on; make a reduction in'),\n", " ('tailor', 'style and tailor in a certain fashion'),\n", " ('abridge', 'reduce in scope while retaining essential elements'),\n", " ('dilute', 'lessen the strength or flavor of a solution or mixture'),\n", " ('thin out', 'lessen the strength or flavor of a solution or mixture')]},\n", " {'answer': 'dabbled',\n", " 'hint': 'synonyms for dabbled',\n", " 'clues': [('dabble', 'dip a foot or hand briefly into a liquid'),\n", " ('splash around', 'play in or as if in water, as of small children'),\n", " ('smatter', 'work with in an amateurish manner'),\n", " ('play around', 'work with in an amateurish manner'),\n", " ('paddle', 'play in or as if in water, as of small children')]},\n", " {'answer': 'damn',\n", " 'hint': 'synonyms for damn',\n", " 'clues': [('curse', 'wish harm upon; invoke evil upon'),\n", " ('beshrew', 'wish harm upon; invoke evil upon'),\n", " ('imprecate', 'wish harm upon; invoke evil upon'),\n", " ('maledict', 'wish harm upon; invoke evil upon'),\n", " ('anathemize', 'wish harm upon; invoke evil upon'),\n", " ('bedamn', 'wish harm upon; invoke evil upon')]},\n", " {'answer': 'damned',\n", " 'hint': 'synonyms for damned',\n", " 'clues': [('maledict', 'wish harm upon; invoke evil upon'),\n", " ('bedamn', 'wish harm upon; invoke evil upon'),\n", " ('curse', 'wish harm upon; invoke evil upon'),\n", " ('beshrew', 'wish harm upon; invoke evil upon'),\n", " ('damn', 'wish harm upon; invoke evil upon'),\n", " ('imprecate', 'wish harm upon; invoke evil upon'),\n", " ('anathemize', 'wish harm upon; invoke evil upon')]},\n", " {'answer': 'damning',\n", " 'hint': 'synonyms for damning',\n", " 'clues': [('maledict', 'wish harm upon; invoke evil upon'),\n", " ('bedamn', 'wish harm upon; invoke evil upon'),\n", " ('curse', 'wish harm upon; invoke evil upon'),\n", " ('beshrew', 'wish harm upon; invoke evil upon'),\n", " ('damn', 'wish harm upon; invoke evil upon'),\n", " ('imprecate', 'wish harm upon; invoke evil upon'),\n", " ('anathemize', 'wish harm upon; invoke evil upon')]},\n", " {'answer': 'damp',\n", " 'hint': 'synonyms for damp',\n", " 'clues': [('dampen', 'lessen in force or effect'),\n", " ('deaden', 'make vague or obscure or make (an image) less visible'),\n", " ('mute', 'deaden (a sound or noise), especially by wrapping'),\n", " ('tone down', 'deaden (a sound or noise), especially by wrapping'),\n", " ('break', 'lessen in force or effect'),\n", " ('muffle', 'deaden (a sound or noise), especially by wrapping'),\n", " ('weaken', 'lessen in force or effect'),\n", " ('dull', 'deaden (a sound or noise), especially by wrapping'),\n", " ('soften', 'lessen in force or effect')]},\n", " {'answer': 'daring',\n", " 'hint': 'synonyms for daring',\n", " 'clues': [('dare', 'to be courageous enough to try or do something; ,'),\n", " ('make bold',\n", " 'take upon oneself; act presumptuously, without permission'),\n", " ('presume', 'take upon oneself; act presumptuously, without permission'),\n", " ('defy', 'challenge')]},\n", " {'answer': 'dashed',\n", " 'hint': 'synonyms for dashed',\n", " 'clues': [('daunt', 'cause to lose courage'),\n", " ('dash', 'cause to lose courage'),\n", " ('shoot', 'run or move very quickly or hastily'),\n", " ('pall', 'cause to lose courage'),\n", " ('flash', 'run or move very quickly or hastily'),\n", " ('dart', 'run or move very quickly or hastily'),\n", " ('smash', 'break into pieces, as by striking or knocking over'),\n", " ('scoot', 'run or move very quickly or hastily'),\n", " ('frighten away', 'cause to lose courage'),\n", " ('scare away', 'cause to lose courage'),\n", " ('scud', 'run or move very quickly or hastily'),\n", " ('frighten off', 'cause to lose courage'),\n", " ('scare off', 'cause to lose courage'),\n", " ('crash', 'hurl or thrust violently'),\n", " ('scare', 'cause to lose courage')]},\n", " {'answer': 'dashing',\n", " 'hint': 'synonyms for dashing',\n", " 'clues': [('daunt', 'cause to lose courage'),\n", " ('dash', 'cause to lose courage'),\n", " ('shoot', 'run or move very quickly or hastily'),\n", " ('pall', 'cause to lose courage'),\n", " ('flash', 'run or move very quickly or hastily'),\n", " ('dart', 'run or move very quickly or hastily'),\n", " ('smash', 'break into pieces, as by striking or knocking over'),\n", " ('scoot', 'run or move very quickly or hastily'),\n", " ('frighten away', 'cause to lose courage'),\n", " ('scare away', 'cause to lose courage'),\n", " ('scud', 'run or move very quickly or hastily'),\n", " ('frighten off', 'cause to lose courage'),\n", " ('scare off', 'cause to lose courage'),\n", " ('crash', 'hurl or thrust violently'),\n", " ('scare', 'cause to lose courage')]},\n", " {'answer': 'dated',\n", " 'hint': 'synonyms for dated',\n", " 'clues': [('date', 'go on a date with'),\n", " ('go steady', 'date regularly; have a steady relationship with'),\n", " ('date stamp', 'stamp with a date'),\n", " ('see', 'date regularly; have a steady relationship with'),\n", " ('go out', 'date regularly; have a steady relationship with')]},\n", " {'answer': 'daunted',\n", " 'hint': 'synonyms for daunted',\n", " 'clues': [('frighten away', 'cause to lose courage'),\n", " ('daunt', 'cause to lose courage'),\n", " ('dash', 'cause to lose courage'),\n", " ('scare away', 'cause to lose courage'),\n", " ('frighten off', 'cause to lose courage'),\n", " ('scare off', 'cause to lose courage'),\n", " ('pall', 'cause to lose courage'),\n", " ('scare', 'cause to lose courage')]},\n", " {'answer': 'daunting',\n", " 'hint': 'synonyms for daunting',\n", " 'clues': [('frighten away', 'cause to lose courage'),\n", " ('daunt', 'cause to lose courage'),\n", " ('dash', 'cause to lose courage'),\n", " ('scare away', 'cause to lose courage'),\n", " ('frighten off', 'cause to lose courage'),\n", " ('scare off', 'cause to lose courage'),\n", " ('pall', 'cause to lose courage'),\n", " ('scare', 'cause to lose courage')]},\n", " {'answer': 'deadened',\n", " 'hint': 'synonyms for deadened',\n", " 'clues': [('blunt',\n", " 'make less lively, intense, or vigorous; impair in vigor, force, activity, or sensation'),\n", " ('deaden', 'make vapid or deprive of spirit'),\n", " ('damp', 'make vague or obscure or make (an image) less visible'),\n", " ('girdle',\n", " 'cut a girdle around so as to kill by interrupting the circulation of water and nutrients'),\n", " ('dampen', 'make vague or obscure or make (an image) less visible')]},\n", " {'answer': 'deadening',\n", " 'hint': 'synonyms for deadening',\n", " 'clues': [('blunt',\n", " 'make less lively, intense, or vigorous; impair in vigor, force, activity, or sensation'),\n", " ('deaden', 'make vapid or deprive of spirit'),\n", " ('damp', 'make vague or obscure or make (an image) less visible'),\n", " ('girdle',\n", " 'cut a girdle around so as to kill by interrupting the circulation of water and nutrients'),\n", " ('dampen', 'make vague or obscure or make (an image) less visible')]},\n", " {'answer': 'debased',\n", " 'hint': 'synonyms for debased',\n", " 'clues': [('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('load',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('dilute',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('alloy', 'lower in value by increasing the base-metal content'),\n", " ('corrupt', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'lower in value by increasing the base-metal content'),\n", " ('adulterate',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('stretch',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'debasing',\n", " 'hint': 'synonyms for debasing',\n", " 'clues': [('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('load',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('dilute',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('alloy', 'lower in value by increasing the base-metal content'),\n", " ('corrupt', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'lower in value by increasing the base-metal content'),\n", " ('adulterate',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('stretch',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'debauched',\n", " 'hint': 'synonyms for debauched',\n", " 'clues': [('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('corrupt', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'decayed',\n", " 'hint': 'synonyms for decayed',\n", " 'clues': [('decay', 'undergo decay or decomposition'),\n", " ('disintegrate', 'lose a stored charge, magnetic flux, or current'),\n", " ('decompose', 'lose a stored charge, magnetic flux, or current'),\n", " ('crumble', 'fall into decay or ruin'),\n", " ('dilapidate', 'fall into decay or ruin')]},\n", " {'answer': 'deceased',\n", " 'hint': 'synonyms for deceased',\n", " 'clues': [('perish',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('kick the bucket',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pop off',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('conk',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('die',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('croak',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('decease',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('drop dead',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('snuff it',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('expire',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('buy the farm',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('exit',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " (\"cash in one's chips\",\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('give-up the ghost',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('choke',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('go',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pass',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pass away',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life')]},\n", " {'answer': 'decided',\n", " 'hint': 'synonyms for decided',\n", " 'clues': [('resolve', 'bring to an end; settle conclusively'),\n", " ('decide', 'reach, make, or come to a decision about something'),\n", " ('adjudicate', 'bring to an end; settle conclusively'),\n", " (\"make up one's mind\",\n", " 'reach, make, or come to a decision about something'),\n", " ('settle', 'bring to an end; settle conclusively'),\n", " ('determine', 'reach, make, or come to a decision about something')]},\n", " {'answer': 'deciding',\n", " 'hint': 'synonyms for deciding',\n", " 'clues': [('resolve', 'bring to an end; settle conclusively'),\n", " ('decide', 'reach, make, or come to a decision about something'),\n", " ('adjudicate', 'bring to an end; settle conclusively'),\n", " (\"make up one's mind\",\n", " 'reach, make, or come to a decision about something'),\n", " ('settle', 'bring to an end; settle conclusively'),\n", " ('determine', 'reach, make, or come to a decision about something')]},\n", " {'answer': 'deciphered',\n", " 'hint': 'synonyms for deciphered',\n", " 'clues': [('decipher', 'convert code into ordinary language'),\n", " ('decrypt', 'convert code into ordinary language'),\n", " ('decode', 'convert code into ordinary language'),\n", " ('trace', 'read with difficulty')]},\n", " {'answer': 'declared',\n", " 'hint': 'synonyms for declared',\n", " 'clues': [('declare',\n", " 'designate (a trump suit or no-trump) with the final bid of a hand'),\n", " ('adjudge', 'declare to be'),\n", " ('announce', 'announce publicly or officially'),\n", " ('hold', 'declare to be')]},\n", " {'answer': 'decorated',\n", " 'hint': 'synonyms for decorated',\n", " 'clues': [('decorate', 'be beautiful to look at'),\n", " ('adorn', 'make more attractive by adding ornament, colour, etc.'),\n", " ('ornament', 'make more attractive by adding ornament, colour, etc.'),\n", " ('beautify', 'make more attractive by adding ornament, colour, etc.'),\n", " ('embellish', 'make more attractive by adding ornament, colour, etc.'),\n", " ('dress', 'provide with decoration'),\n", " ('grace', 'make more attractive by adding ornament, colour, etc.'),\n", " ('deck', 'be beautiful to look at')]},\n", " {'answer': 'decreased',\n", " 'hint': 'synonyms for decreased',\n", " 'clues': [('decrease', 'decrease in size, extent, or range'),\n", " ('minify', 'make smaller'),\n", " ('lessen', 'decrease in size, extent, or range'),\n", " ('diminish', 'decrease in size, extent, or range'),\n", " ('fall', 'decrease in size, extent, or range')]},\n", " {'answer': 'decreasing',\n", " 'hint': 'synonyms for decreasing',\n", " 'clues': [('decrease', 'decrease in size, extent, or range'),\n", " ('minify', 'make smaller'),\n", " ('lessen', 'decrease in size, extent, or range'),\n", " ('diminish', 'decrease in size, extent, or range'),\n", " ('fall', 'decrease in size, extent, or range')]},\n", " {'answer': 'dedicated',\n", " 'hint': 'synonyms for dedicated',\n", " 'clues': [('consecrate',\n", " 'give entirely to a specific person, activity, or cause'),\n", " ('dedicate', 'inscribe or address by way of compliment'),\n", " ('devote', 'give entirely to a specific person, activity, or cause'),\n", " ('give', 'give entirely to a specific person, activity, or cause'),\n", " ('commit', 'give entirely to a specific person, activity, or cause')]},\n", " {'answer': 'deepening',\n", " 'hint': 'synonyms for deepening',\n", " 'clues': [('deepen', 'make more intense, stronger, or more marked; ,'),\n", " ('intensify', 'become more intense'),\n", " ('compound', 'make more intense, stronger, or more marked; ,'),\n", " ('heighten', 'make more intense, stronger, or more marked; ,'),\n", " ('change', 'become deeper in tone')]},\n", " {'answer': 'defeated',\n", " 'hint': 'synonyms for defeated',\n", " 'clues': [('defeat', 'thwart the passage of'),\n", " ('vote down', 'thwart the passage of'),\n", " ('overcome', 'win a victory over'),\n", " ('shoot down', 'thwart the passage of'),\n", " ('kill', 'thwart the passage of'),\n", " ('vote out', 'thwart the passage of'),\n", " ('get the better of', 'win a victory over')]},\n", " {'answer': 'defending',\n", " 'hint': 'synonyms for defending',\n", " 'clues': [('defend', 'protect or fight for as a champion'),\n", " ('fight down', 'fight against or resist strongly'),\n", " ('fend for', 'argue or speak in defense of'),\n", " ('support', 'argue or speak in defense of'),\n", " ('hold', 'protect against a challenge or attack'),\n", " ('guard', 'protect against a challenge or attack'),\n", " ('fight back', 'fight against or resist strongly'),\n", " ('oppose', 'fight against or resist strongly'),\n", " ('represent', 'be the defense counsel for someone in a trial'),\n", " ('maintain', 'state or assert'),\n", " ('champion', 'protect or fight for as a champion'),\n", " ('fight', 'fight against or resist strongly')]},\n", " {'answer': 'defiled',\n", " 'hint': 'synonyms for defiled',\n", " 'clues': [('maculate',\n", " 'make dirty or spotty, as by exposure to air; also used metaphorically'),\n", " ('defile', 'spot, stain, or pollute'),\n", " ('taint', 'place under suspicion or cast doubt upon'),\n", " ('foul', 'spot, stain, or pollute'),\n", " ('stain',\n", " 'make dirty or spotty, as by exposure to air; also used metaphorically'),\n", " ('cloud', 'place under suspicion or cast doubt upon'),\n", " ('befoul', 'spot, stain, or pollute'),\n", " ('sully',\n", " 'make dirty or spotty, as by exposure to air; also used metaphorically'),\n", " ('corrupt', 'place under suspicion or cast doubt upon'),\n", " ('tarnish',\n", " 'make dirty or spotty, as by exposure to air; also used metaphorically')]},\n", " {'answer': 'defined',\n", " 'hint': 'synonyms for defined',\n", " 'clues': [('specify', 'determine the essential quality of'),\n", " ('set', 'decide upon or fix definitely'),\n", " ('delineate', 'show the form or outline of'),\n", " ('define', 'determine the essential quality of'),\n", " ('delimit', 'determine the essential quality of'),\n", " ('delimitate', 'determine the essential quality of'),\n", " ('determine', 'decide upon or fix definitely'),\n", " ('limit', 'decide upon or fix definitely'),\n", " ('fix', 'decide upon or fix definitely')]},\n", " {'answer': 'deformed',\n", " 'hint': 'synonyms for deformed',\n", " 'clues': [('deform', 'assume a different shape or form'),\n", " ('wring', 'twist and press out of shape'),\n", " ('flex', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('bend', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('contort', 'twist and press out of shape'),\n", " ('turn', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('twist', 'cause (a plastic object) to assume a crooked or angular form'),\n", " ('change shape', 'assume a different shape or form'),\n", " ('distort', 'twist and press out of shape'),\n", " ('strain', 'alter the shape of (something) by stress'),\n", " ('change form', 'assume a different shape or form')]},\n", " {'answer': 'degraded',\n", " 'hint': 'synonyms for degraded',\n", " 'clues': [('put down', 'reduce in worth or character, usually verbally'),\n", " ('take down', 'reduce in worth or character, usually verbally'),\n", " ('degrade', 'reduce the level of land, as by erosion'),\n", " ('cheapen', 'lower the grade of something; reduce its worth'),\n", " ('disgrace', 'reduce in worth or character, usually verbally'),\n", " ('demean', 'reduce in worth or character, usually verbally')]},\n", " {'answer': 'degrading',\n", " 'hint': 'synonyms for degrading',\n", " 'clues': [('put down', 'reduce in worth or character, usually verbally'),\n", " ('take down', 'reduce in worth or character, usually verbally'),\n", " ('degrade', 'reduce the level of land, as by erosion'),\n", " ('cheapen', 'lower the grade of something; reduce its worth'),\n", " ('disgrace', 'reduce in worth or character, usually verbally'),\n", " ('demean', 'reduce in worth or character, usually verbally')]},\n", " {'answer': 'dejected',\n", " 'hint': 'synonyms for dejected',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('demoralize', \"lower someone's spirits; make downhearted\"),\n", " ('depress', \"lower someone's spirits; make downhearted\")]},\n", " {'answer': 'delayed',\n", " 'hint': 'synonyms for delayed',\n", " 'clues': [('delay', 'cause to be slowed down or delayed'),\n", " ('detain', 'stop or halt'),\n", " ('retard', 'slow the growth or development of'),\n", " ('check', 'slow the growth or development of'),\n", " ('stay', 'stop or halt'),\n", " ('hold up', 'cause to be slowed down or delayed')]},\n", " {'answer': 'deliberate',\n", " 'hint': 'synonyms for deliberate',\n", " 'clues': [('consider', 'think about carefully; weigh'),\n", " ('moot', 'think about carefully; weigh'),\n", " ('debate', 'discuss the pros and cons of an issue'),\n", " ('turn over', 'think about carefully; weigh')]},\n", " {'answer': 'delighted',\n", " 'hint': 'synonyms for delighted',\n", " 'clues': [('enthral', 'hold spellbound'),\n", " ('delight', 'give pleasure to or be pleasing to'),\n", " ('transport', 'hold spellbound'),\n", " ('revel', 'take delight in'),\n", " ('enchant', 'hold spellbound'),\n", " ('enrapture', 'hold spellbound'),\n", " ('ravish', 'hold spellbound'),\n", " ('please', 'give pleasure to or be pleasing to'),\n", " ('enjoy', 'take delight in')]},\n", " {'answer': 'delimited',\n", " 'hint': 'synonyms for delimited',\n", " 'clues': [('specify', 'determine the essential quality of'),\n", " ('define', 'determine the essential quality of'),\n", " ('delimit', 'determine the essential quality of'),\n", " ('demarcate', 'set, mark, or draw the boundaries of something'),\n", " ('delimitate', 'determine the essential quality of'),\n", " ('subtend', 'be opposite to; of angles and sides, in geometry'),\n", " ('delineate', 'determine the essential quality of')]},\n", " {'answer': 'delineate',\n", " 'hint': 'synonyms for delineate',\n", " 'clues': [('specify', 'determine the essential quality of'),\n", " ('trace', 'make a mark or lines on a surface'),\n", " ('define', 'determine the essential quality of'),\n", " ('delimit', 'determine the essential quality of'),\n", " ('outline', 'trace the shape of'),\n", " ('limn', 'trace the shape of'),\n", " ('draw', 'make a mark or lines on a surface'),\n", " ('describe', 'make a mark or lines on a surface'),\n", " ('line', 'make a mark or lines on a surface'),\n", " ('delimitate', 'determine the essential quality of')]},\n", " {'answer': 'delineated',\n", " 'hint': 'synonyms for delineated',\n", " 'clues': [('specify', 'determine the essential quality of'),\n", " ('trace', 'make a mark or lines on a surface'),\n", " ('delineate', 'show the form or outline of'),\n", " ('define', 'determine the essential quality of'),\n", " ('delimit', 'determine the essential quality of'),\n", " ('outline', 'trace the shape of'),\n", " ('limn', 'trace the shape of'),\n", " ('draw', 'make a mark or lines on a surface'),\n", " ('describe', 'make a mark or lines on a surface'),\n", " ('line', 'make a mark or lines on a surface'),\n", " ('delimitate', 'determine the essential quality of')]},\n", " {'answer': 'demanding',\n", " 'hint': 'synonyms for demanding',\n", " 'clues': [('ask', 'require as useful, just, or proper'),\n", " ('involve', 'require as useful, just, or proper'),\n", " ('demand', 'claim as due or just'),\n", " ('exact', 'claim as due or just'),\n", " ('need', 'require as useful, just, or proper'),\n", " ('postulate', 'require as useful, just, or proper'),\n", " ('necessitate', 'require as useful, just, or proper'),\n", " ('require', 'require as useful, just, or proper'),\n", " ('call for', 'require as useful, just, or proper'),\n", " ('take', 'require as useful, just, or proper')]},\n", " {'answer': 'demeaning',\n", " 'hint': 'synonyms for demeaning',\n", " 'clues': [('put down', 'reduce in worth or character, usually verbally'),\n", " ('take down', 'reduce in worth or character, usually verbally'),\n", " ('degrade', 'reduce in worth or character, usually verbally'),\n", " ('disgrace', 'reduce in worth or character, usually verbally'),\n", " ('demean', 'reduce in worth or character, usually verbally')]},\n", " {'answer': 'demolished',\n", " 'hint': 'synonyms for demolished',\n", " 'clues': [('pulverise', 'destroy completely'),\n", " ('demolish', 'humiliate or depress completely'),\n", " ('crush', 'humiliate or depress completely'),\n", " ('smash', 'humiliate or depress completely'),\n", " ('destroy', 'defeat soundly')]},\n", " {'answer': 'demonstrated',\n", " 'hint': 'synonyms for demonstrated',\n", " 'clues': [('manifest',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('demo', 'give an exhibition of to an interested audience'),\n", " ('demonstrate', 'give an exhibition of to an interested audience'),\n", " ('exhibit', 'give an exhibition of to an interested audience'),\n", " ('certify',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('present', 'give an exhibition of to an interested audience'),\n", " ('shew',\n", " 'establish the validity of something, as by an example, explanation or experiment'),\n", " ('march', 'march in protest; take part in a demonstration'),\n", " ('show',\n", " 'establish the validity of something, as by an example, explanation or experiment'),\n", " ('establish',\n", " 'establish the validity of something, as by an example, explanation or experiment'),\n", " ('evidence',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('attest',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('prove',\n", " 'establish the validity of something, as by an example, explanation or experiment')]},\n", " {'answer': 'demoralised',\n", " 'hint': 'synonyms for demoralised',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('depress', \"lower someone's spirits; make downhearted\"),\n", " ('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('corrupt', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'demoralising',\n", " 'hint': 'synonyms for demoralising',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('depress', \"lower someone's spirits; make downhearted\"),\n", " ('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('corrupt', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'demoralized',\n", " 'hint': 'synonyms for demoralized',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('depress', \"lower someone's spirits; make downhearted\"),\n", " ('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('corrupt', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'demoralizing',\n", " 'hint': 'synonyms for demoralizing',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('depress', \"lower someone's spirits; make downhearted\"),\n", " ('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('corrupt', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'denigrating',\n", " 'hint': 'synonyms for denigrating',\n", " 'clues': [('asperse',\n", " 'charge falsely or with malicious intent; attack the good name and reputation of someone'),\n", " ('sully',\n", " 'charge falsely or with malicious intent; attack the good name and reputation of someone'),\n", " ('denigrate',\n", " 'charge falsely or with malicious intent; attack the good name and reputation of someone'),\n", " ('belittle', 'cause to seem less serious; play down'),\n", " ('calumniate',\n", " 'charge falsely or with malicious intent; attack the good name and reputation of someone'),\n", " ('defame',\n", " 'charge falsely or with malicious intent; attack the good name and reputation of someone'),\n", " ('smirch',\n", " 'charge falsely or with malicious intent; attack the good name and reputation of someone'),\n", " ('slander',\n", " 'charge falsely or with malicious intent; attack the good name and reputation of someone'),\n", " ('smear',\n", " 'charge falsely or with malicious intent; attack the good name and reputation of someone'),\n", " ('derogate', 'cause to seem less serious; play down'),\n", " ('minimize', 'cause to seem less serious; play down')]},\n", " {'answer': 'departed',\n", " 'hint': 'synonyms for departed',\n", " 'clues': [('straggle', 'wander from a direct or straight course'),\n", " ('set off', 'leave'),\n", " ('deviate', 'be at variance with; be out of line with'),\n", " ('leave', 'remove oneself from an association with or participation in'),\n", " ('diverge', 'be at variance with; be out of line with'),\n", " ('start out', 'leave'),\n", " ('part', 'leave'),\n", " ('depart', 'remove oneself from an association with or participation in'),\n", " ('digress', 'wander from a direct or straight course'),\n", " ('sidetrack', 'wander from a direct or straight course'),\n", " ('start', 'leave'),\n", " ('pull up stakes',\n", " 'remove oneself from an association with or participation in'),\n", " ('go away', 'move away from a place into another direction'),\n", " ('set forth', 'leave'),\n", " ('go', 'move away from a place into another direction'),\n", " ('quit', 'go away or leave'),\n", " ('set out', 'leave'),\n", " ('vary', 'be at variance with; be out of line with'),\n", " ('take off', 'leave'),\n", " ('take leave', 'go away or leave')]},\n", " {'answer': 'depicted',\n", " 'hint': 'synonyms for depicted',\n", " 'clues': [('depict', 'show in, or as in, a picture'),\n", " ('show', 'show in, or as in, a picture'),\n", " ('render', 'show in, or as in, a picture'),\n", " ('picture', 'show in, or as in, a picture'),\n", " ('portray', 'make a portrait of'),\n", " ('draw', 'give a description of'),\n", " ('limn', 'make a portrait of'),\n", " ('describe', 'give a description of')]},\n", " {'answer': 'depleted',\n", " 'hint': 'synonyms for depleted',\n", " 'clues': [('wipe out', 'use up (resources or materials)'),\n", " ('run through', 'use up (resources or materials)'),\n", " ('eat', 'use up (resources or materials)'),\n", " ('eat up', 'use up (resources or materials)'),\n", " ('consume', 'use up (resources or materials)'),\n", " ('deplete', 'use up (resources or materials)'),\n", " ('exhaust', 'use up (resources or materials)'),\n", " ('use up', 'use up (resources or materials)')]},\n", " {'answer': 'depraved',\n", " 'hint': 'synonyms for depraved',\n", " 'clues': [('deprave', 'corrupt morally or by intemperance or sensuality'),\n", " ('demoralise', 'corrupt morally or by intemperance or sensuality'),\n", " ('debauch', 'corrupt morally or by intemperance or sensuality'),\n", " ('misdirect', 'corrupt morally or by intemperance or sensuality'),\n", " ('corrupt', 'corrupt morally or by intemperance or sensuality'),\n", " ('pervert', 'corrupt morally or by intemperance or sensuality'),\n", " ('profane', 'corrupt morally or by intemperance or sensuality'),\n", " ('vitiate', 'corrupt morally or by intemperance or sensuality'),\n", " ('subvert', 'corrupt morally or by intemperance or sensuality'),\n", " ('debase', 'corrupt morally or by intemperance or sensuality')]},\n", " {'answer': 'depreciating',\n", " 'hint': 'synonyms for depreciating',\n", " 'clues': [('depreciate', 'lose in value'),\n", " ('undervalue', 'lose in value'),\n", " ('devaluate', 'lose in value'),\n", " ('vilipend', 'belittle')]},\n", " {'answer': 'depressed',\n", " 'hint': 'synonyms for depressed',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('depress', 'lessen the activity or force of'),\n", " ('lower', 'cause to drop or sink'),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('press down', 'press down'),\n", " ('demoralize', \"lower someone's spirits; make downhearted\")]},\n", " {'answer': 'depressing',\n", " 'hint': 'synonyms for depressing',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('depress', 'lessen the activity or force of'),\n", " ('lower', 'cause to drop or sink'),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('press down', 'press down'),\n", " ('demoralize', \"lower someone's spirits; make downhearted\")]},\n", " {'answer': 'deprived',\n", " 'hint': 'synonyms for deprived',\n", " 'clues': [('strip', 'take away possessions from someone'),\n", " ('impoverish', 'take away'),\n", " ('deprive', 'keep from having, keeping, or obtaining'),\n", " ('divest', 'take away possessions from someone')]},\n", " {'answer': 'deranged',\n", " 'hint': 'synonyms for deranged',\n", " 'clues': [('derange',\n", " 'derange mentally, throw out of mental balance; make insane'),\n", " ('perturb', 'throw into great confusion or disorder'),\n", " ('throw out of kilter', 'throw into great confusion or disorder'),\n", " ('unbalance',\n", " 'derange mentally, throw out of mental balance; make insane')]},\n", " {'answer': 'derived',\n", " 'hint': 'synonyms for derived',\n", " 'clues': [('derive', 'obtain'),\n", " ('infer', 'reason by deduction; establish by deduction'),\n", " ('gain', 'obtain'),\n", " ('deduce', 'reason by deduction; establish by deduction'),\n", " ('deduct', 'reason by deduction; establish by deduction'),\n", " ('come',\n", " 'come from; be connected by a relationship of blood, for example'),\n", " ('descend',\n", " 'come from; be connected by a relationship of blood, for example')]},\n", " {'answer': 'descending',\n", " 'hint': 'synonyms for descending',\n", " 'clues': [('descend',\n", " 'move downward and lower, but not necessarily all the way'),\n", " ('fall', 'come as if by falling'),\n", " ('go down', 'move downward and lower, but not necessarily all the way'),\n", " ('derive',\n", " 'come from; be connected by a relationship of blood, for example'),\n", " ('settle', 'come as if by falling'),\n", " ('come',\n", " 'come from; be connected by a relationship of blood, for example'),\n", " ('deign', \"do something that one considers to be below one's dignity\"),\n", " ('condescend',\n", " \"do something that one considers to be below one's dignity\"),\n", " ('come down',\n", " 'move downward and lower, but not necessarily all the way')]},\n", " {'answer': 'described',\n", " 'hint': 'synonyms for described',\n", " 'clues': [('account', 'to give an account or representation of in words'),\n", " ('key', 'identify as in botany or biology, for example'),\n", " ('trace', 'make a mark or lines on a surface'),\n", " ('discover', 'identify as in botany or biology, for example'),\n", " ('depict', 'give a description of'),\n", " ('delineate', 'make a mark or lines on a surface'),\n", " ('describe', 'identify as in botany or biology, for example'),\n", " ('identify', 'identify as in botany or biology, for example'),\n", " ('draw', 'make a mark or lines on a surface'),\n", " ('line', 'make a mark or lines on a surface'),\n", " ('report', 'to give an account or representation of in words'),\n", " ('distinguish', 'identify as in botany or biology, for example'),\n", " ('key out', 'identify as in botany or biology, for example'),\n", " ('name', 'identify as in botany or biology, for example')]},\n", " {'answer': 'desecrated',\n", " 'hint': 'synonyms for desecrated',\n", " 'clues': [('unhallow',\n", " 'remove the consecration from a person or an object'),\n", " ('deconsecrate', 'remove the consecration from a person or an object'),\n", " ('profane', 'violate the sacred character of a place or language'),\n", " ('violate', 'violate the sacred character of a place or language'),\n", " ('outrage', 'violate the sacred character of a place or language')]},\n", " {'answer': 'deserted',\n", " 'hint': 'synonyms for deserted',\n", " 'clues': [('abandon',\n", " 'leave someone who needs or counts on you; leave in the lurch'),\n", " ('desert',\n", " 'desert (a cause, a country or an army), often in order to join the opposing cause, country, or army'),\n", " ('forsake',\n", " 'leave someone who needs or counts on you; leave in the lurch'),\n", " ('defect',\n", " 'desert (a cause, a country or an army), often in order to join the opposing cause, country, or army'),\n", " ('desolate',\n", " 'leave someone who needs or counts on you; leave in the lurch')]},\n", " {'answer': 'designate',\n", " 'hint': 'synonyms for designate',\n", " 'clues': [('intend', 'design or destine'),\n", " ('indicate',\n", " 'indicate a place, direction, person, or thing; either spatially or figuratively'),\n", " ('point',\n", " 'indicate a place, direction, person, or thing; either spatially or figuratively'),\n", " ('assign',\n", " 'give an assignment to (a person) to a post, or assign a task to (a person)'),\n", " ('destine', 'design or destine'),\n", " ('denominate', 'assign a name or title to'),\n", " ('depute',\n", " 'give an assignment to (a person) to a post, or assign a task to (a person)'),\n", " ('specify', 'design or destine'),\n", " ('show',\n", " 'indicate a place, direction, person, or thing; either spatially or figuratively'),\n", " ('delegate',\n", " 'give an assignment to (a person) to a post, or assign a task to (a person)'),\n", " ('fate', 'decree or designate beforehand'),\n", " ('doom', 'decree or designate beforehand')]},\n", " {'answer': 'designed',\n", " 'hint': 'synonyms for designed',\n", " 'clues': [('design',\n", " 'make a design of; plan out in systematic, often graphic form'),\n", " ('plan', 'make or work out a plan for; devise'),\n", " ('project', 'make or work out a plan for; devise'),\n", " ('contrive', 'make or work out a plan for; devise')]},\n", " {'answer': 'designing',\n", " 'hint': 'synonyms for designing',\n", " 'clues': [('design',\n", " 'make a design of; plan out in systematic, often graphic form'),\n", " ('plan', 'make or work out a plan for; devise'),\n", " ('project', 'make or work out a plan for; devise'),\n", " ('contrive', 'make or work out a plan for; devise')]},\n", " {'answer': 'desired',\n", " 'hint': 'synonyms for desired',\n", " 'clues': [('desire', 'express a desire for'),\n", " ('trust', 'expect and wish'),\n", " ('want', 'feel or have a desire for; want strongly'),\n", " ('hope', 'expect and wish')]},\n", " {'answer': 'desolate',\n", " 'hint': 'synonyms for desolate',\n", " 'clues': [('depopulate', 'reduce in population'),\n", " ('devastate', 'cause extensive destruction or ruin utterly'),\n", " ('desert',\n", " 'leave someone who needs or counts on you; leave in the lurch'),\n", " ('abandon',\n", " 'leave someone who needs or counts on you; leave in the lurch'),\n", " ('forsake',\n", " 'leave someone who needs or counts on you; leave in the lurch'),\n", " ('scourge', 'cause extensive destruction or ruin utterly'),\n", " ('ravage', 'cause extensive destruction or ruin utterly'),\n", " ('lay waste to', 'cause extensive destruction or ruin utterly'),\n", " ('waste', 'cause extensive destruction or ruin utterly')]},\n", " {'answer': 'despised',\n", " 'hint': 'synonyms for despised',\n", " 'clues': [('disdain', 'look down on with disdain'),\n", " ('contemn', 'look down on with disdain'),\n", " ('despise', 'look down on with disdain'),\n", " ('scorn', 'look down on with disdain')]},\n", " {'answer': 'despoiled',\n", " 'hint': 'synonyms for despoiled',\n", " 'clues': [('loot', 'steal goods; take as spoils'),\n", " ('violate', 'destroy and strip of its possession'),\n", " ('strip', 'steal goods; take as spoils'),\n", " ('plunder', 'steal goods; take as spoils'),\n", " ('ransack', 'steal goods; take as spoils'),\n", " ('rape', 'destroy and strip of its possession'),\n", " ('despoil', 'steal goods; take as spoils'),\n", " ('reave', 'steal goods; take as spoils'),\n", " ('rifle', 'steal goods; take as spoils'),\n", " ('spoil', 'destroy and strip of its possession'),\n", " ('pillage', 'steal goods; take as spoils'),\n", " ('foray', 'steal goods; take as spoils')]},\n", " {'answer': 'destined',\n", " 'hint': 'synonyms for destined',\n", " 'clues': [('intend', 'design or destine'),\n", " ('destine', 'design or destine'),\n", " ('designate', 'design or destine'),\n", " ('specify', 'design or destine'),\n", " ('fate', 'decree or designate beforehand'),\n", " ('doom', 'decree or designate beforehand')]},\n", " {'answer': 'destroyed',\n", " 'hint': 'synonyms for destroyed',\n", " 'clues': [('destroy', 'do away with, cause the destruction or undoing of'),\n", " ('destruct', 'do away with, cause the destruction or undoing of'),\n", " ('ruin', 'destroy completely; damage irreparably'),\n", " ('put down', 'put (an animal) to death'),\n", " ('demolish', 'defeat soundly')]},\n", " {'answer': 'detected',\n", " 'hint': 'synonyms for detected',\n", " 'clues': [('discover',\n", " 'discover or determine the existence, presence, or fact of'),\n", " ('observe', 'discover or determine the existence, presence, or fact of'),\n", " ('detect', 'discover or determine the existence, presence, or fact of'),\n", " ('find', 'discover or determine the existence, presence, or fact of'),\n", " ('notice', 'discover or determine the existence, presence, or fact of')]},\n", " {'answer': 'determined',\n", " 'hint': 'synonyms for determined',\n", " 'clues': [('determine', 'fix conclusively or authoritatively'),\n", " ('ascertain',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('set', 'decide upon or fix definitely'),\n", " ('square up', 'settle conclusively; come to terms'),\n", " ('mold', 'shape or influence; give direction to'),\n", " ('check',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('regulate', 'shape or influence; give direction to'),\n", " ('specify', 'decide upon or fix definitely'),\n", " ('decide', 'reach, make, or come to a decision about something'),\n", " ('square off', 'settle conclusively; come to terms'),\n", " ('watch',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('fix', 'decide upon or fix definitely'),\n", " ('influence', 'shape or influence; give direction to'),\n", " ('see',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('shape', 'shape or influence; give direction to'),\n", " ('find out',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('find',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('settle', 'settle conclusively; come to terms'),\n", " (\"make up one's mind\",\n", " 'reach, make, or come to a decision about something'),\n", " ('learn',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('define', 'decide upon or fix definitely'),\n", " ('limit', 'decide upon or fix definitely')]},\n", " {'answer': 'determining',\n", " 'hint': 'synonyms for determining',\n", " 'clues': [('determine', 'fix conclusively or authoritatively'),\n", " ('ascertain',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('set', 'decide upon or fix definitely'),\n", " ('square up', 'settle conclusively; come to terms'),\n", " ('mold', 'shape or influence; give direction to'),\n", " ('check',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('regulate', 'shape or influence; give direction to'),\n", " ('specify', 'decide upon or fix definitely'),\n", " ('decide', 'reach, make, or come to a decision about something'),\n", " ('square off', 'settle conclusively; come to terms'),\n", " ('watch',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('fix', 'decide upon or fix definitely'),\n", " ('influence', 'shape or influence; give direction to'),\n", " ('see',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('shape', 'shape or influence; give direction to'),\n", " ('find out',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('find',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('settle', 'settle conclusively; come to terms'),\n", " (\"make up one's mind\",\n", " 'reach, make, or come to a decision about something'),\n", " ('learn',\n", " 'find out, learn, or determine with certainty, usually by making an inquiry or other effort'),\n", " ('define', 'decide upon or fix definitely'),\n", " ('limit', 'decide upon or fix definitely')]},\n", " {'answer': 'devastating',\n", " 'hint': 'synonyms for devastating',\n", " 'clues': [('lay waste to', 'cause extensive destruction or ruin utterly'),\n", " ('scourge', 'cause extensive destruction or ruin utterly'),\n", " ('devastate', 'overwhelm or overpower'),\n", " ('desolate', 'cause extensive destruction or ruin utterly'),\n", " ('ravage', 'cause extensive destruction or ruin utterly'),\n", " ('waste', 'cause extensive destruction or ruin utterly')]},\n", " {'answer': 'developed',\n", " 'hint': 'synonyms for developed',\n", " 'clues': [('grow',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('acquire',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('build up', 'change the use of and make available or usable'),\n", " ('develop',\n", " 'elaborate by the unfolding of a musical idea and by the working out of the rhythmic and harmonic changes in the theme'),\n", " ('originate', 'come into existence; take on form or shape'),\n", " ('modernize', 'become technologically advanced'),\n", " ('uprise', 'come into existence; take on form or shape'),\n", " ('make grow',\n", " 'cause to grow and differentiate in ways conforming to its natural development'),\n", " ('germinate', 'work out'),\n", " ('evolve', 'gain through experience'),\n", " ('get',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('arise', 'come into existence; take on form or shape'),\n", " ('prepare', 'create by training and teaching'),\n", " ('educate', 'create by training and teaching'),\n", " ('train', 'create by training and teaching'),\n", " ('break', 'happen'),\n", " ('recrudesce', 'happen'),\n", " ('explicate', 'elaborate, as of theories and hypotheses'),\n", " ('produce',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('formulate', 'elaborate, as of theories and hypotheses'),\n", " ('spring up', 'come into existence; take on form or shape')]},\n", " {'answer': 'developing',\n", " 'hint': 'synonyms for developing',\n", " 'clues': [('grow',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('acquire',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('build up', 'change the use of and make available or usable'),\n", " ('develop',\n", " 'elaborate by the unfolding of a musical idea and by the working out of the rhythmic and harmonic changes in the theme'),\n", " ('originate', 'come into existence; take on form or shape'),\n", " ('modernize', 'become technologically advanced'),\n", " ('uprise', 'come into existence; take on form or shape'),\n", " ('make grow',\n", " 'cause to grow and differentiate in ways conforming to its natural development'),\n", " ('germinate', 'work out'),\n", " ('evolve', 'gain through experience'),\n", " ('get',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('arise', 'come into existence; take on form or shape'),\n", " ('prepare', 'create by training and teaching'),\n", " ('educate', 'create by training and teaching'),\n", " ('train', 'create by training and teaching'),\n", " ('break', 'happen'),\n", " ('recrudesce', 'happen'),\n", " ('explicate', 'elaborate, as of theories and hypotheses'),\n", " ('produce',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('formulate', 'elaborate, as of theories and hypotheses'),\n", " ('spring up', 'come into existence; take on form or shape')]},\n", " {'answer': 'deviate',\n", " 'hint': 'synonyms for deviate',\n", " 'clues': [('depart', 'be at variance with; be out of line with'),\n", " ('vary', 'be at variance with; be out of line with'),\n", " ('diverge', 'be at variance with; be out of line with'),\n", " ('divert', 'turn aside; turn away from')]},\n", " {'answer': 'devoted',\n", " 'hint': 'synonyms for devoted',\n", " 'clues': [('devote', 'dedicate'),\n", " ('give', 'dedicate'),\n", " ('pay', 'dedicate'),\n", " ('consecrate', 'give entirely to a specific person, activity, or cause'),\n", " ('commit', 'give entirely to a specific person, activity, or cause'),\n", " ('dedicate', 'give entirely to a specific person, activity, or cause')]},\n", " {'answer': 'devouring',\n", " 'hint': 'synonyms for devouring',\n", " 'clues': [('raven', 'eat greedily'),\n", " ('go through', 'eat immoderately'),\n", " ('guttle', 'eat greedily'),\n", " ('devour', 'destroy completely'),\n", " ('pig', 'eat greedily'),\n", " ('consume', 'eat immoderately'),\n", " ('down', 'eat immoderately')]},\n", " {'answer': 'differentiated',\n", " 'hint': 'synonyms for differentiated',\n", " 'clues': [('differentiate', 'calculate a derivative; take the derivative'),\n", " ('secern', 'mark as different'),\n", " ('distinguish', 'mark as different'),\n", " ('severalise', 'mark as different'),\n", " ('specialize',\n", " 'evolve so as to lead to a new species or develop in a way most suited to the environment'),\n", " ('separate', 'mark as different'),\n", " ('tell', 'mark as different'),\n", " ('secernate', 'mark as different'),\n", " ('speciate',\n", " 'evolve so as to lead to a new species or develop in a way most suited to the environment'),\n", " ('tell apart', 'mark as different'),\n", " ('mark',\n", " 'be a distinctive feature, attribute, or trait; sometimes in a very positive sense')]},\n", " {'answer': 'diffuse',\n", " 'hint': 'synonyms for diffuse',\n", " 'clues': [('pass around', 'cause to become widely known'),\n", " ('penetrate', 'spread or diffuse through'),\n", " ('propagate', 'cause to become widely known'),\n", " ('circularize', 'cause to become widely known'),\n", " ('imbue', 'spread or diffuse through'),\n", " ('permeate', 'spread or diffuse through'),\n", " ('distribute', 'cause to become widely known'),\n", " ('pervade', 'spread or diffuse through'),\n", " ('disseminate', 'cause to become widely known'),\n", " ('spread', 'move outward'),\n", " ('riddle', 'spread or diffuse through'),\n", " ('spread out', 'move outward'),\n", " ('broadcast', 'cause to become widely known'),\n", " ('fan out', 'move outward'),\n", " ('interpenetrate', 'spread or diffuse through'),\n", " ('disperse', 'cause to become widely known'),\n", " ('circulate', 'cause to become widely known')]},\n", " {'answer': 'diffused',\n", " 'hint': 'synonyms for diffused',\n", " 'clues': [('pass around', 'cause to become widely known'),\n", " ('penetrate', 'spread or diffuse through'),\n", " ('propagate', 'cause to become widely known'),\n", " ('circularize', 'cause to become widely known'),\n", " ('imbue', 'spread or diffuse through'),\n", " ('permeate', 'spread or diffuse through'),\n", " ('diffuse', 'move outward'),\n", " ('distribute', 'cause to become widely known'),\n", " ('pervade', 'spread or diffuse through'),\n", " ('disseminate', 'cause to become widely known'),\n", " ('spread', 'move outward'),\n", " ('riddle', 'spread or diffuse through'),\n", " ('spread out', 'move outward'),\n", " ('broadcast', 'cause to become widely known'),\n", " ('fan out', 'move outward'),\n", " ('interpenetrate', 'spread or diffuse through'),\n", " ('disperse', 'cause to become widely known'),\n", " ('circulate', 'cause to become widely known')]},\n", " {'answer': 'diffusing',\n", " 'hint': 'synonyms for diffusing',\n", " 'clues': [('pass around', 'cause to become widely known'),\n", " ('penetrate', 'spread or diffuse through'),\n", " ('propagate', 'cause to become widely known'),\n", " ('circularize', 'cause to become widely known'),\n", " ('imbue', 'spread or diffuse through'),\n", " ('permeate', 'spread or diffuse through'),\n", " ('diffuse', 'move outward'),\n", " ('distribute', 'cause to become widely known'),\n", " ('pervade', 'spread or diffuse through'),\n", " ('disseminate', 'cause to become widely known'),\n", " ('spread', 'move outward'),\n", " ('riddle', 'spread or diffuse through'),\n", " ('spread out', 'move outward'),\n", " ('broadcast', 'cause to become widely known'),\n", " ('fan out', 'move outward'),\n", " ('interpenetrate', 'spread or diffuse through'),\n", " ('disperse', 'cause to become widely known'),\n", " ('circulate', 'cause to become widely known')]},\n", " {'answer': 'dilute',\n", " 'hint': 'synonyms for dilute',\n", " 'clues': [('load',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('reduce', 'lessen the strength or flavor of a solution or mixture'),\n", " ('debase',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('adulterate',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('thin', 'lessen the strength or flavor of a solution or mixture'),\n", " ('stretch',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('cut', 'lessen the strength or flavor of a solution or mixture'),\n", " ('thin out', 'lessen the strength or flavor of a solution or mixture')]},\n", " {'answer': 'diluted',\n", " 'hint': 'synonyms for diluted',\n", " 'clues': [('load',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('reduce', 'lessen the strength or flavor of a solution or mixture'),\n", " ('dilute',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('debase',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('adulterate',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('thin', 'lessen the strength or flavor of a solution or mixture'),\n", " ('stretch',\n", " 'corrupt, debase, or make impure by adding a foreign or inferior substance; often by replacing valuable ingredients with inferior ones'),\n", " ('cut', 'lessen the strength or flavor of a solution or mixture'),\n", " ('thin out', 'lessen the strength or flavor of a solution or mixture')]},\n", " {'answer': 'dim',\n", " 'hint': 'synonyms for dim',\n", " 'clues': [('blind', 'make dim by comparison or conceal'),\n", " ('slur', 'become vague or indistinct'),\n", " ('dip', \"switch (a car's headlights) from a higher to a lower beam\"),\n", " ('blur', 'become vague or indistinct')]},\n", " {'answer': 'diminished',\n", " 'hint': 'synonyms for diminished',\n", " 'clues': [('decrease', 'decrease in size, extent, or range'),\n", " ('diminish', 'lessen the authority, dignity, or reputation of'),\n", " ('belittle', 'lessen the authority, dignity, or reputation of'),\n", " ('lessen', 'decrease in size, extent, or range'),\n", " ('fall', 'decrease in size, extent, or range')]},\n", " {'answer': 'diminishing',\n", " 'hint': 'synonyms for diminishing',\n", " 'clues': [('decrease', 'decrease in size, extent, or range'),\n", " ('diminish', 'lessen the authority, dignity, or reputation of'),\n", " ('belittle', 'lessen the authority, dignity, or reputation of'),\n", " ('lessen', 'decrease in size, extent, or range'),\n", " ('fall', 'decrease in size, extent, or range')]},\n", " {'answer': 'dimmed',\n", " 'hint': 'synonyms for dimmed',\n", " 'clues': [('slur', 'become vague or indistinct'),\n", " ('blur', 'become vague or indistinct'),\n", " ('dim', \"switch (a car's headlights) from a higher to a lower beam\"),\n", " ('dip', \"switch (a car's headlights) from a higher to a lower beam\"),\n", " ('blind', 'make dim by comparison or conceal')]},\n", " {'answer': 'dipped',\n", " 'hint': 'synonyms for dipped',\n", " 'clues': [('dip', 'take a small amount from'),\n", " ('duck', 'dip into a liquid'),\n", " ('dim', \"switch (a car's headlights) from a higher to a lower beam\"),\n", " ('douse', 'dip into a liquid'),\n", " ('souse',\n", " 'immerse briefly into a liquid so as to wet, coat, or saturate'),\n", " ('plunge',\n", " 'immerse briefly into a liquid so as to wet, coat, or saturate'),\n", " ('sink', 'appear to move downward'),\n", " ('dunk', 'dip into a liquid while eating')]},\n", " {'answer': 'direct',\n", " 'hint': 'synonyms for direct',\n", " 'clues': [('lead', 'lead, as in the performance of a composition'),\n", " ('send', 'cause to go somewhere'),\n", " ('steer', 'direct the course; determine the direction of travelling'),\n", " ('place', 'intend (something) to move towards a certain goal'),\n", " ('take', 'take somebody somewhere'),\n", " ('point', 'direct the course; determine the direction of travelling'),\n", " ('conduct', 'lead, as in the performance of a composition'),\n", " ('organize', 'plan and direct (a complex undertaking)'),\n", " ('channelise',\n", " 'direct the course; determine the direction of travelling'),\n", " ('address', 'put an address on (an envelope)'),\n", " ('orchestrate', 'plan and direct (a complex undertaking)'),\n", " ('manoeuver', 'direct the course; determine the direction of travelling'),\n", " ('engineer', 'plan and direct (a complex undertaking)'),\n", " ('take aim',\n", " 'point or cause to go (blows, weapons, or objects such as photographic equipment) towards'),\n", " ('target', 'intend (something) to move towards a certain goal'),\n", " ('head', 'direct the course; determine the direction of travelling'),\n", " ('mastermind', 'plan and direct (a complex undertaking)'),\n", " ('guide', 'direct the course; determine the direction of travelling'),\n", " ('calculate',\n", " 'specifically design a product, event, or activity for a certain public'),\n", " ('train',\n", " 'point or cause to go (blows, weapons, or objects such as photographic equipment) towards'),\n", " ('aim', 'intend (something) to move towards a certain goal')]},\n", " {'answer': 'directed',\n", " 'hint': 'synonyms for directed',\n", " 'clues': [('lead', 'lead, as in the performance of a composition'),\n", " ('direct',\n", " 'point or cause to go (blows, weapons, or objects such as photographic equipment) towards'),\n", " ('send', 'cause to go somewhere'),\n", " ('place', 'intend (something) to move towards a certain goal'),\n", " ('take', 'take somebody somewhere'),\n", " ('channelise',\n", " 'direct the course; determine the direction of travelling'),\n", " ('orchestrate', 'plan and direct (a complex undertaking)'),\n", " ('conduct', 'take somebody somewhere'),\n", " ('head', 'direct the course; determine the direction of travelling'),\n", " ('maneuver', 'direct the course; determine the direction of travelling'),\n", " ('manoeuvre', 'direct the course; determine the direction of travelling'),\n", " ('point', 'intend (something) to move towards a certain goal'),\n", " ('take aim',\n", " 'point or cause to go (blows, weapons, or objects such as photographic equipment) towards'),\n", " ('aim',\n", " 'specifically design a product, event, or activity for a certain public'),\n", " ('steer', 'direct the course; determine the direction of travelling'),\n", " ('organize', 'plan and direct (a complex undertaking)'),\n", " ('address', 'put an address on (an envelope)'),\n", " ('engineer', 'plan and direct (a complex undertaking)'),\n", " ('target', 'intend (something) to move towards a certain goal'),\n", " ('mastermind', 'plan and direct (a complex undertaking)'),\n", " ('guide', 'direct the course; determine the direction of travelling'),\n", " ('calculate',\n", " 'specifically design a product, event, or activity for a certain public'),\n", " ('train',\n", " 'point or cause to go (blows, weapons, or objects such as photographic equipment) towards')]},\n", " {'answer': 'directing',\n", " 'hint': 'synonyms for directing',\n", " 'clues': [('lead', 'lead, as in the performance of a composition'),\n", " ('direct',\n", " 'point or cause to go (blows, weapons, or objects such as photographic equipment) towards'),\n", " ('send', 'cause to go somewhere'),\n", " ('place', 'intend (something) to move towards a certain goal'),\n", " ('take', 'take somebody somewhere'),\n", " ('channelise',\n", " 'direct the course; determine the direction of travelling'),\n", " ('orchestrate', 'plan and direct (a complex undertaking)'),\n", " ('conduct', 'take somebody somewhere'),\n", " ('head', 'direct the course; determine the direction of travelling'),\n", " ('maneuver', 'direct the course; determine the direction of travelling'),\n", " ('manoeuvre', 'direct the course; determine the direction of travelling'),\n", " ('point', 'intend (something) to move towards a certain goal'),\n", " ('take aim',\n", " 'point or cause to go (blows, weapons, or objects such as photographic equipment) towards'),\n", " ('aim',\n", " 'specifically design a product, event, or activity for a certain public'),\n", " ('steer', 'direct the course; determine the direction of travelling'),\n", " ('organize', 'plan and direct (a complex undertaking)'),\n", " ('address', 'put an address on (an envelope)'),\n", " ('engineer', 'plan and direct (a complex undertaking)'),\n", " ('target', 'intend (something) to move towards a certain goal'),\n", " ('mastermind', 'plan and direct (a complex undertaking)'),\n", " ('guide', 'direct the course; determine the direction of travelling'),\n", " ('calculate',\n", " 'specifically design a product, event, or activity for a certain public'),\n", " ('train',\n", " 'point or cause to go (blows, weapons, or objects such as photographic equipment) towards')]},\n", " {'answer': 'dirty',\n", " 'hint': 'synonyms for dirty',\n", " 'clues': [('colly', 'make soiled, filthy, or dirty'),\n", " ('grime', 'make soiled, filthy, or dirty'),\n", " ('soil', 'make soiled, filthy, or dirty'),\n", " ('begrime', 'make soiled, filthy, or dirty'),\n", " ('bemire', 'make soiled, filthy, or dirty')]},\n", " {'answer': 'disabled',\n", " 'hint': 'synonyms for disabled',\n", " 'clues': [('disable', 'make unable to perform a certain action'),\n", " ('incapacitate', 'injure permanently'),\n", " ('handicap', 'injure permanently'),\n", " ('invalid', 'injure permanently')]},\n", " {'answer': 'disabling',\n", " 'hint': 'synonyms for disabling',\n", " 'clues': [('disable', 'make unable to perform a certain action'),\n", " ('incapacitate', 'injure permanently'),\n", " ('handicap', 'injure permanently'),\n", " ('invalid', 'injure permanently')]},\n", " {'answer': 'disaffected',\n", " 'hint': 'synonyms for disaffected',\n", " 'clues': [('disaffect',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('alien',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('estrange',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('alienate',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness')]},\n", " {'answer': 'discarded',\n", " 'hint': 'synonyms for discarded',\n", " 'clues': [('chuck out', 'throw or cast away'),\n", " ('dispose', 'throw or cast away'),\n", " ('cast away', 'throw or cast away'),\n", " ('throw out', 'throw or cast away'),\n", " ('toss', 'throw or cast away'),\n", " ('cast out', 'throw or cast away'),\n", " ('put away', 'throw or cast away'),\n", " ('fling', 'throw or cast away'),\n", " ('throw away', 'throw or cast away'),\n", " ('cast aside', 'throw or cast away'),\n", " ('toss away', 'throw or cast away'),\n", " ('discard', 'throw or cast away'),\n", " ('toss out', 'throw or cast away')]},\n", " {'answer': 'discerning',\n", " 'hint': 'synonyms for discerning',\n", " 'clues': [('make out', 'detect with the senses'),\n", " ('discern', 'detect with the senses'),\n", " ('spot', 'detect with the senses'),\n", " ('distinguish', 'detect with the senses'),\n", " ('recognise', 'detect with the senses'),\n", " ('pick out', 'detect with the senses'),\n", " ('tell apart', 'detect with the senses')]},\n", " {'answer': 'discharged',\n", " 'hint': 'synonyms for discharged',\n", " 'clues': [('discharge', 'become empty or void of its content'),\n", " ('go off', 'go off or discharge'),\n", " ('unload', 'leave or unload'),\n", " ('dispatch', 'complete or carry out'),\n", " ('clear', 'pronounce not guilty of criminal charges'),\n", " ('muster out', 'release from military service'),\n", " ('complete', 'complete or carry out'),\n", " ('exhaust', 'eliminate (a substance)'),\n", " ('set down', 'leave or unload'),\n", " ('eject', 'eliminate (a substance)'),\n", " ('put down', 'leave or unload'),\n", " ('fire', 'cause to go off'),\n", " ('release', 'eliminate (a substance)'),\n", " ('assoil', 'pronounce not guilty of criminal charges'),\n", " ('exonerate', 'pronounce not guilty of criminal charges'),\n", " ('drop', 'leave or unload'),\n", " ('drop off', 'leave or unload'),\n", " ('empty', 'become empty or void of its content'),\n", " ('exculpate', 'pronounce not guilty of criminal charges'),\n", " ('expel', 'eliminate (a substance)'),\n", " ('acquit', 'pronounce not guilty of criminal charges'),\n", " ('free', 'free from obligations or duties')]},\n", " {'answer': 'disciplined',\n", " 'hint': 'synonyms for disciplined',\n", " 'clues': [('condition',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\"),\n", " ('train',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\"),\n", " ('correct', 'punish in order to gain control or enforce obedience'),\n", " ('sort out', 'punish in order to gain control or enforce obedience'),\n", " ('check',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\"),\n", " ('discipline',\n", " \"develop (children's) behavior by instruction and practice; especially to teach self-control\")]},\n", " {'answer': 'disclosed',\n", " 'hint': 'synonyms for disclosed',\n", " 'clues': [('expose',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('break',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('give away',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('disclose', 'disclose to view as by removing a cover'),\n", " ('unwrap',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('bring out',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('divulge',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('reveal',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('let out',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('let on',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('discover',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret')]},\n", " {'answer': 'discombobulated',\n", " 'hint': 'synonyms for discombobulated',\n", " 'clues': [('throw', 'cause to be confused emotionally'),\n", " ('discombobulate',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bemuse', 'cause to be confused emotionally'),\n", " ('confound',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bewilder', 'cause to be confused emotionally'),\n", " ('fuddle',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confuse',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('fox',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bedevil',\n", " 'be confusing or perplexing to; cause to be unable to think clearly')]},\n", " {'answer': 'discomfited',\n", " 'hint': 'synonyms for discomfited',\n", " 'clues': [('discomfit', \"cause to lose one's composure\"),\n", " ('upset', \"cause to lose one's composure\"),\n", " ('untune', \"cause to lose one's composure\"),\n", " ('disconcert', \"cause to lose one's composure\"),\n", " ('discompose', \"cause to lose one's composure\")]},\n", " {'answer': 'discomposed',\n", " 'hint': 'synonyms for discomposed',\n", " 'clues': [('discomfit', \"cause to lose one's composure\"),\n", " ('upset', \"cause to lose one's composure\"),\n", " ('untune', \"cause to lose one's composure\"),\n", " ('disconcert', \"cause to lose one's composure\"),\n", " ('discompose', \"cause to lose one's composure\")]},\n", " {'answer': 'disconcerted',\n", " 'hint': 'synonyms for disconcerted',\n", " 'clues': [('upset', \"cause to lose one's composure\"),\n", " ('confuse', 'cause to feel embarrassment'),\n", " ('put off', 'cause to feel embarrassment'),\n", " ('disconcert', 'cause to feel embarrassment'),\n", " ('discomfit', \"cause to lose one's composure\"),\n", " ('untune', \"cause to lose one's composure\"),\n", " ('flurry', 'cause to feel embarrassment'),\n", " ('discompose', \"cause to lose one's composure\")]},\n", " {'answer': 'disconcerting',\n", " 'hint': 'synonyms for disconcerting',\n", " 'clues': [('upset', \"cause to lose one's composure\"),\n", " ('confuse', 'cause to feel embarrassment'),\n", " ('put off', 'cause to feel embarrassment'),\n", " ('disconcert', 'cause to feel embarrassment'),\n", " ('discomfit', \"cause to lose one's composure\"),\n", " ('untune', \"cause to lose one's composure\"),\n", " ('flurry', 'cause to feel embarrassment'),\n", " ('discompose', \"cause to lose one's composure\")]},\n", " {'answer': 'discontinued',\n", " 'hint': 'synonyms for discontinued',\n", " 'clues': [('discontinue', 'come to or be at an end'),\n", " ('break off', 'prevent completion'),\n", " ('cease', 'put an end to a state or an activity'),\n", " ('stop', 'prevent completion'),\n", " ('give up', 'put an end to a state or an activity'),\n", " ('lay off', 'put an end to a state or an activity'),\n", " ('break', 'prevent completion'),\n", " ('quit', 'put an end to a state or an activity')]},\n", " {'answer': 'discouraged',\n", " 'hint': 'synonyms for discouraged',\n", " 'clues': [('deter', 'try to prevent; show opposition to'),\n", " ('admonish', \"admonish or counsel in terms of someone's behavior\"),\n", " ('discourage',\n", " 'deprive of courage or hope; take away hope from; cause to feel discouraged'),\n", " ('warn', \"admonish or counsel in terms of someone's behavior\")]},\n", " {'answer': 'discouraging',\n", " 'hint': 'synonyms for discouraging',\n", " 'clues': [('deter', 'try to prevent; show opposition to'),\n", " ('admonish', \"admonish or counsel in terms of someone's behavior\"),\n", " ('discourage',\n", " 'deprive of courage or hope; take away hope from; cause to feel discouraged'),\n", " ('warn', \"admonish or counsel in terms of someone's behavior\")]},\n", " {'answer': 'discovered',\n", " 'hint': 'synonyms for discovered',\n", " 'clues': [('key', 'identify as in botany or biology, for example'),\n", " ('find', 'make a discovery, make a new finding'),\n", " ('reveal',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('divulge',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('discover', 'discover or determine the existence, presence, or fact of'),\n", " ('come across', 'find unexpectedly'),\n", " ('disclose',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('let on',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('distinguish', 'identify as in botany or biology, for example'),\n", " ('key out', 'identify as in botany or biology, for example'),\n", " ('get word', 'get to know or become aware of, usually accidentally'),\n", " ('identify', 'identify as in botany or biology, for example'),\n", " ('observe', 'discover or determine the existence, presence, or fact of'),\n", " ('pick up', 'get to know or become aware of, usually accidentally'),\n", " ('chance on', 'find unexpectedly'),\n", " ('let out',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('name', 'identify as in botany or biology, for example'),\n", " ('light upon', 'find unexpectedly'),\n", " ('find out', 'get to know or become aware of, usually accidentally'),\n", " ('fall upon', 'find unexpectedly'),\n", " ('expose',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('break',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('give away',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('unwrap',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('detect', 'discover or determine the existence, presence, or fact of'),\n", " ('get a line', 'get to know or become aware of, usually accidentally'),\n", " ('come upon', 'find unexpectedly'),\n", " ('happen upon', 'find unexpectedly'),\n", " ('get wind', 'get to know or become aware of, usually accidentally'),\n", " ('attain', 'find unexpectedly'),\n", " ('describe', 'identify as in botany or biology, for example'),\n", " ('see', 'get to know or become aware of, usually accidentally'),\n", " ('bring out',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('hear', 'get to know or become aware of, usually accidentally'),\n", " ('notice', 'discover or determine the existence, presence, or fact of'),\n", " ('learn', 'get to know or become aware of, usually accidentally'),\n", " ('strike', 'find unexpectedly')]},\n", " {'answer': 'discriminating',\n", " 'hint': 'synonyms for discriminating',\n", " 'clues': [('know apart', 'recognize or perceive the difference'),\n", " ('discriminate', 'recognize or perceive the difference'),\n", " ('separate', 'treat differently on the basis of sex or race'),\n", " ('single out', 'treat differently on the basis of sex or race')]},\n", " {'answer': 'disentangled',\n", " 'hint': 'synonyms for disentangled',\n", " 'clues': [('disentangle', 'separate the tangles of'),\n", " ('extricate', 'release from entanglement of difficulty'),\n", " ('comb out', 'smoothen and neaten with or as with a comb'),\n", " ('comb', 'smoothen and neaten with or as with a comb'),\n", " ('unwind', 'separate the tangles of'),\n", " ('disencumber', 'release from entanglement of difficulty'),\n", " ('disinvolve', 'free from involvement or entanglement'),\n", " ('disembroil', 'free from involvement or entanglement'),\n", " ('straighten out', 'extricate from entanglement'),\n", " ('untangle', 'release from entanglement of difficulty'),\n", " ('unsnarl', 'extricate from entanglement')]},\n", " {'answer': 'disgraced',\n", " 'hint': 'synonyms for disgraced',\n", " 'clues': [('shame', 'bring shame or dishonor upon'),\n", " ('dishonor', 'bring shame or dishonor upon'),\n", " ('attaint', 'bring shame or dishonor upon'),\n", " ('degrade', 'reduce in worth or character, usually verbally'),\n", " ('disgrace', 'bring shame or dishonor upon'),\n", " ('put down', 'reduce in worth or character, usually verbally'),\n", " ('discredit', 'damage the reputation of'),\n", " ('take down', 'reduce in worth or character, usually verbally'),\n", " ('demean', 'reduce in worth or character, usually verbally')]},\n", " {'answer': 'disgusted',\n", " 'hint': 'synonyms for disgusted',\n", " 'clues': [('gross out', 'fill with distaste'),\n", " ('churn up', 'cause aversion in; offend the moral sense of'),\n", " ('disgust', 'cause aversion in; offend the moral sense of'),\n", " ('repel', 'fill with distaste'),\n", " ('revolt', 'fill with distaste'),\n", " ('sicken', 'cause aversion in; offend the moral sense of'),\n", " ('nauseate', 'cause aversion in; offend the moral sense of')]},\n", " {'answer': 'disgusting',\n", " 'hint': 'synonyms for disgusting',\n", " 'clues': [('gross out', 'fill with distaste'),\n", " ('churn up', 'cause aversion in; offend the moral sense of'),\n", " ('disgust', 'cause aversion in; offend the moral sense of'),\n", " ('repel', 'fill with distaste'),\n", " ('revolt', 'fill with distaste'),\n", " ('sicken', 'cause aversion in; offend the moral sense of'),\n", " ('nauseate', 'cause aversion in; offend the moral sense of')]},\n", " {'answer': 'dished',\n", " 'hint': 'synonyms for dished',\n", " 'clues': [('dish', 'make concave; shape like a dish'),\n", " ('dish out', 'provide (usually but not necessarily food)'),\n", " ('dish up', 'provide (usually but not necessarily food)'),\n", " ('serve', 'provide (usually but not necessarily food)'),\n", " ('serve up', 'provide (usually but not necessarily food)')]},\n", " {'answer': 'dishonored',\n", " 'hint': 'synonyms for dishonored',\n", " 'clues': [('assault', 'force (someone) to have sex against their will'),\n", " ('shame', 'bring shame or dishonor upon'),\n", " ('dishonour', 'force (someone) to have sex against their will'),\n", " ('violate', 'force (someone) to have sex against their will'),\n", " ('attaint', 'bring shame or dishonor upon'),\n", " ('rape', 'force (someone) to have sex against their will'),\n", " ('outrage', 'force (someone) to have sex against their will'),\n", " ('disgrace', 'bring shame or dishonor upon'),\n", " ('ravish', 'force (someone) to have sex against their will')]},\n", " {'answer': 'disjoint',\n", " 'hint': 'synonyms for disjoint',\n", " 'clues': [('disunite', 'part; cease or break association with'),\n", " ('disjoin',\n", " 'make disjoint, separated, or disconnected; undo the joining of'),\n", " ('disarticulate', 'separate at the joints'),\n", " ('dissociate', 'part; cease or break association with'),\n", " ('divorce', 'part; cease or break association with')]},\n", " {'answer': 'disjointed',\n", " 'hint': 'synonyms for disjointed',\n", " 'clues': [('disunite', 'part; cease or break association with'),\n", " ('disjoint', 'separate at the joints'),\n", " ('disarticulate', 'separate at the joints'),\n", " ('dissociate', 'part; cease or break association with'),\n", " ('divorce', 'part; cease or break association with')]},\n", " {'answer': 'dislocated',\n", " 'hint': 'synonyms for dislocated',\n", " 'clues': [('dislocate', 'move out of position'),\n", " ('luxate', 'move out of position'),\n", " ('slip', 'move out of position'),\n", " ('splay', 'move out of position')]},\n", " {'answer': 'dismantled',\n", " 'hint': 'synonyms for dismantled',\n", " 'clues': [('raze', 'tear down so as to make flat with the ground'),\n", " ('dismantle', 'take apart into its constituent pieces'),\n", " ('level', 'tear down so as to make flat with the ground'),\n", " ('break up', 'take apart into its constituent pieces'),\n", " ('tear down', 'tear down so as to make flat with the ground'),\n", " ('break apart', 'take apart into its constituent pieces'),\n", " ('strip', 'take off or remove'),\n", " ('take apart', 'take apart into its constituent pieces'),\n", " ('take down', 'tear down so as to make flat with the ground'),\n", " ('disassemble', 'take apart into its constituent pieces'),\n", " ('rase', 'tear down so as to make flat with the ground'),\n", " ('pull down', 'tear down so as to make flat with the ground')]},\n", " {'answer': 'dismayed',\n", " 'hint': 'synonyms for dismayed',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('appal',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('horrify',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('alarm',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('demoralize', \"lower someone's spirits; make downhearted\"),\n", " ('depress', \"lower someone's spirits; make downhearted\")]},\n", " {'answer': 'dismaying',\n", " 'hint': 'synonyms for dismaying',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('appal',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('horrify',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('alarm',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('demoralize', \"lower someone's spirits; make downhearted\"),\n", " ('depress', \"lower someone's spirits; make downhearted\")]},\n", " {'answer': 'dismissed',\n", " 'hint': 'synonyms for dismissed',\n", " 'clues': [('drop', 'stop associating with'),\n", " ('dismiss', 'cease to consider; put out of judicial consideration'),\n", " ('dissolve', 'declare void'),\n", " ('push aside', 'bar from attention or consideration'),\n", " ('ignore', 'bar from attention or consideration'),\n", " ('terminate',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('give the axe',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('discount', 'bar from attention or consideration'),\n", " ('sack',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('send packing', 'stop associating with'),\n", " ('throw out', 'cease to consider; put out of judicial consideration'),\n", " ('fire',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('send away', 'stop associating with'),\n", " ('give the sack',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('can',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('disregard', 'bar from attention or consideration'),\n", " ('force out',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('displace',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('brush off', 'bar from attention or consideration'),\n", " ('give notice',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('usher out',\n", " \"end one's encounter with somebody by causing or permitting the person to leave\")]},\n", " {'answer': 'disobliging',\n", " 'hint': 'synonyms for disobliging',\n", " 'clues': [('inconvenience', 'to cause inconvenience or discomfort to'),\n", " ('put out', 'to cause inconvenience or discomfort to'),\n", " ('incommode', 'to cause inconvenience or discomfort to'),\n", " ('disoblige', 'to cause inconvenience or discomfort to'),\n", " ('trouble', 'to cause inconvenience or discomfort to'),\n", " ('discommode', 'to cause inconvenience or discomfort to'),\n", " ('bother', 'to cause inconvenience or discomfort to')]},\n", " {'answer': 'disordered',\n", " 'hint': 'synonyms for disordered',\n", " 'clues': [('trouble',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('disorder', 'bring disorder to'),\n", " ('disquiet',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('disarray', 'bring disorder to'),\n", " ('cark',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('perturb',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('distract',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('unhinge',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed')]},\n", " {'answer': 'dispensed',\n", " 'hint': 'synonyms for dispensed',\n", " 'clues': [('parcel out', 'administer or bestow, as in small portions'),\n", " ('deal out', 'administer or bestow, as in small portions'),\n", " ('administer', 'give or apply (medications)'),\n", " ('lot', 'administer or bestow, as in small portions'),\n", " ('dish out', 'administer or bestow, as in small portions'),\n", " ('dispense', 'give or apply (medications)'),\n", " ('shell out', 'administer or bestow, as in small portions'),\n", " ('allot', 'administer or bestow, as in small portions'),\n", " ('deal', 'administer or bestow, as in small portions'),\n", " ('dole out', 'administer or bestow, as in small portions'),\n", " ('mete out', 'administer or bestow, as in small portions'),\n", " ('distribute', 'administer or bestow, as in small portions')]},\n", " {'answer': 'dispersed',\n", " 'hint': 'synonyms for dispersed',\n", " 'clues': [('scatter', 'cause to separate'),\n", " ('pass around', 'cause to become widely known'),\n", " ('disperse', 'separate (light) into spectral rays'),\n", " ('dissipate', 'move away from each other'),\n", " ('propagate', 'cause to become widely known'),\n", " ('dispel', 'to cause to separate and go in different directions'),\n", " ('circularize', 'cause to become widely known'),\n", " ('dust', 'distribute loosely'),\n", " ('break up', 'cause to separate'),\n", " ('spread out', 'move away from each other'),\n", " ('distribute', 'cause to become widely known'),\n", " ('diffuse', 'cause to become widely known'),\n", " ('dot', 'distribute loosely'),\n", " ('disseminate', 'cause to become widely known'),\n", " ('broadcast', 'cause to become widely known'),\n", " ('spread', 'cause to become widely known'),\n", " ('sprinkle', 'distribute loosely'),\n", " ('circulate', 'cause to become widely known')]},\n", " {'answer': 'dispirited',\n", " 'hint': 'synonyms for dispirited',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('demoralize', \"lower someone's spirits; make downhearted\"),\n", " ('depress', \"lower someone's spirits; make downhearted\")]},\n", " {'answer': 'dispiriting',\n", " 'hint': 'synonyms for dispiriting',\n", " 'clues': [('dismay', \"lower someone's spirits; make downhearted\"),\n", " ('deject', \"lower someone's spirits; make downhearted\"),\n", " ('get down', \"lower someone's spirits; make downhearted\"),\n", " ('dispirit', \"lower someone's spirits; make downhearted\"),\n", " ('cast down', \"lower someone's spirits; make downhearted\"),\n", " ('demoralize', \"lower someone's spirits; make downhearted\"),\n", " ('depress', \"lower someone's spirits; make downhearted\")]},\n", " {'answer': 'disposed',\n", " 'hint': 'synonyms for disposed',\n", " 'clues': [('chuck out', 'throw or cast away'),\n", " ('cast away', 'throw or cast away'),\n", " ('throw out', 'throw or cast away'),\n", " ('dispose', 'give, sell, or transfer to another'),\n", " ('cast out', 'throw or cast away'),\n", " ('put away', 'throw or cast away'),\n", " ('throw away', 'throw or cast away'),\n", " ('cast aside', 'throw or cast away'),\n", " ('toss away', 'throw or cast away'),\n", " ('toss', 'throw or cast away'),\n", " ('incline',\n", " 'make receptive or willing towards an action or attitude or belief'),\n", " ('toss out', 'throw or cast away'),\n", " ('qualify', 'make fit or prepared'),\n", " ('fling', 'throw or cast away'),\n", " ('discard', 'throw or cast away')]},\n", " {'answer': 'disputed',\n", " 'hint': 'synonyms for disputed',\n", " 'clues': [('argufy', 'have a disagreement over something'),\n", " ('dispute', 'have a disagreement over something'),\n", " ('quarrel', 'have a disagreement over something'),\n", " ('gainsay', 'take exception to'),\n", " ('scrap', 'have a disagreement over something'),\n", " ('challenge', 'take exception to'),\n", " ('altercate', 'have a disagreement over something')]},\n", " {'answer': 'disquieted',\n", " 'hint': 'synonyms for disquieted',\n", " 'clues': [('unhinge',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('trouble',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('perturb',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('disquiet',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('distract',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('cark',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('disorder',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed')]},\n", " {'answer': 'disquieting',\n", " 'hint': 'synonyms for disquieting',\n", " 'clues': [('unhinge',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('trouble',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('perturb',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('disquiet',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('distract',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('cark',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('disorder',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed')]},\n", " {'answer': 'disregarded',\n", " 'hint': 'synonyms for disregarded',\n", " 'clues': [('neglect', 'give little or no attention to'),\n", " ('snub', 'refuse to acknowledge'),\n", " ('disregard', 'bar from attention or consideration'),\n", " ('cut', 'refuse to acknowledge'),\n", " ('ignore', 'bar from attention or consideration'),\n", " ('push aside', 'bar from attention or consideration'),\n", " ('discount', 'bar from attention or consideration'),\n", " ('dismiss', 'bar from attention or consideration'),\n", " ('brush off', 'bar from attention or consideration')]},\n", " {'answer': 'disrupted',\n", " 'hint': 'synonyms for disrupted',\n", " 'clues': [('interrupt', 'make a break in'),\n", " ('disrupt', 'make a break in'),\n", " ('cut off', 'make a break in'),\n", " ('break up', 'make a break in')]},\n", " {'answer': 'dissected',\n", " 'hint': 'synonyms for dissected',\n", " 'clues': [('analyse',\n", " 'make a mathematical, chemical, or grammatical analysis of; break down into components or essential features'),\n", " ('break down',\n", " 'make a mathematical, chemical, or grammatical analysis of; break down into components or essential features'),\n", " ('dissect',\n", " 'make a mathematical, chemical, or grammatical analysis of; break down into components or essential features'),\n", " ('take apart',\n", " 'make a mathematical, chemical, or grammatical analysis of; break down into components or essential features')]},\n", " {'answer': 'dissenting',\n", " 'hint': 'synonyms for dissenting',\n", " 'clues': [('dissent', 'express opposition through action or words'),\n", " ('take issue', 'be of different opinions'),\n", " ('resist', 'express opposition through action or words'),\n", " ('disagree', 'be of different opinions'),\n", " ('protest', 'express opposition through action or words'),\n", " ('differ', 'be of different opinions')]},\n", " {'answer': 'dissipated',\n", " 'hint': 'synonyms for dissipated',\n", " 'clues': [('fritter', 'spend frivolously and unwisely'),\n", " ('fool away', 'spend frivolously and unwisely'),\n", " ('spread out', 'move away from each other'),\n", " ('dissipate', 'move away from each other'),\n", " ('shoot', 'spend frivolously and unwisely'),\n", " ('dispel', 'to cause to separate and go in different directions'),\n", " ('break up', 'to cause to separate and go in different directions'),\n", " ('fritter away', 'spend frivolously and unwisely'),\n", " ('fool', 'spend frivolously and unwisely'),\n", " ('scatter', 'to cause to separate and go in different directions'),\n", " ('disperse', 'move away from each other'),\n", " ('frivol away', 'spend frivolously and unwisely')]},\n", " {'answer': 'dissolved',\n", " 'hint': 'synonyms for dissolved',\n", " 'clues': [('resolve', 'cause to go into a solution'),\n", " ('dissolve', 'declare void'),\n", " ('break up', 'cause to go into a solution'),\n", " ('disband', 'stop functioning or cohering as a unit'),\n", " ('fade away', 'become weaker'),\n", " ('unthaw', 'become or cause to become soft or liquid'),\n", " ('thaw', 'become or cause to become soft or liquid'),\n", " ('dethaw', 'become or cause to become soft or liquid'),\n", " ('fade out', 'become weaker'),\n", " ('dismiss', 'declare void'),\n", " ('unfreeze', 'become or cause to become soft or liquid'),\n", " ('melt', 'become or cause to become soft or liquid')]},\n", " {'answer': 'distinguished',\n", " 'hint': 'synonyms for distinguished',\n", " 'clues': [('make out', 'detect with the senses'),\n", " ('key', 'identify as in botany or biology, for example'),\n", " ('differentiate',\n", " 'be a distinctive feature, attribute, or trait; sometimes in a very positive sense'),\n", " ('secern', 'mark as different'),\n", " ('distinguish', 'mark as different'),\n", " ('severalise', 'mark as different'),\n", " ('spot', 'detect with the senses'),\n", " ('tell apart', 'mark as different'),\n", " ('signalize', 'make conspicuous or noteworthy'),\n", " ('separate', 'mark as different'),\n", " ('recognise', 'detect with the senses'),\n", " ('discover', 'identify as in botany or biology, for example'),\n", " ('key out', 'identify as in botany or biology, for example'),\n", " ('tell', 'mark as different'),\n", " ('secernate', 'mark as different'),\n", " ('discern', 'detect with the senses'),\n", " ('describe', 'identify as in botany or biology, for example'),\n", " ('identify', 'identify as in botany or biology, for example'),\n", " ('mark',\n", " 'be a distinctive feature, attribute, or trait; sometimes in a very positive sense'),\n", " ('name', 'identify as in botany or biology, for example'),\n", " ('pick out', 'detect with the senses')]},\n", " {'answer': 'distorted',\n", " 'hint': 'synonyms for distorted',\n", " 'clues': [('distort', 'affect as in thought or feeling'),\n", " ('tinge', 'affect as in thought or feeling'),\n", " ('color', 'affect as in thought or feeling'),\n", " ('warp',\n", " 'make false by mutilation or addition; as of a message or story'),\n", " ('wring', 'twist and press out of shape'),\n", " ('contort', 'twist and press out of shape'),\n", " ('deform', 'twist and press out of shape'),\n", " ('twine', 'form into a spiral shape'),\n", " ('garble',\n", " 'make false by mutilation or addition; as of a message or story'),\n", " ('twist', 'form into a spiral shape'),\n", " ('strain', 'alter the shape of (something) by stress'),\n", " ('falsify',\n", " 'make false by mutilation or addition; as of a message or story')]},\n", " {'answer': 'distracted',\n", " 'hint': 'synonyms for distracted',\n", " 'clues': [('trouble',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('disquiet',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('cark',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('disorder',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('distract', \"draw someone's attention away from something\"),\n", " ('perturb',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed'),\n", " ('deflect', \"draw someone's attention away from something\"),\n", " ('unhinge',\n", " 'disturb in mind or make uneasy or cause to be worried or alarmed')]},\n", " {'answer': 'distributed',\n", " 'hint': 'synonyms for distributed',\n", " 'clues': [('distribute', 'give to several people'),\n", " ('pass around', 'cause to become widely known'),\n", " ('dish out', 'administer or bestow, as in small portions'),\n", " ('propagate', 'cause to become widely known'),\n", " ('dispense', 'administer or bestow, as in small portions'),\n", " ('shell out', 'administer or bestow, as in small portions'),\n", " ('circulate', 'cause be distributed'),\n", " ('mete out', 'administer or bestow, as in small portions'),\n", " ('deal out', 'administer or bestow, as in small portions'),\n", " ('diffuse', 'cause to become widely known'),\n", " ('disseminate', 'cause to become widely known'),\n", " ('stagger', 'to arrange in a systematic order'),\n", " ('spread', 'distribute or disperse widely'),\n", " ('broadcast', 'cause to become widely known'),\n", " ('give out', 'give to several people'),\n", " ('deal', 'administer or bestow, as in small portions'),\n", " ('lot', 'administer or bestow, as in small portions'),\n", " ('circularize', 'cause to become widely known'),\n", " ('allot', 'administer or bestow, as in small portions'),\n", " ('dole out', 'administer or bestow, as in small portions'),\n", " ('hand out', 'give to several people'),\n", " ('parcel out', 'administer or bestow, as in small portions'),\n", " ('administer', 'administer or bestow, as in small portions'),\n", " ('pass on', 'cause be distributed'),\n", " ('pass out', 'give to several people')]},\n", " {'answer': 'disturbed',\n", " 'hint': 'synonyms for disturbed',\n", " 'clues': [('disturb', 'change the arrangement or position of'),\n", " ('stir up', 'change the arrangement or position of'),\n", " ('interrupt', 'destroy the peace or tranquility of'),\n", " ('vex', 'change the arrangement or position of'),\n", " ('shake up', 'change the arrangement or position of'),\n", " ('agitate', 'change the arrangement or position of'),\n", " ('upset', 'move deeply'),\n", " ('touch', 'tamper with'),\n", " ('commove', 'change the arrangement or position of'),\n", " ('trouble', 'move deeply'),\n", " ('raise up', 'change the arrangement or position of')]},\n", " {'answer': 'disturbing',\n", " 'hint': 'synonyms for disturbing',\n", " 'clues': [('disturb', 'change the arrangement or position of'),\n", " ('stir up', 'change the arrangement or position of'),\n", " ('interrupt', 'destroy the peace or tranquility of'),\n", " ('vex', 'change the arrangement or position of'),\n", " ('shake up', 'change the arrangement or position of'),\n", " ('agitate', 'change the arrangement or position of'),\n", " ('upset', 'move deeply'),\n", " ('touch', 'tamper with'),\n", " ('commove', 'change the arrangement or position of'),\n", " ('trouble', 'move deeply'),\n", " ('raise up', 'change the arrangement or position of')]},\n", " {'answer': 'disunited',\n", " 'hint': 'synonyms for disunited',\n", " 'clues': [('disunite', 'part; cease or break association with'),\n", " ('disjoint', 'part; cease or break association with'),\n", " ('separate', 'force, take, or pull apart'),\n", " ('divide', 'force, take, or pull apart'),\n", " ('part', 'force, take, or pull apart'),\n", " ('dissociate', 'part; cease or break association with'),\n", " ('divorce', 'part; cease or break association with')]},\n", " {'answer': 'diverging',\n", " 'hint': 'synonyms for diverging',\n", " 'clues': [('diverge', 'move or draw apart'),\n", " ('vary', 'be at variance with; be out of line with'),\n", " ('deviate', 'be at variance with; be out of line with'),\n", " ('depart', 'be at variance with; be out of line with')]},\n", " {'answer': 'diversified',\n", " 'hint': 'synonyms for diversified',\n", " 'clues': [('diversify',\n", " 'spread into new habitats and produce variety or variegate'),\n", " ('branch out', 'vary in order to spread risk or to expand'),\n", " ('radiate', 'spread into new habitats and produce variety or variegate'),\n", " ('broaden', 'vary in order to spread risk or to expand')]},\n", " {'answer': 'diverted',\n", " 'hint': 'synonyms for diverted',\n", " 'clues': [('deviate', 'turn aside; turn away from'),\n", " ('disport', 'occupy in an agreeable, entertaining or pleasant fashion'),\n", " ('divert', 'turn aside; turn away from'),\n", " ('hive off',\n", " 'withdraw (money) and move into a different location, often secretly and with dishonest intentions'),\n", " ('amuse', 'occupy in an agreeable, entertaining or pleasant fashion')]},\n", " {'answer': 'diverting',\n", " 'hint': 'synonyms for diverting',\n", " 'clues': [('deviate', 'turn aside; turn away from'),\n", " ('disport', 'occupy in an agreeable, entertaining or pleasant fashion'),\n", " ('divert', 'turn aside; turn away from'),\n", " ('hive off',\n", " 'withdraw (money) and move into a different location, often secretly and with dishonest intentions'),\n", " ('amuse', 'occupy in an agreeable, entertaining or pleasant fashion')]},\n", " {'answer': 'divided',\n", " 'hint': 'synonyms for divided',\n", " 'clues': [('divide', 'force, take, or pull apart'),\n", " ('split', 'separate into parts or portions'),\n", " ('disunite', 'force, take, or pull apart'),\n", " ('part', 'force, take, or pull apart'),\n", " ('dissever', 'separate into parts or portions'),\n", " ('separate', 'come apart'),\n", " ('split up', 'separate into parts or portions'),\n", " ('fraction', 'perform a division'),\n", " ('carve up', 'separate into parts or portions')]},\n", " {'answer': 'divorced',\n", " 'hint': 'synonyms for divorced',\n", " 'clues': [('disunite', 'part; cease or break association with'),\n", " ('disjoint', 'part; cease or break association with'),\n", " ('split up', 'get a divorce; formally terminate a marriage'),\n", " ('dissociate', 'part; cease or break association with'),\n", " ('divorce', 'get a divorce; formally terminate a marriage')]},\n", " {'answer': 'doddering',\n", " 'hint': 'synonyms for doddering',\n", " 'clues': [('coggle', 'walk unsteadily'),\n", " ('paddle', 'walk unsteadily'),\n", " ('toddle', 'walk unsteadily'),\n", " ('dodder', 'walk unsteadily'),\n", " ('totter', 'walk unsteadily'),\n", " ('waddle', 'walk unsteadily')]},\n", " {'answer': 'dogged',\n", " 'hint': 'synonyms for dogged',\n", " 'clues': [('give chase', 'go after with the intent to catch'),\n", " ('trail', 'go after with the intent to catch'),\n", " ('dog', 'go after with the intent to catch'),\n", " ('chase', 'go after with the intent to catch'),\n", " ('chase after', 'go after with the intent to catch'),\n", " ('track', 'go after with the intent to catch'),\n", " ('tag', 'go after with the intent to catch'),\n", " ('go after', 'go after with the intent to catch')]},\n", " {'answer': 'dogging',\n", " 'hint': 'synonyms for dogging',\n", " 'clues': [('give chase', 'go after with the intent to catch'),\n", " ('trail', 'go after with the intent to catch'),\n", " ('dog', 'go after with the intent to catch'),\n", " ('chase', 'go after with the intent to catch'),\n", " ('chase after', 'go after with the intent to catch'),\n", " ('track', 'go after with the intent to catch'),\n", " ('tag', 'go after with the intent to catch'),\n", " ('go after', 'go after with the intent to catch')]},\n", " {'answer': 'domesticated',\n", " 'hint': 'synonyms for domesticated',\n", " 'clues': [('reclaim',\n", " 'overcome the wildness of; make docile and tractable'),\n", " ('domesticise', 'overcome the wildness of; make docile and tractable'),\n", " ('cultivate',\n", " 'adapt (a wild plant or unclaimed land) to the environment'),\n", " ('tame', 'adapt (a wild plant or unclaimed land) to the environment'),\n", " ('naturalize',\n", " 'adapt (a wild plant or unclaimed land) to the environment'),\n", " ('domesticate',\n", " 'adapt (a wild plant or unclaimed land) to the environment')]},\n", " {'answer': 'dominated',\n", " 'hint': 'synonyms for dominated',\n", " 'clues': [('dominate',\n", " 'be larger in number, quantity, power, status or importance'),\n", " ('reign', 'be larger in number, quantity, power, status or importance'),\n", " ('overlook', 'look down on'),\n", " ('command', 'look down on'),\n", " ('prevail', 'be larger in number, quantity, power, status or importance'),\n", " ('overshadow', 'be greater in significance than'),\n", " ('predominate',\n", " 'be larger in number, quantity, power, status or importance'),\n", " ('eclipse', 'be greater in significance than'),\n", " ('overtop', 'look down on'),\n", " ('rule', 'be larger in number, quantity, power, status or importance'),\n", " ('master', 'have dominance or the power to defeat over')]},\n", " {'answer': 'dominating',\n", " 'hint': 'synonyms for dominating',\n", " 'clues': [('dominate',\n", " 'be larger in number, quantity, power, status or importance'),\n", " ('reign', 'be larger in number, quantity, power, status or importance'),\n", " ('overlook', 'look down on'),\n", " ('command', 'look down on'),\n", " ('prevail', 'be larger in number, quantity, power, status or importance'),\n", " ('overshadow', 'be greater in significance than'),\n", " ('predominate',\n", " 'be larger in number, quantity, power, status or importance'),\n", " ('eclipse', 'be greater in significance than'),\n", " ('overtop', 'look down on'),\n", " ('rule', 'be larger in number, quantity, power, status or importance'),\n", " ('master', 'have dominance or the power to defeat over')]},\n", " {'answer': 'done',\n", " 'hint': 'synonyms for done',\n", " 'clues': [('manage', 'carry on or function'),\n", " ('come', 'proceed or get along'),\n", " ('serve', 'be sufficient; be adequate, either in quality or quantity'),\n", " ('do', 'carry out or practice; as of jobs and professions'),\n", " ('make', 'create or design, often in a certain way'),\n", " ('set', 'arrange attractively'),\n", " ('perform', 'carry out or perform an action'),\n", " ('act',\n", " 'behave in a certain manner; show a certain behavior; conduct or comport oneself'),\n", " ('execute', 'carry out or perform an action'),\n", " ('exercise', 'carry out or practice; as of jobs and professions'),\n", " ('get along', 'proceed or get along'),\n", " ('practice', 'carry out or practice; as of jobs and professions'),\n", " ('coiffure', 'arrange attractively'),\n", " ('make out', 'proceed or get along'),\n", " ('coif', 'arrange attractively'),\n", " ('cause',\n", " 'give rise to; cause to happen or occur, not always intentionally'),\n", " ('dress', 'arrange attractively'),\n", " ('arrange', 'arrange attractively'),\n", " ('suffice', 'be sufficient; be adequate, either in quality or quantity'),\n", " ('behave',\n", " 'behave in a certain manner; show a certain behavior; conduct or comport oneself'),\n", " ('fare', 'proceed or get along'),\n", " ('answer', 'be sufficient; be adequate, either in quality or quantity')]},\n", " {'answer': 'doomed',\n", " 'hint': 'synonyms for doomed',\n", " 'clues': [('doom', 'make certain of the failure or destruction of'),\n", " ('condemn', 'pronounce a sentence on (somebody) in a court of law'),\n", " ('destine', 'decree or designate beforehand'),\n", " ('sentence', 'pronounce a sentence on (somebody) in a court of law'),\n", " ('designate', 'decree or designate beforehand'),\n", " ('fate', 'decree or designate beforehand')]},\n", " {'answer': 'doting',\n", " 'hint': 'synonyms for doting',\n", " 'clues': [('disperse', 'distribute loosely'),\n", " ('dote', 'shower with love; show excessive affection for'),\n", " ('constellate', 'scatter or intersperse like dots or studs'),\n", " ('sprinkle', 'distribute loosely'),\n", " ('scatter', 'distribute loosely'),\n", " ('stud', 'scatter or intersperse like dots or studs'),\n", " ('dust', 'distribute loosely')]},\n", " {'answer': 'dotted',\n", " 'hint': 'synonyms for dotted',\n", " 'clues': [('disperse', 'distribute loosely'),\n", " ('dot', 'scatter or intersperse like dots or studs'),\n", " ('constellate', 'scatter or intersperse like dots or studs'),\n", " ('sprinkle', 'distribute loosely'),\n", " ('scatter', 'distribute loosely'),\n", " ('stud', 'scatter or intersperse like dots or studs'),\n", " ('dust', 'distribute loosely')]},\n", " {'answer': 'double',\n", " 'hint': 'synonyms for double',\n", " 'clues': [('duplicate', 'increase twofold'),\n", " ('replicate', 'make or do or perform again'),\n", " ('double over', 'bend over or curl up, usually with laughter or pain'),\n", " ('repeat', 'make or do or perform again'),\n", " ('double up', 'bend over or curl up, usually with laughter or pain')]},\n", " {'answer': 'doubled',\n", " 'hint': 'synonyms for doubled',\n", " 'clues': [('double', 'bridge: make a demand for (a card or suit)'),\n", " ('replicate', 'make or do or perform again'),\n", " ('repeat', 'make or do or perform again'),\n", " ('duplicate', 'make or do or perform again'),\n", " ('double over', 'bend over or curl up, usually with laughter or pain'),\n", " ('double up', 'bend over or curl up, usually with laughter or pain')]},\n", " {'answer': 'down',\n", " 'hint': 'synonyms for down',\n", " 'clues': [('polish', 'improve or perfect by pruning or polishing'),\n", " ('pull down', 'cause to come or go down'),\n", " ('toss off', 'drink down entirely'),\n", " ('fine-tune', 'improve or perfect by pruning or polishing'),\n", " ('go through', 'eat immoderately'),\n", " ('knock down', 'cause to come or go down'),\n", " ('devour', 'eat immoderately'),\n", " ('cut down', 'cause to come or go down'),\n", " ('shoot down', 'shoot at and force to come down'),\n", " ('consume', 'eat immoderately'),\n", " ('belt down', 'drink down entirely'),\n", " ('land', 'shoot at and force to come down'),\n", " ('kill', 'drink down entirely'),\n", " ('drink down', 'drink down entirely'),\n", " ('refine', 'improve or perfect by pruning or polishing'),\n", " ('push down', 'cause to come or go down'),\n", " ('pop', 'drink down entirely'),\n", " ('pour down', 'drink down entirely')]},\n", " {'answer': 'dragging',\n", " 'hint': 'synonyms for dragging',\n", " 'clues': [('drag', 'to lag or linger behind'),\n", " ('scuff', 'walk without lifting the feet'),\n", " ('hale', 'draw slowly or heavily'),\n", " ('sweep',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('drop back', 'to lag or linger behind'),\n", " ('sweep up',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('hang back', 'to lag or linger behind'),\n", " ('drag in',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('get behind', 'to lag or linger behind'),\n", " ('dredge',\n", " 'search (as the bottom of a body of water) for something valuable or lost'),\n", " ('drop behind', 'to lag or linger behind'),\n", " ('embroil',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('haul', 'draw slowly or heavily'),\n", " ('trail', 'to lag or linger behind'),\n", " ('draw', 'suck in or take (air)'),\n", " ('puff', 'suck in or take (air)'),\n", " ('tangle',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('drag out', 'proceed for an extended period of time'),\n", " ('cart', 'draw slowly or heavily')]},\n", " {'answer': 'drained',\n", " 'hint': 'synonyms for drained',\n", " 'clues': [('run out', 'flow off gradually'),\n", " ('drain', 'make weak'),\n", " ('enfeeble', 'make weak'),\n", " ('debilitate', 'make weak')]},\n", " {'answer': 'draining',\n", " 'hint': 'synonyms for draining',\n", " 'clues': [('run out', 'flow off gradually'),\n", " ('drain', 'make weak'),\n", " ('enfeeble', 'make weak'),\n", " ('debilitate', 'make weak')]},\n", " {'answer': 'draped',\n", " 'hint': 'synonyms for draped',\n", " 'clues': [('drape', 'arrange in a particular way'),\n", " ('clothe', 'cover as if with clothing'),\n", " ('cloak', 'cover as if with clothing'),\n", " ('robe', 'cover as if with clothing')]},\n", " {'answer': 'drawn',\n", " 'hint': 'synonyms for drawn',\n", " 'clues': [('draw',\n", " 'elicit responses, such as objections, criticism, applause, etc.'),\n", " ('draw and quarter',\n", " 'pull (a person) apart with four horses tied to his extremities, so as to execute him'),\n", " ('tie', 'finish a game with an equal number of points, goals, etc.'),\n", " ('make', 'make, formulate, or derive in the mind'),\n", " ('guide', 'pass over, across, or through'),\n", " ('pull', 'cause to move by pulling'),\n", " ('absorb', 'take in, also metaphorically'),\n", " ('delineate', 'make a mark or lines on a surface'),\n", " ('describe', 'give a description of'),\n", " ('trace', 'make a mark or lines on a surface'),\n", " ('soak up', 'take in, also metaphorically'),\n", " ('take up', 'take in, also metaphorically'),\n", " ('reap', 'get or derive'),\n", " ('pass', 'pass over, across, or through'),\n", " ('eviscerate', 'remove the entrails of'),\n", " ('drag', 'suck in or take (air)'),\n", " ('line', 'make a mark or lines on a surface'),\n", " ('imbibe', 'take in, also metaphorically'),\n", " ('thread', 'thread on or as if on a string'),\n", " ('draw in',\n", " 'direct toward itself or oneself by means of some psychological power or physical attributes'),\n", " ('withdraw', 'remove (a commodity) from (a supply source)'),\n", " ('get', 'earn or achieve a base by being walked by the pitcher'),\n", " ('disembowel', 'remove the entrails of'),\n", " ('pull in',\n", " 'direct toward itself or oneself by means of some psychological power or physical attributes'),\n", " ('force', 'cause to move by pulling'),\n", " ('take out', 'take liquid out of a container or well'),\n", " ('draw off', 'remove (a commodity) from (a supply source)'),\n", " ('take in', 'take in, also metaphorically'),\n", " ('get out',\n", " 'bring, take, or pull out of a container or from under a cover'),\n", " ('run', 'pass over, across, or through'),\n", " ('suck', 'take in, also metaphorically'),\n", " ('depict', 'give a description of'),\n", " ('string', 'thread on or as if on a string'),\n", " ('pull back', \"stretch back a bowstring (on an archer's bow)\"),\n", " ('suck up', 'take in, also metaphorically'),\n", " ('cast', 'choose at random'),\n", " ('puff', 'suck in or take (air)'),\n", " ('sop up', 'take in, also metaphorically'),\n", " ('quarter',\n", " 'pull (a person) apart with four horses tied to his extremities, so as to execute him'),\n", " ('pull out',\n", " 'bring, take, or pull out of a container or from under a cover'),\n", " ('attract',\n", " 'direct toward itself or oneself by means of some psychological power or physical attributes')]},\n", " {'answer': 'dreamed',\n", " 'hint': 'synonyms for dreamed',\n", " 'clues': [('woolgather', 'have a daydream; indulge in a fantasy'),\n", " ('stargaze', 'have a daydream; indulge in a fantasy'),\n", " ('dream', 'experience while sleeping'),\n", " ('daydream', 'have a daydream; indulge in a fantasy')]},\n", " {'answer': 'drenched',\n", " 'hint': 'synonyms for drenched',\n", " 'clues': [('drench', 'force to drink'),\n", " ('souse', 'cover with liquid; pour liquid onto'),\n", " ('swamp', 'drench or submerge or be drenched or submerged'),\n", " ('dowse', 'cover with liquid; pour liquid onto'),\n", " ('sop', 'cover with liquid; pour liquid onto'),\n", " ('douse', 'cover with liquid; pour liquid onto'),\n", " ('soak', 'cover with liquid; pour liquid onto'),\n", " ('imbrue', 'permeate or impregnate')]},\n", " {'answer': 'dress',\n", " 'hint': 'synonyms for dress',\n", " 'clues': [('coiffure', 'arrange attractively'),\n", " ('fit out', 'provide with clothes or put clothes on'),\n", " ('get dressed', 'put on clothes'),\n", " ('plume', 'dress or groom with elaborate care'),\n", " ('primp', 'dress or groom with elaborate care'),\n", " ('crop', 'cultivate, tend, and cut back the growth of'),\n", " ('snip', 'cultivate, tend, and cut back the growth of'),\n", " ('trim', 'cultivate, tend, and cut back the growth of'),\n", " ('dress up', 'dress in a certain manner'),\n", " ('coif', 'arrange attractively'),\n", " ('prune', 'cultivate, tend, and cut back the growth of'),\n", " ('enclothe', 'provide with clothes or put clothes on'),\n", " ('preen', 'dress or groom with elaborate care'),\n", " ('dress out', 'kill and prepare for market or consumption'),\n", " ('arrange', 'arrange attractively'),\n", " ('groom', 'give a neat appearance to'),\n", " ('curry', 'give a neat appearance to'),\n", " ('do', 'arrange attractively'),\n", " ('garb', 'provide with clothes or put clothes on'),\n", " ('habilitate', 'provide with clothes or put clothes on'),\n", " ('decorate', 'provide with decoration'),\n", " ('set', 'arrange attractively'),\n", " ('garment', 'provide with clothes or put clothes on'),\n", " ('clip', 'cultivate, tend, and cut back the growth of'),\n", " ('garnish', 'decorate (food), as with parsley or other ornamental foods'),\n", " ('raiment', 'provide with clothes or put clothes on'),\n", " ('lop', 'cultivate, tend, and cut back the growth of'),\n", " ('cut back', 'cultivate, tend, and cut back the growth of'),\n", " ('apparel', 'provide with clothes or put clothes on'),\n", " ('line up', 'arrange in ranks'),\n", " ('tog', 'provide with clothes or put clothes on')]},\n", " {'answer': 'dressed',\n", " 'hint': 'synonyms for dressed',\n", " 'clues': [('dress', 'cultivate, tend, and cut back the growth of'),\n", " ('fit out', 'provide with clothes or put clothes on'),\n", " ('get dressed', 'put on clothes'),\n", " ('primp', 'dress or groom with elaborate care'),\n", " ('crop', 'cultivate, tend, and cut back the growth of'),\n", " ('dress up', 'dress in a certain manner'),\n", " ('dress out', 'kill and prepare for market or consumption'),\n", " ('groom', 'give a neat appearance to'),\n", " ('do', 'arrange attractively'),\n", " ('garb', 'provide with clothes or put clothes on'),\n", " ('set', 'arrange attractively'),\n", " ('garment', 'provide with clothes or put clothes on'),\n", " ('raiment', 'provide with clothes or put clothes on'),\n", " ('apparel', 'provide with clothes or put clothes on'),\n", " ('tog', 'provide with clothes or put clothes on'),\n", " ('coiffure', 'arrange attractively'),\n", " ('plume', 'dress or groom with elaborate care'),\n", " ('snip', 'cultivate, tend, and cut back the growth of'),\n", " ('trim', 'cultivate, tend, and cut back the growth of'),\n", " ('coif', 'arrange attractively'),\n", " ('prune', 'cultivate, tend, and cut back the growth of'),\n", " ('enclothe', 'provide with clothes or put clothes on'),\n", " ('preen', 'dress or groom with elaborate care'),\n", " ('arrange', 'arrange attractively'),\n", " ('curry', 'give a neat appearance to'),\n", " ('habilitate', 'provide with clothes or put clothes on'),\n", " ('decorate', 'provide with decoration'),\n", " ('clip', 'cultivate, tend, and cut back the growth of'),\n", " ('garnish', 'decorate (food), as with parsley or other ornamental foods'),\n", " ('lop', 'cultivate, tend, and cut back the growth of'),\n", " ('cut back', 'cultivate, tend, and cut back the growth of'),\n", " ('line up', 'arrange in ranks')]},\n", " {'answer': 'drifting',\n", " 'hint': 'synonyms for drifting',\n", " 'clues': [('stray', 'wander from a direct course or at random'),\n", " ('vagabond',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('wander',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('drift', 'be in motion due to some air or water current'),\n", " ('float', 'be in motion due to some air or water current'),\n", " ('cast',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('err', 'wander from a direct course or at random'),\n", " ('be adrift', 'be in motion due to some air or water current'),\n", " ('ramble',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('range',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('tramp',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('roll',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('swan',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('roam',\n", " 'move about aimlessly or without any destination, often in search of food or employment'),\n", " ('blow', 'be in motion due to some air or water current'),\n", " ('freewheel', 'live unhurriedly, irresponsibly, or freely'),\n", " ('rove',\n", " 'move about aimlessly or without any destination, often in search of food or employment')]},\n", " {'answer': 'drilled',\n", " 'hint': 'synonyms for drilled',\n", " 'clues': [('drill',\n", " 'make a hole, especially with a pointed power or hand tool'),\n", " ('practice', 'learn by repetition'),\n", " ('exercise', 'learn by repetition'),\n", " ('bore', 'make a hole, especially with a pointed power or hand tool')]},\n", " {'answer': 'driven',\n", " 'hint': 'synonyms for driven',\n", " 'clues': [('labor', 'strive and make an effort to reach a goal'),\n", " ('drive', 'proceed along in a vehicle'),\n", " ('ram',\n", " 'force into or from an action or state, either physically or metaphorically'),\n", " ('repel', 'cause to move back by force or influence'),\n", " ('take', 'proceed along in a vehicle'),\n", " ('repulse', 'cause to move back by force or influence'),\n", " ('push back', 'cause to move back by force or influence'),\n", " ('force back', 'cause to move back by force or influence'),\n", " ('aim', 'move into a desired direction of discourse'),\n", " ('get', 'move into a desired direction of discourse'),\n", " ('force',\n", " 'force into or from an action or state, either physically or metaphorically'),\n", " ('beat back', 'cause to move back by force or influence'),\n", " ('tug', 'strive and make an effort to reach a goal'),\n", " ('push', 'strive and make an effort to reach a goal'),\n", " ('ride', 'have certain properties when driven'),\n", " ('motor', 'travel or be transported in a vehicle')]},\n", " {'answer': 'driving',\n", " 'hint': 'synonyms for driving',\n", " 'clues': [('labor', 'strive and make an effort to reach a goal'),\n", " ('drive', 'proceed along in a vehicle'),\n", " ('ram',\n", " 'force into or from an action or state, either physically or metaphorically'),\n", " ('repel', 'cause to move back by force or influence'),\n", " ('take', 'proceed along in a vehicle'),\n", " ('repulse', 'cause to move back by force or influence'),\n", " ('push back', 'cause to move back by force or influence'),\n", " ('force back', 'cause to move back by force or influence'),\n", " ('aim', 'move into a desired direction of discourse'),\n", " ('get', 'move into a desired direction of discourse'),\n", " ('force',\n", " 'force into or from an action or state, either physically or metaphorically'),\n", " ('beat back', 'cause to move back by force or influence'),\n", " ('tug', 'strive and make an effort to reach a goal'),\n", " ('push', 'strive and make an effort to reach a goal'),\n", " ('ride', 'have certain properties when driven'),\n", " ('motor', 'travel or be transported in a vehicle')]},\n", " {'answer': 'drooping',\n", " 'hint': 'synonyms for drooping',\n", " 'clues': [('loll', 'hang loosely or laxly'),\n", " ('wilt', 'become limp'),\n", " ('sag',\n", " 'droop, sink, or settle from or as if from pressure or loss of tautness'),\n", " ('droop', 'become limp'),\n", " ('flag',\n", " 'droop, sink, or settle from or as if from pressure or loss of tautness')]},\n", " {'answer': 'dropping',\n", " 'hint': 'synonyms for dropping',\n", " 'clues': [('dribble', 'let or cause to fall in drops'),\n", " ('deteriorate', 'grow worse'),\n", " ('drop down', 'fall or descend to a lower place or level'),\n", " ('drop', 'stop associating with'),\n", " ('spend', 'pay out'),\n", " ('cast', 'get rid of'),\n", " ('pretermit', 'leave undone or leave out'),\n", " ('set down', 'leave or unload'),\n", " ('knock off', 'stop pursuing or acting'),\n", " ('miss', 'leave undone or leave out'),\n", " ('sink', 'fall or descend to a lower place or level'),\n", " ('send away', 'stop associating with'),\n", " ('neglect', 'leave undone or leave out'),\n", " ('shed', 'get rid of'),\n", " ('overleap', 'leave undone or leave out'),\n", " ('leave out', 'leave undone or leave out'),\n", " ('cast off', 'get rid of'),\n", " ('throw', 'get rid of'),\n", " ('shake off', 'get rid of'),\n", " ('unload', 'leave or unload'),\n", " ('degenerate', 'grow worse'),\n", " ('dangle', 'hang freely'),\n", " ('throw off', 'get rid of'),\n", " ('discharge', 'leave or unload'),\n", " ('put down', 'leave or unload'),\n", " ('drip', 'let or cause to fall in drops'),\n", " ('send packing', 'stop associating with'),\n", " ('overlook', 'leave undone or leave out'),\n", " ('expend', 'pay out'),\n", " ('omit', 'leave undone or leave out'),\n", " ('swing', 'hang freely'),\n", " ('drop off', 'leave or unload'),\n", " ('fell', 'cause to fall by or as if by delivering a blow'),\n", " ('strike down', 'cause to fall by or as if by delivering a blow'),\n", " ('flatten', 'lower the pitch of (musical notes)'),\n", " ('throw away', 'get rid of'),\n", " ('devolve', 'grow worse'),\n", " ('dismiss', 'stop associating with')]},\n", " {'answer': 'drudging',\n", " 'hint': 'synonyms for drudging',\n", " 'clues': [('fag', 'work hard'),\n", " ('travail', 'work hard'),\n", " ('grind', 'work hard'),\n", " ('dig', 'work hard'),\n", " ('drudge', 'work hard'),\n", " ('toil', 'work hard'),\n", " ('labor', 'work hard'),\n", " ('moil', 'work hard')]},\n", " {'answer': 'drunk',\n", " 'hint': 'synonyms for drunk',\n", " 'clues': [('imbibe', 'take in liquids'),\n", " ('drink', 'take in liquids'),\n", " ('tope', 'drink excessive amounts of alcohol; be an alcoholic'),\n", " ('pledge', 'propose a toast to'),\n", " ('drink in', 'be fascinated or spell-bound by; pay close attention to'),\n", " ('fuddle', 'consume alcohol'),\n", " ('toast', 'propose a toast to'),\n", " ('salute', 'propose a toast to'),\n", " ('booze', 'consume alcohol'),\n", " ('wassail', 'propose a toast to')]},\n", " {'answer': 'dull',\n", " 'hint': 'synonyms for dull',\n", " 'clues': [('blunt', 'make numb or insensitive'),\n", " ('dampen', 'deaden (a sound or noise), especially by wrapping'),\n", " ('pall', 'become less interesting or attractive'),\n", " ('benumb', 'make numb or insensitive'),\n", " ('numb', 'make numb or insensitive'),\n", " ('damp', 'deaden (a sound or noise), especially by wrapping'),\n", " ('tone down', 'deaden (a sound or noise), especially by wrapping'),\n", " ('mute', 'deaden (a sound or noise), especially by wrapping'),\n", " ('muffle', 'deaden (a sound or noise), especially by wrapping')]},\n", " {'answer': 'dulled',\n", " 'hint': 'synonyms for dulled',\n", " 'clues': [('dull', 'make numb or insensitive'),\n", " ('blunt', 'make numb or insensitive'),\n", " ('dampen', 'deaden (a sound or noise), especially by wrapping'),\n", " ('pall', 'become less interesting or attractive'),\n", " ('benumb', 'make numb or insensitive'),\n", " ('numb', 'make numb or insensitive'),\n", " ('damp', 'deaden (a sound or noise), especially by wrapping'),\n", " ('mute', 'deaden (a sound or noise), especially by wrapping'),\n", " ('tone down', 'deaden (a sound or noise), especially by wrapping'),\n", " ('muffle', 'deaden (a sound or noise), especially by wrapping')]},\n", " {'answer': 'dumbfounded',\n", " 'hint': 'synonyms for dumbfounded',\n", " 'clues': [('baffle', 'be a mystery or bewildering to'),\n", " ('beat', 'be a mystery or bewildering to'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('dumbfound', 'be a mystery or bewildering to'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('bewilder', 'be a mystery or bewildering to'),\n", " ('amaze', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to')]},\n", " {'answer': 'dumbfounding',\n", " 'hint': 'synonyms for dumbfounding',\n", " 'clues': [('baffle', 'be a mystery or bewildering to'),\n", " ('beat', 'be a mystery or bewildering to'),\n", " ('mystify', 'be a mystery or bewildering to'),\n", " ('pose', 'be a mystery or bewildering to'),\n", " ('puzzle', 'be a mystery or bewildering to'),\n", " ('stick', 'be a mystery or bewildering to'),\n", " ('vex', 'be a mystery or bewildering to'),\n", " ('flummox', 'be a mystery or bewildering to'),\n", " ('get', 'be a mystery or bewildering to'),\n", " ('stupefy', 'be a mystery or bewildering to'),\n", " ('perplex', 'be a mystery or bewildering to'),\n", " ('dumbfound', 'be a mystery or bewildering to'),\n", " ('gravel', 'be a mystery or bewildering to'),\n", " ('bewilder', 'be a mystery or bewildering to'),\n", " ('amaze', 'be a mystery or bewildering to'),\n", " ('nonplus', 'be a mystery or bewildering to')]},\n", " {'answer': 'dun',\n", " 'hint': 'synonyms for dun',\n", " 'clues': [('frustrate', 'treat cruelly'),\n", " ('bedevil', 'treat cruelly'),\n", " ('torment', 'treat cruelly'),\n", " ('rag', 'treat cruelly'),\n", " ('crucify', 'treat cruelly')]},\n", " {'answer': 'duplicate',\n", " 'hint': 'synonyms for duplicate',\n", " 'clues': [('replicate', 'make or do or perform again'),\n", " ('twin', 'duplicate or match'),\n", " ('double', 'make or do or perform again'),\n", " ('repeat', 'make or do or perform again'),\n", " ('parallel', 'duplicate or match')]},\n", " {'answer': 'dying',\n", " 'hint': 'synonyms for dying',\n", " 'clues': [('die', 'suffer or face the pain of death'),\n", " ('die out', 'cut or shape with a die'),\n", " ('perish',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('kick the bucket',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pop off',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('conk',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('decease',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('drop dead',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('go', 'stop operating or functioning'),\n", " (\"cash in one's chips\",\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('give out', 'stop operating or functioning'),\n", " ('give-up the ghost',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('break down', 'stop operating or functioning'),\n", " ('pall', 'lose sparkle or bouquet'),\n", " ('pass away',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('break', 'stop operating or functioning'),\n", " ('become flat', 'lose sparkle or bouquet'),\n", " ('go bad', 'stop operating or functioning'),\n", " ('croak',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('conk out', 'stop operating or functioning'),\n", " ('snuff it',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('expire',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('buy the farm',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('exit',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('give way', 'stop operating or functioning'),\n", " ('fail', 'stop operating or functioning'),\n", " ('choke',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pass',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life')]},\n", " {'answer': 'earned',\n", " 'hint': 'synonyms for earned',\n", " 'clues': [('pull in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('realize',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('garner', \"acquire or deserve by one's efforts or actions\"),\n", " ('make',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('bring in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('clear',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('earn',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('take in',\n", " 'earn on some commercial or business transaction; earn as salary or wages'),\n", " ('gain',\n", " 'earn on some commercial or business transaction; earn as salary or wages')]},\n", " {'answer': 'eased',\n", " 'hint': 'synonyms for eased',\n", " 'clues': [('ease', 'lessen pain or discomfort; alleviate'),\n", " ('relieve', 'lessen the intensity of or calm'),\n", " ('facilitate', 'make easier'),\n", " ('still', 'lessen the intensity of or calm'),\n", " ('comfort', 'lessen pain or discomfort; alleviate'),\n", " ('allay', 'lessen the intensity of or calm'),\n", " ('alleviate', 'make easier')]},\n", " {'answer': 'echoing',\n", " 'hint': 'synonyms for echoing',\n", " 'clues': [('echo', 'ring or echo with sound'),\n", " ('reverberate', 'ring or echo with sound'),\n", " ('ring', 'ring or echo with sound'),\n", " ('resound', 'ring or echo with sound'),\n", " ('repeat', 'to say again or imitate'),\n", " ('recall', 'call to mind')]},\n", " {'answer': 'edged',\n", " 'hint': 'synonyms for edged',\n", " 'clues': [('inch', 'advance slowly, as if by inches'),\n", " ('edge', 'advance slowly, as if by inches'),\n", " ('butt on', 'lie adjacent to another or share a boundary'),\n", " ('abut', 'lie adjacent to another or share a boundary'),\n", " ('march', 'lie adjacent to another or share a boundary'),\n", " ('border', 'lie adjacent to another or share a boundary'),\n", " ('butt against', 'lie adjacent to another or share a boundary'),\n", " ('butt', 'lie adjacent to another or share a boundary'),\n", " ('adjoin', 'lie adjacent to another or share a boundary')]},\n", " {'answer': 'edited',\n", " 'hint': 'synonyms for edited',\n", " 'clues': [('edit', 'cut or eliminate'),\n", " ('delete', 'cut or eliminate'),\n", " ('edit out', 'cut and assemble the components of'),\n", " ('redact',\n", " 'prepare for publication or presentation by correcting, revising, or adapting'),\n", " ('blue-pencil', 'cut or eliminate'),\n", " ('cut', 'cut and assemble the components of')]},\n", " {'answer': 'educated',\n", " 'hint': 'synonyms for educated',\n", " 'clues': [('train',\n", " 'teach or refine to be discriminative in taste or judgment'),\n", " ('civilise', 'teach or refine to be discriminative in taste or judgment'),\n", " ('educate', 'give an education to'),\n", " ('prepare', 'create by training and teaching'),\n", " ('develop', 'create by training and teaching'),\n", " ('cultivate',\n", " 'teach or refine to be discriminative in taste or judgment'),\n", " ('school', 'teach or refine to be discriminative in taste or judgment')]},\n", " {'answer': 'effervescing',\n", " 'hint': 'synonyms for effervescing',\n", " 'clues': [('froth', 'become bubbly or frothy or foaming'),\n", " ('sparkle', 'become bubbly or frothy or foaming'),\n", " ('form bubbles', 'become bubbly or frothy or foaming'),\n", " ('fizz', 'become bubbly or frothy or foaming'),\n", " ('effervesce', 'become bubbly or frothy or foaming'),\n", " ('foam', 'become bubbly or frothy or foaming')]},\n", " {'answer': 'elaborate',\n", " 'hint': 'synonyms for elaborate',\n", " 'clues': [('expound',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('rarify', 'make more complex, intricate, or richer'),\n", " ('expand',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('exposit',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('expatiate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('enlarge',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('dilate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('complicate', 'make more complex, intricate, or richer'),\n", " ('flesh out',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('refine', 'make more complex, intricate, or richer'),\n", " ('work out', 'work out in detail'),\n", " ('lucubrate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing')]},\n", " {'answer': 'elaborated',\n", " 'hint': 'synonyms for elaborated',\n", " 'clues': [('elaborate',\n", " 'produce from basic elements or sources; change into a more developed product'),\n", " ('expound',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('rarify', 'make more complex, intricate, or richer'),\n", " ('expand',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('exposit',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('expatiate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('enlarge',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('dilate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('complicate', 'make more complex, intricate, or richer'),\n", " ('flesh out',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('refine', 'make more complex, intricate, or richer'),\n", " ('work out', 'work out in detail'),\n", " ('lucubrate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing')]},\n", " {'answer': 'elapsed',\n", " 'hint': 'synonyms for elapsed',\n", " 'clues': [('elapse', 'pass by'),\n", " ('slip away', 'pass by'),\n", " ('go by', 'pass by'),\n", " ('slip by', 'pass by'),\n", " ('go along', 'pass by'),\n", " ('glide by', 'pass by'),\n", " ('pass', 'pass by')]},\n", " {'answer': 'elated',\n", " 'hint': 'synonyms for elated',\n", " 'clues': [('intoxicate', 'fill with high spirits; fill with optimism'),\n", " ('lift up', 'fill with high spirits; fill with optimism'),\n", " ('elate', 'fill with high spirits; fill with optimism'),\n", " ('pick up', 'fill with high spirits; fill with optimism'),\n", " ('uplift', 'fill with high spirits; fill with optimism')]},\n", " {'answer': 'elating',\n", " 'hint': 'synonyms for elating',\n", " 'clues': [('intoxicate', 'fill with high spirits; fill with optimism'),\n", " ('lift up', 'fill with high spirits; fill with optimism'),\n", " ('elate', 'fill with high spirits; fill with optimism'),\n", " ('pick up', 'fill with high spirits; fill with optimism'),\n", " ('uplift', 'fill with high spirits; fill with optimism')]},\n", " {'answer': 'elevated',\n", " 'hint': 'synonyms for elevated',\n", " 'clues': [('upgrade',\n", " 'give a promotion to or assign to a higher position'),\n", " ('raise', 'raise in rank or condition'),\n", " ('kick upstairs', 'give a promotion to or assign to a higher position'),\n", " ('elevate', 'give a promotion to or assign to a higher position'),\n", " ('get up', 'raise from a lower to a higher position'),\n", " ('lift', 'raise from a lower to a higher position'),\n", " ('bring up', 'raise from a lower to a higher position'),\n", " ('promote', 'give a promotion to or assign to a higher position'),\n", " ('advance', 'give a promotion to or assign to a higher position')]},\n", " {'answer': 'elicited',\n", " 'hint': 'synonyms for elicited',\n", " 'clues': [('draw out', 'deduce (a principle) or construe (a meaning)'),\n", " ('provoke', 'call forth (emotions, feelings, and responses)'),\n", " ('elicit', 'derive by reason'),\n", " ('raise', 'call forth (emotions, feelings, and responses)'),\n", " ('enkindle', 'call forth (emotions, feelings, and responses)'),\n", " ('educe', 'deduce (a principle) or construe (a meaning)'),\n", " ('evoke', 'call forth (emotions, feelings, and responses)'),\n", " ('extract', 'deduce (a principle) or construe (a meaning)'),\n", " ('fire', 'call forth (emotions, feelings, and responses)'),\n", " ('arouse', 'call forth (emotions, feelings, and responses)')]},\n", " {'answer': 'embarrassed',\n", " 'hint': 'synonyms for embarrassed',\n", " 'clues': [('hinder',\n", " 'hinder or prevent the progress or accomplishment of'),\n", " ('blockade', 'hinder or prevent the progress or accomplishment of'),\n", " ('embarrass', 'hinder or prevent the progress or accomplishment of'),\n", " ('block', 'hinder or prevent the progress or accomplishment of'),\n", " ('abash', 'cause to be embarrassed; cause to feel self-conscious'),\n", " ('stymie', 'hinder or prevent the progress or accomplishment of'),\n", " ('obstruct', 'hinder or prevent the progress or accomplishment of'),\n", " ('stymy', 'hinder or prevent the progress or accomplishment of')]},\n", " {'answer': 'embarrassing',\n", " 'hint': 'synonyms for embarrassing',\n", " 'clues': [('hinder',\n", " 'hinder or prevent the progress or accomplishment of'),\n", " ('blockade', 'hinder or prevent the progress or accomplishment of'),\n", " ('embarrass', 'hinder or prevent the progress or accomplishment of'),\n", " ('block', 'hinder or prevent the progress or accomplishment of'),\n", " ('abash', 'cause to be embarrassed; cause to feel self-conscious'),\n", " ('stymie', 'hinder or prevent the progress or accomplishment of'),\n", " ('obstruct', 'hinder or prevent the progress or accomplishment of'),\n", " ('stymy', 'hinder or prevent the progress or accomplishment of')]},\n", " {'answer': 'embedded',\n", " 'hint': 'synonyms for embedded',\n", " 'clues': [('plant', 'fix or set securely or deeply'),\n", " ('implant', 'fix or set securely or deeply'),\n", " ('imbed', 'fix or set securely or deeply'),\n", " ('embed', 'fix or set securely or deeply'),\n", " ('engraft', 'fix or set securely or deeply')]},\n", " {'answer': 'embezzled',\n", " 'hint': 'synonyms for embezzled',\n", " 'clues': [('defalcate',\n", " \"appropriate (as property entrusted to one's care) fraudulently to one's own use\"),\n", " ('misappropriate',\n", " \"appropriate (as property entrusted to one's care) fraudulently to one's own use\"),\n", " ('malversate',\n", " \"appropriate (as property entrusted to one's care) fraudulently to one's own use\"),\n", " ('peculate',\n", " \"appropriate (as property entrusted to one's care) fraudulently to one's own use\"),\n", " ('embezzle',\n", " \"appropriate (as property entrusted to one's care) fraudulently to one's own use\")]},\n", " {'answer': 'embodied',\n", " 'hint': 'synonyms for embodied',\n", " 'clues': [('embody', 'represent, as of a character on stage'),\n", " ('substantiate', 'represent in bodily form'),\n", " ('personify', 'represent, as of a character on stage'),\n", " ('be', 'represent, as of a character on stage'),\n", " ('body forth', 'represent in bodily form'),\n", " ('incarnate', 'represent in bodily form')]},\n", " {'answer': 'emboldened',\n", " 'hint': 'synonyms for emboldened',\n", " 'clues': [('embolden', 'give encouragement to'),\n", " ('hearten', 'give encouragement to'),\n", " ('cheer', 'give encouragement to'),\n", " ('recreate', 'give encouragement to')]},\n", " {'answer': 'embroiled',\n", " 'hint': 'synonyms for embroiled',\n", " 'clues': [('drag in',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('drag',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('tangle',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('sweep',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('embroil',\n", " 'force into some kind of situation, condition, or course of action'),\n", " ('sweep up',\n", " 'force into some kind of situation, condition, or course of action')]},\n", " {'answer': 'emerging',\n", " 'hint': 'synonyms for emerging',\n", " 'clues': [('emerge', 'come out into view, as from concealment'),\n", " ('issue', 'come out of'),\n", " ('egress', 'come out of'),\n", " ('come forth', 'happen or occur as a result of something'),\n", " ('go forth', 'come out of'),\n", " ('come out', 'come out of')]},\n", " {'answer': 'emphasised',\n", " 'hint': 'synonyms for emphasised',\n", " 'clues': [('accent', 'to stress, single out as important'),\n", " ('emphasize', 'to stress, single out as important'),\n", " ('stress', 'to stress, single out as important'),\n", " ('underline', 'give extra weight to (a communication)'),\n", " ('punctuate', 'to stress, single out as important'),\n", " ('underscore', 'give extra weight to (a communication)'),\n", " ('accentuate', 'to stress, single out as important')]},\n", " {'answer': 'emphasized',\n", " 'hint': 'synonyms for emphasized',\n", " 'clues': [('accent', 'to stress, single out as important'),\n", " ('emphasize', 'to stress, single out as important'),\n", " ('stress', 'to stress, single out as important'),\n", " ('underline', 'give extra weight to (a communication)'),\n", " ('punctuate', 'to stress, single out as important'),\n", " ('underscore', 'give extra weight to (a communication)'),\n", " ('accentuate', 'to stress, single out as important')]},\n", " {'answer': 'employed',\n", " 'hint': 'synonyms for employed',\n", " 'clues': [('engage', 'engage or hire for work'),\n", " ('employ',\n", " 'put into service; make work or employ for a particular purpose or for its inherent or natural purpose'),\n", " ('use',\n", " 'put into service; make work or employ for a particular purpose or for its inherent or natural purpose'),\n", " ('utilize',\n", " 'put into service; make work or employ for a particular purpose or for its inherent or natural purpose'),\n", " ('hire', 'engage or hire for work'),\n", " ('apply',\n", " 'put into service; make work or employ for a particular purpose or for its inherent or natural purpose')]},\n", " {'answer': 'empowered',\n", " 'hint': 'synonyms for empowered',\n", " 'clues': [('empower', 'give qualities or abilities to'),\n", " ('authorize', 'give or delegate power or authority to'),\n", " ('gift', 'give qualities or abilities to'),\n", " ('endow', 'give qualities or abilities to'),\n", " ('endue', 'give qualities or abilities to'),\n", " ('indue', 'give qualities or abilities to'),\n", " ('invest', 'give qualities or abilities to')]},\n", " {'answer': 'empty',\n", " 'hint': 'synonyms for empty',\n", " 'clues': [('discharge', 'become empty or void of its content'),\n", " ('vacate', 'leave behind empty; move out of'),\n", " ('void', 'excrete or discharge from the body'),\n", " ('abandon', 'leave behind empty; move out of')]},\n", " {'answer': 'enamored',\n", " 'hint': 'synonyms for enamored',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('enamour', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored'),\n", " ('becharm', 'attract; cause to be enamored')]},\n", " {'answer': 'enchanted',\n", " 'hint': 'synonyms for enchanted',\n", " 'clues': [('enthral', 'hold spellbound'),\n", " ('transport', 'hold spellbound'),\n", " ('catch', 'attract; cause to be enamored'),\n", " ('enchant', 'hold spellbound'),\n", " ('enrapture', 'hold spellbound'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('glamour',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('ravish', 'hold spellbound'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('hex',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('jinx',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('witch',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('delight', 'hold spellbound'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored')]},\n", " {'answer': 'enchanting',\n", " 'hint': 'synonyms for enchanting',\n", " 'clues': [('enthral', 'hold spellbound'),\n", " ('transport', 'hold spellbound'),\n", " ('catch', 'attract; cause to be enamored'),\n", " ('enchant', 'hold spellbound'),\n", " ('enrapture', 'hold spellbound'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('glamour',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('ravish', 'hold spellbound'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('hex',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('jinx',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('witch',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('delight', 'hold spellbound'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored')]},\n", " {'answer': 'enclosed',\n", " 'hint': 'synonyms for enclosed',\n", " 'clues': [('insert', 'introduce'),\n", " ('put in', 'introduce'),\n", " ('enfold', 'enclose or enfold completely with or as if with a covering'),\n", " ('envelop', 'enclose or enfold completely with or as if with a covering'),\n", " ('hold in', 'close in; darkness enclosed him\"'),\n", " ('shut in', 'surround completely'),\n", " ('introduce', 'introduce'),\n", " ('enwrap', 'enclose or enfold completely with or as if with a covering'),\n", " ('confine', 'close in; darkness enclosed him\"'),\n", " ('inclose', 'surround completely'),\n", " ('stick in', 'introduce'),\n", " ('wrap', 'enclose or enfold completely with or as if with a covering'),\n", " ('close in', 'surround completely')]},\n", " {'answer': 'encompassing',\n", " 'hint': 'synonyms for encompassing',\n", " 'clues': [('cover',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\"),\n", " ('embrace',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\"),\n", " ('encompass',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\"),\n", " ('comprehend',\n", " \"include in scope; include as part of something broader; have as one's sphere or territory\")]},\n", " {'answer': 'encouraged',\n", " 'hint': 'synonyms for encouraged',\n", " 'clues': [('encourage',\n", " 'inspire with confidence; give hope or courage to'),\n", " ('boost', 'contribute to the progress or growth of'),\n", " ('advance', 'contribute to the progress or growth of'),\n", " ('promote', 'contribute to the progress or growth of'),\n", " ('further', 'contribute to the progress or growth of')]},\n", " {'answer': 'encouraging',\n", " 'hint': 'synonyms for encouraging',\n", " 'clues': [('encourage',\n", " 'inspire with confidence; give hope or courage to'),\n", " ('boost', 'contribute to the progress or growth of'),\n", " ('advance', 'contribute to the progress or growth of'),\n", " ('promote', 'contribute to the progress or growth of'),\n", " ('further', 'contribute to the progress or growth of')]},\n", " {'answer': 'encroaching',\n", " 'hint': 'synonyms for encroaching',\n", " 'clues': [('encroach', 'impinge or infringe upon'),\n", " ('infringe', 'advance beyond the usual limit'),\n", " ('impinge', 'advance beyond the usual limit'),\n", " ('entrench', 'impinge or infringe upon')]},\n", " {'answer': 'endangered',\n", " 'hint': 'synonyms for endangered',\n", " 'clues': [('imperil', 'pose a threat to; present a danger to'),\n", " ('scupper', 'put in a dangerous, disadvantageous, or difficult position'),\n", " ('menace', 'pose a threat to; present a danger to'),\n", " ('threaten', 'pose a threat to; present a danger to'),\n", " ('peril', 'pose a threat to; present a danger to'),\n", " ('jeopardise', 'pose a threat to; present a danger to'),\n", " ('queer', 'put in a dangerous, disadvantageous, or difficult position'),\n", " ('endanger',\n", " 'put in a dangerous, disadvantageous, or difficult position'),\n", " ('expose',\n", " 'put in a dangerous, disadvantageous, or difficult position')]},\n", " {'answer': 'ended',\n", " 'hint': 'synonyms for ended',\n", " 'clues': [('stop',\n", " 'have an end, in a temporal, spatial, or quantitative sense; either spatial or metaphorical'),\n", " ('end', 'be the end of; be the last or concluding part of'),\n", " ('terminate', 'bring to an end or halt'),\n", " ('cease',\n", " 'have an end, in a temporal, spatial, or quantitative sense; either spatial or metaphorical'),\n", " ('finish',\n", " 'have an end, in a temporal, spatial, or quantitative sense; either spatial or metaphorical')]},\n", " {'answer': 'endowed',\n", " 'hint': 'synonyms for endowed',\n", " 'clues': [('empower', 'give qualities or abilities to'),\n", " ('endow', 'furnish with an endowment'),\n", " ('indue', 'give qualities or abilities to'),\n", " ('invest', 'give qualities or abilities to'),\n", " ('gift', 'give qualities or abilities to'),\n", " ('dower', 'furnish with an endowment'),\n", " ('endue', 'give qualities or abilities to')]},\n", " {'answer': 'enduring',\n", " 'hint': 'synonyms for enduring',\n", " 'clues': [('tolerate', 'put up with something or somebody unpleasant'),\n", " ('endure', 'put up with something or somebody unpleasant'),\n", " ('hold up', 'continue to live through hardship or adversity'),\n", " ('run', 'continue to exist'),\n", " ('live', 'continue to live through hardship or adversity'),\n", " ('last', 'persist for a specified period of time'),\n", " ('abide', 'put up with something or somebody unpleasant'),\n", " ('survive', 'continue to live through hardship or adversity'),\n", " ('put up', 'put up with something or somebody unpleasant'),\n", " ('support', 'put up with something or somebody unpleasant'),\n", " ('live on', 'continue to live through hardship or adversity'),\n", " ('bear', 'put up with something or somebody unpleasant'),\n", " ('brave', 'face and withstand with courage'),\n", " ('stick out', 'put up with something or somebody unpleasant'),\n", " ('go', 'continue to live through hardship or adversity'),\n", " ('suffer', 'put up with something or somebody unpleasant'),\n", " ('hold out', 'last and be usable'),\n", " ('persist', 'continue to exist'),\n", " ('prevail', 'continue to exist'),\n", " ('die hard', 'continue to exist'),\n", " ('stand', 'put up with something or somebody unpleasant'),\n", " ('brave out', 'face and withstand with courage'),\n", " ('wear', 'last and be usable'),\n", " ('digest', 'put up with something or somebody unpleasant'),\n", " ('weather', 'face and withstand with courage'),\n", " ('brook', 'put up with something or somebody unpleasant'),\n", " ('stomach', 'put up with something or somebody unpleasant')]},\n", " {'answer': 'energising',\n", " 'hint': 'synonyms for energising',\n", " 'clues': [('energize', 'cause to be alert and energetic'),\n", " ('brace', 'cause to be alert and energetic'),\n", " ('excite', 'raise to a higher energy level'),\n", " ('arouse', 'cause to be alert and energetic'),\n", " ('perk up', 'cause to be alert and energetic'),\n", " ('stimulate', 'cause to be alert and energetic')]},\n", " {'answer': 'energizing',\n", " 'hint': 'synonyms for energizing',\n", " 'clues': [('energize', 'cause to be alert and energetic'),\n", " ('excite', 'raise to a higher energy level'),\n", " ('perk up', 'cause to be alert and energetic'),\n", " ('arouse', 'cause to be alert and energetic'),\n", " ('brace', 'cause to be alert and energetic'),\n", " ('stimulate', 'cause to be alert and energetic')]},\n", " {'answer': 'enervated',\n", " 'hint': 'synonyms for enervated',\n", " 'clues': [('faze', 'disturb the composure of'),\n", " ('unnerve', 'disturb the composure of'),\n", " ('enervate', 'weaken mentally or morally'),\n", " ('unsettle', 'disturb the composure of')]},\n", " {'answer': 'enervating',\n", " 'hint': 'synonyms for enervating',\n", " 'clues': [('faze', 'disturb the composure of'),\n", " ('unnerve', 'disturb the composure of'),\n", " ('enervate', 'weaken mentally or morally'),\n", " ('unsettle', 'disturb the composure of')]},\n", " {'answer': 'enforced',\n", " 'hint': 'synonyms for enforced',\n", " 'clues': [('apply', 'ensure observance of laws and rules'),\n", " ('enforce', 'ensure observance of laws and rules'),\n", " ('impose', 'compel to behave in a certain way'),\n", " ('implement', 'ensure observance of laws and rules')]},\n", " {'answer': 'engaged',\n", " 'hint': 'synonyms for engaged',\n", " 'clues': [('pursue',\n", " 'carry out or participate in an activity; be involved in'),\n", " ('engage', 'engage or hire for work'),\n", " ('prosecute', 'carry out or participate in an activity; be involved in'),\n", " ('rent', 'engage for service under a term of contract'),\n", " ('operate', 'keep engaged'),\n", " ('hire', 'engage for service under a term of contract'),\n", " ('plight', 'give to in marriage'),\n", " ('take', 'engage for service under a term of contract'),\n", " ('employ', 'engage or hire for work'),\n", " ('engross', \"consume all of one's attention or time\"),\n", " ('lease', 'engage for service under a term of contract'),\n", " ('affiance', 'give to in marriage'),\n", " ('absorb', \"consume all of one's attention or time\"),\n", " ('enlist', 'hire for work or assistance'),\n", " ('lock', 'keep engaged'),\n", " ('charter', 'engage for service under a term of contract'),\n", " ('betroth', 'give to in marriage'),\n", " ('mesh', 'keep engaged'),\n", " ('occupy', \"consume all of one's attention or time\"),\n", " ('wage', 'carry on (wars, battles, or campaigns)')]},\n", " {'answer': 'engaging',\n", " 'hint': 'synonyms for engaging',\n", " 'clues': [('pursue',\n", " 'carry out or participate in an activity; be involved in'),\n", " ('engage', 'engage or hire for work'),\n", " ('prosecute', 'carry out or participate in an activity; be involved in'),\n", " ('rent', 'engage for service under a term of contract'),\n", " ('operate', 'keep engaged'),\n", " ('hire', 'engage for service under a term of contract'),\n", " ('plight', 'give to in marriage'),\n", " ('take', 'engage for service under a term of contract'),\n", " ('employ', 'engage or hire for work'),\n", " ('engross', \"consume all of one's attention or time\"),\n", " ('lease', 'engage for service under a term of contract'),\n", " ('affiance', 'give to in marriage'),\n", " ('absorb', \"consume all of one's attention or time\"),\n", " ('enlist', 'hire for work or assistance'),\n", " ('lock', 'keep engaged'),\n", " ('charter', 'engage for service under a term of contract'),\n", " ('betroth', 'give to in marriage'),\n", " ('mesh', 'keep engaged'),\n", " ('occupy', \"consume all of one's attention or time\"),\n", " ('wage', 'carry on (wars, battles, or campaigns)')]},\n", " {'answer': 'engorged',\n", " 'hint': 'synonyms for engorged',\n", " 'clues': [('englut', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('glut', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('engorge', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('stuff', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('gormandize', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('overindulge', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('overgorge', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('ingurgitate', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('pig out', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('gorge', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('satiate', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('scarf out', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('overeat', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('binge', 'overeat or eat immodestly; make a pig of oneself')]},\n", " {'answer': 'engraved',\n", " 'hint': 'synonyms for engraved',\n", " 'clues': [('etch', 'carve or cut a design or letters into'),\n", " ('grave', 'carve, cut, or etch into a material or surface'),\n", " ('engrave',\n", " 'carve or cut into a block used for printing or print from such a block'),\n", " ('inscribe', 'carve, cut, or etch into a material or surface'),\n", " ('scratch', 'carve, cut, or etch into a material or surface')]},\n", " {'answer': 'engrossed',\n", " 'hint': 'synonyms for engrossed',\n", " 'clues': [('steep', 'devote (oneself) fully to'),\n", " ('absorb', \"consume all of one's attention or time\"),\n", " ('immerse', 'devote (oneself) fully to'),\n", " ('plunge', 'devote (oneself) fully to'),\n", " ('engulf', 'devote (oneself) fully to'),\n", " ('soak up', 'devote (oneself) fully to'),\n", " ('engage', \"consume all of one's attention or time\"),\n", " ('engross', \"consume all of one's attention or time\"),\n", " ('occupy', \"consume all of one's attention or time\")]},\n", " {'answer': 'engrossing',\n", " 'hint': 'synonyms for engrossing',\n", " 'clues': [('steep', 'devote (oneself) fully to'),\n", " ('absorb', \"consume all of one's attention or time\"),\n", " ('immerse', 'devote (oneself) fully to'),\n", " ('plunge', 'devote (oneself) fully to'),\n", " ('engulf', 'devote (oneself) fully to'),\n", " ('soak up', 'devote (oneself) fully to'),\n", " ('engage', \"consume all of one's attention or time\"),\n", " ('engross', \"consume all of one's attention or time\"),\n", " ('occupy', \"consume all of one's attention or time\")]},\n", " {'answer': 'enkindled',\n", " 'hint': 'synonyms for enkindled',\n", " 'clues': [('enkindle', 'cause to start burning'),\n", " ('provoke', 'call forth (emotions, feelings, and responses)'),\n", " ('conflagrate', 'cause to start burning'),\n", " ('raise', 'call forth (emotions, feelings, and responses)'),\n", " ('fire', 'call forth (emotions, feelings, and responses)'),\n", " ('evoke', 'call forth (emotions, feelings, and responses)'),\n", " ('elicit', 'call forth (emotions, feelings, and responses)'),\n", " ('inflame', 'cause to start burning'),\n", " ('arouse', 'call forth (emotions, feelings, and responses)')]},\n", " {'answer': 'enlarged',\n", " 'hint': 'synonyms for enlarged',\n", " 'clues': [('expound',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('enlarge', 'make large'),\n", " ('elaborate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('expand',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('exposit',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('expatiate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('dilate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('blow up', 'make large'),\n", " ('flesh out',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('magnify', 'make large'),\n", " ('lucubrate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing')]},\n", " {'answer': 'enlightened',\n", " 'hint': 'synonyms for enlightened',\n", " 'clues': [('clear', 'make free from confusion or ambiguity; make clear'),\n", " ('illuminate', 'make free from confusion or ambiguity; make clear'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('edify', 'make understand'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('irradiate', 'give spiritual insight to; in religion'),\n", " ('clear up', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('crystalise', 'make free from confusion or ambiguity; make clear'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear')]},\n", " {'answer': 'enlightening',\n", " 'hint': 'synonyms for enlightening',\n", " 'clues': [('clear', 'make free from confusion or ambiguity; make clear'),\n", " ('illuminate', 'make free from confusion or ambiguity; make clear'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('edify', 'make understand'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('irradiate', 'give spiritual insight to; in religion'),\n", " ('clear up', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('crystalise', 'make free from confusion or ambiguity; make clear'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear')]},\n", " {'answer': 'enlivened',\n", " 'hint': 'synonyms for enlivened',\n", " 'clues': [('inspire', 'heighten or intensify'),\n", " ('liven up', 'make lively'),\n", " ('enliven', 'make lively'),\n", " ('invigorate', 'make lively'),\n", " ('liven', 'make lively'),\n", " ('animate', 'make lively'),\n", " ('exalt', 'heighten or intensify')]},\n", " {'answer': 'enlivening',\n", " 'hint': 'synonyms for enlivening',\n", " 'clues': [('inspire', 'heighten or intensify'),\n", " ('liven up', 'make lively'),\n", " ('enliven', 'make lively'),\n", " ('invigorate', 'make lively'),\n", " ('liven', 'make lively'),\n", " ('animate', 'make lively'),\n", " ('exalt', 'heighten or intensify')]},\n", " {'answer': 'ennobling',\n", " 'hint': 'synonyms for ennobling',\n", " 'clues': [('dignify', 'confer dignity or honor upon'),\n", " ('gentle',\n", " 'give a title to someone; make someone a member of the nobility'),\n", " ('ennoble', 'confer dignity or honor upon'),\n", " ('entitle',\n", " 'give a title to someone; make someone a member of the nobility')]},\n", " {'answer': 'enraptured',\n", " 'hint': 'synonyms for enraptured',\n", " 'clues': [('enthral', 'hold spellbound'),\n", " ('transport', 'hold spellbound'),\n", " ('delight', 'hold spellbound'),\n", " ('ravish', 'hold spellbound'),\n", " ('enchant', 'hold spellbound'),\n", " ('enrapture', 'hold spellbound')]},\n", " {'answer': 'entangled',\n", " 'hint': 'synonyms for entangled',\n", " 'clues': [('entangle', 'twist together or entwine into a confusing mass'),\n", " ('mat', 'twist together or entwine into a confusing mass'),\n", " ('mire', 'entrap'),\n", " ('snarl', 'twist together or entwine into a confusing mass')]},\n", " {'answer': 'entertained',\n", " 'hint': 'synonyms for entertained',\n", " 'clues': [('nurse', 'maintain (a theory, thoughts, or feelings)'),\n", " ('think of', 'take into consideration, have in view'),\n", " ('harbor', 'maintain (a theory, thoughts, or feelings)'),\n", " ('hold', 'maintain (a theory, thoughts, or feelings)'),\n", " ('entertain', 'provide entertainment for'),\n", " ('think about', 'take into consideration, have in view'),\n", " ('toy with', 'take into consideration, have in view'),\n", " ('flirt with', 'take into consideration, have in view')]},\n", " {'answer': 'entertaining',\n", " 'hint': 'synonyms for entertaining',\n", " 'clues': [('nurse', 'maintain (a theory, thoughts, or feelings)'),\n", " ('think of', 'take into consideration, have in view'),\n", " ('harbor', 'maintain (a theory, thoughts, or feelings)'),\n", " ('hold', 'maintain (a theory, thoughts, or feelings)'),\n", " ('entertain', 'provide entertainment for'),\n", " ('think about', 'take into consideration, have in view'),\n", " ('toy with', 'take into consideration, have in view'),\n", " ('flirt with', 'take into consideration, have in view')]},\n", " {'answer': 'enthralled',\n", " 'hint': 'synonyms for enthralled',\n", " 'clues': [('enthral', 'hold spellbound'),\n", " ('transport', 'hold spellbound'),\n", " ('enchant', 'hold spellbound'),\n", " ('enrapture', 'hold spellbound'),\n", " ('delight', 'hold spellbound'),\n", " ('ravish', 'hold spellbound')]},\n", " {'answer': 'enthralling',\n", " 'hint': 'synonyms for enthralling',\n", " 'clues': [('enthral', 'hold spellbound'),\n", " ('transport', 'hold spellbound'),\n", " ('enchant', 'hold spellbound'),\n", " ('enrapture', 'hold spellbound'),\n", " ('delight', 'hold spellbound'),\n", " ('ravish', 'hold spellbound')]},\n", " {'answer': 'entitled',\n", " 'hint': 'synonyms for entitled',\n", " 'clues': [('gentle',\n", " 'give a title to someone; make someone a member of the nobility'),\n", " ('entitle', 'give the right to'),\n", " ('title', 'give a title to'),\n", " ('ennoble',\n", " 'give a title to someone; make someone a member of the nobility')]},\n", " {'answer': 'entranced',\n", " 'hint': 'synonyms for entranced',\n", " 'clues': [('spellbind', 'put into a trance'),\n", " ('catch', 'attract; cause to be enamored'),\n", " ('entrance', 'put into a trance'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('enamour', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored'),\n", " ('becharm', 'attract; cause to be enamored')]},\n", " {'answer': 'entrancing',\n", " 'hint': 'synonyms for entrancing',\n", " 'clues': [('spellbind', 'put into a trance'),\n", " ('catch', 'attract; cause to be enamored'),\n", " ('entrance', 'put into a trance'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('enamour', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored'),\n", " ('becharm', 'attract; cause to be enamored')]},\n", " {'answer': 'entrenched',\n", " 'hint': 'synonyms for entrenched',\n", " 'clues': [('entrench', 'occupy a trench or secured area'),\n", " ('encroach', 'impinge or infringe upon'),\n", " ('dig in', 'occupy a trench or secured area'),\n", " ('impinge', 'impinge or infringe upon')]},\n", " {'answer': 'enveloping',\n", " 'hint': 'synonyms for enveloping',\n", " 'clues': [('wrap',\n", " 'enclose or enfold completely with or as if with a covering'),\n", " ('enfold', 'enclose or enfold completely with or as if with a covering'),\n", " ('enclose', 'enclose or enfold completely with or as if with a covering'),\n", " ('envelop', 'enclose or enfold completely with or as if with a covering'),\n", " ('enwrap',\n", " 'enclose or enfold completely with or as if with a covering')]},\n", " {'answer': 'envisioned',\n", " 'hint': 'synonyms for envisioned',\n", " 'clues': [('see', \"imagine; conceive of; see in one's mind\"),\n", " ('foresee', 'picture to oneself; imagine possible'),\n", " ('envision', 'picture to oneself; imagine possible'),\n", " ('visualize', \"imagine; conceive of; see in one's mind\"),\n", " ('figure', \"imagine; conceive of; see in one's mind\"),\n", " ('picture', \"imagine; conceive of; see in one's mind\"),\n", " ('project', \"imagine; conceive of; see in one's mind\"),\n", " ('image', \"imagine; conceive of; see in one's mind\"),\n", " ('fancy', \"imagine; conceive of; see in one's mind\")]},\n", " {'answer': 'enwrapped',\n", " 'hint': 'synonyms for enwrapped',\n", " 'clues': [('wrap',\n", " 'enclose or enfold completely with or as if with a covering'),\n", " ('enfold', 'enclose or enfold completely with or as if with a covering'),\n", " ('enclose', 'enclose or enfold completely with or as if with a covering'),\n", " ('envelop', 'enclose or enfold completely with or as if with a covering'),\n", " ('enwrap',\n", " 'enclose or enfold completely with or as if with a covering')]},\n", " {'answer': 'equal',\n", " 'hint': 'synonyms for equal',\n", " 'clues': [('touch', 'be equal to in quality or ability'),\n", " ('be', 'be identical or equivalent to'),\n", " ('rival', 'be equal to in quality or ability'),\n", " ('match', 'make equal, uniform, corresponding, or matching'),\n", " ('equalise', 'make equal, uniform, corresponding, or matching'),\n", " ('equate', 'make equal, uniform, corresponding, or matching')]},\n", " {'answer': 'equipped',\n", " 'hint': 'synonyms for equipped',\n", " 'clues': [('fit out',\n", " 'provide with (something) usually for a specific purpose'),\n", " ('outfit', 'provide with (something) usually for a specific purpose'),\n", " ('equip', 'provide with (something) usually for a specific purpose'),\n", " ('fit', 'provide with (something) usually for a specific purpose')]},\n", " {'answer': 'erect',\n", " 'hint': 'synonyms for erect',\n", " 'clues': [('raise', 'construct, build, or erect'),\n", " ('rear', 'construct, build, or erect'),\n", " ('put up', 'construct, build, or erect'),\n", " ('set up', 'construct, build, or erect')]},\n", " {'answer': 'eroded',\n", " 'hint': 'synonyms for eroded',\n", " 'clues': [('gnaw at', 'become ground down or deteriorate'),\n", " ('eat at', 'become ground down or deteriorate'),\n", " ('erode', 'become ground down or deteriorate'),\n", " ('gnaw', 'become ground down or deteriorate'),\n", " ('wear away', 'become ground down or deteriorate'),\n", " ('fret', 'remove soil or rock'),\n", " ('eat away', 'remove soil or rock')]},\n", " {'answer': 'erring',\n", " 'hint': 'synonyms for erring',\n", " 'clues': [('mistake', 'to make a mistake or be incorrect'),\n", " ('err', 'to make a mistake or be incorrect'),\n", " ('stray', 'wander from a direct course or at random'),\n", " ('drift', 'wander from a direct course or at random'),\n", " ('slip', 'to make a mistake or be incorrect')]},\n", " {'answer': 'escaped',\n", " 'hint': 'synonyms for escaped',\n", " 'clues': [('lam', \"flee; take to one's heels; cut and run\"),\n", " ('escape', 'fail to experience'),\n", " ('turn tail', \"flee; take to one's heels; cut and run\"),\n", " ('take to the woods', \"flee; take to one's heels; cut and run\"),\n", " ('scat', \"flee; take to one's heels; cut and run\"),\n", " ('get by',\n", " 'escape potentially unpleasant consequences; get away with a forbidden action'),\n", " ('break loose', 'run away from confinement'),\n", " ('bunk', \"flee; take to one's heels; cut and run\"),\n", " ('get off',\n", " 'escape potentially unpleasant consequences; get away with a forbidden action'),\n", " ('fly the coop', \"flee; take to one's heels; cut and run\"),\n", " ('get away', 'run away from confinement'),\n", " ('scarper', \"flee; take to one's heels; cut and run\"),\n", " ('head for the hills', \"flee; take to one's heels; cut and run\"),\n", " ('break away', \"flee; take to one's heels; cut and run\"),\n", " ('get out',\n", " 'escape potentially unpleasant consequences; get away with a forbidden action'),\n", " ('run', \"flee; take to one's heels; cut and run\"),\n", " ('hightail it', \"flee; take to one's heels; cut and run\"),\n", " ('run away', \"flee; take to one's heels; cut and run\"),\n", " ('elude', 'be incomprehensible to; escape understanding by'),\n", " ('miss', 'fail to experience')]},\n", " {'answer': 'established',\n", " 'hint': 'synonyms for established',\n", " 'clues': [('build', 'build or establish something abstract'),\n", " ('make', 'institute, enact, or establish'),\n", " ('institute', 'set up or lay the groundwork for'),\n", " ('establish', 'set up or lay the groundwork for'),\n", " ('shew',\n", " 'establish the validity of something, as by an example, explanation or experiment'),\n", " ('plant', 'set up or lay the groundwork for'),\n", " ('give', 'bring about'),\n", " ('show',\n", " 'establish the validity of something, as by an example, explanation or experiment'),\n", " ('ground', 'use as a basis for; found on'),\n", " ('set up', 'set up or found'),\n", " ('base', 'use as a basis for; found on'),\n", " ('instal', 'place'),\n", " ('lay down', 'institute, enact, or establish'),\n", " ('found', 'set up or lay the groundwork for'),\n", " ('launch', 'set up or found'),\n", " ('demonstrate',\n", " 'establish the validity of something, as by an example, explanation or experiment'),\n", " ('prove',\n", " 'establish the validity of something, as by an example, explanation or experiment'),\n", " ('constitute', 'set up or lay the groundwork for')]},\n", " {'answer': 'esteemed',\n", " 'hint': 'synonyms for esteemed',\n", " 'clues': [('repute', 'look on as or consider'),\n", " ('esteem', 'regard highly; think much of'),\n", " ('respect', 'regard highly; think much of'),\n", " ('think of', 'look on as or consider'),\n", " ('regard as', 'look on as or consider'),\n", " ('look on', 'look on as or consider'),\n", " ('take to be', 'look on as or consider'),\n", " ('prize', 'regard highly; think much of'),\n", " ('prise', 'regard highly; think much of'),\n", " ('value', 'regard highly; think much of')]},\n", " {'answer': 'estranged',\n", " 'hint': 'synonyms for estranged',\n", " 'clues': [('estrange',\n", " 'remove from customary environment or associations'),\n", " ('disaffect',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('alienate',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('alien',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness')]},\n", " {'answer': 'estranging',\n", " 'hint': 'synonyms for estranging',\n", " 'clues': [('estrange',\n", " 'remove from customary environment or associations'),\n", " ('disaffect',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('alienate',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness'),\n", " ('alien',\n", " 'arouse hostility or indifference in where there had formerly been love, affection, or friendliness')]},\n", " {'answer': 'evaporated',\n", " 'hint': 'synonyms for evaporated',\n", " 'clues': [('vaporise', 'cause to change into a vapor'),\n", " ('disappear', 'become less intense and fade away gradually'),\n", " ('evaporate', 'change into a vapor'),\n", " ('melt', 'become less intense and fade away gradually')]},\n", " {'answer': 'evidenced',\n", " 'hint': 'synonyms for evidenced',\n", " 'clues': [('manifest',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('bear witness', 'provide evidence for'),\n", " ('certify',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('evidence', 'provide evidence for'),\n", " ('prove', 'provide evidence for'),\n", " ('testify', 'provide evidence for'),\n", " ('demonstrate',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('attest',\n", " \"provide evidence for; stand as proof of; show by one's behavior, attitude, or external attributes\"),\n", " ('show', 'provide evidence for'),\n", " ('tell', 'give evidence')]},\n", " {'answer': 'evoked',\n", " 'hint': 'synonyms for evoked',\n", " 'clues': [('call forth', 'evoke or provoke to appear or occur'),\n", " ('raise', 'call forth (emotions, feelings, and responses)'),\n", " ('invoke',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('enkindle', 'call forth (emotions, feelings, and responses)'),\n", " ('call down',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('conjure up',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('bring up',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('extract', 'deduce (a principle) or construe (a meaning)'),\n", " ('stir',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('put forward',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('provoke', 'evoke or provoke to appear or occur'),\n", " ('arouse', 'call forth (emotions, feelings, and responses)'),\n", " ('draw out', 'deduce (a principle) or construe (a meaning)'),\n", " ('evoke', 'evoke or provoke to appear or occur'),\n", " ('educe', 'deduce (a principle) or construe (a meaning)'),\n", " ('suggest', 'call to mind'),\n", " ('kick up', 'evoke or provoke to appear or occur'),\n", " ('conjure',\n", " 'summon into action or bring into existence, often as if by magic'),\n", " ('elicit', 'call forth (emotions, feelings, and responses)'),\n", " ('paint a picture', 'call to mind'),\n", " ('fire', 'call forth (emotions, feelings, and responses)')]},\n", " {'answer': 'exacerbating',\n", " 'hint': 'synonyms for exacerbating',\n", " 'clues': [('exasperate', 'make worse'),\n", " ('exacerbate', 'exasperate or irritate'),\n", " ('worsen', 'make worse'),\n", " ('aggravate', 'exasperate or irritate')]},\n", " {'answer': 'exacting',\n", " 'hint': 'synonyms for exacting',\n", " 'clues': [('demand', 'claim as due or just'),\n", " ('claim',\n", " 'take as an undesirable consequence of some event or state of affairs'),\n", " ('take',\n", " 'take as an undesirable consequence of some event or state of affairs'),\n", " ('exact',\n", " 'take as an undesirable consequence of some event or state of affairs')]},\n", " {'answer': 'exaggerated',\n", " 'hint': 'synonyms for exaggerated',\n", " 'clues': [('amplify', 'to enlarge beyond bounds or the truth'),\n", " ('hyperbolize', 'to enlarge beyond bounds or the truth'),\n", " ('overdraw', 'to enlarge beyond bounds or the truth'),\n", " ('exaggerate', 'to enlarge beyond bounds or the truth'),\n", " ('overdo', 'do something to an excessive degree'),\n", " ('magnify', 'to enlarge beyond bounds or the truth'),\n", " ('overstate', 'to enlarge beyond bounds or the truth')]},\n", " {'answer': 'exalted',\n", " 'hint': 'synonyms for exalted',\n", " 'clues': [('inspire', 'heighten or intensify'),\n", " ('exalt', 'praise, glorify, or honor'),\n", " ('laud', 'praise, glorify, or honor'),\n", " ('thrill', 'fill with sublime emotion'),\n", " ('extol', 'praise, glorify, or honor'),\n", " ('beatify', 'fill with sublime emotion'),\n", " ('proclaim', 'praise, glorify, or honor'),\n", " ('invigorate', 'heighten or intensify'),\n", " ('tickle pink', 'fill with sublime emotion'),\n", " ('glorify', 'praise, glorify, or honor'),\n", " ('exhilarate', 'fill with sublime emotion'),\n", " ('inebriate', 'fill with sublime emotion'),\n", " ('enliven', 'heighten or intensify'),\n", " ('animate', 'heighten or intensify')]},\n", " {'answer': 'exalting',\n", " 'hint': 'synonyms for exalting',\n", " 'clues': [('inspire', 'heighten or intensify'),\n", " ('exalt', 'praise, glorify, or honor'),\n", " ('laud', 'praise, glorify, or honor'),\n", " ('thrill', 'fill with sublime emotion'),\n", " ('extol', 'praise, glorify, or honor'),\n", " ('beatify', 'fill with sublime emotion'),\n", " ('proclaim', 'praise, glorify, or honor'),\n", " ('invigorate', 'heighten or intensify'),\n", " ('tickle pink', 'fill with sublime emotion'),\n", " ('glorify', 'praise, glorify, or honor'),\n", " ('exhilarate', 'fill with sublime emotion'),\n", " ('inebriate', 'fill with sublime emotion'),\n", " ('enliven', 'heighten or intensify'),\n", " ('animate', 'heighten or intensify')]},\n", " {'answer': 'exasperated',\n", " 'hint': 'synonyms for exasperated',\n", " 'clues': [('exasperate', 'make worse'),\n", " ('infuriate', 'make furious'),\n", " ('exacerbate', 'make worse'),\n", " ('incense', 'make furious'),\n", " ('aggravate', 'make worse'),\n", " ('worsen', 'make worse')]},\n", " {'answer': 'exasperating',\n", " 'hint': 'synonyms for exasperating',\n", " 'clues': [('exasperate', 'make worse'),\n", " ('infuriate', 'make furious'),\n", " ('exacerbate', 'make worse'),\n", " ('incense', 'make furious'),\n", " ('aggravate', 'make worse'),\n", " ('worsen', 'make worse')]},\n", " {'answer': 'exceeding',\n", " 'hint': 'synonyms for exceeding',\n", " 'clues': [('transcend', 'be superior or better than some standard'),\n", " ('outstrip', 'be or do something to a greater degree'),\n", " ('outdo', 'be or do something to a greater degree'),\n", " ('exceed', 'be or do something to a greater degree'),\n", " ('outperform', 'be or do something to a greater degree'),\n", " ('surmount', 'be or do something to a greater degree'),\n", " ('pass', 'be superior or better than some standard'),\n", " ('go past', 'be superior or better than some standard'),\n", " ('outgo', 'be or do something to a greater degree'),\n", " ('top', 'be superior or better than some standard'),\n", " ('overstep', 'be superior or better than some standard'),\n", " ('outmatch', 'be or do something to a greater degree'),\n", " ('surpass', 'be or do something to a greater degree')]},\n", " {'answer': 'exchanged',\n", " 'hint': 'synonyms for exchanged',\n", " 'clues': [('exchange',\n", " 'put in the place of another; switch seemingly equivalent items'),\n", " ('interchange',\n", " 'put in the place of another; switch seemingly equivalent items'),\n", " ('commute',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('convert',\n", " 'exchange or replace with another, usually of the same kind or category'),\n", " ('switch', 'change over, change around, as to a new order or sequence'),\n", " ('switch over',\n", " 'change over, change around, as to a new order or sequence'),\n", " ('substitute',\n", " 'put in the place of another; switch seemingly equivalent items'),\n", " ('replace',\n", " 'put in the place of another; switch seemingly equivalent items')]},\n", " {'answer': 'excited',\n", " 'hint': 'synonyms for excited',\n", " 'clues': [('excite', 'stir feelings in'),\n", " ('commove', 'cause to be agitated, excited, or roused'),\n", " ('arouse', 'stimulate sexually'),\n", " ('shake up', 'stir the feelings, emotions, or peace of'),\n", " ('shake', 'stir the feelings, emotions, or peace of'),\n", " ('stimulate', 'stir the feelings, emotions, or peace of'),\n", " ('charge', 'cause to be agitated, excited, or roused'),\n", " ('turn on', 'cause to be agitated, excited, or roused'),\n", " ('agitate', 'cause to be agitated, excited, or roused'),\n", " ('stir', 'stir the feelings, emotions, or peace of'),\n", " ('energize', 'raise to a higher energy level'),\n", " ('charge up', 'cause to be agitated, excited, or roused'),\n", " ('sex', 'stimulate sexually'),\n", " ('wind up', 'stimulate sexually')]},\n", " {'answer': 'exciting',\n", " 'hint': 'synonyms for exciting',\n", " 'clues': [('excite', 'stir feelings in'),\n", " ('commove', 'cause to be agitated, excited, or roused'),\n", " ('arouse', 'stimulate sexually'),\n", " ('shake up', 'stir the feelings, emotions, or peace of'),\n", " ('shake', 'stir the feelings, emotions, or peace of'),\n", " ('stimulate', 'stir the feelings, emotions, or peace of'),\n", " ('charge', 'cause to be agitated, excited, or roused'),\n", " ('turn on', 'cause to be agitated, excited, or roused'),\n", " ('agitate', 'cause to be agitated, excited, or roused'),\n", " ('stir', 'stir the feelings, emotions, or peace of'),\n", " ('energize', 'raise to a higher energy level'),\n", " ('charge up', 'cause to be agitated, excited, or roused'),\n", " ('sex', 'stimulate sexually'),\n", " ('wind up', 'stimulate sexually')]},\n", " {'answer': 'excruciating',\n", " 'hint': 'synonyms for excruciating',\n", " 'clues': [('torment', 'torment emotionally or mentally'),\n", " ('excruciate', 'subject to torture'),\n", " ('torture', 'subject to torture'),\n", " ('rack', 'torment emotionally or mentally')]},\n", " {'answer': 'exculpated',\n", " 'hint': 'synonyms for exculpated',\n", " 'clues': [('assoil', 'pronounce not guilty of criminal charges'),\n", " ('exculpate', 'pronounce not guilty of criminal charges'),\n", " ('acquit', 'pronounce not guilty of criminal charges'),\n", " ('exonerate', 'pronounce not guilty of criminal charges'),\n", " ('clear', 'pronounce not guilty of criminal charges'),\n", " ('discharge', 'pronounce not guilty of criminal charges')]},\n", " {'answer': 'excused',\n", " 'hint': 'synonyms for excused',\n", " 'clues': [('beg off',\n", " 'ask for permission to be released from an engagement'),\n", " ('excuse', 'serve as a reason or cause or justification of'),\n", " ('let off', 'grant exemption or release to'),\n", " ('condone', 'excuse, overlook, or make allowances for; be lenient with'),\n", " ('pardon', 'accept an excuse for'),\n", " ('exempt', 'grant exemption or release to'),\n", " ('relieve', 'grant exemption or release to'),\n", " ('explain', 'serve as a reason or cause or justification of'),\n", " ('apologise',\n", " 'defend, explain, clear away, or make excuses for by reasoning'),\n", " ('rationalise',\n", " 'defend, explain, clear away, or make excuses for by reasoning'),\n", " ('justify',\n", " 'defend, explain, clear away, or make excuses for by reasoning')]},\n", " {'answer': 'executed',\n", " 'hint': 'synonyms for executed',\n", " 'clues': [('carry out', 'put in effect'),\n", " ('action', 'put in effect'),\n", " ('accomplish', 'put in effect'),\n", " ('fulfil', 'put in effect'),\n", " ('carry through', 'put in effect'),\n", " ('execute',\n", " 'carry out a process or program, as on a computer or a machine'),\n", " ('perform', 'carry out or perform an action'),\n", " ('run', 'carry out a process or program, as on a computer or a machine'),\n", " ('put to death', 'kill as a means of socially sanctioned punishment'),\n", " ('do', 'carry out or perform an action')]},\n", " {'answer': 'exemplifying',\n", " 'hint': 'synonyms for exemplifying',\n", " 'clues': [('exemplify', 'be characteristic of'),\n", " ('illustrate', 'clarify by giving an example of'),\n", " ('instance', 'clarify by giving an example of'),\n", " ('represent', 'be characteristic of')]},\n", " {'answer': 'exempt',\n", " 'hint': 'synonyms for exempt',\n", " 'clues': [('excuse', 'grant exemption or release to'),\n", " ('relieve', 'grant relief or an exemption from a rule or requirement to'),\n", " ('free', 'grant relief or an exemption from a rule or requirement to'),\n", " ('let off', 'grant exemption or release to')]},\n", " {'answer': 'exhausted',\n", " 'hint': 'synonyms for exhausted',\n", " 'clues': [('wipe out', 'use up (resources or materials)'),\n", " ('run through', 'use up (resources or materials)'),\n", " ('exhaust', 'wear out completely'),\n", " ('eat', 'use up (resources or materials)'),\n", " ('deplete', 'use up (resources or materials)'),\n", " ('tire', 'deplete'),\n", " ('eject', 'eliminate (a substance)'),\n", " ('use up', 'use up (resources or materials)'),\n", " ('release', 'eliminate (a substance)'),\n", " ('play out', 'deplete'),\n", " ('wash up', 'wear out completely'),\n", " ('eat up', 'use up (resources or materials)'),\n", " ('consume', 'use up (resources or materials)'),\n", " ('sap', 'deplete'),\n", " ('expel', 'eliminate (a substance)'),\n", " ('tucker', 'wear out completely'),\n", " ('run down', 'deplete'),\n", " ('tucker out', 'wear out completely'),\n", " ('discharge', 'eliminate (a substance)')]},\n", " {'answer': 'exhausting',\n", " 'hint': 'synonyms for exhausting',\n", " 'clues': [('wipe out', 'use up (resources or materials)'),\n", " ('run through', 'use up (resources or materials)'),\n", " ('exhaust', 'wear out completely'),\n", " ('eat', 'use up (resources or materials)'),\n", " ('deplete', 'use up (resources or materials)'),\n", " ('tire', 'deplete'),\n", " ('eject', 'eliminate (a substance)'),\n", " ('use up', 'use up (resources or materials)'),\n", " ('release', 'eliminate (a substance)'),\n", " ('play out', 'deplete'),\n", " ('wash up', 'wear out completely'),\n", " ('eat up', 'use up (resources or materials)'),\n", " ('consume', 'use up (resources or materials)'),\n", " ('sap', 'deplete'),\n", " ('expel', 'eliminate (a substance)'),\n", " ('tucker', 'wear out completely'),\n", " ('run down', 'deplete'),\n", " ('tucker out', 'wear out completely'),\n", " ('discharge', 'eliminate (a substance)')]},\n", " {'answer': 'exhilarated',\n", " 'hint': 'synonyms for exhilarated',\n", " 'clues': [('thrill', 'fill with sublime emotion'),\n", " ('tickle pink', 'fill with sublime emotion'),\n", " ('exhilarate', 'fill with sublime emotion'),\n", " ('inebriate', 'fill with sublime emotion'),\n", " ('exalt', 'fill with sublime emotion'),\n", " ('beatify', 'fill with sublime emotion')]},\n", " {'answer': 'exhilarating',\n", " 'hint': 'synonyms for exhilarating',\n", " 'clues': [('thrill', 'fill with sublime emotion'),\n", " ('tickle pink', 'fill with sublime emotion'),\n", " ('exhilarate', 'fill with sublime emotion'),\n", " ('inebriate', 'fill with sublime emotion'),\n", " ('exalt', 'fill with sublime emotion'),\n", " ('beatify', 'fill with sublime emotion')]},\n", " {'answer': 'existing',\n", " 'hint': 'synonyms for existing',\n", " 'clues': [('survive', 'support oneself'),\n", " ('exist', 'support oneself'),\n", " ('be', 'have an existence, be extant'),\n", " ('subsist', 'support oneself'),\n", " ('live', 'support oneself')]},\n", " {'answer': 'exonerated',\n", " 'hint': 'synonyms for exonerated',\n", " 'clues': [('assoil', 'pronounce not guilty of criminal charges'),\n", " ('exculpate', 'pronounce not guilty of criminal charges'),\n", " ('acquit', 'pronounce not guilty of criminal charges'),\n", " ('exonerate', 'pronounce not guilty of criminal charges'),\n", " ('clear', 'pronounce not guilty of criminal charges'),\n", " ('discharge', 'pronounce not guilty of criminal charges')]},\n", " {'answer': 'expanded',\n", " 'hint': 'synonyms for expanded',\n", " 'clues': [('flourish', 'grow vigorously'),\n", " ('expand', 'make bigger or wider in size, volume, or quantity'),\n", " ('expound',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('inflate', 'exaggerate or make bigger'),\n", " ('exposit',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('extend', 'expand the influence of'),\n", " ('enlarge',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('spread out', 'extend in one or more directions'),\n", " ('flesh out',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('lucubrate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('blow up', 'exaggerate or make bigger'),\n", " ('elaborate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('thrive', 'grow vigorously'),\n", " ('expatiate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('dilate',\n", " 'add details, as to an account or idea; clarify the meaning of and discourse in a learned way, usually in writing'),\n", " ('amplify', 'exaggerate or make bigger'),\n", " ('boom', 'grow vigorously')]},\n", " {'answer': 'expected',\n", " 'hint': 'synonyms for expected',\n", " 'clues': [('expect', 'regard something as probable or likely'),\n", " ('anticipate', 'regard something as probable or likely'),\n", " ('require', 'consider obligatory; request and expect'),\n", " ('look', 'look forward to the probable occurrence of'),\n", " ('await', 'look forward to the probable occurrence of'),\n", " ('carry', 'be pregnant with'),\n", " ('ask', 'consider obligatory; request and expect'),\n", " ('bear', 'be pregnant with'),\n", " ('have a bun in the oven', 'be pregnant with'),\n", " ('gestate', 'be pregnant with')]},\n", " {'answer': 'experienced',\n", " 'hint': 'synonyms for experienced',\n", " 'clues': [('know',\n", " 'have firsthand knowledge of states, situations, emotions, or sensations'),\n", " ('feel',\n", " 'undergo an emotional sensation or be in a particular state of mind'),\n", " ('get', 'go through (mental or physical states or experiences)'),\n", " ('go through', 'go or live through'),\n", " ('experience',\n", " 'undergo an emotional sensation or be in a particular state of mind'),\n", " ('receive', 'go through (mental or physical states or experiences)'),\n", " ('have', 'undergo'),\n", " ('see', 'go or live through'),\n", " ('live',\n", " 'have firsthand knowledge of states, situations, emotions, or sensations')]},\n", " {'answer': 'expired',\n", " 'hint': 'synonyms for expired',\n", " 'clues': [('perish',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('exhale', 'expel air'),\n", " ('breathe out', 'expel air'),\n", " ('expire', 'lose validity'),\n", " ('kick the bucket',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pop off',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('conk',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('die',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('croak',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('run out', 'lose validity'),\n", " ('decease',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('drop dead',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('snuff it',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('buy the farm',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('exit',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " (\"cash in one's chips\",\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('give-up the ghost',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('choke',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('go',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pass',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pass away',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life')]},\n", " {'answer': 'exploded',\n", " 'hint': 'synonyms for exploded',\n", " 'clues': [('explode', 'burst outward, usually with noise'),\n", " ('burst forth', 'be unleashed; emerge with violence or noise'),\n", " ('set off', 'cause to burst with a violent release of energy'),\n", " ('irrupt', 'increase rapidly and in an uncontrolled manner'),\n", " ('detonate',\n", " 'burst and release energy as through a violent chemical or physical reaction'),\n", " ('blow up',\n", " 'burst and release energy as through a violent chemical or physical reaction'),\n", " ('burst', 'burst outward, usually with noise'),\n", " ('break loose', 'be unleashed; emerge with violence or noise')]},\n", " {'answer': 'exploited',\n", " 'hint': 'synonyms for exploited',\n", " 'clues': [('exploit', \"use or manipulate to one's advantage\"),\n", " ('tap', 'draw from; make good use of'),\n", " ('work', \"use or manipulate to one's advantage\"),\n", " ('overwork', 'work excessively hard')]},\n", " {'answer': 'exposed',\n", " 'hint': 'synonyms for exposed',\n", " 'clues': [('expose', 'abandon by leaving out in the open air'),\n", " ('scupper', 'put in a dangerous, disadvantageous, or difficult position'),\n", " ('exhibit', 'to show, make visible or apparent'),\n", " ('break',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('give away',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('display', 'to show, make visible or apparent'),\n", " ('disclose', 'disclose to view as by removing a cover'),\n", " ('queer', 'put in a dangerous, disadvantageous, or difficult position'),\n", " ('peril', 'put in a dangerous, disadvantageous, or difficult position'),\n", " ('unwrap',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('reveal',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('divulge',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('endanger',\n", " 'put in a dangerous, disadvantageous, or difficult position'),\n", " ('let on',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('debunk',\n", " 'expose while ridiculing; especially of pretentious or false claims and ideas'),\n", " ('bring out',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('discover',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('let out',\n", " 'make known to the public information that was previously known only to a few people or that was meant to be kept a secret'),\n", " ('uncover', \"remove all or part of one's clothes to show one's body\")]},\n", " {'answer': 'express',\n", " 'hint': 'synonyms for express',\n", " 'clues': [('press out',\n", " 'obtain from a substance, as by mechanical action'),\n", " ('verbalize',\n", " 'articulate; either verbally or with a cry, shout, or noise'),\n", " ('give tongue to',\n", " 'articulate; either verbally or with a cry, shout, or noise'),\n", " ('convey', 'serve as a means for expressing something'),\n", " ('utter', 'articulate; either verbally or with a cry, shout, or noise'),\n", " ('show', 'give expression to'),\n", " ('extract', 'obtain from a substance, as by mechanical action'),\n", " ('evince', 'give expression to'),\n", " ('state', 'indicate through a symbol, formula, etc.'),\n", " ('carry', 'serve as a means for expressing something')]},\n", " {'answer': 'expressed',\n", " 'hint': 'synonyms for expressed',\n", " 'clues': [('express', 'obtain from a substance, as by mechanical action'),\n", " ('press out', 'obtain from a substance, as by mechanical action'),\n", " ('verbalize',\n", " 'articulate; either verbally or with a cry, shout, or noise'),\n", " ('give tongue to',\n", " 'articulate; either verbally or with a cry, shout, or noise'),\n", " ('convey', 'serve as a means for expressing something'),\n", " ('utter', 'articulate; either verbally or with a cry, shout, or noise'),\n", " ('show', 'give expression to'),\n", " ('extract', 'obtain from a substance, as by mechanical action'),\n", " ('evince', 'give expression to'),\n", " ('state', 'indicate through a symbol, formula, etc.'),\n", " ('carry', 'serve as a means for expressing something')]},\n", " {'answer': 'expurgated',\n", " 'hint': 'synonyms for expurgated',\n", " 'clues': [('bowdlerise',\n", " 'edit by omitting or modifying parts considered indelicate'),\n", " ('castrate', 'edit by omitting or modifying parts considered indelicate'),\n", " ('expurgate',\n", " 'edit by omitting or modifying parts considered indelicate'),\n", " ('shorten',\n", " 'edit by omitting or modifying parts considered indelicate')]},\n", " {'answer': 'extended',\n", " 'hint': 'synonyms for extended',\n", " 'clues': [('extend', 'reach outward in space'),\n", " ('reach out', 'reach outward in space'),\n", " ('carry', 'continue or extend'),\n", " ('exsert', 'thrust or extend out'),\n", " ('poke out', 'reach outward in space'),\n", " ('cover', 'span an interval of distance, space or time'),\n", " ('go',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('broaden', 'extend in scope or range or area'),\n", " ('pass',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('lead',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('stretch forth', 'thrust or extend out'),\n", " ('strain', 'use to the utmost; exert vigorously or to full capacity'),\n", " ('stretch out', 'thrust or extend out'),\n", " ('expand', 'expand the influence of'),\n", " ('offer', 'offer verbally'),\n", " ('hold out', 'thrust or extend out'),\n", " ('stretch', 'extend or stretch out to a greater or the full length'),\n", " ('widen', 'extend in scope or range or area'),\n", " ('gallop', 'cause to move at full gallop'),\n", " ('continue', 'span an interval of distance, space or time'),\n", " ('protract', 'lengthen in time; cause to be or last longer'),\n", " ('put out', 'thrust or extend out'),\n", " ('prolong', 'lengthen in time; cause to be or last longer'),\n", " ('unfold', 'extend or stretch out to a greater or the full length'),\n", " ('run',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('draw out', 'lengthen in time; cause to be or last longer')]},\n", " {'answer': 'exterminated',\n", " 'hint': 'synonyms for exterminated',\n", " 'clues': [('uproot', 'destroy completely, as if down to the roots'),\n", " ('eradicate', 'destroy completely, as if down to the roots'),\n", " ('exterminate', 'destroy completely, as if down to the roots'),\n", " ('extirpate', 'destroy completely, as if down to the roots'),\n", " ('root out', 'destroy completely, as if down to the roots'),\n", " ('kill off', 'kill en masse; kill on a large scale; kill many')]},\n", " {'answer': 'extinguished',\n", " 'hint': 'synonyms for extinguished',\n", " 'clues': [('do away with', 'terminate, end, or take out'),\n", " ('eradicate', 'kill in large numbers'),\n", " ('press out', 'extinguish by crushing'),\n", " ('carry off', 'kill in large numbers'),\n", " ('get rid of', 'terminate, end, or take out'),\n", " ('extinguish', 'put an end to; kill'),\n", " ('snuff out', 'put an end to; kill'),\n", " ('decimate', 'kill in large numbers'),\n", " ('quench', 'put out, as of fires, flames, or lights'),\n", " ('eliminate', 'kill in large numbers'),\n", " ('annihilate', 'kill in large numbers'),\n", " ('blow out', 'put out, as of fires, flames, or lights'),\n", " ('wipe out', 'kill in large numbers'),\n", " ('stub out', 'extinguish by crushing'),\n", " ('crush out', 'extinguish by crushing')]},\n", " {'answer': 'exulting',\n", " 'hint': 'synonyms for exulting',\n", " 'clues': [('exult', 'to express great joy'),\n", " ('be on cloud nine', 'feel extreme happiness or elation'),\n", " ('jump for joy', 'feel extreme happiness or elation'),\n", " ('triumph', 'to express great joy'),\n", " ('walk on air', 'feel extreme happiness or elation'),\n", " ('jubilate', 'to express great joy'),\n", " ('exuberate', 'to express great joy'),\n", " ('rejoice', 'to express great joy')]},\n", " {'answer': 'fabricated',\n", " 'hint': 'synonyms for fabricated',\n", " 'clues': [('make up', 'make up something artificial or untrue'),\n", " ('fabricate', 'make up something artificial or untrue'),\n", " ('manufacture',\n", " 'put together out of artificial or natural components or parts; ; ; He manufactured a popular cereal\"'),\n", " ('construct',\n", " 'put together out of artificial or natural components or parts; ; ; He manufactured a popular cereal\"'),\n", " ('invent', 'make up something artificial or untrue'),\n", " ('cook up', 'make up something artificial or untrue')]},\n", " {'answer': 'faced',\n", " 'hint': 'synonyms for faced',\n", " 'clues': [('face', 'oppose, as in hostility or a competition'),\n", " ('confront',\n", " 'present somebody with something, usually to accuse or criticize'),\n", " ('present',\n", " 'present somebody with something, usually to accuse or criticize'),\n", " ('front',\n", " 'be oriented in a certain direction, often with respect to another reference point; be opposite to'),\n", " ('face up', 'deal with (something unpleasant) head on'),\n", " ('look',\n", " 'be oriented in a certain direction, often with respect to another reference point; be opposite to')]},\n", " {'answer': 'faded',\n", " 'hint': 'synonyms for faded',\n", " 'clues': [('wither', 'lose freshness, vigor, or vitality'),\n", " ('fade', 'disappear gradually'),\n", " ('melt',\n", " 'become less clearly visible or distinguishable; disappear gradually or seemingly'),\n", " ('pass', 'disappear gradually'),\n", " ('languish', 'become feeble'),\n", " ('fleet', 'disappear gradually'),\n", " ('evanesce', 'disappear gradually'),\n", " ('pass off', 'disappear gradually'),\n", " ('blow over', 'disappear gradually')]},\n", " {'answer': 'fagged',\n", " 'hint': 'synonyms for fagged',\n", " 'clues': [('tire',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('weary',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('wear upon',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('wear out',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('outwear',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('fag out',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('toil', 'work hard'),\n", " ('moil', 'work hard'),\n", " ('labour', 'work hard'),\n", " ('fag', 'act as a servant for older boys, in British public schools'),\n", " ('wear down',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('travail', 'work hard'),\n", " ('jade',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('grind', 'work hard'),\n", " ('dig', 'work hard'),\n", " ('fatigue',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('drudge', 'work hard'),\n", " ('tire out',\n", " 'exhaust or get tired through overuse or great strain or stress')]},\n", " {'answer': 'failing',\n", " 'hint': 'synonyms for failing',\n", " 'clues': [('fail',\n", " 'become bankrupt or insolvent; fail financially and close'),\n", " ('bomb', 'fail to get a passing grade'),\n", " ('break', 'stop operating or functioning'),\n", " ('give out', 'prove insufficient'),\n", " ('die', 'stop operating or functioning'),\n", " ('go bad', 'stop operating or functioning'),\n", " ('flush it', 'fail to get a passing grade'),\n", " ('conk out', 'stop operating or functioning'),\n", " ('flunk', 'fail to get a passing grade'),\n", " ('betray', 'disappoint, prove undependable to; abandon, forsake'),\n", " ('give way', 'stop operating or functioning'),\n", " ('miscarry', 'be unsuccessful'),\n", " ('go wrong', 'be unsuccessful'),\n", " ('go', 'stop operating or functioning'),\n", " ('break down', 'stop operating or functioning'),\n", " ('neglect', 'fail to do something; leave something undone'),\n", " ('run out', 'prove insufficient')]},\n", " {'answer': 'fake',\n", " 'hint': 'synonyms for fake',\n", " 'clues': [('manipulate', 'tamper, with the purpose of deception'),\n", " ('falsify', 'tamper, with the purpose of deception'),\n", " ('wangle', 'tamper, with the purpose of deception'),\n", " ('forge', 'make a copy of with the intent to deceive'),\n", " ('fudge', 'tamper, with the purpose of deception'),\n", " ('bullshit', 'speak insincerely or without regard for facts or truths'),\n", " ('bull', 'speak insincerely or without regard for facts or truths'),\n", " ('misrepresent', 'tamper, with the purpose of deception'),\n", " ('counterfeit', 'make a copy of with the intent to deceive'),\n", " (\"talk through one's hat\",\n", " 'speak insincerely or without regard for facts or truths'),\n", " ('cook', 'tamper, with the purpose of deception')]},\n", " {'answer': 'fallen',\n", " 'hint': 'synonyms for fallen',\n", " 'clues': [('fall', 'suffer defeat, failure, or ruin'),\n", " ('flow', 'fall or flow in a certain way'),\n", " ('decrease', 'decrease in size, extent, or range'),\n", " ('shine', 'touch or seem as if touching visually or audibly'),\n", " ('fall down', 'lose an upright position suddenly'),\n", " ('come down', 'fall from clouds'),\n", " ('settle', 'come as if by falling'),\n", " ('diminish', 'decrease in size, extent, or range'),\n", " ('devolve', 'be inherited by'),\n", " ('precipitate', 'fall from clouds'),\n", " ('pass', 'be inherited by'),\n", " ('return', 'be inherited by'),\n", " ('descend', 'come as if by falling'),\n", " ('accrue', 'come into the possession of'),\n", " ('lessen', 'decrease in size, extent, or range'),\n", " ('come', 'come under, be classified or included'),\n", " ('go down', 'move downward and lower, but not necessarily all the way'),\n", " ('light', 'fall to somebody by assignment or lot'),\n", " ('hang', 'fall or flow in a certain way'),\n", " ('strike', 'touch or seem as if touching visually or audibly')]},\n", " {'answer': 'falling',\n", " 'hint': 'synonyms for falling',\n", " 'clues': [('fall', 'suffer defeat, failure, or ruin'),\n", " ('flow', 'fall or flow in a certain way'),\n", " ('decrease', 'decrease in size, extent, or range'),\n", " ('shine', 'touch or seem as if touching visually or audibly'),\n", " ('fall down', 'lose an upright position suddenly'),\n", " ('come down', 'fall from clouds'),\n", " ('settle', 'come as if by falling'),\n", " ('diminish', 'decrease in size, extent, or range'),\n", " ('devolve', 'be inherited by'),\n", " ('precipitate', 'fall from clouds'),\n", " ('pass', 'be inherited by'),\n", " ('return', 'be inherited by'),\n", " ('descend', 'come as if by falling'),\n", " ('accrue', 'come into the possession of'),\n", " ('lessen', 'decrease in size, extent, or range'),\n", " ('come', 'come under, be classified or included'),\n", " ('go down', 'move downward and lower, but not necessarily all the way'),\n", " ('light', 'fall to somebody by assignment or lot'),\n", " ('hang', 'fall or flow in a certain way'),\n", " ('strike', 'touch or seem as if touching visually or audibly')]},\n", " {'answer': 'faltering',\n", " 'hint': 'synonyms for faltering',\n", " 'clues': [('falter', 'speak haltingly'),\n", " ('stammer', 'speak haltingly'),\n", " ('stumble', 'walk unsteadily'),\n", " ('waver', 'be unsure or weak'),\n", " ('bumble', 'walk unsteadily'),\n", " ('stutter', 'speak haltingly')]},\n", " {'answer': 'fancied',\n", " 'hint': 'synonyms for fancied',\n", " 'clues': [('see', \"imagine; conceive of; see in one's mind\"),\n", " ('visualize', \"imagine; conceive of; see in one's mind\"),\n", " ('figure', \"imagine; conceive of; see in one's mind\"),\n", " ('fancy', 'have a fancy or particular liking or desire for'),\n", " ('picture', \"imagine; conceive of; see in one's mind\"),\n", " ('project', \"imagine; conceive of; see in one's mind\"),\n", " ('take to', 'have a fancy or particular liking or desire for'),\n", " ('go for', 'have a fancy or particular liking or desire for'),\n", " ('image', \"imagine; conceive of; see in one's mind\"),\n", " ('envision', \"imagine; conceive of; see in one's mind\")]},\n", " {'answer': 'fancy',\n", " 'hint': 'synonyms for fancy',\n", " 'clues': [('see', \"imagine; conceive of; see in one's mind\"),\n", " ('visualize', \"imagine; conceive of; see in one's mind\"),\n", " ('figure', \"imagine; conceive of; see in one's mind\"),\n", " ('picture', \"imagine; conceive of; see in one's mind\"),\n", " ('project', \"imagine; conceive of; see in one's mind\"),\n", " ('take to', 'have a fancy or particular liking or desire for'),\n", " ('go for', 'have a fancy or particular liking or desire for'),\n", " ('image', \"imagine; conceive of; see in one's mind\"),\n", " ('envision', \"imagine; conceive of; see in one's mind\")]},\n", " {'answer': 'farming',\n", " 'hint': 'synonyms for farming',\n", " 'clues': [('farm', 'collect fees or profits'),\n", " ('grow',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques'),\n", " ('produce',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques'),\n", " ('raise',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques')]},\n", " {'answer': 'fascinated',\n", " 'hint': 'synonyms for fascinated',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('grip',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('transfix',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('intrigue', 'cause to be interested or curious'),\n", " ('spellbind',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored')]},\n", " {'answer': 'fascinating',\n", " 'hint': 'synonyms for fascinating',\n", " 'clues': [('catch', 'attract; cause to be enamored'),\n", " ('bewitch', 'attract; cause to be enamored'),\n", " ('fascinate', 'attract; cause to be enamored'),\n", " ('enamor', 'attract; cause to be enamored'),\n", " ('grip',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('transfix',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('becharm', 'attract; cause to be enamored'),\n", " ('intrigue', 'cause to be interested or curious'),\n", " ('spellbind',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('captivate', 'attract; cause to be enamored'),\n", " ('trance', 'attract; cause to be enamored'),\n", " ('beguile', 'attract; cause to be enamored'),\n", " ('enchant', 'attract; cause to be enamored'),\n", " ('capture', 'attract; cause to be enamored'),\n", " ('charm', 'attract; cause to be enamored')]},\n", " {'answer': 'fastened',\n", " 'hint': 'synonyms for fastened',\n", " 'clues': [('secure', 'cause to be firmly attached'),\n", " ('fasten', 'become fixed or fastened'),\n", " ('tighten', 'make tight or tighter'),\n", " ('fix', 'cause to be firmly attached')]},\n", " {'answer': 'fat',\n", " 'hint': 'synonyms for fat',\n", " 'clues': [('plump', 'make fat or plump'),\n", " ('fatten up', 'make fat or plump'),\n", " ('flesh out', 'make fat or plump'),\n", " ('fatten out', 'make fat or plump'),\n", " ('fill out', 'make fat or plump'),\n", " ('plump out', 'make fat or plump'),\n", " ('fatten', 'make fat or plump')]},\n", " {'answer': 'fated',\n", " 'hint': 'synonyms for fated',\n", " 'clues': [('plump', 'make fat or plump'),\n", " ('fatten up', 'make fat or plump'),\n", " ('flesh out', 'make fat or plump'),\n", " ('fatten out', 'make fat or plump'),\n", " ('fill out', 'make fat or plump'),\n", " ('fat', 'make fat or plump'),\n", " ('fatten', 'make fat or plump'),\n", " ('plump out', 'make fat or plump'),\n", " ('destine', 'decree or designate beforehand'),\n", " ('designate', 'decree or designate beforehand'),\n", " ('doom', 'decree or designate beforehand')]},\n", " {'answer': 'fatigued',\n", " 'hint': 'synonyms for fatigued',\n", " 'clues': [('weary',\n", " 'lose interest or become bored with something or somebody'),\n", " ('tire', 'lose interest or become bored with something or somebody'),\n", " ('wear upon',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('wear out',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('outwear',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('fag out',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('wear down',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('jade', 'lose interest or become bored with something or somebody'),\n", " ('fatigue', 'lose interest or become bored with something or somebody'),\n", " ('fag', 'exhaust or get tired through overuse or great strain or stress'),\n", " ('tire out',\n", " 'exhaust or get tired through overuse or great strain or stress'),\n", " ('pall', 'lose interest or become bored with something or somebody')]},\n", " {'answer': 'fattened',\n", " 'hint': 'synonyms for fattened',\n", " 'clues': [('plump', 'make fat or plump'),\n", " ('fatten up', 'make fat or plump'),\n", " ('flesh out', 'make fat or plump'),\n", " ('fatten out', 'make fat or plump'),\n", " ('fill out', 'make fat or plump'),\n", " ('fat', 'make fat or plump'),\n", " ('plump out', 'make fat or plump'),\n", " ('fatten', 'make fat or plump')]},\n", " {'answer': 'fattening',\n", " 'hint': 'synonyms for fattening',\n", " 'clues': [('plump', 'make fat or plump'),\n", " ('fatten up', 'make fat or plump'),\n", " ('flesh out', 'make fat or plump'),\n", " ('fatten out', 'make fat or plump'),\n", " ('fill out', 'make fat or plump'),\n", " ('fat', 'make fat or plump'),\n", " ('plump out', 'make fat or plump'),\n", " ('fatten', 'make fat or plump')]},\n", " {'answer': 'fawning',\n", " 'hint': 'synonyms for fawning',\n", " 'clues': [('fawn', 'show submission or fear'),\n", " ('cower', 'show submission or fear'),\n", " ('kowtow', 'try to gain favor by cringing or flattering'),\n", " ('truckle', 'try to gain favor by cringing or flattering'),\n", " ('suck up', 'try to gain favor by cringing or flattering'),\n", " ('cringe', 'show submission or fear'),\n", " ('toady', 'try to gain favor by cringing or flattering'),\n", " ('bootlick', 'try to gain favor by cringing or flattering'),\n", " ('creep', 'show submission or fear'),\n", " ('grovel', 'show submission or fear'),\n", " ('crawl', 'show submission or fear')]},\n", " {'answer': 'fazed',\n", " 'hint': 'synonyms for fazed',\n", " 'clues': [('faze', 'disturb the composure of'),\n", " ('unsettle', 'disturb the composure of'),\n", " ('unnerve', 'disturb the composure of'),\n", " ('enervate', 'disturb the composure of')]},\n", " {'answer': 'featured',\n", " 'hint': 'synonyms for featured',\n", " 'clues': [('have', 'have as a feature'),\n", " ('feature', 'have as a feature'),\n", " ('sport', 'wear or display in an ostentatious or proud manner'),\n", " ('boast', 'wear or display in an ostentatious or proud manner')]},\n", " {'answer': 'feigned',\n", " 'hint': 'synonyms for feigned',\n", " 'clues': [('dissemble', 'make believe with the intent to deceive'),\n", " ('assume', 'make a pretence of'),\n", " ('sham', 'make a pretence of'),\n", " ('feign', 'make believe with the intent to deceive'),\n", " ('pretend', 'make believe with the intent to deceive'),\n", " ('simulate', 'make a pretence of'),\n", " ('affect', 'make believe with the intent to deceive')]},\n", " {'answer': 'fell',\n", " 'hint': 'synonyms for fell',\n", " 'clues': [('fall', 'suffer defeat, failure, or ruin'),\n", " ('flow', 'fall or flow in a certain way'),\n", " ('decrease', 'decrease in size, extent, or range'),\n", " ('fly', 'pass away rapidly'),\n", " ('shine', 'touch or seem as if touching visually or audibly'),\n", " ('fall down', 'lose an upright position suddenly'),\n", " ('come down', 'fall from clouds'),\n", " ('settle', 'come as if by falling'),\n", " ('diminish', 'decrease in size, extent, or range'),\n", " ('devolve', 'be inherited by'),\n", " ('precipitate', 'fall from clouds'),\n", " ('pass', 'be inherited by'),\n", " ('return', 'be inherited by'),\n", " ('descend', 'come as if by falling'),\n", " ('accrue', 'come into the possession of'),\n", " ('lessen', 'decrease in size, extent, or range'),\n", " ('go down', 'move downward and lower, but not necessarily all the way'),\n", " ('come', 'come under, be classified or included'),\n", " ('drop', 'cause to fall by or as if by delivering a blow'),\n", " ('strike down', 'cause to fall by or as if by delivering a blow'),\n", " ('light', 'fall to somebody by assignment or lot'),\n", " ('hang', 'fall or flow in a certain way'),\n", " ('vanish', 'pass away rapidly'),\n", " ('strike', 'touch or seem as if touching visually or audibly'),\n", " ('cut down', 'cause to fall by or as if by delivering a blow')]},\n", " {'answer': 'felted',\n", " 'hint': 'synonyms for felted',\n", " 'clues': [('felt', 'change texture so as to become matted and felt-like'),\n", " ('matt-up', 'change texture so as to become matted and felt-like'),\n", " ('mat', 'change texture so as to become matted and felt-like'),\n", " ('mat up', 'change texture so as to become matted and felt-like'),\n", " ('felt up', 'change texture so as to become matted and felt-like'),\n", " ('matte', 'change texture so as to become matted and felt-like')]},\n", " {'answer': 'fetching',\n", " 'hint': 'synonyms for fetching',\n", " 'clues': [('fetch', 'take away or remove'),\n", " ('get', 'go or come after and bring or take back'),\n", " ('bring in', 'be sold for a certain price'),\n", " ('bring', 'be sold for a certain price'),\n", " ('convey', 'go or come after and bring or take back')]},\n", " {'answer': 'fiddling',\n", " 'hint': 'synonyms for fiddling',\n", " 'clues': [('monkey',\n", " 'play around with or alter or falsify, usually secretively or dishonestly'),\n", " ('shirk', \"avoid (one's assigned duties)\"),\n", " ('fiddle', 'play the violin or fiddle'),\n", " ('tinker', 'try to fix or mend'),\n", " ('toy', \"manipulate manually or in one's mind or imagination\"),\n", " ('tamper',\n", " 'play around with or alter or falsify, usually secretively or dishonestly'),\n", " ('play', \"manipulate manually or in one's mind or imagination\"),\n", " ('diddle', \"manipulate manually or in one's mind or imagination\"),\n", " ('shrink from', \"avoid (one's assigned duties)\"),\n", " ('goldbrick', \"avoid (one's assigned duties)\")]},\n", " {'answer': 'fighting',\n", " 'hint': 'synonyms for fighting',\n", " 'clues': [('crusade',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('fight',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('agitate',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('defend', 'fight against or resist strongly'),\n", " ('push',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('fight down', 'fight against or resist strongly'),\n", " ('press',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('campaign',\n", " 'exert oneself continuously, vigorously, or obtrusively to gain an end or engage in a crusade for a certain cause or person; be an advocate for'),\n", " ('fight back', 'fight against or resist strongly'),\n", " ('struggle', 'be engaged in a fight; carry on a fight'),\n", " ('contend', 'be engaged in a fight; carry on a fight'),\n", " ('oppose', 'fight against or resist strongly')]},\n", " {'answer': 'figured',\n", " 'hint': 'synonyms for figured',\n", " 'clues': [('work out', 'make a mathematical calculation or computation'),\n", " ('cypher', 'make a mathematical calculation or computation'),\n", " ('forecast', 'judge to be probable'),\n", " ('figure', 'be or play a part of or in'),\n", " ('cipher', 'make a mathematical calculation or computation'),\n", " ('enter', 'be or play a part of or in'),\n", " ('image', \"imagine; conceive of; see in one's mind\"),\n", " ('fancy', \"imagine; conceive of; see in one's mind\"),\n", " ('visualise', \"imagine; conceive of; see in one's mind\"),\n", " ('see', \"imagine; conceive of; see in one's mind\"),\n", " ('compute', 'make a mathematical calculation or computation'),\n", " ('reckon', 'make a mathematical calculation or computation'),\n", " ('calculate', 'make a mathematical calculation or computation'),\n", " ('picture', \"imagine; conceive of; see in one's mind\"),\n", " ('project', \"imagine; conceive of; see in one's mind\"),\n", " ('count on', 'judge to be probable'),\n", " ('estimate', 'judge to be probable'),\n", " ('envision', \"imagine; conceive of; see in one's mind\")]},\n", " {'answer': 'filled',\n", " 'hint': 'synonyms for filled',\n", " 'clues': [('fill', 'assume, as of positions or roles'),\n", " ('fulfill', 'fill or meet a want or need'),\n", " ('fill up', 'make full, also in a metaphorical sense'),\n", " ('occupy', 'occupy the whole of'),\n", " ('sate', 'fill to satisfaction'),\n", " ('make full', 'make full, also in a metaphorical sense'),\n", " ('meet', 'fill or meet a want or need'),\n", " ('take', 'assume, as of positions or roles'),\n", " ('satisfy', 'fill or meet a want or need'),\n", " ('satiate', 'fill to satisfaction'),\n", " ('replete', 'fill to satisfaction')]},\n", " {'answer': 'finished',\n", " 'hint': 'synonyms for finished',\n", " 'clues': [('finish', 'come or bring to a finish or an end'),\n", " ('fetch up', 'finally be or do something'),\n", " ('stop',\n", " 'have an end, in a temporal, spatial, or quantitative sense; either spatial or metaphorical'),\n", " ('end up', 'finally be or do something'),\n", " ('eat up', \"finish eating all the food on one's plate or on the table\"),\n", " ('land up', 'finally be or do something'),\n", " ('cease',\n", " 'have an end, in a temporal, spatial, or quantitative sense; either spatial or metaphorical'),\n", " ('end',\n", " 'have an end, in a temporal, spatial, or quantitative sense; either spatial or metaphorical'),\n", " ('polish off',\n", " \"finish eating all the food on one's plate or on the table\"),\n", " ('complete', 'come or bring to a finish or an end'),\n", " ('terminate',\n", " 'have an end, in a temporal, spatial, or quantitative sense; either spatial or metaphorical'),\n", " ('finish up', 'finally be or do something'),\n", " ('wind up', 'finally be or do something')]},\n", " {'answer': 'fired',\n", " 'hint': 'synonyms for fired',\n", " 'clues': [('go off', 'go off or discharge'),\n", " ('fire', 'bake in a kiln so as to harden'),\n", " ('fuel', 'provide with fuel'),\n", " ('raise', 'call forth (emotions, feelings, and responses)'),\n", " ('enkindle', 'call forth (emotions, feelings, and responses)'),\n", " ('terminate',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('give the axe',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('sack',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('discharge', 'cause to go off'),\n", " ('arouse', 'call forth (emotions, feelings, and responses)'),\n", " ('provoke', 'call forth (emotions, feelings, and responses)'),\n", " ('open fire', 'start firing a weapon'),\n", " ('give the sack',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('evoke', 'call forth (emotions, feelings, and responses)'),\n", " ('can',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('send away',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('burn', 'destroy by fire'),\n", " ('burn down', 'destroy by fire'),\n", " ('force out',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('displace',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('give notice',\n", " 'terminate the employment of; discharge from an office or position'),\n", " ('elicit', 'call forth (emotions, feelings, and responses)'),\n", " ('dismiss',\n", " 'terminate the employment of; discharge from an office or position')]},\n", " {'answer': 'fit',\n", " 'hint': 'synonyms for fit',\n", " 'clues': [('fit out',\n", " 'provide with (something) usually for a specific purpose'),\n", " ('match', 'make correspond or harmonize'),\n", " ('suit', 'be agreeable or acceptable to'),\n", " ('go', 'be the right size or shape; fit correctly or as desired'),\n", " ('outfit', 'provide with (something) usually for a specific purpose'),\n", " ('accommodate', 'be agreeable or acceptable to'),\n", " ('equip', 'provide with (something) usually for a specific purpose'),\n", " ('tally',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('check',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('correspond',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('jibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('gibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('meet', 'satisfy a condition or restriction'),\n", " ('conform to', 'satisfy a condition or restriction'),\n", " ('agree',\n", " 'be compatible, similar or consistent; coincide in their characteristics')]},\n", " {'answer': 'fitted',\n", " 'hint': 'synonyms for fitted',\n", " 'clues': [('fit out',\n", " 'provide with (something) usually for a specific purpose'),\n", " ('match', 'make correspond or harmonize'),\n", " ('fit',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('go', 'be the right size or shape; fit correctly or as desired'),\n", " ('equip', 'provide with (something) usually for a specific purpose'),\n", " ('correspond',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('check',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('conform to', 'satisfy a condition or restriction'),\n", " ('suit', 'be agreeable or acceptable to'),\n", " ('outfit', 'provide with (something) usually for a specific purpose'),\n", " ('accommodate', 'be agreeable or acceptable to'),\n", " ('tally',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('jibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('gibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('meet', 'satisfy a condition or restriction'),\n", " ('agree',\n", " 'be compatible, similar or consistent; coincide in their characteristics')]},\n", " {'answer': 'fitting',\n", " 'hint': 'synonyms for fitting',\n", " 'clues': [('fit out',\n", " 'provide with (something) usually for a specific purpose'),\n", " ('match', 'make correspond or harmonize'),\n", " ('fit',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('go', 'be the right size or shape; fit correctly or as desired'),\n", " ('equip', 'provide with (something) usually for a specific purpose'),\n", " ('correspond',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('check',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('conform to', 'satisfy a condition or restriction'),\n", " ('suit', 'be agreeable or acceptable to'),\n", " ('outfit', 'provide with (something) usually for a specific purpose'),\n", " ('accommodate', 'be agreeable or acceptable to'),\n", " ('tally',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('jibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('gibe',\n", " 'be compatible, similar or consistent; coincide in their characteristics'),\n", " ('meet', 'satisfy a condition or restriction'),\n", " ('agree',\n", " 'be compatible, similar or consistent; coincide in their characteristics')]},\n", " {'answer': 'fixed',\n", " 'hint': 'synonyms for fixed',\n", " 'clues': [('fasten', 'cause to be firmly attached'),\n", " ('desexualise', 'make infertile'),\n", " ('fix', 'take vengeance on or get even'),\n", " ('ready',\n", " 'make ready or suitable or equip in advance for a particular purpose or for some use, event, etc'),\n", " ('set up',\n", " 'make ready or suitable or equip in advance for a particular purpose or for some use, event, etc'),\n", " ('specify', 'decide upon or fix definitely'),\n", " ('deposit', 'put (something somewhere) firmly'),\n", " ('doctor',\n", " 'restore by replacing a part or putting together what is torn or broken'),\n", " ('set',\n", " 'make ready or suitable or equip in advance for a particular purpose or for some use, event, etc'),\n", " ('posit', 'put (something somewhere) firmly'),\n", " ('repair',\n", " 'restore by replacing a part or putting together what is torn or broken'),\n", " ('sterilize', 'make infertile'),\n", " ('determine', 'decide upon or fix definitely'),\n", " ('define', 'decide upon or fix definitely'),\n", " ('limit', 'decide upon or fix definitely'),\n", " ('touch on',\n", " 'restore by replacing a part or putting together what is torn or broken'),\n", " ('furbish up',\n", " 'restore by replacing a part or putting together what is torn or broken'),\n", " ('get', 'take vengeance on or get even'),\n", " ('unsex', 'make infertile'),\n", " ('prepare',\n", " 'make ready or suitable or equip in advance for a particular purpose or for some use, event, etc'),\n", " ('fixate', 'make fixed, stable or stationary'),\n", " ('desex', 'make infertile'),\n", " ('restore',\n", " 'restore by replacing a part or putting together what is torn or broken'),\n", " ('cook', 'prepare for eating by applying heat'),\n", " ('situate', 'put (something somewhere) firmly'),\n", " ('pay off', 'take vengeance on or get even'),\n", " ('secure', 'cause to be firmly attached'),\n", " ('bushel',\n", " 'restore by replacing a part or putting together what is torn or broken'),\n", " ('mend',\n", " 'restore by replacing a part or putting together what is torn or broken'),\n", " ('make', 'prepare for eating by applying heat'),\n", " ('pay back', 'take vengeance on or get even'),\n", " ('gear up',\n", " 'make ready or suitable or equip in advance for a particular purpose or for some use, event, etc')]},\n", " {'answer': 'fizzing',\n", " 'hint': 'synonyms for fizzing',\n", " 'clues': [('froth', 'become bubbly or frothy or foaming'),\n", " ('sparkle', 'become bubbly or frothy or foaming'),\n", " ('form bubbles', 'become bubbly or frothy or foaming'),\n", " ('fizz', 'become bubbly or frothy or foaming'),\n", " ('effervesce', 'become bubbly or frothy or foaming'),\n", " ('foam', 'become bubbly or frothy or foaming')]},\n", " {'answer': 'flagging',\n", " 'hint': 'synonyms for flagging',\n", " 'clues': [('flag', 'decorate with flags'),\n", " ('ease up', 'become less intense'),\n", " ('swag',\n", " 'droop, sink, or settle from or as if from pressure or loss of tautness'),\n", " ('slacken off', 'become less intense'),\n", " ('ease off', 'become less intense'),\n", " ('droop',\n", " 'droop, sink, or settle from or as if from pressure or loss of tautness')]},\n", " {'answer': 'flaring',\n", " 'hint': 'synonyms for flaring',\n", " 'clues': [('flare', 'burn brightly'),\n", " ('flame', 'shine with a sudden light'),\n", " ('burst out', 'erupt or intensify suddenly'),\n", " ('irrupt', 'erupt or intensify suddenly'),\n", " ('burn up', 'burn brightly'),\n", " ('blaze up', 'burn brightly'),\n", " ('flare out', 'become flared and widen, usually at one end'),\n", " ('break open', 'erupt or intensify suddenly'),\n", " ('flame up', 'burn brightly'),\n", " ('erupt', 'erupt or intensify suddenly')]},\n", " {'answer': 'flash',\n", " 'hint': 'synonyms for flash',\n", " 'clues': [('scoot', 'run or move very quickly or hastily'),\n", " ('show off', 'display proudly; act ostentatiously or pretentiously'),\n", " ('blink', 'gleam or glow intermittently'),\n", " ('flaunt', 'display proudly; act ostentatiously or pretentiously'),\n", " ('shoot', 'run or move very quickly or hastily'),\n", " ('dash', 'run or move very quickly or hastily'),\n", " ('scud', 'run or move very quickly or hastily'),\n", " ('swank', 'display proudly; act ostentatiously or pretentiously'),\n", " ('dart', 'run or move very quickly or hastily'),\n", " ('wink', 'gleam or glow intermittently'),\n", " ('ostentate', 'display proudly; act ostentatiously or pretentiously'),\n", " ('twinkle', 'gleam or glow intermittently')]},\n", " {'answer': 'flecked',\n", " 'hint': 'synonyms for flecked',\n", " 'clues': [('blot', 'make a spot or mark onto'),\n", " ('spot', 'make a spot or mark onto'),\n", " ('fleck', 'make a spot or mark onto'),\n", " ('blob', 'make a spot or mark onto')]},\n", " {'answer': 'fleet',\n", " 'hint': 'synonyms for fleet',\n", " 'clues': [('fade', 'disappear gradually'),\n", " ('flit', 'move along rapidly and lightly; skim or dart'),\n", " ('pass', 'disappear gradually'),\n", " ('dart', 'move along rapidly and lightly; skim or dart'),\n", " ('evanesce', 'disappear gradually'),\n", " ('pass off', 'disappear gradually'),\n", " ('blow over', 'disappear gradually'),\n", " ('flutter', 'move along rapidly and lightly; skim or dart')]},\n", " {'answer': 'fleeting',\n", " 'hint': 'synonyms for fleeting',\n", " 'clues': [('fade', 'disappear gradually'),\n", " ('flit', 'move along rapidly and lightly; skim or dart'),\n", " ('pass', 'disappear gradually'),\n", " ('fleet', 'disappear gradually'),\n", " ('dart', 'move along rapidly and lightly; skim or dart'),\n", " ('evanesce', 'disappear gradually'),\n", " ('pass off', 'disappear gradually'),\n", " ('blow over', 'disappear gradually'),\n", " ('flutter', 'move along rapidly and lightly; skim or dart')]},\n", " {'answer': 'flickering',\n", " 'hint': 'synonyms for flickering',\n", " 'clues': [('flicker', 'shine unsteadily'),\n", " ('flick', 'flash intermittently'),\n", " ('flitter', 'move back and forth very rapidly'),\n", " ('waver', 'move back and forth very rapidly'),\n", " ('quiver', 'move back and forth very rapidly')]},\n", " {'answer': 'flip',\n", " 'hint': 'synonyms for flip',\n", " 'clues': [('flip out', 'react in an excited, delighted, or surprised way'),\n", " ('throw', 'cause to go on or to be engaged or set in operation'),\n", " ('riffle', 'look through a book or other written material'),\n", " ('turn over', 'turn upside down, or throw so as to reverse'),\n", " ('flip-flop', 'reverse (a direction, attitude, or course of action)'),\n", " ('riff', 'look through a book or other written material'),\n", " ('thumb', 'look through a book or other written material'),\n", " ('switch', 'reverse (a direction, attitude, or course of action)'),\n", " ('toss', 'throw or toss with a light motion'),\n", " ('tack', 'reverse (a direction, attitude, or course of action)'),\n", " ('flick', 'look through a book or other written material'),\n", " ('leaf', 'look through a book or other written material'),\n", " ('twitch',\n", " 'toss with a sharp movement so as to cause to turn over in the air'),\n", " ('interchange', 'reverse (a direction, attitude, or course of action)'),\n", " ('alternate', 'reverse (a direction, attitude, or course of action)'),\n", " ('pitch', 'throw or toss with a light motion'),\n", " ('flip over', 'turn upside down, or throw so as to reverse'),\n", " ('sky', 'throw or toss with a light motion')]},\n", " {'answer': 'floating',\n", " 'hint': 'synonyms for floating',\n", " 'clues': [('float',\n", " 'convert from a fixed point notation to a floating point notation'),\n", " ('drift', 'be in motion due to some air or water current'),\n", " ('be adrift', 'be in motion due to some air or water current'),\n", " ('blow', 'be in motion due to some air or water current'),\n", " ('swim',\n", " 'be afloat either on or below a liquid surface and not sink to the bottom')]},\n", " {'answer': 'flooded',\n", " 'hint': 'synonyms for flooded',\n", " 'clues': [('swamp', 'fill quickly beyond capacity; as with a liquid'),\n", " ('glut', 'supply with an excess of'),\n", " ('flood', 'become filled to overflowing'),\n", " ('inundate', 'fill quickly beyond capacity; as with a liquid'),\n", " ('deluge', 'fill quickly beyond capacity; as with a liquid'),\n", " ('oversupply', 'supply with an excess of')]},\n", " {'answer': 'floored',\n", " 'hint': 'synonyms for floored',\n", " 'clues': [('take aback', \"surprise greatly; knock someone's socks off\"),\n", " ('floor', 'knock down with force'),\n", " ('dump', 'knock down with force'),\n", " ('deck', 'knock down with force'),\n", " ('shock', \"surprise greatly; knock someone's socks off\"),\n", " ('blow out of the water', \"surprise greatly; knock someone's socks off\"),\n", " ('coldcock', 'knock down with force'),\n", " ('knock down', 'knock down with force'),\n", " ('ball over', \"surprise greatly; knock someone's socks off\")]},\n", " {'answer': 'flourishing',\n", " 'hint': 'synonyms for flourishing',\n", " 'clues': [('flourish', 'grow vigorously'),\n", " ('wave', 'move or swing back and forth'),\n", " ('thrive', 'grow vigorously'),\n", " ('brandish', 'move or swing back and forth'),\n", " ('prosper',\n", " \"make steady progress; be at the high point in one's career or reach a high point in historical significance or importance\"),\n", " ('fly high',\n", " \"make steady progress; be at the high point in one's career or reach a high point in historical significance or importance\"),\n", " ('expand', 'grow vigorously'),\n", " ('boom', 'grow vigorously')]},\n", " {'answer': 'flowing',\n", " 'hint': 'synonyms for flowing',\n", " 'clues': [('feed', 'move along, of liquids'),\n", " ('flow', 'undergo menstruation'),\n", " ('run', 'move along, of liquids'),\n", " ('flux', 'move or progress freely as if in a stream'),\n", " ('course', 'move along, of liquids'),\n", " ('menstruate', 'undergo menstruation'),\n", " ('hang', 'fall or flow in a certain way'),\n", " ('fall', 'fall or flow in a certain way')]},\n", " {'answer': 'flush',\n", " 'hint': 'synonyms for flush',\n", " 'clues': [('sluice', 'irrigate with water from a sluice'),\n", " ('blush', 'turn red, as if in embarrassment or shame'),\n", " ('even', 'make level or straight'),\n", " ('redden', 'turn red, as if in embarrassment or shame'),\n", " ('scour', 'rinse, clean, or empty with a liquid'),\n", " ('even out', 'make level or straight'),\n", " ('crimson', 'turn red, as if in embarrassment or shame'),\n", " ('level', 'make level or straight'),\n", " ('purge', 'rinse, clean, or empty with a liquid')]},\n", " {'answer': 'flushed',\n", " 'hint': 'synonyms for flushed',\n", " 'clues': [('flush', 'turn red, as if in embarrassment or shame'),\n", " ('sluice', 'irrigate with water from a sluice'),\n", " ('blush', 'turn red, as if in embarrassment or shame'),\n", " ('even', 'make level or straight'),\n", " ('redden', 'turn red, as if in embarrassment or shame'),\n", " ('even out', 'make level or straight'),\n", " ('scour', 'rinse, clean, or empty with a liquid'),\n", " ('level', 'make level or straight'),\n", " ('crimson', 'turn red, as if in embarrassment or shame'),\n", " ('purge', 'rinse, clean, or empty with a liquid')]},\n", " {'answer': 'fly',\n", " 'hint': 'synonyms for fly',\n", " 'clues': [('aviate', 'operate an airplane'),\n", " ('wing', 'travel through the air; be airborne'),\n", " ('fell', 'pass away rapidly'),\n", " ('pilot', 'operate an airplane'),\n", " ('flee', 'run away quickly'),\n", " ('take flight', 'run away quickly'),\n", " ('vanish', 'decrease rapidly and disappear'),\n", " ('vaporize', 'decrease rapidly and disappear')]},\n", " {'answer': 'flying',\n", " 'hint': 'synonyms for flying',\n", " 'clues': [('fly', 'operate an airplane'),\n", " ('take flight', 'run away quickly'),\n", " ('aviate', 'operate an airplane'),\n", " ('wing', 'travel through the air; be airborne'),\n", " ('fell', 'pass away rapidly'),\n", " ('pilot', 'operate an airplane'),\n", " ('flee', 'run away quickly'),\n", " ('vanish', 'decrease rapidly and disappear'),\n", " ('vaporize', 'decrease rapidly and disappear')]},\n", " {'answer': 'foaming',\n", " 'hint': 'synonyms for foaming',\n", " 'clues': [('froth', 'become bubbly or frothy or foaming'),\n", " ('sparkle', 'become bubbly or frothy or foaming'),\n", " ('form bubbles', 'become bubbly or frothy or foaming'),\n", " ('fizz', 'become bubbly or frothy or foaming'),\n", " ('effervesce', 'become bubbly or frothy or foaming'),\n", " ('foam', 'become bubbly or frothy or foaming')]},\n", " {'answer': 'focused',\n", " 'hint': 'synonyms for focused',\n", " 'clues': [('focalize', 'become focussed or come into focus'),\n", " ('focus',\n", " 'bring into focus or alignment; to converge or cause to converge; of ideas or emotions'),\n", " ('sharpen', 'put (an image) into focus'),\n", " ('concenter',\n", " 'bring into focus or alignment; to converge or cause to converge; of ideas or emotions'),\n", " ('center', \"direct one's attention on something\"),\n", " ('pore', \"direct one's attention on something\"),\n", " ('centre', \"direct one's attention on something\"),\n", " ('rivet', \"direct one's attention on something\"),\n", " ('concentrate', \"direct one's attention on something\")]},\n", " {'answer': 'focussed',\n", " 'hint': 'synonyms for focussed',\n", " 'clues': [('focalize', 'become focussed or come into focus'),\n", " ('focus',\n", " 'bring into focus or alignment; to converge or cause to converge; of ideas or emotions'),\n", " ('sharpen', 'put (an image) into focus'),\n", " ('concenter',\n", " 'bring into focus or alignment; to converge or cause to converge; of ideas or emotions'),\n", " ('center', \"direct one's attention on something\"),\n", " ('pore', \"direct one's attention on something\"),\n", " ('centre', \"direct one's attention on something\"),\n", " ('rivet', \"direct one's attention on something\"),\n", " ('concentrate', \"direct one's attention on something\")]},\n", " {'answer': 'fogged',\n", " 'hint': 'synonyms for fogged',\n", " 'clues': [('haze over', 'make less visible or unclear'),\n", " ('becloud', 'make less visible or unclear'),\n", " ('mist', 'make less visible or unclear'),\n", " ('obscure', 'make less visible or unclear'),\n", " ('obnubilate', 'make less visible or unclear'),\n", " ('fog', 'make less visible or unclear'),\n", " ('cloud', 'make less visible or unclear'),\n", " ('befog', 'make less visible or unclear')]},\n", " {'answer': 'foiled',\n", " 'hint': 'synonyms for foiled',\n", " 'clues': [('cross',\n", " 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('foil', 'enhance by contrast'),\n", " ('thwart', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('spoil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('scotch', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('frustrate', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('queer', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('bilk', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('baffle', 'hinder or prevent (the efforts, plans, or desires) of')]},\n", " {'answer': 'folding',\n", " 'hint': 'synonyms for folding',\n", " 'clues': [('shut down', 'cease to operate or cause to cease operating'),\n", " ('pen up', 'confine in a fold, like sheep'),\n", " ('fold',\n", " 'incorporate a food ingredient into a mixture by repeatedly turning it over without stirring or beating'),\n", " ('turn up', 'bend or lay so that one part covers the other'),\n", " ('close down', 'cease to operate or cause to cease operating'),\n", " ('close', 'cease to operate or cause to cease operating'),\n", " ('fold up', 'bend or lay so that one part covers the other'),\n", " ('close up', 'cease to operate or cause to cease operating')]},\n", " {'answer': 'following',\n", " 'hint': 'synonyms for following',\n", " 'clues': [('succeed', 'be the successor (of)'),\n", " ('trace',\n", " 'follow, discover, or ascertain the course of development of something'),\n", " ('espouse',\n", " 'choose and follow; as of theories, ideas, policies, strategies or plans'),\n", " ('follow', 'follow with the eyes or the mind'),\n", " ('pursue', 'follow in or as if in pursuit'),\n", " ('watch', 'follow with the eyes or the mind'),\n", " ('keep an eye on', 'follow with the eyes or the mind'),\n", " ('postdate', 'be later in time'),\n", " ('come', 'to be the product or result'),\n", " ('keep up', 'keep informed'),\n", " ('fall out', 'come as a logical consequence; follow logically'),\n", " ('abide by',\n", " \"act in accordance with someone's rules, commands, or wishes\"),\n", " ('conform to', 'behave in accordance or in agreement with'),\n", " ('travel along', 'travel along a certain course'),\n", " ('come after', 'come after in time, as a result'),\n", " ('take after', 'imitate in behavior; take as a model'),\n", " ('survey', 'keep under surveillance'),\n", " ('keep abreast', 'keep informed'),\n", " ('stick with', 'keep to'),\n", " ('stick to', 'keep to'),\n", " ('play along', 'perform an accompaniment to'),\n", " ('adopt',\n", " 'choose and follow; as of theories, ideas, policies, strategies or plans'),\n", " ('accompany', 'perform an accompaniment to'),\n", " ('be',\n", " 'work in a specific place, with a specific subject, or in a specific function'),\n", " ('surveil', 'keep under surveillance'),\n", " ('comply', \"act in accordance with someone's rules, commands, or wishes\"),\n", " ('observe', 'follow with the eyes or the mind'),\n", " ('watch over', 'follow with the eyes or the mind')]},\n", " {'answer': 'fooling',\n", " 'hint': 'synonyms for fooling',\n", " 'clues': [('gull', 'fool or hoax'),\n", " ('fool away', 'spend frivolously and unwisely'),\n", " ('fool around', 'indulge in horseplay'),\n", " ('shoot', 'spend frivolously and unwisely'),\n", " ('fritter away', 'spend frivolously and unwisely'),\n", " ('fool', 'spend frivolously and unwisely'),\n", " ('slang', 'fool or hoax'),\n", " ('take in', 'fool or hoax'),\n", " ('dupe', 'fool or hoax'),\n", " ('dissipate', 'spend frivolously and unwisely'),\n", " ('fritter', 'spend frivolously and unwisely'),\n", " ('arse around', 'indulge in horseplay'),\n", " ('put one over', 'fool or hoax'),\n", " ('cod', 'fool or hoax'),\n", " ('befool', 'make a fool or dupe of'),\n", " ('frivol away', 'spend frivolously and unwisely'),\n", " ('put on', 'fool or hoax'),\n", " ('put one across', 'fool or hoax')]},\n", " {'answer': 'footed',\n", " 'hint': 'synonyms for footed',\n", " 'clues': [('foot', 'add a column of numbers'),\n", " ('hoof it', 'walk'),\n", " ('foot up', 'add a column of numbers'),\n", " ('hoof', 'walk'),\n", " ('leg it', 'walk'),\n", " ('pick', 'pay for something')]},\n", " {'answer': 'footless',\n", " 'hint': 'synonyms for footless',\n", " 'clues': [('hang around', 'be about'),\n", " ('mill about', 'be about'),\n", " ('linger', 'be about'),\n", " ('loiter', 'be about'),\n", " ('lollygag', 'be about'),\n", " ('mill around', 'be about'),\n", " ('lounge', 'be about'),\n", " ('tarry', 'be about'),\n", " ('footle', 'act foolishly, as by talking nonsense'),\n", " ('loaf', 'be about'),\n", " ('lurk', 'be about'),\n", " ('mess about', 'be about')]},\n", " {'answer': 'footling',\n", " 'hint': 'synonyms for footling',\n", " 'clues': [('hang around', 'be about'),\n", " ('mill about', 'be about'),\n", " ('linger', 'be about'),\n", " ('loiter', 'be about'),\n", " ('lollygag', 'be about'),\n", " ('mill around', 'be about'),\n", " ('lounge', 'be about'),\n", " ('tarry', 'be about'),\n", " ('footle', 'act foolishly, as by talking nonsense'),\n", " ('loaf', 'be about'),\n", " ('lurk', 'be about'),\n", " ('mess about', 'be about')]},\n", " {'answer': 'forbidden',\n", " 'hint': 'synonyms for forbidden',\n", " 'clues': [('forestall', 'keep from happening or arising; make impossible'),\n", " ('disallow', 'command against'),\n", " ('forbid', 'keep from happening or arising; make impossible'),\n", " ('proscribe', 'command against'),\n", " ('foreclose', 'keep from happening or arising; make impossible'),\n", " ('veto', 'command against'),\n", " ('interdict', 'command against'),\n", " ('prevent', 'keep from happening or arising; make impossible'),\n", " ('preclude', 'keep from happening or arising; make impossible'),\n", " ('prohibit', 'command against'),\n", " ('nix', 'command against')]},\n", " {'answer': 'forbidding',\n", " 'hint': 'synonyms for forbidding',\n", " 'clues': [('forestall', 'keep from happening or arising; make impossible'),\n", " ('disallow', 'command against'),\n", " ('forbid', 'keep from happening or arising; make impossible'),\n", " ('proscribe', 'command against'),\n", " ('foreclose', 'keep from happening or arising; make impossible'),\n", " ('veto', 'command against'),\n", " ('interdict', 'command against'),\n", " ('prevent', 'keep from happening or arising; make impossible'),\n", " ('preclude', 'keep from happening or arising; make impossible'),\n", " ('prohibit', 'command against'),\n", " ('nix', 'command against')]},\n", " {'answer': 'forced',\n", " 'hint': 'synonyms for forced',\n", " 'clues': [('force',\n", " 'force into or from an action or state, either physically or metaphorically'),\n", " ('draw', 'cause to move by pulling'),\n", " ('pressure',\n", " 'to cause to do through pressure or necessity, by physical, moral or intellectual means :'),\n", " ('wedge', 'squeeze like a wedge into a tight space'),\n", " ('push', 'move with force,'),\n", " ('ram',\n", " 'force into or from an action or state, either physically or metaphorically'),\n", " ('coerce',\n", " 'to cause to do through pressure or necessity, by physical, moral or intellectual means :'),\n", " ('pull', 'cause to move by pulling'),\n", " ('thrust', 'impose urgently, importunately, or inexorably'),\n", " ('impel', 'urge or force (a person) to an action; constrain or motivate'),\n", " ('hale',\n", " 'to cause to do through pressure or necessity, by physical, moral or intellectual means :'),\n", " ('drive',\n", " 'force into or from an action or state, either physically or metaphorically'),\n", " ('storm', 'take by force'),\n", " ('squeeze', 'squeeze like a wedge into a tight space')]},\n", " {'answer': 'foreboding',\n", " 'hint': 'synonyms for foreboding',\n", " 'clues': [('promise', 'make a prediction about; tell in advance'),\n", " ('call', 'make a prediction about; tell in advance'),\n", " ('anticipate', 'make a prediction about; tell in advance'),\n", " ('predict', 'make a prediction about; tell in advance'),\n", " ('foretell', 'make a prediction about; tell in advance'),\n", " ('prognosticate', 'make a prediction about; tell in advance'),\n", " ('forebode', 'make a prediction about; tell in advance')]},\n", " {'answer': 'foregoing',\n", " 'hint': 'synonyms for foregoing',\n", " 'clues': [('precede', 'be earlier in time; go back further'),\n", " ('forgo', 'be earlier in time; go back further'),\n", " ('waive',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('foreswear', 'do without or cease to hold or adhere to'),\n", " ('forfeit',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('relinquish', 'do without or cease to hold or adhere to'),\n", " ('predate', 'be earlier in time; go back further'),\n", " ('antecede', 'be earlier in time; go back further'),\n", " ('antedate', 'be earlier in time; go back further'),\n", " ('give up',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('throw overboard',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('dispense with', 'do without or cease to hold or adhere to')]},\n", " {'answer': 'foregone',\n", " 'hint': 'synonyms for foregone',\n", " 'clues': [('precede', 'be earlier in time; go back further'),\n", " ('forgo', 'be earlier in time; go back further'),\n", " ('waive',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('foreswear', 'do without or cease to hold or adhere to'),\n", " ('forfeit',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('relinquish', 'do without or cease to hold or adhere to'),\n", " ('predate', 'be earlier in time; go back further'),\n", " ('antecede', 'be earlier in time; go back further'),\n", " ('antedate', 'be earlier in time; go back further'),\n", " ('give up',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('throw overboard',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('dispense with', 'do without or cease to hold or adhere to')]},\n", " {'answer': 'foreshadowing',\n", " 'hint': 'synonyms for foreshadowing',\n", " 'clues': [('prognosticate', 'indicate by signs'),\n", " ('presage', 'indicate by signs'),\n", " ('forecast', 'indicate by signs'),\n", " ('auspicate', 'indicate by signs'),\n", " ('foreshadow', 'indicate by signs'),\n", " ('omen', 'indicate by signs'),\n", " ('portend', 'indicate by signs'),\n", " ('augur', 'indicate by signs'),\n", " ('predict', 'indicate by signs'),\n", " ('betoken', 'indicate by signs'),\n", " ('foretell', 'indicate by signs'),\n", " ('prefigure', 'indicate by signs'),\n", " ('bode', 'indicate by signs')]},\n", " {'answer': 'forfeit',\n", " 'hint': 'synonyms for forfeit',\n", " 'clues': [('forego',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('waive',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('give up',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('throw overboard',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime')]},\n", " {'answer': 'forfeited',\n", " 'hint': 'synonyms for forfeited',\n", " 'clues': [('forego',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('waive',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('give up',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('forfeit',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime'),\n", " ('throw overboard',\n", " 'lose (s.th.) or lose the right to (s.th.) by some error, offense, or crime')]},\n", " {'answer': 'forged',\n", " 'hint': 'synonyms for forged',\n", " 'clues': [('spirt',\n", " 'move or act with a sudden increase in speed or energy'),\n", " ('forge', 'make out of components (often in an improvising manner)'),\n", " ('mould', 'make something, usually for a specific function'),\n", " ('work', 'make something, usually for a specific function'),\n", " ('devise',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('contrive',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('fashion', 'make out of components (often in an improvising manner)'),\n", " ('shape', 'make something, usually for a specific function'),\n", " ('hammer', 'create by hammering'),\n", " ('invent',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('fake', 'make a copy of with the intent to deceive'),\n", " ('excogitate',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('spurt', 'move or act with a sudden increase in speed or energy'),\n", " ('form', 'make something, usually for a specific function'),\n", " ('counterfeit', 'make a copy of with the intent to deceive'),\n", " ('formulate',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort')]},\n", " {'answer': 'forgotten',\n", " 'hint': 'synonyms for forgotten',\n", " 'clues': [('forget', 'dismiss from the mind; stop remembering'),\n", " ('blank out', 'be unable to remember'),\n", " ('leave', 'leave behind unintentionally'),\n", " ('draw a blank', 'be unable to remember'),\n", " ('bury', 'dismiss from the mind; stop remembering'),\n", " ('block', 'be unable to remember')]},\n", " {'answer': 'forked',\n", " 'hint': 'synonyms for forked',\n", " 'clues': [('fork', 'shape like a fork'),\n", " ('furcate', 'divide into two or more branches so as to form a fork'),\n", " ('pitchfork', 'lift with a pitchfork'),\n", " ('branch', 'divide into two or more branches so as to form a fork'),\n", " ('separate', 'divide into two or more branches so as to form a fork'),\n", " ('ramify', 'divide into two or more branches so as to form a fork')]},\n", " {'answer': 'formed',\n", " 'hint': 'synonyms for formed',\n", " 'clues': [('organise', 'create (as an entity)'),\n", " ('form', 'establish or impress firmly in the mind'),\n", " ('forge', 'make something, usually for a specific function'),\n", " ('mould', 'make something, usually for a specific function'),\n", " ('work', 'make something, usually for a specific function'),\n", " ('imprint', 'establish or impress firmly in the mind'),\n", " ('shape', 'make something, usually for a specific function'),\n", " ('spring', 'develop into a distinctive entity'),\n", " ('take form', 'develop into a distinctive entity'),\n", " ('make', 'to compose or represent:'),\n", " ('constitute', 'to compose or represent:'),\n", " ('take shape', 'develop into a distinctive entity')]},\n", " {'answer': 'formulated',\n", " 'hint': 'synonyms for formulated',\n", " 'clues': [('formulate', 'prepare according to a formula'),\n", " ('forge',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('explicate', 'elaborate, as of theories and hypotheses'),\n", " ('invent',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('give voice', 'put into words or an expression'),\n", " ('devise',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('excogitate',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('contrive',\n", " 'come up with (an idea, plan, explanation, theory, or principle) after a mental effort'),\n", " ('word', 'put into words or an expression'),\n", " ('develop', 'elaborate, as of theories and hypotheses'),\n", " ('articulate', 'put into words or an expression'),\n", " ('phrase', 'put into words or an expression')]},\n", " {'answer': 'fortified',\n", " 'hint': 'synonyms for fortified',\n", " 'clues': [('fortify', 'add alcohol to (beverages)'),\n", " ('lace', 'add alcohol to (beverages)'),\n", " ('build up', 'prepare oneself for a military confrontation'),\n", " ('spike', 'add alcohol to (beverages)'),\n", " ('arm', 'prepare oneself for a military confrontation'),\n", " ('strengthen', 'make strong or stronger'),\n", " ('beef up', 'make strong or stronger'),\n", " ('gird', 'prepare oneself for a military confrontation'),\n", " ('fort', 'enclose by or as if by a fortification')]},\n", " {'answer': 'foul',\n", " 'hint': 'synonyms for foul',\n", " 'clues': [('pollute', 'make impure'),\n", " ('defile', 'spot, stain, or pollute'),\n", " ('maculate', 'spot, stain, or pollute'),\n", " ('clog', 'become or cause to become obstructed'),\n", " ('choke off', 'become or cause to become obstructed'),\n", " ('befoul', 'spot, stain, or pollute'),\n", " ('contaminate', 'make impure'),\n", " ('back up', 'become or cause to become obstructed'),\n", " ('clog up', 'become or cause to become obstructed'),\n", " ('congest', 'become or cause to become obstructed'),\n", " ('choke', 'become or cause to become obstructed')]},\n", " {'answer': 'fouled',\n", " 'hint': 'synonyms for fouled',\n", " 'clues': [('pollute', 'make impure'),\n", " ('defile', 'spot, stain, or pollute'),\n", " ('maculate', 'spot, stain, or pollute'),\n", " ('foul', 'spot, stain, or pollute'),\n", " ('clog', 'become or cause to become obstructed'),\n", " ('choke off', 'become or cause to become obstructed'),\n", " ('befoul', 'spot, stain, or pollute'),\n", " ('contaminate', 'make impure'),\n", " ('back up', 'become or cause to become obstructed'),\n", " ('clog up', 'become or cause to become obstructed'),\n", " ('congest', 'become or cause to become obstructed'),\n", " ('choke', 'become or cause to become obstructed')]},\n", " {'answer': 'found',\n", " 'hint': 'synonyms for found',\n", " 'clues': [('ascertain',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('get', 'receive a specified treatment (abstract)'),\n", " ('regain', 'get or find back; recover the use of'),\n", " ('retrieve', 'get or find back; recover the use of'),\n", " ('find', 'get something or somebody for a specific purpose'),\n", " ('set up', 'set up or found'),\n", " ('encounter', 'come upon, as if by accident; meet with'),\n", " ('discover', 'discover or determine the existence, presence, or fact of'),\n", " ('base', 'use as a basis for; found on'),\n", " ('recover', 'get or find back; recover the use of'),\n", " ('witness', 'perceive or be contemporaneous with'),\n", " ('come up', 'get something or somebody for a specific purpose'),\n", " ('launch', 'set up or found'),\n", " ('receive', 'receive a specified treatment (abstract)'),\n", " ('observe', 'discover or determine the existence, presence, or fact of'),\n", " ('see', 'perceive or be contemporaneous with'),\n", " ('get hold', 'get something or somebody for a specific purpose'),\n", " ('constitute', 'set up or lay the groundwork for'),\n", " ('institute', 'set up or lay the groundwork for'),\n", " ('establish', 'set up or lay the groundwork for'),\n", " ('plant', 'set up or lay the groundwork for'),\n", " ('ground', 'use as a basis for; found on'),\n", " ('chance', 'come upon, as if by accident; meet with'),\n", " ('determine',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('detect', 'discover or determine the existence, presence, or fact of'),\n", " ('feel',\n", " 'come to believe on the basis of emotion, intuitions, or indefinite grounds'),\n", " ('rule', 'decide on and make a declaration about'),\n", " ('incur', 'receive a specified treatment (abstract)'),\n", " ('happen', 'come upon, as if by accident; meet with'),\n", " ('find out',\n", " 'establish after a calculation, investigation, experiment, survey, or study'),\n", " ('find oneself',\n", " \"accept and make use of one's personality, abilities, and situation\"),\n", " ('bump', 'come upon, as if by accident; meet with'),\n", " ('obtain', 'receive a specified treatment (abstract)'),\n", " ('notice', 'discover or determine the existence, presence, or fact of'),\n", " ('line up', 'get something or somebody for a specific purpose')]},\n", " {'answer': 'framed',\n", " 'hint': 'synonyms for framed',\n", " 'clues': [('ensnare', 'take or catch as if in a snare or trap'),\n", " ('entrap', 'take or catch as if in a snare or trap'),\n", " ('set up', 'take or catch as if in a snare or trap'),\n", " ('frame in', 'enclose in or as if in a frame'),\n", " ('draw up', 'make up plans or basic details for'),\n", " ('frame', 'formulate in a particular style or language'),\n", " ('border', 'enclose in or as if in a frame'),\n", " ('put', 'formulate in a particular style or language'),\n", " ('compose', 'make up plans or basic details for'),\n", " ('couch', 'formulate in a particular style or language'),\n", " ('cast', 'formulate in a particular style or language'),\n", " ('redact', 'formulate in a particular style or language'),\n", " ('frame up', 'construct by fitting or uniting parts together')]},\n", " {'answer': 'frayed',\n", " 'hint': 'synonyms for frayed',\n", " 'clues': [('rub', 'cause friction'),\n", " ('fray', 'wear away by rubbing'),\n", " ('chafe', 'cause friction'),\n", " ('scratch', 'cause friction'),\n", " ('fret', 'cause friction'),\n", " ('frazzle', 'wear away by rubbing')]},\n", " {'answer': 'free',\n", " 'hint': 'synonyms for free',\n", " 'clues': [('exempt',\n", " 'grant relief or an exemption from a rule or requirement to'),\n", " ('relieve', 'grant relief or an exemption from a rule or requirement to'),\n", " ('give up', 'part with a possession or right'),\n", " ('unblock', 'make (assets) available'),\n", " ('unloosen', 'grant freedom to; free from confinement'),\n", " ('release', 'make (assets) available'),\n", " ('discharge', 'free from obligations or duties'),\n", " ('rid', 'relieve from'),\n", " ('absolve', 'let off the hook'),\n", " ('loose', 'grant freedom to; free from confinement'),\n", " ('relinquish', 'part with a possession or right'),\n", " ('dislodge', 'remove or force out from a position'),\n", " ('resign', 'part with a possession or right'),\n", " ('liberate', 'grant freedom to; free from confinement'),\n", " ('unfreeze', 'make (assets) available'),\n", " ('disembarrass', 'relieve from'),\n", " ('justify', 'let off the hook'),\n", " ('disengage', 'free or remove obstruction from')]},\n", " {'answer': 'frequent',\n", " 'hint': 'synonyms for frequent',\n", " 'clues': [('shop',\n", " \"do one's shopping at; do business with; be a customer or client of\"),\n", " ('patronise',\n", " \"do one's shopping at; do business with; be a customer or client of\"),\n", " ('buy at',\n", " \"do one's shopping at; do business with; be a customer or client of\"),\n", " ('sponsor',\n", " \"do one's shopping at; do business with; be a customer or client of\"),\n", " ('shop at',\n", " \"do one's shopping at; do business with; be a customer or client of\"),\n", " ('haunt', 'be a regular or frequent visitor to a certain place')]},\n", " {'answer': 'fretted',\n", " 'hint': 'synonyms for fretted',\n", " 'clues': [('chafe', 'become or make sore by or as if by rubbing'),\n", " ('fret', 'be agitated or irritated'),\n", " ('eat into', 'gnaw into; make resentful or angry'),\n", " ('eat away', 'wear away or erode'),\n", " ('scratch', 'cause friction'),\n", " ('choke', 'be too tight; rub or press'),\n", " ('fuss', 'worry unnecessarily or excessively'),\n", " ('rub', 'cause friction'),\n", " ('niggle', 'worry unnecessarily or excessively'),\n", " ('rankle', 'gnaw into; make resentful or angry'),\n", " ('gall', 'become or make sore by or as if by rubbing'),\n", " ('gag', 'be too tight; rub or press'),\n", " ('fray', 'cause friction'),\n", " ('erode', 'remove soil or rock'),\n", " ('grate', 'gnaw into; make resentful or angry')]},\n", " {'answer': 'frothing',\n", " 'hint': 'synonyms for frothing',\n", " 'clues': [('sparkle', 'become bubbly or frothy or foaming'),\n", " ('froth', 'make froth or foam and become bubbly'),\n", " ('effervesce', 'become bubbly or frothy or foaming'),\n", " ('foam', 'become bubbly or frothy or foaming'),\n", " ('suds', 'make froth or foam and become bubbly'),\n", " ('fizz', 'become bubbly or frothy or foaming'),\n", " ('spume', 'make froth or foam and become bubbly'),\n", " ('form bubbles', 'become bubbly or frothy or foaming')]},\n", " {'answer': 'frozen',\n", " 'hint': 'synonyms for frozen',\n", " 'clues': [('freeze', 'suddenly behave coldly and formally'),\n", " ('immobilize', 'prohibit the conversion or use of (assets)'),\n", " ('suspend', 'stop a process or a habit by imposing a freeze on it'),\n", " ('freeze down', 'change from a liquid to a solid when cold'),\n", " ('block', 'prohibit the conversion or use of (assets)'),\n", " ('freeze out', 'change from a liquid to a solid when cold'),\n", " ('stop dead', 'stop moving or become immobilized')]},\n", " {'answer': 'frustrated',\n", " 'hint': 'synonyms for frustrated',\n", " 'clues': [('frustrate', 'treat cruelly'),\n", " ('cross', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('dun', 'treat cruelly'),\n", " ('foil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('thwart', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('crucify', 'treat cruelly'),\n", " ('spoil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('torment', 'treat cruelly'),\n", " ('scotch', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('bedevil', 'treat cruelly'),\n", " ('rag', 'treat cruelly'),\n", " ('queer', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('bilk', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('baffle', 'hinder or prevent (the efforts, plans, or desires) of')]},\n", " {'answer': 'frustrating',\n", " 'hint': 'synonyms for frustrating',\n", " 'clues': [('frustrate', 'treat cruelly'),\n", " ('cross', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('dun', 'treat cruelly'),\n", " ('foil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('thwart', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('crucify', 'treat cruelly'),\n", " ('spoil', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('torment', 'treat cruelly'),\n", " ('scotch', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('bedevil', 'treat cruelly'),\n", " ('rag', 'treat cruelly'),\n", " ('queer', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('bilk', 'hinder or prevent (the efforts, plans, or desires) of'),\n", " ('baffle', 'hinder or prevent (the efforts, plans, or desires) of')]},\n", " {'answer': 'fucking',\n", " 'hint': 'synonyms for fucking',\n", " 'clues': [('hump', 'have sexual intercourse with'),\n", " ('jazz', 'have sexual intercourse with'),\n", " ('eff', 'have sexual intercourse with'),\n", " ('do it', 'have sexual intercourse with'),\n", " ('bed', 'have sexual intercourse with'),\n", " ('lie with', 'have sexual intercourse with'),\n", " ('sleep with', 'have sexual intercourse with'),\n", " ('fuck', 'have sexual intercourse with'),\n", " ('be intimate', 'have sexual intercourse with'),\n", " ('make love', 'have sexual intercourse with'),\n", " ('get it on', 'have sexual intercourse with'),\n", " ('roll in the hay', 'have sexual intercourse with'),\n", " ('know', 'have sexual intercourse with'),\n", " ('bang', 'have sexual intercourse with'),\n", " ('love', 'have sexual intercourse with'),\n", " ('have sex', 'have sexual intercourse with'),\n", " ('bonk', 'have sexual intercourse with'),\n", " ('have it off', 'have sexual intercourse with'),\n", " ('get laid', 'have sexual intercourse with'),\n", " ('have a go at it', 'have sexual intercourse with'),\n", " ('have it away', 'have sexual intercourse with'),\n", " ('make out', 'have sexual intercourse with'),\n", " ('have intercourse', 'have sexual intercourse with'),\n", " ('sleep together', 'have sexual intercourse with'),\n", " ('screw', 'have sexual intercourse with')]},\n", " {'answer': 'fuddled',\n", " 'hint': 'synonyms for fuddled',\n", " 'clues': [('discombobulate',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('befuddle', 'make stupid with alcohol'),\n", " ('confound',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('confuse',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('throw',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('drink', 'consume alcohol'),\n", " ('booze', 'consume alcohol'),\n", " ('fox',\n", " 'be confusing or perplexing to; cause to be unable to think clearly'),\n", " ('bedevil',\n", " 'be confusing or perplexing to; cause to be unable to think clearly')]},\n", " {'answer': 'fulfilled',\n", " 'hint': 'synonyms for fulfilled',\n", " 'clues': [('carry out', 'put in effect'),\n", " ('action', 'put in effect'),\n", " ('fulfill', 'fill or meet a want or need'),\n", " ('accomplish', 'put in effect'),\n", " ('execute', 'put in effect'),\n", " ('live up to', 'meet the requirements or expectations of'),\n", " ('fill', 'fill or meet a want or need'),\n", " ('meet', 'fill or meet a want or need'),\n", " ('satisfy', 'meet the requirements or expectations of'),\n", " ('carry through', 'put in effect')]},\n", " {'answer': 'fumbling',\n", " 'hint': 'synonyms for fumbling',\n", " 'clues': [('bodge', 'make a mess of, destroy or ruin'),\n", " ('grope', 'feel about uncertainly or blindly'),\n", " ('bungle', 'make a mess of, destroy or ruin'),\n", " ('fumble', 'make a mess of, destroy or ruin'),\n", " ('blow', 'make a mess of, destroy or ruin'),\n", " ('muck up', 'make a mess of, destroy or ruin'),\n", " ('bollix up', 'make a mess of, destroy or ruin'),\n", " ('bobble', 'make a mess of, destroy or ruin'),\n", " ('fluff', 'make a mess of, destroy or ruin'),\n", " ('screw up', 'make a mess of, destroy or ruin'),\n", " ('botch up', 'make a mess of, destroy or ruin'),\n", " ('foul up', 'make a mess of, destroy or ruin'),\n", " ('bollix', 'make a mess of, destroy or ruin'),\n", " ('spoil', 'make a mess of, destroy or ruin'),\n", " ('bumble', 'make a mess of, destroy or ruin'),\n", " ('mess up', 'make a mess of, destroy or ruin'),\n", " ('flub', 'make a mess of, destroy or ruin'),\n", " ('ball up', 'make a mess of, destroy or ruin'),\n", " ('bollocks up', 'make a mess of, destroy or ruin'),\n", " ('blunder', \"make one's way clumsily or blindly\"),\n", " ('louse up', 'make a mess of, destroy or ruin'),\n", " ('bollocks', 'make a mess of, destroy or ruin'),\n", " ('mishandle', 'make a mess of, destroy or ruin'),\n", " ('muff', 'make a mess of, destroy or ruin'),\n", " ('botch', 'make a mess of, destroy or ruin')]},\n", " {'answer': 'fumed',\n", " 'hint': 'synonyms for fumed',\n", " 'clues': [('reek', \"be wet with sweat or blood, as of one's face\"),\n", " ('fumigate',\n", " 'treat with fumes, expose to fumes, especially with the aim of disinfecting or eradicating pests'),\n", " ('fume',\n", " 'treat with fumes, expose to fumes, especially with the aim of disinfecting or eradicating pests'),\n", " ('smoke', 'emit a cloud of fine particles')]},\n", " {'answer': 'functioning',\n", " 'hint': 'synonyms for functioning',\n", " 'clues': [('work', 'perform as expected when applied'),\n", " ('function', 'serve a purpose, role, or function'),\n", " ('officiate',\n", " 'perform duties attached to a particular office or place or function'),\n", " ('go', 'perform as expected when applied'),\n", " ('operate', 'perform as expected when applied'),\n", " ('serve', 'serve a purpose, role, or function'),\n", " ('run', 'perform as expected when applied')]},\n", " {'answer': 'furnished',\n", " 'hint': 'synonyms for furnished',\n", " 'clues': [('render', 'give something useful or necessary to'),\n", " ('provide', 'give something useful or necessary to'),\n", " ('supply', 'give something useful or necessary to'),\n", " ('furnish', 'give something useful or necessary to')]},\n", " {'answer': 'furrowed',\n", " 'hint': 'synonyms for furrowed',\n", " 'clues': [('furrow', 'cut a furrow into a columns'),\n", " ('chase', 'cut a furrow into a columns'),\n", " ('chamfer', 'cut a furrow into a columns'),\n", " ('groove', 'hollow out in the form of a furrow or groove'),\n", " ('rut', 'hollow out in the form of a furrow or groove'),\n", " ('crease', 'make wrinkled or creased'),\n", " ('wrinkle', 'make wrinkled or creased')]},\n", " {'answer': 'further',\n", " 'hint': 'synonyms for further',\n", " 'clues': [('boost', 'contribute to the progress or growth of'),\n", " ('advance', 'contribute to the progress or growth of'),\n", " ('encourage', 'contribute to the progress or growth of'),\n", " ('promote', 'contribute to the progress or growth of'),\n", " ('foster', 'promote the growth of')]},\n", " {'answer': 'fused',\n", " 'hint': 'synonyms for fused',\n", " 'clues': [('conflate', 'mix together different elements'),\n", " ('fuse', 'mix together different elements'),\n", " ('merge', 'mix together different elements'),\n", " ('meld', 'mix together different elements'),\n", " ('commingle', 'mix together different elements'),\n", " ('combine', 'mix together different elements'),\n", " ('coalesce', 'mix together different elements'),\n", " ('mix', 'mix together different elements'),\n", " ('flux', 'mix together different elements'),\n", " ('immix', 'mix together different elements'),\n", " ('blend', 'mix together different elements')]},\n", " {'answer': 'galled',\n", " 'hint': 'synonyms for galled',\n", " 'clues': [('gall', 'irritate or vex'),\n", " ('fret', 'become or make sore by or as if by rubbing'),\n", " ('chafe', 'become or make sore by or as if by rubbing'),\n", " ('irk', 'irritate or vex')]},\n", " {'answer': 'galling',\n", " 'hint': 'synonyms for galling',\n", " 'clues': [('gall', 'irritate or vex'),\n", " ('fret', 'become or make sore by or as if by rubbing'),\n", " ('chafe', 'become or make sore by or as if by rubbing'),\n", " ('irk', 'irritate or vex')]},\n", " {'answer': 'game',\n", " 'hint': 'synonyms for game',\n", " 'clues': [('gage', 'place a bet on'),\n", " ('bet on', 'place a bet on'),\n", " ('back', 'place a bet on'),\n", " ('stake', 'place a bet on'),\n", " ('punt', 'place a bet on')]},\n", " {'answer': 'gaping',\n", " 'hint': 'synonyms for gaping',\n", " 'clues': [('gawk', 'look with amazement; look stupidly'),\n", " ('gawp', 'look with amazement; look stupidly'),\n", " ('yawn', 'be wide open'),\n", " ('gape', 'look with amazement; look stupidly'),\n", " ('goggle', 'look with amazement; look stupidly'),\n", " ('breach', 'make an opening or gap in')]},\n", " {'answer': 'garbed',\n", " 'hint': 'synonyms for garbed',\n", " 'clues': [('garb', 'provide with clothes or put clothes on'),\n", " ('habilitate', 'provide with clothes or put clothes on'),\n", " ('fit out', 'provide with clothes or put clothes on'),\n", " ('garment', 'provide with clothes or put clothes on'),\n", " ('dress', 'provide with clothes or put clothes on'),\n", " ('enclothe', 'provide with clothes or put clothes on'),\n", " ('raiment', 'provide with clothes or put clothes on'),\n", " ('apparel', 'provide with clothes or put clothes on'),\n", " ('tog', 'provide with clothes or put clothes on')]},\n", " {'answer': 'garbled',\n", " 'hint': 'synonyms for garbled',\n", " 'clues': [('garble',\n", " 'make false by mutilation or addition; as of a message or story'),\n", " ('warp',\n", " 'make false by mutilation or addition; as of a message or story'),\n", " ('falsify',\n", " 'make false by mutilation or addition; as of a message or story'),\n", " ('distort',\n", " 'make false by mutilation or addition; as of a message or story')]},\n", " {'answer': 'garmented',\n", " 'hint': 'synonyms for garmented',\n", " 'clues': [('garb', 'provide with clothes or put clothes on'),\n", " ('habilitate', 'provide with clothes or put clothes on'),\n", " ('fit out', 'provide with clothes or put clothes on'),\n", " ('garment', 'provide with clothes or put clothes on'),\n", " ('dress', 'provide with clothes or put clothes on'),\n", " ('enclothe', 'provide with clothes or put clothes on'),\n", " ('raiment', 'provide with clothes or put clothes on'),\n", " ('apparel', 'provide with clothes or put clothes on'),\n", " ('tog', 'provide with clothes or put clothes on')]},\n", " {'answer': 'gathered',\n", " 'hint': 'synonyms for gathered',\n", " 'clues': [('assemble', 'collect in one place'),\n", " ('gather', 'draw and bring closer'),\n", " ('tuck', 'draw together into folds or puckers'),\n", " ('collect', 'assemble or get together'),\n", " ('amass', 'collect or gather'),\n", " ('cumulate', 'collect or gather'),\n", " ('foregather', 'collect in one place'),\n", " ('meet', 'collect in one place'),\n", " ('conglomerate', 'collect or gather'),\n", " ('pile up', 'collect or gather'),\n", " ('gain', 'increase or develop'),\n", " ('garner', 'assemble or get together'),\n", " ('pull together', 'assemble or get together'),\n", " ('get together', 'get people together'),\n", " ('pucker', 'draw together into folds or puckers')]},\n", " {'answer': 'generalised',\n", " 'hint': 'synonyms for generalised',\n", " 'clues': [('generalize',\n", " 'draw from specific cases for more general cases'),\n", " ('vulgarize',\n", " 'cater to popular taste to make popular and present to the general public; bring into general or common use'),\n", " ('popularize',\n", " 'cater to popular taste to make popular and present to the general public; bring into general or common use'),\n", " ('extrapolate', 'draw from specific cases for more general cases'),\n", " ('infer', 'draw from specific cases for more general cases')]},\n", " {'answer': 'generalized',\n", " 'hint': 'synonyms for generalized',\n", " 'clues': [('generalize',\n", " 'draw from specific cases for more general cases'),\n", " ('vulgarize',\n", " 'cater to popular taste to make popular and present to the general public; bring into general or common use'),\n", " ('popularize',\n", " 'cater to popular taste to make popular and present to the general public; bring into general or common use'),\n", " ('extrapolate', 'draw from specific cases for more general cases'),\n", " ('infer', 'draw from specific cases for more general cases')]},\n", " {'answer': 'gentle',\n", " 'hint': 'synonyms for gentle',\n", " 'clues': [('mollify',\n", " 'cause to be more favorably inclined; gain the good will of'),\n", " ('placate', 'cause to be more favorably inclined; gain the good will of'),\n", " ('appease', 'cause to be more favorably inclined; gain the good will of'),\n", " ('conciliate',\n", " 'cause to be more favorably inclined; gain the good will of'),\n", " ('pacify', 'cause to be more favorably inclined; gain the good will of'),\n", " ('entitle',\n", " 'give a title to someone; make someone a member of the nobility'),\n", " ('gruntle', 'cause to be more favorably inclined; gain the good will of'),\n", " ('ennoble',\n", " 'give a title to someone; make someone a member of the nobility'),\n", " ('assuage', 'cause to be more favorably inclined; gain the good will of'),\n", " ('lenify',\n", " 'cause to be more favorably inclined; gain the good will of')]},\n", " {'answer': 'gifted',\n", " 'hint': 'synonyms for gifted',\n", " 'clues': [('empower', 'give qualities or abilities to'),\n", " ('give', 'give as a present; make a gift of'),\n", " ('gift', 'give qualities or abilities to'),\n", " ('present', 'give as a present; make a gift of'),\n", " ('endue', 'give qualities or abilities to'),\n", " ('indue', 'give qualities or abilities to'),\n", " ('invest', 'give qualities or abilities to'),\n", " ('endow', 'give qualities or abilities to')]},\n", " {'answer': 'given',\n", " 'hint': 'synonyms for given',\n", " 'clues': [('present', 'give as a present; make a gift of'),\n", " ('yield', 'cause to happen or be responsible for'),\n", " ('pass on', 'place into the hands or custody of'),\n", " ('apply', 'give or convey physically'),\n", " ('ease up', 'move in order to make room for someone for something'),\n", " ('give', 'break down, literally or metaphorically'),\n", " ('make', 'organize or be responsible for'),\n", " ('generate', 'give or supply'),\n", " ('commit', 'give entirely to a specific person, activity, or cause'),\n", " ('give way', 'move in order to make room for someone for something'),\n", " ('pay', 'convey, as of a compliment, regards, attention, etc.; bestow'),\n", " ('render', 'give or supply'),\n", " ('throw',\n", " 'convey or communicate; of a smile, a look, a physical gesture'),\n", " ('sacrifice', 'endure the loss of'),\n", " ('return', 'give or supply'),\n", " ('have', 'organize or be responsible for'),\n", " ('devote', 'give entirely to a specific person, activity, or cause'),\n", " ('dedicate', 'give entirely to a specific person, activity, or cause'),\n", " ('cave in', 'break down, literally or metaphorically'),\n", " ('establish', 'bring about'),\n", " ('break', 'break down, literally or metaphorically'),\n", " ('collapse', 'break down, literally or metaphorically'),\n", " ('leave', 'transmit (knowledge or skills)'),\n", " ('open', 'afford access to'),\n", " ('pass', 'place into the hands or custody of'),\n", " ('impart', 'transmit (knowledge or skills)'),\n", " ('feed', 'give food to'),\n", " ('contribute', 'contribute to some cause'),\n", " ('fall in', 'break down, literally or metaphorically'),\n", " ('move over', 'move in order to make room for someone for something'),\n", " ('gift', 'give as a present; make a gift of'),\n", " ('afford', 'be the cause or source of'),\n", " ('grant', 'bestow, especially officially'),\n", " ('chip in', 'contribute to some cause'),\n", " ('reach', 'place into the hands or custody of'),\n", " ('hold', 'organize or be responsible for'),\n", " ('turn over', 'place into the hands or custody of'),\n", " ('hand', 'place into the hands or custody of'),\n", " ('consecrate', 'give entirely to a specific person, activity, or cause'),\n", " ('founder', 'break down, literally or metaphorically'),\n", " ('kick in', 'contribute to some cause')]},\n", " {'answer': 'giving',\n", " 'hint': 'synonyms for giving',\n", " 'clues': [('present', 'give as a present; make a gift of'),\n", " ('yield', 'cause to happen or be responsible for'),\n", " ('pass on', 'place into the hands or custody of'),\n", " ('apply', 'give or convey physically'),\n", " ('ease up', 'move in order to make room for someone for something'),\n", " ('give', 'break down, literally or metaphorically'),\n", " ('make', 'organize or be responsible for'),\n", " ('generate', 'give or supply'),\n", " ('commit', 'give entirely to a specific person, activity, or cause'),\n", " ('give way', 'move in order to make room for someone for something'),\n", " ('pay', 'convey, as of a compliment, regards, attention, etc.; bestow'),\n", " ('render', 'give or supply'),\n", " ('throw',\n", " 'convey or communicate; of a smile, a look, a physical gesture'),\n", " ('sacrifice', 'endure the loss of'),\n", " ('return', 'give or supply'),\n", " ('have', 'organize or be responsible for'),\n", " ('devote', 'give entirely to a specific person, activity, or cause'),\n", " ('dedicate', 'give entirely to a specific person, activity, or cause'),\n", " ('cave in', 'break down, literally or metaphorically'),\n", " ('establish', 'bring about'),\n", " ('break', 'break down, literally or metaphorically'),\n", " ('collapse', 'break down, literally or metaphorically'),\n", " ('leave', 'transmit (knowledge or skills)'),\n", " ('open', 'afford access to'),\n", " ('pass', 'place into the hands or custody of'),\n", " ('impart', 'transmit (knowledge or skills)'),\n", " ('feed', 'give food to'),\n", " ('contribute', 'contribute to some cause'),\n", " ('fall in', 'break down, literally or metaphorically'),\n", " ('move over', 'move in order to make room for someone for something'),\n", " ('gift', 'give as a present; make a gift of'),\n", " ('afford', 'be the cause or source of'),\n", " ('grant', 'bestow, especially officially'),\n", " ('chip in', 'contribute to some cause'),\n", " ('reach', 'place into the hands or custody of'),\n", " ('hold', 'organize or be responsible for'),\n", " ('turn over', 'place into the hands or custody of'),\n", " ('hand', 'place into the hands or custody of'),\n", " ('consecrate', 'give entirely to a specific person, activity, or cause'),\n", " ('founder', 'break down, literally or metaphorically'),\n", " ('kick in', 'contribute to some cause')]},\n", " {'answer': 'glassed',\n", " 'hint': 'synonyms for glassed',\n", " 'clues': [('glass over',\n", " 'become glassy or take on a glass-like appearance'),\n", " ('glaze', 'furnish with glass'),\n", " ('glass', 'scan (game in the forest) with binoculars'),\n", " ('glass in', 'enclose with glass'),\n", " ('glaze over', 'become glassy or take on a glass-like appearance')]},\n", " {'answer': 'glazed',\n", " 'hint': 'synonyms for glazed',\n", " 'clues': [('glaze', 'coat with a glaze'),\n", " ('sugarcoat', 'coat with something sweet, such as a hard sugar glaze'),\n", " ('candy', 'coat with something sweet, such as a hard sugar glaze'),\n", " ('glaze over', 'become glassy or take on a glass-like appearance'),\n", " ('glass', 'become glassy or take on a glass-like appearance'),\n", " ('glass over', 'become glassy or take on a glass-like appearance')]},\n", " {'answer': 'gleaming',\n", " 'hint': 'synonyms for gleaming',\n", " 'clues': [('glint', 'be shiny, as if wet'),\n", " ('shine', 'be shiny, as if wet'),\n", " ('glisten', 'be shiny, as if wet'),\n", " ('glitter', 'be shiny, as if wet'),\n", " ('glimmer', 'shine brightly, like a star or a light'),\n", " ('gleam', 'appear briefly')]},\n", " {'answer': 'glinting',\n", " 'hint': 'synonyms for glinting',\n", " 'clues': [('glint', 'be shiny, as if wet'),\n", " ('shine', 'be shiny, as if wet'),\n", " ('glisten', 'be shiny, as if wet'),\n", " ('glitter', 'be shiny, as if wet'),\n", " ('peek', 'throw a glance at; take a brief look at'),\n", " ('glance', 'throw a glance at; take a brief look at'),\n", " ('gleam', 'be shiny, as if wet')]},\n", " {'answer': 'glistening',\n", " 'hint': 'synonyms for glistening',\n", " 'clues': [('glint', 'be shiny, as if wet'),\n", " ('shine', 'be shiny, as if wet'),\n", " ('glisten', 'be shiny, as if wet'),\n", " ('glitter', 'be shiny, as if wet'),\n", " ('gleam', 'be shiny, as if wet')]},\n", " {'answer': 'glittering',\n", " 'hint': 'synonyms for glittering',\n", " 'clues': [('glint', 'be shiny, as if wet'),\n", " ('shine', 'be shiny, as if wet'),\n", " ('glisten', 'be shiny, as if wet'),\n", " ('glitter', 'be shiny, as if wet'),\n", " ('gleam', 'be shiny, as if wet')]},\n", " {'answer': 'glorified',\n", " 'hint': 'synonyms for glorified',\n", " 'clues': [('glorify', 'cause to seem more splendid'),\n", " ('exalt', 'praise, glorify, or honor'),\n", " ('laud', 'praise, glorify, or honor'),\n", " ('spiritualize',\n", " \"elevate or idealize, in allusion to Christ's transfiguration\"),\n", " ('extol', 'praise, glorify, or honor'),\n", " ('proclaim', 'praise, glorify, or honor'),\n", " ('transfigure',\n", " \"elevate or idealize, in allusion to Christ's transfiguration\")]},\n", " {'answer': 'glowering',\n", " 'hint': 'synonyms for glowering',\n", " 'clues': [('lower',\n", " \"look angry or sullen, wrinkle one's forehead, as if to signal disapproval\"),\n", " ('frown',\n", " \"look angry or sullen, wrinkle one's forehead, as if to signal disapproval\"),\n", " ('lour',\n", " \"look angry or sullen, wrinkle one's forehead, as if to signal disapproval\"),\n", " ('glare', 'look at with a fixed gaze')]},\n", " {'answer': 'glowing',\n", " 'hint': 'synonyms for glowing',\n", " 'clues': [('glow', 'shine intensely, as if with heat'),\n", " ('radiate',\n", " 'experience a feeling of well-being or happiness, as from good health or an intense emotion'),\n", " ('beam',\n", " 'have a complexion with a strong bright color, such as red or pink'),\n", " ('shine',\n", " 'have a complexion with a strong bright color, such as red or pink'),\n", " ('burn', 'shine intensely, as if with heat')]},\n", " {'answer': 'glutted',\n", " 'hint': 'synonyms for glutted',\n", " 'clues': [('englut', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('glut', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('engorge', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('stuff', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('gormandize', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('overindulge', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('overgorge', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('ingurgitate', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('flood', 'supply with an excess of'),\n", " ('pig out', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('oversupply', 'supply with an excess of'),\n", " ('gorge', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('satiate', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('scarf out', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('overeat', 'overeat or eat immodestly; make a pig of oneself'),\n", " ('binge', 'overeat or eat immodestly; make a pig of oneself')]},\n", " {'answer': 'gnarled',\n", " 'hint': 'synonyms for gnarled',\n", " 'clues': [('croak',\n", " \"make complaining remarks or noises under one's breath\"),\n", " ('gnarl', \"make complaining remarks or noises under one's breath\"),\n", " ('mutter', \"make complaining remarks or noises under one's breath\"),\n", " ('murmur', \"make complaining remarks or noises under one's breath\"),\n", " ('grumble', \"make complaining remarks or noises under one's breath\")]},\n", " {'answer': 'go',\n", " 'hint': 'synonyms for go',\n", " 'clues': [('rifle',\n", " \"go through in search of something; search through someone's belongings in an unauthorized way\"),\n", " ('perish',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('hold up', 'continue to live through hardship or adversity'),\n", " ('function', 'perform as expected when applied'),\n", " ('die', 'stop operating or functioning'),\n", " ('kick the bucket',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pop off',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('get going', 'begin or set in motion'),\n", " ('last', 'continue to live through hardship or adversity'),\n", " ('run', 'perform as expected when applied'),\n", " ('move',\n", " 'change location; move, travel, or proceed, also metaphorically'),\n", " ('conk',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('decease',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('drop dead',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('blend in', 'blend or harmonize'),\n", " ('proceed', 'follow a procedure or take a course'),\n", " ('go away', 'move away from a place into another direction'),\n", " ('locomote',\n", " 'change location; move, travel, or proceed, also metaphorically'),\n", " ('get', 'enter or assume a certain state or condition'),\n", " ('lead',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('pass',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('depart', 'move away from a place into another direction'),\n", " ('travel',\n", " 'change location; move, travel, or proceed, also metaphorically'),\n", " (\"cash in one's chips\",\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('give out', 'stop operating or functioning'),\n", " ('give-up the ghost',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('break down', 'stop operating or functioning'),\n", " ('start', 'begin or set in motion'),\n", " ('pass away',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('extend',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('run low', 'to be spent or finished'),\n", " ('blend', 'blend or harmonize'),\n", " ('become', 'enter or assume a certain state or condition'),\n", " ('live', 'continue to live through hardship or adversity'),\n", " ('belong', 'be in the right place or situation'),\n", " ('break', 'stop operating or functioning'),\n", " ('survive', 'continue to live through hardship or adversity'),\n", " ('live on', 'continue to live through hardship or adversity'),\n", " ('go bad', 'stop operating or functioning'),\n", " ('run short', 'to be spent or finished'),\n", " ('fit', 'be the right size or shape; fit correctly or as desired'),\n", " ('croak',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('conk out', 'stop operating or functioning'),\n", " ('snuff it',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('expire',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('work', 'perform as expected when applied'),\n", " ('buy the farm',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('exit',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('plump',\n", " 'give support (to) or make a choice (of) one out of a group or number'),\n", " ('give way', 'stop operating or functioning'),\n", " ('fail', 'stop operating or functioning'),\n", " ('operate', 'perform as expected when applied'),\n", " ('sound', 'make a certain noise or sound'),\n", " ('hold out', 'continue to live through hardship or adversity'),\n", " ('choke',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('endure', 'continue to live through hardship or adversity')]},\n", " {'answer': 'goaded',\n", " 'hint': 'synonyms for goaded',\n", " 'clues': [('goad', 'stab or urge on as if with a pointed stick'),\n", " ('needle', 'goad or provoke,as by constant criticism'),\n", " ('spur', 'give heart or courage to'),\n", " ('prick', 'stab or urge on as if with a pointed stick')]},\n", " {'answer': 'going',\n", " 'hint': 'synonyms for going',\n", " 'clues': [('hold up', 'continue to live through hardship or adversity'),\n", " ('go', 'be the right size or shape; fit correctly or as desired'),\n", " ('function', 'perform as expected when applied'),\n", " ('run', 'perform as expected when applied'),\n", " ('conk',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('decease',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('drop dead',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('proceed', 'follow a procedure or take a course'),\n", " ('go away', 'move away from a place into another direction'),\n", " ('locomote',\n", " 'change location; move, travel, or proceed, also metaphorically'),\n", " ('get', 'enter or assume a certain state or condition'),\n", " ('pass',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('lead',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " (\"cash in one's chips\",\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('move', 'follow a procedure or take a course'),\n", " ('give-up the ghost',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('start', 'begin or set in motion'),\n", " ('run low', 'to be spent or finished'),\n", " ('become', 'enter or assume a certain state or condition'),\n", " ('belong', 'be in the right place or situation'),\n", " ('survive', 'continue to live through hardship or adversity'),\n", " ('go bad', 'stop operating or functioning'),\n", " ('die',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('expire',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('plump',\n", " 'give support (to) or make a choice (of) one out of a group or number'),\n", " ('choke',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('endure', 'continue to live through hardship or adversity'),\n", " ('rifle',\n", " \"go through in search of something; search through someone's belongings in an unauthorized way\"),\n", " ('perish',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('kick the bucket',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pop off',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('get going', 'begin or set in motion'),\n", " ('last', 'continue to live through hardship or adversity'),\n", " ('blend in', 'blend or harmonize'),\n", " ('travel',\n", " 'change location; move, travel, or proceed, also metaphorically'),\n", " ('depart', 'move away from a place into another direction'),\n", " ('give out', 'stop operating or functioning'),\n", " ('break down', 'stop operating or functioning'),\n", " ('pass away',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('extend',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('blend', 'blend or harmonize'),\n", " ('live', 'continue to live through hardship or adversity'),\n", " ('break', 'stop operating or functioning'),\n", " ('live on', 'continue to live through hardship or adversity'),\n", " ('run short', 'to be spent or finished'),\n", " ('fit', 'be the right size or shape; fit correctly or as desired'),\n", " ('croak',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('conk out', 'stop operating or functioning'),\n", " ('snuff it',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('work', 'perform as expected when applied'),\n", " ('buy the farm',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('exit',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('give way', 'stop operating or functioning'),\n", " ('fail', 'stop operating or functioning'),\n", " ('operate', 'perform as expected when applied'),\n", " ('sound', 'make a certain noise or sound'),\n", " ('hold out', 'continue to live through hardship or adversity')]},\n", " {'answer': 'gone',\n", " 'hint': 'synonyms for gone',\n", " 'clues': [('hold up', 'continue to live through hardship or adversity'),\n", " ('go', 'be the right size or shape; fit correctly or as desired'),\n", " ('function', 'perform as expected when applied'),\n", " ('run', 'perform as expected when applied'),\n", " ('conk',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('decease',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('drop dead',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('proceed', 'follow a procedure or take a course'),\n", " ('go away', 'move away from a place into another direction'),\n", " ('locomote',\n", " 'change location; move, travel, or proceed, also metaphorically'),\n", " ('get', 'enter or assume a certain state or condition'),\n", " ('pass',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('lead',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " (\"cash in one's chips\",\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('move', 'follow a procedure or take a course'),\n", " ('give-up the ghost',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('start', 'begin or set in motion'),\n", " ('run low', 'to be spent or finished'),\n", " ('become', 'enter or assume a certain state or condition'),\n", " ('belong', 'be in the right place or situation'),\n", " ('survive', 'continue to live through hardship or adversity'),\n", " ('go bad', 'stop operating or functioning'),\n", " ('die',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('expire',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('plump',\n", " 'give support (to) or make a choice (of) one out of a group or number'),\n", " ('choke',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('endure', 'continue to live through hardship or adversity'),\n", " ('rifle',\n", " \"go through in search of something; search through someone's belongings in an unauthorized way\"),\n", " ('perish',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('kick the bucket',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('pop off',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('get going', 'begin or set in motion'),\n", " ('last', 'continue to live through hardship or adversity'),\n", " ('blend in', 'blend or harmonize'),\n", " ('travel',\n", " 'change location; move, travel, or proceed, also metaphorically'),\n", " ('depart', 'move away from a place into another direction'),\n", " ('give out', 'stop operating or functioning'),\n", " ('break down', 'stop operating or functioning'),\n", " ('pass away',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('extend',\n", " 'stretch out over a distance, space, time, or scope; run or extend between two points or beyond a certain point'),\n", " ('blend', 'blend or harmonize'),\n", " ('live', 'continue to live through hardship or adversity'),\n", " ('break', 'stop operating or functioning'),\n", " ('live on', 'continue to live through hardship or adversity'),\n", " ('run short', 'to be spent or finished'),\n", " ('fit', 'be the right size or shape; fit correctly or as desired'),\n", " ('croak',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('conk out', 'stop operating or functioning'),\n", " ('snuff it',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('work', 'perform as expected when applied'),\n", " ('buy the farm',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('exit',\n", " 'pass from physical life and lose all bodily attributes and functions necessary to sustain life'),\n", " ('give way', 'stop operating or functioning'),\n", " ('fail', 'stop operating or functioning'),\n", " ('operate', 'perform as expected when applied'),\n", " ('sound', 'make a certain noise or sound'),\n", " ('hold out', 'continue to live through hardship or adversity')]},\n", " {'answer': 'governing',\n", " 'hint': 'synonyms for governing',\n", " 'clues': [('regularize',\n", " 'bring into conformity with rules or principles or usage; impose regulations'),\n", " ('regulate',\n", " 'bring into conformity with rules or principles or usage; impose regulations'),\n", " ('govern', 'exercise authority over; as of nations'),\n", " ('rule', 'exercise authority over; as of nations'),\n", " ('order',\n", " 'bring into conformity with rules or principles or usage; impose regulations')]},\n", " {'answer': 'graded',\n", " 'hint': 'synonyms for graded',\n", " 'clues': [('rate', 'assign a rank or rating to'),\n", " ('grade', 'determine the grade of or assign a grade to'),\n", " ('score', \"assign a grade or rank to, according to one's evaluation\"),\n", " ('place', 'assign a rank or rating to'),\n", " ('range', 'assign a rank or rating to'),\n", " ('order', 'assign a rank or rating to'),\n", " ('mark', \"assign a grade or rank to, according to one's evaluation\"),\n", " ('rank', 'assign a rank or rating to')]},\n", " {'answer': 'granted',\n", " 'hint': 'synonyms for granted',\n", " 'clues': [('allow', 'let have'),\n", " ('grant', 'let have'),\n", " ('award', 'give as judged due or on the basis of merit'),\n", " ('concede', 'be willing to concede'),\n", " ('allot', 'allow to have'),\n", " ('give', 'bestow, especially officially'),\n", " ('cede',\n", " 'give over; surrender or relinquish to the physical control of another'),\n", " ('yield',\n", " 'give over; surrender or relinquish to the physical control of another'),\n", " ('deed over', 'transfer by deed'),\n", " ('accord', 'allow to have')]},\n", " {'answer': 'grasping',\n", " 'hint': 'synonyms for grasping',\n", " 'clues': [('grasp', 'get the meaning of something'),\n", " ('comprehend', 'get the meaning of something'),\n", " ('savvy', 'get the meaning of something'),\n", " ('compass', 'get the meaning of something'),\n", " ('apprehend', 'get the meaning of something'),\n", " ('dig', 'get the meaning of something'),\n", " ('hold on', 'hold firmly'),\n", " ('grok', 'get the meaning of something'),\n", " ('get the picture', 'get the meaning of something')]},\n", " {'answer': 'gratified',\n", " 'hint': 'synonyms for gratified',\n", " 'clues': [('satisfy', 'make happy or satisfied'),\n", " ('pander', 'yield (to); give satisfaction to'),\n", " ('indulge', 'yield (to); give satisfaction to'),\n", " ('gratify', 'make happy or satisfied')]},\n", " {'answer': 'gratifying',\n", " 'hint': 'synonyms for gratifying',\n", " 'clues': [('satisfy', 'make happy or satisfied'),\n", " ('pander', 'yield (to); give satisfaction to'),\n", " ('indulge', 'yield (to); give satisfaction to'),\n", " ('gratify', 'make happy or satisfied')]},\n", " {'answer': 'grating',\n", " 'hint': 'synonyms for grating',\n", " 'clues': [('grate', 'scratch repeatedly'),\n", " ('grind', 'make a grating or grinding sound by rubbing together'),\n", " ('eat into', 'gnaw into; make resentful or angry'),\n", " ('fret', 'gnaw into; make resentful or angry'),\n", " ('rankle', 'gnaw into; make resentful or angry'),\n", " ('scrape', 'scratch repeatedly')]},\n", " {'answer': 'grave',\n", " 'hint': 'synonyms for grave',\n", " 'clues': [('engrave', 'carve, cut, or etch into a material or surface'),\n", " ('inscribe', 'carve, cut, or etch into a material or surface'),\n", " ('scratch', 'carve, cut, or etch into a material or surface'),\n", " ('sculpture',\n", " 'shape (a material like stone or wood) by whittling away at it'),\n", " ('sculpt',\n", " 'shape (a material like stone or wood) by whittling away at it')]},\n", " {'answer': 'graven',\n", " 'hint': 'synonyms for graven',\n", " 'clues': [('inscribe', 'carve, cut, or etch into a material or surface'),\n", " ('engrave', 'carve, cut, or etch into a material or surface'),\n", " ('grave',\n", " 'shape (a material like stone or wood) by whittling away at it'),\n", " ('scratch', 'carve, cut, or etch into a material or surface'),\n", " ('sculpture',\n", " 'shape (a material like stone or wood) by whittling away at it'),\n", " ('sculpt',\n", " 'shape (a material like stone or wood) by whittling away at it')]},\n", " {'answer': 'grazed',\n", " 'hint': 'synonyms for grazed',\n", " 'clues': [('graze', 'let feed in a field or pasture or meadow'),\n", " ('crop', 'let feed in a field or pasture or meadow'),\n", " ('pasture', 'feed as in a meadow or pasture'),\n", " ('rake', 'scrape gently'),\n", " ('browse', 'eat lightly, try different dishes'),\n", " ('crease', 'scrape gently'),\n", " ('range', 'feed as in a meadow or pasture')]},\n", " {'answer': 'gripping',\n", " 'hint': 'synonyms for gripping',\n", " 'clues': [('grip',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('transfix',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('grapple', 'to grip or seize, as in a wrestling match'),\n", " ('fascinate',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe'),\n", " ('spellbind',\n", " 'to render motionless, as with a fixed stare or by arousing terror or awe')]},\n", " {'answer': 'grizzled',\n", " 'hint': 'synonyms for grizzled',\n", " 'clues': [('grizzle', 'be in a huff; be silent or sullen'),\n", " ('brood', 'be in a huff; be silent or sullen'),\n", " ('whine', 'complain whiningly'),\n", " ('stew', 'be in a huff; be silent or sullen'),\n", " ('yammer', 'complain whiningly'),\n", " ('yawp', 'complain whiningly')]},\n", " {'answer': 'groomed',\n", " 'hint': 'synonyms for groomed',\n", " 'clues': [('neaten', \"care for one's external appearance\"),\n", " ('prepare', 'educate for a future role or function'),\n", " ('dress', 'give a neat appearance to'),\n", " ('groom', 'give a neat appearance to'),\n", " ('train', 'educate for a future role or function'),\n", " ('curry', 'give a neat appearance to')]},\n", " {'answer': 'groveling',\n", " 'hint': 'synonyms for groveling',\n", " 'clues': [('fawn', 'show submission or fear'),\n", " ('cower', 'show submission or fear'),\n", " ('creep', 'show submission or fear'),\n", " ('cringe', 'show submission or fear'),\n", " ('grovel', 'show submission or fear'),\n", " ('crawl', 'show submission or fear')]},\n", " {'answer': 'grovelling',\n", " 'hint': 'synonyms for grovelling',\n", " 'clues': [('fawn', 'show submission or fear'),\n", " ('cower', 'show submission or fear'),\n", " ('creep', 'show submission or fear'),\n", " ('cringe', 'show submission or fear'),\n", " ('grovel', 'show submission or fear'),\n", " ('crawl', 'show submission or fear')]},\n", " {'answer': 'growing',\n", " 'hint': 'synonyms for growing',\n", " 'clues': [('grow', 'become attached by or as if by the process of growth'),\n", " ('mature', 'develop and reach maturity; undergo maturation'),\n", " ('acquire',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('originate', 'come into existence; take on form or shape'),\n", " ('develop', 'grow emotionally or mature'),\n", " ('uprise', 'come into existence; take on form or shape'),\n", " ('produce',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques'),\n", " ('raise',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques'),\n", " ('farm',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques'),\n", " ('turn',\n", " 'pass into a condition gradually, take on a specific property or attribute; become'),\n", " ('get',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('arise', 'come into existence; take on form or shape'),\n", " ('spring up', 'come into existence; take on form or shape')]},\n", " {'answer': 'grown',\n", " 'hint': 'synonyms for grown',\n", " 'clues': [('grow', 'become attached by or as if by the process of growth'),\n", " ('mature', 'develop and reach maturity; undergo maturation'),\n", " ('acquire',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('originate', 'come into existence; take on form or shape'),\n", " ('develop', 'grow emotionally or mature'),\n", " ('uprise', 'come into existence; take on form or shape'),\n", " ('produce',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques'),\n", " ('raise',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques'),\n", " ('farm',\n", " 'cultivate by growing, often involving improvements by means of agricultural techniques'),\n", " ('turn',\n", " 'pass into a condition gradually, take on a specific property or attribute; become'),\n", " ('get',\n", " 'come to have or undergo a change of (physical features and attributes)'),\n", " ('arise', 'come into existence; take on form or shape'),\n", " ('spring up', 'come into existence; take on form or shape')]},\n", " {'answer': 'grumbling',\n", " 'hint': 'synonyms for grumbling',\n", " 'clues': [('croak',\n", " \"make complaining remarks or noises under one's breath\"),\n", " ('gnarl', \"make complaining remarks or noises under one's breath\"),\n", " ('rumble', 'make a low noise'),\n", " ('grouch', \"show one's unhappiness or critical attitude\"),\n", " ('scold', \"show one's unhappiness or critical attitude\"),\n", " ('growl', 'to utter or emit low dull rumbling sounds'),\n", " ('mutter', \"make complaining remarks or noises under one's breath\"),\n", " ('murmur', \"make complaining remarks or noises under one's breath\")]},\n", " {'answer': 'guarded',\n", " 'hint': 'synonyms for guarded',\n", " 'clues': [('defend', 'protect against a challenge or attack'),\n", " ('guard', 'watch over or shield from danger or harm; protect'),\n", " ('hold', 'protect against a challenge or attack'),\n", " ('ward', 'watch over or shield from danger or harm; protect')]},\n", " {'answer': 'guided',\n", " 'hint': 'synonyms for guided',\n", " 'clues': [('direct',\n", " 'direct the course; determine the direction of travelling'),\n", " ('steer', 'direct the course; determine the direction of travelling'),\n", " ('take', 'take somebody somewhere'),\n", " ('lead', 'take somebody somewhere'),\n", " ('channelise',\n", " 'direct the course; determine the direction of travelling'),\n", " ('guide', 'use as a guide'),\n", " ('manoeuver', 'direct the course; determine the direction of travelling'),\n", " ('conduct', 'take somebody somewhere'),\n", " ('head', 'direct the course; determine the direction of travelling'),\n", " ('run', 'pass over, across, or through'),\n", " ('guide on', 'use as a guide'),\n", " ('pass', 'pass over, across, or through'),\n", " ('draw', 'pass over, across, or through'),\n", " ('point', 'direct the course; determine the direction of travelling')]},\n", " {'answer': 'guiding',\n", " 'hint': 'synonyms for guiding',\n", " 'clues': [('direct',\n", " 'direct the course; determine the direction of travelling'),\n", " ('steer', 'direct the course; determine the direction of travelling'),\n", " ('take', 'take somebody somewhere'),\n", " ('lead', 'take somebody somewhere'),\n", " ('channelise',\n", " 'direct the course; determine the direction of travelling'),\n", " ('guide', 'use as a guide'),\n", " ('manoeuver', 'direct the course; determine the direction of travelling'),\n", " ('conduct', 'take somebody somewhere'),\n", " ('head', 'direct the course; determine the direction of travelling'),\n", " ('run', 'pass over, across, or through'),\n", " ('guide on', 'use as a guide'),\n", " ('pass', 'pass over, across, or through'),\n", " ('draw', 'pass over, across, or through'),\n", " ('point', 'direct the course; determine the direction of travelling')]},\n", " {'answer': 'gushing',\n", " 'hint': 'synonyms for gushing',\n", " 'clues': [('spirt', 'gush forth in a sudden stream or jet'),\n", " ('gush', 'issue in a jet; come out in a jet; stream or spring forth'),\n", " ('jet', 'issue in a jet; come out in a jet; stream or spring forth'),\n", " ('spurt', 'gush forth in a sudden stream or jet'),\n", " ('rave', 'praise enthusiastically'),\n", " ('spout', 'gush forth in a sudden stream or jet')]},\n", " {'answer': 'hale',\n", " 'hint': 'synonyms for hale',\n", " 'clues': [('drag', 'draw slowly or heavily'),\n", " ('cart', 'draw slowly or heavily'),\n", " ('force',\n", " 'to cause to do through pressure or necessity, by physical, moral or intellectual means :'),\n", " ('coerce',\n", " 'to cause to do through pressure or necessity, by physical, moral or intellectual means :'),\n", " ('haul', 'draw slowly or heavily'),\n", " ('pressure',\n", " 'to cause to do through pressure or necessity, by physical, moral or intellectual means :'),\n", " ('squeeze',\n", " 'to cause to do through pressure or necessity, by physical, moral or intellectual means :')]},\n", " {'answer': 'hallowed',\n", " 'hint': 'synonyms for hallowed',\n", " 'clues': [('consecrate', 'render holy by means of religious rites'),\n", " ('hallow', 'render holy by means of religious rites'),\n", " ('sanctify', 'render holy by means of religious rites'),\n", " ('bless', 'render holy by means of religious rites')]},\n", " {'answer': 'halt',\n", " 'hint': 'synonyms for halt',\n", " 'clues': [('kibosh', 'stop from happening or developing'),\n", " ('stem', 'stop the flow of a liquid'),\n", " ('staunch', 'stop the flow of a liquid'),\n", " ('stop', 'stop from happening or developing'),\n", " ('hold', 'cause to stop'),\n", " ('arrest', 'cause to stop'),\n", " ('block', 'stop from happening or developing')]},\n", " {'answer': 'halting',\n", " 'hint': 'synonyms for halting',\n", " 'clues': [('kibosh', 'stop from happening or developing'),\n", " ('stem', 'stop the flow of a liquid'),\n", " ('halt', 'cause to stop'),\n", " ('staunch', 'stop the flow of a liquid'),\n", " ('stop', 'stop from happening or developing'),\n", " ('hold', 'cause to stop'),\n", " ('arrest', 'cause to stop'),\n", " ('block', 'stop from happening or developing')]},\n", " {'answer': 'handed',\n", " 'hint': 'synonyms for handed',\n", " 'clues': [('turn over', 'place into the hands or custody of'),\n", " ('hand', 'place into the hands or custody of'),\n", " ('pass', 'place into the hands or custody of'),\n", " ('pass on', 'place into the hands or custody of'),\n", " ('reach', 'place into the hands or custody of'),\n", " ('give', 'place into the hands or custody of')]},\n", " {'answer': 'handicapped',\n", " 'hint': 'synonyms for handicapped',\n", " 'clues': [('handicap',\n", " 'attempt to forecast the winner (especially in a horse race) and assign odds for or against a contestant'),\n", " ('incapacitate', 'injure permanently'),\n", " ('disable', 'injure permanently'),\n", " ('invalid', 'injure permanently'),\n", " ('hinder', 'put at a disadvantage'),\n", " ('hamper', 'put at a disadvantage')]},\n", " {'answer': 'handled',\n", " 'hint': 'synonyms for handled',\n", " 'clues': [('handle', 'show and train'),\n", " ('care', 'be in charge of, act on, or dispose of'),\n", " ('cover', 'act on verbally or in some form of artistic expression'),\n", " ('palm', 'touch, lift, or hold with the hands'),\n", " ('do by', 'interact in a certain way'),\n", " ('manage', 'be in charge of, act on, or dispose of'),\n", " ('address', 'act on verbally or in some form of artistic expression'),\n", " ('deal', 'be in charge of, act on, or dispose of'),\n", " ('treat', 'interact in a certain way'),\n", " ('plow', 'act on verbally or in some form of artistic expression'),\n", " ('wield', 'handle effectively')]},\n", " {'answer': 'handless',\n", " 'hint': 'synonyms for handless',\n", " 'clues': [('handle', 'show and train'),\n", " ('care', 'be in charge of, act on, or dispose of'),\n", " ('cover', 'act on verbally or in some form of artistic expression'),\n", " ('palm', 'touch, lift, or hold with the hands'),\n", " ('do by', 'interact in a certain way'),\n", " ('manage', 'be in charge of, act on, or dispose of'),\n", " ('address', 'act on verbally or in some form of artistic expression'),\n", " ('deal', 'be in charge of, act on, or dispose of'),\n", " ('treat', 'interact in a certain way'),\n", " ('plow', 'act on verbally or in some form of artistic expression'),\n", " ('wield', 'handle effectively')]},\n", " {'answer': 'harassed',\n", " 'hint': 'synonyms for harassed',\n", " 'clues': [('hassle', 'annoy continually or chronically'),\n", " ('plague', 'annoy continually or chronically'),\n", " ('harry', 'annoy continually or chronically'),\n", " ('chivvy', 'annoy continually or chronically'),\n", " ('harass', 'exhaust by attacking repeatedly'),\n", " ('chevvy', 'annoy continually or chronically'),\n", " ('molest', 'annoy continually or chronically'),\n", " ('beset', 'annoy continually or chronically'),\n", " ('provoke', 'annoy continually or chronically')]},\n", " {'answer': 'hardened',\n", " 'hint': 'synonyms for hardened',\n", " 'clues': [('harden', 'become hard or harder'),\n", " ('indurate', 'cause to accept or become hardened to; habituate'),\n", " ('inure', 'cause to accept or become hardened to; habituate'),\n", " ('season', 'make fit'),\n", " ('temper', 'harden by reheating and cooling in oil')]},\n", " {'answer': 'harmonised',\n", " 'hint': 'synonyms for harmonised',\n", " 'clues': [('accord', 'go together'),\n", " ('concord', 'go together'),\n", " ('harmonise',\n", " 'bring (several things) into consonance or relate harmoniously'),\n", " ('consort', 'go together'),\n", " ('chord',\n", " 'bring into consonance, harmony, or accord while making music or singing'),\n", " ('fit in', 'go together'),\n", " ('reconcile', 'bring into consonance or accord'),\n", " ('agree', 'go together')]},\n", " {'answer': 'harmonized',\n", " 'hint': 'synonyms for harmonized',\n", " 'clues': [('accord', 'go together'),\n", " ('concord', 'go together'),\n", " ('harmonise',\n", " 'bring (several things) into consonance or relate harmoniously'),\n", " ('consort', 'go together'),\n", " ('chord',\n", " 'bring into consonance, harmony, or accord while making music or singing'),\n", " ('fit in', 'go together'),\n", " ('reconcile', 'bring into consonance or accord'),\n", " ('agree', 'go together')]},\n", " {'answer': 'harnessed',\n", " 'hint': 'synonyms for harnessed',\n", " 'clues': [('tackle', 'put a harness'),\n", " ('harness', 'exploit the power of'),\n", " ('rein', 'keep in check'),\n", " ('rein in', 'control and direct with or as if by reins'),\n", " ('rule', 'keep in check'),\n", " ('draw rein', 'control and direct with or as if by reins')]},\n", " {'answer': 'harried',\n", " 'hint': 'synonyms for harried',\n", " 'clues': [('hassle', 'annoy continually or chronically'),\n", " ('plague', 'annoy continually or chronically'),\n", " ('harry', 'annoy continually or chronically'),\n", " ('chivvy', 'annoy continually or chronically'),\n", " ('chevvy', 'annoy continually or chronically'),\n", " ('ravage',\n", " 'make a pillaging or destructive raid on (a place), as in wartimes'),\n", " ('molest', 'annoy continually or chronically'),\n", " ('beset', 'annoy continually or chronically'),\n", " ('harass', 'annoy continually or chronically'),\n", " ('provoke', 'annoy continually or chronically')]},\n", " {'answer': 'hatched',\n", " 'hint': 'synonyms for hatched',\n", " 'clues': [('incubate', 'sit on (eggs)'),\n", " ('concoct', 'devise or invent'),\n", " ('hatch',\n", " 'draw, cut, or engrave lines, usually parallel, on metal, wood, or paper'),\n", " ('dream up', 'devise or invent'),\n", " ('brood', 'sit on (eggs)'),\n", " ('think of', 'devise or invent'),\n", " ('cover', 'sit on (eggs)'),\n", " ('think up', 'devise or invent')]},\n", " {'answer': 'haunted',\n", " 'hint': 'synonyms for haunted',\n", " 'clues': [('haunt',\n", " 'follow stealthily or recur constantly and spontaneously to'),\n", " ('obsess', 'haunt like a ghost; pursue'),\n", " ('stalk', 'follow stealthily or recur constantly and spontaneously to'),\n", " ('frequent', 'be a regular or frequent visitor to a certain place'),\n", " ('ghost', 'haunt like a ghost; pursue')]},\n", " {'answer': 'haunting',\n", " 'hint': 'synonyms for haunting',\n", " 'clues': [('haunt',\n", " 'follow stealthily or recur constantly and spontaneously to'),\n", " ('obsess', 'haunt like a ghost; pursue'),\n", " ('stalk', 'follow stealthily or recur constantly and spontaneously to'),\n", " ('frequent', 'be a regular or frequent visitor to a certain place'),\n", " ('ghost', 'haunt like a ghost; pursue')]},\n", " {'answer': 'headed',\n", " 'hint': 'synonyms for headed',\n", " 'clues': [('head', 'be in the front of or on top of'),\n", " ('direct', 'direct the course; determine the direction of travelling'),\n", " ('steer', 'direct the course; determine the direction of travelling'),\n", " ('lead', 'be in charge of'),\n", " ('channelise',\n", " 'direct the course; determine the direction of travelling'),\n", " ('manoeuver', 'direct the course; determine the direction of travelling'),\n", " ('guide', 'direct the course; determine the direction of travelling'),\n", " ('head up', 'be the first or leading member of (a group) and excel'),\n", " ('point', 'direct the course; determine the direction of travelling')]},\n", " {'answer': 'healed',\n", " 'hint': 'synonyms for healed',\n", " 'clues': [('mend', 'heal or recover'),\n", " ('heal', 'provide a cure for, make healthy again'),\n", " ('cure', 'provide a cure for, make healthy again'),\n", " ('bring around', 'provide a cure for, make healthy again')]},\n", " {'answer': 'healing',\n", " 'hint': 'synonyms for healing',\n", " 'clues': [('mend', 'heal or recover'),\n", " ('heal', 'provide a cure for, make healthy again'),\n", " ('cure', 'provide a cure for, make healthy again'),\n", " ('bring around', 'provide a cure for, make healthy again')]},\n", " {'answer': 'heard',\n", " 'hint': 'synonyms for heard',\n", " 'clues': [('find out',\n", " 'get to know or become aware of, usually accidentally'),\n", " ('get word', 'get to know or become aware of, usually accidentally'),\n", " ('get wind', 'get to know or become aware of, usually accidentally'),\n", " ('listen', 'listen and pay attention'),\n", " ('get a line', 'get to know or become aware of, usually accidentally'),\n", " ('hear', 'examine or hear (evidence or a case) by judicial process'),\n", " ('pick up', 'get to know or become aware of, usually accidentally'),\n", " ('try', 'examine or hear (evidence or a case) by judicial process'),\n", " ('see', 'get to know or become aware of, usually accidentally'),\n", " ('take heed', 'listen and pay attention'),\n", " ('discover', 'get to know or become aware of, usually accidentally'),\n", " ('learn', 'get to know or become aware of, usually accidentally')]},\n", " {'answer': 'hearing',\n", " 'hint': 'synonyms for hearing',\n", " 'clues': [('find out',\n", " 'get to know or become aware of, usually accidentally'),\n", " ('get word', 'get to know or become aware of, usually accidentally'),\n", " ('get wind', 'get to know or become aware of, usually accidentally'),\n", " ('listen', 'listen and pay attention'),\n", " ('get a line', 'get to know or become aware of, usually accidentally'),\n", " ('hear', 'examine or hear (evidence or a case) by judicial process'),\n", " ('pick up', 'get to know or become aware of, usually accidentally'),\n", " ('try', 'examine or hear (evidence or a case) by judicial process'),\n", " ('see', 'get to know or become aware of, usually accidentally'),\n", " ('take heed', 'listen and pay attention'),\n", " ('discover', 'get to know or become aware of, usually accidentally'),\n", " ('learn', 'get to know or become aware of, usually accidentally')]},\n", " {'answer': 'heartening',\n", " 'hint': 'synonyms for heartening',\n", " 'clues': [('embolden', 'give encouragement to'),\n", " ('hearten', 'give encouragement to'),\n", " ('cheer', 'give encouragement to'),\n", " ('recreate', 'give encouragement to')]},\n", " {'answer': 'heated',\n", " 'hint': 'synonyms for heated',\n", " 'clues': [('fire up', 'arouse or excite feelings and passions'),\n", " ('heat', 'gain heat or get hot'),\n", " ('ignite', 'arouse or excite feelings and passions'),\n", " ('inflame', 'arouse or excite feelings and passions'),\n", " ('stir up', 'arouse or excite feelings and passions'),\n", " ('heat up', 'make hot or hotter'),\n", " ('wake', 'arouse or excite feelings and passions'),\n", " ('hot up', 'gain heat or get hot')]},\n", " {'answer': 'hedged',\n", " 'hint': 'synonyms for hedged',\n", " 'clues': [('parry',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('hedge', 'minimize loss or risk'),\n", " ('circumvent',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('duck',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('sidestep',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('skirt',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('put off',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('hedge in', 'enclose or bound in with or as it with a hedge or hedges'),\n", " ('evade',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('dodge',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('fudge',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)'),\n", " ('elude',\n", " 'avoid or try to avoid fulfilling, answering, or performing (duties, questions, or issues)')]},\n", " {'answer': 'heightening',\n", " 'hint': 'synonyms for heightening',\n", " 'clues': [('deepen', 'make more intense, stronger, or more marked; ,'),\n", " ('heighten', 'become more extreme'),\n", " ('enhance', 'increase'),\n", " ('sharpen', \"make (one's senses) more acute\"),\n", " ('intensify', 'make more intense, stronger, or more marked; ,'),\n", " ('raise', 'increase'),\n", " ('compound', 'make more intense, stronger, or more marked; ,')]},\n", " {'answer': 'held',\n", " 'hint': 'synonyms for held',\n", " 'clues': [('hold', 'cover as for protection against noise or smell'),\n", " ('support', 'be the physical support of; carry the weight of'),\n", " ('halt', 'cause to stop'),\n", " ('make', 'organize or be responsible for'),\n", " ('contain', 'be capable of holding or containing'),\n", " ('take hold', \"have or hold in one's hands or grip\"),\n", " ('admit', 'have room for; hold without crowding'),\n", " ('nurse', 'maintain (a theory, thoughts, or feelings)'),\n", " ('have got',\n", " 'have or possess, either in a concrete or an abstract sense'),\n", " ('guard', 'protect against a challenge or attack'),\n", " ('obligate', 'bind by an obligation; cause to be indebted'),\n", " ('concur', 'be in accord; be in agreement'),\n", " ('defend', 'protect against a challenge or attack'),\n", " ('withstand', 'resist or confront with resistance'),\n", " ('book',\n", " 'arrange for and reserve (something for someone else) in advance'),\n", " ('confine', 'to close within bounds, limit or hold back from movement'),\n", " ('have', 'organize or be responsible for'),\n", " ('restrain', 'to close within bounds, limit or hold back from movement'),\n", " ('prevail', 'be valid, applicable, or true'),\n", " ('declare', 'declare to be'),\n", " ('keep', 'keep in a certain state, position, or activity; e.g.,'),\n", " ('hold back', 'secure and keep for possible future use or application'),\n", " ('arrest', 'cause to stop'),\n", " ('defy', 'resist or confront with resistance'),\n", " ('deem', 'keep in mind or convey as a conviction or view'),\n", " ('obtain', 'be valid, applicable, or true'),\n", " ('take for', 'keep in mind or convey as a conviction or view'),\n", " ('carry', 'drink alcohol without showing ill effects'),\n", " ('harbor', 'maintain (a theory, thoughts, or feelings)'),\n", " ('bear', 'support or hold in a certain manner'),\n", " ('sustain', 'be the physical support of; carry the weight of'),\n", " ('moderate',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('throw', 'organize or be responsible for'),\n", " ('entertain', 'maintain (a theory, thoughts, or feelings)'),\n", " ('hold up', 'be the physical support of; carry the weight of'),\n", " ('maintain', 'keep in a certain state, position, or activity; e.g.,'),\n", " ('check',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('adjudge', 'declare to be'),\n", " ('curb',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('control',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('concord', 'be in accord; be in agreement'),\n", " ('reserve',\n", " 'arrange for and reserve (something for someone else) in advance'),\n", " ('go for', 'be pertinent or relevant or applicable'),\n", " ('view as', 'keep in mind or convey as a conviction or view'),\n", " ('give', 'organize or be responsible for'),\n", " ('keep back', 'secure and keep for possible future use or application'),\n", " ('hold in',\n", " 'lessen the intensity of; temper; hold in restraint; hold or keep within limits'),\n", " ('take', 'be capable of holding or containing'),\n", " ('apply', 'be pertinent or relevant or applicable'),\n", " ('accommodate', 'have room for; hold without crowding'),\n", " ('bind', 'bind by an obligation; cause to be indebted'),\n", " ('agree', 'be in accord; be in agreement')]},\n", " {'answer': 'heralded',\n", " 'hint': 'synonyms for heralded',\n", " 'clues': [('harbinger', 'foreshadow or presage'),\n", " ('annunciate', 'foreshadow or presage'),\n", " ('herald', 'foreshadow or presage'),\n", " ('hail', 'praise vociferously'),\n", " ('foretell', 'foreshadow or presage'),\n", " ('announce', 'foreshadow or presage'),\n", " ('acclaim', 'praise vociferously')]},\n", " {'answer': 'hesitating',\n", " 'hint': 'synonyms for hesitating',\n", " 'clues': [('hesitate',\n", " 'pause or hold back in uncertainty or unwillingness'),\n", " ('waffle', 'pause or hold back in uncertainty or unwillingness'),\n", " ('pause', 'interrupt temporarily an activity before continuing'),\n", " ('waver', 'pause or hold back in uncertainty or unwillingness')]},\n", " {'answer': 'hex',\n", " 'hint': 'synonyms for hex',\n", " 'clues': [('witch',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('bewitch',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('enchant',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('jinx',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('glamour',\n", " 'cast a spell over someone or something; put a hex on someone or something')]},\n", " {'answer': 'hexed',\n", " 'hint': 'synonyms for hexed',\n", " 'clues': [('witch',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('bewitch',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('enchant',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('hex',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('jinx',\n", " 'cast a spell over someone or something; put a hex on someone or something'),\n", " ('glamour',\n", " 'cast a spell over someone or something; put a hex on someone or something')]},\n", " {'answer': 'hidden',\n", " 'hint': 'synonyms for hidden',\n", " 'clues': [('hide',\n", " 'be or go into hiding; keep out of sight, as for protection and safety'),\n", " ('shroud', 'cover as if with a shroud'),\n", " ('obliterate',\n", " 'make undecipherable or imperceptible by obscuring or concealing'),\n", " ('obscure',\n", " 'make undecipherable or imperceptible by obscuring or concealing'),\n", " ('cover', 'cover as if with a shroud'),\n", " ('conceal', 'prevent from being seen or discovered'),\n", " ('blot out',\n", " 'make undecipherable or imperceptible by obscuring or concealing'),\n", " ('hide out',\n", " 'be or go into hiding; keep out of sight, as for protection and safety'),\n", " ('veil',\n", " 'make undecipherable or imperceptible by obscuring or concealing')]},\n", " {'answer': 'hinder',\n", " 'hint': 'synonyms for hinder',\n", " 'clues': [('blockade',\n", " 'hinder or prevent the progress or accomplishment of'),\n", " ('impede', 'be a hindrance or obstacle to'),\n", " ('hamper', 'put at a disadvantage'),\n", " ('embarrass', 'hinder or prevent the progress or accomplishment of'),\n", " ('block', 'hinder or prevent the progress or accomplishment of'),\n", " ('stymie', 'hinder or prevent the progress or accomplishment of'),\n", " ('obstruct', 'hinder or prevent the progress or accomplishment of'),\n", " ('handicap', 'put at a disadvantage'),\n", " ('stymy', 'hinder or prevent the progress or accomplishment of')]},\n", " {'answer': 'hindering',\n", " 'hint': 'synonyms for hindering',\n", " 'clues': [('hinder',\n", " 'hinder or prevent the progress or accomplishment of'),\n", " ('blockade', 'hinder or prevent the progress or accomplishment of'),\n", " ('impede', 'be a hindrance or obstacle to'),\n", " ('hamper', 'put at a disadvantage'),\n", " ('embarrass', 'hinder or prevent the progress or accomplishment of'),\n", " ('block', 'hinder or prevent the progress or accomplishment of'),\n", " ('stymie', 'hinder or prevent the progress or accomplishment of'),\n", " ('obstruct', 'hinder or prevent the progress or accomplishment of'),\n", " ('handicap', 'put at a disadvantage'),\n", " ('stymy', 'hinder or prevent the progress or accomplishment of')]},\n", " {'answer': 'hired',\n", " 'hint': 'synonyms for hired',\n", " 'clues': [('engage', 'engage or hire for work'),\n", " ('lease',\n", " 'hold under a lease or rental agreement; of goods and services'),\n", " ('rent', 'engage for service under a term of contract'),\n", " ('hire', 'engage for service under a term of contract'),\n", " ('take', 'engage for service under a term of contract'),\n", " ('charter', 'engage for service under a term of contract'),\n", " ('employ', 'engage or hire for work')]},\n", " {'answer': 'hollow',\n", " 'hint': 'synonyms for hollow',\n", " 'clues': [('hollow out', 'remove the interior of'),\n", " ('dig', 'remove the inner part or the core of'),\n", " ('excavate', 'remove the inner part or the core of'),\n", " ('core out', 'remove the interior of')]},\n", " {'answer': 'honored',\n", " 'hint': 'synonyms for honored',\n", " 'clues': [('honor', 'accept as pay'),\n", " ('observe', 'show respect towards'),\n", " ('reward', 'bestow honor or rewards upon'),\n", " ('respect', 'show respect towards'),\n", " ('abide by', 'show respect towards')]},\n", " {'answer': 'hoofed',\n", " 'hint': 'synonyms for hoofed',\n", " 'clues': [('hoof it', 'walk'),\n", " ('foot', 'walk'),\n", " ('hoof', 'dance in a professional capacity'),\n", " ('leg it', 'walk')]},\n", " {'answer': 'hooked',\n", " 'hint': 'synonyms for hooked',\n", " 'clues': [('hook', 'catch with a hook'),\n", " ('soak', 'rip off; ask an unreasonable price'),\n", " ('crochet',\n", " 'make a piece of needlework by interlocking and looping thread with a hooked needle'),\n", " ('overcharge', 'rip off; ask an unreasonable price'),\n", " ('sneak', 'make off with belongings of others'),\n", " ('pilfer', 'make off with belongings of others'),\n", " ('pluck', 'rip off; ask an unreasonable price'),\n", " ('purloin', 'make off with belongings of others'),\n", " ('abstract', 'make off with belongings of others'),\n", " ('lift', 'make off with belongings of others'),\n", " ('accost', 'approach with an offer of sexual favors'),\n", " ('nobble', 'make off with belongings of others'),\n", " ('snarf', 'make off with belongings of others'),\n", " ('plume', 'rip off; ask an unreasonable price'),\n", " ('swipe', 'make off with belongings of others'),\n", " ('filch', 'make off with belongings of others'),\n", " ('glom', 'take by theft'),\n", " ('thieve', 'take by theft'),\n", " ('knock off', 'take by theft'),\n", " ('gazump', 'rip off; ask an unreasonable price'),\n", " ('cabbage', 'make off with belongings of others'),\n", " ('rob', 'rip off; ask an unreasonable price'),\n", " ('snitch', 'take by theft'),\n", " ('addict',\n", " 'to cause (someone or oneself) to become dependent (on something, especially a narcotic drug)'),\n", " ('pinch', 'make off with belongings of others'),\n", " ('fleece', 'rip off; ask an unreasonable price'),\n", " ('snare', 'entice and trap'),\n", " ('solicit', 'approach with an offer of sexual favors'),\n", " ('cop', 'take by theft'),\n", " ('surcharge', 'rip off; ask an unreasonable price')]},\n", " {'answer': 'horrified',\n", " 'hint': 'synonyms for horrified',\n", " 'clues': [('appal',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('dismay',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('horrify',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('alarm',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised')]},\n", " {'answer': 'horrifying',\n", " 'hint': 'synonyms for horrifying',\n", " 'clues': [('appal',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('dismay',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('horrify',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised'),\n", " ('alarm',\n", " 'fill with apprehension or alarm; cause to be unpleasantly surprised')]},\n", " {'answer': 'howling',\n", " 'hint': 'synonyms for howling',\n", " 'clues': [('howl', 'emit long loud cries'),\n", " ('roar', 'laugh unrestrainedly and heartily'),\n", " ('yowl', 'cry loudly, as of animals'),\n", " ('yaup', 'emit long loud cries'),\n", " ('wail', 'emit long loud cries'),\n", " ('wrawl', 'cry loudly, as of animals'),\n", " ('yammer', 'cry loudly, as of animals'),\n", " ('ululate', 'emit long loud cries'),\n", " ('yawl', 'emit long loud cries')]},\n", " {'answer': 'hulking',\n", " 'hint': 'synonyms for hulking',\n", " 'clues': [('tower', 'appear very large or occupy a commanding position'),\n", " ('hulk', 'appear very large or occupy a commanding position'),\n", " ('predominate', 'appear very large or occupy a commanding position'),\n", " ('loom', 'appear very large or occupy a commanding position')]},\n", " {'answer': 'humble',\n", " 'hint': 'synonyms for humble',\n", " 'clues': [('abase', 'cause to feel shame; hurt the pride of'),\n", " ('chagrin', 'cause to feel shame; hurt the pride of'),\n", " ('mortify', 'cause to feel shame; hurt the pride of'),\n", " ('humiliate', 'cause to feel shame; hurt the pride of')]},\n", " {'answer': 'humbled',\n", " 'hint': 'synonyms for humbled',\n", " 'clues': [('humble', 'cause to feel shame; hurt the pride of'),\n", " ('abase', 'cause to feel shame; hurt the pride of'),\n", " ('chagrin', 'cause to feel shame; hurt the pride of'),\n", " ('mortify', 'cause to feel shame; hurt the pride of'),\n", " ('humiliate', 'cause to feel shame; hurt the pride of')]},\n", " {'answer': 'humbling',\n", " 'hint': 'synonyms for humbling',\n", " 'clues': [('humble', 'cause to feel shame; hurt the pride of'),\n", " ('abase', 'cause to feel shame; hurt the pride of'),\n", " ('chagrin', 'cause to feel shame; hurt the pride of'),\n", " ('mortify', 'cause to feel shame; hurt the pride of'),\n", " ('humiliate', 'cause to feel shame; hurt the pride of')]},\n", " {'answer': 'humiliated',\n", " 'hint': 'synonyms for humiliated',\n", " 'clues': [('humble', 'cause to feel shame; hurt the pride of'),\n", " ('abase', 'cause to feel shame; hurt the pride of'),\n", " ('chagrin', 'cause to feel shame; hurt the pride of'),\n", " ('mortify', 'cause to feel shame; hurt the pride of'),\n", " ('humiliate', 'cause to feel shame; hurt the pride of')]},\n", " {'answer': 'humiliating',\n", " 'hint': 'synonyms for humiliating',\n", " 'clues': [('humble', 'cause to feel shame; hurt the pride of'),\n", " ('abase', 'cause to feel shame; hurt the pride of'),\n", " ('chagrin', 'cause to feel shame; hurt the pride of'),\n", " ('mortify', 'cause to feel shame; hurt the pride of'),\n", " ('humiliate', 'cause to feel shame; hurt the pride of')]},\n", " {'answer': 'humped',\n", " 'hint': 'synonyms for humped',\n", " 'clues': [('hump', 'have sexual intercourse with'),\n", " ('jazz', 'have sexual intercourse with'),\n", " ('eff', 'have sexual intercourse with'),\n", " ('do it', 'have sexual intercourse with'),\n", " ('bed', 'have sexual intercourse with'),\n", " ('lie with', 'have sexual intercourse with'),\n", " ('sleep with', 'have sexual intercourse with'),\n", " ('hunch',\n", " \"round one's back by bending forward and drawing the shoulders forward\"),\n", " ('fuck', 'have sexual intercourse with'),\n", " ('hunch forward',\n", " \"round one's back by bending forward and drawing the shoulders forward\"),\n", " ('be intimate', 'have sexual intercourse with'),\n", " ('make love', 'have sexual intercourse with'),\n", " ('get it on', 'have sexual intercourse with'),\n", " ('roll in the hay', 'have sexual intercourse with'),\n", " ('know', 'have sexual intercourse with'),\n", " ('bang', 'have sexual intercourse with'),\n", " ('love', 'have sexual intercourse with'),\n", " ('have sex', 'have sexual intercourse with'),\n", " ('bonk', 'have sexual intercourse with'),\n", " ('have it off', 'have sexual intercourse with'),\n", " ('get laid', 'have sexual intercourse with'),\n", " ('hunch over',\n", " \"round one's back by bending forward and drawing the shoulders forward\"),\n", " ('have a go at it', 'have sexual intercourse with'),\n", " ('have it away', 'have sexual intercourse with'),\n", " ('make out', 'have sexual intercourse with'),\n", " ('have intercourse', 'have sexual intercourse with'),\n", " ('sleep together', 'have sexual intercourse with'),\n", " ('screw', 'have sexual intercourse with')]},\n", " {'answer': 'hunched',\n", " 'hint': 'synonyms for hunched',\n", " 'clues': [('hunch',\n", " \"round one's back by bending forward and drawing the shoulders forward\"),\n", " ('hunch over',\n", " \"round one's back by bending forward and drawing the shoulders forward\"),\n", " ('hunch forward',\n", " \"round one's back by bending forward and drawing the shoulders forward\"),\n", " ('hump',\n", " \"round one's back by bending forward and drawing the shoulders forward\")]},\n", " {'answer': 'hunted',\n", " 'hint': 'synonyms for hunted',\n", " 'clues': [('hunt', 'pursue for food or sport (as of wild animals)'),\n", " ('hound', 'pursue or chase relentlessly'),\n", " ('hunt down', 'pursue for food or sport (as of wild animals)'),\n", " ('track down', 'pursue for food or sport (as of wild animals)'),\n", " ('run', 'pursue for food or sport (as of wild animals)'),\n", " ('trace', 'pursue or chase relentlessly')]},\n", " {'answer': 'hurried',\n", " 'hint': 'synonyms for hurried',\n", " 'clues': [('zip', 'move very fast'),\n", " ('speed', 'move very fast'),\n", " ('hurry', 'urge to an unnatural speed'),\n", " ('rush', 'urge to an unnatural speed'),\n", " ('look sharp', 'act or move at high speed'),\n", " ('travel rapidly', 'move very fast'),\n", " ('hasten', 'act or move at high speed'),\n", " ('festinate', 'act or move at high speed')]},\n", " {'answer': 'hurrying',\n", " 'hint': 'synonyms for hurrying',\n", " 'clues': [('zip', 'move very fast'),\n", " ('speed', 'move very fast'),\n", " ('hurry', 'urge to an unnatural speed'),\n", " ('rush', 'urge to an unnatural speed'),\n", " ('look sharp', 'act or move at high speed'),\n", " ('travel rapidly', 'move very fast'),\n", " ('hasten', 'act or move at high speed'),\n", " ('festinate', 'act or move at high speed')]},\n", " {'answer': 'hurt',\n", " 'hint': 'synonyms for hurt',\n", " 'clues': [('wound', 'hurt the feelings of'),\n", " ('ache', 'feel physical pain'),\n", " ('spite', 'hurt the feelings of'),\n", " ('offend', 'hurt the feelings of'),\n", " ('smart', 'be the source of pain'),\n", " ('bruise', 'hurt the feelings of'),\n", " ('pain', 'cause emotional anguish or make miserable'),\n", " ('suffer', 'feel physical pain'),\n", " ('injure', 'hurt the feelings of'),\n", " ('anguish', 'cause emotional anguish or make miserable')]},\n", " {'answer': 'hushed',\n", " 'hint': 'synonyms for hushed',\n", " 'clues': [('pipe down', 'become quiet or quieter'),\n", " ('silence', 'cause to be quiet or not talk'),\n", " ('hush up', 'cause to be quiet or not talk'),\n", " ('hush', 'become quiet or quieter'),\n", " ('quiesce', 'become quiet or quieter'),\n", " ('quiet', 'become quiet or quieter'),\n", " ('quiet down', 'become quiet or quieter'),\n", " ('still', 'cause to be quiet or not talk'),\n", " ('shut up', 'cause to be quiet or not talk'),\n", " ('quieten', 'cause to be quiet or not talk')]},\n", " {'answer': 'identified',\n", " 'hint': 'synonyms for identified',\n", " 'clues': [('name',\n", " 'give the name or identifying characteristics of; refer to by name or some other identifying characteristic property'),\n", " ('identify',\n", " 'recognize as being; establish the identity of someone or something'),\n", " ('key', 'identify as in botany or biology, for example'),\n", " ('describe', 'identify as in botany or biology, for example'),\n", " ('distinguish', 'identify as in botany or biology, for example'),\n", " ('discover', 'identify as in botany or biology, for example'),\n", " ('key out', 'identify as in botany or biology, for example'),\n", " ('place',\n", " 'recognize as being; establish the identity of someone or something')]},\n", " {'answer': 'idle',\n", " 'hint': 'synonyms for idle',\n", " 'clues': [('slug', 'be idle; exist in a changeless situation'),\n", " ('laze', 'be idle; exist in a changeless situation'),\n", " ('stagnate', 'be idle; exist in a changeless situation'),\n", " ('tick over', 'run disconnected or idle')]},\n", " {'answer': 'idolised',\n", " 'hint': 'synonyms for idolised',\n", " 'clues': [('idolize',\n", " 'love unquestioningly and uncritically or to excess; venerate as an idol'),\n", " ('hero-worship',\n", " 'love unquestioningly and uncritically or to excess; venerate as an idol'),\n", " ('worship',\n", " 'love unquestioningly and uncritically or to excess; venerate as an idol'),\n", " ('revere',\n", " 'love unquestioningly and uncritically or to excess; venerate as an idol')]},\n", " {'answer': 'idolized',\n", " 'hint': 'synonyms for idolized',\n", " 'clues': [('idolize',\n", " 'love unquestioningly and uncritically or to excess; venerate as an idol'),\n", " ('hero-worship',\n", " 'love unquestioningly and uncritically or to excess; venerate as an idol'),\n", " ('worship',\n", " 'love unquestioningly and uncritically or to excess; venerate as an idol'),\n", " ('revere',\n", " 'love unquestioningly and uncritically or to excess; venerate as an idol')]},\n", " {'answer': 'ignited',\n", " 'hint': 'synonyms for ignited',\n", " 'clues': [('light',\n", " 'cause to start burning; subject to fire or great heat'),\n", " ('conflagrate', 'start to burn or burst into flames'),\n", " ('erupt', 'start to burn or burst into flames'),\n", " ('ignite', 'start to burn or burst into flames'),\n", " ('combust', 'start to burn or burst into flames'),\n", " ('inflame', 'arouse or excite feelings and passions'),\n", " ('catch fire', 'start to burn or burst into flames'),\n", " ('wake', 'arouse or excite feelings and passions'),\n", " ('heat', 'arouse or excite feelings and passions'),\n", " ('take fire', 'start to burn or burst into flames'),\n", " ('fire up', 'arouse or excite feelings and passions'),\n", " ('stir up', 'arouse or excite feelings and passions')]},\n", " {'answer': 'ignored',\n", " 'hint': 'synonyms for ignored',\n", " 'clues': [('neglect', 'give little or no attention to'),\n", " ('snub', 'refuse to acknowledge'),\n", " ('disregard', 'bar from attention or consideration'),\n", " ('cut', 'refuse to acknowledge'),\n", " ('ignore', 'bar from attention or consideration'),\n", " ('push aside', 'bar from attention or consideration'),\n", " ('discount', 'bar from attention or consideration'),\n", " ('dismiss', 'bar from attention or consideration'),\n", " ('brush off', 'bar from attention or consideration')]},\n", " {'answer': 'ill-treated',\n", " 'hint': 'synonyms for ill-treated',\n", " 'clues': [('ill-treat', 'treat badly'),\n", " ('ill-use', 'treat badly'),\n", " ('step', 'treat badly'),\n", " ('abuse', 'treat badly'),\n", " ('mistreat', 'treat badly'),\n", " ('maltreat', 'treat badly')]},\n", " {'answer': 'ill-used',\n", " 'hint': 'synonyms for ill-used',\n", " 'clues': [('ill-treat', 'treat badly'),\n", " ('ill-use', 'treat badly'),\n", " ('step', 'treat badly'),\n", " ('abuse', 'treat badly'),\n", " ('mistreat', 'treat badly'),\n", " ('maltreat', 'treat badly')]},\n", " {'answer': 'illuminated',\n", " 'hint': 'synonyms for illuminated',\n", " 'clues': [('illuminate',\n", " 'add embellishments and paintings to (medieval manuscripts)'),\n", " ('clear', 'make free from confusion or ambiguity; make clear'),\n", " ('light', 'make lighter or brighter'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('light up', 'make lighter or brighter'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('crystalise', 'make free from confusion or ambiguity; make clear'),\n", " ('illume', 'make lighter or brighter'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear'),\n", " ('clear up', 'make free from confusion or ambiguity; make clear')]},\n", " {'answer': 'illuminating',\n", " 'hint': 'synonyms for illuminating',\n", " 'clues': [('illuminate',\n", " 'add embellishments and paintings to (medieval manuscripts)'),\n", " ('clear', 'make free from confusion or ambiguity; make clear'),\n", " ('light', 'make lighter or brighter'),\n", " ('sort out', 'make free from confusion or ambiguity; make clear'),\n", " ('light up', 'make lighter or brighter'),\n", " ('enlighten', 'make free from confusion or ambiguity; make clear'),\n", " ('elucidate', 'make free from confusion or ambiguity; make clear'),\n", " ('crystalise', 'make free from confusion or ambiguity; make clear'),\n", " ('illume', 'make lighter or brighter'),\n", " ('shed light on', 'make free from confusion or ambiguity; make clear'),\n", " ('straighten out', 'make free from confusion or ambiguity; make clear'),\n", " ('clear up', 'make free from confusion or ambiguity; make clear')]},\n", " {'answer': 'impacted',\n", " 'hint': 'synonyms for impacted',\n", " 'clues': [('bear upon', 'have an effect upon'),\n", " ('touch on', 'have an effect upon'),\n", " ('impact', 'have an effect upon'),\n", " ('touch', 'have an effect upon'),\n", " ('affect', 'have an effect upon')]},\n", " {'answer': 'impaired',\n", " 'hint': 'synonyms for impaired',\n", " 'clues': [('impair', 'make imperfect'),\n", " ('spoil', 'make imperfect'),\n", " ('deflower', 'make imperfect'),\n", " ('vitiate', 'make imperfect'),\n", " ('mar', 'make imperfect')]},\n", " {'answer': 'impeded',\n", " 'hint': 'synonyms for impeded',\n", " 'clues': [('obturate', 'block passage through'),\n", " ('close up', 'block passage through'),\n", " ('impede', 'block passage through'),\n", " ('block', 'block passage through'),\n", " ('obstruct', 'block passage through'),\n", " ('jam', 'block passage through'),\n", " ('occlude', 'block passage through'),\n", " ('hinder', 'be a hindrance or obstacle to')]},\n", " {'answer': 'impeding',\n", " 'hint': 'synonyms for impeding',\n", " 'clues': [('obturate', 'block passage through'),\n", " ('close up', 'block passage through'),\n", " ('impede', 'block passage through'),\n", " ('block', 'block passage through'),\n", " ('obstruct', 'block passage through'),\n", " ('jam', 'block passage through'),\n", " ('occlude', 'block passage through'),\n", " ('hinder', 'be a hindrance or obstacle to')]},\n", " {'answer': 'implanted',\n", " 'hint': 'synonyms for implanted',\n", " 'clues': [('plant', 'fix or set securely or deeply'),\n", " ('implant', 'become attached to and embedded in the uterus'),\n", " ('imbed', 'fix or set securely or deeply'),\n", " ('embed', 'fix or set securely or deeply'),\n", " ('engraft', 'fix or set securely or deeply')]},\n", " {'answer': 'implemented',\n", " 'hint': 'synonyms for implemented',\n", " 'clues': [('enforce', 'ensure observance of laws and rules'),\n", " ('carry out', 'pursue to a conclusion or bring to a successful issue'),\n", " ('go through', 'pursue to a conclusion or bring to a successful issue'),\n", " ('follow up', 'pursue to a conclusion or bring to a successful issue'),\n", " ('implement', 'apply in a manner consistent with its purpose or design'),\n", " ('follow through',\n", " 'pursue to a conclusion or bring to a successful issue'),\n", " ('follow out', 'pursue to a conclusion or bring to a successful issue'),\n", " ('put through', 'pursue to a conclusion or bring to a successful issue'),\n", " ('apply', 'ensure observance of laws and rules')]},\n", " {'answer': 'imposed',\n", " 'hint': 'synonyms for imposed',\n", " 'clues': [('impose', 'impose and collect'),\n", " ('inflict', 'impose something unpleasant'),\n", " ('enforce', 'compel to behave in a certain way'),\n", " ('levy', 'impose and collect'),\n", " ('bring down', 'impose something unpleasant'),\n", " ('visit', 'impose something unpleasant')]},\n", " {'answer': 'imposing',\n", " 'hint': 'synonyms for imposing',\n", " 'clues': [('impose', 'impose and collect'),\n", " ('inflict', 'impose something unpleasant'),\n", " ('enforce', 'compel to behave in a certain way'),\n", " ('levy', 'impose and collect'),\n", " ('bring down', 'impose something unpleasant'),\n", " ('visit', 'impose something unpleasant')]},\n", " {'answer': 'impressed',\n", " 'hint': 'synonyms for impressed',\n", " 'clues': [('move', 'have an emotional or cognitive impact upon'),\n", " ('ingrain', 'produce or try to produce a vivid impression of'),\n", " ('impress', 'mark or stamp with or as if with pressure'),\n", " ('print', 'reproduce by printing'),\n", " ('yarn-dye', 'dye (fabric) before it is spun'),\n", " ('affect', 'have an emotional or cognitive impact upon'),\n", " ('imprint', 'mark or stamp with or as if with pressure'),\n", " ('shanghai',\n", " 'take (someone) against his will for compulsory service, especially on board a ship'),\n", " ('instill', 'produce or try to produce a vivid impression of'),\n", " ('strike', 'have an emotional or cognitive impact upon')]},\n", " {'answer': 'imprisoned',\n", " 'hint': 'synonyms for imprisoned',\n", " 'clues': [('imprison', 'confine as if in a prison'),\n", " ('gaol', 'lock up or confine, in or as in a jail'),\n", " ('put away', 'lock up or confine, in or as in a jail'),\n", " ('remand', 'lock up or confine, in or as in a jail'),\n", " ('immure', 'lock up or confine, in or as in a jail'),\n", " ('jug', 'lock up or confine, in or as in a jail'),\n", " ('lag', 'lock up or confine, in or as in a jail'),\n", " ('incarcerate', 'lock up or confine, in or as in a jail'),\n", " ('jail', 'lock up or confine, in or as in a jail'),\n", " ('put behind bars', 'lock up or confine, in or as in a jail')]},\n", " {'answer': 'improved',\n", " 'hint': 'synonyms for improved',\n", " 'clues': [('meliorate', 'to make better'),\n", " ('better', 'get better'),\n", " ('amend', 'to make better'),\n", " ('improve', 'to make better')]},\n", " {'answer': 'improving',\n", " 'hint': 'synonyms for improving',\n", " 'clues': [('meliorate', 'to make better'),\n", " ('better', 'get better'),\n", " ('amend', 'to make better'),\n", " ('improve', 'to make better')]},\n", " {'answer': 'incapacitated',\n", " 'hint': 'synonyms for incapacitated',\n", " 'clues': [('disable', 'make unable to perform a certain action'),\n", " ('incapacitate', 'injure permanently'),\n", " ('handicap', 'injure permanently'),\n", " ('invalid', 'injure permanently')]},\n", " {'answer': 'incapacitating',\n", " 'hint': 'synonyms for incapacitating',\n", " 'clues': [('disable', 'make unable to perform a certain action'),\n", " ('incapacitate', 'injure permanently'),\n", " ('handicap', 'injure permanently'),\n", " ('invalid', 'injure permanently')]},\n", " {'answer': 'incensed',\n", " 'hint': 'synonyms for incensed',\n", " 'clues': [('infuriate', 'make furious'),\n", " ('cense', 'perfume especially with a censer'),\n", " ('exasperate', 'make furious'),\n", " ('incense', 'make furious'),\n", " ('thurify', 'perfume especially with a censer')]},\n", " {'answer': 'inclined',\n", " 'hint': 'synonyms for inclined',\n", " 'clues': [('be given',\n", " 'have a tendency or disposition to do or be something; be inclined'),\n", " ('dispose',\n", " 'make receptive or willing towards an action or attitude or belief'),\n", " ('incline', 'be at an angle'),\n", " ('pitch', 'be at an angle'),\n", " ('slope', 'be at an angle'),\n", " ('lean',\n", " 'have a tendency or disposition to do or be something; be inclined'),\n", " ('tend',\n", " 'have a tendency or disposition to do or be something; be inclined'),\n", " ('run',\n", " 'have a tendency or disposition to do or be something; be inclined')]},\n", " ...],\n", " 'portion': 0.6},\n", " {'name': 'adverbs',\n", " 'groups': [{'answer': 'about',\n", " 'hint': 'synonyms for about',\n", " 'clues': [('nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('well-nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('just about', '(of quantities) imprecise but fairly close to correct'),\n", " ('more or less', '(of quantities) imprecise but fairly close to correct'),\n", " ('some', '(of quantities) imprecise but fairly close to correct'),\n", " ('near',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('around', 'all around or on all sides'),\n", " ('approximately',\n", " '(of quantities) imprecise but fairly close to correct'),\n", " ('most',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('roughly', '(of quantities) imprecise but fairly close to correct'),\n", " ('close to', '(of quantities) imprecise but fairly close to correct'),\n", " ('almost',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('virtually',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('or so', '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'after',\n", " 'hint': 'synonyms for after',\n", " 'clues': [('afterwards',\n", " 'happening at a time subsequent to a reference time'),\n", " ('later on', 'happening at a time subsequent to a reference time'),\n", " ('later', 'happening at a time subsequent to a reference time'),\n", " ('subsequently', 'happening at a time subsequent to a reference time')]},\n", " {'answer': 'ahead',\n", " 'hint': 'synonyms for ahead',\n", " 'clues': [('beforehand', 'ahead of time; in anticipation'),\n", " ('forward', 'toward the future; forward in time'),\n", " ('onwards', 'in a forward direction'),\n", " ('out front', 'leading or ahead in a competition'),\n", " ('in the lead', 'leading or ahead in a competition'),\n", " ('in front', 'at or in the front'),\n", " ('in advance', 'ahead of time; in anticipation'),\n", " ('before', 'at or in the front'),\n", " ('forrader', 'in a forward direction')]},\n", " {'answer': 'all',\n", " 'hint': 'synonyms for all',\n", " 'clues': [('totally',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('completely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('altogether',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('whole',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('wholly',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('entirely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\")]},\n", " {'answer': 'all_right',\n", " 'hint': 'synonyms for all right',\n", " 'clues': [('fine',\n", " 'an expression of agreement normally occurring at the beginning of a sentence'),\n", " ('alright',\n", " 'an expression of agreement normally occurring at the beginning of a sentence'),\n", " ('very well',\n", " 'an expression of agreement normally occurring at the beginning of a sentence'),\n", " ('okay',\n", " \"in a satisfactory or adequate manner; ; ; (`alright' is a nonstandard variant of `all right')\")]},\n", " {'answer': 'alone',\n", " 'hint': 'synonyms for alone',\n", " 'clues': [('only', 'without any others being included or involved'),\n", " ('unaccompanied', 'without anybody else or anything else'),\n", " ('exclusively', 'without any others being included or involved'),\n", " ('entirely', 'without any others being included or involved'),\n", " ('solely', 'without any others being included or involved'),\n", " ('solo', 'without anybody else or anything else')]},\n", " {'answer': 'alright',\n", " 'hint': 'synonyms for alright',\n", " 'clues': [('fine',\n", " 'an expression of agreement normally occurring at the beginning of a sentence'),\n", " ('all right',\n", " \"in a satisfactory or adequate manner; ; ; (`alright' is a nonstandard variant of `all right')\"),\n", " ('very well',\n", " 'an expression of agreement normally occurring at the beginning of a sentence'),\n", " ('okay',\n", " \"in a satisfactory or adequate manner; ; ; (`alright' is a nonstandard variant of `all right')\")]},\n", " {'answer': 'apropos',\n", " 'hint': 'synonyms for apropos',\n", " 'clues': [('well-timed', 'at an opportune time'),\n", " ('incidentally', 'introducing a different topic; in point of fact'),\n", " ('by the way', 'introducing a different topic; in point of fact'),\n", " ('seasonably', 'at an opportune time'),\n", " ('by the bye', 'introducing a different topic; in point of fact'),\n", " ('timely', 'at an opportune time')]},\n", " {'answer': 'away',\n", " 'hint': 'synonyms for away',\n", " 'clues': [('aside', 'in reserve; not for immediate use'),\n", " ('out', \"from one's possession\"),\n", " ('off',\n", " \"from a particular thing or place or position (`forth' is obsolete)\"),\n", " ('by', 'in reserve; not for immediate use'),\n", " ('forth',\n", " \"from a particular thing or place or position (`forth' is obsolete)\")]},\n", " {'answer': 'best',\n", " 'hint': 'synonyms for best',\n", " 'clues': [('considerably', 'to a great extent or degree'),\n", " ('well', 'favorably; with approval'),\n", " ('advantageously', 'in a manner affording benefit or advantage'),\n", " ('intimately', 'with great or especially intimate knowledge'),\n", " ('easily', 'indicating high probability; in all likelihood'),\n", " ('comfortably', 'in financial comfort'),\n", " ('better', 'from a position of superiority or authority'),\n", " ('good',\n", " \"(often used as a combining form) in a good or proper or satisfactory manner or to a high standard (`good' is a nonstandard dialectal variant for `well')\"),\n", " ('substantially', 'to a great extent or degree')]},\n", " {'answer': 'better',\n", " 'hint': 'synonyms for better',\n", " 'clues': [('considerably', 'to a great extent or degree'),\n", " ('well', 'favorably; with approval'),\n", " ('advantageously', 'in a manner affording benefit or advantage'),\n", " ('intimately', 'with great or especially intimate knowledge'),\n", " ('best', 'from a position of superiority or authority'),\n", " ('easily', 'indicating high probability; in all likelihood'),\n", " ('comfortably', 'in financial comfort'),\n", " ('good',\n", " \"(often used as a combining form) in a good or proper or satisfactory manner or to a high standard (`good' is a nonstandard dialectal variant for `well')\"),\n", " ('substantially', 'to a great extent or degree')]},\n", " {'answer': 'close',\n", " 'hint': 'synonyms for close',\n", " 'clues': [('nigh', 'near in time or place or relationship'),\n", " ('near', 'near in time or place or relationship'),\n", " ('tight', 'in an attentive manner'),\n", " ('closely', 'in an attentive manner')]},\n", " {'answer': 'dead',\n", " 'hint': 'synonyms for dead',\n", " 'clues': [('short', 'quickly and without warning'),\n", " ('abruptly', 'quickly and without warning'),\n", " ('utterly',\n", " 'completely and without qualification; used informally as intensifiers'),\n", " ('perfectly',\n", " 'completely and without qualification; used informally as intensifiers'),\n", " ('suddenly', 'quickly and without warning'),\n", " ('absolutely',\n", " 'completely and without qualification; used informally as intensifiers')]},\n", " {'answer': 'deadly',\n", " 'hint': 'synonyms for deadly',\n", " 'clues': [('lifelessly', 'as if dead'),\n", " ('devilishly', '(used as intensives) extremely'),\n", " ('insanely', '(used as intensives) extremely'),\n", " ('madly', '(used as intensives) extremely'),\n", " ('deucedly', '(used as intensives) extremely')]},\n", " {'answer': 'decent',\n", " 'hint': 'synonyms for decent',\n", " 'clues': [('decently', 'in the right manner'),\n", " ('the right way', 'in the right manner'),\n", " ('right', 'in the right manner'),\n", " ('properly', 'in the right manner'),\n", " ('in good order', 'in the right manner')]},\n", " {'answer': 'earlier',\n", " 'hint': 'synonyms for earlier',\n", " 'clues': [('in the beginning', 'before now'),\n", " ('before', 'earlier in time; previously'),\n", " ('to begin with', 'before now'),\n", " ('in the first place', 'before now'),\n", " ('sooner', \"comparatives of `soon' or `early'\"),\n", " ('originally', 'before now')]},\n", " {'answer': 'early',\n", " 'hint': 'synonyms for early',\n", " 'clues': [('too soon', 'before the usual time or the time expected'),\n", " ('betimes', 'in good time'),\n", " ('early on', 'during an early stage'),\n", " ('ahead of time', 'before the usual time or the time expected')]},\n", " {'answer': 'easy',\n", " 'hint': 'synonyms for easy',\n", " 'clues': [('slow',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('soft',\n", " \"in a relaxed manner; or without hardship; (`soft' is nonstandard)\"),\n", " ('tardily',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('easily',\n", " \"with ease (`easy' is sometimes used informally for `easily')\")]},\n", " {'answer': 'erstwhile',\n", " 'hint': 'synonyms for erstwhile',\n", " 'clues': [('at one time', 'at a previous time'),\n", " ('erst', 'at a previous time'),\n", " ('formerly', 'at a previous time'),\n", " ('once', 'at a previous time')]},\n", " {'answer': 'false',\n", " 'hint': 'synonyms for false',\n", " 'clues': [('traitorously', 'in a disloyal and faithless manner'),\n", " ('treacherously', 'in a disloyal and faithless manner'),\n", " ('faithlessly', 'in a disloyal and faithless manner'),\n", " ('treasonably', 'in a disloyal and faithless manner')]},\n", " {'answer': 'fine',\n", " 'hint': 'synonyms for fine',\n", " 'clues': [('exquisitely', 'in a delicate manner'),\n", " ('finely', 'in a delicate manner'),\n", " ('alright',\n", " 'an expression of agreement normally occurring at the beginning of a sentence'),\n", " ('very well',\n", " 'an expression of agreement normally occurring at the beginning of a sentence'),\n", " ('delicately', 'in a delicate manner')]},\n", " {'answer': 'first',\n", " 'hint': 'synonyms for first',\n", " 'clues': [('first off', 'before anything else'),\n", " ('for the first time', 'the initial time'),\n", " ('firstly', 'before anything else'),\n", " ('first of all', 'before anything else'),\n", " ('foremost', 'prominently forward')]},\n", " {'answer': 'for_sure',\n", " 'hint': 'synonyms for for sure',\n", " 'clues': [('sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure enough',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for certain',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure as shooting',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('certainly',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\")]},\n", " {'answer': 'forward',\n", " 'hint': 'synonyms for forward',\n", " 'clues': [('onward', 'forward in time or order or degree'),\n", " ('forwards', 'in a forward direction'),\n", " ('ahead', 'in a forward direction'),\n", " ('forrard',\n", " \"at or to or toward the front; ; ; ; (`forrad' and `forrard' are dialectal variations)\"),\n", " ('frontward',\n", " \"at or to or toward the front; ; ; ; (`forrad' and `forrard' are dialectal variations)\"),\n", " ('forrader', 'in a forward direction'),\n", " ('forth', 'forward in time or order or degree'),\n", " ('fore', 'near or toward the bow of a ship or cockpit of a plane')]},\n", " {'answer': 'hard',\n", " 'hint': 'synonyms for hard',\n", " 'clues': [('severely', 'causing great damage or hardship'),\n", " ('firmly', 'with firmness'),\n", " ('intemperately', 'indulging excessively'),\n", " ('heavily', 'indulging excessively')]},\n", " {'answer': 'inside',\n", " 'hint': 'synonyms for inside',\n", " 'clues': [('in spite of appearance', 'in reality'),\n", " ('deep down', 'in reality'),\n", " ('within', 'on the inside'),\n", " ('at heart', 'in reality'),\n", " ('inwardly', 'with respect to private feelings'),\n", " ('indoors', 'within a building'),\n", " ('at bottom', 'in reality')]},\n", " {'answer': 'jolly',\n", " 'hint': 'synonyms for jolly',\n", " 'clues': [('passably', 'to a moderately sufficient extent or degree'),\n", " ('moderately', 'to a moderately sufficient extent or degree'),\n", " ('fairly', 'to a moderately sufficient extent or degree'),\n", " ('middling', 'to a moderately sufficient extent or degree'),\n", " ('somewhat', 'to a moderately sufficient extent or degree'),\n", " ('reasonably', 'to a moderately sufficient extent or degree'),\n", " ('pretty', 'to a moderately sufficient extent or degree')]},\n", " {'answer': 'just',\n", " 'hint': 'synonyms for just',\n", " 'clues': [('precisely', 'indicating exactness or preciseness'),\n", " ('simply', 'absolutely'),\n", " ('only', 'and nothing more'),\n", " ('exactly', 'indicating exactness or preciseness'),\n", " ('barely', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('scarcely', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('hardly', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('but', 'and nothing more'),\n", " ('merely', 'and nothing more'),\n", " ('just now', 'only a moment ago')]},\n", " {'answer': 'late',\n", " 'hint': 'synonyms for late',\n", " 'clues': [('latterly', 'in the recent past'),\n", " ('deep', 'to an advanced time'),\n", " ('recently', 'in the recent past'),\n", " ('tardily', 'later than usual or than expected'),\n", " ('belatedly', 'later than usual or than expected'),\n", " ('of late', 'in the recent past')]},\n", " {'answer': 'later',\n", " 'hint': 'synonyms for later',\n", " 'clues': [('afterwards',\n", " 'happening at a time subsequent to a reference time'),\n", " ('later on', 'happening at a time subsequent to a reference time'),\n", " ('subsequently', 'happening at a time subsequent to a reference time'),\n", " ('by and by', 'at some eventual time in the future'),\n", " ('after', 'happening at a time subsequent to a reference time')]},\n", " {'answer': 'lengthways',\n", " 'hint': 'synonyms for lengthways',\n", " 'clues': [('lengthwise', 'in the direction of the length'),\n", " ('longitudinally', 'in the direction of the length'),\n", " ('longways', 'in the direction of the length'),\n", " ('longwise', 'in the direction of the length')]},\n", " {'answer': 'lengthwise',\n", " 'hint': 'synonyms for lengthwise',\n", " 'clues': [('lengthways', 'in the direction of the length'),\n", " ('longitudinally', 'in the direction of the length'),\n", " ('longways', 'in the direction of the length'),\n", " ('longwise', 'in the direction of the length')]},\n", " {'answer': 'likely',\n", " 'hint': 'synonyms for likely',\n", " 'clues': [('belike', 'with considerable certainty; without much doubt'),\n", " ('in all probability', 'with considerable certainty; without much doubt'),\n", " ('probably', 'with considerable certainty; without much doubt'),\n", " ('in all likelihood',\n", " 'with considerable certainty; without much doubt')]},\n", " {'answer': 'middling',\n", " 'hint': 'synonyms for middling',\n", " 'clues': [('passably', 'to a moderately sufficient extent or degree'),\n", " ('moderately', 'to a moderately sufficient extent or degree'),\n", " ('fairly', 'to a moderately sufficient extent or degree'),\n", " ('jolly', 'to a moderately sufficient extent or degree'),\n", " ('somewhat', 'to a moderately sufficient extent or degree'),\n", " ('reasonably', 'to a moderately sufficient extent or degree'),\n", " ('pretty', 'to a moderately sufficient extent or degree')]},\n", " {'answer': 'most',\n", " 'hint': 'synonyms for most',\n", " 'clues': [('nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('well-nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('to the highest degree', 'used to form the superlative'),\n", " ('almost',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('nearly',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('virtually',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('about',\n", " '(of actions or states) slightly short of or not quite accomplished; all but')]},\n", " {'answer': 'much',\n", " 'hint': 'synonyms for much',\n", " 'clues': [('a good deal', 'to a very great degree or extent'),\n", " ('practically',\n", " '(degree adverb used before a noun phrase) for all practical purposes but not completely'),\n", " ('a great deal', 'frequently or in great quantities'),\n", " ('often', 'frequently or in great quantities'),\n", " ('lots', 'to a very great degree or extent'),\n", " ('very much', 'to a very great degree or extent'),\n", " ('a lot', 'to a very great degree or extent')]},\n", " {'answer': 'near',\n", " 'hint': 'synonyms for near',\n", " 'clues': [('nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('close', 'near in time or place or relationship'),\n", " ('well-nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('almost',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('nearly',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('virtually',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('about',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('most',\n", " '(of actions or states) slightly short of or not quite accomplished; all but')]},\n", " {'answer': 'nigh',\n", " 'hint': 'synonyms for nigh',\n", " 'clues': [('well-nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('close', 'near in time or place or relationship'),\n", " ('near', 'near in time or place or relationship'),\n", " ('almost',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('virtually',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('about',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('most',\n", " '(of actions or states) slightly short of or not quite accomplished; all but')]},\n", " {'answer': 'on_the_button',\n", " 'hint': 'synonyms for on the button',\n", " 'clues': [('precisely', 'just as it should be'),\n", " ('on the dot', 'just as it should be'),\n", " ('exactly', 'just as it should be'),\n", " ('on the nose', 'just as it should be')]},\n", " {'answer': 'on_the_nose',\n", " 'hint': 'synonyms for on the nose',\n", " 'clues': [('on the button', 'just as it should be'),\n", " ('on the dot', 'just as it should be'),\n", " ('exactly', 'just as it should be'),\n", " ('precisely', 'just as it should be')]},\n", " {'answer': 'only',\n", " 'hint': 'synonyms for only',\n", " 'clues': [('only if', 'never except when'),\n", " ('exclusively', 'without any others being included or involved'),\n", " ('just', 'and nothing more'),\n", " ('solely', 'without any others being included or involved'),\n", " ('simply', 'and nothing more'),\n", " ('only when', 'never except when'),\n", " ('but', 'and nothing more'),\n", " ('merely', 'and nothing more'),\n", " ('entirely', 'without any others being included or involved'),\n", " ('alone', 'without any others being included or involved')]},\n", " {'answer': 'plain',\n", " 'hint': 'synonyms for plain',\n", " 'clues': [('patently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('apparently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('obviously',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('manifestly',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('evidently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('plainly',\n", " \"unmistakably (`plain' is often used informally for `plainly')\")]},\n", " {'answer': 'pretty',\n", " 'hint': 'synonyms for pretty',\n", " 'clues': [('passably', 'to a moderately sufficient extent or degree'),\n", " ('moderately', 'to a moderately sufficient extent or degree'),\n", " ('fairly', 'to a moderately sufficient extent or degree'),\n", " ('jolly', 'to a moderately sufficient extent or degree'),\n", " ('middling', 'to a moderately sufficient extent or degree'),\n", " ('somewhat', 'to a moderately sufficient extent or degree'),\n", " ('reasonably', 'to a moderately sufficient extent or degree')]},\n", " {'answer': 'regardless',\n", " 'hint': 'synonyms for regardless',\n", " 'clues': [('irrespective',\n", " 'in spite of everything; without regard to drawbacks'),\n", " ('disregarding', 'in spite of everything; without regard to drawbacks'),\n", " ('disregardless', 'in spite of everything; without regard to drawbacks'),\n", " ('no matter', 'in spite of everything; without regard to drawbacks')]},\n", " {'answer': 'right',\n", " 'hint': 'synonyms for right',\n", " 'clues': [('decent', 'in the right manner'),\n", " ('properly', 'in the right manner'),\n", " ('justly', 'in accordance with moral or social standards'),\n", " ('aright', 'in an accurate manner'),\n", " ('the right way', 'in the right manner'),\n", " ('mightily', '(Southern regional intensive) very; to a great degree'),\n", " ('flop', 'exactly'),\n", " ('right on', 'an interjection expressing agreement'),\n", " ('powerful', '(Southern regional intensive) very; to a great degree'),\n", " ('correctly', 'in an accurate manner'),\n", " ('in good order', 'in the right manner')]},\n", " {'answer': 'scarce',\n", " 'hint': 'synonyms for scarce',\n", " 'clues': [('just', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('barely', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('scarcely', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('hardly', 'only a very short time before; ; ; ; ; - W.B.Yeats')]},\n", " {'answer': 'short',\n", " 'hint': 'synonyms for short',\n", " 'clues': [('curtly', 'in a curt, abrupt and discourteous manner'),\n", " ('shortly', 'in a curt, abrupt and discourteous manner'),\n", " ('abruptly', 'quickly and without warning'),\n", " ('unawares', 'at a disadvantage'),\n", " ('suddenly', 'quickly and without warning'),\n", " ('dead', 'quickly and without warning')]},\n", " {'answer': 'sideways',\n", " 'hint': 'synonyms for sideways',\n", " 'clues': [('sideway', 'toward one side'),\n", " ('sidewise', 'with one side forward or to the front'),\n", " ('sidelong', 'to, toward or at one side'),\n", " ('obliquely', 'to, toward or at one side')]},\n", " {'answer': 'slapdash',\n", " 'hint': 'synonyms for slapdash',\n", " 'clues': [('smack', 'directly'),\n", " ('bolt', 'directly'),\n", " ('slap', 'directly'),\n", " ('bang', 'directly'),\n", " ('slam-bang', 'in a careless or reckless manner')]},\n", " {'answer': 'slow',\n", " 'hint': 'synonyms for slow',\n", " 'clues': [('tardily',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('easy',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('behind', 'of timepieces'),\n", " ('slowly',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\")]},\n", " {'answer': 'some',\n", " 'hint': 'synonyms for some',\n", " 'clues': [('roughly',\n", " '(of quantities) imprecise but fairly close to correct'),\n", " ('just about', '(of quantities) imprecise but fairly close to correct'),\n", " ('around', '(of quantities) imprecise but fairly close to correct'),\n", " ('close to', '(of quantities) imprecise but fairly close to correct'),\n", " ('more or less', '(of quantities) imprecise but fairly close to correct'),\n", " ('about', '(of quantities) imprecise but fairly close to correct'),\n", " ('or so', '(of quantities) imprecise but fairly close to correct'),\n", " ('approximately',\n", " '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'still',\n", " 'hint': 'synonyms for still',\n", " 'clues': [('stock-still', 'without moving or making a sound'),\n", " ('even so',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nonetheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('notwithstanding',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('even', 'to a greater degree or extent; used with comparisons'),\n", " ('yet', 'to a greater degree or extent; used with comparisons'),\n", " ('however',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('withal',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nevertheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('all the same',\n", " 'despite anything to the contrary (usually following a concession)')]},\n", " {'answer': 'straightaway',\n", " 'hint': 'synonyms for straightaway',\n", " 'clues': [('straight off',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('right away', 'without delay or hesitation; with no time intervening'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('immediately',\n", " 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'sure',\n", " 'hint': 'synonyms for sure',\n", " 'clues': [('sure enough',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('surely',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for certain',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure as shooting',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('certainly',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\")]},\n", " {'answer': 'sure_as_shooting',\n", " 'hint': 'synonyms for sure as shooting',\n", " 'clues': [('sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure enough',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for certain',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('certainly',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\")]},\n", " {'answer': 'topsy-turvy',\n", " 'hint': 'synonyms for topsy-turvy',\n", " 'clues': [('head over heels', 'in disorderly haste'),\n", " ('heels over head', 'in disorderly haste'),\n", " ('higgledy-piggledy', 'in a disordered manner'),\n", " ('topsy-turvily', 'in disorderly haste'),\n", " ('in great confusion', 'in disorderly haste')]},\n", " {'answer': 'well',\n", " 'hint': 'synonyms for well',\n", " 'clues': [('considerably', 'to a great extent or degree'),\n", " ('comfortably', 'in financial comfort'),\n", " ('advantageously', 'in a manner affording benefit or advantage'),\n", " ('easily', 'indicating high probability; in all likelihood'),\n", " ('good',\n", " \"(often used as a combining form) in a good or proper or satisfactory manner or to a high standard (`good' is a nonstandard dialectal variant for `well')\"),\n", " ('substantially', 'to a great extent or degree'),\n", " ('intimately', 'with great or especially intimate knowledge')]},\n", " {'answer': 'whole',\n", " 'hint': 'synonyms for whole',\n", " 'clues': [('totally',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('completely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('altogether',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('all',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('wholly',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('entirely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\")]},\n", " {'answer': 'wondrous',\n", " 'hint': 'synonyms for wondrous',\n", " 'clues': [('marvelously', '(used as an intensifier) extremely well'),\n", " ('toppingly', '(used as an intensifier) extremely well'),\n", " ('superbly', '(used as an intensifier) extremely well'),\n", " ('wondrously', '(used as an intensifier) extremely well'),\n", " ('wonderfully', '(used as an intensifier) extremely well'),\n", " ('terrifically', '(used as an intensifier) extremely well')]},\n", " {'answer': 'a_good_deal',\n", " 'hint': 'synonyms for a good deal',\n", " 'clues': [('much', 'to a very great degree or extent'),\n", " ('lots', 'to a very great degree or extent'),\n", " ('very much', 'to a very great degree or extent'),\n", " ('a lot', 'to a very great degree or extent'),\n", " ('a great deal', 'to a very great degree or extent')]},\n", " {'answer': 'a_great_deal',\n", " 'hint': 'synonyms for a great deal',\n", " 'clues': [('a good deal', 'to a very great degree or extent'),\n", " ('much', 'to a very great degree or extent'),\n", " ('often', 'frequently or in great quantities'),\n", " ('lots', 'to a very great degree or extent'),\n", " ('very much', 'to a very great degree or extent'),\n", " ('a lot', 'to a very great degree or extent')]},\n", " {'answer': 'a_lot',\n", " 'hint': 'synonyms for a lot',\n", " 'clues': [('a good deal', 'to a very great degree or extent'),\n", " ('much', 'to a very great degree or extent'),\n", " ('lots', 'to a very great degree or extent'),\n", " ('very much', 'to a very great degree or extent'),\n", " ('a great deal', 'to a very great degree or extent')]},\n", " {'answer': 'abominably',\n", " 'hint': 'synonyms for abominably',\n", " 'clues': [('abysmally', 'in a terrible manner'),\n", " ('odiously', 'in an offensive and hateful manner'),\n", " ('terribly', 'in a terrible manner'),\n", " ('rottenly', 'in a terrible manner'),\n", " ('repulsively', 'in an offensive and hateful manner'),\n", " ('awfully', 'in a terrible manner'),\n", " ('detestably', 'in an offensive and hateful manner'),\n", " ('atrociously', 'in a terrible manner')]},\n", " {'answer': 'abysmally',\n", " 'hint': 'synonyms for abysmally',\n", " 'clues': [('terribly', 'in a terrible manner'),\n", " ('awfully', 'in a terrible manner'),\n", " ('abominably', 'in a terrible manner'),\n", " ('rottenly', 'in a terrible manner'),\n", " ('atrociously', 'in a terrible manner')]},\n", " {'answer': 'accidentally',\n", " 'hint': 'synonyms for accidentally',\n", " 'clues': [('unintentionally',\n", " 'without intention; in an unintentional manner'),\n", " ('by chance', 'without advance planning'),\n", " ('circumstantially', 'without advance planning'),\n", " ('incidentally', 'of a minor or subordinate nature'),\n", " ('unexpectedly', 'without advance planning')]},\n", " {'answer': 'acutely',\n", " 'hint': 'synonyms for acutely',\n", " 'clues': [('sharply', 'changing suddenly in direction and degree'),\n", " ('shrewdly', 'in a shrewd manner'),\n", " ('astutely', 'in a shrewd manner'),\n", " ('sagaciously', 'in a shrewd manner'),\n", " ('sapiently', 'in a shrewd manner')]},\n", " {'answer': 'advisedly',\n", " 'hint': 'synonyms for advisedly',\n", " 'clues': [('on purpose', 'with intention; in an intentional manner'),\n", " ('by choice', 'with intention; in an intentional manner'),\n", " ('intentionally', 'with intention; in an intentional manner'),\n", " ('purposely', 'with intention; in an intentional manner'),\n", " ('designedly', 'with intention; in an intentional manner'),\n", " ('by design', 'with intention; in an intentional manner'),\n", " ('deliberately', 'with intention; in an intentional manner')]},\n", " {'answer': 'afterward',\n", " 'hint': 'synonyms for afterward',\n", " 'clues': [('afterwards',\n", " 'happening at a time subsequent to a reference time'),\n", " ('later on', 'happening at a time subsequent to a reference time'),\n", " ('later', 'happening at a time subsequent to a reference time'),\n", " ('subsequently', 'happening at a time subsequent to a reference time'),\n", " ('after', 'happening at a time subsequent to a reference time')]},\n", " {'answer': 'afterwards',\n", " 'hint': 'synonyms for afterwards',\n", " 'clues': [('later on',\n", " 'happening at a time subsequent to a reference time'),\n", " ('later', 'happening at a time subsequent to a reference time'),\n", " ('afterward', 'happening at a time subsequent to a reference time'),\n", " ('subsequently', 'happening at a time subsequent to a reference time'),\n", " ('after', 'happening at a time subsequent to a reference time')]},\n", " {'answer': 'again_and_again',\n", " 'hint': 'synonyms for again and again',\n", " 'clues': [('time and time again', 'repeatedly'),\n", " ('time and again', 'repeatedly'),\n", " ('over and over', 'repeatedly'),\n", " ('over and over again', 'repeatedly')]},\n", " {'answer': 'all_the_same',\n", " 'hint': 'synonyms for all the same',\n", " 'clues': [('even so',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nonetheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('notwithstanding',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('however',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('withal',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nevertheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('still',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('yet',\n", " 'despite anything to the contrary (usually following a concession)')]},\n", " {'answer': 'almost',\n", " 'hint': 'synonyms for almost',\n", " 'clues': [('nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('well-nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('nearly',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('virtually',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('about',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('most',\n", " '(of actions or states) slightly short of or not quite accomplished; all but')]},\n", " {'answer': 'also',\n", " 'hint': 'synonyms for also',\n", " 'clues': [('likewise', 'in addition'),\n", " ('too', 'in addition'),\n", " ('besides', 'in addition'),\n", " ('as well', 'in addition')]},\n", " {'answer': 'altogether',\n", " 'hint': 'synonyms for altogether',\n", " 'clues': [('all in all',\n", " 'with everything considered (and neglecting details)'),\n", " ('in all', 'with everything included or counted'),\n", " ('completely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('whole',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('wholly',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('entirely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('totally',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('all told', 'with everything included or counted'),\n", " ('tout ensemble', 'with everything considered (and neglecting details)'),\n", " ('on the whole', 'with everything considered (and neglecting details)'),\n", " ('all',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\")]},\n", " {'answer': 'always',\n", " 'hint': 'synonyms for always',\n", " 'clues': [('perpetually', 'without interruption'),\n", " ('ever', 'at all times; all the time and on every occasion'),\n", " ('invariably', 'without variation or change, in every case'),\n", " ('constantly', 'without variation or change, in every case'),\n", " ('forever', 'without interruption'),\n", " ('incessantly', 'without interruption'),\n", " (\"e'er\", 'at all times; all the time and on every occasion')]},\n", " {'answer': 'annually',\n", " 'hint': 'synonyms for annually',\n", " 'clues': [('every year', 'without missing a year'),\n", " ('each year',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('per annum',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('yearly', 'without missing a year'),\n", " ('per year',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('p.a.',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)')]},\n", " {'answer': 'anyhow',\n", " 'hint': 'synonyms for anyhow',\n", " 'clues': [('anyways',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('at any rate',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any case',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any event',\n", " 'used to indicate that a statement explains or supports a previous statement')]},\n", " {'answer': 'anyway',\n", " 'hint': 'synonyms for anyway',\n", " 'clues': [('anyways',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('at any rate',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('anyhow',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any case',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any event',\n", " 'used to indicate that a statement explains or supports a previous statement')]},\n", " {'answer': 'anyways',\n", " 'hint': 'synonyms for anyways',\n", " 'clues': [('at any rate',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('anyway',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('anyhow',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any case',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any event',\n", " 'used to indicate that a statement explains or supports a previous statement')]},\n", " {'answer': 'apace',\n", " 'hint': 'synonyms for apace',\n", " 'clues': [('chop-chop', 'with rapid movements'),\n", " ('speedily', 'with rapid movements'),\n", " ('rapidly', 'with rapid movements'),\n", " ('quickly', 'with rapid movements')]},\n", " {'answer': 'apparently',\n", " 'hint': 'synonyms for apparently',\n", " 'clues': [('obviously',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('on the face of it', 'from appearances alone; ; ; -Thomas Hardy'),\n", " ('seemingly', 'from appearances alone; ; ; -Thomas Hardy'),\n", " ('plainly',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('patently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('ostensibly', 'from appearances alone; ; ; -Thomas Hardy'),\n", " ('manifestly',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('evidently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\")]},\n", " {'answer': 'approximately',\n", " 'hint': 'synonyms for approximately',\n", " 'clues': [('roughly',\n", " '(of quantities) imprecise but fairly close to correct'),\n", " ('just about', '(of quantities) imprecise but fairly close to correct'),\n", " ('around', '(of quantities) imprecise but fairly close to correct'),\n", " ('close to', '(of quantities) imprecise but fairly close to correct'),\n", " ('more or less', '(of quantities) imprecise but fairly close to correct'),\n", " ('some', '(of quantities) imprecise but fairly close to correct'),\n", " ('about', '(of quantities) imprecise but fairly close to correct'),\n", " ('or so', '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'arbitrarily',\n", " 'hint': 'synonyms for arbitrarily',\n", " 'clues': [('at random', 'in a random manner'),\n", " ('willy-nilly', 'in a random manner'),\n", " ('randomly', 'in a random manner'),\n", " ('every which way', 'in a random manner'),\n", " ('indiscriminately', 'in a random manner'),\n", " ('haphazardly', 'in a random manner')]},\n", " {'answer': 'around',\n", " 'hint': 'synonyms for around',\n", " 'clues': [('about', 'all around or on all sides'),\n", " ('roughly', '(of quantities) imprecise but fairly close to correct'),\n", " ('just about', '(of quantities) imprecise but fairly close to correct'),\n", " ('close to', '(of quantities) imprecise but fairly close to correct'),\n", " ('more or less', '(of quantities) imprecise but fairly close to correct'),\n", " ('some', '(of quantities) imprecise but fairly close to correct'),\n", " ('round', 'from beginning to end; throughout'),\n", " ('or so', '(of quantities) imprecise but fairly close to correct'),\n", " ('approximately',\n", " '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'artfully',\n", " 'hint': 'synonyms for artfully',\n", " 'clues': [('disingenuously', 'in a disingenuous manner'),\n", " ('trickily', 'in an artful manner'),\n", " ('foxily', 'in an artful manner'),\n", " ('slyly', 'in an artful manner'),\n", " ('cunningly', 'in an artful manner'),\n", " ('craftily', 'in an artful manner'),\n", " ('knavishly', 'in an artful manner')]},\n", " {'answer': 'as_well',\n", " 'hint': 'synonyms for as well',\n", " 'clues': [('likewise', 'in addition'),\n", " ('too', 'in addition'),\n", " ('besides', 'in addition'),\n", " ('also', 'in addition')]},\n", " {'answer': 'as_yet',\n", " 'hint': 'synonyms for as yet',\n", " 'clues': [('yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('hitherto',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('until now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('up to now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('thus far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('heretofore',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('so far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time')]},\n", " {'answer': 'astutely',\n", " 'hint': 'synonyms for astutely',\n", " 'clues': [('shrewdly', 'in a shrewd manner'),\n", " ('sapiently', 'in a shrewd manner'),\n", " ('sagaciously', 'in a shrewd manner'),\n", " ('acutely', 'in a shrewd manner')]},\n", " {'answer': 'at_any_rate',\n", " 'hint': 'synonyms for at any rate',\n", " 'clues': [('anyways',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('leastwise',\n", " \"if nothing else (`leastwise' is informal and `leastways' is colloquial)\"),\n", " ('anyhow',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any case',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any event',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('leastways',\n", " \"if nothing else (`leastwise' is informal and `leastways' is colloquial)\"),\n", " ('at least',\n", " \"if nothing else (`leastwise' is informal and `leastways' is colloquial)\")]},\n", " {'answer': 'at_bottom',\n", " 'hint': 'synonyms for at bottom',\n", " 'clues': [('at heart', 'in reality'),\n", " ('in spite of appearance', 'in reality'),\n", " ('inside', 'in reality'),\n", " ('deep down', 'in reality')]},\n", " {'answer': 'at_heart',\n", " 'hint': 'synonyms for at heart',\n", " 'clues': [('deep down', 'in reality'),\n", " ('in spite of appearance', 'in reality'),\n", " ('inside', 'in reality'),\n", " ('at bottom', 'in reality')]},\n", " {'answer': 'at_last',\n", " 'hint': 'synonyms for at last',\n", " 'clues': [('at long last', 'as the end result of a succession or process'),\n", " ('finally', 'as the end result of a succession or process'),\n", " ('in the end', 'as the end result of a succession or process'),\n", " ('ultimately', 'as the end result of a succession or process')]},\n", " {'answer': 'at_least',\n", " 'hint': 'synonyms for at least',\n", " 'clues': [('leastwise',\n", " \"if nothing else (`leastwise' is informal and `leastways' is colloquial)\"),\n", " ('at any rate',\n", " \"if nothing else (`leastwise' is informal and `leastways' is colloquial)\"),\n", " ('at the least', 'not less than'),\n", " ('leastways',\n", " \"if nothing else (`leastwise' is informal and `leastways' is colloquial)\")]},\n", " {'answer': 'at_long_last',\n", " 'hint': 'synonyms for at long last',\n", " 'clues': [('in the end', 'as the end result of a succession or process'),\n", " ('at last', 'as the end result of a succession or process'),\n", " ('finally', 'as the end result of a succession or process'),\n", " ('ultimately', 'as the end result of a succession or process')]},\n", " {'answer': 'at_once',\n", " 'hint': 'synonyms for at once',\n", " 'clues': [('straight off',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('right away', 'without delay or hesitation; with no time intervening'),\n", " ('at a time', 'simultaneously'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('at one time', 'simultaneously'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('immediately',\n", " 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'at_one_time',\n", " 'hint': 'synonyms for at one time',\n", " 'clues': [('erst', 'at a previous time'),\n", " ('at once', 'simultaneously'),\n", " ('formerly', 'at a previous time'),\n", " ('at a time', 'simultaneously'),\n", " ('erstwhile', 'at a previous time'),\n", " ('once', 'at a previous time')]},\n", " {'answer': 'at_random',\n", " 'hint': 'synonyms for at random',\n", " 'clues': [('willy-nilly', 'in a random manner'),\n", " ('randomly', 'in a random manner'),\n", " ('every which way', 'in a random manner'),\n", " ('arbitrarily', 'in a random manner'),\n", " ('indiscriminately', 'in a random manner'),\n", " ('haphazardly', 'in a random manner')]},\n", " {'answer': 'at_times',\n", " 'hint': 'synonyms for at times',\n", " 'clues': [('once in a while', 'now and then or here and there'),\n", " ('occasionally', 'now and then or here and there'),\n", " ('now and again', 'now and then or here and there'),\n", " ('on occasion', 'now and then or here and there'),\n", " ('from time to time', 'now and then or here and there'),\n", " ('now and then', 'now and then or here and there')]},\n", " {'answer': 'atrociously',\n", " 'hint': 'synonyms for atrociously',\n", " 'clues': [('abysmally', 'in a terrible manner'),\n", " ('terribly', 'in a terrible manner'),\n", " ('awfully', 'in a terrible manner'),\n", " ('abominably', 'in a terrible manner'),\n", " ('rottenly', 'in a terrible manner'),\n", " ('outrageously', 'to an extravagant or immoderate degree')]},\n", " {'answer': 'avowedly',\n", " 'hint': 'synonyms for avowedly',\n", " 'clues': [('admittedly', 'as acknowledged'),\n", " ('professedly', 'by open declaration'),\n", " ('true', 'as acknowledged'),\n", " ('confessedly', 'as acknowledged')]},\n", " {'answer': 'awfully',\n", " 'hint': 'synonyms for awfully',\n", " 'clues': [('abysmally', 'in a terrible manner'),\n", " ('terribly', 'in a terrible manner'),\n", " ('dreadfully', 'of a dreadful kind'),\n", " ('rottenly', 'in a terrible manner'),\n", " ('awful', 'used as intensifiers'),\n", " ('horribly', 'of a dreadful kind'),\n", " ('abominably', 'in a terrible manner'),\n", " ('frightfully', 'used as intensifiers'),\n", " ('atrociously', 'in a terrible manner')]},\n", " {'answer': 'badly',\n", " 'hint': 'synonyms for badly',\n", " 'clues': [('severely', 'to a severe or serious degree'),\n", " ('ill', 'unfavorably or with disapproval'),\n", " ('bad', 'very much; strongly'),\n", " ('gravely', 'to a severe or serious degree'),\n", " ('seriously', 'to a severe or serious degree'),\n", " ('naughtily', 'in a disobedient or naughty way'),\n", " ('mischievously', 'in a disobedient or naughty way'),\n", " ('disadvantageously',\n", " \"in a disadvantageous way; to someone's disadvantage\"),\n", " ('poorly',\n", " \"(`ill' is often used as a combining form) in a poor or improper or unsatisfactory manner; not well\")]},\n", " {'answer': 'balmily',\n", " 'hint': 'synonyms for balmily',\n", " 'clues': [('daftly', 'in a mildly insane manner'),\n", " ('nuttily', 'in a mildly insane manner'),\n", " ('dottily', 'in a mildly insane manner'),\n", " ('wackily', 'in a mildly insane manner')]},\n", " {'answer': 'bang',\n", " 'hint': 'synonyms for bang',\n", " 'clues': [('smack', 'directly'),\n", " ('slap', 'directly'),\n", " ('slapdash', 'directly'),\n", " ('bolt', 'directly')]},\n", " {'answer': 'barely',\n", " 'hint': 'synonyms for barely',\n", " 'clues': [('scarcely',\n", " 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('hardly', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('scantily', 'in a sparse or scanty way'),\n", " ('just', 'only a very short time before; ; ; ; ; - W.B.Yeats')]},\n", " {'answer': 'befittingly',\n", " 'hint': 'synonyms for befittingly',\n", " 'clues': [('fittingly', 'in an appropriate manner'),\n", " ('suitably', 'in an appropriate manner'),\n", " ('fitly', 'in an appropriate manner'),\n", " ('appropriately', 'in an appropriate manner')]},\n", " {'answer': 'belike',\n", " 'hint': 'synonyms for belike',\n", " 'clues': [('likely', 'with considerable certainty; without much doubt'),\n", " ('in all probability', 'with considerable certainty; without much doubt'),\n", " ('probably', 'with considerable certainty; without much doubt'),\n", " ('in all likelihood',\n", " 'with considerable certainty; without much doubt')]},\n", " {'answer': 'below',\n", " 'hint': 'synonyms for below',\n", " 'clues': [('down the stairs', 'on a floor below'),\n", " ('at a lower place', 'in or to a place that is lower'),\n", " ('under', 'further down'),\n", " ('downstairs', 'on a floor below'),\n", " ('beneath', 'in or to a place that is lower'),\n", " ('infra', '(in writing) see below'),\n", " ('on a lower floor', 'on a floor below')]},\n", " {'answer': 'beseechingly',\n", " 'hint': 'synonyms for beseechingly',\n", " 'clues': [('pleadingly', 'in a beseeching manner'),\n", " ('imploringly', 'in a beseeching manner'),\n", " ('importunately', 'in a beseeching manner'),\n", " ('entreatingly', 'in a beseeching manner')]},\n", " {'answer': 'besides',\n", " 'hint': 'synonyms for besides',\n", " 'clues': [('likewise', 'in addition'),\n", " ('in any case', 'making an additional point; anyway'),\n", " ('too', 'in addition'),\n", " ('also', 'in addition'),\n", " ('as well', 'in addition')]},\n", " {'answer': 'bit_by_bit',\n", " 'hint': 'synonyms for bit by bit',\n", " 'clues': [('step by step', 'in a gradual manner'),\n", " ('gradually', 'in a gradual manner'),\n", " ('in stages', 'a little bit at a time'),\n", " ('piecemeal', 'a little bit at a time'),\n", " ('little by little', 'a little bit at a time')]},\n", " {'answer': 'blithely',\n", " 'hint': 'synonyms for blithely',\n", " 'clues': [('gayly', 'in a joyous manner'),\n", " ('jubilantly', 'in a joyous manner'),\n", " ('merrily', 'in a joyous manner'),\n", " ('mirthfully', 'in a joyous manner'),\n", " ('happily', 'in a joyous manner')]},\n", " {'answer': 'bluffly',\n", " 'hint': 'synonyms for bluffly',\n", " 'clues': [('roundly', 'in a blunt direct manner'),\n", " ('brusquely', 'in a blunt direct manner'),\n", " ('flat out', 'in a blunt direct manner'),\n", " ('bluntly', 'in a blunt direct manner')]},\n", " {'answer': 'bluntly',\n", " 'hint': 'synonyms for bluntly',\n", " 'clues': [('roundly', 'in a blunt direct manner'),\n", " ('brusquely', 'in a blunt direct manner'),\n", " ('bluffly', 'in a blunt direct manner'),\n", " ('flat out', 'in a blunt direct manner')]},\n", " {'answer': 'bolt',\n", " 'hint': 'synonyms for bolt',\n", " 'clues': [('smack', 'directly'),\n", " ('stiffly', 'in a rigid manner'),\n", " ('rigidly', 'in a rigid manner'),\n", " ('slap', 'directly'),\n", " ('slapdash', 'directly'),\n", " ('bang', 'directly')]},\n", " {'answer': 'briefly',\n", " 'hint': 'synonyms for briefly',\n", " 'clues': [('shortly', 'in a concise manner; in a few words'),\n", " ('concisely', 'in a concise manner; in a few words'),\n", " ('in short', 'in a concise manner; in a few words'),\n", " ('in brief', 'in a concise manner; in a few words')]},\n", " {'answer': 'brusquely',\n", " 'hint': 'synonyms for brusquely',\n", " 'clues': [('roundly', 'in a blunt direct manner'),\n", " ('bluffly', 'in a blunt direct manner'),\n", " ('flat out', 'in a blunt direct manner'),\n", " ('bluntly', 'in a blunt direct manner')]},\n", " {'answer': 'but',\n", " 'hint': 'synonyms for but',\n", " 'clues': [('just', 'and nothing more'),\n", " ('only', 'and nothing more'),\n", " ('merely', 'and nothing more'),\n", " ('simply', 'and nothing more')]},\n", " {'answer': 'by_all_odds',\n", " 'hint': 'synonyms for by all odds',\n", " 'clues': [('emphatically', 'without question and beyond doubt'),\n", " ('in spades', 'without question and beyond doubt'),\n", " ('definitely', 'without question and beyond doubt'),\n", " ('decidedly', 'without question and beyond doubt'),\n", " ('unquestionably', 'without question and beyond doubt')]},\n", " {'answer': 'by_chance',\n", " 'hint': 'synonyms for by chance',\n", " 'clues': [('by luck', 'by accident'),\n", " ('accidentally', 'without advance planning'),\n", " ('unexpectedly', 'without advance planning'),\n", " ('haply', 'by accident'),\n", " ('circumstantially', 'without advance planning'),\n", " ('perchance', 'through chance,')]},\n", " {'answer': 'by_choice',\n", " 'hint': 'synonyms for by choice',\n", " 'clues': [('on purpose', 'with intention; in an intentional manner'),\n", " ('intentionally', 'with intention; in an intentional manner'),\n", " ('advisedly', 'with intention; in an intentional manner'),\n", " ('purposely', 'with intention; in an intentional manner'),\n", " ('designedly', 'with intention; in an intentional manner'),\n", " ('by design', 'with intention; in an intentional manner'),\n", " ('deliberately', 'with intention; in an intentional manner')]},\n", " {'answer': 'by_design',\n", " 'hint': 'synonyms for by design',\n", " 'clues': [('on purpose', 'with intention; in an intentional manner'),\n", " ('by choice', 'with intention; in an intentional manner'),\n", " ('intentionally', 'with intention; in an intentional manner'),\n", " ('advisedly', 'with intention; in an intentional manner'),\n", " ('purposely', 'with intention; in an intentional manner'),\n", " ('designedly', 'with intention; in an intentional manner'),\n", " ('deliberately', 'with intention; in an intentional manner')]},\n", " {'answer': 'carelessly',\n", " 'hint': 'synonyms for carelessly',\n", " 'clues': [('heedlessly', 'without care or concern'),\n", " ('raffishly', 'in a rakish manner'),\n", " ('rakishly', 'in a rakish manner'),\n", " ('incautiously', 'without caution or prudence')]},\n", " {'answer': 'ceaselessly',\n", " 'hint': 'synonyms for ceaselessly',\n", " 'clues': [('unceasingly', 'with unflagging resolve'),\n", " ('unendingly', 'with unflagging resolve'),\n", " ('continuously', 'with unflagging resolve'),\n", " ('endlessly', 'with unflagging resolve'),\n", " ('incessantly', 'with unflagging resolve')]},\n", " {'answer': 'certainly',\n", " 'hint': 'synonyms for certainly',\n", " 'clues': [('sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure enough',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for certain',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure as shooting',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\")]},\n", " {'answer': 'cheaply',\n", " 'hint': 'synonyms for cheaply',\n", " 'clues': [('inexpensively', 'in a cheap manner'),\n", " ('chintzily', 'in a stingy manner'),\n", " ('stingily', 'in a stingy manner'),\n", " ('tattily', 'in a cheap manner')]},\n", " {'answer': 'chiefly',\n", " 'hint': 'synonyms for chiefly',\n", " 'clues': [('mainly', 'for the most part'),\n", " ('principally', 'for the most part'),\n", " ('primarily', 'for the most part'),\n", " ('in the main', 'for the most part')]},\n", " {'answer': 'chop-chop',\n", " 'hint': 'synonyms for chop-chop',\n", " 'clues': [('apace', 'with rapid movements'),\n", " ('speedily', 'with rapid movements'),\n", " ('rapidly', 'with rapid movements'),\n", " ('quickly', 'with rapid movements')]},\n", " {'answer': 'circumstantially',\n", " 'hint': 'synonyms for circumstantially',\n", " 'clues': [('accidentally', 'without advance planning'),\n", " ('minutely', 'in minute detail'),\n", " ('by chance', 'without advance planning'),\n", " ('unexpectedly', 'without advance planning')]},\n", " {'answer': 'clearly',\n", " 'hint': 'synonyms for clearly',\n", " 'clues': [('understandably', 'in an intelligible manner'),\n", " ('intelligibly', 'in an intelligible manner'),\n", " ('clear', 'in an easily perceptible manner'),\n", " ('distinctly', 'clear to the mind; with distinct mental discernment')]},\n", " {'answer': 'close_to',\n", " 'hint': 'synonyms for close to',\n", " 'clues': [('roughly',\n", " '(of quantities) imprecise but fairly close to correct'),\n", " ('just about', '(of quantities) imprecise but fairly close to correct'),\n", " ('around', '(of quantities) imprecise but fairly close to correct'),\n", " ('more or less', '(of quantities) imprecise but fairly close to correct'),\n", " ('some', '(of quantities) imprecise but fairly close to correct'),\n", " ('about', '(of quantities) imprecise but fairly close to correct'),\n", " ('or so', '(of quantities) imprecise but fairly close to correct'),\n", " ('approximately',\n", " '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'closely',\n", " 'hint': 'synonyms for closely',\n", " 'clues': [('nearly', 'in a close manner'),\n", " ('tight', 'in an attentive manner'),\n", " ('intimately', 'in a close manner'),\n", " ('close', 'in an attentive manner')]},\n", " {'answer': 'commonly',\n", " 'hint': 'synonyms for commonly',\n", " 'clues': [('ordinarily', 'under normal conditions'),\n", " ('unremarkably', 'under normal conditions'),\n", " ('normally', 'under normal conditions'),\n", " ('usually', 'under normal conditions')]},\n", " {'answer': 'completely',\n", " 'hint': 'synonyms for completely',\n", " 'clues': [('totally',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('altogether',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('all',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('whole',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('wholly',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('entirely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\")]},\n", " {'answer': 'concisely',\n", " 'hint': 'synonyms for concisely',\n", " 'clues': [('shortly', 'in a concise manner; in a few words'),\n", " ('in brief', 'in a concise manner; in a few words'),\n", " ('in short', 'in a concise manner; in a few words'),\n", " ('briefly', 'in a concise manner; in a few words')]},\n", " {'answer': 'constantly',\n", " 'hint': 'synonyms for constantly',\n", " 'clues': [('forever', 'without interruption'),\n", " ('incessantly', 'without interruption'),\n", " ('perpetually', 'without interruption'),\n", " ('always', 'without variation or change, in every case'),\n", " ('invariably', 'without variation or change, in every case')]},\n", " {'answer': 'continuously',\n", " 'hint': 'synonyms for continuously',\n", " 'clues': [('ceaselessly', 'with unflagging resolve'),\n", " ('unceasingly', 'with unflagging resolve'),\n", " ('unendingly', 'with unflagging resolve'),\n", " ('endlessly', 'with unflagging resolve'),\n", " ('incessantly', 'with unflagging resolve')]},\n", " {'answer': 'contrariwise',\n", " 'hint': 'synonyms for contrariwise',\n", " 'clues': [('contrarily', 'in a contrary disobedient manner'),\n", " ('the other way around', 'with the order reversed'),\n", " ('perversely', 'in a contrary disobedient manner'),\n", " ('vice versa', 'with the order reversed'),\n", " ('on the contrary', 'contrary to expectations')]},\n", " {'answer': 'covetously',\n", " 'hint': 'synonyms for covetously',\n", " 'clues': [('avariciously', 'in a greedy manner'),\n", " ('jealously', 'with jealousy; in an envious manner'),\n", " ('enviously', 'with jealousy; in an envious manner'),\n", " ('greedily', 'in a greedy manner')]},\n", " {'answer': 'craftily',\n", " 'hint': 'synonyms for craftily',\n", " 'clues': [('artfully', 'in an artful manner'),\n", " ('trickily', 'in an artful manner'),\n", " ('foxily', 'in an artful manner'),\n", " ('slyly', 'in an artful manner'),\n", " ('cunningly', 'in an artful manner'),\n", " ('knavishly', 'in an artful manner')]},\n", " {'answer': 'cunningly',\n", " 'hint': 'synonyms for cunningly',\n", " 'clues': [('artfully', 'in an artful manner'),\n", " ('trickily', 'in an artful manner'),\n", " ('foxily', 'in an artful manner'),\n", " ('cutely', 'in an attractive manner'),\n", " ('slyly', 'in an artful manner'),\n", " ('craftily', 'in an artful manner'),\n", " ('knavishly', 'in an artful manner')]},\n", " {'answer': 'curiously',\n", " 'hint': 'synonyms for curiously',\n", " 'clues': [('oddly', 'in a manner differing from the usual or expected'),\n", " ('interrogatively', 'with curiosity'),\n", " ('inquisitively', 'with curiosity'),\n", " ('peculiarly', 'in a manner differing from the usual or expected')]},\n", " {'answer': 'cussedly',\n", " 'hint': 'synonyms for cussedly',\n", " 'clues': [('obstinately', 'in a stubborn unregenerate manner'),\n", " ('mulishly', 'in a stubborn unregenerate manner'),\n", " ('stubbornly', 'in a stubborn unregenerate manner'),\n", " ('obdurately', 'in a stubborn unregenerate manner'),\n", " ('pig-headedly', 'in a stubborn unregenerate manner')]},\n", " {'answer': 'daftly',\n", " 'hint': 'synonyms for daftly',\n", " 'clues': [('balmily', 'in a mildly insane manner'),\n", " ('nuttily', 'in a mildly insane manner'),\n", " ('dottily', 'in a mildly insane manner'),\n", " ('wackily', 'in a mildly insane manner')]},\n", " {'answer': 'decently',\n", " 'hint': 'synonyms for decently',\n", " 'clues': [('decent', 'in the right manner'),\n", " ('the right way', 'in the right manner'),\n", " ('right', 'in the right manner'),\n", " ('properly', 'in the right manner'),\n", " ('in good order', 'in the right manner')]},\n", " {'answer': 'decidedly',\n", " 'hint': 'synonyms for decidedly',\n", " 'clues': [('by all odds', 'without question and beyond doubt'),\n", " ('emphatically', 'without question and beyond doubt'),\n", " ('in spades', 'without question and beyond doubt'),\n", " ('definitely', 'without question and beyond doubt'),\n", " ('unquestionably', 'without question and beyond doubt')]},\n", " {'answer': 'deep_down',\n", " 'hint': 'synonyms for deep down',\n", " 'clues': [('at heart', 'in reality'),\n", " ('in spite of appearance', 'in reality'),\n", " ('inside', 'in reality'),\n", " ('at bottom', 'in reality')]},\n", " {'answer': 'definitely',\n", " 'hint': 'synonyms for definitely',\n", " 'clues': [('by all odds', 'without question and beyond doubt'),\n", " ('emphatically', 'without question and beyond doubt'),\n", " ('in spades', 'without question and beyond doubt'),\n", " ('decidedly', 'without question and beyond doubt'),\n", " ('unquestionably', 'without question and beyond doubt')]},\n", " {'answer': 'deliberately',\n", " 'hint': 'synonyms for deliberately',\n", " 'clues': [('measuredly', 'in a deliberate unhurried manner'),\n", " ('on purpose', 'with intention; in an intentional manner'),\n", " ('by choice', 'with intention; in an intentional manner'),\n", " ('intentionally', 'with intention; in an intentional manner'),\n", " ('advisedly', 'with intention; in an intentional manner'),\n", " ('purposely', 'with intention; in an intentional manner'),\n", " ('designedly', 'with intention; in an intentional manner'),\n", " ('by design', 'with intention; in an intentional manner')]},\n", " {'answer': 'designedly',\n", " 'hint': 'synonyms for designedly',\n", " 'clues': [('on purpose', 'with intention; in an intentional manner'),\n", " ('by choice', 'with intention; in an intentional manner'),\n", " ('intentionally', 'with intention; in an intentional manner'),\n", " ('advisedly', 'with intention; in an intentional manner'),\n", " ('purposely', 'with intention; in an intentional manner'),\n", " ('by design', 'with intention; in an intentional manner'),\n", " ('deliberately', 'with intention; in an intentional manner')]},\n", " {'answer': 'deucedly',\n", " 'hint': 'synonyms for deucedly',\n", " 'clues': [('insanely', '(used as intensives) extremely'),\n", " ('madly', '(used as intensives) extremely'),\n", " ('deadly', '(used as intensives) extremely'),\n", " ('devilishly', '(used as intensives) extremely')]},\n", " {'answer': 'devilishly',\n", " 'hint': 'synonyms for devilishly',\n", " 'clues': [('fiendishly', 'as a devil; in an evil manner'),\n", " ('devilish', 'in a playfully devilish manner'),\n", " ('deadly', '(used as intensives) extremely'),\n", " ('insanely', '(used as intensives) extremely'),\n", " ('madly', '(used as intensives) extremely'),\n", " ('deucedly', '(used as intensives) extremely'),\n", " ('diabolically', 'as a devil; in an evil manner')]},\n", " {'answer': 'dimly',\n", " 'hint': 'synonyms for dimly',\n", " 'clues': [('murkily', 'with a dim light'),\n", " ('indistinctly', 'in a dim indistinct manner'),\n", " ('pallidly', 'in a manner lacking interest or vitality'),\n", " ('palely', 'in a manner lacking interest or vitality')]},\n", " {'answer': 'directly',\n", " 'hint': 'synonyms for directly',\n", " 'clues': [('straight off',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('right away', 'without delay or hesitation; with no time intervening'),\n", " ('straight', 'in a forthright manner; candidly or frankly'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('immediately', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('flat', 'in a forthright manner; candidly or frankly'),\n", " ('direct', 'without deviation'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'discreditably',\n", " 'hint': 'synonyms for discreditably',\n", " 'clues': [('dishonourably',\n", " 'in a dishonorable manner or to a dishonorable degree'),\n", " ('disgracefully', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ingloriously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ignominiously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('shamefully', 'in a dishonorable manner or to a dishonorable degree')]},\n", " {'answer': 'disdainfully',\n", " 'hint': 'synonyms for disdainfully',\n", " 'clues': [('scornfully', 'without respect; in a disdainful manner'),\n", " ('contemptuously', 'without respect; in a disdainful manner'),\n", " ('contumeliously', 'without respect; in a disdainful manner'),\n", " ('cavalierly', 'in a proud and domineering manner')]},\n", " {'answer': 'disgracefully',\n", " 'hint': 'synonyms for disgracefully',\n", " 'clues': [('dishonourably',\n", " 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ingloriously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('discreditably', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ignominiously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('shamefully', 'in a dishonorable manner or to a dishonorable degree')]},\n", " {'answer': 'dishonorably',\n", " 'hint': 'synonyms for dishonorably',\n", " 'clues': [('dishonourably',\n", " 'in a dishonorable manner or to a dishonorable degree'),\n", " ('disgracefully', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ingloriously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('discreditably', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ignominiously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('shamefully', 'in a dishonorable manner or to a dishonorable degree')]},\n", " {'answer': 'dishonourably',\n", " 'hint': 'synonyms for dishonourably',\n", " 'clues': [('disgracefully',\n", " 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ingloriously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('discreditably', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ignominiously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('shamefully', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('dishonorably',\n", " 'in a dishonorable manner or to a dishonorable degree')]},\n", " {'answer': 'disregardless',\n", " 'hint': 'synonyms for disregardless',\n", " 'clues': [('irrespective',\n", " 'in spite of everything; without regard to drawbacks'),\n", " ('disregarding', 'in spite of everything; without regard to drawbacks'),\n", " ('no matter', 'in spite of everything; without regard to drawbacks'),\n", " ('regardless', 'in spite of everything; without regard to drawbacks')]},\n", " {'answer': 'dottily',\n", " 'hint': 'synonyms for dottily',\n", " 'clues': [('balmily', 'in a mildly insane manner'),\n", " ('daftly', 'in a mildly insane manner'),\n", " ('nuttily', 'in a mildly insane manner'),\n", " ('wackily', 'in a mildly insane manner')]},\n", " {'answer': 'each_year',\n", " 'hint': 'synonyms for each year',\n", " 'clues': [('annually', 'without missing a year'),\n", " ('every year', 'without missing a year'),\n", " ('per annum',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('yearly', 'without missing a year'),\n", " ('per year',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('p.a.',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)')]},\n", " {'answer': 'emphatically',\n", " 'hint': 'synonyms for emphatically',\n", " 'clues': [('by all odds', 'without question and beyond doubt'),\n", " ('in spades', 'without question and beyond doubt'),\n", " ('definitely', 'without question and beyond doubt'),\n", " ('decidedly', 'without question and beyond doubt'),\n", " ('unquestionably', 'without question and beyond doubt')]},\n", " {'answer': 'endlessly',\n", " 'hint': 'synonyms for endlessly',\n", " 'clues': [('infinitely', 'continuing forever without end'),\n", " ('ceaselessly', 'with unflagging resolve'),\n", " ('unceasingly', 'with unflagging resolve'),\n", " ('unendingly', 'with unflagging resolve'),\n", " ('continuously', 'with unflagging resolve'),\n", " ('incessantly', 'with unflagging resolve'),\n", " ('interminably', 'all the time; seemingly without stopping')]},\n", " {'answer': 'entirely',\n", " 'hint': 'synonyms for entirely',\n", " 'clues': [('completely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('altogether',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('exclusively', 'without any others being included or involved'),\n", " ('whole',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('wholly',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('solely', 'without any others being included or involved'),\n", " ('totally',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('only', 'without any others being included or involved'),\n", " ('all',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('alone', 'without any others being included or involved')]},\n", " {'answer': 'entreatingly',\n", " 'hint': 'synonyms for entreatingly',\n", " 'clues': [('pleadingly', 'in a beseeching manner'),\n", " ('imploringly', 'in a beseeching manner'),\n", " ('importunately', 'in a beseeching manner'),\n", " ('beseechingly', 'in a beseeching manner')]},\n", " {'answer': 'erst',\n", " 'hint': 'synonyms for erst',\n", " 'clues': [('erstwhile', 'at a previous time'),\n", " ('at one time', 'at a previous time'),\n", " ('formerly', 'at a previous time'),\n", " ('once', 'at a previous time')]},\n", " {'answer': 'even_so',\n", " 'hint': 'synonyms for even so',\n", " 'clues': [('nonetheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('notwithstanding',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('however',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('withal',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nevertheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('still',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('all the same',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('yet',\n", " 'despite anything to the contrary (usually following a concession)')]},\n", " {'answer': 'ever',\n", " 'hint': 'synonyms for ever',\n", " 'clues': [('ever so', '(intensifier for adjectives) very'),\n", " ('of all time', 'at any time'),\n", " (\"e'er\", 'at all times; all the time and on every occasion'),\n", " ('always', 'at all times; all the time and on every occasion')]},\n", " {'answer': 'evermore',\n", " 'hint': 'synonyms for evermore',\n", " 'clues': [('forever', 'for a limitless time; ; - P.P.Bliss'),\n", " ('forevermore', 'at any future time; in the future'),\n", " ('eternally', 'for a limitless time; ; - P.P.Bliss'),\n", " ('everlastingly', 'for a limitless time; ; - P.P.Bliss')]},\n", " {'answer': 'every_which_way',\n", " 'hint': 'synonyms for every which way',\n", " 'clues': [('at random', 'in a random manner'),\n", " ('willy-nilly', 'in a random manner'),\n", " ('randomly', 'in a random manner'),\n", " ('helter-skelter', 'haphazardly'),\n", " ('arbitrarily', 'in a random manner'),\n", " ('indiscriminately', 'in a random manner'),\n", " ('haphazardly', 'in a random manner')]},\n", " {'answer': 'evidently',\n", " 'hint': 'synonyms for evidently',\n", " 'clues': [('patently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('apparently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('obviously',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('manifestly',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('plain',\n", " \"unmistakably (`plain' is often used informally for `plainly')\")]},\n", " {'answer': 'exactly',\n", " 'hint': 'synonyms for exactly',\n", " 'clues': [('precisely', 'indicating exactness or preciseness'),\n", " ('just', 'indicating exactness or preciseness'),\n", " ('incisively', 'in a precise manner'),\n", " ('on the button', 'just as it should be'),\n", " ('on the dot', 'just as it should be'),\n", " ('on the nose', 'just as it should be')]},\n", " {'answer': 'exclusively',\n", " 'hint': 'synonyms for exclusively',\n", " 'clues': [('only', 'without any others being included or involved'),\n", " ('entirely', 'without any others being included or involved'),\n", " ('alone', 'without any others being included or involved'),\n", " ('solely', 'without any others being included or involved')]},\n", " {'answer': 'extravagantly',\n", " 'hint': 'synonyms for extravagantly',\n", " 'clues': [('lavishly', 'in a rich and lavish manner'),\n", " ('richly', 'in a rich and lavish manner'),\n", " ('copiously', 'in an abundant manner'),\n", " ('abundantly', 'in an abundant manner'),\n", " ('profusely', 'in an abundant manner')]},\n", " {'answer': 'extremely',\n", " 'hint': 'synonyms for extremely',\n", " 'clues': [('highly',\n", " 'to a high degree or extent; favorably or with much respect'),\n", " ('exceedingly', 'to an extreme degree'),\n", " ('super', 'to an extreme degree'),\n", " ('passing', 'to an extreme degree')]},\n", " {'answer': 'fairly',\n", " 'hint': 'synonyms for fairly',\n", " 'clues': [('passably', 'to a moderately sufficient extent or degree'),\n", " ('jolly', 'to a moderately sufficient extent or degree'),\n", " ('fair', 'without favoring one party, in a fair evenhanded manner'),\n", " ('somewhat', 'to a moderately sufficient extent or degree'),\n", " ('moderately', 'to a moderately sufficient extent or degree'),\n", " ('clean',\n", " 'in conformity with the rules or laws and without fraud or cheating'),\n", " ('evenhandedly',\n", " 'without favoring one party, in a fair evenhanded manner'),\n", " ('middling', 'to a moderately sufficient extent or degree'),\n", " ('reasonably', 'to a moderately sufficient extent or degree'),\n", " ('pretty', 'to a moderately sufficient extent or degree')]},\n", " {'answer': 'faithlessly',\n", " 'hint': 'synonyms for faithlessly',\n", " 'clues': [('traitorously', 'in a disloyal and faithless manner'),\n", " ('treacherously', 'in a disloyal and faithless manner'),\n", " ('false', 'in a disloyal and faithless manner'),\n", " ('treasonably', 'in a disloyal and faithless manner')]},\n", " {'answer': 'finally',\n", " 'hint': 'synonyms for finally',\n", " 'clues': [('in conclusion', 'the item at the end'),\n", " ('last', 'the item at the end'),\n", " ('in the end', 'as the end result of a succession or process'),\n", " ('ultimately', 'as the end result of a succession or process'),\n", " ('eventually',\n", " 'after an unspecified period of time or an especially long delay'),\n", " ('at long last', 'as the end result of a succession or process'),\n", " ('at last', 'as the end result of a succession or process')]},\n", " {'answer': 'firmly',\n", " 'hint': 'synonyms for firmly',\n", " 'clues': [('hard', 'with firmness'),\n", " ('firm', 'with resolute determination'),\n", " ('securely', 'in a secure manner; in a manner free from danger'),\n", " ('steadfastly', 'with resolute determination'),\n", " ('unwaveringly', 'with resolute determination')]},\n", " {'answer': 'firstly',\n", " 'hint': 'synonyms for firstly',\n", " 'clues': [('first off', 'before anything else'),\n", " ('first', 'before anything else'),\n", " ('first of all', 'before anything else'),\n", " ('foremost', 'before anything else')]},\n", " {'answer': 'fittingly',\n", " 'hint': 'synonyms for fittingly',\n", " 'clues': [('befittingly', 'in an appropriate manner'),\n", " ('suitably', 'in an appropriate manner'),\n", " ('fitly', 'in an appropriate manner'),\n", " ('appropriately', 'in an appropriate manner')]},\n", " {'answer': 'flat_out',\n", " 'hint': 'synonyms for flat out',\n", " 'clues': [('roundly', 'in a blunt direct manner'),\n", " ('brusquely', 'in a blunt direct manner'),\n", " ('bluffly', 'in a blunt direct manner'),\n", " ('bluntly', 'in a blunt direct manner'),\n", " ('like blue murder', 'at top speed')]},\n", " {'answer': 'for_certain',\n", " 'hint': 'synonyms for for certain',\n", " 'clues': [('sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure enough',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure as shooting',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('certainly',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\")]},\n", " {'answer': 'for_each_one',\n", " 'hint': 'synonyms for for each one',\n", " 'clues': [('apiece',\n", " 'to or from every one of two or more (considered individually)'),\n", " ('to each one',\n", " 'to or from every one of two or more (considered individually)'),\n", " ('each', 'to or from every one of two or more (considered individually)'),\n", " ('from each one',\n", " 'to or from every one of two or more (considered individually)')]},\n", " {'answer': 'forever',\n", " 'hint': 'synonyms for forever',\n", " 'clues': [('perpetually', 'without interruption'),\n", " ('evermore', 'for a limitless time; ; - P.P.Bliss'),\n", " ('forever and a day', 'for a very long or seemingly endless time'),\n", " ('incessantly', 'without interruption'),\n", " ('eternally', 'for a limitless time; ; - P.P.Bliss'),\n", " ('everlastingly', 'for a limitless time; ; - P.P.Bliss'),\n", " ('constantly', 'without interruption'),\n", " ('always', 'without interruption')]},\n", " {'answer': 'formerly',\n", " 'hint': 'synonyms for formerly',\n", " 'clues': [('erstwhile', 'at a previous time'),\n", " ('at one time', 'at a previous time'),\n", " ('erst', 'at a previous time'),\n", " ('once', 'at a previous time')]},\n", " {'answer': 'forth',\n", " 'hint': 'synonyms for forth',\n", " 'clues': [('onward', 'forward in time or order or degree'),\n", " ('away',\n", " \"from a particular thing or place or position (`forth' is obsolete)\"),\n", " ('off',\n", " \"from a particular thing or place or position (`forth' is obsolete)\"),\n", " ('forward', 'forward in time or order or degree')]},\n", " {'answer': 'forthwith',\n", " 'hint': 'synonyms for forthwith',\n", " 'clues': [('straight off',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('right away', 'without delay or hesitation; with no time intervening'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('immediately',\n", " 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'forwards',\n", " 'hint': 'synonyms for forwards',\n", " 'clues': [('onwards', 'in a forward direction'),\n", " ('ahead', 'in a forward direction'),\n", " ('forrard',\n", " \"at or to or toward the front; ; ; ; (`forrad' and `forrard' are dialectal variations)\"),\n", " ('frontward',\n", " \"at or to or toward the front; ; ; ; (`forrad' and `forrard' are dialectal variations)\"),\n", " ('forrader', 'in a forward direction')]},\n", " {'answer': 'foxily',\n", " 'hint': 'synonyms for foxily',\n", " 'clues': [('artfully', 'in an artful manner'),\n", " ('trickily', 'in an artful manner'),\n", " ('slyly', 'in an artful manner'),\n", " ('cunningly', 'in an artful manner'),\n", " ('craftily', 'in an artful manner'),\n", " ('knavishly', 'in an artful manner')]},\n", " {'answer': 'freshly',\n", " 'hint': 'synonyms for freshly',\n", " 'clues': [('fresh', 'very recently'),\n", " ('newly', 'very recently'),\n", " ('saucily', 'in an impudent or impertinent manner'),\n", " ('pertly', 'in an impudent or impertinent manner'),\n", " ('impertinently', 'in an impudent or impertinent manner'),\n", " ('impudently', 'in an impudent or impertinent manner')]},\n", " {'answer': 'from_time_to_time',\n", " 'hint': 'synonyms for from time to time',\n", " 'clues': [('once in a while', 'now and then or here and there'),\n", " ('occasionally', 'now and then or here and there'),\n", " ('at times', 'now and then or here and there'),\n", " ('now and again', 'now and then or here and there'),\n", " ('on occasion', 'now and then or here and there'),\n", " ('now and then', 'now and then or here and there')]},\n", " {'answer': 'fully',\n", " 'hint': 'synonyms for fully',\n", " 'clues': [('in full', 'referring to a quantity'),\n", " ('to the full',\n", " \"to the greatest degree or extent; completely or entirely; (`full' in this sense is used as a combining form)\"),\n", " ('amply', 'sufficiently; more than adequately'),\n", " ('full',\n", " \"to the greatest degree or extent; completely or entirely; (`full' in this sense is used as a combining form)\")]},\n", " {'answer': 'gayly',\n", " 'hint': 'synonyms for gayly',\n", " 'clues': [('jubilantly', 'in a joyous manner'),\n", " ('blithely', 'in a joyous manner'),\n", " ('merrily', 'in a joyous manner'),\n", " ('mirthfully', 'in a joyous manner'),\n", " ('happily', 'in a joyous manner')]},\n", " {'answer': 'generally',\n", " 'hint': 'synonyms for generally',\n", " 'clues': [('in general', 'without distinction of one from others'),\n", " ('broadly', 'without regard to specific details or exceptions'),\n", " ('loosely', 'without regard to specific details or exceptions'),\n", " ('more often than not', 'usually; as a rule'),\n", " ('in the main', 'without distinction of one from others'),\n", " ('mostly', 'usually; as a rule'),\n", " ('by and large', 'usually; as a rule'),\n", " ('broadly speaking',\n", " 'without regard to specific details or exceptions')]},\n", " {'answer': 'gravely',\n", " 'hint': 'synonyms for gravely',\n", " 'clues': [('seriously', 'to a severe or serious degree'),\n", " ('severely', 'to a severe or serious degree'),\n", " ('soberly', 'in a grave and sober manner'),\n", " ('staidly', 'in a grave and sober manner'),\n", " ('badly', 'to a severe or serious degree')]},\n", " {'answer': 'haphazardly',\n", " 'hint': 'synonyms for haphazardly',\n", " 'clues': [('haphazard', 'without care; in a slapdash manner'),\n", " ('at random', 'in a random manner'),\n", " ('willy-nilly', 'in a random manner'),\n", " ('randomly', 'in a random manner'),\n", " ('every which way', 'in a random manner'),\n", " ('arbitrarily', 'in a random manner'),\n", " ('indiscriminately', 'in a random manner')]},\n", " {'answer': 'happily',\n", " 'hint': 'synonyms for happily',\n", " 'clues': [('gayly', 'in a joyous manner'),\n", " ('blithely', 'in a joyous manner'),\n", " ('jubilantly', 'in a joyous manner'),\n", " ('merrily', 'in a joyous manner'),\n", " ('mirthfully', 'in a joyous manner')]},\n", " {'answer': 'heavily',\n", " 'hint': 'synonyms for heavily',\n", " 'clues': [('hard', 'indulging excessively'),\n", " ('intemperately', 'indulging excessively'),\n", " ('heavy', 'slowly as if burdened by much weight'),\n", " ('to a great extent', 'to a considerable degree')]},\n", " {'answer': 'hence',\n", " 'hint': 'synonyms for hence',\n", " 'clues': [('thence',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('therefore',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('thus',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('so',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result')]},\n", " {'answer': 'heretofore',\n", " 'hint': 'synonyms for heretofore',\n", " 'clues': [('yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('hitherto',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('until now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('up to now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('thus far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('as yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('so far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time')]},\n", " {'answer': 'hitherto',\n", " 'hint': 'synonyms for hitherto',\n", " 'clues': [('yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('until now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('up to now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('thus far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('heretofore',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('as yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('so far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time')]},\n", " {'answer': 'however',\n", " 'hint': 'synonyms for however',\n", " 'clues': [('even so',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nonetheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('notwithstanding',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('withal',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nevertheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('still',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('all the same',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('yet',\n", " 'despite anything to the contrary (usually following a concession)')]},\n", " {'answer': 'ignominiously',\n", " 'hint': 'synonyms for ignominiously',\n", " 'clues': [('dishonourably',\n", " 'in a dishonorable manner or to a dishonorable degree'),\n", " ('disgracefully', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ingloriously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('discreditably', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('shamefully', 'in a dishonorable manner or to a dishonorable degree')]},\n", " {'answer': 'immediately',\n", " 'hint': 'synonyms for immediately',\n", " 'clues': [('straight off',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('right away', 'without delay or hesitation; with no time intervening'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'impertinently',\n", " 'hint': 'synonyms for impertinently',\n", " 'clues': [('freshly', 'in an impudent or impertinent manner'),\n", " ('pertly', 'in an impudent or impertinent manner'),\n", " ('impudently', 'in an impudent or impertinent manner'),\n", " ('saucily', 'in an impudent or impertinent manner')]},\n", " {'answer': 'imploringly',\n", " 'hint': 'synonyms for imploringly',\n", " 'clues': [('pleadingly', 'in a beseeching manner'),\n", " ('importunately', 'in a beseeching manner'),\n", " ('entreatingly', 'in a beseeching manner'),\n", " ('beseechingly', 'in a beseeching manner')]},\n", " {'answer': 'importunately',\n", " 'hint': 'synonyms for importunately',\n", " 'clues': [('pleadingly', 'in a beseeching manner'),\n", " ('imploringly', 'in a beseeching manner'),\n", " ('entreatingly', 'in a beseeching manner'),\n", " ('beseechingly', 'in a beseeching manner')]},\n", " {'answer': 'impudently',\n", " 'hint': 'synonyms for impudently',\n", " 'clues': [('freshly', 'in an impudent or impertinent manner'),\n", " ('pertly', 'in an impudent or impertinent manner'),\n", " ('impertinently', 'in an impudent or impertinent manner'),\n", " ('saucily', 'in an impudent or impertinent manner')]},\n", " {'answer': 'in_all_likelihood',\n", " 'hint': 'synonyms for in all likelihood',\n", " 'clues': [('belike', 'with considerable certainty; without much doubt'),\n", " ('in all probability', 'with considerable certainty; without much doubt'),\n", " ('probably', 'with considerable certainty; without much doubt'),\n", " ('likely', 'with considerable certainty; without much doubt')]},\n", " {'answer': 'in_all_probability',\n", " 'hint': 'synonyms for in all probability',\n", " 'clues': [('belike', 'with considerable certainty; without much doubt'),\n", " ('probably', 'with considerable certainty; without much doubt'),\n", " ('in all likelihood', 'with considerable certainty; without much doubt'),\n", " ('likely', 'with considerable certainty; without much doubt')]},\n", " {'answer': 'in_any_case',\n", " 'hint': 'synonyms for in any case',\n", " 'clues': [('at any rate',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('anyway',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('besides', 'making an additional point; anyway'),\n", " ('anyhow',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any event',\n", " 'used to indicate that a statement explains or supports a previous statement')]},\n", " {'answer': 'in_any_event',\n", " 'hint': 'synonyms for in any event',\n", " 'clues': [('anyways',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('at any rate',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('anyhow',\n", " 'used to indicate that a statement explains or supports a previous statement'),\n", " ('in any case',\n", " 'used to indicate that a statement explains or supports a previous statement')]},\n", " {'answer': 'in_brief',\n", " 'hint': 'synonyms for in brief',\n", " 'clues': [('shortly', 'in a concise manner; in a few words'),\n", " ('concisely', 'in a concise manner; in a few words'),\n", " ('in short', 'in a concise manner; in a few words'),\n", " ('briefly', 'in a concise manner; in a few words')]},\n", " {'answer': 'in_due_course',\n", " 'hint': 'synonyms for in due course',\n", " 'clues': [('in due season', 'at the appropriate time'),\n", " ('in due time', 'at the appropriate time'),\n", " ('when the time comes', 'at the appropriate time'),\n", " ('in good time', 'at the appropriate time')]},\n", " {'answer': 'in_due_season',\n", " 'hint': 'synonyms for in due season',\n", " 'clues': [('in due course', 'at the appropriate time'),\n", " ('when the time comes', 'at the appropriate time'),\n", " ('in due time', 'at the appropriate time'),\n", " ('in good time', 'at the appropriate time')]},\n", " {'answer': 'in_due_time',\n", " 'hint': 'synonyms for in due time',\n", " 'clues': [('in due season', 'at the appropriate time'),\n", " ('in due course', 'at the appropriate time'),\n", " ('when the time comes', 'at the appropriate time'),\n", " ('in good time', 'at the appropriate time')]},\n", " {'answer': 'in_good_order',\n", " 'hint': 'synonyms for in good order',\n", " 'clues': [('decent', 'in the right manner'),\n", " ('the right way', 'in the right manner'),\n", " ('right', 'in the right manner'),\n", " ('properly', 'in the right manner')]},\n", " {'answer': 'in_good_time',\n", " 'hint': 'synonyms for in good time',\n", " 'clues': [('in due season', 'at the appropriate time'),\n", " ('in due course', 'at the appropriate time'),\n", " ('when the time comes', 'at the appropriate time'),\n", " ('in due time', 'at the appropriate time')]},\n", " {'answer': 'in_short',\n", " 'hint': 'synonyms for in short',\n", " 'clues': [('shortly', 'in a concise manner; in a few words'),\n", " ('concisely', 'in a concise manner; in a few words'),\n", " ('briefly', 'in a concise manner; in a few words'),\n", " ('in brief', 'in a concise manner; in a few words')]},\n", " {'answer': 'in_so_far',\n", " 'hint': 'synonyms for in so far',\n", " 'clues': [('so far', 'to the degree or extent that'),\n", " ('to that degree', 'to the degree or extent that'),\n", " ('insofar', 'to the degree or extent that'),\n", " ('to that extent', 'to the degree or extent that')]},\n", " {'answer': 'in_spades',\n", " 'hint': 'synonyms for in spades',\n", " 'clues': [('by all odds', 'without question and beyond doubt'),\n", " ('emphatically', 'without question and beyond doubt'),\n", " ('definitely', 'without question and beyond doubt'),\n", " ('decidedly', 'without question and beyond doubt'),\n", " ('unquestionably', 'without question and beyond doubt')]},\n", " {'answer': 'in_spite_of_appearance',\n", " 'hint': 'synonyms for in spite of appearance',\n", " 'clues': [('at heart', 'in reality'),\n", " ('inside', 'in reality'),\n", " ('at bottom', 'in reality'),\n", " ('deep down', 'in reality')]},\n", " {'answer': 'in_the_beginning',\n", " 'hint': 'synonyms for in the beginning',\n", " 'clues': [('primitively', 'with reference to the origin or beginning'),\n", " ('originally', 'with reference to the origin or beginning'),\n", " ('to begin with', 'before now'),\n", " ('in the first place', 'before now'),\n", " ('earlier', 'before now')]},\n", " {'answer': 'in_the_end',\n", " 'hint': 'synonyms for in the end',\n", " 'clues': [('finally', 'as the end result of a succession or process'),\n", " ('ultimately', 'as the end result of a succession or process'),\n", " ('at long last', 'as the end result of a succession or process'),\n", " ('in the long run', 'after a very lengthy period of time'),\n", " ('at last', 'as the end result of a succession or process')]},\n", " {'answer': 'in_the_first_place',\n", " 'hint': 'synonyms for in the first place',\n", " 'clues': [('primarily', 'of primary import'),\n", " ('in the beginning', 'before now'),\n", " ('to begin with', 'before now'),\n", " ('earlier', 'before now'),\n", " ('originally', 'before now')]},\n", " {'answer': 'in_the_main',\n", " 'hint': 'synonyms for in the main',\n", " 'clues': [('in general', 'without distinction of one from others'),\n", " ('mainly', 'for the most part'),\n", " ('principally', 'for the most part'),\n", " ('primarily', 'for the most part'),\n", " ('generally', 'without distinction of one from others'),\n", " ('chiefly', 'for the most part')]},\n", " {'answer': 'incessantly',\n", " 'hint': 'synonyms for incessantly',\n", " 'clues': [('ceaselessly', 'with unflagging resolve'),\n", " ('unceasingly', 'with unflagging resolve'),\n", " ('continuously', 'with unflagging resolve'),\n", " ('perpetually', 'without interruption'),\n", " ('endlessly', 'with unflagging resolve'),\n", " ('unendingly', 'with unflagging resolve'),\n", " ('forever', 'without interruption'),\n", " ('constantly', 'without interruption'),\n", " ('always', 'without interruption')]},\n", " {'answer': 'incidentally',\n", " 'hint': 'synonyms for incidentally',\n", " 'clues': [('apropos', 'introducing a different topic; in point of fact'),\n", " ('by the way', 'introducing a different topic; in point of fact'),\n", " ('accidentally', 'of a minor or subordinate nature'),\n", " ('by the bye', 'introducing a different topic; in point of fact')]},\n", " {'answer': 'incredibly',\n", " 'hint': 'synonyms for incredibly',\n", " 'clues': [('fantastically', 'exceedingly; extremely'),\n", " ('improbably', 'not easy to believe'),\n", " ('unbelievably', 'not easy to believe'),\n", " ('implausibly', 'not easy to believe'),\n", " ('fabulously', 'exceedingly; extremely')]},\n", " {'answer': 'indiscriminately',\n", " 'hint': 'synonyms for indiscriminately',\n", " 'clues': [('at random', 'in a random manner'),\n", " ('willy-nilly', 'in a random manner'),\n", " ('randomly', 'in a random manner'),\n", " ('every which way', 'in a random manner'),\n", " ('arbitrarily', 'in a random manner'),\n", " ('haphazardly', 'in a random manner'),\n", " ('promiscuously', 'in an indiscriminate manner')]},\n", " {'answer': 'individually',\n", " 'hint': 'synonyms for individually',\n", " 'clues': [('one by one', 'apart from others'),\n", " ('severally', 'apart from others'),\n", " ('separately', 'apart from others'),\n", " ('on an individual basis', 'apart from others'),\n", " ('singly', 'apart from others')]},\n", " {'answer': 'inevitably',\n", " 'hint': 'synonyms for inevitably',\n", " 'clues': [('unavoidably', 'by necessity'),\n", " ('needs', 'in such a manner as could not be otherwise'),\n", " ('necessarily', 'in such a manner as could not be otherwise'),\n", " ('of necessity', 'in such a manner as could not be otherwise'),\n", " ('ineluctably', 'by necessity'),\n", " ('inescapably', 'by necessity')]},\n", " {'answer': 'ingloriously',\n", " 'hint': 'synonyms for ingloriously',\n", " 'clues': [('dishonourably',\n", " 'in a dishonorable manner or to a dishonorable degree'),\n", " ('disgracefully', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('discreditably', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ignominiously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('shamefully', 'in a dishonorable manner or to a dishonorable degree')]},\n", " {'answer': 'insanely',\n", " 'hint': 'synonyms for insanely',\n", " 'clues': [('dementedly', 'in an insane manner'),\n", " ('crazily', 'in an insane manner'),\n", " ('deadly', '(used as intensives) extremely'),\n", " ('devilishly', '(used as intensives) extremely'),\n", " ('madly', '(used as intensives) extremely'),\n", " ('deucedly', '(used as intensives) extremely')]},\n", " {'answer': 'insofar',\n", " 'hint': 'synonyms for insofar',\n", " 'clues': [('in so far', 'to the degree or extent that'),\n", " ('so far', 'to the degree or extent that'),\n", " ('to that degree', 'to the degree or extent that'),\n", " ('to that extent', 'to the degree or extent that')]},\n", " {'answer': 'instantly',\n", " 'hint': 'synonyms for instantly',\n", " 'clues': [('in a flash', 'without any delay'),\n", " ('straight off', 'without delay or hesitation; with no time intervening'),\n", " ('right away', 'without delay or hesitation; with no time intervening'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening'),\n", " ('instantaneously', 'without any delay'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('outright', 'without any delay'),\n", " ('immediately',\n", " 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'intentionally',\n", " 'hint': 'synonyms for intentionally',\n", " 'clues': [('on purpose', 'with intention; in an intentional manner'),\n", " ('by choice', 'with intention; in an intentional manner'),\n", " ('advisedly', 'with intention; in an intentional manner'),\n", " ('purposely', 'with intention; in an intentional manner'),\n", " ('designedly', 'with intention; in an intentional manner'),\n", " ('by design', 'with intention; in an intentional manner'),\n", " ('deliberately', 'with intention; in an intentional manner')]},\n", " {'answer': 'jubilantly',\n", " 'hint': 'synonyms for jubilantly',\n", " 'clues': [('gayly', 'in a joyous manner'),\n", " ('blithely', 'in a joyous manner'),\n", " ('merrily', 'in a joyous manner'),\n", " ('mirthfully', 'in a joyous manner'),\n", " ('happily', 'in a joyous manner')]},\n", " {'answer': 'just_about',\n", " 'hint': 'synonyms for just about',\n", " 'clues': [('roughly',\n", " '(of quantities) imprecise but fairly close to correct'),\n", " ('around', '(of quantities) imprecise but fairly close to correct'),\n", " ('close to', '(of quantities) imprecise but fairly close to correct'),\n", " ('more or less', '(of quantities) imprecise but fairly close to correct'),\n", " ('some', '(of quantities) imprecise but fairly close to correct'),\n", " ('about', '(of quantities) imprecise but fairly close to correct'),\n", " ('or so', '(of quantities) imprecise but fairly close to correct'),\n", " ('approximately',\n", " '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'knavishly',\n", " 'hint': 'synonyms for knavishly',\n", " 'clues': [('artfully', 'in an artful manner'),\n", " ('trickily', 'in an artful manner'),\n", " ('foxily', 'in an artful manner'),\n", " ('slyly', 'in an artful manner'),\n", " ('cunningly', 'in an artful manner'),\n", " ('craftily', 'in an artful manner')]},\n", " {'answer': 'lately',\n", " 'hint': 'synonyms for lately',\n", " 'clues': [('latterly', 'in the recent past'),\n", " ('late', 'in the recent past'),\n", " ('of late', 'in the recent past'),\n", " ('recently', 'in the recent past')]},\n", " {'answer': 'later_on',\n", " 'hint': 'synonyms for later on',\n", " 'clues': [('afterwards',\n", " 'happening at a time subsequent to a reference time'),\n", " ('later', 'happening at a time subsequent to a reference time'),\n", " ('subsequently', 'happening at a time subsequent to a reference time'),\n", " ('after', 'happening at a time subsequent to a reference time')]},\n", " {'answer': 'lawfully',\n", " 'hint': 'synonyms for lawfully',\n", " 'clues': [('legally', 'by law; conforming to the law'),\n", " ('licitly', 'in a manner acceptable to common custom'),\n", " ('de jure', 'by law; conforming to the law'),\n", " ('legitimately', 'in a manner acceptable to common custom')]},\n", " {'answer': 'lightly',\n", " 'hint': 'synonyms for lightly',\n", " 'clues': [('thinly', 'in a small quantity or extent'),\n", " ('softly', 'with little weight or force'),\n", " ('light', 'with few burdens'),\n", " ('gently', 'with little weight or force')]},\n", " {'answer': 'like_a_shot',\n", " 'hint': 'synonyms for like a shot',\n", " 'clues': [('straight off',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('right away', 'without delay or hesitation; with no time intervening'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('immediately',\n", " 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'like_crazy',\n", " 'hint': 'synonyms for like crazy',\n", " 'clues': [('like sin', 'with great speed or effort or intensity'),\n", " ('like thunder', 'with great speed or effort or intensity'),\n", " ('like mad', 'with great speed or effort or intensity'),\n", " ('like the devil', 'with great speed or effort or intensity'),\n", " ('like hell', 'with great speed or effort or intensity')]},\n", " {'answer': 'like_hell',\n", " 'hint': 'synonyms for like hell',\n", " 'clues': [('like sin', 'with great speed or effort or intensity'),\n", " ('like thunder', 'with great speed or effort or intensity'),\n", " ('like mad', 'with great speed or effort or intensity'),\n", " ('like crazy', 'with great speed or effort or intensity'),\n", " ('like the devil', 'with great speed or effort or intensity')]},\n", " {'answer': 'like_mad',\n", " 'hint': 'synonyms for like mad',\n", " 'clues': [('like sin', 'with great speed or effort or intensity'),\n", " ('like thunder', 'with great speed or effort or intensity'),\n", " ('like crazy', 'with great speed or effort or intensity'),\n", " ('like the devil', 'with great speed or effort or intensity'),\n", " ('like hell', 'with great speed or effort or intensity')]},\n", " {'answer': 'like_sin',\n", " 'hint': 'synonyms for like sin',\n", " 'clues': [('like thunder', 'with great speed or effort or intensity'),\n", " ('like mad', 'with great speed or effort or intensity'),\n", " ('like crazy', 'with great speed or effort or intensity'),\n", " ('like the devil', 'with great speed or effort or intensity'),\n", " ('like hell', 'with great speed or effort or intensity')]},\n", " {'answer': 'like_the_devil',\n", " 'hint': 'synonyms for like the devil',\n", " 'clues': [('like sin', 'with great speed or effort or intensity'),\n", " ('like thunder', 'with great speed or effort or intensity'),\n", " ('like mad', 'with great speed or effort or intensity'),\n", " ('like crazy', 'with great speed or effort or intensity'),\n", " ('like hell', 'with great speed or effort or intensity')]},\n", " {'answer': 'like_thunder',\n", " 'hint': 'synonyms for like thunder',\n", " 'clues': [('like sin', 'with great speed or effort or intensity'),\n", " ('like mad', 'with great speed or effort or intensity'),\n", " ('like crazy', 'with great speed or effort or intensity'),\n", " ('like the devil', 'with great speed or effort or intensity'),\n", " ('like hell', 'with great speed or effort or intensity')]},\n", " {'answer': 'likewise',\n", " 'hint': 'synonyms for likewise',\n", " 'clues': [('similarly', 'in like or similar manner; ; - Samuel Johnson'),\n", " ('too', 'in addition'),\n", " ('alike', 'equally'),\n", " ('besides', 'in addition'),\n", " ('also', 'in addition'),\n", " ('as well', 'in addition')]},\n", " {'answer': 'little_by_little',\n", " 'hint': 'synonyms for little by little',\n", " 'clues': [('by small degrees', 'by a short distance'),\n", " ('by inches', 'by a short distance'),\n", " ('bit by bit', 'a little bit at a time'),\n", " ('in stages', 'a little bit at a time'),\n", " ('piecemeal', 'a little bit at a time')]},\n", " {'answer': 'longitudinally',\n", " 'hint': 'synonyms for longitudinally',\n", " 'clues': [('lengthways', 'in the direction of the length'),\n", " ('lengthwise', 'in the direction of the length'),\n", " ('longways', 'in the direction of the length'),\n", " ('longwise', 'in the direction of the length')]},\n", " {'answer': 'longways',\n", " 'hint': 'synonyms for longways',\n", " 'clues': [('lengthways', 'in the direction of the length'),\n", " ('longitudinally', 'in the direction of the length'),\n", " ('lengthwise', 'in the direction of the length'),\n", " ('longwise', 'in the direction of the length')]},\n", " {'answer': 'longwise',\n", " 'hint': 'synonyms for longwise',\n", " 'clues': [('lengthways', 'in the direction of the length'),\n", " ('longitudinally', 'in the direction of the length'),\n", " ('lengthwise', 'in the direction of the length'),\n", " ('longways', 'in the direction of the length')]},\n", " {'answer': 'loosely',\n", " 'hint': 'synonyms for loosely',\n", " 'clues': [('broadly speaking',\n", " 'without regard to specific details or exceptions'),\n", " ('broadly', 'without regard to specific details or exceptions'),\n", " ('slackly', 'in a relaxed manner; not rigid'),\n", " ('generally', 'without regard to specific details or exceptions')]},\n", " {'answer': 'lots',\n", " 'hint': 'synonyms for lots',\n", " 'clues': [('a good deal', 'to a very great degree or extent'),\n", " ('much', 'to a very great degree or extent'),\n", " ('very much', 'to a very great degree or extent'),\n", " ('a lot', 'to a very great degree or extent'),\n", " ('a great deal', 'to a very great degree or extent')]},\n", " {'answer': 'loudly',\n", " 'hint': 'synonyms for loudly',\n", " 'clues': [('forte',\n", " 'used as a direction in music; to be played relatively loudly'),\n", " ('aloud', 'with relatively high volume'),\n", " ('clamorously', 'in manner that attracts attention'),\n", " ('obstreperously', 'in manner that attracts attention')]},\n", " {'answer': 'madly',\n", " 'hint': 'synonyms for madly',\n", " 'clues': [('dementedly', 'in an insane manner'),\n", " ('insanely', '(used as intensives) extremely'),\n", " ('deucedly', '(used as intensives) extremely'),\n", " ('frantically', 'in an uncontrolled manner'),\n", " ('crazily', 'in an insane manner'),\n", " ('deadly', '(used as intensives) extremely'),\n", " ('devilishly', '(used as intensives) extremely')]},\n", " {'answer': 'magnificently',\n", " 'hint': 'synonyms for magnificently',\n", " 'clues': [('splendidly', 'extremely well'),\n", " ('excellently', 'extremely well'),\n", " ('famously', 'extremely well'),\n", " ('gorgeously', 'in an impressively beautiful manner'),\n", " ('resplendently', 'in an impressively beautiful manner')]},\n", " {'answer': 'mainly',\n", " 'hint': 'synonyms for mainly',\n", " 'clues': [('in the main', 'for the most part'),\n", " ('principally', 'for the most part'),\n", " ('primarily', 'for the most part'),\n", " ('chiefly', 'for the most part')]},\n", " {'answer': 'manifestly',\n", " 'hint': 'synonyms for manifestly',\n", " 'clues': [('patently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('apparently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('evidently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('obviously',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('plain',\n", " \"unmistakably (`plain' is often used informally for `plainly')\")]},\n", " {'answer': 'marvellously',\n", " 'hint': 'synonyms for marvellously',\n", " 'clues': [('marvelously', '(used as an intensifier) extremely well'),\n", " ('toppingly', '(used as an intensifier) extremely well'),\n", " ('wondrous', '(used as an intensifier) extremely well'),\n", " ('superbly', '(used as an intensifier) extremely well'),\n", " ('wonderfully', '(used as an intensifier) extremely well'),\n", " ('terrifically', '(used as an intensifier) extremely well')]},\n", " {'answer': 'marvelously',\n", " 'hint': 'synonyms for marvelously',\n", " 'clues': [('toppingly', '(used as an intensifier) extremely well'),\n", " ('wondrous', '(used as an intensifier) extremely well'),\n", " ('superbly', '(used as an intensifier) extremely well'),\n", " ('wonderfully', '(used as an intensifier) extremely well'),\n", " ('terrifically', '(used as an intensifier) extremely well'),\n", " ('marvellously', '(used as an intensifier) extremely well')]},\n", " {'answer': 'maybe',\n", " 'hint': 'synonyms for maybe',\n", " 'clues': [('peradventure', 'by chance'),\n", " ('possibly', 'by chance'),\n", " ('perhaps', 'by chance'),\n", " ('perchance', 'by chance'),\n", " ('mayhap', 'by chance')]},\n", " {'answer': 'mayhap',\n", " 'hint': 'synonyms for mayhap',\n", " 'clues': [('possibly', 'by chance'),\n", " ('perhaps', 'by chance'),\n", " ('perchance', 'by chance'),\n", " ('maybe', 'by chance'),\n", " ('peradventure', 'by chance')]},\n", " {'answer': 'meanly',\n", " 'hint': 'synonyms for meanly',\n", " 'clues': [('humbly', 'in a miserly manner'),\n", " ('scurvily', 'in a despicable, ignoble manner'),\n", " ('basely', 'in a despicable, ignoble manner'),\n", " ('nastily', 'in a nasty ill-tempered manner')]},\n", " {'answer': 'merely',\n", " 'hint': 'synonyms for merely',\n", " 'clues': [('just', 'and nothing more'),\n", " ('but', 'and nothing more'),\n", " ('only', 'and nothing more'),\n", " ('simply', 'and nothing more')]},\n", " {'answer': 'merrily',\n", " 'hint': 'synonyms for merrily',\n", " 'clues': [('gayly', 'in a joyous manner'),\n", " ('blithely', 'in a joyous manner'),\n", " ('jubilantly', 'in a joyous manner'),\n", " ('mirthfully', 'in a joyous manner'),\n", " ('happily', 'in a joyous manner')]},\n", " {'answer': 'mirthfully',\n", " 'hint': 'synonyms for mirthfully',\n", " 'clues': [('gayly', 'in a joyous manner'),\n", " ('blithely', 'in a joyous manner'),\n", " ('jubilantly', 'in a joyous manner'),\n", " ('merrily', 'in a joyous manner'),\n", " ('happily', 'in a joyous manner')]},\n", " {'answer': 'mockingly',\n", " 'hint': 'synonyms for mockingly',\n", " 'clues': [('jeeringly', 'in a disrespectful jeering manner'),\n", " ('derisively', 'in a disrespectful and mocking manner'),\n", " ('gibingly', 'in a disrespectful jeering manner'),\n", " ('derisorily', 'in a disrespectful and mocking manner'),\n", " ('scoffingly', 'in a disrespectful and mocking manner')]},\n", " {'answer': 'moderately',\n", " 'hint': 'synonyms for moderately',\n", " 'clues': [('passably', 'to a moderately sufficient extent or degree'),\n", " ('fairly', 'to a moderately sufficient extent or degree'),\n", " ('jolly', 'to a moderately sufficient extent or degree'),\n", " ('middling', 'to a moderately sufficient extent or degree'),\n", " ('somewhat', 'to a moderately sufficient extent or degree'),\n", " ('reasonably', 'to a moderately sufficient extent or degree'),\n", " ('pretty', 'to a moderately sufficient extent or degree')]},\n", " {'answer': 'monstrously',\n", " 'hint': 'synonyms for monstrously',\n", " 'clues': [('horridly', 'in a hideous manner'),\n", " ('heinously', 'in a terribly evil manner'),\n", " ('hideously', 'in a hideous manner'),\n", " ('grotesquely', 'in a grotesque manner')]},\n", " {'answer': 'more_or_less',\n", " 'hint': 'synonyms for more or less',\n", " 'clues': [('roughly',\n", " '(of quantities) imprecise but fairly close to correct'),\n", " ('just about', '(of quantities) imprecise but fairly close to correct'),\n", " ('around', '(of quantities) imprecise but fairly close to correct'),\n", " ('close to', '(of quantities) imprecise but fairly close to correct'),\n", " ('some', '(of quantities) imprecise but fairly close to correct'),\n", " ('about', '(of quantities) imprecise but fairly close to correct'),\n", " ('somewhat', 'to a small degree or extent'),\n", " ('or so', '(of quantities) imprecise but fairly close to correct'),\n", " ('slightly', 'to a small degree or extent'),\n", " ('approximately',\n", " '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'mostly',\n", " 'hint': 'synonyms for mostly',\n", " 'clues': [('more often than not', 'usually; as a rule'),\n", " ('by and large', 'usually; as a rule'),\n", " ('for the most part', 'in large part; mainly or chiefly'),\n", " ('generally', 'usually; as a rule'),\n", " ('largely', 'in large part; mainly or chiefly')]},\n", " {'answer': 'mulishly',\n", " 'hint': 'synonyms for mulishly',\n", " 'clues': [('obstinately', 'in a stubborn unregenerate manner'),\n", " ('cussedly', 'in a stubborn unregenerate manner'),\n", " ('stubbornly', 'in a stubborn unregenerate manner'),\n", " ('obdurately', 'in a stubborn unregenerate manner'),\n", " ('pig-headedly', 'in a stubborn unregenerate manner')]},\n", " {'answer': 'namely',\n", " 'hint': 'synonyms for namely',\n", " 'clues': [('videlicet', 'as follows'),\n", " ('to wit', 'as follows'),\n", " ('that is to say', 'as follows'),\n", " ('viz.', 'as follows')]},\n", " {'answer': 'nearly',\n", " 'hint': 'synonyms for nearly',\n", " 'clues': [('nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('well-nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('closely', 'in a close manner'),\n", " ('almost',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('virtually',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('near',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('about',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('most',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('intimately', 'in a close manner')]},\n", " {'answer': 'necessarily',\n", " 'hint': 'synonyms for necessarily',\n", " 'clues': [('inevitably', 'in such a manner as could not be otherwise'),\n", " ('needfully', 'in an essential manner'),\n", " ('of necessity', 'in such a manner as could not be otherwise'),\n", " ('needs', 'in such a manner as could not be otherwise')]},\n", " {'answer': 'nevertheless',\n", " 'hint': 'synonyms for nevertheless',\n", " 'clues': [('even so',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nonetheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('notwithstanding',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('however',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('withal',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('still',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('all the same',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('yet',\n", " 'despite anything to the contrary (usually following a concession)')]},\n", " {'answer': 'nonetheless',\n", " 'hint': 'synonyms for nonetheless',\n", " 'clues': [('even so',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('notwithstanding',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('however',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('withal',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nevertheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('still',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('all the same',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('yet',\n", " 'despite anything to the contrary (usually following a concession)')]},\n", " {'answer': 'normally',\n", " 'hint': 'synonyms for normally',\n", " 'clues': [('ordinarily', 'under normal conditions'),\n", " ('commonly', 'under normal conditions'),\n", " ('unremarkably', 'under normal conditions'),\n", " ('usually', 'under normal conditions')]},\n", " {'answer': 'notwithstanding',\n", " 'hint': 'synonyms for notwithstanding',\n", " 'clues': [('even so',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nonetheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('however',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('withal',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nevertheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('still',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('all the same',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('yet',\n", " 'despite anything to the contrary (usually following a concession)')]},\n", " {'answer': 'now',\n", " 'hint': 'synonyms for now',\n", " 'clues': [('straight off',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('at present', 'at the present moment'),\n", " ('right away', 'without delay or hesitation; with no time intervening'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('immediately', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('today', 'in these times; - Nancy Mitford'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening'),\n", " ('nowadays', 'in these times; - Nancy Mitford')]},\n", " {'answer': 'now_and_again',\n", " 'hint': 'synonyms for now and again',\n", " 'clues': [('occasionally', 'now and then or here and there'),\n", " ('at times', 'now and then or here and there'),\n", " ('once in a while', 'now and then or here and there'),\n", " ('on occasion', 'now and then or here and there'),\n", " ('from time to time', 'now and then or here and there'),\n", " ('now and then', 'now and then or here and there')]},\n", " {'answer': 'now_and_then',\n", " 'hint': 'synonyms for now and then',\n", " 'clues': [('once in a while', 'now and then or here and there'),\n", " ('occasionally', 'now and then or here and there'),\n", " ('at times', 'now and then or here and there'),\n", " ('now and again', 'now and then or here and there'),\n", " ('on occasion', 'now and then or here and there'),\n", " ('from time to time', 'now and then or here and there')]},\n", " {'answer': 'nuttily',\n", " 'hint': 'synonyms for nuttily',\n", " 'clues': [('balmily', 'in a mildly insane manner'),\n", " ('daftly', 'in a mildly insane manner'),\n", " ('dottily', 'in a mildly insane manner'),\n", " ('wackily', 'in a mildly insane manner')]},\n", " {'answer': 'obdurately',\n", " 'hint': 'synonyms for obdurately',\n", " 'clues': [('obstinately', 'in a stubborn unregenerate manner'),\n", " ('cussedly', 'in a stubborn unregenerate manner'),\n", " ('mulishly', 'in a stubborn unregenerate manner'),\n", " ('stubbornly', 'in a stubborn unregenerate manner'),\n", " ('pig-headedly', 'in a stubborn unregenerate manner')]},\n", " {'answer': 'obliquely',\n", " 'hint': 'synonyms for obliquely',\n", " 'clues': [('athwart', 'at an oblique angle'),\n", " ('sideways', 'to, toward or at one side'),\n", " ('aslant', 'at an oblique angle'),\n", " ('sidelong', 'to, toward or at one side')]},\n", " {'answer': 'obstinately',\n", " 'hint': 'synonyms for obstinately',\n", " 'clues': [('cussedly', 'in a stubborn unregenerate manner'),\n", " ('mulishly', 'in a stubborn unregenerate manner'),\n", " ('stubbornly', 'in a stubborn unregenerate manner'),\n", " ('obdurately', 'in a stubborn unregenerate manner'),\n", " ('pig-headedly', 'in a stubborn unregenerate manner')]},\n", " {'answer': 'obviously',\n", " 'hint': 'synonyms for obviously',\n", " 'clues': [('patently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('apparently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('evidently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('manifestly',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('plain',\n", " \"unmistakably (`plain' is often used informally for `plainly')\")]},\n", " {'answer': 'occasionally',\n", " 'hint': 'synonyms for occasionally',\n", " 'clues': [('once in a while', 'now and then or here and there'),\n", " ('at times', 'now and then or here and there'),\n", " ('now and again', 'now and then or here and there'),\n", " ('on occasion', 'now and then or here and there'),\n", " ('from time to time', 'now and then or here and there'),\n", " ('now and then', 'now and then or here and there')]},\n", " {'answer': 'oddly',\n", " 'hint': 'synonyms for oddly',\n", " 'clues': [('curiously',\n", " 'in a manner differing from the usual or expected'),\n", " ('funnily', 'in a strange manner'),\n", " ('strangely', 'in a strange manner'),\n", " ('queerly', 'in a strange manner'),\n", " ('peculiarly', 'in a manner differing from the usual or expected')]},\n", " {'answer': 'often',\n", " 'hint': 'synonyms for often',\n", " 'clues': [('a great deal', 'frequently or in great quantities'),\n", " ('frequently', 'many times at short intervals'),\n", " ('oft', 'many times at short intervals'),\n", " ('much', 'frequently or in great quantities'),\n", " ('oftentimes', 'many times at short intervals')]},\n", " {'answer': 'oftentimes',\n", " 'hint': 'synonyms for oftentimes',\n", " 'clues': [('oft', 'many times at short intervals'),\n", " ('often', 'many times at short intervals'),\n", " ('frequently', 'many times at short intervals'),\n", " ('ofttimes', 'many times at short intervals')]},\n", " {'answer': 'ofttimes',\n", " 'hint': 'synonyms for ofttimes',\n", " 'clues': [('oft', 'many times at short intervals'),\n", " ('often', 'many times at short intervals'),\n", " ('frequently', 'many times at short intervals'),\n", " ('oftentimes', 'many times at short intervals')]},\n", " {'answer': 'on_an_individual_basis',\n", " 'hint': 'synonyms for on an individual basis',\n", " 'clues': [('one by one', 'apart from others'),\n", " ('severally', 'apart from others'),\n", " ('separately', 'apart from others'),\n", " ('individually', 'apart from others'),\n", " ('singly', 'apart from others')]},\n", " {'answer': 'on_occasion',\n", " 'hint': 'synonyms for on occasion',\n", " 'clues': [('once in a while', 'now and then or here and there'),\n", " ('occasionally', 'now and then or here and there'),\n", " ('at times', 'now and then or here and there'),\n", " ('now and again', 'now and then or here and there'),\n", " ('from time to time', 'now and then or here and there'),\n", " ('now and then', 'now and then or here and there')]},\n", " {'answer': 'on_purpose',\n", " 'hint': 'synonyms for on purpose',\n", " 'clues': [('by choice', 'with intention; in an intentional manner'),\n", " ('intentionally', 'with intention; in an intentional manner'),\n", " ('advisedly', 'with intention; in an intentional manner'),\n", " ('purposely', 'with intention; in an intentional manner'),\n", " ('designedly', 'with intention; in an intentional manner'),\n", " ('by design', 'with intention; in an intentional manner'),\n", " ('deliberately', 'with intention; in an intentional manner')]},\n", " {'answer': 'on_the_dot',\n", " 'hint': 'synonyms for on the dot',\n", " 'clues': [('on the button', 'just as it should be'),\n", " ('precisely', 'just as it should be'),\n", " ('exactly', 'just as it should be'),\n", " ('on the nose', 'just as it should be')]},\n", " {'answer': 'once',\n", " 'hint': 'synonyms for once',\n", " 'clues': [('in one case', 'on one occasion'),\n", " ('one time', 'on one occasion'),\n", " ('at one time', 'at a previous time'),\n", " ('erst', 'at a previous time'),\n", " ('formerly', 'at a previous time'),\n", " ('erstwhile', 'at a previous time')]},\n", " {'answer': 'once_in_a_while',\n", " 'hint': 'synonyms for once in a while',\n", " 'clues': [('occasionally', 'now and then or here and there'),\n", " ('at times', 'now and then or here and there'),\n", " ('now and again', 'now and then or here and there'),\n", " ('on occasion', 'now and then or here and there'),\n", " ('from time to time', 'now and then or here and there'),\n", " ('now and then', 'now and then or here and there')]},\n", " {'answer': 'one_by_one',\n", " 'hint': 'synonyms for one by one',\n", " 'clues': [('severally', 'apart from others'),\n", " ('separately', 'apart from others'),\n", " ('singly', 'apart from others'),\n", " ('one after another', 'in single file'),\n", " ('by the piece', 'one piece at a time'),\n", " ('one at a time', 'in single file'),\n", " ('individually', 'apart from others'),\n", " ('on an individual basis', 'apart from others')]},\n", " {'answer': 'onward',\n", " 'hint': 'synonyms for onward',\n", " 'clues': [('forward', 'in a forward direction'),\n", " ('onwards', 'in a forward direction'),\n", " ('ahead', 'in a forward direction'),\n", " ('forrader', 'in a forward direction'),\n", " ('forth', 'forward in time or order or degree')]},\n", " {'answer': 'onwards',\n", " 'hint': 'synonyms for onwards',\n", " 'clues': [('onward', 'in a forward direction'),\n", " ('forwards', 'in a forward direction'),\n", " ('forrader', 'in a forward direction'),\n", " ('ahead', 'in a forward direction')]},\n", " {'answer': 'or_so',\n", " 'hint': 'synonyms for or so',\n", " 'clues': [('roughly',\n", " '(of quantities) imprecise but fairly close to correct'),\n", " ('just about', '(of quantities) imprecise but fairly close to correct'),\n", " ('around', '(of quantities) imprecise but fairly close to correct'),\n", " ('close to', '(of quantities) imprecise but fairly close to correct'),\n", " ('more or less', '(of quantities) imprecise but fairly close to correct'),\n", " ('some', '(of quantities) imprecise but fairly close to correct'),\n", " ('about', '(of quantities) imprecise but fairly close to correct'),\n", " ('approximately',\n", " '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'ordinarily',\n", " 'hint': 'synonyms for ordinarily',\n", " 'clues': [('commonly', 'under normal conditions'),\n", " ('unremarkably', 'under normal conditions'),\n", " ('normally', 'under normal conditions'),\n", " ('usually', 'under normal conditions')]},\n", " {'answer': 'originally',\n", " 'hint': 'synonyms for originally',\n", " 'clues': [('primitively', 'with reference to the origin or beginning'),\n", " ('in the beginning', 'before now'),\n", " ('to begin with', 'before now'),\n", " ('in the first place', 'before now'),\n", " ('earlier', 'before now')]},\n", " {'answer': 'over_and_over',\n", " 'hint': 'synonyms for over and over',\n", " 'clues': [('time and time again', 'repeatedly'),\n", " ('time and again', 'repeatedly'),\n", " ('over and over again', 'repeatedly'),\n", " ('again and again', 'repeatedly')]},\n", " {'answer': 'over_and_over_again',\n", " 'hint': 'synonyms for over and over again',\n", " 'clues': [('time and time again', 'repeatedly'),\n", " ('time and again', 'repeatedly'),\n", " ('over and over', 'repeatedly'),\n", " ('again and again', 'repeatedly')]},\n", " {'answer': 'p.a.',\n", " 'hint': 'synonyms for p.a.',\n", " 'clues': [('per year',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('each year',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('per annum',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('annually',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)')]},\n", " {'answer': 'passably',\n", " 'hint': 'synonyms for passably',\n", " 'clues': [('moderately', 'to a moderately sufficient extent or degree'),\n", " ('fairly', 'to a moderately sufficient extent or degree'),\n", " ('jolly', 'to a moderately sufficient extent or degree'),\n", " ('middling', 'to a moderately sufficient extent or degree'),\n", " ('somewhat', 'to a moderately sufficient extent or degree'),\n", " ('reasonably', 'to a moderately sufficient extent or degree'),\n", " ('pretty', 'to a moderately sufficient extent or degree')]},\n", " {'answer': 'patently',\n", " 'hint': 'synonyms for patently',\n", " 'clues': [('apparently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('evidently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('obviously',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('manifestly',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('plain',\n", " \"unmistakably (`plain' is often used informally for `plainly')\")]},\n", " {'answer': 'peculiarly',\n", " 'hint': 'synonyms for peculiarly',\n", " 'clues': [('particularly',\n", " 'to a distinctly greater extent or degree than is common'),\n", " ('curiously', 'in a manner differing from the usual or expected'),\n", " ('specially', 'to a distinctly greater extent or degree than is common'),\n", " ('oddly', 'in a manner differing from the usual or expected')]},\n", " {'answer': 'per_annum',\n", " 'hint': 'synonyms for per annum',\n", " 'clues': [('per year',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('p.a.',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('each year',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('annually',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)')]},\n", " {'answer': 'per_year',\n", " 'hint': 'synonyms for per year',\n", " 'clues': [('p.a.',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('each year',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('per annum',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)'),\n", " ('annually',\n", " 'by the year; every year (usually with reference to a sum of money paid or received)')]},\n", " {'answer': 'peradventure',\n", " 'hint': 'synonyms for peradventure',\n", " 'clues': [('possibly', 'by chance'),\n", " ('perhaps', 'by chance'),\n", " ('perchance', 'by chance'),\n", " ('maybe', 'by chance'),\n", " ('mayhap', 'by chance')]},\n", " {'answer': 'perchance',\n", " 'hint': 'synonyms for perchance',\n", " 'clues': [('by chance', 'through chance,'),\n", " ('peradventure', 'by chance'),\n", " ('possibly', 'by chance'),\n", " ('perhaps', 'by chance'),\n", " ('maybe', 'by chance'),\n", " ('mayhap', 'by chance')]},\n", " {'answer': 'perhaps',\n", " 'hint': 'synonyms for perhaps',\n", " 'clues': [('peradventure', 'by chance'),\n", " ('possibly', 'by chance'),\n", " ('perchance', 'by chance'),\n", " ('maybe', 'by chance'),\n", " ('mayhap', 'by chance')]},\n", " {'answer': 'perpetually',\n", " 'hint': 'synonyms for perpetually',\n", " 'clues': [('forever', 'without interruption'),\n", " ('constantly', 'without interruption'),\n", " ('always', 'without interruption'),\n", " ('incessantly', 'without interruption')]},\n", " {'answer': 'pertly',\n", " 'hint': 'synonyms for pertly',\n", " 'clues': [('freshly', 'in an impudent or impertinent manner'),\n", " ('impudently', 'in an impudent or impertinent manner'),\n", " ('impertinently', 'in an impudent or impertinent manner'),\n", " ('saucily', 'in an impudent or impertinent manner')]},\n", " {'answer': 'pig-headedly',\n", " 'hint': 'synonyms for pig-headedly',\n", " 'clues': [('obstinately', 'in a stubborn unregenerate manner'),\n", " ('cussedly', 'in a stubborn unregenerate manner'),\n", " ('mulishly', 'in a stubborn unregenerate manner'),\n", " ('stubbornly', 'in a stubborn unregenerate manner'),\n", " ('obdurately', 'in a stubborn unregenerate manner')]},\n", " {'answer': 'plainly',\n", " 'hint': 'synonyms for plainly',\n", " 'clues': [('patently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('apparently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('obviously',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('manifestly',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('evidently',\n", " \"unmistakably (`plain' is often used informally for `plainly')\"),\n", " ('simply', 'in a simple manner; without extravagance or embellishment'),\n", " ('plain',\n", " \"unmistakably (`plain' is often used informally for `plainly')\")]},\n", " {'answer': 'pleadingly',\n", " 'hint': 'synonyms for pleadingly',\n", " 'clues': [('imploringly', 'in a beseeching manner'),\n", " ('importunately', 'in a beseeching manner'),\n", " ('entreatingly', 'in a beseeching manner'),\n", " ('beseechingly', 'in a beseeching manner')]},\n", " {'answer': 'pleasantly',\n", " 'hint': 'synonyms for pleasantly',\n", " 'clues': [('agreeably', 'in an enjoyable manner'),\n", " ('sunnily', 'in a cheerful manner'),\n", " ('cheerily', 'in a cheerful manner'),\n", " ('enjoyably', 'in an enjoyable manner')]},\n", " {'answer': 'possibly',\n", " 'hint': 'synonyms for possibly',\n", " 'clues': [('mayhap', 'by chance'),\n", " ('perhaps', 'by chance'),\n", " ('perchance', 'by chance'),\n", " ('maybe', 'by chance'),\n", " ('peradventure', 'by chance')]},\n", " {'answer': 'precisely',\n", " 'hint': 'synonyms for precisely',\n", " 'clues': [('exactly', 'in a precise manner'),\n", " ('on the dot', 'just as it should be'),\n", " ('on the nose', 'just as it should be'),\n", " ('incisively', 'in a precise manner'),\n", " ('just', 'indicating exactness or preciseness'),\n", " ('on the button', 'just as it should be')]},\n", " {'answer': 'presently',\n", " 'hint': 'synonyms for presently',\n", " 'clues': [('soon', 'in the near future'),\n", " ('currently', 'at this time or period; now'),\n", " ('shortly', 'in the near future'),\n", " ('before long', 'in the near future')]},\n", " {'answer': 'primarily',\n", " 'hint': 'synonyms for primarily',\n", " 'clues': [('in the first place', 'of primary import'),\n", " ('mainly', 'for the most part'),\n", " ('in the main', 'for the most part'),\n", " ('principally', 'for the most part'),\n", " ('chiefly', 'for the most part')]},\n", " {'answer': 'principally',\n", " 'hint': 'synonyms for principally',\n", " 'clues': [('mainly', 'for the most part'),\n", " ('in the main', 'for the most part'),\n", " ('primarily', 'for the most part'),\n", " ('chiefly', 'for the most part')]},\n", " {'answer': 'probably',\n", " 'hint': 'synonyms for probably',\n", " 'clues': [('plausibly',\n", " 'easy to believe on the basis of available evidence'),\n", " ('in all probability', 'with considerable certainty; without much doubt'),\n", " ('in all likelihood', 'with considerable certainty; without much doubt'),\n", " ('believably', 'easy to believe on the basis of available evidence'),\n", " ('belike', 'with considerable certainty; without much doubt'),\n", " ('credibly', 'easy to believe on the basis of available evidence'),\n", " ('likely', 'with considerable certainty; without much doubt')]},\n", " {'answer': 'promptly',\n", " 'hint': 'synonyms for promptly',\n", " 'clues': [('readily', 'in a punctual manner'),\n", " ('pronto', 'in a punctual manner'),\n", " ('quickly', 'with little or no delay'),\n", " ('right away', 'at once (usually modifies an undesirable occurrence)')]},\n", " {'answer': 'properly',\n", " 'hint': 'synonyms for properly',\n", " 'clues': [('decent', 'in the right manner'),\n", " ('the right way', 'in the right manner'),\n", " ('right', 'in the right manner'),\n", " ('by rights', 'with reason or justice'),\n", " ('in good order', 'in the right manner')]},\n", " {'answer': 'purposely',\n", " 'hint': 'synonyms for purposely',\n", " 'clues': [('on purpose', 'with intention; in an intentional manner'),\n", " ('by choice', 'with intention; in an intentional manner'),\n", " ('intentionally', 'with intention; in an intentional manner'),\n", " ('advisedly', 'with intention; in an intentional manner'),\n", " ('by design', 'with intention; in an intentional manner'),\n", " ('designedly', 'with intention; in an intentional manner'),\n", " ('deliberately', 'with intention; in an intentional manner')]},\n", " {'answer': 'queerly',\n", " 'hint': 'synonyms for queerly',\n", " 'clues': [('strangely', 'in a strange manner'),\n", " ('funnily', 'in a strange manner'),\n", " ('oddly', 'in a strange manner'),\n", " ('fishily', 'in a questionably unusual manner')]},\n", " {'answer': 'quickly',\n", " 'hint': 'synonyms for quickly',\n", " 'clues': [('cursorily', 'without taking pains'),\n", " ('promptly', 'with little or no delay'),\n", " ('rapidly', 'with rapid movements'),\n", " ('chop-chop', 'with rapid movements'),\n", " ('apace', 'with rapid movements'),\n", " ('quick', 'with little or no delay'),\n", " ('speedily', 'with rapid movements')]},\n", " {'answer': 'randomly',\n", " 'hint': 'synonyms for randomly',\n", " 'clues': [('at random', 'in a random manner'),\n", " ('willy-nilly', 'in a random manner'),\n", " ('every which way', 'in a random manner'),\n", " ('arbitrarily', 'in a random manner'),\n", " ('indiscriminately', 'in a random manner'),\n", " ('haphazardly', 'in a random manner')]},\n", " {'answer': 'rapidly',\n", " 'hint': 'synonyms for rapidly',\n", " 'clues': [('apace', 'with rapid movements'),\n", " ('speedily', 'with rapid movements'),\n", " ('chop-chop', 'with rapid movements'),\n", " ('quickly', 'with rapid movements')]},\n", " {'answer': 'rather',\n", " 'hint': 'synonyms for rather',\n", " 'clues': [('instead', 'on the contrary'),\n", " ('sooner', 'more readily or willingly'),\n", " ('quite', 'to a degree (not used with a negative)'),\n", " ('sort of', 'to some (great or small) extent'),\n", " ('kind of', 'to some (great or small) extent'),\n", " ('preferably', 'more readily or willingly'),\n", " ('kinda', 'to some (great or small) extent')]},\n", " {'answer': 'really',\n", " 'hint': 'synonyms for really',\n", " 'clues': [('very',\n", " \"used as intensifiers; `real' is sometimes used informally for `really'; `rattling' is informal\"),\n", " ('rattling',\n", " \"used as intensifiers; `real' is sometimes used informally for `really'; `rattling' is informal\"),\n", " ('actually', 'in actual fact'),\n", " ('real',\n", " \"used as intensifiers; `real' is sometimes used informally for `really'; `rattling' is informal\"),\n", " ('truly', 'in accordance with truth or fact or reality'),\n", " ('genuinely', 'in accordance with truth or fact or reality'),\n", " ('in truth', 'in fact (used as intensifiers or sentence modifiers)')]},\n", " {'answer': 'reasonably',\n", " 'hint': 'synonyms for reasonably',\n", " 'clues': [('passably', 'to a moderately sufficient extent or degree'),\n", " ('fairly', 'to a moderately sufficient extent or degree'),\n", " ('jolly', 'to a moderately sufficient extent or degree'),\n", " ('sensibly', 'with good sense or in a reasonable or intelligent manner'),\n", " ('somewhat', 'to a moderately sufficient extent or degree'),\n", " ('moderately', 'to a moderately sufficient extent or degree'),\n", " ('sanely', 'with good sense or in a reasonable or intelligent manner'),\n", " ('middling', 'to a moderately sufficient extent or degree'),\n", " ('pretty', 'to a moderately sufficient extent or degree')]},\n", " {'answer': 'remarkably',\n", " 'hint': 'synonyms for remarkably',\n", " 'clues': [('outstandingly', 'to a remarkable degree or extent'),\n", " ('unmistakably', 'in a signal manner'),\n", " ('unusually', 'to a remarkable degree or extent'),\n", " ('unco', 'to a remarkable degree or extent'),\n", " ('signally', 'in a signal manner')]},\n", " {'answer': 'richly',\n", " 'hint': 'synonyms for richly',\n", " 'clues': [('high', 'in a rich manner'),\n", " ('luxuriously', 'in a rich manner'),\n", " ('lavishly', 'in a rich and lavish manner'),\n", " ('amply', 'to an ample degree or in an ample manner'),\n", " ('extravagantly', 'in a rich and lavish manner')]},\n", " {'answer': 'right_away',\n", " 'hint': 'synonyms for right away',\n", " 'clues': [('straight off',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('promptly', 'at once (usually modifies an undesirable occurrence)'),\n", " ('immediately',\n", " 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'rottenly',\n", " 'hint': 'synonyms for rottenly',\n", " 'clues': [('abysmally', 'in a terrible manner'),\n", " ('terribly', 'in a terrible manner'),\n", " ('awfully', 'in a terrible manner'),\n", " ('abominably', 'in a terrible manner'),\n", " ('atrociously', 'in a terrible manner')]},\n", " {'answer': 'roughly',\n", " 'hint': 'synonyms for roughly',\n", " 'clues': [('rough', 'with rough motion as over a rough surface'),\n", " ('just about', '(of quantities) imprecise but fairly close to correct'),\n", " ('around', '(of quantities) imprecise but fairly close to correct'),\n", " ('close to', '(of quantities) imprecise but fairly close to correct'),\n", " ('more or less', '(of quantities) imprecise but fairly close to correct'),\n", " ('some', '(of quantities) imprecise but fairly close to correct'),\n", " ('about', '(of quantities) imprecise but fairly close to correct'),\n", " ('or so', '(of quantities) imprecise but fairly close to correct'),\n", " ('approximately',\n", " '(of quantities) imprecise but fairly close to correct')]},\n", " {'answer': 'roundly',\n", " 'hint': 'synonyms for roundly',\n", " 'clues': [('brusquely', 'in a blunt direct manner'),\n", " ('bluffly', 'in a blunt direct manner'),\n", " ('flat out', 'in a blunt direct manner'),\n", " ('bluntly', 'in a blunt direct manner')]},\n", " {'answer': 'sadly',\n", " 'hint': 'synonyms for sadly',\n", " 'clues': [('lamentably', 'in an unfortunate or deplorable manner'),\n", " ('woefully', 'in an unfortunate or deplorable manner'),\n", " ('deplorably', 'in an unfortunate or deplorable manner'),\n", " ('unhappily', 'in an unfortunate way')]},\n", " {'answer': 'sagaciously',\n", " 'hint': 'synonyms for sagaciously',\n", " 'clues': [('shrewdly', 'in a shrewd manner'),\n", " ('sapiently', 'in a shrewd manner'),\n", " ('astutely', 'in a shrewd manner'),\n", " ('acutely', 'in a shrewd manner')]},\n", " {'answer': 'sapiently',\n", " 'hint': 'synonyms for sapiently',\n", " 'clues': [('shrewdly', 'in a shrewd manner'),\n", " ('sagaciously', 'in a shrewd manner'),\n", " ('astutely', 'in a shrewd manner'),\n", " ('acutely', 'in a shrewd manner')]},\n", " {'answer': 'saucily',\n", " 'hint': 'synonyms for saucily',\n", " 'clues': [('freshly', 'in an impudent or impertinent manner'),\n", " ('impudently', 'in an impudent or impertinent manner'),\n", " ('impertinently', 'in an impudent or impertinent manner'),\n", " ('pertly', 'in an impudent or impertinent manner')]},\n", " {'answer': 'scarcely',\n", " 'hint': 'synonyms for scarcely',\n", " 'clues': [('hardly', 'almost not'),\n", " ('just', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('barely', 'only a very short time before; ; ; ; ; - W.B.Yeats'),\n", " ('scarce', 'only a very short time before; ; ; ; ; - W.B.Yeats')]},\n", " {'answer': 'separately',\n", " 'hint': 'synonyms for separately',\n", " 'clues': [('one by one', 'apart from others'),\n", " ('severally', 'apart from others'),\n", " ('on an individual basis', 'apart from others'),\n", " ('individually', 'apart from others'),\n", " ('singly', 'apart from others')]},\n", " {'answer': 'seriously',\n", " 'hint': 'synonyms for seriously',\n", " 'clues': [('gravely', 'to a severe or serious degree'),\n", " ('earnestly', 'in a serious manner'),\n", " ('severely', 'to a severe or serious degree'),\n", " ('in earnest', 'in a serious manner'),\n", " ('badly', 'to a severe or serious degree')]},\n", " {'answer': 'severally',\n", " 'hint': 'synonyms for severally',\n", " 'clues': [('one by one', 'apart from others'),\n", " ('separately', 'apart from others'),\n", " ('on an individual basis', 'apart from others'),\n", " ('respectively', 'in the order given'),\n", " ('individually', 'apart from others'),\n", " ('singly', 'apart from others'),\n", " ('independently', 'apart from others')]},\n", " {'answer': 'severely',\n", " 'hint': 'synonyms for severely',\n", " 'clues': [('gravely', 'to a severe or serious degree'),\n", " ('seriously', 'to a severe or serious degree'),\n", " ('sternly', 'with sternness; in a severe manner'),\n", " ('hard', 'causing great damage or hardship'),\n", " ('badly', 'to a severe or serious degree')]},\n", " {'answer': 'shamefully',\n", " 'hint': 'synonyms for shamefully',\n", " 'clues': [('dishonourably',\n", " 'in a dishonorable manner or to a dishonorable degree'),\n", " ('disgracefully', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ingloriously', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('discreditably', 'in a dishonorable manner or to a dishonorable degree'),\n", " ('ignominiously',\n", " 'in a dishonorable manner or to a dishonorable degree')]},\n", " {'answer': 'sharply',\n", " 'hint': 'synonyms for sharply',\n", " 'clues': [('acutely', 'changing suddenly in direction and degree'),\n", " ('precipitously', 'very suddenly and to a great degree'),\n", " ('sharp', 'changing suddenly in direction and degree'),\n", " ('crisply', 'in a well delineated manner'),\n", " ('aggressively', 'in an aggressive manner')]},\n", " {'answer': 'shortly',\n", " 'hint': 'synonyms for shortly',\n", " 'clues': [('soon', 'in the near future'),\n", " ('curtly', 'in a curt, abrupt and discourteous manner'),\n", " ('short', 'in a curt, abrupt and discourteous manner'),\n", " ('concisely', 'in a concise manner; in a few words'),\n", " ('in short', 'in a concise manner; in a few words'),\n", " ('briefly', 'in a concise manner; in a few words'),\n", " ('in brief', 'in a concise manner; in a few words'),\n", " ('before long', 'in the near future'),\n", " ('presently', 'in the near future')]},\n", " {'answer': 'shrewdly',\n", " 'hint': 'synonyms for shrewdly',\n", " 'clues': [('sapiently', 'in a shrewd manner'),\n", " ('sagaciously', 'in a shrewd manner'),\n", " ('astutely', 'in a shrewd manner'),\n", " ('acutely', 'in a shrewd manner')]},\n", " {'answer': 'simply',\n", " 'hint': 'synonyms for simply',\n", " 'clues': [('only', 'and nothing more'),\n", " ('plainly', 'in a simple manner; without extravagance or embellishment'),\n", " ('just', 'absolutely'),\n", " ('but', 'and nothing more'),\n", " ('merely', 'and nothing more')]},\n", " {'answer': 'singly',\n", " 'hint': 'synonyms for singly',\n", " 'clues': [('one by one', 'apart from others'),\n", " ('severally', 'apart from others'),\n", " ('separately', 'apart from others'),\n", " ('individually', 'apart from others'),\n", " ('on an individual basis', 'apart from others')]},\n", " {'answer': 'slap',\n", " 'hint': 'synonyms for slap',\n", " 'clues': [('smack', 'directly'),\n", " ('slapdash', 'directly'),\n", " ('bolt', 'directly'),\n", " ('bang', 'directly')]},\n", " {'answer': 'slenderly',\n", " 'hint': 'synonyms for slenderly',\n", " 'clues': [('sparingly', 'to a meager degree or in a meager manner'),\n", " ('meagerly', 'to a meager degree or in a meager manner'),\n", " ('slimly', 'in a slim or slender manner'),\n", " ('slightly', 'in a slim or slender manner')]},\n", " {'answer': 'slightly',\n", " 'hint': 'synonyms for slightly',\n", " 'clues': [('more or less', 'to a small degree or extent'),\n", " ('somewhat', 'to a small degree or extent'),\n", " ('slenderly', 'in a slim or slender manner'),\n", " ('slimly', 'in a slim or slender manner')]},\n", " {'answer': 'slowly',\n", " 'hint': 'synonyms for slowly',\n", " 'clues': [('tardily',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('slow',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('easy',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('lento', 'in music')]},\n", " {'answer': 'slyly',\n", " 'hint': 'synonyms for slyly',\n", " 'clues': [('artfully', 'in an artful manner'),\n", " ('trickily', 'in an artful manner'),\n", " ('foxily', 'in an artful manner'),\n", " ('cunningly', 'in an artful manner'),\n", " ('craftily', 'in an artful manner'),\n", " ('knavishly', 'in an artful manner')]},\n", " {'answer': 'smack',\n", " 'hint': 'synonyms for smack',\n", " 'clues': [('slap', 'directly'),\n", " ('slapdash', 'directly'),\n", " ('bolt', 'directly'),\n", " ('bang', 'directly')]},\n", " {'answer': 'smartly',\n", " 'hint': 'synonyms for smartly',\n", " 'clues': [('sprucely', 'in a stylish manner'),\n", " ('cleverly', 'in a clever manner'),\n", " ('vigorously', 'with vigor; in a vigorous manner'),\n", " ('modishly', 'in a stylish manner')]},\n", " {'answer': 'so',\n", " 'hint': 'synonyms for so',\n", " 'clues': [('thus',\n", " \"in the way indicated; ; ; (`thusly' is a nonstandard variant)\"),\n", " ('and then',\n", " 'subsequently or soon afterward (often used as sentence connectors)'),\n", " ('therefore',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('indeed', 'in truth (often tends to intensify)'),\n", " ('thence',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('and so',\n", " 'subsequently or soon afterward (often used as sentence connectors)'),\n", " ('then',\n", " 'subsequently or soon afterward (often used as sentence connectors)')]},\n", " {'answer': 'so_far',\n", " 'hint': 'synonyms for so far',\n", " 'clues': [('yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('hitherto',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('until now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('to that extent', 'to the degree or extent that'),\n", " ('in so far', 'to the degree or extent that'),\n", " ('up to now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('thus far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('heretofore',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('as yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('to that degree', 'to the degree or extent that')]},\n", " {'answer': 'softly',\n", " 'hint': 'synonyms for softly',\n", " 'clues': [('gently', 'with little weight or force'),\n", " ('piano', 'used as a direction in music; to be played relatively softly'),\n", " ('quietly', 'with low volume'),\n", " ('lightly', 'with little weight or force')]},\n", " {'answer': 'solely',\n", " 'hint': 'synonyms for solely',\n", " 'clues': [('exclusively', 'without any others being included or involved'),\n", " ('only', 'without any others being included or involved'),\n", " ('entirely', 'without any others being included or involved'),\n", " ('alone', 'without any others being included or involved')]},\n", " {'answer': 'someway',\n", " 'hint': 'synonyms for someway',\n", " 'clues': [('somehow',\n", " 'in some unspecified way or manner; or by some unspecified means'),\n", " ('in some way',\n", " 'in some unspecified way or manner; or by some unspecified means'),\n", " ('someways',\n", " 'in some unspecified way or manner; or by some unspecified means'),\n", " ('in some manner',\n", " 'in some unspecified way or manner; or by some unspecified means')]},\n", " {'answer': 'someways',\n", " 'hint': 'synonyms for someways',\n", " 'clues': [('somehow',\n", " 'in some unspecified way or manner; or by some unspecified means'),\n", " ('someway',\n", " 'in some unspecified way or manner; or by some unspecified means'),\n", " ('in some way',\n", " 'in some unspecified way or manner; or by some unspecified means'),\n", " ('in some manner',\n", " 'in some unspecified way or manner; or by some unspecified means')]},\n", " {'answer': 'somewhat',\n", " 'hint': 'synonyms for somewhat',\n", " 'clues': [('passably', 'to a moderately sufficient extent or degree'),\n", " ('fairly', 'to a moderately sufficient extent or degree'),\n", " ('jolly', 'to a moderately sufficient extent or degree'),\n", " ('more or less', 'to a small degree or extent'),\n", " ('moderately', 'to a moderately sufficient extent or degree'),\n", " ('slightly', 'to a small degree or extent'),\n", " ('middling', 'to a moderately sufficient extent or degree'),\n", " ('reasonably', 'to a moderately sufficient extent or degree'),\n", " ('pretty', 'to a moderately sufficient extent or degree')]},\n", " {'answer': 'speedily',\n", " 'hint': 'synonyms for speedily',\n", " 'clues': [('apace', 'with rapid movements'),\n", " ('rapidly', 'with rapid movements'),\n", " ('chop-chop', 'with rapid movements'),\n", " ('quickly', 'with rapid movements')]},\n", " {'answer': 'splendidly',\n", " 'hint': 'synonyms for splendidly',\n", " 'clues': [('magnificently', 'in an impressively beautiful manner'),\n", " ('excellently', 'extremely well'),\n", " ('famously', 'extremely well'),\n", " ('gorgeously', 'in an impressively beautiful manner'),\n", " ('resplendently', 'in an impressively beautiful manner')]},\n", " {'answer': 'squarely',\n", " 'hint': 'synonyms for squarely',\n", " 'clues': [('foursquare',\n", " 'with firmness and conviction; without compromise; - C.G.Bowers'),\n", " ('square', 'in a straight direct way'),\n", " ('forthright', 'directly and without evasion; not roundabout'),\n", " ('straightforwardly',\n", " 'with firmness and conviction; without compromise; - C.G.Bowers')]},\n", " {'answer': 'straight_off',\n", " 'hint': 'synonyms for straight off',\n", " 'clues': [('right away',\n", " 'without delay or hesitation; with no time intervening'),\n", " ('directly', 'without delay or hesitation; with no time intervening'),\n", " ('at once', 'without delay or hesitation; with no time intervening'),\n", " ('now', 'without delay or hesitation; with no time intervening'),\n", " ('forthwith', 'without delay or hesitation; with no time intervening'),\n", " ('instantly', 'without delay or hesitation; with no time intervening'),\n", " ('straightaway', 'without delay or hesitation; with no time intervening'),\n", " ('like a shot', 'without delay or hesitation; with no time intervening'),\n", " ('immediately',\n", " 'without delay or hesitation; with no time intervening')]},\n", " {'answer': 'stubbornly',\n", " 'hint': 'synonyms for stubbornly',\n", " 'clues': [('obstinately', 'in a stubborn unregenerate manner'),\n", " ('cussedly', 'in a stubborn unregenerate manner'),\n", " ('mulishly', 'in a stubborn unregenerate manner'),\n", " ('obdurately', 'in a stubborn unregenerate manner'),\n", " ('pig-headedly', 'in a stubborn unregenerate manner')]},\n", " {'answer': 'subsequently',\n", " 'hint': 'synonyms for subsequently',\n", " 'clues': [('afterwards',\n", " 'happening at a time subsequent to a reference time'),\n", " ('later on', 'happening at a time subsequent to a reference time'),\n", " ('later', 'happening at a time subsequent to a reference time'),\n", " ('after', 'happening at a time subsequent to a reference time')]},\n", " {'answer': 'suddenly',\n", " 'hint': 'synonyms for suddenly',\n", " 'clues': [('of a sudden', 'happening unexpectedly'),\n", " ('short', 'quickly and without warning'),\n", " ('abruptly', 'quickly and without warning'),\n", " ('all of a sudden', 'happening unexpectedly'),\n", " ('on the spur of the moment', 'on impulse; without premeditation'),\n", " ('dead', 'quickly and without warning')]},\n", " {'answer': 'superbly',\n", " 'hint': 'synonyms for superbly',\n", " 'clues': [('marvelously', '(used as an intensifier) extremely well'),\n", " ('toppingly', '(used as an intensifier) extremely well'),\n", " ('wondrous', '(used as an intensifier) extremely well'),\n", " ('wonderfully', '(used as an intensifier) extremely well'),\n", " ('terrifically', '(used as an intensifier) extremely well')]},\n", " {'answer': 'sure_enough',\n", " 'hint': 'synonyms for sure enough',\n", " 'clues': [('sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for certain',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure as shooting',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('certainly',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\")]},\n", " {'answer': 'surely',\n", " 'hint': 'synonyms for surely',\n", " 'clues': [('sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure enough',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for sure',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('for certain',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('sure as shooting',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\"),\n", " ('certainly',\n", " \"definitely or positively (`sure' is sometimes used informally for `surely')\")]},\n", " {'answer': 'tardily',\n", " 'hint': 'synonyms for tardily',\n", " 'clues': [('late', 'later than usual or than expected'),\n", " ('slow',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('easy',\n", " \"without speed (`slow' is sometimes used informally for `slowly')\"),\n", " ('belatedly', 'later than usual or than expected')]},\n", " {'answer': 'terribly',\n", " 'hint': 'synonyms for terribly',\n", " 'clues': [('abysmally', 'in a terrible manner'),\n", " ('rottenly', 'in a terrible manner'),\n", " ('awful', 'used as intensifiers'),\n", " ('frightfully', 'used as intensifiers'),\n", " ('abominably', 'in a terrible manner'),\n", " ('atrociously', 'in a terrible manner')]},\n", " {'answer': 'terrifically',\n", " 'hint': 'synonyms for terrifically',\n", " 'clues': [('marvelously', '(used as an intensifier) extremely well'),\n", " ('toppingly', '(used as an intensifier) extremely well'),\n", " ('wondrous', '(used as an intensifier) extremely well'),\n", " ('superbly', '(used as an intensifier) extremely well'),\n", " ('wonderfully', '(used as an intensifier) extremely well')]},\n", " {'answer': 'that_is_to_say',\n", " 'hint': 'synonyms for that is to say',\n", " 'clues': [('viz.', 'as follows'),\n", " ('to wit', 'as follows'),\n", " ('videlicet', 'as follows'),\n", " ('namely', 'as follows')]},\n", " {'answer': 'the_right_way',\n", " 'hint': 'synonyms for the right way',\n", " 'clues': [('decent', 'in the right manner'),\n", " ('right', 'in the right manner'),\n", " ('properly', 'in the right manner'),\n", " ('in good order', 'in the right manner')]},\n", " {'answer': 'thence',\n", " 'hint': 'synonyms for thence',\n", " 'clues': [('hence',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('thereof', 'from that circumstance or source; - W.V.Quine'),\n", " ('therefrom', 'from that place or from there'),\n", " ('therefore',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('thus',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('so',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result')]},\n", " {'answer': 'there',\n", " 'hint': 'synonyms for there',\n", " 'clues': [('in that location', 'in or at that place'),\n", " ('thither', 'to or toward that place; away from the speaker'),\n", " ('at that place', 'in or at that place'),\n", " ('on that point', 'in that matter'),\n", " ('in that respect', 'in that matter')]},\n", " {'answer': 'therefore',\n", " 'hint': 'synonyms for therefore',\n", " 'clues': [('thence',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('consequently', 'as a consequence'),\n", " ('thus',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('so',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result')]},\n", " {'answer': 'thus',\n", " 'hint': 'synonyms for thus',\n", " 'clues': [('thence',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result'),\n", " ('so', \"in the way indicated; ; ; (`thusly' is a nonstandard variant)\"),\n", " ('thusly',\n", " \"in the way indicated; ; ; (`thusly' is a nonstandard variant)\"),\n", " ('therefore',\n", " '(used to introduce a logical conclusion) from that fact or reason or as a result')]},\n", " {'answer': 'thus_far',\n", " 'hint': 'synonyms for thus far',\n", " 'clues': [('yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('hitherto',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('until now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('up to now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('heretofore',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('as yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('so far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time')]},\n", " {'answer': 'til_now',\n", " 'hint': 'synonyms for til now',\n", " 'clues': [('yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('hitherto',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('until now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('up to now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('thus far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('heretofore',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('as yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('so far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time')]},\n", " {'answer': 'time_and_again',\n", " 'hint': 'synonyms for time and again',\n", " 'clues': [('time and time again', 'repeatedly'),\n", " ('over and over', 'repeatedly'),\n", " ('over and over again', 'repeatedly'),\n", " ('again and again', 'repeatedly')]},\n", " {'answer': 'time_and_time_again',\n", " 'hint': 'synonyms for time and time again',\n", " 'clues': [('time and again', 'repeatedly'),\n", " ('over and over', 'repeatedly'),\n", " ('over and over again', 'repeatedly'),\n", " ('again and again', 'repeatedly')]},\n", " {'answer': 'to_a_t',\n", " 'hint': 'synonyms for to a t',\n", " 'clues': [('to the letter', 'in every detail'),\n", " ('just right', 'in every detail'),\n", " ('to a T', 'in every detail'),\n", " ('to perfection', 'in every detail')]},\n", " {'answer': 'to_begin_with',\n", " 'hint': 'synonyms for to begin with',\n", " 'clues': [('in the first place', 'before now'),\n", " ('earlier', 'before now'),\n", " ('in the beginning', 'before now'),\n", " ('originally', 'before now')]},\n", " {'answer': 'to_wit',\n", " 'hint': 'synonyms for to wit',\n", " 'clues': [('videlicet', 'as follows'),\n", " ('viz.', 'as follows'),\n", " ('that is to say', 'as follows'),\n", " ('namely', 'as follows')]},\n", " {'answer': 'too',\n", " 'hint': 'synonyms for too',\n", " 'clues': [('likewise', 'in addition'),\n", " ('excessively', 'to a degree exceeding normal or proper limits'),\n", " ('overly', 'to a degree exceeding normal or proper limits'),\n", " ('to a fault', 'to a degree exceeding normal or proper limits'),\n", " ('besides', 'in addition'),\n", " ('also', 'in addition'),\n", " ('as well', 'in addition')]},\n", " {'answer': 'toppingly',\n", " 'hint': 'synonyms for toppingly',\n", " 'clues': [('marvelously', '(used as an intensifier) extremely well'),\n", " ('wondrous', '(used as an intensifier) extremely well'),\n", " ('superbly', '(used as an intensifier) extremely well'),\n", " ('wonderfully', '(used as an intensifier) extremely well'),\n", " ('terrifically', '(used as an intensifier) extremely well')]},\n", " {'answer': 'topsy-turvily',\n", " 'hint': 'synonyms for topsy-turvily',\n", " 'clues': [('head over heels', 'in disorderly haste'),\n", " ('in great confusion', 'in disorderly haste'),\n", " ('heels over head', 'in disorderly haste'),\n", " ('topsy-turvy', 'in disorderly haste')]},\n", " {'answer': 'totally',\n", " 'hint': 'synonyms for totally',\n", " 'clues': [('completely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('altogether',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('all',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('whole',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('wholly',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('entirely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\")]},\n", " {'answer': 'traitorously',\n", " 'hint': 'synonyms for traitorously',\n", " 'clues': [('treacherously', 'in a disloyal and faithless manner'),\n", " ('faithlessly', 'in a disloyal and faithless manner'),\n", " ('false', 'in a disloyal and faithless manner'),\n", " ('treasonably', 'in a disloyal and faithless manner')]},\n", " {'answer': 'treacherously',\n", " 'hint': 'synonyms for treacherously',\n", " 'clues': [('traitorously', 'in a disloyal and faithless manner'),\n", " ('faithlessly', 'in a disloyal and faithless manner'),\n", " ('false', 'in a disloyal and faithless manner'),\n", " ('treasonably', 'in a disloyal and faithless manner')]},\n", " {'answer': 'treasonably',\n", " 'hint': 'synonyms for treasonably',\n", " 'clues': [('traitorously', 'in a disloyal and faithless manner'),\n", " ('treacherously', 'in a disloyal and faithless manner'),\n", " ('faithlessly', 'in a disloyal and faithless manner'),\n", " ('false', 'in a disloyal and faithless manner')]},\n", " {'answer': 'trickily',\n", " 'hint': 'synonyms for trickily',\n", " 'clues': [('artfully', 'in an artful manner'),\n", " ('foxily', 'in an artful manner'),\n", " ('slyly', 'in an artful manner'),\n", " ('cunningly', 'in an artful manner'),\n", " ('craftily', 'in an artful manner'),\n", " ('knavishly', 'in an artful manner')]},\n", " {'answer': 'truly',\n", " 'hint': 'synonyms for truly',\n", " 'clues': [('really',\n", " 'in fact (used as intensifiers or sentence modifiers)'),\n", " ('rightfully', 'by right'),\n", " ('sincerely', 'with sincerity; without pretense'),\n", " ('genuinely', 'in accordance with truth or fact or reality'),\n", " ('unfeignedly', 'with sincerity; without pretense'),\n", " ('in truth', 'in fact (used as intensifiers or sentence modifiers)')]},\n", " {'answer': 'ultimately',\n", " 'hint': 'synonyms for ultimately',\n", " 'clues': [('at long last', 'as the end result of a succession or process'),\n", " ('at last', 'as the end result of a succession or process'),\n", " ('finally', 'as the end result of a succession or process'),\n", " ('in the end', 'as the end result of a succession or process')]},\n", " {'answer': 'unceasingly',\n", " 'hint': 'synonyms for unceasingly',\n", " 'clues': [('ceaselessly', 'with unflagging resolve'),\n", " ('unendingly', 'with unflagging resolve'),\n", " ('continuously', 'with unflagging resolve'),\n", " ('endlessly', 'with unflagging resolve'),\n", " ('incessantly', 'with unflagging resolve')]},\n", " {'answer': 'unendingly',\n", " 'hint': 'synonyms for unendingly',\n", " 'clues': [('ceaselessly', 'with unflagging resolve'),\n", " ('unceasingly', 'with unflagging resolve'),\n", " ('continuously', 'with unflagging resolve'),\n", " ('endlessly', 'with unflagging resolve'),\n", " ('incessantly', 'with unflagging resolve')]},\n", " {'answer': 'unexpectedly',\n", " 'hint': 'synonyms for unexpectedly',\n", " 'clues': [('circumstantially', 'without advance planning'),\n", " ('accidentally', 'without advance planning'),\n", " ('by chance', 'without advance planning'),\n", " ('out of the blue', 'in a way that was not expected')]},\n", " {'answer': 'unprofitably',\n", " 'hint': 'synonyms for unprofitably',\n", " 'clues': [('profitlessly', 'without gain or profit'),\n", " ('gainlessly', 'without gain or profit'),\n", " ('fruitlessly', 'in an unproductive manner'),\n", " ('unproductively', 'in an unproductive manner')]},\n", " {'answer': 'unquestionably',\n", " 'hint': 'synonyms for unquestionably',\n", " 'clues': [('by all odds', 'without question and beyond doubt'),\n", " ('emphatically', 'without question and beyond doubt'),\n", " ('in spades', 'without question and beyond doubt'),\n", " ('unimpeachably', 'without question'),\n", " ('definitely', 'without question and beyond doubt'),\n", " ('decidedly', 'without question and beyond doubt')]},\n", " {'answer': 'unremarkably',\n", " 'hint': 'synonyms for unremarkably',\n", " 'clues': [('ordinarily', 'under normal conditions'),\n", " ('commonly', 'under normal conditions'),\n", " ('normally', 'under normal conditions'),\n", " ('usually', 'under normal conditions')]},\n", " {'answer': 'until_now',\n", " 'hint': 'synonyms for until now',\n", " 'clues': [('yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('hitherto',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('til now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('up to now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('thus far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('heretofore',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('as yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('so far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time')]},\n", " {'answer': 'up_to_now',\n", " 'hint': 'synonyms for up to now',\n", " 'clues': [('yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('hitherto',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('until now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('thus far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('heretofore',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('as yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('so far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('to date', 'prior to the present time')]},\n", " {'answer': 'usually',\n", " 'hint': 'synonyms for usually',\n", " 'clues': [('ordinarily', 'under normal conditions'),\n", " ('commonly', 'under normal conditions'),\n", " ('unremarkably', 'under normal conditions'),\n", " ('normally', 'under normal conditions')]},\n", " {'answer': 'very_much',\n", " 'hint': 'synonyms for very much',\n", " 'clues': [('a good deal', 'to a very great degree or extent'),\n", " ('much', 'to a very great degree or extent'),\n", " ('lots', 'to a very great degree or extent'),\n", " ('a lot', 'to a very great degree or extent'),\n", " ('a great deal', 'to a very great degree or extent')]},\n", " {'answer': 'videlicet',\n", " 'hint': 'synonyms for videlicet',\n", " 'clues': [('viz.', 'as follows'),\n", " ('to wit', 'as follows'),\n", " ('that is to say', 'as follows'),\n", " ('namely', 'as follows')]},\n", " {'answer': 'virtually',\n", " 'hint': 'synonyms for virtually',\n", " 'clues': [('nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('well-nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('almost',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('nearly',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('about',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('most',\n", " '(of actions or states) slightly short of or not quite accomplished; all but')]},\n", " {'answer': 'viz.',\n", " 'hint': 'synonyms for viz.',\n", " 'clues': [('videlicet', 'as follows'),\n", " ('to wit', 'as follows'),\n", " ('that is to say', 'as follows'),\n", " ('namely', 'as follows')]},\n", " {'answer': 'wackily',\n", " 'hint': 'synonyms for wackily',\n", " 'clues': [('balmily', 'in a mildly insane manner'),\n", " ('nuttily', 'in a mildly insane manner'),\n", " ('daftly', 'in a mildly insane manner'),\n", " ('dottily', 'in a mildly insane manner')]},\n", " {'answer': 'well-nigh',\n", " 'hint': 'synonyms for well-nigh',\n", " 'clues': [('nigh',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('almost',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('nearly',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('virtually',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('about',\n", " '(of actions or states) slightly short of or not quite accomplished; all but'),\n", " ('most',\n", " '(of actions or states) slightly short of or not quite accomplished; all but')]},\n", " {'answer': 'when_the_time_comes',\n", " 'hint': 'synonyms for when the time comes',\n", " 'clues': [('in due season', 'at the appropriate time'),\n", " ('in due course', 'at the appropriate time'),\n", " ('in due time', 'at the appropriate time'),\n", " ('in good time', 'at the appropriate time')]},\n", " {'answer': 'wholly',\n", " 'hint': 'synonyms for wholly',\n", " 'clues': [('totally',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('completely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('altogether',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('whole',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('entirely',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\"),\n", " ('all',\n", " \"to a complete degree or to the full or entire extent (`whole' is often used informally for `wholly')\")]},\n", " {'answer': 'willy-nilly',\n", " 'hint': 'synonyms for willy-nilly',\n", " 'clues': [('at random', 'in a random manner'),\n", " ('randomly', 'in a random manner'),\n", " ('every which way', 'in a random manner'),\n", " ('arbitrarily', 'in a random manner'),\n", " ('indiscriminately', 'in a random manner'),\n", " ('haphazardly', 'in a random manner')]},\n", " {'answer': 'withal',\n", " 'hint': 'synonyms for withal',\n", " 'clues': [('even so',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nonetheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('notwithstanding',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('however',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('nevertheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('still',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('all the same',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('yet',\n", " 'despite anything to the contrary (usually following a concession)')]},\n", " {'answer': 'wonderfully',\n", " 'hint': 'synonyms for wonderfully',\n", " 'clues': [('marvelously', '(used as an intensifier) extremely well'),\n", " ('toppingly', '(used as an intensifier) extremely well'),\n", " ('wondrous', '(used as an intensifier) extremely well'),\n", " ('superbly', '(used as an intensifier) extremely well'),\n", " ('terrifically', '(used as an intensifier) extremely well')]},\n", " {'answer': 'wondrously',\n", " 'hint': 'synonyms for wondrously',\n", " 'clues': [('marvelously', '(used as an intensifier) extremely well'),\n", " ('toppingly', '(used as an intensifier) extremely well'),\n", " ('wondrous', '(used as an intensifier) extremely well'),\n", " ('superbly', '(used as an intensifier) extremely well'),\n", " ('wonderfully', '(used as an intensifier) extremely well'),\n", " ('terrifically', '(used as an intensifier) extremely well')]},\n", " {'answer': 'yet',\n", " 'hint': 'synonyms for yet',\n", " 'clues': [('hitherto',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('until now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('nonetheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('still', 'to a greater degree or extent; used with comparisons'),\n", " ('so far', 'used after a superlative'),\n", " ('nevertheless',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('up to now',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('in time', 'within an indefinite time or at an unspecified future time'),\n", " ('thus far',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('heretofore',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time'),\n", " ('all the same',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('even so',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('notwithstanding',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('even', 'to a greater degree or extent; used with comparisons'),\n", " ('however',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('withal',\n", " 'despite anything to the contrary (usually following a concession)'),\n", " ('as yet',\n", " 'used in negative statement to describe a situation that has existed up to this point or up to the present time')]}],\n", " 'portion': 0.54},\n", " {'name': 'nouns',\n", " 'groups': [{'answer': '0',\n", " 'hint': 'synonyms for 0',\n", " 'clues': [('cypher',\n", " 'a mathematical element that when added to another number yields the same number'),\n", " ('cipher',\n", " 'a mathematical element that when added to another number yields the same number'),\n", " ('zero',\n", " 'a mathematical element that when added to another number yields the same number'),\n", " ('nought',\n", " 'a mathematical element that when added to another number yields the same number')]},\n", " {'answer': '1',\n", " 'hint': 'synonyms for 1',\n", " 'clues': [('single',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('ace',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('unity',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('one',\n", " 'the smallest whole number or a numeral representing this number')]},\n", " {'answer': '1000',\n", " 'hint': 'synonyms for 1000',\n", " 'clues': [('thou',\n", " 'the cardinal number that is the product of 10 and 100'),\n", " ('yard', 'the cardinal number that is the product of 10 and 100'),\n", " ('grand', 'the cardinal number that is the product of 10 and 100'),\n", " ('one thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('chiliad', 'the cardinal number that is the product of 10 and 100')]},\n", " {'answer': '3',\n", " 'hint': 'synonyms for 3',\n", " 'clues': [('threesome',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('troika', 'the cardinal number that is the sum of one and one and one'),\n", " ('trey', 'the cardinal number that is the sum of one and one and one'),\n", " ('deuce-ace',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('triad', 'the cardinal number that is the sum of one and one and one'),\n", " ('terzetto',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('trio', 'the cardinal number that is the sum of one and one and one'),\n", " ('triplet', 'the cardinal number that is the sum of one and one and one'),\n", " ('tierce', 'the cardinal number that is the sum of one and one and one'),\n", " ('leash', 'the cardinal number that is the sum of one and one and one'),\n", " ('three', 'the cardinal number that is the sum of one and one and one'),\n", " ('ternary', 'the cardinal number that is the sum of one and one and one'),\n", " ('trinity', 'the cardinal number that is the sum of one and one and one'),\n", " ('trine', 'the cardinal number that is the sum of one and one and one'),\n", " ('ternion', 'the cardinal number that is the sum of one and one and one'),\n", " ('tercet',\n", " 'the cardinal number that is the sum of one and one and one')]},\n", " {'answer': '4',\n", " 'hint': 'synonyms for 4',\n", " 'clues': [('quatern',\n", " 'the cardinal number that is the sum of three and one'),\n", " ('quartet', 'the cardinal number that is the sum of three and one'),\n", " ('quaternion', 'the cardinal number that is the sum of three and one'),\n", " ('tetrad', 'the cardinal number that is the sum of three and one'),\n", " ('four', 'the cardinal number that is the sum of three and one'),\n", " ('quadruplet', 'the cardinal number that is the sum of three and one'),\n", " ('foursome', 'the cardinal number that is the sum of three and one'),\n", " ('quaternary', 'the cardinal number that is the sum of three and one'),\n", " ('quaternity', 'the cardinal number that is the sum of three and one')]},\n", " {'answer': '5',\n", " 'hint': 'synonyms for 5',\n", " 'clues': [('pentad',\n", " 'the cardinal number that is the sum of four and one'),\n", " ('quintet', 'the cardinal number that is the sum of four and one'),\n", " ('fivesome', 'the cardinal number that is the sum of four and one'),\n", " ('fin', 'the cardinal number that is the sum of four and one'),\n", " ('quintuplet', 'the cardinal number that is the sum of four and one'),\n", " ('quint', 'the cardinal number that is the sum of four and one'),\n", " ('five', 'the cardinal number that is the sum of four and one'),\n", " ('cinque', 'the cardinal number that is the sum of four and one')]},\n", " {'answer': '6',\n", " 'hint': 'synonyms for 6',\n", " 'clues': [('sise', 'the cardinal number that is the sum of five and one'),\n", " ('half a dozen', 'the cardinal number that is the sum of five and one'),\n", " ('sextuplet', 'the cardinal number that is the sum of five and one'),\n", " ('sestet', 'the cardinal number that is the sum of five and one'),\n", " ('hexad', 'the cardinal number that is the sum of five and one'),\n", " ('sixer', 'the cardinal number that is the sum of five and one'),\n", " ('sextet', 'the cardinal number that is the sum of five and one'),\n", " ('six', 'the cardinal number that is the sum of five and one')]},\n", " {'answer': '7',\n", " 'hint': 'synonyms for 7',\n", " 'clues': [('seven', 'the cardinal number that is the sum of six and one'),\n", " ('sevener', 'the cardinal number that is the sum of six and one'),\n", " ('septenary', 'the cardinal number that is the sum of six and one'),\n", " ('septet', 'the cardinal number that is the sum of six and one'),\n", " ('heptad', 'the cardinal number that is the sum of six and one')]},\n", " {'answer': '8',\n", " 'hint': 'synonyms for 8',\n", " 'clues': [('octad',\n", " 'the cardinal number that is the sum of seven and one'),\n", " ('eighter', 'the cardinal number that is the sum of seven and one'),\n", " ('octonary', 'the cardinal number that is the sum of seven and one'),\n", " ('eighter from Decatur',\n", " 'the cardinal number that is the sum of seven and one'),\n", " ('eight', 'the cardinal number that is the sum of seven and one'),\n", " ('ogdoad', 'the cardinal number that is the sum of seven and one'),\n", " ('octet', 'the cardinal number that is the sum of seven and one')]},\n", " {'answer': 'abstract',\n", " 'hint': 'synonyms for abstract',\n", " 'clues': [('outline',\n", " 'a sketchy summary of the main points of an argument or theory'),\n", " ('synopsis',\n", " 'a sketchy summary of the main points of an argument or theory'),\n", " ('abstraction',\n", " 'a concept or idea not associated with any specific instance'),\n", " ('precis',\n", " 'a sketchy summary of the main points of an argument or theory')]},\n", " {'answer': 'accessory',\n", " 'hint': 'synonyms for accessory',\n", " 'clues': [('accouterment',\n", " 'clothing that is worn or carried, but not part of your main clothing'),\n", " ('supplement', 'a supplementary component that improves capability'),\n", " ('appurtenance', 'a supplementary component that improves capability'),\n", " ('add-on', 'a supplementary component that improves capability')]},\n", " {'answer': 'ace',\n", " 'hint': 'synonyms for ace',\n", " 'clues': [('1',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('one',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('unity',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('angiotensin converting enzyme',\n", " 'proteolytic enzyme that converts angiotensin I into angiotensin II'),\n", " ('single',\n", " 'the smallest whole number or a numeral representing this number')]},\n", " {'answer': 'acid',\n", " 'hint': 'synonyms for acid',\n", " 'clues': [('back breaker', 'street name for lysergic acid diethylamide'),\n", " ('loony toons', 'street name for lysergic acid diethylamide'),\n", " ('pane', 'street name for lysergic acid diethylamide'),\n", " ('battery-acid', 'street name for lysergic acid diethylamide'),\n", " ('dose', 'street name for lysergic acid diethylamide'),\n", " ('dot', 'street name for lysergic acid diethylamide'),\n", " ('window pane', 'street name for lysergic acid diethylamide'),\n", " ('superman', 'street name for lysergic acid diethylamide')]},\n", " {'answer': 'advance',\n", " 'hint': 'synonyms for advance',\n", " 'clues': [('forward motion',\n", " 'the act of moving forward (as toward a goal)'),\n", " ('approach',\n", " 'a tentative suggestion designed to elicit the reactions of others'),\n", " ('advancement', 'the act of moving forward (as toward a goal)'),\n", " ('improvement', 'a change for the better; progress in development'),\n", " ('progression', 'a movement forward'),\n", " ('cash advance', 'an amount paid before it is earned'),\n", " ('feeler',\n", " 'a tentative suggestion designed to elicit the reactions of others'),\n", " ('progress', 'a movement forward'),\n", " ('betterment', 'a change for the better; progress in development'),\n", " ('rise', 'increase in price or value'),\n", " ('overture',\n", " 'a tentative suggestion designed to elicit the reactions of others')]},\n", " {'answer': 'agglomerate',\n", " 'hint': 'synonyms for agglomerate',\n", " 'clues': [('cumulation',\n", " 'a collection of objects laid on top of each other'),\n", " ('heap', 'a collection of objects laid on top of each other'),\n", " ('cumulus', 'a collection of objects laid on top of each other'),\n", " ('mound', 'a collection of objects laid on top of each other'),\n", " ('pile', 'a collection of objects laid on top of each other')]},\n", " {'answer': 'aggregate',\n", " 'hint': 'synonyms for aggregate',\n", " 'clues': [('totality', 'the whole amount'),\n", " ('sum', 'the whole amount'),\n", " ('congeries', 'a sum total of many heterogenous things taken together'),\n", " ('total', 'the whole amount'),\n", " ('conglomeration',\n", " 'a sum total of many heterogenous things taken together')]},\n", " {'answer': 'animal',\n", " 'hint': 'synonyms for animal',\n", " 'clues': [('creature',\n", " 'a living organism characterized by voluntary movement'),\n", " ('animate being',\n", " 'a living organism characterized by voluntary movement'),\n", " ('brute', 'a living organism characterized by voluntary movement'),\n", " ('fauna', 'a living organism characterized by voluntary movement'),\n", " ('beast', 'a living organism characterized by voluntary movement')]},\n", " {'answer': 'antiaircraft',\n", " 'hint': 'synonyms for antiaircraft',\n", " 'clues': [('ack-ack gun',\n", " 'artillery designed to shoot upward at airplanes'),\n", " ('pom-pom', 'artillery designed to shoot upward at airplanes'),\n", " ('antiaircraft gun', 'artillery designed to shoot upward at airplanes'),\n", " ('flak', 'artillery designed to shoot upward at airplanes'),\n", " ('ack-ack', 'artillery designed to shoot upward at airplanes')]},\n", " {'answer': 'antic',\n", " 'hint': 'synonyms for antic',\n", " 'clues': [('prank',\n", " 'a ludicrous or grotesque act done for fun and amusement'),\n", " ('joke', 'a ludicrous or grotesque act done for fun and amusement'),\n", " ('trick', 'a ludicrous or grotesque act done for fun and amusement'),\n", " ('put-on', 'a ludicrous or grotesque act done for fun and amusement'),\n", " ('caper', 'a ludicrous or grotesque act done for fun and amusement')]},\n", " {'answer': 'antifungal',\n", " 'hint': 'synonyms for antifungal',\n", " 'clues': [('antimycotic agent',\n", " 'any agent that destroys or prevents the growth of fungi'),\n", " ('fungicide', 'any agent that destroys or prevents the growth of fungi'),\n", " ('antimycotic',\n", " 'any agent that destroys or prevents the growth of fungi'),\n", " ('antifungal agent',\n", " 'any agent that destroys or prevents the growth of fungi')]},\n", " {'answer': 'arctic',\n", " 'hint': 'synonyms for arctic',\n", " 'clues': [('rubber',\n", " 'a waterproof overshoe that protects shoes from water or snow'),\n", " ('gumshoe',\n", " 'a waterproof overshoe that protects shoes from water or snow'),\n", " ('galosh',\n", " 'a waterproof overshoe that protects shoes from water or snow'),\n", " ('golosh',\n", " 'a waterproof overshoe that protects shoes from water or snow')]},\n", " {'answer': 'ataractic',\n", " 'hint': 'synonyms for ataractic',\n", " 'clues': [('antianxiety agent',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('tranquilizer',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('ataractic drug',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('ataractic agent',\n", " 'a drug used to reduce stress or tension without reducing mental clarity')]},\n", " {'answer': 'azure',\n", " 'hint': 'synonyms for azure',\n", " 'clues': [('lazuline', 'a light shade of blue'),\n", " ('cerulean', 'a light shade of blue'),\n", " ('sky-blue', 'a light shade of blue'),\n", " ('sapphire', 'a light shade of blue')]},\n", " {'answer': 'bacchanal',\n", " 'hint': 'synonyms for bacchanal',\n", " 'clues': [('debauch',\n", " 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('saturnalia',\n", " 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('drunken revelry',\n", " 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('orgy', 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('bacchanalia',\n", " 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('riot', 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('debauchery',\n", " 'a wild gathering involving excessive drinking and promiscuity')]},\n", " {'answer': 'back',\n", " 'hint': 'synonyms for back',\n", " 'clues': [('book binding',\n", " 'the protective covering on the front, back, and spine of a book'),\n", " ('binding',\n", " 'the protective covering on the front, back, and spine of a book'),\n", " ('rear', 'the side that goes last or is not normally seen'),\n", " ('cover',\n", " 'the protective covering on the front, back, and spine of a book'),\n", " ('backrest', 'a support that you can lean against while sitting')]},\n", " {'answer': 'base',\n", " 'hint': 'synonyms for base',\n", " 'clues': [('fundament',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('root word',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('floor', 'a lower limit'),\n", " ('home',\n", " 'the place where you are stationed and from which missions start and end'),\n", " ('al-Qaeda',\n", " 'a terrorist network intensely opposed to the United States that dispenses money and logistical support and training to a wide variety of radical Islamic terrorist groups; has cells in more than 50 countries'),\n", " ('basis', 'the most important or necessary part of something'),\n", " ('theme',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('infrastructure',\n", " 'the stock of basic facilities and capital equipment needed for the functioning of a country or area'),\n", " ('groundwork',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('root',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('foundation',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('bag', 'a place that the runner must touch before scoring'),\n", " ('stem',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('stand', 'a support or foundation'),\n", " ('radix',\n", " '(numeration system) the positive integer that is equivalent to one in the next higher counting place'),\n", " ('substructure', 'lowest support of a structure'),\n", " ('nucleotide',\n", " 'a phosphoric ester of a nucleoside; the basic structural unit of nucleic acids (DNA or RNA)'),\n", " ('cornerstone',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('radical',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('base of operations',\n", " 'installation from which a military force initiates operations'),\n", " ('foot', 'lowest support of a structure'),\n", " ('alkali',\n", " 'any of various water-soluble compounds capable of turning litmus blue and reacting with an acid to form a salt and water'),\n", " ('pedestal', 'a support or foundation'),\n", " ('understructure', 'lowest support of a structure'),\n", " (\"al-Qa'ida\",\n", " 'a terrorist network intensely opposed to the United States that dispenses money and logistical support and training to a wide variety of radical Islamic terrorist groups; has cells in more than 50 countries')]},\n", " {'answer': 'bass',\n", " 'hint': 'synonyms for bass',\n", " 'clues': [('freshwater bass',\n", " 'any of various North American freshwater fish with lean flesh (especially of the genus Micropterus)'),\n", " ('basso', 'the lowest adult male singing voice'),\n", " ('bass part', 'the lowest part in polyphonic music'),\n", " ('sea bass',\n", " 'the lean flesh of a saltwater fish of the family Serranidae'),\n", " ('bass voice', 'the lowest adult male singing voice')]},\n", " {'answer': 'bats',\n", " 'hint': 'synonyms for bats',\n", " 'clues': [('cricket bat', 'the club used in playing cricket'),\n", " ('bat', 'a small racket with a long handle used for playing squash'),\n", " ('squash racket',\n", " 'a small racket with a long handle used for playing squash'),\n", " ('at-bat', '(baseball) a turn trying to get a hit')]},\n", " {'answer': 'bearing',\n", " 'hint': 'synonyms for bearing',\n", " 'clues': [('presence', 'dignified manner or conduct'),\n", " ('heraldic bearing',\n", " 'heraldry consisting of a design or image depicted on a shield'),\n", " ('mien', 'dignified manner or conduct'),\n", " ('comportment', 'dignified manner or conduct'),\n", " ('heading',\n", " 'the direction or path along which something moves or along which it lies'),\n", " ('posture', \"characteristic way of bearing one's body\"),\n", " ('aim',\n", " 'the direction or path along which something moves or along which it lies'),\n", " ('charge',\n", " 'heraldry consisting of a design or image depicted on a shield'),\n", " ('armorial bearing',\n", " 'heraldry consisting of a design or image depicted on a shield'),\n", " ('carriage', \"characteristic way of bearing one's body\")]},\n", " {'answer': 'beat',\n", " 'hint': 'synonyms for beat',\n", " 'clues': [('musical rhythm',\n", " 'the basic rhythmic unit in a piece of music'),\n", " ('metre', '(prosody) the accent in a metrical foot of verse'),\n", " ('heartbeat',\n", " 'the rhythmic contraction and expansion of the arteries with each beat of the heart'),\n", " ('round', 'a regular route for a sentry or policeman'),\n", " ('pulse',\n", " 'the rhythmic contraction and expansion of the arteries with each beat of the heart'),\n", " ('cadence', '(prosody) the accent in a metrical foot of verse'),\n", " ('pulsation',\n", " 'the rhythmic contraction and expansion of the arteries with each beat of the heart'),\n", " ('meter', '(prosody) the accent in a metrical foot of verse'),\n", " ('measure', '(prosody) the accent in a metrical foot of verse'),\n", " ('rhythm', 'the basic rhythmic unit in a piece of music')]},\n", " {'answer': 'beginning',\n", " 'hint': 'synonyms for beginning',\n", " 'clues': [('commencement', 'the act of starting something'),\n", " ('start', 'the act of starting something'),\n", " ('origin',\n", " 'the place where something begins, where it springs into being'),\n", " ('source',\n", " 'the place where something begins, where it springs into being'),\n", " ('rootage',\n", " 'the place where something begins, where it springs into being'),\n", " ('starting time', 'the time at which something is supposed to begin'),\n", " ('first', 'the time at which something is supposed to begin'),\n", " ('outset', 'the time at which something is supposed to begin'),\n", " ('showtime', 'the time at which something is supposed to begin'),\n", " ('get-go', 'the time at which something is supposed to begin'),\n", " ('root', 'the place where something begins, where it springs into being'),\n", " ('offset', 'the time at which something is supposed to begin'),\n", " ('kickoff', 'the time at which something is supposed to begin')]},\n", " {'answer': 'billion',\n", " 'hint': 'synonyms for billion',\n", " 'clues': [('gazillion',\n", " 'a very large indefinite number (usually hyperbole)'),\n", " ('1000000000000',\n", " 'the number that is represented as a one followed by 12 zeros; in the United Kingdom the usage followed in the United States is frequently seen'),\n", " ('one thousand million',\n", " 'the number that is represented as a one followed by 9 zeros'),\n", " ('jillion', 'a very large indefinite number (usually hyperbole)'),\n", " ('trillion', 'a very large indefinite number (usually hyperbole)'),\n", " ('one million million',\n", " 'the number that is represented as a one followed by 12 zeros; in the United Kingdom the usage followed in the United States is frequently seen')]},\n", " {'answer': 'binding',\n", " 'hint': 'synonyms for binding',\n", " 'clues': [('book binding',\n", " 'the protective covering on the front, back, and spine of a book'),\n", " ('dressing', 'the act of applying a bandage'),\n", " ('cover',\n", " 'the protective covering on the front, back, and spine of a book'),\n", " ('ski binding',\n", " 'one of a pair of mechanical devices that are attached to a ski and that will grip a ski boot; the bindings should release in case of a fall'),\n", " ('bandaging', 'the act of applying a bandage'),\n", " ('back',\n", " 'the protective covering on the front, back, and spine of a book')]},\n", " {'answer': 'biquadratic',\n", " 'hint': 'synonyms for biquadratic',\n", " 'clues': [('biquadratic equation', 'an equation of the fourth degree'),\n", " ('fourth power', 'an algebraic equation of the fourth degree'),\n", " ('quartic', 'an algebraic equation of the fourth degree'),\n", " ('biquadratic polynomial', 'a polynomial of the fourth degree'),\n", " ('biquadrate', 'an algebraic equation of the fourth degree')]},\n", " {'answer': 'blank',\n", " 'hint': 'synonyms for blank',\n", " 'clues': [('dummy',\n", " 'a cartridge containing an explosive charge but no bullet'),\n", " ('lacuna', 'a blank gap or missing part'),\n", " ('space',\n", " 'a blank character used to separate successive words in writing or printing'),\n", " ('blank shell',\n", " 'a cartridge containing an explosive charge but no bullet')]},\n", " {'answer': 'blaring',\n", " 'hint': 'synonyms for blaring',\n", " 'clues': [('din', 'a loud harsh or strident noise'),\n", " ('cacophony', 'a loud harsh or strident noise'),\n", " ('clamor', 'a loud harsh or strident noise'),\n", " ('blare', 'a loud harsh or strident noise')]},\n", " {'answer': 'blinking',\n", " 'hint': 'synonyms for blinking',\n", " 'clues': [('nictation', 'a reflex that closes and opens the eyes rapidly'),\n", " ('eye blink', 'a reflex that closes and opens the eyes rapidly'),\n", " ('wink', 'a reflex that closes and opens the eyes rapidly'),\n", " ('blink', 'a reflex that closes and opens the eyes rapidly')]},\n", " {'answer': 'blue',\n", " 'hint': 'synonyms for blue',\n", " 'clues': [('blue air', 'the sky as viewed during daylight'),\n", " ('blueness',\n", " 'blue color or pigment; resembling the color of the clear sky in the daytime'),\n", " ('wild blue yonder', 'the sky as viewed during daylight'),\n", " ('blue sky', 'the sky as viewed during daylight'),\n", " ('amobarbital sodium',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blueing', 'used to whiten laundry or hair or give it a bluish tinge'),\n", " ('blue angel',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blue devil',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic')]},\n", " {'answer': 'bone',\n", " 'hint': 'synonyms for bone',\n", " 'clues': [('ivory', 'a shade of white the color of bleached bones'),\n", " ('osseous tissue',\n", " 'the porous calcified substance from which bones are made'),\n", " ('pearl', 'a shade of white the color of bleached bones'),\n", " ('off-white', 'a shade of white the color of bleached bones')]},\n", " {'answer': 'borderline',\n", " 'hint': 'synonyms for borderline',\n", " 'clues': [('boundary line', 'a line that indicates a boundary'),\n", " ('mete', 'a line that indicates a boundary'),\n", " ('border', 'a line that indicates a boundary'),\n", " ('delimitation', 'a line that indicates a boundary')]},\n", " {'answer': 'bottom',\n", " 'hint': 'synonyms for bottom',\n", " 'clues': [('underside', 'the lower side of anything'),\n", " ('bottom of the inning',\n", " 'the second half of an inning; while the home team is at bat'),\n", " ('merchantman', 'a cargo ship'),\n", " ('bed', 'a depression forming the ground under a body of water'),\n", " ('merchant ship', 'a cargo ship'),\n", " ('freighter', 'a cargo ship'),\n", " ('bottomland', 'low-lying alluvial land near a river'),\n", " ('undersurface', 'the lower side of anything')]},\n", " {'answer': 'bound',\n", " 'hint': 'synonyms for bound',\n", " 'clues': [('edge', 'a line determining the limits of an area'),\n", " ('bounds',\n", " 'the line or plane indicating the limit or extent of something'),\n", " ('spring', 'a light, self-propelled movement upwards or forwards'),\n", " ('boundary', 'a line determining the limits of an area'),\n", " ('leaping', 'a light, self-propelled movement upwards or forwards'),\n", " ('limit', 'the greatest possible degree of something'),\n", " ('bounce', 'a light, self-propelled movement upwards or forwards'),\n", " ('saltation', 'a light, self-propelled movement upwards or forwards')]},\n", " {'answer': 'brag',\n", " 'hint': 'synonyms for brag',\n", " 'clues': [('vaporing', 'an instance of boastful talk'),\n", " ('bragging', 'an instance of boastful talk'),\n", " ('gasconade', 'an instance of boastful talk'),\n", " ('line-shooting', 'an instance of boastful talk'),\n", " ('crow', 'an instance of boastful talk')]},\n", " {'answer': 'bragging',\n", " 'hint': 'synonyms for bragging',\n", " 'clues': [('vaporing', 'an instance of boastful talk'),\n", " ('gasconade', 'an instance of boastful talk'),\n", " ('brag', 'an instance of boastful talk'),\n", " ('line-shooting', 'an instance of boastful talk'),\n", " ('crow', 'an instance of boastful talk')]},\n", " {'answer': 'breeding',\n", " 'hint': 'synonyms for breeding',\n", " 'clues': [('reproduction',\n", " 'the sexual activity of conceiving and bearing offspring'),\n", " ('rearing',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('training',\n", " 'the result of good upbringing (especially knowledge of correct social behavior)'),\n", " ('fostering',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('nurture',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('raising',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('gentility', 'elegance by virtue of fineness of manner and expression'),\n", " ('facts of life',\n", " 'the sexual activity of conceiving and bearing offspring'),\n", " ('education',\n", " 'the result of good upbringing (especially knowledge of correct social behavior)'),\n", " ('procreation',\n", " 'the sexual activity of conceiving and bearing offspring'),\n", " ('upbringing',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('genteelness',\n", " 'elegance by virtue of fineness of manner and expression'),\n", " ('bringing up',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('fosterage',\n", " 'helping someone grow up to be an accepted member of the community')]},\n", " {'answer': 'broadside',\n", " 'hint': 'synonyms for broadside',\n", " 'clues': [('circular',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('flier',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('broadsheet',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('handbill',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('bill',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('throwaway',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('philippic', 'a speech of violent denunciation'),\n", " ('flyer',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('tirade', 'a speech of violent denunciation')]},\n", " {'answer': 'brute',\n", " 'hint': 'synonyms for brute',\n", " 'clues': [('creature',\n", " 'a living organism characterized by voluntary movement'),\n", " ('animate being',\n", " 'a living organism characterized by voluntary movement'),\n", " ('animal', 'a living organism characterized by voluntary movement'),\n", " ('fauna', 'a living organism characterized by voluntary movement'),\n", " ('beast', 'a living organism characterized by voluntary movement')]},\n", " {'answer': 'buff',\n", " 'hint': 'synonyms for buff',\n", " 'clues': [('raw sienna', 'a medium to dark tan color'),\n", " ('buffer',\n", " 'an implement consisting of soft material mounted on a block; used for polishing (as in manicuring)'),\n", " ('caramel brown', 'a medium to dark tan color'),\n", " ('caramel', 'a medium to dark tan color'),\n", " ('yellowish brown', 'a medium to dark tan color')]},\n", " {'answer': 'burlesque',\n", " 'hint': 'synonyms for burlesque',\n", " 'clues': [('sendup',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('travesty',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('pasquinade',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('takeoff',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('parody',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('mockery',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('spoof',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('put-on',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('charade',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\"),\n", " ('lampoon',\n", " \"a composition that imitates or misrepresents somebody's style, usually in a humorous way\")]},\n", " {'answer': 'bust',\n", " 'hint': 'synonyms for bust',\n", " 'clues': [('flop', 'a complete failure'),\n", " ('bout', 'an occasion for excessive eating or drinking'),\n", " ('binge', 'an occasion for excessive eating or drinking'),\n", " ('tear', 'an occasion for excessive eating or drinking'),\n", " ('fizzle', 'a complete failure')]},\n", " {'answer': 'c',\n", " 'hint': 'synonyms for c',\n", " 'clues': [('ascorbic acid',\n", " 'a vitamin found in fresh fruits (especially citrus fruits) and vegetables; prevents scurvy'),\n", " ('cytosine',\n", " 'a base found in DNA and RNA and derived from pyrimidine; pairs with guanine'),\n", " ('deoxycytidine monophosphate',\n", " 'one of the four nucleotides used in building DNA; all four nucleotides have a common phosphate group and a sugar (ribose)'),\n", " ('degree Celsius', 'a degree on the centigrade scale of temperature'),\n", " ('100', 'ten 10s'),\n", " ('atomic number 6',\n", " 'an abundant nonmetallic tetravalent element occurring in three allotropic forms: amorphous carbon and graphite and diamond; occurs in all organic compounds'),\n", " ('coulomb',\n", " 'a unit of electrical charge equal to the amount of charge transferred by a current of 1 ampere in 1 second'),\n", " ('century', 'ten 10s'),\n", " ('hundred', 'ten 10s'),\n", " ('snow', 'street names for cocaine'),\n", " ('degree centigrade', 'a degree on the centigrade scale of temperature'),\n", " ('one C', 'ten 10s'),\n", " ('blow', 'street names for cocaine'),\n", " ('ampere-second',\n", " 'a unit of electrical charge equal to the amount of charge transferred by a current of 1 ampere in 1 second'),\n", " ('vitamin C',\n", " 'a vitamin found in fresh fruits (especially citrus fruits) and vegetables; prevents scurvy'),\n", " ('nose candy', 'street names for cocaine'),\n", " ('coke', 'street names for cocaine'),\n", " ('light speed',\n", " 'the speed at which light travels in a vacuum; the constancy and universality of the speed of light is recognized by defining it to be exactly 299,792,458 meters per second'),\n", " ('carbon',\n", " 'an abundant nonmetallic tetravalent element occurring in three allotropic forms: amorphous carbon and graphite and diamond; occurs in all organic compounds'),\n", " ('speed of light',\n", " 'the speed at which light travels in a vacuum; the constancy and universality of the speed of light is recognized by defining it to be exactly 299,792,458 meters per second')]},\n", " {'answer': 'caesarean',\n", " 'hint': 'synonyms for caesarean',\n", " 'clues': [('cesarean section',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarian delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('cesarian',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('abdominal delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)')]},\n", " {'answer': 'caesarian',\n", " 'hint': 'synonyms for caesarian',\n", " 'clues': [('cesarean section',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarian delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('cesarian',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarean',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('abdominal delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)')]},\n", " {'answer': 'calm',\n", " 'hint': 'synonyms for calm',\n", " 'clues': [('calmness', 'steadiness of mind under stress'),\n", " ('calm air', 'wind moving at less than 1 knot; 0 on the Beaufort scale'),\n", " ('equanimity', 'steadiness of mind under stress'),\n", " ('composure', 'steadiness of mind under stress')]},\n", " {'answer': 'camp',\n", " 'hint': 'synonyms for camp',\n", " 'clues': [('cantonment',\n", " 'temporary living quarters specially built by the army for soldiers'),\n", " ('clique', 'an exclusive circle of people with a common purpose'),\n", " ('pack', 'an exclusive circle of people with a common purpose'),\n", " ('encampment',\n", " 'temporary living quarters specially built by the army for soldiers'),\n", " ('coterie', 'an exclusive circle of people with a common purpose'),\n", " ('ingroup', 'an exclusive circle of people with a common purpose'),\n", " ('inner circle', 'an exclusive circle of people with a common purpose'),\n", " ('summer camp',\n", " 'a site where care and activities are provided for children during the summer months'),\n", " ('bivouac',\n", " 'temporary living quarters specially built by the army for soldiers'),\n", " ('refugee camp',\n", " 'shelter for persons displaced by war or political oppression or for religious beliefs')]},\n", " {'answer': 'capital',\n", " 'hint': 'synonyms for capital',\n", " 'clues': [('working capital',\n", " 'assets available for use in the production of further assets'),\n", " ('majuscule',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('upper-case letter',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('capital letter',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('chapiter', 'the upper part of a column that supports the entablature'),\n", " ('cap', 'the upper part of a column that supports the entablature'),\n", " ('uppercase',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis')]},\n", " {'answer': 'caramel',\n", " 'hint': 'synonyms for caramel',\n", " 'clues': [('raw sienna', 'a medium to dark tan color'),\n", " ('buff', 'a medium to dark tan color'),\n", " ('caramelized sugar', 'burnt sugar; used to color and flavor food'),\n", " ('caramel brown', 'a medium to dark tan color'),\n", " ('yellowish brown', 'a medium to dark tan color')]},\n", " {'answer': 'caramel_brown',\n", " 'hint': 'synonyms for caramel brown',\n", " 'clues': [('raw sienna', 'a medium to dark tan color'),\n", " ('buff', 'a medium to dark tan color'),\n", " ('caramel', 'a medium to dark tan color'),\n", " ('yellowish brown', 'a medium to dark tan color')]},\n", " {'answer': 'catching',\n", " 'hint': 'synonyms for catching',\n", " 'clues': [('espial',\n", " 'the act of detecting something; catching sight of something'),\n", " ('detection',\n", " 'the act of detecting something; catching sight of something'),\n", " ('spotting',\n", " 'the act of detecting something; catching sight of something'),\n", " ('contracting', 'becoming infected'),\n", " ('spying',\n", " 'the act of detecting something; catching sight of something')]},\n", " {'answer': 'cc',\n", " 'hint': 'synonyms for cc',\n", " 'clues': [('milliliter',\n", " 'a metric unit of volume equal to one thousandth of a liter'),\n", " ('cubic centimetre',\n", " 'a metric unit of volume equal to one thousandth of a liter'),\n", " ('ml', 'a metric unit of volume equal to one thousandth of a liter'),\n", " ('mil', 'a metric unit of volume equal to one thousandth of a liter')]},\n", " {'answer': 'cd',\n", " 'hint': 'synonyms for cd',\n", " 'clues': [('standard candle',\n", " \"the basic unit of luminous intensity adopted under the Systeme International d'Unites; equal to 1/60 of the luminous intensity per square centimeter of a black body radiating at the temperature of 2,046 degrees Kelvin\"),\n", " ('cadmium',\n", " 'a soft bluish-white ductile malleable toxic bivalent metallic element; occurs in association with zinc ores'),\n", " ('candle',\n", " \"the basic unit of luminous intensity adopted under the Systeme International d'Unites; equal to 1/60 of the luminous intensity per square centimeter of a black body radiating at the temperature of 2,046 degrees Kelvin\"),\n", " ('compact disc',\n", " 'a digitally encoded recording on an optical disk that is smaller than a phonograph record; played back by a laser'),\n", " ('candela',\n", " \"the basic unit of luminous intensity adopted under the Systeme International d'Unites; equal to 1/60 of the luminous intensity per square centimeter of a black body radiating at the temperature of 2,046 degrees Kelvin\"),\n", " ('certificate of deposit',\n", " 'a debt instrument issued by a bank; usually pays interest'),\n", " ('atomic number 48',\n", " 'a soft bluish-white ductile malleable toxic bivalent metallic element; occurs in association with zinc ores')]},\n", " {'answer': 'center',\n", " 'hint': 'synonyms for center',\n", " 'clues': [('pith',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('mall',\n", " 'mercantile establishment consisting of a carefully landscaped complex of shops representing leading merchandisers; usually includes restaurants and a convenient parking area; a modern version of the traditional marketplace'),\n", " ('marrow',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('heart',\n", " 'an area that is approximately central within some larger region'),\n", " ('nub',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('centre', 'the object upon which interest and attention focuses'),\n", " ('sum',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('center of attention',\n", " 'the object upon which interest and attention focuses'),\n", " ('gist',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('shopping mall',\n", " 'mercantile establishment consisting of a carefully landscaped complex of shops representing leading merchandisers; usually includes restaurants and a convenient parking area; a modern version of the traditional marketplace'),\n", " ('eye',\n", " 'an area that is approximately central within some larger region'),\n", " ('center field',\n", " 'the piece of ground in the outfield directly ahead of the catcher'),\n", " ('shopping center',\n", " 'mercantile establishment consisting of a carefully landscaped complex of shops representing leading merchandisers; usually includes restaurants and a convenient parking area; a modern version of the traditional marketplace'),\n", " ('middle',\n", " 'an area that is approximately central within some larger region'),\n", " ('nitty-gritty',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('inwardness',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('substance',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('essence',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('kernel',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('heart and soul',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('midpoint',\n", " 'a point equidistant from the ends of a line or the extremities of a figure'),\n", " ('core',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('meat',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('plaza',\n", " 'mercantile establishment consisting of a carefully landscaped complex of shops representing leading merchandisers; usually includes restaurants and a convenient parking area; a modern version of the traditional marketplace')]},\n", " {'answer': 'cerulean',\n", " 'hint': 'synonyms for cerulean',\n", " 'clues': [('lazuline', 'a light shade of blue'),\n", " ('sky-blue', 'a light shade of blue'),\n", " ('azure', 'a light shade of blue'),\n", " ('sapphire', 'a light shade of blue')]},\n", " {'answer': 'cesarean',\n", " 'hint': 'synonyms for cesarean',\n", " 'clues': [('cesarean section',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarian delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('cesarian',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarean',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('abdominal delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)')]},\n", " {'answer': 'cesarian',\n", " 'hint': 'synonyms for cesarian',\n", " 'clues': [('cesarean section',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarian delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarian',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('cesarean',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('abdominal delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)')]},\n", " {'answer': 'chance',\n", " 'hint': 'synonyms for chance',\n", " 'clues': [('luck',\n", " 'an unknown and unpredictable phenomenon that causes an event to result one way rather than another'),\n", " ('fortune',\n", " 'an unknown and unpredictable phenomenon that causes an event to result one way rather than another'),\n", " ('hazard',\n", " 'an unknown and unpredictable phenomenon that causes an event to result one way rather than another'),\n", " ('probability',\n", " 'a measure of how likely it is that some event will occur; a number expressing the ratio of favorable cases to the whole number of cases possible')]},\n", " {'answer': 'charcoal',\n", " 'hint': 'synonyms for charcoal',\n", " 'clues': [('charcoal grey', 'a very dark grey color'),\n", " ('oxford gray', 'a very dark grey color'),\n", " ('fusain', 'a stick of black carbon material used for drawing'),\n", " ('wood coal',\n", " 'a carbonaceous material obtained by heating wood or other organic matter in the absence of air')]},\n", " {'answer': 'chic',\n", " 'hint': 'synonyms for chic',\n", " 'clues': [('modishness', 'elegance by virtue of being fashionable'),\n", " ('chichi', 'elegance by virtue of being fashionable'),\n", " ('smartness', 'elegance by virtue of being fashionable'),\n", " ('stylishness', 'elegance by virtue of being fashionable'),\n", " ('last word', 'elegance by virtue of being fashionable'),\n", " ('chicness', 'elegance by virtue of being fashionable'),\n", " ('swank', 'elegance by virtue of being fashionable')]},\n", " {'answer': 'chichi',\n", " 'hint': 'synonyms for chichi',\n", " 'clues': [('modishness', 'elegance by virtue of being fashionable'),\n", " ('chic', 'elegance by virtue of being fashionable'),\n", " ('stylishness', 'elegance by virtue of being fashionable'),\n", " ('last word', 'elegance by virtue of being fashionable'),\n", " ('chicness', 'elegance by virtue of being fashionable'),\n", " ('smartness', 'elegance by virtue of being fashionable'),\n", " ('swank', 'elegance by virtue of being fashionable')]},\n", " {'answer': 'choice',\n", " 'hint': 'synonyms for choice',\n", " 'clues': [('option', 'the act of choosing or selecting'),\n", " ('alternative',\n", " 'one of a number of things from which only one can be chosen'),\n", " ('pick', 'the act of choosing or selecting'),\n", " ('selection', 'the person or thing chosen or selected')]},\n", " {'answer': 'circular',\n", " 'hint': 'synonyms for circular',\n", " 'clues': [('broadside',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('flier',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('broadsheet',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('handbill',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('flyer',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('bill',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('throwaway',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution')]},\n", " {'answer': 'cleft',\n", " 'hint': 'synonyms for cleft',\n", " 'clues': [('crevice', 'a long narrow opening'),\n", " ('crack', 'a long narrow opening'),\n", " ('fissure', 'a long narrow opening'),\n", " ('scissure', 'a long narrow opening')]},\n", " {'answer': 'close',\n", " 'hint': 'synonyms for close',\n", " 'clues': [('finis', 'the concluding part of any performance'),\n", " ('closing curtain', 'the concluding part of any performance'),\n", " ('end', 'the last section of a communication'),\n", " ('conclusion', 'the last section of a communication'),\n", " ('finale', 'the concluding part of any performance'),\n", " ('stopping point', 'the temporal end; the concluding time'),\n", " ('last', 'the temporal end; the concluding time'),\n", " ('closing', 'the last section of a communication')]},\n", " {'answer': 'closing',\n", " 'hint': 'synonyms for closing',\n", " 'clues': [('completion', 'a concluding action'),\n", " ('windup', 'a concluding action'),\n", " ('closedown', 'termination of operations'),\n", " ('mop up', 'a concluding action'),\n", " ('shutting', 'the act of closing something'),\n", " ('end', 'the last section of a communication'),\n", " ('conclusion', 'the last section of a communication'),\n", " ('close', 'the last section of a communication'),\n", " ('shutdown', 'termination of operations'),\n", " ('closure',\n", " 'approaching a particular destination; a coming closer; a narrowing of a gap'),\n", " ('culmination', 'a concluding action')]},\n", " {'answer': 'cold',\n", " 'hint': 'synonyms for cold',\n", " 'clues': [('coldness', 'the sensation produced by low temperatures'),\n", " ('frigidity', 'the absence of heat'),\n", " ('low temperature', 'the absence of heat'),\n", " ('frigidness', 'the absence of heat')]},\n", " {'answer': 'color',\n", " 'hint': 'synonyms for color',\n", " 'clues': [('colouring',\n", " 'a visual attribute of things that results from the light they emit or transmit or reflect'),\n", " ('colouring material', 'any material used for its color'),\n", " ('colouration', 'the timbre of a musical sound'),\n", " ('semblance',\n", " 'an outward or token appearance or form that is deliberately misleading'),\n", " ('people of color',\n", " 'a race with skin pigmentation different from the white race (especially Blacks)'),\n", " ('vividness', 'interest and variety and intensity'),\n", " ('gloss',\n", " 'an outward or token appearance or form that is deliberately misleading')]},\n", " {'answer': 'colour',\n", " 'hint': 'synonyms for colour',\n", " 'clues': [('color', 'any material used for its color'),\n", " ('colouring',\n", " 'a visual attribute of things that results from the light they emit or transmit or reflect'),\n", " ('colouring material', 'any material used for its color'),\n", " ('colouration', 'the timbre of a musical sound'),\n", " ('semblance',\n", " 'an outward or token appearance or form that is deliberately misleading'),\n", " ('people of color',\n", " 'a race with skin pigmentation different from the white race (especially Blacks)'),\n", " ('vividness', 'interest and variety and intensity'),\n", " ('gloss',\n", " 'an outward or token appearance or form that is deliberately misleading')]},\n", " {'answer': 'comestible',\n", " 'hint': 'synonyms for comestible',\n", " 'clues': [('edible', 'any substance that can be used as food'),\n", " ('eatable', 'any substance that can be used as food'),\n", " ('victuals', 'any substance that can be used as food'),\n", " ('pabulum', 'any substance that can be used as food')]},\n", " {'answer': 'coming',\n", " 'hint': 'synonyms for coming',\n", " 'clues': [('sexual climax',\n", " 'the moment of most intense pleasure in sexual intercourse'),\n", " ('approaching', 'the act of drawing spatially closer to something'),\n", " ('climax', 'the moment of most intense pleasure in sexual intercourse'),\n", " ('orgasm', 'the moment of most intense pleasure in sexual intercourse'),\n", " ('advent',\n", " 'arrival that has been awaited (especially of something momentous)')]},\n", " {'answer': 'commonplace',\n", " 'hint': 'synonyms for commonplace',\n", " 'clues': [('bromide', 'a trite or obvious remark'),\n", " ('banality', 'a trite or obvious remark'),\n", " ('platitude', 'a trite or obvious remark'),\n", " ('cliche', 'a trite or obvious remark')]},\n", " {'answer': 'compact',\n", " 'hint': 'synonyms for compact',\n", " 'clues': [('compact car', 'a small and economical car'),\n", " ('covenant',\n", " 'a signed written agreement between two or more parties (nations) to perform some action'),\n", " ('concordat',\n", " 'a signed written agreement between two or more parties (nations) to perform some action'),\n", " ('powder compact',\n", " \"a small cosmetics case with a mirror; to be carried in a woman's purse\")]},\n", " {'answer': 'connective',\n", " 'hint': 'synonyms for connective',\n", " 'clues': [('conjunction',\n", " 'an uninflected function word that serves to conjoin words or phrases or clauses or sentences'),\n", " ('conjunctive',\n", " 'an uninflected function word that serves to conjoin words or phrases or clauses or sentences'),\n", " ('connexion', 'an instrumentality that connects'),\n", " ('connector', 'an instrumentality that connects'),\n", " ('continuative',\n", " 'an uninflected function word that serves to conjoin words or phrases or clauses or sentences')]},\n", " {'answer': 'constituent',\n", " 'hint': 'synonyms for constituent',\n", " 'clues': [('component',\n", " 'an artifact that is one of the individual parts of which a composite entity is made up; especially a part that can be separated from or attached to a system'),\n", " ('component part',\n", " 'something determined in relation to something that includes it'),\n", " ('factor', 'an abstract part of something'),\n", " ('element', 'an abstract part of something'),\n", " ('ingredient', 'an abstract part of something'),\n", " ('grammatical constituent',\n", " '(grammar) a word or phrase or clause forming part of a larger grammatical construction'),\n", " ('portion',\n", " 'something determined in relation to something that includes it'),\n", " ('part',\n", " 'something determined in relation to something that includes it')]},\n", " {'answer': 'content',\n", " 'hint': 'synonyms for content',\n", " 'clues': [('subject matter',\n", " 'what a communication that is about something is about'),\n", " ('substance', 'what a communication that is about something is about'),\n", " ('mental object',\n", " 'the sum or range of what has been perceived, discovered, or learned'),\n", " ('depicted object',\n", " 'something (a person or object or scene) selected by an artist or photographer for graphic representation'),\n", " ('subject',\n", " 'something (a person or object or scene) selected by an artist or photographer for graphic representation'),\n", " ('cognitive content',\n", " 'the sum or range of what has been perceived, discovered, or learned'),\n", " ('capacity', 'the amount that can be contained'),\n", " ('message', 'what a communication that is about something is about')]},\n", " {'answer': 'contrabass',\n", " 'hint': 'synonyms for contrabass',\n", " 'clues': [('double bass',\n", " 'largest and lowest member of the violin family'),\n", " ('bass viol', 'largest and lowest member of the violin family'),\n", " ('bull fiddle', 'largest and lowest member of the violin family'),\n", " ('bass fiddle', 'largest and lowest member of the violin family'),\n", " ('string bass', 'largest and lowest member of the violin family')]},\n", " {'answer': 'contraceptive',\n", " 'hint': 'synonyms for contraceptive',\n", " 'clues': [('prophylactic device',\n", " 'an agent or device intended to prevent conception'),\n", " ('preventive', 'an agent or device intended to prevent conception'),\n", " ('birth control device',\n", " 'an agent or device intended to prevent conception'),\n", " ('contraceptive device',\n", " 'an agent or device intended to prevent conception')]},\n", " {'answer': 'cool',\n", " 'hint': 'synonyms for cool',\n", " 'clues': [('assuredness', 'great coolness and composure under strain'),\n", " ('sang-froid', 'great coolness and composure under strain'),\n", " ('poise', 'great coolness and composure under strain'),\n", " ('aplomb', 'great coolness and composure under strain')]},\n", " {'answer': 'counter',\n", " 'hint': 'synonyms for counter',\n", " 'clues': [('sideboard',\n", " 'a piece of furniture that stands at the side of a dining room; has shelves and drawers'),\n", " ('rejoinder',\n", " 'a quick reply to a question or remark (especially a witty or critical one)'),\n", " ('retort',\n", " 'a quick reply to a question or remark (especially a witty or critical one)'),\n", " ('replication',\n", " 'a quick reply to a question or remark (especially a witty or critical one)'),\n", " ('riposte',\n", " 'a quick reply to a question or remark (especially a witty or critical one)'),\n", " ('heel counter', 'a piece of leather forming the back of a shoe or boot'),\n", " ('buffet',\n", " 'a piece of furniture that stands at the side of a dining room; has shelves and drawers'),\n", " ('counterpunch', 'a return punch (especially by a boxer)'),\n", " ('tabulator',\n", " 'a calculator that keeps a record of the number of times something happens'),\n", " ('return',\n", " 'a quick reply to a question or remark (especially a witty or critical one)'),\n", " ('parry', 'a return punch (especially by a boxer)'),\n", " ('comeback',\n", " 'a quick reply to a question or remark (especially a witty or critical one)')]},\n", " {'answer': 'crack',\n", " 'hint': 'synonyms for crack',\n", " 'clues': [('snap', 'a sudden sharp noise'),\n", " ('cranny', 'a long narrow depression in a surface'),\n", " ('cleft', 'a long narrow opening'),\n", " ('fissure', 'a long narrow depression in a surface'),\n", " ('wisecrack', 'witty remark'),\n", " ('scissure', 'a long narrow opening'),\n", " ('chap', 'a long narrow depression in a surface'),\n", " ('whirl', 'a usually brief attempt'),\n", " ('cracking', 'the act of cracking something'),\n", " ('sally', 'witty remark'),\n", " ('fling', 'a usually brief attempt'),\n", " ('gap', 'a narrow opening'),\n", " ('crevice', 'a long narrow depression in a surface'),\n", " ('go', 'a usually brief attempt'),\n", " ('tornado',\n", " 'a purified and potent form of cocaine that is smoked rather than snorted; highly addictive'),\n", " ('quip', 'witty remark'),\n", " ('pass', 'a usually brief attempt'),\n", " ('offer', 'a usually brief attempt'),\n", " ('crack cocaine',\n", " 'a purified and potent form of cocaine that is smoked rather than snorted; highly addictive'),\n", " ('fracture', 'the act of cracking something')]},\n", " {'answer': 'crackers',\n", " 'hint': 'synonyms for crackers',\n", " 'clues': [('cracker',\n", " 'a thin crisp wafer made of flour and water with or without leavening and shortening; unsweetened or semisweet'),\n", " ('firecracker',\n", " 'firework consisting of a small explosive charge and fuse in a heavy paper casing'),\n", " ('banger',\n", " 'firework consisting of a small explosive charge and fuse in a heavy paper casing'),\n", " ('snapper',\n", " 'a party favor consisting of a paper roll (usually containing candy or a small favor) that pops when pulled at both ends'),\n", " ('cracker bonbon',\n", " 'a party favor consisting of a paper roll (usually containing candy or a small favor) that pops when pulled at both ends')]},\n", " {'answer': 'crackle',\n", " 'hint': 'synonyms for crackle',\n", " 'clues': [('crepitation', 'the sharp sound of snapping noises'),\n", " ('crackle china',\n", " 'glazed china with a network of fine cracks on the surface'),\n", " ('crackleware',\n", " 'glazed china with a network of fine cracks on the surface'),\n", " ('crackling', 'the sharp sound of snapping noises')]},\n", " {'answer': 'crank',\n", " 'hint': 'synonyms for crank',\n", " 'clues': [('chalk',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('glass',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('methamphetamine',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('methamphetamine hydrochloride',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('trash',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('ice',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('deoxyephedrine',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('starter',\n", " 'a hand tool consisting of a rotating shaft with parallel handle'),\n", " ('chicken feed',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('shabu',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant'),\n", " ('meth',\n", " 'an amphetamine derivative (trade name Methedrine) used in the form of a crystalline hydrochloride; used as a stimulant to the nervous system and as an appetite suppressant')]},\n", " {'answer': 'cross',\n", " 'hint': 'synonyms for cross',\n", " 'clues': [('crossbreeding',\n", " '(genetics) the act of mixing different species or varieties of animals or plants and thus to produce hybrids'),\n", " ('mark', 'a marking that consists of lines that cross each other'),\n", " ('hybridisation',\n", " '(genetics) the act of mixing different species or varieties of animals or plants and thus to produce hybrids'),\n", " ('interbreeding',\n", " '(genetics) the act of mixing different species or varieties of animals or plants and thus to produce hybrids'),\n", " ('crisscross', 'a marking that consists of lines that cross each other'),\n", " ('hybridizing',\n", " '(genetics) the act of mixing different species or varieties of animals or plants and thus to produce hybrids'),\n", " ('crossing',\n", " '(genetics) the act of mixing different species or varieties of animals or plants and thus to produce hybrids')]},\n", " {'answer': 'crowing',\n", " 'hint': 'synonyms for crowing',\n", " 'clues': [('vaporing', 'an instance of boastful talk'),\n", " ('gasconade', 'an instance of boastful talk'),\n", " ('bragging', 'an instance of boastful talk'),\n", " ('brag', 'an instance of boastful talk'),\n", " ('line-shooting', 'an instance of boastful talk'),\n", " ('crow', 'an instance of boastful talk')]},\n", " {'answer': 'crude',\n", " 'hint': 'synonyms for crude',\n", " 'clues': [('petroleum', 'a dark oil consisting mainly of hydrocarbons'),\n", " ('oil', 'a dark oil consisting mainly of hydrocarbons'),\n", " ('rock oil', 'a dark oil consisting mainly of hydrocarbons'),\n", " ('fossil oil', 'a dark oil consisting mainly of hydrocarbons'),\n", " ('crude oil', 'a dark oil consisting mainly of hydrocarbons')]},\n", " {'answer': 'crying',\n", " 'hint': 'synonyms for crying',\n", " 'clues': [('war cry', 'a slogan used to rally support for a cause'),\n", " ('cry', 'a loud utterance; often in protest or opposition'),\n", " ('yell', 'a loud utterance; often in protest or opposition'),\n", " ('watchword', 'a slogan used to rally support for a cause'),\n", " ('battle cry', 'a slogan used to rally support for a cause'),\n", " ('call', 'a loud utterance; often in protest or opposition'),\n", " ('vociferation', 'a loud utterance; often in protest or opposition'),\n", " ('rallying cry', 'a slogan used to rally support for a cause'),\n", " ('shout', 'a loud utterance; often in protest or opposition'),\n", " ('weeping',\n", " 'the process of shedding tears (usually accompanied by sobs or other inarticulate sounds)'),\n", " ('tears',\n", " 'the process of shedding tears (usually accompanied by sobs or other inarticulate sounds)'),\n", " ('outcry', 'a loud utterance; often in protest or opposition')]},\n", " {'answer': 'cunning',\n", " 'hint': 'synonyms for cunning',\n", " 'clues': [('foxiness',\n", " 'shrewdness as demonstrated by being skilled in deception'),\n", " ('wiliness', 'shrewdness as demonstrated by being skilled in deception'),\n", " ('craft', 'shrewdness as demonstrated by being skilled in deception'),\n", " ('slyness', 'shrewdness as demonstrated by being skilled in deception'),\n", " ('craftiness',\n", " 'shrewdness as demonstrated by being skilled in deception'),\n", " ('guile', 'shrewdness as demonstrated by being skilled in deception')]},\n", " {'answer': 'custom',\n", " 'hint': 'synonyms for custom',\n", " 'clues': [('usage', 'accepted or habitual practice'),\n", " ('tradition', 'a specific practice of long standing'),\n", " ('customs', 'money collected under a tariff'),\n", " ('impost', 'money collected under a tariff'),\n", " ('usance', 'accepted or habitual practice'),\n", " ('customs duty', 'money collected under a tariff')]},\n", " {'answer': 'cut',\n", " 'hint': 'synonyms for cut',\n", " 'clues': [('gash',\n", " 'a trench resembling a furrow that was made by erosion or excavation'),\n", " ('stinger', 'a remark capable of wounding mentally'),\n", " ('cutting', 'the act of cutting something into parts'),\n", " ('excision',\n", " 'the omission that is made when an editorial change shortens a written passage'),\n", " ('snub', 'a refusal to recognize someone you know'),\n", " ('track',\n", " 'a distinct selection of music from a recording or a compact disc'),\n", " ('deletion',\n", " 'the omission that is made when an editorial change shortens a written passage'),\n", " ('baseball swing',\n", " \"in baseball; a batter's attempt to hit a pitched ball\"),\n", " ('swing', \"in baseball; a batter's attempt to hit a pitched ball\"),\n", " ('cutting off',\n", " 'the act of shortening something by chopping off the ends'),\n", " ('undercut', '(sports) a stroke that puts reverse spin on the ball'),\n", " ('cut of meat',\n", " 'a piece of meat that has been cut from an animal carcass'),\n", " ('cold shoulder', 'a refusal to recognize someone you know')]},\n", " {'answer': 'cutting',\n", " 'hint': 'synonyms for cutting',\n", " 'clues': [('press cutting', 'an excerpt cut from a newspaper or magazine'),\n", " ('film editing',\n", " 'the activity of selecting the scenes to be shown and putting them together to create a film'),\n", " ('cut', 'the division of a deck of cards before dealing'),\n", " ('clipping', 'an excerpt cut from a newspaper or magazine'),\n", " ('newspaper clipping', 'an excerpt cut from a newspaper or magazine'),\n", " ('press clipping', 'an excerpt cut from a newspaper or magazine'),\n", " ('thinning', 'the act of diluting something'),\n", " ('carving',\n", " 'removing parts from hard material to create a desired pattern or shape'),\n", " ('cutting off',\n", " 'the act of shortening something by chopping off the ends')]},\n", " {'answer': 'd',\n", " 'hint': 'synonyms for d',\n", " 'clues': [('cholecalciferol',\n", " 'a fat-soluble vitamin that prevents rickets'),\n", " ('ergocalciferol', 'a fat-soluble vitamin that prevents rickets'),\n", " ('calciferol', 'a fat-soluble vitamin that prevents rickets'),\n", " ('viosterol', 'a fat-soluble vitamin that prevents rickets'),\n", " ('vitamin D', 'a fat-soluble vitamin that prevents rickets'),\n", " ('500',\n", " 'the cardinal number that is the product of one hundred and five'),\n", " ('five hundred',\n", " 'the cardinal number that is the product of one hundred and five')]},\n", " {'answer': 'dainty',\n", " 'hint': 'synonyms for dainty',\n", " 'clues': [('delicacy', 'something considered choice to eat'),\n", " ('goody', 'something considered choice to eat'),\n", " ('kickshaw', 'something considered choice to eat'),\n", " ('treat', 'something considered choice to eat')]},\n", " {'answer': 'damn',\n", " 'hint': 'synonyms for damn',\n", " 'clues': [(\"tinker's dam\", 'something of little value'),\n", " ('shucks', 'something of little value'),\n", " ('hoot', 'something of little value'),\n", " ('red cent', 'something of little value'),\n", " ('darn', 'something of little value'),\n", " ('shit', 'something of little value')]},\n", " {'answer': 'daring',\n", " 'hint': 'synonyms for daring',\n", " 'clues': [('hardihood',\n", " 'the trait of being willing to undertake things that involve risk or danger'),\n", " ('hardiness',\n", " 'the trait of being willing to undertake things that involve risk or danger'),\n", " ('dare', 'a challenge to do something dangerous or foolhardy'),\n", " ('boldness',\n", " 'the trait of being willing to undertake things that involve risk or danger')]},\n", " {'answer': 'dark',\n", " 'hint': 'synonyms for dark',\n", " 'clues': [('nighttime',\n", " 'the time after sunset and before sunrise while it is dark outside'),\n", " ('darkness', 'an unenlightened state'),\n", " ('night',\n", " 'the time after sunset and before sunrise while it is dark outside'),\n", " ('shadow', 'an unilluminated area')]},\n", " {'answer': 'declarative',\n", " 'hint': 'synonyms for declarative',\n", " 'clues': [('declarative mood',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact'),\n", " ('indicative mood',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact'),\n", " ('fact mood',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact'),\n", " ('common mood',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact'),\n", " ('indicative',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact')]},\n", " {'answer': 'derivative',\n", " 'hint': 'synonyms for derivative',\n", " 'clues': [('differential coefficient',\n", " 'the result of mathematical differentiation; the instantaneous change of one quantity relative to another; df(x)/dx'),\n", " ('differential',\n", " 'the result of mathematical differentiation; the instantaneous change of one quantity relative to another; df(x)/dx'),\n", " ('derived function',\n", " 'the result of mathematical differentiation; the instantaneous change of one quantity relative to another; df(x)/dx'),\n", " ('first derivative',\n", " 'the result of mathematical differentiation; the instantaneous change of one quantity relative to another; df(x)/dx'),\n", " ('derivative instrument',\n", " 'a financial instrument whose value is based on another security')]},\n", " {'answer': 'determinant',\n", " 'hint': 'synonyms for determinant',\n", " 'clues': [('epitope',\n", " 'the site on the surface of an antigen molecule to which an antibody attaches itself'),\n", " ('determining factor', 'a determining or causal element or factor'),\n", " ('antigenic determinant',\n", " 'the site on the surface of an antigen molecule to which an antibody attaches itself'),\n", " ('causal factor', 'a determining or causal element or factor'),\n", " ('determinative', 'a determining or causal element or factor'),\n", " ('determiner', 'a determining or causal element or factor')]},\n", " {'answer': 'determinative',\n", " 'hint': 'synonyms for determinative',\n", " 'clues': [('determinant', 'a determining or causal element or factor'),\n", " ('determining factor', 'a determining or causal element or factor'),\n", " ('determiner',\n", " 'one of a limited class of noun modifiers that determine the referents of noun phrases'),\n", " ('causal factor', 'a determining or causal element or factor')]},\n", " {'answer': 'deterrent',\n", " 'hint': 'synonyms for deterrent',\n", " 'clues': [('impediment',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('check',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('hinderance',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('balk',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('handicap',\n", " 'something immaterial that interferes with or delays action or progress')]},\n", " {'answer': 'diagonal',\n", " 'hint': 'synonyms for diagonal',\n", " 'clues': [('slash',\n", " 'a punctuation mark (/) used to separate related items of information'),\n", " ('bias',\n", " 'a line or cut across a fabric that is not at right angles to a side of the fabric'),\n", " ('stroke',\n", " 'a punctuation mark (/) used to separate related items of information'),\n", " ('separatrix',\n", " 'a punctuation mark (/) used to separate related items of information'),\n", " ('virgule',\n", " 'a punctuation mark (/) used to separate related items of information'),\n", " ('solidus',\n", " 'a punctuation mark (/) used to separate related items of information')]},\n", " {'answer': 'dickey',\n", " 'hint': 'synonyms for dickey',\n", " 'clues': [('shirtfront',\n", " \"a man's detachable insert (usually starched) to simulate the front of a shirt\"),\n", " ('dicky',\n", " 'a small third seat in the back of an old-fashioned two-seater'),\n", " ('dickey-seat',\n", " 'a small third seat in the back of an old-fashioned two-seater'),\n", " ('dickie',\n", " \"a man's detachable insert (usually starched) to simulate the front of a shirt\")]},\n", " {'answer': 'dicky',\n", " 'hint': 'synonyms for dicky',\n", " 'clues': [('shirtfront',\n", " \"a man's detachable insert (usually starched) to simulate the front of a shirt\"),\n", " ('dickey',\n", " \"a man's detachable insert (usually starched) to simulate the front of a shirt\"),\n", " ('dickey-seat',\n", " 'a small third seat in the back of an old-fashioned two-seater'),\n", " ('dickie',\n", " 'a small third seat in the back of an old-fashioned two-seater')]},\n", " {'answer': 'differential',\n", " 'hint': 'synonyms for differential',\n", " 'clues': [('differential coefficient',\n", " 'the result of mathematical differentiation; the instantaneous change of one quantity relative to another; df(x)/dx'),\n", " ('derivative',\n", " 'the result of mathematical differentiation; the instantaneous change of one quantity relative to another; df(x)/dx'),\n", " ('differential gear',\n", " 'a bevel gear that permits rotation of two shafts at different speeds; used on the rear axle of automobiles to allow wheels to rotate at different speeds on curves'),\n", " ('derived function',\n", " 'the result of mathematical differentiation; the instantaneous change of one quantity relative to another; df(x)/dx'),\n", " ('first derivative',\n", " 'the result of mathematical differentiation; the instantaneous change of one quantity relative to another; df(x)/dx')]},\n", " {'answer': 'dirt',\n", " 'hint': 'synonyms for dirt',\n", " 'clues': [('shite', 'obscene terms for feces'),\n", " ('crap', 'obscene terms for feces'),\n", " ('malicious gossip',\n", " 'disgraceful gossip about the private lives of other people'),\n", " ('scandal', 'disgraceful gossip about the private lives of other people'),\n", " ('turd', 'obscene terms for feces'),\n", " ('poop', 'obscene terms for feces'),\n", " ('soil',\n", " \"the part of the earth's surface consisting of humus and disintegrated rock\")]},\n", " {'answer': 'double',\n", " 'hint': 'synonyms for double',\n", " 'clues': [('doubling',\n", " 'raising the stakes in a card game by a factor of 2'),\n", " ('two-bagger',\n", " 'a base hit on which the batter stops safely at second base'),\n", " ('two-base hit',\n", " 'a base hit on which the batter stops safely at second base'),\n", " ('two-baser',\n", " 'a base hit on which the batter stops safely at second base')]},\n", " {'answer': 'dress',\n", " 'hint': 'synonyms for dress',\n", " 'clues': [('wearing apparel', 'clothing in general'),\n", " ('attire',\n", " 'clothing of a distinctive style or for a particular occasion'),\n", " ('apparel', 'clothing in general'),\n", " ('frock', 'a one-piece garment for a woman; has skirt and bodice'),\n", " ('clothes', 'clothing in general'),\n", " ('garb',\n", " 'clothing of a distinctive style or for a particular occasion')]},\n", " {'answer': 'eager',\n", " 'hint': 'synonyms for eager',\n", " 'clues': [('eagre',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('aegir',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('tidal bore',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('bore',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)')]},\n", " {'answer': 'eatable',\n", " 'hint': 'synonyms for eatable',\n", " 'clues': [('edible', 'any substance that can be used as food'),\n", " ('comestible', 'any substance that can be used as food'),\n", " ('victuals', 'any substance that can be used as food'),\n", " ('pabulum', 'any substance that can be used as food')]},\n", " {'answer': 'ebony',\n", " 'hint': 'synonyms for ebony',\n", " 'clues': [('coal black', 'a very dark black'),\n", " ('pitch black', 'a very dark black'),\n", " ('sable', 'a very dark black'),\n", " ('jet black', 'a very dark black'),\n", " ('soot black', 'a very dark black')]},\n", " {'answer': 'edible',\n", " 'hint': 'synonyms for edible',\n", " 'clues': [('eatable', 'any substance that can be used as food'),\n", " ('comestible', 'any substance that can be used as food'),\n", " ('victuals', 'any substance that can be used as food'),\n", " ('pabulum', 'any substance that can be used as food')]},\n", " {'answer': 'eight',\n", " 'hint': 'synonyms for eight',\n", " 'clues': [('octad',\n", " 'the cardinal number that is the sum of seven and one'),\n", " ('8', 'the cardinal number that is the sum of seven and one'),\n", " ('eighter', 'the cardinal number that is the sum of seven and one'),\n", " ('eight-spot',\n", " 'one of four playing cards in a deck with eight pips on the face'),\n", " ('octonary', 'the cardinal number that is the sum of seven and one'),\n", " ('eighter from Decatur',\n", " 'the cardinal number that is the sum of seven and one'),\n", " ('ogdoad', 'the cardinal number that is the sum of seven and one'),\n", " ('octet', 'the cardinal number that is the sum of seven and one')]},\n", " {'answer': 'elevated',\n", " 'hint': 'synonyms for elevated',\n", " 'clues': [('elevated railway',\n", " 'a railway that is powered by electricity and that runs on a track that is raised above the street level'),\n", " ('overhead railway',\n", " 'a railway that is powered by electricity and that runs on a track that is raised above the street level'),\n", " ('elevated railroad',\n", " 'a railway that is powered by electricity and that runs on a track that is raised above the street level'),\n", " ('el',\n", " 'a railway that is powered by electricity and that runs on a track that is raised above the street level')]},\n", " {'answer': 'empyrean',\n", " 'hint': 'synonyms for empyrean',\n", " 'clues': [('firmament',\n", " 'the apparent surface of the imaginary sphere on which celestial bodies appear to be projected'),\n", " ('welkin',\n", " 'the apparent surface of the imaginary sphere on which celestial bodies appear to be projected'),\n", " ('celestial sphere',\n", " 'the apparent surface of the imaginary sphere on which celestial bodies appear to be projected'),\n", " ('vault of heaven',\n", " 'the apparent surface of the imaginary sphere on which celestial bodies appear to be projected'),\n", " ('sphere',\n", " 'the apparent surface of the imaginary sphere on which celestial bodies appear to be projected'),\n", " ('heavens',\n", " 'the apparent surface of the imaginary sphere on which celestial bodies appear to be projected')]},\n", " {'answer': 'essential',\n", " 'hint': 'synonyms for essential',\n", " 'clues': [('requirement', 'anything indispensable'),\n", " ('requisite', 'anything indispensable'),\n", " ('necessary', 'anything indispensable'),\n", " ('necessity', 'anything indispensable')]},\n", " {'answer': 'evil',\n", " 'hint': 'synonyms for evil',\n", " 'clues': [('evilness',\n", " 'the quality of being morally wrong in principle or practice'),\n", " ('wickedness', 'morally objectionable behavior'),\n", " ('immorality', 'morally objectionable behavior'),\n", " ('iniquity', 'morally objectionable behavior')]},\n", " {'answer': 'excess',\n", " 'hint': 'synonyms for excess',\n", " 'clues': [('nimiety', 'a quantity much larger than is needed'),\n", " ('overindulgence', 'excessive indulgence'),\n", " ('inordinateness',\n", " 'immoderation as a consequence of going beyond sufficient or permitted limits'),\n", " ('surplusage', 'a quantity much larger than is needed'),\n", " ('excessiveness',\n", " 'immoderation as a consequence of going beyond sufficient or permitted limits'),\n", " ('surplus', 'a quantity much larger than is needed')]},\n", " {'answer': 'fancy',\n", " 'hint': 'synonyms for fancy',\n", " 'clues': [('fantasy', 'something many people believe that is false'),\n", " ('illusion', 'something many people believe that is false'),\n", " ('fondness', 'a predisposition to like something'),\n", " ('phantasy', 'something many people believe that is false'),\n", " ('partiality', 'a predisposition to like something')]},\n", " {'answer': 'first',\n", " 'hint': 'synonyms for first',\n", " 'clues': [('number one', 'the first element in a countable series'),\n", " ('beginning', 'the time at which something is supposed to begin'),\n", " ('first-class honours degree', 'an honours degree of the highest class'),\n", " ('get-go', 'the time at which something is supposed to begin'),\n", " ('low gear',\n", " 'the lowest forward gear ratio in the gear box of a motor vehicle; used to start a car moving'),\n", " ('starting time', 'the time at which something is supposed to begin'),\n", " ('number 1', 'the first element in a countable series'),\n", " ('commencement', 'the time at which something is supposed to begin'),\n", " ('outset', 'the time at which something is supposed to begin'),\n", " ('start', 'the time at which something is supposed to begin'),\n", " ('showtime', 'the time at which something is supposed to begin'),\n", " ('first base',\n", " 'the fielding position of the player on a baseball team who is stationed at first of the bases in the infield (counting counterclockwise from home plate)'),\n", " ('offset', 'the time at which something is supposed to begin'),\n", " ('low',\n", " 'the lowest forward gear ratio in the gear box of a motor vehicle; used to start a car moving'),\n", " ('first gear',\n", " 'the lowest forward gear ratio in the gear box of a motor vehicle; used to start a car moving'),\n", " ('kickoff', 'the time at which something is supposed to begin')]},\n", " {'answer': 'fitting',\n", " 'hint': 'synonyms for fitting',\n", " 'clues': [('try-on', 'putting clothes on to see whether they fit'),\n", " ('appointment',\n", " '(usually plural) furnishings and equipment (especially for a ship or hotel)'),\n", " ('accommodation',\n", " 'making or becoming suitable; adjusting to circumstances'),\n", " ('trying on', 'putting clothes on to see whether they fit'),\n", " ('adjustment',\n", " 'making or becoming suitable; adjusting to circumstances')]},\n", " {'answer': 'five',\n", " 'hint': 'synonyms for five',\n", " 'clues': [('pentad',\n", " 'the cardinal number that is the sum of four and one'),\n", " ('five-spot',\n", " 'a playing card or a domino or a die whose upward face shows five pips'),\n", " ('quintet', 'the cardinal number that is the sum of four and one'),\n", " ('5', 'the cardinal number that is the sum of four and one'),\n", " ('fivesome', 'the cardinal number that is the sum of four and one'),\n", " ('basketball team', 'a team that plays basketball'),\n", " ('fin', 'the cardinal number that is the sum of four and one'),\n", " ('quintuplet', 'the cardinal number that is the sum of four and one'),\n", " ('quint', 'the cardinal number that is the sum of four and one'),\n", " ('cinque', 'the cardinal number that is the sum of four and one')]},\n", " {'answer': 'flash',\n", " 'hint': 'synonyms for flash',\n", " 'clues': [('instant',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('news bulletin',\n", " 'a short news announcement concerning some on-going news story'),\n", " ('trice',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('blink of an eye',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('flashgun', 'a lamp for providing momentary light to take a photograph'),\n", " ('wink',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('twinkling',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('newsbreak',\n", " 'a short news announcement concerning some on-going news story'),\n", " ('fanfare', 'a gaudy outward display'),\n", " ('flare', 'a burst of light used to communicate or illuminate'),\n", " ('heartbeat',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('flash lamp',\n", " 'a lamp for providing momentary light to take a photograph'),\n", " ('jiffy',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('photoflash',\n", " 'a lamp for providing momentary light to take a photograph'),\n", " ('split second',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('flash bulb',\n", " 'a lamp for providing momentary light to take a photograph'),\n", " ('newsflash',\n", " 'a short news announcement concerning some on-going news story'),\n", " ('flashing', 'a short vivid experience'),\n", " ('ostentation', 'a gaudy outward display')]},\n", " {'answer': 'flat',\n", " 'hint': 'synonyms for flat',\n", " 'clues': [('apartment',\n", " 'a suite of rooms usually on one floor of an apartment house'),\n", " ('flat tire', 'a deflated pneumatic tire'),\n", " ('flatcar', 'freight car without permanent sides or roof'),\n", " ('flatbed', 'freight car without permanent sides or roof')]},\n", " {'answer': 'flip',\n", " 'hint': 'synonyms for flip',\n", " 'clues': [('toss', 'the act of flipping a coin'),\n", " ('summerset',\n", " 'an acrobatic feat in which the feet roll over the head (either forward or backward) and return'),\n", " ('somerset',\n", " 'an acrobatic feat in which the feet roll over the head (either forward or backward) and return'),\n", " ('summersault',\n", " 'an acrobatic feat in which the feet roll over the head (either forward or backward) and return'),\n", " ('somersaulting',\n", " 'an acrobatic feat in which the feet roll over the head (either forward or backward) and return'),\n", " ('pass',\n", " '(sports) the act of throwing the ball to another member of your team')]},\n", " {'answer': 'flowering',\n", " 'hint': 'synonyms for flowering',\n", " 'clues': [('unfolding', 'a developmental process'),\n", " ('efflorescence',\n", " 'the time and process of budding and unfolding of blossoms'),\n", " ('inflorescence',\n", " 'the time and process of budding and unfolding of blossoms'),\n", " ('anthesis', 'the time and process of budding and unfolding of blossoms'),\n", " ('blossoming',\n", " 'the time and process of budding and unfolding of blossoms')]},\n", " {'answer': 'flush',\n", " 'hint': 'synonyms for flush',\n", " 'clues': [('gush', 'a sudden rapid flow (as of water)'),\n", " ('outpouring', 'a sudden rapid flow (as of water)'),\n", " ('bloom', 'the period of greatest prosperity or productivity'),\n", " ('flower', 'the period of greatest prosperity or productivity'),\n", " ('boot', 'the swift release of a store of affective force'),\n", " ('rush', 'the swift release of a store of affective force'),\n", " ('blush',\n", " 'sudden reddening of the face (as from embarrassment or guilt or shame or modesty)'),\n", " ('kick', 'the swift release of a store of affective force'),\n", " ('blossom', 'the period of greatest prosperity or productivity'),\n", " ('charge', 'the swift release of a store of affective force'),\n", " ('efflorescence', 'the period of greatest prosperity or productivity'),\n", " ('peak', 'the period of greatest prosperity or productivity'),\n", " ('prime', 'the period of greatest prosperity or productivity'),\n", " ('bang', 'the swift release of a store of affective force'),\n", " ('heyday', 'the period of greatest prosperity or productivity'),\n", " ('thrill', 'the swift release of a store of affective force')]},\n", " {'answer': 'fly',\n", " 'hint': 'synonyms for fly',\n", " 'clues': [('fly front',\n", " 'an opening in a garment that is closed by a zipper or by buttons concealed under a fold of cloth'),\n", " ('rainfly',\n", " 'flap consisting of a piece of canvas that can be drawn back to provide entrance to a tent'),\n", " ('tent-fly',\n", " 'flap consisting of a piece of canvas that can be drawn back to provide entrance to a tent'),\n", " ('tent flap',\n", " 'flap consisting of a piece of canvas that can be drawn back to provide entrance to a tent'),\n", " ('fly sheet',\n", " 'flap consisting of a piece of canvas that can be drawn back to provide entrance to a tent'),\n", " ('fly ball', '(baseball) a hit that flies up in the air')]},\n", " {'answer': 'following',\n", " 'hint': 'synonyms for following',\n", " 'clues': [('chase',\n", " 'the act of pursuing in an effort to overtake or capture'),\n", " ('pursuit', 'the act of pursuing in an effort to overtake or capture'),\n", " ('followers', 'a group of followers or enthusiasts'),\n", " ('pursual', 'the act of pursuing in an effort to overtake or capture')]},\n", " {'answer': 'formal',\n", " 'hint': 'synonyms for formal',\n", " 'clues': [('evening gown', 'a gown for evening wear'),\n", " ('dinner gown', 'a gown for evening wear'),\n", " ('ball', 'a lavish dance requiring formal attire'),\n", " ('dinner dress', 'a gown for evening wear')]},\n", " {'answer': 'forte',\n", " 'hint': 'synonyms for forte',\n", " 'clues': [('strength', 'an asset of special worth or utility'),\n", " ('speciality', 'an asset of special worth or utility'),\n", " ('strong point', 'an asset of special worth or utility'),\n", " ('long suit', 'an asset of special worth or utility'),\n", " ('metier', 'an asset of special worth or utility'),\n", " ('strong suit', 'an asset of special worth or utility'),\n", " ('fortissimo', '(music) loud')]},\n", " {'answer': 'four',\n", " 'hint': 'synonyms for four',\n", " 'clues': [('quatern',\n", " 'the cardinal number that is the sum of three and one'),\n", " ('quartet', 'the cardinal number that is the sum of three and one'),\n", " ('quaternion', 'the cardinal number that is the sum of three and one'),\n", " ('tetrad', 'the cardinal number that is the sum of three and one'),\n", " ('four-spot',\n", " 'a playing card or domino or die whose upward face shows four pips'),\n", " ('4', 'the cardinal number that is the sum of three and one'),\n", " ('quadruplet', 'the cardinal number that is the sum of three and one'),\n", " ('foursome', 'the cardinal number that is the sum of three and one'),\n", " ('quaternary', 'the cardinal number that is the sum of three and one'),\n", " ('quaternity', 'the cardinal number that is the sum of three and one')]},\n", " {'answer': 'fourth',\n", " 'hint': 'synonyms for fourth',\n", " 'clues': [('fourth part', 'one of four equal parts'),\n", " ('quarter', 'one of four equal parts'),\n", " ('one-quarter', 'one of four equal parts'),\n", " ('one-fourth', 'one of four equal parts'),\n", " ('twenty-five percent', 'one of four equal parts')]},\n", " {'answer': 'frank',\n", " 'hint': 'synonyms for frank',\n", " 'clues': [('weenie',\n", " 'a smooth-textured sausage of minced beef or pork usually smoked; often served on a bread roll'),\n", " ('dog',\n", " 'a smooth-textured sausage of minced beef or pork usually smoked; often served on a bread roll'),\n", " ('hot dog',\n", " 'a smooth-textured sausage of minced beef or pork usually smoked; often served on a bread roll'),\n", " ('frankfurter',\n", " 'a smooth-textured sausage of minced beef or pork usually smoked; often served on a bread roll'),\n", " ('wiener',\n", " 'a smooth-textured sausage of minced beef or pork usually smoked; often served on a bread roll'),\n", " ('wienerwurst',\n", " 'a smooth-textured sausage of minced beef or pork usually smoked; often served on a bread roll')]},\n", " {'answer': 'front',\n", " 'hint': 'synonyms for front',\n", " 'clues': [('movement',\n", " 'a group of people with a common ideology who try together to achieve certain general goals'),\n", " ('front end', 'the side that is forward or prominent'),\n", " ('battlefront', 'the line along which opposing armies face each other'),\n", " ('presence', 'the immediate proximity of someone or something'),\n", " ('front line', 'the line along which opposing armies face each other'),\n", " ('forepart', 'the side that is forward or prominent'),\n", " ('social movement',\n", " 'a group of people with a common ideology who try together to achieve certain general goals')]},\n", " {'answer': 'fucking',\n", " 'hint': 'synonyms for fucking',\n", " 'clues': [('piece of ass', 'slang for sexual intercourse'),\n", " ('roll in the hay', 'slang for sexual intercourse'),\n", " ('piece of tail', 'slang for sexual intercourse'),\n", " ('shtup', 'slang for sexual intercourse'),\n", " ('screw', 'slang for sexual intercourse'),\n", " ('nookie', 'slang for sexual intercourse'),\n", " ('ass', 'slang for sexual intercourse'),\n", " ('nooky', 'slang for sexual intercourse'),\n", " ('shag', 'slang for sexual intercourse'),\n", " ('fuck', 'slang for sexual intercourse')]},\n", " {'answer': 'future',\n", " 'hint': 'synonyms for future',\n", " 'clues': [('time to come', 'the time yet to come'),\n", " ('futurity', 'the time yet to come'),\n", " ('hereafter', 'the time yet to come'),\n", " ('future tense',\n", " 'a verb tense that expresses actions or states in the future')]},\n", " {'answer': 'gimcrack',\n", " 'hint': 'synonyms for gimcrack',\n", " 'clues': [('trumpery', 'ornamental objects of no great value'),\n", " ('gimcrackery', 'ornamental objects of no great value'),\n", " ('nonsense', 'ornamental objects of no great value'),\n", " ('frill', 'ornamental objects of no great value'),\n", " ('falderol', 'ornamental objects of no great value'),\n", " ('folderal', 'ornamental objects of no great value')]},\n", " {'answer': 'ginger',\n", " 'hint': 'synonyms for ginger',\n", " 'clues': [('gingerroot',\n", " 'pungent rhizome of the common ginger plant; used fresh as a seasoning especially in Asian cookery'),\n", " ('pep', 'liveliness and energy'),\n", " ('peppiness', 'liveliness and energy'),\n", " ('powdered ginger', 'dried ground gingerroot')]},\n", " {'answer': 'gleaming',\n", " 'hint': 'synonyms for gleaming',\n", " 'clues': [('lambency', 'an appearance of reflected light'),\n", " ('glimmer', 'a flash of light (especially reflected light)'),\n", " ('gleam', 'an appearance of reflected light'),\n", " ('glow', 'an appearance of reflected light')]},\n", " {'answer': 'go',\n", " 'hint': 'synonyms for go',\n", " 'clues': [('turn',\n", " 'a time for working (after which you will be relieved by someone else)'),\n", " ('tour',\n", " 'a time for working (after which you will be relieved by someone else)'),\n", " ('spell',\n", " 'a time for working (after which you will be relieved by someone else)'),\n", " ('go game',\n", " \"a board game for two players who place counters on a grid; the object is to surround and so capture the opponent's counters\"),\n", " ('whirl', 'a usually brief attempt'),\n", " ('pass', 'a usually brief attempt'),\n", " ('disco biscuit', 'street names for methylenedioxymethamphetamine'),\n", " ('ecstasy', 'street names for methylenedioxymethamphetamine'),\n", " ('offer', 'a usually brief attempt'),\n", " ('cristal', 'street names for methylenedioxymethamphetamine'),\n", " ('crack', 'a usually brief attempt'),\n", " ('fling', 'a usually brief attempt'),\n", " ('hug drug', 'street names for methylenedioxymethamphetamine')]},\n", " {'answer': 'going',\n", " 'hint': 'synonyms for going',\n", " 'clues': [('departure', 'the act of departing'),\n", " ('loss', 'euphemistic expressions for death'),\n", " ('passing', 'euphemistic expressions for death'),\n", " ('sledding', 'advancing toward a goal'),\n", " ('release', 'euphemistic expressions for death'),\n", " ('expiration', 'euphemistic expressions for death'),\n", " ('leaving', 'the act of departing'),\n", " ('exit', 'euphemistic expressions for death'),\n", " ('going away', 'the act of departing')]},\n", " {'answer': 'governing',\n", " 'hint': 'synonyms for governing',\n", " 'clues': [('government', 'the act of governing; exercising authority'),\n", " ('government activity', 'the act of governing; exercising authority'),\n", " ('governance', 'the act of governing; exercising authority'),\n", " ('administration', 'the act of governing; exercising authority')]},\n", " {'answer': 'grand',\n", " 'hint': 'synonyms for grand',\n", " 'clues': [('grand piano',\n", " 'a piano with the strings on a horizontal harp-shaped frame; usually supported by three legs'),\n", " ('chiliad', 'the cardinal number that is the product of 10 and 100'),\n", " ('thou', 'the cardinal number that is the product of 10 and 100'),\n", " ('yard', 'the cardinal number that is the product of 10 and 100'),\n", " ('one thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('1000', 'the cardinal number that is the product of 10 and 100')]},\n", " {'answer': 'green',\n", " 'hint': 'synonyms for green',\n", " 'clues': [('greenness',\n", " 'green color or pigment; resembling the color of growing grass'),\n", " ('jet', 'street names for ketamine'),\n", " ('park', 'a piece of open land for recreational use in an urban area'),\n", " ('super acid', 'street names for ketamine'),\n", " ('putting surface',\n", " 'an area of closely cropped grass surrounding the hole on a golf course'),\n", " ('special K', 'street names for ketamine'),\n", " ('leafy vegetable',\n", " 'any of various leafy plants or their leaves and stems eaten as vegetables'),\n", " ('honey oil', 'street names for ketamine'),\n", " ('viridity',\n", " 'green color or pigment; resembling the color of growing grass'),\n", " ('commons', 'a piece of open land for recreational use in an urban area'),\n", " ('super C', 'street names for ketamine'),\n", " ('cat valium', 'street names for ketamine'),\n", " ('greens',\n", " 'any of various leafy plants or their leaves and stems eaten as vegetables'),\n", " ('putting green',\n", " 'an area of closely cropped grass surrounding the hole on a golf course')]},\n", " {'answer': 'growing',\n", " 'hint': 'synonyms for growing',\n", " 'clues': [('development',\n", " '(biology) the process of an individual organism growing organically; a purely biological unfolding of events involved in an organism changing gradually from a simple to a more complex level'),\n", " ('ontogenesis',\n", " '(biology) the process of an individual organism growing organically; a purely biological unfolding of events involved in an organism changing gradually from a simple to a more complex level'),\n", " ('ontogeny',\n", " '(biology) the process of an individual organism growing organically; a purely biological unfolding of events involved in an organism changing gradually from a simple to a more complex level'),\n", " ('maturation',\n", " '(biology) the process of an individual organism growing organically; a purely biological unfolding of events involved in an organism changing gradually from a simple to a more complex level'),\n", " ('growth',\n", " '(biology) the process of an individual organism growing organically; a purely biological unfolding of events involved in an organism changing gradually from a simple to a more complex level')]},\n", " {'answer': 'grumbling',\n", " 'hint': 'synonyms for grumbling',\n", " 'clues': [('rumble', 'a loud low dull continuous noise'),\n", " ('murmuring', 'a complaint uttered in a low and indistinct tone'),\n", " ('mutter', 'a complaint uttered in a low and indistinct tone'),\n", " ('rumbling', 'a loud low dull continuous noise')]},\n", " {'answer': 'handless',\n", " 'hint': 'synonyms for handless',\n", " 'clues': [('handle',\n", " 'the appendage to an object that is designed to be held in order to use or move it'),\n", " ('handgrip',\n", " 'the appendage to an object that is designed to be held in order to use or move it'),\n", " ('grip',\n", " 'the appendage to an object that is designed to be held in order to use or move it'),\n", " ('hold',\n", " 'the appendage to an object that is designed to be held in order to use or move it')]},\n", " {'answer': 'hearing',\n", " 'hint': 'synonyms for hearing',\n", " 'clues': [('listening', 'the act of hearing attentively'),\n", " ('earreach', 'the range within which a voice can be heard'),\n", " ('auditory sense', 'the ability to hear; the auditory faculty'),\n", " ('audition', 'the ability to hear; the auditory faculty'),\n", " ('earshot', 'the range within which a voice can be heard'),\n", " ('sense of hearing', 'the ability to hear; the auditory faculty'),\n", " ('auditory modality', 'the ability to hear; the auditory faculty')]},\n", " {'answer': 'high',\n", " 'hint': 'synonyms for high',\n", " 'clues': [('senior high school',\n", " 'a public secondary school usually including grades 9 through 12'),\n", " ('senior high',\n", " 'a public secondary school usually including grades 9 through 12'),\n", " ('highschool',\n", " 'a public secondary school usually including grades 9 through 12'),\n", " ('high gear',\n", " 'a forward gear with a gear ratio that gives the greatest vehicle velocity for a given engine speed'),\n", " ('heights', 'a high place')]},\n", " {'answer': 'home',\n", " 'hint': 'synonyms for home',\n", " 'clues': [('dwelling', 'housing that someone is living in'),\n", " ('home plate',\n", " '(baseball) base consisting of a rubber slab where the batter stands; it must be touched by a base runner in order to score'),\n", " ('place', 'where you live at a particular time'),\n", " ('dwelling house', 'housing that someone is living in'),\n", " ('home base',\n", " '(baseball) base consisting of a rubber slab where the batter stands; it must be touched by a base runner in order to score'),\n", " ('house', 'a social unit living together'),\n", " ('menage', 'a social unit living together'),\n", " ('domicile', 'housing that someone is living in'),\n", " ('abode', 'housing that someone is living in'),\n", " ('nursing home', 'an institution where people are cared for'),\n", " ('habitation', 'housing that someone is living in'),\n", " ('household', 'a social unit living together'),\n", " ('family', 'a social unit living together'),\n", " ('plate',\n", " '(baseball) base consisting of a rubber slab where the batter stands; it must be touched by a base runner in order to score'),\n", " ('base',\n", " 'the place where you are stationed and from which missions start and end'),\n", " ('rest home', 'an institution where people are cared for')]},\n", " {'answer': 'hurt',\n", " 'hint': 'synonyms for hurt',\n", " 'clues': [('suffering', 'psychological suffering'),\n", " ('harm', 'the act of damaging something or someone'),\n", " ('detriment', 'a damage or loss'),\n", " ('distress', 'psychological suffering'),\n", " ('scathe', 'the act of damaging something or someone'),\n", " ('damage', 'the act of damaging something or someone')]},\n", " {'answer': 'i',\n", " 'hint': 'synonyms for i',\n", " 'clues': [('ace',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('iodin',\n", " 'a nonmetallic element belonging to the halogens; used especially in medicine and photography and in dyes; occurs naturally only in combination in small quantities (as in sea water or rocks)'),\n", " ('atomic number 53',\n", " 'a nonmetallic element belonging to the halogens; used especially in medicine and photography and in dyes; occurs naturally only in combination in small quantities (as in sea water or rocks)'),\n", " ('single',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('1', 'the smallest whole number or a numeral representing this number'),\n", " ('one',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('unity',\n", " 'the smallest whole number or a numeral representing this number')]},\n", " {'answer': 'iii',\n", " 'hint': 'synonyms for iii',\n", " 'clues': [('threesome',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('troika', 'the cardinal number that is the sum of one and one and one'),\n", " ('trey', 'the cardinal number that is the sum of one and one and one'),\n", " ('deuce-ace',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('triad', 'the cardinal number that is the sum of one and one and one'),\n", " ('terzetto',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('trio', 'the cardinal number that is the sum of one and one and one'),\n", " ('triplet', 'the cardinal number that is the sum of one and one and one'),\n", " ('tierce', 'the cardinal number that is the sum of one and one and one'),\n", " ('leash', 'the cardinal number that is the sum of one and one and one'),\n", " ('three', 'the cardinal number that is the sum of one and one and one'),\n", " ('ternary', 'the cardinal number that is the sum of one and one and one'),\n", " ('trinity', 'the cardinal number that is the sum of one and one and one'),\n", " ('trine', 'the cardinal number that is the sum of one and one and one'),\n", " ('3', 'the cardinal number that is the sum of one and one and one'),\n", " ('ternion', 'the cardinal number that is the sum of one and one and one'),\n", " ('tercet',\n", " 'the cardinal number that is the sum of one and one and one')]},\n", " {'answer': 'immunosuppressive',\n", " 'hint': 'synonyms for immunosuppressive',\n", " 'clues': [('immunosuppressive drug',\n", " \"a drug that lowers the body's normal immune response\"),\n", " ('immunosuppressant',\n", " \"a drug that lowers the body's normal immune response\"),\n", " ('immunosuppressor',\n", " \"a drug that lowers the body's normal immune response\"),\n", " ('immune suppressant drug',\n", " \"a drug that lowers the body's normal immune response\")]},\n", " {'answer': 'imperfect',\n", " 'hint': 'synonyms for imperfect',\n", " 'clues': [('imperfect tense',\n", " 'a tense of verbs used in describing action that is on-going'),\n", " ('progressive tense',\n", " 'a tense of verbs used in describing action that is on-going'),\n", " ('progressive',\n", " 'a tense of verbs used in describing action that is on-going'),\n", " ('continuous tense',\n", " 'a tense of verbs used in describing action that is on-going')]},\n", " {'answer': 'incoming',\n", " 'hint': 'synonyms for incoming',\n", " 'clues': [('entry', 'the act of entering'),\n", " ('ingress', 'the act of entering'),\n", " ('entrance', 'the act of entering'),\n", " ('entering', 'the act of entering')]},\n", " {'answer': 'indicative',\n", " 'hint': 'synonyms for indicative',\n", " 'clues': [('declarative mood',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact'),\n", " ('indicative mood',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact'),\n", " ('fact mood',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact'),\n", " ('common mood',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact'),\n", " ('declarative',\n", " 'a mood (grammatically unmarked) that represents the act or state as an objective fact')]},\n", " {'answer': 'individual',\n", " 'hint': 'synonyms for individual',\n", " 'clues': [('person', 'a human being'),\n", " ('somebody', 'a human being'),\n", " ('someone', 'a human being'),\n", " ('soul', 'a human being'),\n", " ('mortal', 'a human being')]},\n", " {'answer': 'infrared',\n", " 'hint': 'synonyms for infrared',\n", " 'clues': [('infrared light',\n", " 'electromagnetic radiation with wavelengths longer than visible light but shorter than radio waves'),\n", " ('infrared frequency',\n", " 'the infrared region of the electromagnetic spectrum; electromagnetic wave frequencies below the visible range'),\n", " ('infrared emission',\n", " 'electromagnetic radiation with wavelengths longer than visible light but shorter than radio waves'),\n", " ('infrared radiation',\n", " 'electromagnetic radiation with wavelengths longer than visible light but shorter than radio waves')]},\n", " {'answer': 'initiative',\n", " 'hint': 'synonyms for initiative',\n", " 'clues': [('enterprisingness', 'readiness to embark on bold new ventures'),\n", " ('enterprise', 'readiness to embark on bold new ventures'),\n", " ('opening', 'the first of a series of actions'),\n", " ('go-ahead', 'readiness to embark on bold new ventures'),\n", " ('opening move', 'the first of a series of actions'),\n", " ('first step', 'the first of a series of actions')]},\n", " {'answer': 'instant',\n", " 'hint': 'synonyms for instant',\n", " 'clues': [('flash',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('jiffy',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('trice',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('split second',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('blink of an eye',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('wink',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('twinkling',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('moment', 'a particular point in time'),\n", " ('second', 'a particular point in time'),\n", " ('minute', 'a particular point in time'),\n", " ('heartbeat',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)')]},\n", " {'answer': 'intent',\n", " 'hint': 'synonyms for intent',\n", " 'clues': [('spirit', 'the intended meaning of a communication'),\n", " ('purport', 'the intended meaning of a communication'),\n", " ('aim',\n", " 'an anticipated outcome that is intended or that guides your planned actions'),\n", " ('intention',\n", " 'an anticipated outcome that is intended or that guides your planned actions'),\n", " ('design',\n", " 'an anticipated outcome that is intended or that guides your planned actions'),\n", " ('purpose',\n", " 'an anticipated outcome that is intended or that guides your planned actions')]},\n", " {'answer': 'interrogative',\n", " 'hint': 'synonyms for interrogative',\n", " 'clues': [('interrogation', 'a sentence of inquiry that asks for a reply'),\n", " ('question', 'a sentence of inquiry that asks for a reply'),\n", " ('interrogative sentence', 'a sentence of inquiry that asks for a reply'),\n", " ('interrogative mood',\n", " 'some linguists consider interrogative sentences to constitute a mood')]},\n", " {'answer': 'intoxicant',\n", " 'hint': 'synonyms for intoxicant',\n", " 'clues': [('inebriant',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcohol', 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcoholic drink',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcoholic beverage',\n", " 'a liquor or brew containing alcohol as the active agent')]},\n", " {'answer': 'iv',\n", " 'hint': 'synonyms for iv',\n", " 'clues': [('quatern',\n", " 'the cardinal number that is the sum of three and one'),\n", " ('quartet', 'the cardinal number that is the sum of three and one'),\n", " ('quaternion', 'the cardinal number that is the sum of three and one'),\n", " ('tetrad', 'the cardinal number that is the sum of three and one'),\n", " ('four', 'the cardinal number that is the sum of three and one'),\n", " ('4', 'the cardinal number that is the sum of three and one'),\n", " ('quadruplet', 'the cardinal number that is the sum of three and one'),\n", " ('intravenous feeding', 'administration of nutrients through a vein'),\n", " ('foursome', 'the cardinal number that is the sum of three and one'),\n", " ('quaternary', 'the cardinal number that is the sum of three and one'),\n", " ('quaternity', 'the cardinal number that is the sum of three and one')]},\n", " {'answer': 'jet',\n", " 'hint': 'synonyms for jet',\n", " 'clues': [('squirt',\n", " 'the occurrence of a sudden discharge (as of liquid)'),\n", " ('blue jet',\n", " 'atmospheric discharges (lasting 10 msec) bursting from the tops of giant storm clouds in blue cones that widen as they flash upward'),\n", " ('super acid', 'street names for ketamine'),\n", " ('spurt', 'the occurrence of a sudden discharge (as of liquid)'),\n", " ('green', 'street names for ketamine'),\n", " ('special K', 'street names for ketamine'),\n", " ('honey oil', 'street names for ketamine'),\n", " ('cat valium', 'street names for ketamine'),\n", " ('fountain', 'an artificially produced flow of water'),\n", " ('jet plane', 'an airplane powered by one or more jet engines'),\n", " ('reverse lightning',\n", " 'atmospheric discharges (lasting 10 msec) bursting from the tops of giant storm clouds in blue cones that widen as they flash upward'),\n", " ('spirt', 'the occurrence of a sudden discharge (as of liquid)'),\n", " ('super C', 'street names for ketamine'),\n", " ('jet-propelled plane',\n", " 'an airplane powered by one or more jet engines')]},\n", " {'answer': 'joint',\n", " 'hint': 'synonyms for joint',\n", " 'clues': [('join',\n", " 'the shape or manner in which things come together and a connection is made'),\n", " ('articulation',\n", " 'the shape or manner in which things come together and a connection is made'),\n", " ('stick', 'marijuana leaves rolled into a cigarette for smoking'),\n", " ('junction',\n", " 'the shape or manner in which things come together and a connection is made'),\n", " ('juncture',\n", " 'the shape or manner in which things come together and a connection is made'),\n", " ('reefer', 'marijuana leaves rolled into a cigarette for smoking'),\n", " ('roast',\n", " 'a piece of meat roasted or for roasting and of a size for slicing into more than one portion'),\n", " ('marijuana cigarette',\n", " 'marijuana leaves rolled into a cigarette for smoking'),\n", " ('spliff', 'marijuana leaves rolled into a cigarette for smoking')]},\n", " {'answer': 'k',\n", " 'hint': 'synonyms for k',\n", " 'clues': [('kilobyte', 'a unit of information equal to 1000 bytes'),\n", " ('jet', 'street names for ketamine'),\n", " ('kibibyte', 'a unit of information equal to 1024 bytes'),\n", " ('green', 'street names for ketamine'),\n", " ('special K', 'street names for ketamine'),\n", " ('thou', 'the cardinal number that is the product of 10 and 100'),\n", " ('chiliad', 'the cardinal number that is the product of 10 and 100'),\n", " ('potassium',\n", " 'a light soft silver-white metallic element of the alkali metal group; oxidizes rapidly in air and reacts violently with water; is abundant in nature in combined forms occurring in sea water and in carnallite and kainite and sylvite'),\n", " ('cat valium', 'street names for ketamine'),\n", " ('kelvin',\n", " \"the basic unit of thermodynamic temperature adopted under the Systeme International d'Unites\"),\n", " ('kB', 'a unit of information equal to 1024 bytes'),\n", " ('super acid', 'street names for ketamine'),\n", " ('one thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('honey oil', 'street names for ketamine'),\n", " ('atomic number 19',\n", " 'a light soft silver-white metallic element of the alkali metal group; oxidizes rapidly in air and reacts violently with water; is abundant in nature in combined forms occurring in sea water and in carnallite and kainite and sylvite'),\n", " ('yard', 'the cardinal number that is the product of 10 and 100'),\n", " ('grand', 'the cardinal number that is the product of 10 and 100'),\n", " ('super C', 'street names for ketamine'),\n", " ('thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('1000', 'the cardinal number that is the product of 10 and 100')]},\n", " {'answer': 'key',\n", " 'hint': 'synonyms for key',\n", " 'clues': [('keystone',\n", " 'the central building block at the top of an arch or vault'),\n", " ('winder',\n", " 'mechanical device used to wind another device that is driven by a spring (as a clock)'),\n", " ('tonality',\n", " 'any of 24 major or minor diatonic scales that provide the tonal framework for a piece of music'),\n", " ('cay', 'a coral reef off the southern coast of Florida'),\n", " ('headstone',\n", " 'the central building block at the top of an arch or vault'),\n", " ('paint',\n", " '(basketball) a space (including the foul line) in front of the basket at each end of a basketball court; usually painted a different color from the rest of the court')]},\n", " {'answer': 'killing',\n", " 'hint': 'synonyms for killing',\n", " 'clues': [('putting to death', 'the act of terminating a life'),\n", " ('violent death', 'an event that causes someone to die'),\n", " ('kill', 'the act of terminating a life'),\n", " ('cleanup', 'a very large profit')]},\n", " {'answer': 'kin',\n", " 'hint': 'synonyms for kin',\n", " 'clues': [('kinship group',\n", " 'group of people related by blood or marriage'),\n", " ('tribe', 'group of people related by blood or marriage'),\n", " ('kin group', 'group of people related by blood or marriage'),\n", " ('kindred', 'group of people related by blood or marriage'),\n", " ('clan', 'group of people related by blood or marriage')]},\n", " {'answer': 'kindred',\n", " 'hint': 'synonyms for kindred',\n", " 'clues': [('kin', 'group of people related by blood or marriage'),\n", " ('kinship group', 'group of people related by blood or marriage'),\n", " ('tribe', 'group of people related by blood or marriage'),\n", " ('kin group', 'group of people related by blood or marriage'),\n", " ('clan', 'group of people related by blood or marriage')]},\n", " {'answer': 'l',\n", " 'hint': 'synonyms for l',\n", " 'clues': [('cubic decimetre',\n", " 'a metric unit of capacity, formerly defined as the volume of one kilogram of pure water under standard conditions; now equal to 1,000 cubic centimeters (or approximately 1.75 pints)'),\n", " ('liter',\n", " 'a metric unit of capacity, formerly defined as the volume of one kilogram of pure water under standard conditions; now equal to 1,000 cubic centimeters (or approximately 1.75 pints)'),\n", " ('fifty', 'the cardinal number that is the product of ten and five'),\n", " ('litre',\n", " 'a metric unit of capacity, formerly defined as the volume of one kilogram of pure water under standard conditions; now equal to 1,000 cubic centimeters (or approximately 1.75 pints)'),\n", " ('lambert',\n", " 'a cgs unit of illumination equal to the brightness of a perfectly diffusing surface that emits or reflects one lumen per square centimeter'),\n", " ('50', 'the cardinal number that is the product of ten and five')]},\n", " {'answer': 'lashing',\n", " 'hint': 'synonyms for lashing',\n", " 'clues': [('flagellation',\n", " 'beating with a whip or strap or rope as a form of punishment'),\n", " ('tanning',\n", " 'beating with a whip or strap or rope as a form of punishment'),\n", " ('flogging',\n", " 'beating with a whip or strap or rope as a form of punishment'),\n", " ('whipping',\n", " 'beating with a whip or strap or rope as a form of punishment')]},\n", " {'answer': 'last',\n", " 'hint': 'synonyms for last',\n", " 'clues': [('final stage',\n", " 'the concluding parts of an event or occurrence'),\n", " ('close', 'the temporal end; the concluding time'),\n", " (\"cobbler's last\",\n", " 'holding device shaped like a human foot that is used to fashion or repair shoes'),\n", " ('finis', 'the temporal end; the concluding time'),\n", " ('death', 'the time at which life ends; continuing until dead'),\n", " ('stopping point', 'the temporal end; the concluding time'),\n", " ('finale', 'the temporal end; the concluding time'),\n", " (\"shoemaker's last\",\n", " 'holding device shaped like a human foot that is used to fashion or repair shoes'),\n", " ('conclusion', 'the temporal end; the concluding time'),\n", " ('end', 'the concluding parts of an event or occurrence')]},\n", " {'answer': 'lean',\n", " 'hint': 'synonyms for lean',\n", " 'clues': [('list',\n", " 'the property possessed by a line or surface that departs from the vertical'),\n", " ('leaning',\n", " 'the property possessed by a line or surface that departs from the vertical'),\n", " ('tilt',\n", " 'the property possessed by a line or surface that departs from the vertical'),\n", " ('inclination',\n", " 'the property possessed by a line or surface that departs from the vertical')]},\n", " {'answer': 'leaning',\n", " 'hint': 'synonyms for leaning',\n", " 'clues': [('tendency', 'an inclination to do something'),\n", " ('list',\n", " 'the property possessed by a line or surface that departs from the vertical'),\n", " ('inclination',\n", " 'the property possessed by a line or surface that departs from the vertical'),\n", " ('lean',\n", " 'the property possessed by a line or surface that departs from the vertical'),\n", " ('propensity', 'an inclination to do something'),\n", " ('tilt',\n", " 'the property possessed by a line or surface that departs from the vertical'),\n", " ('proclivity', 'a natural inclination')]},\n", " {'answer': 'level',\n", " 'hint': 'synonyms for level',\n", " 'clues': [('degree',\n", " 'a position on a scale of intensity or amount or quality'),\n", " ('horizontal surface', 'a flat surface at right angles to a plumb line'),\n", " ('stratum', 'an abstract place usually conceived as having depth'),\n", " ('grade', 'a position on a scale of intensity or amount or quality'),\n", " ('storey',\n", " 'a structure consisting of a room or set of rooms at a single position along a vertical scale'),\n", " ('layer', 'an abstract place usually conceived as having depth'),\n", " ('spirit level',\n", " 'indicator that establishes the horizontal when a bubble is centered in a tube of liquid'),\n", " ('floor',\n", " 'a structure consisting of a room or set of rooms at a single position along a vertical scale')]},\n", " {'answer': 'light',\n", " 'hint': 'synonyms for light',\n", " 'clues': [('ignitor',\n", " 'a device for lighting or igniting fuel or charges or fires'),\n", " ('sparkle',\n", " 'merriment expressed by a brightness or gleam or animation of countenance'),\n", " ('twinkle',\n", " 'merriment expressed by a brightness or gleam or animation of countenance'),\n", " ('brightness',\n", " 'the quality of being luminous; emitting or reflecting light'),\n", " ('light source', 'any device serving as a source of illumination'),\n", " ('spark',\n", " 'merriment expressed by a brightness or gleam or animation of countenance'),\n", " ('brightness level',\n", " 'the quality of being luminous; emitting or reflecting light'),\n", " ('visible radiation',\n", " '(physics) electromagnetic radiation that can produce a visual sensation'),\n", " ('lightness',\n", " 'the visual effect of illumination on objects or scenes as created in pictures'),\n", " ('visible light',\n", " '(physics) electromagnetic radiation that can produce a visual sensation'),\n", " ('lighter', 'a device for lighting or igniting fuel or charges or fires'),\n", " ('luminance',\n", " 'the quality of being luminous; emitting or reflecting light'),\n", " ('luminosity',\n", " 'the quality of being luminous; emitting or reflecting light'),\n", " ('luminousness',\n", " 'the quality of being luminous; emitting or reflecting light')]},\n", " {'answer': 'literal',\n", " 'hint': 'synonyms for literal',\n", " 'clues': [('typographical error',\n", " 'a mistake in printed matter resulting from mechanical failures of some kind'),\n", " ('typo',\n", " 'a mistake in printed matter resulting from mechanical failures of some kind'),\n", " ('literal error',\n", " 'a mistake in printed matter resulting from mechanical failures of some kind'),\n", " ('misprint',\n", " 'a mistake in printed matter resulting from mechanical failures of some kind'),\n", " ('erratum',\n", " 'a mistake in printed matter resulting from mechanical failures of some kind')]},\n", " {'answer': 'living',\n", " 'hint': 'synonyms for living',\n", " 'clues': [('keep', 'the financial means whereby one lives'),\n", " ('livelihood', 'the financial means whereby one lives'),\n", " ('bread and butter', 'the financial means whereby one lives'),\n", " ('support', 'the financial means whereby one lives'),\n", " ('sustenance', 'the financial means whereby one lives'),\n", " ('life',\n", " 'the experience of being alive; the course of human events and activities')]},\n", " {'answer': 'm',\n", " 'hint': 'synonyms for m',\n", " 'clues': [('megabyte',\n", " 'a unit of information equal to 1024 kibibytes or 2^20 (1,048,576) bytes'),\n", " ('one thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('molar concentration',\n", " 'concentration measured by the number of moles of solute per liter of solution'),\n", " ('metre',\n", " \"the basic unit of length adopted under the Systeme International d'Unites (approximately 1.094 yards)\"),\n", " ('chiliad', 'the cardinal number that is the product of 10 and 100'),\n", " ('thou', 'the cardinal number that is the product of 10 and 100'),\n", " ('yard', 'the cardinal number that is the product of 10 and 100'),\n", " ('meter',\n", " \"the basic unit of length adopted under the Systeme International d'Unites (approximately 1.094 yards)\"),\n", " ('grand', 'the cardinal number that is the product of 10 and 100'),\n", " ('mebibyte',\n", " 'a unit of information equal to 1024 kibibytes or 2^20 (1,048,576) bytes'),\n", " ('thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('1000', 'the cardinal number that is the product of 10 and 100'),\n", " ('molarity',\n", " 'concentration measured by the number of moles of solute per liter of solution')]},\n", " {'answer': 'magic',\n", " 'hint': 'synonyms for magic',\n", " 'clues': [('illusion',\n", " 'an illusory feat; considered magical by naive observers'),\n", " ('deception', 'an illusory feat; considered magical by naive observers'),\n", " ('legerdemain',\n", " 'an illusory feat; considered magical by naive observers'),\n", " ('conjuration',\n", " 'an illusory feat; considered magical by naive observers'),\n", " ('magic trick',\n", " 'an illusory feat; considered magical by naive observers'),\n", " ('thaumaturgy',\n", " 'an illusory feat; considered magical by naive observers'),\n", " ('conjuring trick',\n", " 'an illusory feat; considered magical by naive observers'),\n", " ('trick', 'an illusory feat; considered magical by naive observers')]},\n", " {'answer': 'majuscule',\n", " 'hint': 'synonyms for majuscule',\n", " 'clues': [('capital',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('uppercase',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('upper-case letter',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('capital letter',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis')]},\n", " {'answer': 'mass',\n", " 'hint': 'synonyms for mass',\n", " 'clues': [('multitude', 'the common people generally'),\n", " ('people', 'the common people generally'),\n", " ('heap', \"(often followed by `of') a large number or amount or extent\"),\n", " ('peck', \"(often followed by `of') a large number or amount or extent\"),\n", " ('flock', \"(often followed by `of') a large number or amount or extent\"),\n", " ('quite a little',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('volume', 'the property of something that is great in magnitude'),\n", " ('mess', \"(often followed by `of') a large number or amount or extent\"),\n", " ('sight', \"(often followed by `of') a large number or amount or extent\"),\n", " ('bulk', 'the property of something that is great in magnitude'),\n", " ('wad', \"(often followed by `of') a large number or amount or extent\"),\n", " ('batch', \"(often followed by `of') a large number or amount or extent\"),\n", " ('hatful', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mickle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('stack', \"(often followed by `of') a large number or amount or extent\"),\n", " ('passel', \"(often followed by `of') a large number or amount or extent\"),\n", " ('deal', \"(often followed by `of') a large number or amount or extent\"),\n", " ('plenty', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pile', \"(often followed by `of') a large number or amount or extent\"),\n", " ('slew', \"(often followed by `of') a large number or amount or extent\"),\n", " ('the great unwashed', 'the common people generally'),\n", " ('great deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('spate', \"(often followed by `of') a large number or amount or extent\"),\n", " ('muckle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mint', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('lot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('hoi polloi', 'the common people generally'),\n", " ('tidy sum',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('masses', 'the common people generally'),\n", " ('good deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('mountain',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('raft', \"(often followed by `of') a large number or amount or extent\")]},\n", " {'answer': 'master',\n", " 'hint': 'synonyms for master',\n", " 'clues': [('master copy',\n", " 'an original creation (i.e., an audio recording) from which copies can be made'),\n", " ('passe-partout', 'key that secures entrance everywhere'),\n", " ('original',\n", " 'an original creation (i.e., an audio recording) from which copies can be made'),\n", " ('master key', 'key that secures entrance everywhere'),\n", " ('passkey', 'key that secures entrance everywhere')]},\n", " {'answer': 'mat',\n", " 'hint': 'synonyms for mat',\n", " 'clues': [('lustrelessness',\n", " 'the property of having little or no contrast; lacking highlights or gloss'),\n", " ('matt',\n", " 'the property of having little or no contrast; lacking highlights or gloss'),\n", " ('gym mat',\n", " 'sports equipment consisting of a piece of thick padding on the floor for gymnastic sports'),\n", " ('flatness',\n", " 'the property of having little or no contrast; lacking highlights or gloss')]},\n", " {'answer': 'material',\n", " 'hint': 'synonyms for material',\n", " 'clues': [('textile',\n", " 'artifact made by weaving or felting or knitting or crocheting natural or synthetic fibers'),\n", " ('cloth',\n", " 'artifact made by weaving or felting or knitting or crocheting natural or synthetic fibers'),\n", " ('stuff',\n", " 'the tangible substance that goes into the makeup of a physical object'),\n", " ('fabric',\n", " 'artifact made by weaving or felting or knitting or crocheting natural or synthetic fibers')]},\n", " {'answer': 'matt',\n", " 'hint': 'synonyms for matt',\n", " 'clues': [('lustrelessness',\n", " 'the property of having little or no contrast; lacking highlights or gloss'),\n", " ('mat',\n", " 'the property of having little or no contrast; lacking highlights or gloss'),\n", " ('flatness',\n", " 'the property of having little or no contrast; lacking highlights or gloss'),\n", " ('matte',\n", " 'the property of having little or no contrast; lacking highlights or gloss')]},\n", " {'answer': 'maximum',\n", " 'hint': 'synonyms for maximum',\n", " 'clues': [('utmost', 'the greatest possible degree'),\n", " ('uttermost', 'the greatest possible degree'),\n", " ('level best', 'the greatest possible degree'),\n", " ('upper limit', 'the largest possible quantity')]},\n", " {'answer': 'meaning',\n", " 'hint': 'synonyms for meaning',\n", " 'clues': [('substance', 'the idea that is intended'),\n", " ('significance',\n", " 'the message that is intended or expressed or signified'),\n", " ('signification',\n", " 'the message that is intended or expressed or signified'),\n", " ('import', 'the message that is intended or expressed or signified')]},\n", " {'answer': 'medical',\n", " 'hint': 'synonyms for medical',\n", " 'clues': [('medical examination',\n", " 'a thorough physical examination; includes a variety of tests depending on the age and sex and health of the person'),\n", " ('medical exam',\n", " 'a thorough physical examination; includes a variety of tests depending on the age and sex and health of the person'),\n", " ('health check',\n", " 'a thorough physical examination; includes a variety of tests depending on the age and sex and health of the person'),\n", " ('medical checkup',\n", " 'a thorough physical examination; includes a variety of tests depending on the age and sex and health of the person'),\n", " ('checkup',\n", " 'a thorough physical examination; includes a variety of tests depending on the age and sex and health of the person')]},\n", " {'answer': 'merging',\n", " 'hint': 'synonyms for merging',\n", " 'clues': [('meeting', 'the act of joining together as one'),\n", " ('conflux', 'a flowing together'),\n", " ('coming together', 'the act of joining together as one'),\n", " ('confluence', 'a flowing together')]},\n", " {'answer': 'middle',\n", " 'hint': 'synonyms for middle',\n", " 'clues': [('centre',\n", " 'an area that is approximately central within some larger region'),\n", " ('eye',\n", " 'an area that is approximately central within some larger region'),\n", " ('heart',\n", " 'an area that is approximately central within some larger region'),\n", " ('center',\n", " 'an area that is approximately central within some larger region')]},\n", " {'answer': 'military',\n", " 'hint': 'synonyms for military',\n", " 'clues': [('war machine', 'the military forces of a nation'),\n", " ('armed services', 'the military forces of a nation'),\n", " ('armed forces', 'the military forces of a nation'),\n", " ('military machine', 'the military forces of a nation')]},\n", " {'answer': 'million',\n", " 'hint': 'synonyms for million',\n", " 'clues': [('gazillion',\n", " 'a very large indefinite number (usually hyperbole)'),\n", " ('jillion', 'a very large indefinite number (usually hyperbole)'),\n", " ('1000000',\n", " 'the number that is represented as a one followed by 6 zeros'),\n", " ('meg', 'the number that is represented as a one followed by 6 zeros'),\n", " ('trillion', 'a very large indefinite number (usually hyperbole)'),\n", " ('one thousand thousand',\n", " 'the number that is represented as a one followed by 6 zeros')]},\n", " {'answer': 'mint',\n", " 'hint': 'synonyms for mint',\n", " 'clues': [('heap',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('peck', \"(often followed by `of') a large number or amount or extent\"),\n", " ('flock', \"(often followed by `of') a large number or amount or extent\"),\n", " ('quite a little',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('mess', \"(often followed by `of') a large number or amount or extent\"),\n", " ('sight', \"(often followed by `of') a large number or amount or extent\"),\n", " ('wad', \"(often followed by `of') a large number or amount or extent\"),\n", " ('batch', \"(often followed by `of') a large number or amount or extent\"),\n", " ('hatful', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mickle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('stack', \"(often followed by `of') a large number or amount or extent\"),\n", " ('passel', \"(often followed by `of') a large number or amount or extent\"),\n", " ('deal', \"(often followed by `of') a large number or amount or extent\"),\n", " ('plenty', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pile', \"(often followed by `of') a large number or amount or extent\"),\n", " ('slew', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mint candy', 'a candy that is flavored with a mint oil'),\n", " ('great deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('spate', \"(often followed by `of') a large number or amount or extent\"),\n", " ('muckle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('lot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('tidy sum',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('good deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('mass', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mountain',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('raft', \"(often followed by `of') a large number or amount or extent\")]},\n", " {'answer': 'minute',\n", " 'hint': 'synonyms for minute',\n", " 'clues': [('hour', 'distance measured by the time taken to cover it'),\n", " ('second', 'a particular point in time'),\n", " ('mo', 'an indefinitely short time'),\n", " ('minute of arc',\n", " 'a unit of angular distance equal to a 60th of a degree'),\n", " ('moment', 'a particular point in time'),\n", " ('min', 'a unit of time equal to 60 seconds or 1/60th of an hour'),\n", " ('instant', 'a particular point in time'),\n", " ('arcminute', 'a unit of angular distance equal to a 60th of a degree'),\n", " ('bit', 'an indefinitely short time')]},\n", " {'answer': 'model',\n", " 'hint': 'synonyms for model',\n", " 'clues': [('simulation',\n", " 'representation of something (sometimes on a smaller scale)'),\n", " ('good example', 'something to be imitated'),\n", " ('example', 'a representative form or pattern'),\n", " ('exemplar', 'something to be imitated'),\n", " ('framework',\n", " 'a hypothetical description of a complex entity or process'),\n", " ('theoretical account',\n", " 'a hypothetical description of a complex entity or process'),\n", " ('modelling',\n", " 'the act of representing something (usually on a smaller scale)')]},\n", " {'answer': 'mortal',\n", " 'hint': 'synonyms for mortal',\n", " 'clues': [('person', 'a human being'),\n", " ('individual', 'a human being'),\n", " ('somebody', 'a human being'),\n", " ('someone', 'a human being'),\n", " ('soul', 'a human being')]},\n", " {'answer': 'motley',\n", " 'hint': 'synonyms for motley',\n", " 'clues': [('smorgasbord',\n", " 'a collection containing a variety of sorts of things'),\n", " ('mixed bag', 'a collection containing a variety of sorts of things'),\n", " ('potpourri', 'a collection containing a variety of sorts of things'),\n", " ('miscellanea', 'a collection containing a variety of sorts of things'),\n", " ('assortment', 'a collection containing a variety of sorts of things'),\n", " ('mixture', 'a collection containing a variety of sorts of things'),\n", " ('variety', 'a collection containing a variety of sorts of things'),\n", " ('salmagundi', 'a collection containing a variety of sorts of things')]},\n", " {'answer': 'murmuring',\n", " 'hint': 'synonyms for murmuring',\n", " 'clues': [('grumbling',\n", " 'a complaint uttered in a low and indistinct tone'),\n", " ('mutter',\n", " 'a low continuous indistinct sound; often accompanied by movement of the lips without the production of articulate speech'),\n", " ('grumble', 'a complaint uttered in a low and indistinct tone'),\n", " ('mussitation',\n", " 'a low continuous indistinct sound; often accompanied by movement of the lips without the production of articulate speech'),\n", " ('murmur',\n", " 'a low continuous indistinct sound; often accompanied by movement of the lips without the production of articulate speech'),\n", " ('murmuration',\n", " 'a low continuous indistinct sound; often accompanied by movement of the lips without the production of articulate speech')]},\n", " {'answer': 'musing',\n", " 'hint': 'synonyms for musing',\n", " 'clues': [('thoughtfulness', 'a calm, lengthy, intent consideration'),\n", " ('rumination', 'a calm, lengthy, intent consideration'),\n", " ('reflexion', 'a calm, lengthy, intent consideration'),\n", " ('contemplation', 'a calm, lengthy, intent consideration'),\n", " ('reflection', 'a calm, lengthy, intent consideration')]},\n", " {'answer': 'necessary',\n", " 'hint': 'synonyms for necessary',\n", " 'clues': [('requirement', 'anything indispensable'),\n", " ('requisite', 'anything indispensable'),\n", " ('necessity', 'anything indispensable'),\n", " ('essential', 'anything indispensable')]},\n", " {'answer': 'net',\n", " 'hint': 'synonyms for net',\n", " 'clues': [('network',\n", " 'an open fabric of string or rope or wire woven together at regular intervals'),\n", " ('cyberspace',\n", " 'a computer network consisting of a worldwide network of computer networks that use the TCP/IP network protocols to facilitate data transmission and exchange'),\n", " ('profit',\n", " 'the excess of revenues over outlays in a given period of time (including depreciation and other non-cash expenses)'),\n", " ('mesh',\n", " 'an open fabric of string or rope or wire woven together at regular intervals'),\n", " ('net income',\n", " 'the excess of revenues over outlays in a given period of time (including depreciation and other non-cash expenses)'),\n", " ('internet',\n", " 'a computer network consisting of a worldwide network of computer networks that use the TCP/IP network protocols to facilitate data transmission and exchange'),\n", " ('earnings',\n", " 'the excess of revenues over outlays in a given period of time (including depreciation and other non-cash expenses)'),\n", " ('lucre',\n", " 'the excess of revenues over outlays in a given period of time (including depreciation and other non-cash expenses)'),\n", " ('meshwork',\n", " 'an open fabric of string or rope or wire woven together at regular intervals'),\n", " ('net profit',\n", " 'the excess of revenues over outlays in a given period of time (including depreciation and other non-cash expenses)')]},\n", " {'answer': 'nine',\n", " 'hint': 'synonyms for nine',\n", " 'clues': [('ennead',\n", " 'the cardinal number that is the sum of eight and one'),\n", " ('9', 'the cardinal number that is the sum of eight and one'),\n", " ('baseball club',\n", " 'a team of professional baseball players who play and travel together'),\n", " ('club',\n", " 'a team of professional baseball players who play and travel together'),\n", " ('nine-spot',\n", " 'one of four playing cards in a deck with nine pips on the face'),\n", " ('ball club',\n", " 'a team of professional baseball players who play and travel together'),\n", " ('niner', 'the cardinal number that is the sum of eight and one')]},\n", " {'answer': 'nip_and_tuck',\n", " 'hint': 'synonyms for nip and tuck',\n", " 'clues': [('cosmetic surgery',\n", " 'plastic surgery to remove wrinkles and other signs of aging from your face; an incision is made near the hair line and skin is pulled back and excess tissue is excised'),\n", " ('facelift',\n", " 'plastic surgery to remove wrinkles and other signs of aging from your face; an incision is made near the hair line and skin is pulled back and excess tissue is excised'),\n", " ('lift',\n", " 'plastic surgery to remove wrinkles and other signs of aging from your face; an incision is made near the hair line and skin is pulled back and excess tissue is excised'),\n", " ('rhytidectomy',\n", " 'plastic surgery to remove wrinkles and other signs of aging from your face; an incision is made near the hair line and skin is pulled back and excess tissue is excised'),\n", " ('face lifting',\n", " 'plastic surgery to remove wrinkles and other signs of aging from your face; an incision is made near the hair line and skin is pulled back and excess tissue is excised'),\n", " ('rhytidoplasty',\n", " 'plastic surgery to remove wrinkles and other signs of aging from your face; an incision is made near the hair line and skin is pulled back and excess tissue is excised')]},\n", " {'answer': 'nonsense',\n", " 'hint': 'synonyms for nonsense',\n", " 'clues': [('gimcrackery', 'ornamental objects of no great value'),\n", " ('meaninglessness', 'a message that seems to convey no meaning'),\n", " ('falderol', 'ornamental objects of no great value'),\n", " ('nonsensicality', 'a message that seems to convey no meaning'),\n", " ('folderal', 'ornamental objects of no great value'),\n", " ('bunk', 'a message that seems to convey no meaning'),\n", " ('frill', 'ornamental objects of no great value'),\n", " ('gimcrack', 'ornamental objects of no great value'),\n", " ('hokum', 'a message that seems to convey no meaning'),\n", " ('trumpery', 'ornamental objects of no great value')]},\n", " {'answer': 'normal',\n", " 'hint': 'synonyms for normal',\n", " 'clues': [('formula', 'something regarded as a normative example'),\n", " ('convention', 'something regarded as a normative example'),\n", " ('pattern', 'something regarded as a normative example'),\n", " ('rule', 'something regarded as a normative example')]},\n", " {'answer': 'north',\n", " 'hint': 'synonyms for north',\n", " 'clues': [('northward',\n", " 'the cardinal compass point that is at 0 or 360 degrees'),\n", " ('due north', 'the cardinal compass point that is at 0 or 360 degrees'),\n", " ('magnetic north', 'the direction in which a compass needle points'),\n", " ('compass north', 'the direction in which a compass needle points')]},\n", " {'answer': 'null',\n", " 'hint': 'synonyms for null',\n", " 'clues': [('zip', 'a quantity of no importance'),\n", " ('naught', 'a quantity of no importance'),\n", " ('nix', 'a quantity of no importance'),\n", " ('zilch', 'a quantity of no importance'),\n", " ('cypher', 'a quantity of no importance'),\n", " ('nil', 'a quantity of no importance'),\n", " ('nothing', 'a quantity of no importance'),\n", " ('zero', 'a quantity of no importance'),\n", " ('nada', 'a quantity of no importance'),\n", " ('cipher', 'a quantity of no importance'),\n", " ('zippo', 'a quantity of no importance'),\n", " ('goose egg', 'a quantity of no importance')]},\n", " {'answer': 'objective',\n", " 'hint': 'synonyms for objective',\n", " 'clues': [('object',\n", " 'the goal intended to be attained (and which is believed to be attainable)'),\n", " ('aim',\n", " 'the goal intended to be attained (and which is believed to be attainable)'),\n", " ('target',\n", " 'the goal intended to be attained (and which is believed to be attainable)'),\n", " ('object glass',\n", " 'the lens or system of lenses in a telescope or microscope that is nearest the object being viewed'),\n", " ('object lens',\n", " 'the lens or system of lenses in a telescope or microscope that is nearest the object being viewed')]},\n", " {'answer': 'occlusive',\n", " 'hint': 'synonyms for occlusive',\n", " 'clues': [('stop',\n", " 'a consonant produced by stopping the flow of air at some point and suddenly releasing it'),\n", " ('plosive consonant',\n", " 'a consonant produced by stopping the flow of air at some point and suddenly releasing it'),\n", " ('stop consonant',\n", " 'a consonant produced by stopping the flow of air at some point and suddenly releasing it'),\n", " ('plosive',\n", " 'a consonant produced by stopping the flow of air at some point and suddenly releasing it'),\n", " ('plosive speech sound',\n", " 'a consonant produced by stopping the flow of air at some point and suddenly releasing it')]},\n", " {'answer': 'omnibus',\n", " 'hint': 'synonyms for omnibus',\n", " 'clues': [('bus',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('charabanc',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('autobus',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('passenger vehicle',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('double-decker',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('motorbus',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('jitney',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('motorcoach',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('coach',\n", " 'a vehicle carrying many passengers; used for public transport')]},\n", " {'answer': 'one',\n", " 'hint': 'synonyms for one',\n", " 'clues': [('1',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('unity',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('ace',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('single',\n", " 'the smallest whole number or a numeral representing this number')]},\n", " {'answer': 'one_thousand',\n", " 'hint': 'synonyms for one thousand',\n", " 'clues': [('chiliad',\n", " 'the cardinal number that is the product of 10 and 100'),\n", " ('thou', 'the cardinal number that is the product of 10 and 100'),\n", " ('yard', 'the cardinal number that is the product of 10 and 100'),\n", " ('grand', 'the cardinal number that is the product of 10 and 100'),\n", " ('thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('1000', 'the cardinal number that is the product of 10 and 100')]},\n", " {'answer': 'open',\n", " 'hint': 'synonyms for open',\n", " 'clues': [('surface', 'information that has become public'),\n", " ('out-of-doors', 'where the air is unconfined'),\n", " ('clear', 'a clear or unobstructed space or expanse of land or water'),\n", " ('open air', 'where the air is unconfined'),\n", " ('outdoors', 'where the air is unconfined')]},\n", " {'answer': 'opening',\n", " 'hint': 'synonyms for opening',\n", " 'clues': [('gap', 'an open or empty space in or between things'),\n", " ('possibility', 'a possible alternative'),\n", " ('initiative', 'the first of a series of actions'),\n", " ('opening night',\n", " 'the first performance (as of a theatrical production)'),\n", " ('opening move', 'the first of a series of actions'),\n", " ('first step', 'the first of a series of actions'),\n", " ('possible action', 'a possible alternative'),\n", " ('chess opening',\n", " 'a recognized sequence of moves at the beginning of a game of chess'),\n", " ('curtain raising',\n", " 'the first performance (as of a theatrical production)'),\n", " ('scuttle',\n", " 'an entrance equipped with a hatch; especially a passageway between decks of a ship'),\n", " ('hatchway',\n", " 'an entrance equipped with a hatch; especially a passageway between decks of a ship')]},\n", " {'answer': 'opposite',\n", " 'hint': 'synonyms for opposite',\n", " 'clues': [('opposite word',\n", " 'a word that expresses a meaning opposed to the meaning of another word, in which case the two words are antonyms of each other'),\n", " ('contrary', 'a relation of direct opposition'),\n", " ('inverse', 'something inverted in sequence or character or effect'),\n", " ('antonym',\n", " 'a word that expresses a meaning opposed to the meaning of another word, in which case the two words are antonyms of each other'),\n", " ('reverse', 'a relation of direct opposition')]},\n", " {'answer': 'oral',\n", " 'hint': 'synonyms for oral',\n", " 'clues': [('oral examination',\n", " 'an examination conducted by spoken communication'),\n", " ('viva', 'an examination conducted by spoken communication'),\n", " ('oral exam', 'an examination conducted by spoken communication'),\n", " ('viva voce', 'an examination conducted by spoken communication')]},\n", " {'answer': 'original',\n", " 'hint': 'synonyms for original',\n", " 'clues': [('pilot',\n", " 'something that serves as a model or a basis for making copies'),\n", " ('master copy',\n", " 'an original creation (i.e., an audio recording) from which copies can be made'),\n", " ('archetype',\n", " 'something that serves as a model or a basis for making copies'),\n", " ('master',\n", " 'an original creation (i.e., an audio recording) from which copies can be made')]},\n", " {'answer': 'ottoman',\n", " 'hint': 'synonyms for ottoman',\n", " 'clues': [('pouf', 'thick cushion used as a seat'),\n", " ('footstool',\n", " 'a low seat or a stool to rest the feet of a seated person'),\n", " ('hassock', 'thick cushion used as a seat'),\n", " ('footrest', 'a low seat or a stool to rest the feet of a seated person'),\n", " ('puff', 'thick cushion used as a seat'),\n", " ('tuffet', 'a low seat or a stool to rest the feet of a seated person'),\n", " ('pouffe', 'thick cushion used as a seat')]},\n", " {'answer': 'overhead',\n", " 'hint': 'synonyms for overhead',\n", " 'clues': [('operating cost',\n", " 'the expense of maintaining property (e.g., paying property taxes and utilities and insurance); it does not include depreciation or the cost of financing or income taxes'),\n", " ('budget items',\n", " 'the expense of maintaining property (e.g., paying property taxes and utilities and insurance); it does not include depreciation or the cost of financing or income taxes'),\n", " ('command processing overhead',\n", " '(computer science) the processing time required by a device prior to the execution of a command'),\n", " ('operating expense',\n", " 'the expense of maintaining property (e.g., paying property taxes and utilities and insurance); it does not include depreciation or the cost of financing or income taxes'),\n", " ('smash', 'a hard return hitting the tennis ball above your head'),\n", " ('command overhead',\n", " '(computer science) the processing time required by a device prior to the execution of a command'),\n", " ('disk overhead',\n", " '(computer science) the disk space required for information that is not data but is used for location and timing'),\n", " ('viewgraph', 'a transparency for use with an overhead projector')]},\n", " {'answer': 'paperback',\n", " 'hint': 'synonyms for paperback',\n", " 'clues': [('soft-cover book', 'a book with paper covers'),\n", " ('softback book', 'a book with paper covers'),\n", " ('paperback book', 'a book with paper covers'),\n", " ('soft-cover', 'a book with paper covers'),\n", " ('softback', 'a book with paper covers')]},\n", " {'answer': 'parallel',\n", " 'hint': 'synonyms for parallel',\n", " 'clues': [('analogue',\n", " 'something having the property of being analogous to something else'),\n", " ('parallel of latitude',\n", " 'an imaginary line around the Earth parallel to the equator'),\n", " ('line of latitude',\n", " 'an imaginary line around the Earth parallel to the equator'),\n", " ('latitude',\n", " 'an imaginary line around the Earth parallel to the equator')]},\n", " {'answer': 'particular',\n", " 'hint': 'synonyms for particular',\n", " 'clues': [('specific', 'a fact about some part (as opposed to general)'),\n", " ('item', 'a small part that can be considered separately from the whole'),\n", " ('particular proposition',\n", " '(logic) a proposition that asserts something about some (but not all) members of a class'),\n", " ('detail',\n", " 'a small part that can be considered separately from the whole')]},\n", " {'answer': 'pass',\n", " 'hint': 'synonyms for pass',\n", " 'clues': [('passing play',\n", " '(American football) a play that involves one player throwing the ball to a teammate'),\n", " ('notch',\n", " 'the location in a range of mountains of a geological formation that is lower than the surrounding peaks'),\n", " ('whirl', 'a usually brief attempt'),\n", " ('pas', '(ballet) a step in dancing (especially in classical ballet)'),\n", " ('fling', 'a usually brief attempt'),\n", " ('flip',\n", " '(sports) the act of throwing the ball to another member of your team'),\n", " ('walk',\n", " '(baseball) an advance to first base by a batter who receives four balls'),\n", " ('mountain pass',\n", " 'the location in a range of mountains of a geological formation that is lower than the surrounding peaks'),\n", " ('qualifying', 'success in satisfying a test or requirement'),\n", " ('straits', 'a difficult juncture'),\n", " ('passing', 'success in satisfying a test or requirement'),\n", " ('go', 'a usually brief attempt'),\n", " ('passport', 'any authorization to pass or go somewhere'),\n", " ('base on balls',\n", " '(baseball) an advance to first base by a batter who receives four balls'),\n", " ('bye',\n", " 'you advance to the next round in a tournament without playing an opponent'),\n", " ('offer', 'a usually brief attempt'),\n", " ('crack', 'a usually brief attempt'),\n", " ('toss',\n", " '(sports) the act of throwing the ball to another member of your team'),\n", " ('laissez passer',\n", " 'a document indicating permission to do something without restrictions'),\n", " ('liberty chit', 'a permit to enter or leave a military installation'),\n", " ('head', 'a difficult juncture'),\n", " ('passing game',\n", " '(American football) a play that involves one player throwing the ball to a teammate')]},\n", " {'answer': 'passing',\n", " 'hint': 'synonyms for passing',\n", " 'clues': [('passing play',\n", " '(American football) a play that involves one player throwing the ball to a teammate'),\n", " ('pass', 'success in satisfying a test or requirement'),\n", " ('loss', 'euphemistic expressions for death'),\n", " ('departure', 'euphemistic expressions for death'),\n", " ('overtaking',\n", " 'going by something that is moving in order to get in front of it'),\n", " ('passage',\n", " 'a bodily reaction of changing from one place or stage to another'),\n", " ('release', 'euphemistic expressions for death'),\n", " ('expiration', 'euphemistic expressions for death'),\n", " ('qualifying', 'success in satisfying a test or requirement'),\n", " ('going', 'euphemistic expressions for death'),\n", " ('passing game',\n", " '(American football) a play that involves one player throwing the ball to a teammate'),\n", " ('exit', 'euphemistic expressions for death')]},\n", " {'answer': 'peanut',\n", " 'hint': 'synonyms for peanut',\n", " 'clues': [('groundnut',\n", " \"pod of the peanut vine containing usually 2 nuts or seeds; `groundnut' and `monkey nut' are British terms\"),\n", " ('earthnut',\n", " \"pod of the peanut vine containing usually 2 nuts or seeds; `groundnut' and `monkey nut' are British terms\"),\n", " ('monkey nut',\n", " \"pod of the peanut vine containing usually 2 nuts or seeds; `groundnut' and `monkey nut' are British terms\"),\n", " ('goober pea',\n", " \"pod of the peanut vine containing usually 2 nuts or seeds; `groundnut' and `monkey nut' are British terms\"),\n", " ('goober',\n", " \"pod of the peanut vine containing usually 2 nuts or seeds; `groundnut' and `monkey nut' are British terms\")]},\n", " {'answer': 'pedal',\n", " 'hint': 'synonyms for pedal',\n", " 'clues': [('pedal point', 'a sustained bass note'),\n", " ('foot pedal', 'a lever that is operated with the foot'),\n", " ('treadle', 'a lever that is operated with the foot'),\n", " ('foot lever', 'a lever that is operated with the foot')]},\n", " {'answer': 'pedigree',\n", " 'hint': 'synonyms for pedigree',\n", " 'clues': [('bloodline', 'the descendants of one individual'),\n", " ('line', 'the descendants of one individual'),\n", " ('lineage', 'the descendants of one individual'),\n", " ('origin', 'the descendants of one individual'),\n", " ('blood', 'the descendants of one individual'),\n", " ('stemma', 'the descendants of one individual'),\n", " ('stock', 'the descendants of one individual'),\n", " ('ancestry', 'the descendants of one individual'),\n", " ('line of descent', 'the descendants of one individual'),\n", " ('parentage', 'the descendants of one individual'),\n", " ('descent', 'the descendants of one individual')]},\n", " {'answer': 'phantom',\n", " 'hint': 'synonyms for phantom',\n", " 'clues': [('shadow', 'something existing in perception only'),\n", " ('phantasm', 'something existing in perception only'),\n", " ('apparition', 'something existing in perception only'),\n", " ('fantasm', 'something existing in perception only')]},\n", " {'answer': 'plain',\n", " 'hint': 'synonyms for plain',\n", " 'clues': [('plain stitch', 'a basic knitting stitch'),\n", " ('knit stitch', 'a basic knitting stitch'),\n", " ('champaign', 'extensive tract of level open land'),\n", " ('knit', 'a basic knitting stitch'),\n", " ('field', 'extensive tract of level open land')]},\n", " {'answer': 'plane',\n", " 'hint': 'synonyms for plane',\n", " 'clues': [('airplane',\n", " 'an aircraft that has a fixed wing and is powered by propellers or jets'),\n", " ('planer', 'a power tool for smoothing or shaping wood'),\n", " ('sheet', '(mathematics) an unbounded two-dimensional shape'),\n", " ('woodworking plane',\n", " \"a carpenter's hand tool with an adjustable blade for smoothing or shaping wood\"),\n", " ('planing machine', 'a power tool for smoothing or shaping wood'),\n", " (\"carpenter's plane\",\n", " \"a carpenter's hand tool with an adjustable blade for smoothing or shaping wood\"),\n", " ('aeroplane',\n", " 'an aircraft that has a fixed wing and is powered by propellers or jets')]},\n", " {'answer': 'plodding',\n", " 'hint': 'synonyms for plodding',\n", " 'clues': [('donkeywork', 'hard monotonous routine work'),\n", " ('drudgery', 'hard monotonous routine work'),\n", " ('grind', 'hard monotonous routine work'),\n", " ('plod', 'the act of walking with a slow heavy gait')]},\n", " {'answer': 'pokey',\n", " 'hint': 'synonyms for pokey',\n", " 'clues': [('poky',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('jailhouse',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('clink',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('gaol',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('jail',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('slammer',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)')]},\n", " {'answer': 'poky',\n", " 'hint': 'synonyms for poky',\n", " 'clues': [('jailhouse',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('pokey',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('clink',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('gaol',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('jail',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)'),\n", " ('slammer',\n", " 'a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence)')]},\n", " {'answer': 'pop',\n", " 'hint': 'synonyms for pop',\n", " 'clues': [('soda pop',\n", " 'a sweet drink containing carbonated water and flavoring'),\n", " ('soda water', 'a sweet drink containing carbonated water and flavoring'),\n", " ('pop music',\n", " \"music of general appeal to teenagers; a bland watered-down version of rock'n'roll with more rhythm and harmony and an emphasis on romantic love\"),\n", " ('soda', 'a sweet drink containing carbonated water and flavoring'),\n", " ('tonic', 'a sweet drink containing carbonated water and flavoring'),\n", " ('popping',\n", " 'a sharp explosive sound as from a gunshot or drawing a cork')]},\n", " {'answer': 'port',\n", " 'hint': 'synonyms for port',\n", " 'clues': [('port wine',\n", " 'sweet dark-red dessert wine originally from Portugal'),\n", " ('larboard',\n", " 'the left side of a ship or aircraft to someone who is aboard and facing the bow or nose'),\n", " ('interface',\n", " '(computer science) computer circuit consisting of the hardware and associated circuitry that links one device with another (especially a computer and a hard disk drive or other peripherals)'),\n", " ('porthole',\n", " 'an opening (in a wall or ship or armored vehicle) for firing through'),\n", " ('embrasure',\n", " 'an opening (in a wall or ship or armored vehicle) for firing through')]},\n", " {'answer': 'postmortem',\n", " 'hint': 'synonyms for postmortem',\n", " 'clues': [('necropsy',\n", " 'an examination and dissection of a dead body to determine cause of death or the changes produced by disease'),\n", " ('post-mortem examination',\n", " 'an examination and dissection of a dead body to determine cause of death or the changes produced by disease'),\n", " ('autopsy',\n", " 'an examination and dissection of a dead body to determine cause of death or the changes produced by disease'),\n", " ('post-mortem', 'discussion of an event after it has occurred')]},\n", " {'answer': 'potential',\n", " 'hint': 'synonyms for potential',\n", " 'clues': [('potential drop',\n", " 'the difference in electrical charge between two points in a circuit expressed in volts'),\n", " ('potential difference',\n", " 'the difference in electrical charge between two points in a circuit expressed in volts'),\n", " ('electric potential',\n", " 'the difference in electrical charge between two points in a circuit expressed in volts'),\n", " ('voltage',\n", " 'the difference in electrical charge between two points in a circuit expressed in volts')]},\n", " {'answer': 'potty',\n", " 'hint': 'synonyms for potty',\n", " 'clues': [('can', 'a plumbing fixture for defecation and urination'),\n", " ('thunder mug',\n", " 'a receptacle for urination or defecation in the bedroom'),\n", " ('stool', 'a plumbing fixture for defecation and urination'),\n", " ('pot', 'a plumbing fixture for defecation and urination'),\n", " ('toilet', 'a plumbing fixture for defecation and urination'),\n", " ('throne', 'a plumbing fixture for defecation and urination'),\n", " ('chamberpot', 'a receptacle for urination or defecation in the bedroom'),\n", " ('commode', 'a plumbing fixture for defecation and urination'),\n", " ('crapper', 'a plumbing fixture for defecation and urination')]},\n", " {'answer': 'premium',\n", " 'hint': 'synonyms for premium',\n", " 'clues': [('insurance premium', 'payment for insurance'),\n", " ('agiotage', 'a fee charged for exchanging currencies'),\n", " ('agio', 'a fee charged for exchanging currencies'),\n", " ('bounty',\n", " 'payment or reward (especially from a government) for acts such as catching criminals or killing predatory animals or enlisting in the military'),\n", " ('exchange premium', 'a fee charged for exchanging currencies')]},\n", " {'answer': 'preventative',\n", " 'hint': 'synonyms for preventative',\n", " 'clues': [('incumbrance', 'any obstruction that impedes or is burdensome'),\n", " ('prophylactic device',\n", " 'an agent or device intended to prevent conception'),\n", " ('hindrance', 'any obstruction that impedes or is burdensome'),\n", " ('preventive', 'an agent or device intended to prevent conception'),\n", " ('interference', 'any obstruction that impedes or is burdensome'),\n", " ('contraceptive device',\n", " 'an agent or device intended to prevent conception'),\n", " ('prophylactic',\n", " 'remedy that prevents or slows the course of an illness or disease'),\n", " ('birth control device',\n", " 'an agent or device intended to prevent conception'),\n", " ('contraceptive', 'an agent or device intended to prevent conception'),\n", " ('hitch', 'any obstruction that impedes or is burdensome')]},\n", " {'answer': 'preventive',\n", " 'hint': 'synonyms for preventive',\n", " 'clues': [('incumbrance', 'any obstruction that impedes or is burdensome'),\n", " ('prophylactic device',\n", " 'an agent or device intended to prevent conception'),\n", " ('hindrance', 'any obstruction that impedes or is burdensome'),\n", " ('interference', 'any obstruction that impedes or is burdensome'),\n", " ('contraceptive device',\n", " 'an agent or device intended to prevent conception'),\n", " ('prophylactic',\n", " 'remedy that prevents or slows the course of an illness or disease'),\n", " ('contraceptive', 'an agent or device intended to prevent conception'),\n", " ('birth control device',\n", " 'an agent or device intended to prevent conception'),\n", " ('preventative', 'an agent or device intended to prevent conception'),\n", " ('hitch', 'any obstruction that impedes or is burdensome')]},\n", " {'answer': 'prime',\n", " 'hint': 'synonyms for prime',\n", " 'clues': [('bloom', 'the period of greatest prosperity or productivity'),\n", " ('flower', 'the period of greatest prosperity or productivity'),\n", " ('prime quantity', 'a number that has no factor but itself and 1'),\n", " ('prime of life',\n", " 'the time of maturity when power and vigor are greatest'),\n", " ('blossom', 'the period of greatest prosperity or productivity'),\n", " ('efflorescence', 'the period of greatest prosperity or productivity'),\n", " ('flush', 'the period of greatest prosperity or productivity'),\n", " ('peak', 'the period of greatest prosperity or productivity'),\n", " ('heyday', 'the period of greatest prosperity or productivity')]},\n", " {'answer': 'privy',\n", " 'hint': 'synonyms for privy',\n", " 'clues': [('toilet',\n", " 'a room or building equipped with one or more toilets'),\n", " ('bathroom', 'a room or building equipped with one or more toilets'),\n", " ('earth-closet',\n", " 'a small outbuilding with a bench having holes through which a user can defecate'),\n", " ('outhouse',\n", " 'a small outbuilding with a bench having holes through which a user can defecate'),\n", " ('lav', 'a room or building equipped with one or more toilets'),\n", " ('john', 'a room or building equipped with one or more toilets'),\n", " ('jakes',\n", " 'a small outbuilding with a bench having holes through which a user can defecate'),\n", " ('can', 'a room or building equipped with one or more toilets'),\n", " ('lavatory', 'a room or building equipped with one or more toilets')]},\n", " {'answer': 'prize',\n", " 'hint': 'synonyms for prize',\n", " 'clues': [('pillage', 'goods or money obtained illegally'),\n", " ('swag', 'goods or money obtained illegally'),\n", " ('plunder', 'goods or money obtained illegally'),\n", " ('trophy', 'something given as a token of victory'),\n", " ('dirty money', 'goods or money obtained illegally'),\n", " ('award',\n", " 'something given for victory or superiority in a contest or competition or for winning a lottery'),\n", " ('loot', 'goods or money obtained illegally'),\n", " ('booty', 'goods or money obtained illegally')]},\n", " {'answer': 'prognostic',\n", " 'hint': 'synonyms for prognostic',\n", " 'clues': [('omen', 'a sign of something about to happen'),\n", " ('prodigy', 'a sign of something about to happen'),\n", " ('prognostication', 'a sign of something about to happen'),\n", " ('presage', 'a sign of something about to happen'),\n", " ('portent', 'a sign of something about to happen')]},\n", " {'answer': 'progressive',\n", " 'hint': 'synonyms for progressive',\n", " 'clues': [('imperfect tense',\n", " 'a tense of verbs used in describing action that is on-going'),\n", " ('progressive tense',\n", " 'a tense of verbs used in describing action that is on-going'),\n", " ('imperfect',\n", " 'a tense of verbs used in describing action that is on-going'),\n", " ('continuous tense',\n", " 'a tense of verbs used in describing action that is on-going')]},\n", " {'answer': 'proof',\n", " 'hint': 'synonyms for proof',\n", " 'clues': [('test copy',\n", " '(printing) an impression made to check for errors'),\n", " ('cogent evidence',\n", " 'any factual evidence that helps to establish the truth of something'),\n", " ('substantiation',\n", " 'the act of validating; finding or testing the truth of something'),\n", " ('validation',\n", " 'the act of validating; finding or testing the truth of something'),\n", " ('trial impression',\n", " '(printing) an impression made to check for errors')]},\n", " {'answer': 'prophylactic',\n", " 'hint': 'synonyms for prophylactic',\n", " 'clues': [('safe',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('rubber',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('preventive',\n", " 'remedy that prevents or slows the course of an illness or disease'),\n", " ('condom',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('safety',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse')]},\n", " {'answer': 'puff',\n", " 'hint': 'synonyms for puff',\n", " 'clues': [('blow', 'forceful exhalation through the nose or mouth'),\n", " ('powderpuff',\n", " 'a soft spherical object made from fluffy fibers; for applying powder to the skin'),\n", " ('comfort',\n", " 'bedding made of two layers of cloth filled with stuffing and stitched together'),\n", " ('quilt',\n", " 'bedding made of two layers of cloth filled with stuffing and stitched together'),\n", " ('pouf', 'thick cushion used as a seat'),\n", " ('pull', 'a slow inhalation (as of tobacco smoke)'),\n", " ('ottoman', 'thick cushion used as a seat'),\n", " ('puff of air', 'a short light gust of air'),\n", " ('hassock', 'thick cushion used as a seat'),\n", " ('drag', 'a slow inhalation (as of tobacco smoke)'),\n", " ('whiff', 'a short light gust of air'),\n", " ('pouffe', 'thick cushion used as a seat')]},\n", " {'answer': 'punk',\n", " 'hint': 'synonyms for punk',\n", " 'clues': [('tinder', 'material for starting a fire'),\n", " ('kindling', 'material for starting a fire'),\n", " ('punk rock',\n", " 'rock music with deliberately offensive lyrics expressing anger and social alienation; in part a reaction against progressive rock'),\n", " ('touchwood', 'material for starting a fire'),\n", " ('spunk', 'material for starting a fire')]},\n", " {'answer': 'quality',\n", " 'hint': 'synonyms for quality',\n", " 'clues': [('tone',\n", " '(music) the distinctive property of a complex sound (a voice or noise or musical sound)'),\n", " ('lineament',\n", " 'a characteristic property that defines the apparent individual nature of something'),\n", " ('timber',\n", " '(music) the distinctive property of a complex sound (a voice or noise or musical sound)'),\n", " ('character',\n", " 'a characteristic property that defines the apparent individual nature of something'),\n", " ('calibre', 'a degree or grade of excellence or worth'),\n", " ('timbre',\n", " '(music) the distinctive property of a complex sound (a voice or noise or musical sound)')]},\n", " {'answer': 'quaternary',\n", " 'hint': 'synonyms for quaternary',\n", " 'clues': [('quatern',\n", " 'the cardinal number that is the sum of three and one'),\n", " ('quartet', 'the cardinal number that is the sum of three and one'),\n", " ('quaternion', 'the cardinal number that is the sum of three and one'),\n", " ('tetrad', 'the cardinal number that is the sum of three and one'),\n", " ('four', 'the cardinal number that is the sum of three and one'),\n", " ('4', 'the cardinal number that is the sum of three and one'),\n", " ('quadruplet', 'the cardinal number that is the sum of three and one'),\n", " ('foursome', 'the cardinal number that is the sum of three and one'),\n", " ('quaternity', 'the cardinal number that is the sum of three and one')]},\n", " {'answer': 'quiet',\n", " 'hint': 'synonyms for quiet',\n", " 'clues': [('tranquility', 'a disposition free from stress or emotion'),\n", " ('repose', 'a disposition free from stress or emotion'),\n", " ('placidity', 'a disposition free from stress or emotion'),\n", " ('serenity', 'a disposition free from stress or emotion'),\n", " ('silence', 'the absence of sound')]},\n", " {'answer': 'radical',\n", " 'hint': 'synonyms for radical',\n", " 'clues': [('root word',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('chemical group',\n", " '(chemistry) two or more atoms bound together as a single unit and forming part of a molecule'),\n", " ('free radical',\n", " 'an atom or group of atoms with at least one unpaired electron; in the body it is usually an oxygen molecule that has lost an electron and will stabilize itself by stealing an electron from a nearby molecule'),\n", " ('group',\n", " '(chemistry) two or more atoms bound together as a single unit and forming part of a molecule'),\n", " ('theme',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('base',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('root',\n", " '(linguistics) the form of a word after all affixes are removed'),\n", " ('stem',\n", " '(linguistics) the form of a word after all affixes are removed')]},\n", " {'answer': 'radio',\n", " 'hint': 'synonyms for radio',\n", " 'clues': [('radiocommunication', 'medium for communication'),\n", " ('radio receiver',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals'),\n", " ('receiving set',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals'),\n", " ('wireless',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals'),\n", " ('tuner',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals'),\n", " ('radio set',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals')]},\n", " {'answer': 'raising',\n", " 'hint': 'synonyms for raising',\n", " 'clues': [('rearing',\n", " 'the properties acquired as a consequence of the way you were treated as a child'),\n", " ('lift', 'the event of something being raised upward'),\n", " ('fostering',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('elevation', 'the event of something being raised upward'),\n", " ('nurture',\n", " 'the properties acquired as a consequence of the way you were treated as a child'),\n", " ('upbringing',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('bringing up',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('breeding',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('fosterage',\n", " 'helping someone grow up to be an accepted member of the community')]},\n", " {'answer': 'rearing',\n", " 'hint': 'synonyms for rearing',\n", " 'clues': [('fostering',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('raising',\n", " 'the properties acquired as a consequence of the way you were treated as a child'),\n", " ('nurture',\n", " 'the properties acquired as a consequence of the way you were treated as a child'),\n", " ('upbringing',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('bringing up',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('breeding',\n", " 'helping someone grow up to be an accepted member of the community'),\n", " ('fosterage',\n", " 'helping someone grow up to be an accepted member of the community')]},\n", " {'answer': 'reflex',\n", " 'hint': 'synonyms for reflex',\n", " 'clues': [('reflex action',\n", " 'an automatic instinctive unlearned reaction to a stimulus'),\n", " ('reflex response',\n", " 'an automatic instinctive unlearned reaction to a stimulus'),\n", " ('instinctive reflex',\n", " 'an automatic instinctive unlearned reaction to a stimulus'),\n", " ('innate reflex',\n", " 'an automatic instinctive unlearned reaction to a stimulus'),\n", " ('unconditioned reflex',\n", " 'an automatic instinctive unlearned reaction to a stimulus'),\n", " ('physiological reaction',\n", " 'an automatic instinctive unlearned reaction to a stimulus'),\n", " ('inborn reflex',\n", " 'an automatic instinctive unlearned reaction to a stimulus')]},\n", " {'answer': 'regulation',\n", " 'hint': 'synonyms for regulation',\n", " 'clues': [('rule',\n", " 'a principle or condition that customarily governs behavior'),\n", " ('regularization', 'the act of bringing to uniformity; making regular'),\n", " ('ordinance', 'an authoritative rule'),\n", " ('regulating', 'the act of controlling or directing according to rule')]},\n", " {'answer': 'requisite',\n", " 'hint': 'synonyms for requisite',\n", " 'clues': [('requirement', 'anything indispensable'),\n", " ('necessary', 'anything indispensable'),\n", " ('necessity', 'anything indispensable'),\n", " ('essential', 'anything indispensable')]},\n", " {'answer': 'residual',\n", " 'hint': 'synonyms for residual',\n", " 'clues': [('residuum',\n", " 'something left after other parts have been taken away'),\n", " ('balance', 'something left after other parts have been taken away'),\n", " ('remainder', 'something left after other parts have been taken away'),\n", " ('rest', 'something left after other parts have been taken away'),\n", " ('residue', 'something left after other parts have been taken away')]},\n", " {'answer': 'resultant',\n", " 'hint': 'synonyms for resultant',\n", " 'clues': [('termination', 'something that results'),\n", " ('final result', 'something that results'),\n", " ('outcome', 'something that results'),\n", " ('vector sum', 'a vector that is the sum of two or more other vectors'),\n", " ('result', 'something that results')]},\n", " {'answer': 'reverse',\n", " 'hint': 'synonyms for reverse',\n", " 'clues': [('reversal',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('turnabout', 'turning in the opposite direction'),\n", " ('opposite', 'a relation of direct opposition'),\n", " ('verso',\n", " 'the side of a coin or medal that does not bear the principal design'),\n", " ('blow',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('reversion', 'turning in the opposite direction'),\n", " ('black eye',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('contrary', 'a relation of direct opposition'),\n", " ('reverse gear',\n", " 'the gears by which the motion of a machine can be reversed'),\n", " ('setback',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('turnaround', 'turning in the opposite direction')]},\n", " {'answer': 'reverting',\n", " 'hint': 'synonyms for reverting',\n", " 'clues': [('lapse', 'a failure to maintain a higher state'),\n", " ('relapse', 'a failure to maintain a higher state'),\n", " ('lapsing', 'a failure to maintain a higher state'),\n", " ('reversion', 'a failure to maintain a higher state'),\n", " ('backsliding', 'a failure to maintain a higher state')]},\n", " {'answer': 'rising',\n", " 'hint': 'synonyms for rising',\n", " 'clues': [('insurrection',\n", " 'organized opposition to authority; a conflict in which one faction tries to wrest control from another'),\n", " ('uprising',\n", " 'organized opposition to authority; a conflict in which one faction tries to wrest control from another'),\n", " ('rebellion',\n", " 'organized opposition to authority; a conflict in which one faction tries to wrest control from another'),\n", " ('ascent', 'a movement upward'),\n", " ('revolt',\n", " 'organized opposition to authority; a conflict in which one faction tries to wrest control from another'),\n", " ('rise', 'a movement upward'),\n", " ('ascension', 'a movement upward')]},\n", " {'answer': 'roaring',\n", " 'hint': 'synonyms for roaring',\n", " 'clues': [('roar', 'a very loud utterance (like the sound of an animal)'),\n", " ('hollering', 'a very loud utterance (like the sound of an animal)'),\n", " ('holloa', 'a very loud utterance (like the sound of an animal)'),\n", " ('bellow', 'a very loud utterance (like the sound of an animal)'),\n", " ('boom', 'a deep prolonged loud noise'),\n", " ('thunder', 'a deep prolonged loud noise'),\n", " ('yowl', 'a very loud utterance (like the sound of an animal)')]},\n", " {'answer': 'rose',\n", " 'hint': 'synonyms for rose',\n", " 'clues': [('rosiness', 'a dusty pink color'),\n", " ('blush wine',\n", " 'pinkish table wine from red grapes whose skins were removed after fermentation began'),\n", " ('pink wine',\n", " 'pinkish table wine from red grapes whose skins were removed after fermentation began'),\n", " ('rose wine',\n", " 'pinkish table wine from red grapes whose skins were removed after fermentation began')]},\n", " {'answer': 'rotary',\n", " 'hint': 'synonyms for rotary',\n", " 'clues': [('rotary converter',\n", " 'electrical converter consisting of a synchronous machine that converts alternating to direct current or vice versa'),\n", " ('traffic circle',\n", " 'a road junction at which traffic streams circularly around a central island'),\n", " ('roundabout',\n", " 'a road junction at which traffic streams circularly around a central island'),\n", " ('circle',\n", " 'a road junction at which traffic streams circularly around a central island'),\n", " ('synchronous converter',\n", " 'electrical converter consisting of a synchronous machine that converts alternating to direct current or vice versa')]},\n", " {'answer': 'rough-and-tumble',\n", " 'hint': 'synonyms for rough-and-tumble',\n", " 'clues': [('scuffle', 'disorderly fighting'),\n", " ('tussle', 'disorderly fighting'),\n", " ('hassle', 'disorderly fighting'),\n", " ('dogfight', 'disorderly fighting')]},\n", " {'answer': 'round',\n", " 'hint': 'synonyms for round',\n", " 'clues': [('one shot', 'a charge of ammunition for a single shot'),\n", " ('daily round', 'the usual activities in your day'),\n", " ('rung', 'a crosspiece between the legs of a chair'),\n", " ('unit of ammunition', 'a charge of ammunition for a single shot'),\n", " ('rhythm',\n", " 'an interval during which a recurring sequence of events occurs'),\n", " ('stave', 'a crosspiece between the legs of a chair'),\n", " ('turn', '(sports) a division during which one team is on the offensive'),\n", " ('troll',\n", " 'a partsong in which voices follow each other; one voice starts and others join in one after another until all are singing different parts of the song at the same time'),\n", " ('round of drinks', 'a serving to each of a group (usually alcoholic)'),\n", " ('circle', 'any circular or rotating mechanism'),\n", " ('cycle',\n", " 'an interval during which a recurring sequence of events occurs'),\n", " ('beat', 'a regular route for a sentry or policeman'),\n", " ('bout', '(sports) a division during which one team is on the offensive'),\n", " ('round of golf', 'the activity of playing 18 holes of golf')]},\n", " {'answer': 'roundabout',\n", " 'hint': 'synonyms for roundabout',\n", " 'clues': [('carousel',\n", " 'a large, rotating machine with seats for children to ride or amusement'),\n", " ('merry-go-round',\n", " 'a large, rotating machine with seats for children to ride or amusement'),\n", " ('whirligig',\n", " 'a large, rotating machine with seats for children to ride or amusement'),\n", " ('rotary',\n", " 'a road junction at which traffic streams circularly around a central island'),\n", " ('traffic circle',\n", " 'a road junction at which traffic streams circularly around a central island'),\n", " ('circle',\n", " 'a road junction at which traffic streams circularly around a central island')]},\n", " {'answer': 'routine',\n", " 'hint': 'synonyms for routine',\n", " 'clues': [('modus operandi',\n", " 'an unvarying or habitual method or procedure'),\n", " ('subroutine',\n", " 'a set sequence of steps, part of larger computer program'),\n", " ('number',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('subprogram',\n", " 'a set sequence of steps, part of larger computer program'),\n", " ('turn',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('bit',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('act',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('procedure', 'a set sequence of steps, part of larger computer program'),\n", " ('function',\n", " 'a set sequence of steps, part of larger computer program')]},\n", " {'answer': 'rubber',\n", " 'hint': 'synonyms for rubber',\n", " 'clues': [('safe',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('synthetic rubber',\n", " 'any of various synthetic elastic materials whose properties resemble natural rubber'),\n", " ('caoutchouc',\n", " 'an elastic material obtained from the latex sap of trees (especially trees of the genera Hevea and Ficus) that can be vulcanized and finished into a variety of products'),\n", " ('galosh',\n", " 'a waterproof overshoe that protects shoes from water or snow'),\n", " ('golosh',\n", " 'a waterproof overshoe that protects shoes from water or snow'),\n", " ('natural rubber',\n", " 'an elastic material obtained from the latex sap of trees (especially trees of the genera Hevea and Ficus) that can be vulcanized and finished into a variety of products'),\n", " ('pencil eraser',\n", " 'an eraser made of rubber (or of a synthetic material with properties similar to rubber); commonly mounted at one end of a pencil'),\n", " ('condom',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('safety',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('prophylactic',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('arctic',\n", " 'a waterproof overshoe that protects shoes from water or snow'),\n", " ('gum elastic',\n", " 'an elastic material obtained from the latex sap of trees (especially trees of the genera Hevea and Ficus) that can be vulcanized and finished into a variety of products'),\n", " ('rubber eraser',\n", " 'an eraser made of rubber (or of a synthetic material with properties similar to rubber); commonly mounted at one end of a pencil'),\n", " ('gumshoe',\n", " 'a waterproof overshoe that protects shoes from water or snow')]},\n", " {'answer': 'runaway',\n", " 'hint': 'synonyms for runaway',\n", " 'clues': [('laugher', 'an easy victory'),\n", " ('romp', 'an easy victory'),\n", " ('walkaway', 'an easy victory'),\n", " ('blowout', 'an easy victory'),\n", " ('shoo-in', 'an easy victory')]},\n", " {'answer': 'running',\n", " 'hint': 'synonyms for running',\n", " 'clues': [('running game',\n", " '(American football) a play in which a player attempts to carry the ball through or past the opposing team'),\n", " ('run',\n", " '(American football) a play in which a player attempts to carry the ball through or past the opposing team'),\n", " ('track',\n", " 'the act of participating in an athletic competition involving running on a track'),\n", " ('running play',\n", " '(American football) a play in which a player attempts to carry the ball through or past the opposing team')]},\n", " {'answer': 'rush',\n", " 'hint': 'synonyms for rush',\n", " 'clues': [('spate', 'a sudden forceful flow'),\n", " ('rushing',\n", " '(American football) an attempt to advance the ball by running into the line'),\n", " ('hurry', 'the act of moving hurriedly and in a careless manner'),\n", " ('boot', 'the swift release of a store of affective force'),\n", " ('flush', 'the swift release of a store of affective force'),\n", " ('kick', 'the swift release of a store of affective force'),\n", " ('upsurge', 'a sudden forceful flow'),\n", " ('charge', 'the swift release of a store of affective force'),\n", " ('surge', 'a sudden forceful flow'),\n", " ('bang', 'the swift release of a store of affective force'),\n", " ('haste', 'the act of moving hurriedly and in a careless manner'),\n", " ('thrill', 'the swift release of a store of affective force')]},\n", " {'answer': 'sable',\n", " 'hint': 'synonyms for sable',\n", " 'clues': [('pitch black', 'a very dark black'),\n", " ('coal black', 'a very dark black'),\n", " (\"sable's hair pencil\", \"an artist's brush made of sable hairs\"),\n", " ('ebony', 'a very dark black'),\n", " ('jet black', 'a very dark black'),\n", " ('sable brush', \"an artist's brush made of sable hairs\"),\n", " ('soot black', 'a very dark black')]},\n", " {'answer': 'safe',\n", " 'hint': 'synonyms for safe',\n", " 'clues': [('rubber',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('safety',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('condom',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse'),\n", " ('prophylactic',\n", " 'contraceptive device consisting of a sheath of thin rubber or latex that is worn over the penis during intercourse')]},\n", " {'answer': 'salt',\n", " 'hint': 'synonyms for salt',\n", " 'clues': [('common salt',\n", " 'white crystalline form of especially sodium chloride used to season and preserve food'),\n", " ('saltiness',\n", " 'the taste experience when common salt is taken into the mouth'),\n", " ('table salt',\n", " 'white crystalline form of especially sodium chloride used to season and preserve food'),\n", " ('salinity',\n", " 'the taste experience when common salt is taken into the mouth')]},\n", " {'answer': 'sapphire',\n", " 'hint': 'synonyms for sapphire',\n", " 'clues': [('lazuline', 'a light shade of blue'),\n", " ('cerulean', 'a light shade of blue'),\n", " ('sky-blue', 'a light shade of blue'),\n", " ('azure', 'a light shade of blue')]},\n", " {'answer': 'saving',\n", " 'hint': 'synonyms for saving',\n", " 'clues': [('rescue', 'recovery or preservation from loss or danger'),\n", " ('economy', 'an act of economizing; reduction in cost'),\n", " ('preservation',\n", " 'the activity of protecting something from loss or danger'),\n", " ('delivery', 'recovery or preservation from loss or danger'),\n", " ('deliverance', 'recovery or preservation from loss or danger')]},\n", " {'answer': 'scrub',\n", " 'hint': 'synonyms for scrub',\n", " 'clues': [('bush',\n", " 'dense vegetation consisting of stunted trees or bushes'),\n", " ('scrubbing',\n", " 'the act of cleaning a surface by rubbing it with a brush and soap and water'),\n", " ('chaparral', 'dense vegetation consisting of stunted trees or bushes'),\n", " ('scouring',\n", " 'the act of cleaning a surface by rubbing it with a brush and soap and water')]},\n", " {'answer': 'second',\n", " 'hint': 'synonyms for second',\n", " 'clues': [('endorsement', 'a speech seconding a motion'),\n", " ('s',\n", " \"1/60 of a minute; the basic unit of time adopted under the Systeme International d'Unites\"),\n", " ('second gear',\n", " 'the gear that has the second lowest forward gear ratio in the gear box of a motor vehicle'),\n", " ('arcsecond', 'a 60th part of a minute of arc'),\n", " ('secondment', 'a speech seconding a motion'),\n", " ('irregular',\n", " 'merchandise that has imperfections; usually sold at a reduced price without the brand name'),\n", " ('mo', 'an indefinitely short time'),\n", " ('moment', 'a particular point in time'),\n", " ('instant', 'a particular point in time'),\n", " ('sec',\n", " \"1/60 of a minute; the basic unit of time adopted under the Systeme International d'Unites\"),\n", " ('second base',\n", " 'the fielding position of the player on a baseball team who is stationed near the second of the bases in the infield'),\n", " ('bit', 'an indefinitely short time'),\n", " ('minute', 'an indefinitely short time')]},\n", " {'answer': 'secret',\n", " 'hint': 'synonyms for secret',\n", " 'clues': [('closed book',\n", " 'something that baffles understanding and cannot be explained'),\n", " ('arcanum', 'information known only to a special group'),\n", " ('enigma',\n", " 'something that baffles understanding and cannot be explained'),\n", " ('mystery',\n", " 'something that baffles understanding and cannot be explained')]},\n", " {'answer': 'seeing',\n", " 'hint': 'synonyms for seeing',\n", " 'clues': [('visual perception', 'perception by means of the eyes'),\n", " ('beholding', 'perception by means of the eyes'),\n", " ('eyesight', 'normal use of the faculty of vision'),\n", " ('sightedness', 'normal use of the faculty of vision')]},\n", " {'answer': 'set',\n", " 'hint': 'synonyms for set',\n", " 'clues': [('exercise set',\n", " 'several exercises intended to be done in series'),\n", " ('readiness',\n", " '(psychology) being temporarily ready to respond in a particular way'),\n", " ('solidifying',\n", " 'the process of becoming hard or solid by cooling or drying or crystallization'),\n", " ('lot', 'an unofficial association of people or groups'),\n", " ('stage set',\n", " 'representation consisting of the scenery and other properties used to identify the location of a dramatic production'),\n", " ('solidification',\n", " 'the process of becoming hard or solid by cooling or drying or crystallization'),\n", " ('bent',\n", " 'a relatively permanent inclination to react in a particular way'),\n", " ('circle', 'an unofficial association of people or groups'),\n", " ('hardening',\n", " 'the process of becoming hard or solid by cooling or drying or crystallization'),\n", " ('curing',\n", " 'the process of becoming hard or solid by cooling or drying or crystallization'),\n", " ('band', 'an unofficial association of people or groups')]},\n", " {'answer': 'seven',\n", " 'hint': 'synonyms for seven',\n", " 'clues': [('sevener',\n", " 'the cardinal number that is the sum of six and one'),\n", " ('septenary', 'the cardinal number that is the sum of six and one'),\n", " ('7', 'the cardinal number that is the sum of six and one'),\n", " ('septet', 'the cardinal number that is the sum of six and one'),\n", " ('seven-spot',\n", " 'one of four playing cards in a deck with seven pips on the face'),\n", " ('heptad', 'the cardinal number that is the sum of six and one')]},\n", " {'answer': 'shot',\n", " 'hint': 'synonyms for shot',\n", " 'clues': [('dig',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('stab', 'informal words for any attempt or effort'),\n", " ('nip', 'a small drink of liquor'),\n", " ('slam',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('pellet', 'a solid missile discharged from a firearm'),\n", " ('blastoff',\n", " 'the launching of a missile or spacecraft to a specified destination'),\n", " ('gibe',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('jibe',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('shaft',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('guessing', 'an estimate based on little or no information'),\n", " ('injection',\n", " 'the act of putting a liquid into the body by means of a syringe'),\n", " ('dead reckoning', 'an estimate based on little or no information'),\n", " ('shooting', 'the act of firing a projectile'),\n", " ('scene',\n", " 'a consecutive series of pictures that constitutes a unit of action in a film'),\n", " ('guesswork', 'an estimate based on little or no information'),\n", " ('snapshot',\n", " 'an informal photograph; usually made with a small hand-held camera'),\n", " ('barb',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('snap',\n", " 'an informal photograph; usually made with a small hand-held camera'),\n", " ('stroke',\n", " '(sports) the act of swinging or striking at a ball with a club or racket or bat or cue or hand')]},\n", " {'answer': 'side',\n", " 'hint': 'synonyms for side',\n", " 'clues': [('side of meat',\n", " \"a lengthwise dressed half of an animal's carcass used for food\"),\n", " ('face', 'a surface forming part of the outside of an object'),\n", " ('slope', 'an elevated geological formation'),\n", " ('position',\n", " 'an opinion that is held in opposition to another in an argument or dispute'),\n", " ('incline', 'an elevated geological formation')]},\n", " {'answer': 'sign',\n", " 'hint': 'synonyms for sign',\n", " 'clues': [('signboard',\n", " 'structure displaying a board on which advertisements can be posted'),\n", " ('polarity',\n", " 'having an indicated pole (as the distinction between positive and negative electric charges)'),\n", " ('house',\n", " '(astrology) one of 12 equal areas into which the zodiac is divided'),\n", " ('augury',\n", " 'an event that is experienced as indicating important things to come'),\n", " ('signaling', 'any nonverbal action or gesture that encodes a message'),\n", " ('foretoken',\n", " 'an event that is experienced as indicating important things to come'),\n", " ('preindication',\n", " 'an event that is experienced as indicating important things to come'),\n", " ('star sign',\n", " '(astrology) one of 12 equal areas into which the zodiac is divided'),\n", " ('mark',\n", " 'a perceptible indication of something not immediately apparent (as a visible clue that something has happened)'),\n", " ('planetary house',\n", " '(astrology) one of 12 equal areas into which the zodiac is divided'),\n", " ('sign of the zodiac',\n", " '(astrology) one of 12 equal areas into which the zodiac is divided'),\n", " ('mansion',\n", " '(astrology) one of 12 equal areas into which the zodiac is divided')]},\n", " {'answer': 'silver',\n", " 'hint': 'synonyms for silver',\n", " 'clues': [('silver medal',\n", " 'a trophy made of silver (or having the appearance of silver) that is usually awarded for winning second place in a competition'),\n", " ('silver gray', 'a light shade of grey'),\n", " ('ash gray', 'a light shade of grey'),\n", " ('atomic number 47',\n", " 'a soft white precious univalent metallic element having the highest electrical and thermal conductivity of any metal; occurs in argentite and in free form; used in coins and jewelry and tableware and photography'),\n", " ('flatware', 'silverware eating utensils')]},\n", " {'answer': 'single',\n", " 'hint': 'synonyms for single',\n", " 'clues': [('1',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('unity',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('ace',\n", " 'the smallest whole number or a numeral representing this number'),\n", " ('bingle', 'a base hit on which the batter stops safely at first base'),\n", " ('one',\n", " 'the smallest whole number or a numeral representing this number')]},\n", " {'answer': 'six',\n", " 'hint': 'synonyms for six',\n", " 'clues': [('six-spot',\n", " 'a playing card or domino or die whose upward face shows six pips'),\n", " ('sise', 'the cardinal number that is the sum of five and one'),\n", " ('half a dozen', 'the cardinal number that is the sum of five and one'),\n", " ('sextuplet', 'the cardinal number that is the sum of five and one'),\n", " ('sestet', 'the cardinal number that is the sum of five and one'),\n", " ('hexad', 'the cardinal number that is the sum of five and one'),\n", " ('6', 'the cardinal number that is the sum of five and one'),\n", " ('sixer', 'the cardinal number that is the sum of five and one'),\n", " ('sextet', 'the cardinal number that is the sum of five and one')]},\n", " {'answer': 'sky-blue',\n", " 'hint': 'synonyms for sky-blue',\n", " 'clues': [('lazuline', 'a light shade of blue'),\n", " ('cerulean', 'a light shade of blue'),\n", " ('azure', 'a light shade of blue'),\n", " ('sapphire', 'a light shade of blue')]},\n", " {'answer': 'slack',\n", " 'hint': 'synonyms for slack',\n", " 'clues': [('morass',\n", " 'a soft wet area of low-lying land that sinks underfoot'),\n", " ('slackness', 'the quality of being loose (not taut)'),\n", " ('drop-off', 'a noticeable deterioration in performance or quality'),\n", " ('slack water', 'a stretch of water without current or movement'),\n", " ('quagmire', 'a soft wet area of low-lying land that sinks underfoot'),\n", " ('mire', 'a soft wet area of low-lying land that sinks underfoot'),\n", " ('falloff', 'a noticeable deterioration in performance or quality'),\n", " ('quag', 'a soft wet area of low-lying land that sinks underfoot'),\n", " ('falling off', 'a noticeable deterioration in performance or quality'),\n", " ('slump', 'a noticeable deterioration in performance or quality')]},\n", " {'answer': 'slick',\n", " 'hint': 'synonyms for slick',\n", " 'clues': [('slick magazine', 'a magazine printed on good quality paper'),\n", " ('slickness', 'a slippery smoothness'),\n", " ('slip', 'a slippery smoothness'),\n", " ('glossy', 'a magazine printed on good quality paper'),\n", " ('slipperiness', 'a slippery smoothness')]},\n", " {'answer': 'snub',\n", " 'hint': 'synonyms for snub',\n", " 'clues': [('rebuff', 'an instance of driving away or warding off'),\n", " ('cut', 'a refusal to recognize someone you know'),\n", " ('cold shoulder', 'a refusal to recognize someone you know'),\n", " ('repulse', 'an instance of driving away or warding off')]},\n", " {'answer': 'soaring',\n", " 'hint': 'synonyms for soaring',\n", " 'clues': [('sailing', 'the activity of flying a glider'),\n", " ('gliding', 'the activity of flying a glider'),\n", " ('glide', 'the activity of flying a glider'),\n", " ('sailplaning', 'the activity of flying a glider')]},\n", " {'answer': 'solvent',\n", " 'hint': 'synonyms for solvent',\n", " 'clues': [('dissolver',\n", " 'a liquid substance capable of dissolving other substances'),\n", " ('resolution',\n", " 'a statement that solves a problem or explains how to solve the problem'),\n", " ('dissolvent',\n", " 'a liquid substance capable of dissolving other substances'),\n", " ('answer',\n", " 'a statement that solves a problem or explains how to solve the problem'),\n", " ('result',\n", " 'a statement that solves a problem or explains how to solve the problem'),\n", " ('dissolving agent',\n", " 'a liquid substance capable of dissolving other substances'),\n", " ('resolvent',\n", " 'a liquid substance capable of dissolving other substances')]},\n", " {'answer': 'sound',\n", " 'hint': 'synonyms for sound',\n", " 'clues': [('strait',\n", " 'a narrow channel of the sea joining two larger bodies of water'),\n", " ('speech sound',\n", " '(phonetics) an individual sound unit of speech without concern as to whether or not it is a phoneme of some language'),\n", " ('phone',\n", " '(phonetics) an individual sound unit of speech without concern as to whether or not it is a phoneme of some language'),\n", " ('auditory sensation', 'the subjective sensation of hearing something'),\n", " ('audio', 'the audible part of a transmitted signal')]},\n", " {'answer': 'speaking',\n", " 'hint': 'synonyms for speaking',\n", " 'clues': [('oral presentation',\n", " 'delivering an address to a public audience'),\n", " ('speechmaking', 'delivering an address to a public audience'),\n", " ('public speaking', 'delivering an address to a public audience'),\n", " ('speech production', 'the utterance of intelligible speech')]},\n", " {'answer': 'speckless',\n", " 'hint': 'synonyms for speckless',\n", " 'clues': [('maculation', 'a small contrasting part of something'),\n", " ('patch', 'a small contrasting part of something'),\n", " ('fleck', 'a small contrasting part of something'),\n", " ('speckle', 'a small contrasting part of something'),\n", " ('spot', 'a small contrasting part of something'),\n", " ('dapple', 'a small contrasting part of something')]},\n", " {'answer': 'spiral',\n", " 'hint': 'synonyms for spiral',\n", " 'clues': [('volute',\n", " 'a structure consisting of something wound in a continuous series of loops'),\n", " ('helix',\n", " 'a structure consisting of something wound in a continuous series of loops'),\n", " ('whorl',\n", " 'a structure consisting of something wound in a continuous series of loops'),\n", " ('coil',\n", " 'a structure consisting of something wound in a continuous series of loops')]},\n", " {'answer': 'split',\n", " 'hint': 'synonyms for split',\n", " 'clues': [('rent', 'an opening made forcibly as by pulling apart'),\n", " ('schism', 'division of a group into opposing factions'),\n", " ('split up',\n", " \"an increase in the number of outstanding shares of a corporation without changing the shareholders' equity\"),\n", " ('rip', 'the act of rending or ripping or splitting something'),\n", " ('tear', 'an opening made forcibly as by pulling apart'),\n", " ('snag', 'an opening made forcibly as by pulling apart'),\n", " ('stock split',\n", " \"an increase in the number of outstanding shares of a corporation without changing the shareholders' equity\")]},\n", " {'answer': 'spread',\n", " 'hint': 'synonyms for spread',\n", " 'clues': [('gap',\n", " 'a conspicuous disparity or difference as between two figures'),\n", " ('cattle ranch',\n", " 'farm consisting of a large tract of land along with facilities needed to raise livestock (especially cattle)'),\n", " ('spreading',\n", " 'act of extending over a wider scope or expanse of space or time'),\n", " ('ranch',\n", " 'farm consisting of a large tract of land along with facilities needed to raise livestock (especially cattle)'),\n", " ('bedspread', 'decorative cover for a bed'),\n", " ('feast', 'a meal that is well prepared and greatly enjoyed'),\n", " ('spreadhead', 'two facing pages of a book or other publication'),\n", " ('bedcover', 'decorative cover for a bed'),\n", " ('counterpane', 'decorative cover for a bed'),\n", " ('bed covering', 'decorative cover for a bed'),\n", " ('scatter', 'a haphazard distribution in all directions'),\n", " ('cattle farm',\n", " 'farm consisting of a large tract of land along with facilities needed to raise livestock (especially cattle)'),\n", " ('banquet', 'a meal that is well prepared and greatly enjoyed'),\n", " ('paste',\n", " 'a tasty mixture to be spread on bread or crackers or used in preparing other dishes'),\n", " ('facing pages', 'two facing pages of a book or other publication')]},\n", " {'answer': 'squat',\n", " 'hint': 'synonyms for squat',\n", " 'clues': [('diddly', 'a small worthless amount'),\n", " ('shit', 'a small worthless amount'),\n", " ('knee bend',\n", " 'exercising by repeatedly assuming a crouching position with the knees bent; strengthens the leg muscles'),\n", " ('diddly-squat', 'a small worthless amount'),\n", " ('diddly-shit', 'a small worthless amount'),\n", " ('doodly-squat', 'a small worthless amount'),\n", " ('jack', 'a small worthless amount'),\n", " ('squatting',\n", " 'exercising by repeatedly assuming a crouching position with the knees bent; strengthens the leg muscles')]},\n", " {'answer': 'standard',\n", " 'hint': 'synonyms for standard',\n", " 'clues': [('banner', 'any distinctive flag'),\n", " ('touchstone',\n", " 'a basis for comparison; a reference point against which other things can be evaluated'),\n", " ('criterion',\n", " 'a basis for comparison; a reference point against which other things can be evaluated'),\n", " ('monetary standard', 'the value behind the money in a monetary system'),\n", " ('measure',\n", " 'a basis for comparison; a reference point against which other things can be evaluated')]},\n", " {'answer': 'stereo',\n", " 'hint': 'synonyms for stereo',\n", " 'clues': [('stereo system',\n", " 'reproducer in which two microphones feed two or more loudspeakers to give a three-dimensional effect to the sound'),\n", " ('stereoscopic picture',\n", " 'two photographs taken from slightly different angles that appear three-dimensional when viewed together'),\n", " ('stereophonic system',\n", " 'reproducer in which two microphones feed two or more loudspeakers to give a three-dimensional effect to the sound'),\n", " ('stereophony',\n", " 'reproducer in which two microphones feed two or more loudspeakers to give a three-dimensional effect to the sound'),\n", " ('stereoscopic photograph',\n", " 'two photographs taken from slightly different angles that appear three-dimensional when viewed together')]},\n", " {'answer': 'stern',\n", " 'hint': 'synonyms for stern',\n", " 'clues': [('poop', 'the rear part of a ship'),\n", " ('quarter', 'the rear part of a ship'),\n", " ('after part', 'the rear part of a ship'),\n", " ('tail', 'the rear part of a ship')]},\n", " {'answer': 'stimulant',\n", " 'hint': 'synonyms for stimulant',\n", " 'clues': [('excitant',\n", " 'a drug that temporarily quickens some vital process'),\n", " ('stimulus',\n", " 'any stimulating information or event; acts to arouse action'),\n", " ('stimulation',\n", " 'any stimulating information or event; acts to arouse action'),\n", " ('stimulant drug', 'a drug that temporarily quickens some vital process'),\n", " ('input',\n", " 'any stimulating information or event; acts to arouse action')]},\n", " {'answer': 'stock',\n", " 'hint': 'synonyms for stock',\n", " 'clues': [('line', 'the descendants of one individual'),\n", " ('origin', 'the descendants of one individual'),\n", " ('neckcloth', 'an ornamental white cravat'),\n", " ('blood', 'the descendants of one individual'),\n", " ('pedigree', 'the descendants of one individual'),\n", " ('stemma', 'the descendants of one individual'),\n", " ('line of descent', 'the descendants of one individual'),\n", " ('blood line', 'the descendants of one individual'),\n", " ('gunstock',\n", " 'the handle of a handgun or the butt end of a rifle or shotgun or part of the support of a machine gun or artillery gun'),\n", " ('breed', 'a special variety of domesticated animals within a species'),\n", " ('inventory', 'the merchandise that a shop has on hand'),\n", " ('broth',\n", " 'liquid in which meat and vegetables are simmered; used as a basis for e.g. soups or sauces'),\n", " ('lineage', 'the descendants of one individual'),\n", " ('strain', 'a special variety of domesticated animals within a species'),\n", " ('fund', 'a supply of something available for future use'),\n", " ('store', 'a supply of something available for future use'),\n", " ('ancestry', 'the descendants of one individual'),\n", " ('stock certificate',\n", " \"a certificate documenting the shareholder's ownership in the corporation\"),\n", " ('parentage', 'the descendants of one individual'),\n", " ('descent', 'the descendants of one individual')]},\n", " {'answer': 'straining',\n", " 'hint': 'synonyms for straining',\n", " 'clues': [('strain', 'an intense or violent exertion'),\n", " ('distortion',\n", " 'the act of distorting something so it seems to mean something it was not intended to mean'),\n", " ('twisting',\n", " 'the act of distorting something so it seems to mean something it was not intended to mean'),\n", " ('torture',\n", " 'the act of distorting something so it seems to mean something it was not intended to mean'),\n", " ('overrefinement',\n", " 'the act of distorting something so it seems to mean something it was not intended to mean')]},\n", " {'answer': 'straw',\n", " 'hint': 'synonyms for straw',\n", " 'clues': [('shuck',\n", " 'material consisting of seed coverings and small pieces of stem or leaves that have been separated from the seeds'),\n", " ('chaff',\n", " 'material consisting of seed coverings and small pieces of stem or leaves that have been separated from the seeds'),\n", " ('wheat',\n", " 'a variable yellow tint; dull yellow, often diluted with white'),\n", " ('drinking straw',\n", " 'a thin paper or plastic tube used to suck liquids into the mouth'),\n", " ('pale yellow',\n", " 'a variable yellow tint; dull yellow, often diluted with white'),\n", " ('husk',\n", " 'material consisting of seed coverings and small pieces of stem or leaves that have been separated from the seeds'),\n", " ('stalk',\n", " 'material consisting of seed coverings and small pieces of stem or leaves that have been separated from the seeds'),\n", " ('stubble',\n", " 'material consisting of seed coverings and small pieces of stem or leaves that have been separated from the seeds')]},\n", " {'answer': 'stretch',\n", " 'hint': 'synonyms for stretch',\n", " 'clues': [('stretching',\n", " 'exercise designed to extend the limbs and muscles to their full extent'),\n", " ('stretchiness', 'the capacity for being stretched'),\n", " ('stint', 'an unbroken period of time during which you do something'),\n", " ('stretchability', 'the capacity for being stretched'),\n", " ('reaching', 'the act of physically reaching or thrusting out')]},\n", " {'answer': 'striking',\n", " 'hint': 'synonyms for striking',\n", " 'clues': [('contact',\n", " 'the physical coming together of two or more things'),\n", " ('hit', 'the act of contacting one thing with another'),\n", " ('hitting', 'the act of contacting one thing with another'),\n", " ('impinging', 'the physical coming together of two or more things')]},\n", " {'answer': 'subject',\n", " 'hint': 'synonyms for subject',\n", " 'clues': [('field of study', 'a branch of knowledge'),\n", " ('depicted object',\n", " 'something (a person or object or scene) selected by an artist or photographer for graphic representation'),\n", " ('subject area', 'a branch of knowledge'),\n", " ('field', 'a branch of knowledge'),\n", " ('study', 'a branch of knowledge'),\n", " ('bailiwick', 'a branch of knowledge'),\n", " ('matter', 'some situation or event that is thought about'),\n", " ('subject field', 'a branch of knowledge'),\n", " ('content',\n", " 'something (a person or object or scene) selected by an artist or photographer for graphic representation'),\n", " ('topic', 'some situation or event that is thought about'),\n", " ('theme', 'the subject matter of a conversation or discussion'),\n", " ('issue', 'some situation or event that is thought about'),\n", " ('discipline', 'a branch of knowledge')]},\n", " {'answer': 'submarine',\n", " 'hint': 'synonyms for submarine',\n", " 'clues': [('bomber',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('torpedo',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('submarine sandwich',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('hoagie',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('poor boy',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('hero sandwich',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('hero',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('hoagy',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('sub', 'a submersible warship usually armed with torpedoes'),\n", " ('grinder',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('wedge',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('zep',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('pigboat', 'a submersible warship usually armed with torpedoes')]},\n", " {'answer': 'sunrise',\n", " 'hint': 'synonyms for sunrise',\n", " 'clues': [('break of day', 'the first light of day'),\n", " ('first light', 'the first light of day'),\n", " ('sunup', 'the first light of day'),\n", " ('dawn', 'the first light of day'),\n", " ('daybreak', 'the first light of day'),\n", " ('aurora', 'the first light of day'),\n", " ('dayspring', 'the first light of day'),\n", " ('morning', 'the first light of day'),\n", " ('cockcrow', 'the first light of day')]},\n", " {'answer': 'surface',\n", " 'hint': 'synonyms for surface',\n", " 'clues': [('open', 'information that has become public'),\n", " ('control surface',\n", " 'a device that provides reactive force when in motion relative to the surrounding air; can lift or control a plane in flight'),\n", " ('aerofoil',\n", " 'a device that provides reactive force when in motion relative to the surrounding air; can lift or control a plane in flight'),\n", " ('airfoil',\n", " 'a device that provides reactive force when in motion relative to the surrounding air; can lift or control a plane in flight')]},\n", " {'answer': 'swank',\n", " 'hint': 'synonyms for swank',\n", " 'clues': [('modishness', 'elegance by virtue of being fashionable'),\n", " ('chichi', 'elegance by virtue of being fashionable'),\n", " ('chic', 'elegance by virtue of being fashionable'),\n", " ('stylishness', 'elegance by virtue of being fashionable'),\n", " ('last word', 'elegance by virtue of being fashionable'),\n", " ('chicness', 'elegance by virtue of being fashionable'),\n", " ('smartness', 'elegance by virtue of being fashionable')]},\n", " {'answer': 'sweet',\n", " 'hint': 'synonyms for sweet',\n", " 'clues': [('afters', 'a dish served as the last course of a meal'),\n", " ('sugariness', 'the taste experience when sugar dissolves in the mouth'),\n", " ('dessert', 'a dish served as the last course of a meal'),\n", " ('sweetness', 'the taste experience when sugar dissolves in the mouth'),\n", " ('confection', 'a food rich in sugar')]},\n", " {'answer': 'teasing',\n", " 'hint': 'synonyms for teasing',\n", " 'clues': [('comb-out',\n", " 'the act of removing tangles from you hair with a comb'),\n", " ('tease',\n", " 'the act of harassing someone playfully or maliciously (especially by ridicule); provoking someone with persistent annoyances'),\n", " ('ribbing',\n", " 'the act of harassing someone playfully or maliciously (especially by ridicule); provoking someone with persistent annoyances'),\n", " ('tantalization',\n", " 'the act of harassing someone playfully or maliciously (especially by ridicule); provoking someone with persistent annoyances')]},\n", " {'answer': 'telling',\n", " 'hint': 'synonyms for telling',\n", " 'clues': [('tattle',\n", " 'disclosing information or giving evidence about another'),\n", " ('recounting', 'an act of narration'),\n", " ('relation', 'an act of narration'),\n", " ('singing', 'disclosing information or giving evidence about another'),\n", " ('apprisal', 'informing by words'),\n", " ('notification', 'informing by words')]},\n", " {'answer': 'ten',\n", " 'hint': 'synonyms for ten',\n", " 'clues': [('decade',\n", " 'the cardinal number that is the sum of nine and one; the base of the decimal system'),\n", " ('tenner',\n", " 'the cardinal number that is the sum of nine and one; the base of the decimal system'),\n", " ('10',\n", " 'the cardinal number that is the sum of nine and one; the base of the decimal system'),\n", " ('ten-spot',\n", " 'one of four playing cards in a deck with ten pips on the face')]},\n", " {'answer': 'tender',\n", " 'hint': 'synonyms for tender',\n", " 'clues': [(\"ship's boat\",\n", " 'a boat for communication between ship and shore'),\n", " ('stamp', 'something that can be used as an official medium of payment'),\n", " ('legal tender',\n", " 'something that can be used as an official medium of payment'),\n", " ('cutter', 'a boat for communication between ship and shore'),\n", " ('supply ship', 'ship that usually provides supplies to other ships'),\n", " ('bid', 'a formal proposal to buy at a specified price'),\n", " ('pinnace', 'a boat for communication between ship and shore')]},\n", " {'answer': 'terminal',\n", " 'hint': 'synonyms for terminal',\n", " 'clues': [('end', 'either extremity of something that has length'),\n", " ('depot',\n", " 'station where transport vehicles load or unload passengers or goods'),\n", " ('terminus',\n", " 'station where transport vehicles load or unload passengers or goods'),\n", " ('pole',\n", " 'a contact on an electrical device (such as a battery) at which electric current enters or leaves')]},\n", " {'answer': 'ternary',\n", " 'hint': 'synonyms for ternary',\n", " 'clues': [('threesome',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('troika', 'the cardinal number that is the sum of one and one and one'),\n", " ('trey', 'the cardinal number that is the sum of one and one and one'),\n", " ('deuce-ace',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('triad', 'the cardinal number that is the sum of one and one and one'),\n", " ('terzetto',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('trio', 'the cardinal number that is the sum of one and one and one'),\n", " ('triplet', 'the cardinal number that is the sum of one and one and one'),\n", " ('tierce', 'the cardinal number that is the sum of one and one and one'),\n", " ('leash', 'the cardinal number that is the sum of one and one and one'),\n", " ('three', 'the cardinal number that is the sum of one and one and one'),\n", " ('trinity', 'the cardinal number that is the sum of one and one and one'),\n", " ('trine', 'the cardinal number that is the sum of one and one and one'),\n", " ('3', 'the cardinal number that is the sum of one and one and one'),\n", " ('ternion', 'the cardinal number that is the sum of one and one and one'),\n", " ('tercet',\n", " 'the cardinal number that is the sum of one and one and one')]},\n", " {'answer': 'testimonial',\n", " 'hint': 'synonyms for testimonial',\n", " 'clues': [('recommendation',\n", " 'something that recommends (or expresses commendation of) a person or thing as worthy or desirable'),\n", " ('good word',\n", " 'something that recommends (or expresses commendation of) a person or thing as worthy or desirable'),\n", " ('testimony', 'something that serves as evidence'),\n", " ('tribute', 'something given or done as an expression of esteem')]},\n", " {'answer': 'textbook',\n", " 'hint': 'synonyms for textbook',\n", " 'clues': [('schoolbook', 'a book prepared for use in schools or colleges'),\n", " ('school text', 'a book prepared for use in schools or colleges'),\n", " ('text', 'a book prepared for use in schools or colleges'),\n", " ('text edition', 'a book prepared for use in schools or colleges')]},\n", " {'answer': 'thickening',\n", " 'hint': 'synonyms for thickening',\n", " 'clues': [('inspissation', 'the act of thickening'),\n", " ('thickener', 'any material used to thicken'),\n", " ('node', 'any thickened enlargement'),\n", " ('knob', 'any thickened enlargement')]},\n", " {'answer': 'thieving',\n", " 'hint': 'synonyms for thieving',\n", " 'clues': [('theft', 'the act of taking something from someone unlawfully'),\n", " ('larceny', 'the act of taking something from someone unlawfully'),\n", " ('thievery', 'the act of taking something from someone unlawfully'),\n", " ('stealing', 'the act of taking something from someone unlawfully')]},\n", " {'answer': 'thinking',\n", " 'hint': 'synonyms for thinking',\n", " 'clues': [('mentation',\n", " 'the process of using your mind to consider something carefully'),\n", " ('thought process',\n", " 'the process of using your mind to consider something carefully'),\n", " ('cerebration',\n", " 'the process of using your mind to consider something carefully'),\n", " ('intellection',\n", " 'the process of using your mind to consider something carefully'),\n", " ('thought',\n", " 'the process of using your mind to consider something carefully')]},\n", " {'answer': 'third',\n", " 'hint': 'synonyms for third',\n", " 'clues': [('third gear',\n", " 'the third from the lowest forward ratio gear in the gear box of a motor vehicle'),\n", " ('one-third', 'one of three equal parts of a divisible whole'),\n", " ('third base',\n", " 'the base that must be touched third by a base runner in baseball'),\n", " ('tierce', 'one of three equal parts of a divisible whole')]},\n", " {'answer': 'thousand',\n", " 'hint': 'synonyms for thousand',\n", " 'clues': [('chiliad',\n", " 'the cardinal number that is the product of 10 and 100'),\n", " ('thou', 'the cardinal number that is the product of 10 and 100'),\n", " ('yard', 'the cardinal number that is the product of 10 and 100'),\n", " ('grand', 'the cardinal number that is the product of 10 and 100'),\n", " ('one thousand', 'the cardinal number that is the product of 10 and 100'),\n", " ('1000', 'the cardinal number that is the product of 10 and 100')]},\n", " {'answer': 'three',\n", " 'hint': 'synonyms for three',\n", " 'clues': [('threesome',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('troika', 'the cardinal number that is the sum of one and one and one'),\n", " ('trey', 'the cardinal number that is the sum of one and one and one'),\n", " ('deuce-ace',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('triad', 'the cardinal number that is the sum of one and one and one'),\n", " ('terzetto',\n", " 'the cardinal number that is the sum of one and one and one'),\n", " ('trio', 'the cardinal number that is the sum of one and one and one'),\n", " ('triplet', 'the cardinal number that is the sum of one and one and one'),\n", " ('tierce', 'the cardinal number that is the sum of one and one and one'),\n", " ('leash', 'the cardinal number that is the sum of one and one and one'),\n", " ('ternary', 'the cardinal number that is the sum of one and one and one'),\n", " ('trinity', 'the cardinal number that is the sum of one and one and one'),\n", " ('trine', 'the cardinal number that is the sum of one and one and one'),\n", " ('3', 'the cardinal number that is the sum of one and one and one'),\n", " ('ternion', 'the cardinal number that is the sum of one and one and one'),\n", " ('tercet',\n", " 'the cardinal number that is the sum of one and one and one')]},\n", " {'answer': 'throwaway',\n", " 'hint': 'synonyms for throwaway',\n", " 'clues': [('broadside',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('circular',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('flier',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('broadsheet',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('handbill',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('flyer',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('bill',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution')]},\n", " {'answer': 'thumping',\n", " 'hint': 'synonyms for thumping',\n", " 'clues': [('clump',\n", " 'a heavy dull sound (as made by impact of heavy objects)'),\n", " ('thud', 'a heavy dull sound (as made by impact of heavy objects)'),\n", " ('clunk', 'a heavy dull sound (as made by impact of heavy objects)'),\n", " ('thump', 'a heavy dull sound (as made by impact of heavy objects)')]},\n", " {'answer': 'token',\n", " 'hint': 'synonyms for token',\n", " 'clues': [('keepsake', 'something of sentimental value'),\n", " ('souvenir', 'something of sentimental value'),\n", " ('item', 'an individual instance of a type of symbol'),\n", " ('relic', 'something of sentimental value')]},\n", " {'answer': 'tonic',\n", " 'hint': 'synonyms for tonic',\n", " 'clues': [('tonic water',\n", " 'lime- or lemon-flavored carbonated water containing quinine'),\n", " ('keynote', '(music) the first note of a diatonic scale'),\n", " ('soda pop', 'a sweet drink containing carbonated water and flavoring'),\n", " ('soda', 'a sweet drink containing carbonated water and flavoring'),\n", " ('soda water', 'a sweet drink containing carbonated water and flavoring'),\n", " ('restorative', 'a medicine that strengthens and invigorates'),\n", " ('pop', 'a sweet drink containing carbonated water and flavoring'),\n", " ('quinine water',\n", " 'lime- or lemon-flavored carbonated water containing quinine')]},\n", " {'answer': 'top',\n", " 'hint': 'synonyms for top',\n", " 'clues': [('crown',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('round top',\n", " 'a canvas tent to house the audience at a circus performance'),\n", " ('summit',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('teetotum',\n", " \"a conical child's plaything tapering to a steel point on which it can be made to spin\"),\n", " ('circus tent',\n", " 'a canvas tent to house the audience at a circus performance'),\n", " ('tip',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('peak',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('top of the inning',\n", " 'the first half of an inning; while the visiting team is at bat'),\n", " ('crest',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('upper side', 'the highest or uppermost side of anything'),\n", " ('top side', 'the highest or uppermost side of anything'),\n", " ('whirligig',\n", " \"a conical child's plaything tapering to a steel point on which it can be made to spin\"),\n", " ('big top',\n", " 'a canvas tent to house the audience at a circus performance'),\n", " ('spinning top',\n", " \"a conical child's plaything tapering to a steel point on which it can be made to spin\"),\n", " ('cover',\n", " 'covering for a hole (especially a hole in the top of a container)'),\n", " ('upside', 'the highest or uppermost side of anything')]},\n", " {'answer': 'tops',\n", " 'hint': 'synonyms for tops',\n", " 'clues': [('crown',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('circus tent',\n", " 'a canvas tent to house the audience at a circus performance'),\n", " ('top', 'a canvas tent to house the audience at a circus performance'),\n", " ('big top',\n", " 'a canvas tent to house the audience at a circus performance'),\n", " ('spinning top',\n", " \"a conical child's plaything tapering to a steel point on which it can be made to spin\"),\n", " ('upside', 'the highest or uppermost side of anything'),\n", " ('teetotum',\n", " \"a conical child's plaything tapering to a steel point on which it can be made to spin\"),\n", " ('round top',\n", " 'a canvas tent to house the audience at a circus performance'),\n", " ('tip',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('peak',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('top of the inning',\n", " 'the first half of an inning; while the visiting team is at bat'),\n", " ('crest',\n", " 'the top or extreme point of something (usually a mountain or hill)'),\n", " ('upper side', 'the highest or uppermost side of anything'),\n", " ('top side', 'the highest or uppermost side of anything'),\n", " ('whirligig',\n", " \"a conical child's plaything tapering to a steel point on which it can be made to spin\"),\n", " ('cover',\n", " 'covering for a hole (especially a hole in the top of a container)'),\n", " ('summit',\n", " 'the top or extreme point of something (usually a mountain or hill)')]},\n", " {'answer': 'total',\n", " 'hint': 'synonyms for total',\n", " 'clues': [('totality', 'the whole amount'),\n", " ('sum', 'the whole amount'),\n", " ('aggregate', 'the whole amount'),\n", " ('amount', 'a quantity obtained by the addition of a group of numbers')]},\n", " {'answer': 'trillion',\n", " 'hint': 'synonyms for trillion',\n", " 'clues': [('gazillion',\n", " 'a very large indefinite number (usually hyperbole)'),\n", " ('1000000000000',\n", " 'the number that is represented as a one followed by 12 zeros'),\n", " ('one million million million',\n", " 'the number that is represented as a one followed by 18 zeros'),\n", " ('million', 'a very large indefinite number (usually hyperbole)'),\n", " ('one million million',\n", " 'the number that is represented as a one followed by 12 zeros')]},\n", " {'answer': 'triple',\n", " 'hint': 'synonyms for triple',\n", " 'clues': [('trio', 'a set of three similar things considered as a unit'),\n", " ('three-bagger',\n", " 'a base hit at which the batter stops safely at third base'),\n", " ('triplet', 'a set of three similar things considered as a unit'),\n", " ('triad', 'a set of three similar things considered as a unit'),\n", " ('three-base hit',\n", " 'a base hit at which the batter stops safely at third base')]},\n", " {'answer': 'twilight',\n", " 'hint': 'synonyms for twilight',\n", " 'clues': [('evenfall', 'the time of day immediately following sunset'),\n", " ('gloam', 'the time of day immediately following sunset'),\n", " ('crepuscle', 'the time of day immediately following sunset'),\n", " ('fall', 'the time of day immediately following sunset'),\n", " ('dusk', 'the time of day immediately following sunset'),\n", " ('nightfall', 'the time of day immediately following sunset')]},\n", " {'answer': 'twinkling',\n", " 'hint': 'synonyms for twinkling',\n", " 'clues': [('flash',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('instant',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('jiffy',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('trice',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('split second',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('blink of an eye',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('wink',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('heartbeat',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)')]},\n", " {'answer': 'twisting',\n", " 'hint': 'synonyms for twisting',\n", " 'clues': [('whirl', 'the act of rotating rapidly'),\n", " ('twist', 'the act of rotating rapidly'),\n", " ('spin', 'the act of rotating rapidly'),\n", " ('twirl', 'the act of rotating rapidly'),\n", " ('distortion',\n", " 'the act of distorting something so it seems to mean something it was not intended to mean'),\n", " ('torture',\n", " 'the act of distorting something so it seems to mean something it was not intended to mean'),\n", " ('overrefinement',\n", " 'the act of distorting something so it seems to mean something it was not intended to mean'),\n", " ('straining',\n", " 'the act of distorting something so it seems to mean something it was not intended to mean')]},\n", " {'answer': 'umber',\n", " 'hint': 'synonyms for umber',\n", " 'clues': [('burnt umber', 'a medium brown to dark-brown color'),\n", " ('coffee', 'a medium brown to dark-brown color'),\n", " ('chocolate', 'a medium brown to dark-brown color'),\n", " ('deep brown', 'a medium brown to dark-brown color')]},\n", " {'answer': 'underground',\n", " 'hint': 'synonyms for underground',\n", " 'clues': [('metro',\n", " 'an electric railway operating below the surface of the ground (usually in a city)'),\n", " ('resistance',\n", " 'a secret group organized to overthrow a government or occupation force'),\n", " ('tube',\n", " 'an electric railway operating below the surface of the ground (usually in a city)'),\n", " ('subway system',\n", " 'an electric railway operating below the surface of the ground (usually in a city)'),\n", " ('subway',\n", " 'an electric railway operating below the surface of the ground (usually in a city)')]},\n", " {'answer': 'understanding',\n", " 'hint': 'synonyms for understanding',\n", " 'clues': [('savvy', 'the cognitive condition of someone who understands'),\n", " ('intellect',\n", " 'the capacity for rational thought or inference or discrimination'),\n", " ('reason',\n", " 'the capacity for rational thought or inference or discrimination'),\n", " ('discernment', 'the cognitive condition of someone who understands'),\n", " ('sympathy',\n", " 'an inclination to support or be loyal to or to agree with an opinion'),\n", " ('agreement',\n", " 'the statement (oral or written) of an exchange of promises'),\n", " ('apprehension', 'the cognitive condition of someone who understands')]},\n", " {'answer': 'union',\n", " 'hint': 'synonyms for union',\n", " 'clues': [('mating',\n", " 'the act of pairing a male and female for reproductive purposes'),\n", " ('trades union',\n", " 'an organization of employees formed to bargain with the employer'),\n", " ('join',\n", " 'a set containing all and only the members of two or more given sets'),\n", " ('labor union',\n", " 'an organization of employees formed to bargain with the employer'),\n", " ('conjugation',\n", " 'the act of pairing a male and female for reproductive purposes'),\n", " ('uniting', 'the act of making or becoming a single unit'),\n", " ('sexual union',\n", " 'the act of pairing a male and female for reproductive purposes'),\n", " ('jointure', 'the act of making or becoming a single unit'),\n", " ('coupling',\n", " 'the act of pairing a male and female for reproductive purposes'),\n", " ('brotherhood',\n", " 'an organization of employees formed to bargain with the employer'),\n", " ('unification', 'the act of making or becoming a single unit'),\n", " ('pairing',\n", " 'the act of pairing a male and female for reproductive purposes'),\n", " ('conglutination',\n", " 'healing process involving the growing together of the edges of a wound or the growing together of broken bones'),\n", " ('sum',\n", " 'a set containing all and only the members of two or more given sets')]},\n", " {'answer': 'upper',\n", " 'hint': 'synonyms for upper',\n", " 'clues': [('speed',\n", " 'a central nervous system stimulant that increases energy and decreases appetite; used to treat narcolepsy and some forms of depression'),\n", " ('pep pill',\n", " 'a central nervous system stimulant that increases energy and decreases appetite; used to treat narcolepsy and some forms of depression'),\n", " ('amphetamine',\n", " 'a central nervous system stimulant that increases energy and decreases appetite; used to treat narcolepsy and some forms of depression'),\n", " ('upper berth', 'the higher of two berths')]},\n", " {'answer': 'uppercase',\n", " 'hint': 'synonyms for uppercase',\n", " 'clues': [('capital',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('majuscule',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('upper-case letter',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis'),\n", " ('capital letter',\n", " 'one of the large alphabetic characters used as the first letter in writing or printing proper names and sometimes for emphasis')]},\n", " {'answer': 'upset',\n", " 'hint': 'synonyms for upset',\n", " 'clues': [('overturn', 'the act of upsetting something'),\n", " ('swage',\n", " 'a tool used to thicken or spread metal (the end of a bar or a rivet etc.) by forging or hammering or swaging'),\n", " ('derangement', 'the act of disturbing the mind or body'),\n", " ('overthrow', 'the act of disturbing the mind or body'),\n", " ('turnover', 'the act of upsetting something')]},\n", " {'answer': 'utility',\n", " 'hint': 'synonyms for utility',\n", " 'clues': [('service program',\n", " '(computer science) a program designed for general support of the processes of a computer'),\n", " ('public utility',\n", " 'a company that performs a public service; subject to government regulation'),\n", " ('usefulness', 'the quality of being of practical use'),\n", " ('public-service corporation',\n", " 'a company that performs a public service; subject to government regulation'),\n", " ('utility program',\n", " '(computer science) a program designed for general support of the processes of a computer'),\n", " ('public utility company',\n", " 'a company that performs a public service; subject to government regulation')]},\n", " {'answer': 'v',\n", " 'hint': 'synonyms for v',\n", " 'clues': [('pentad',\n", " 'the cardinal number that is the sum of four and one'),\n", " ('quintuplet', 'the cardinal number that is the sum of four and one'),\n", " ('atomic number 23',\n", " 'a soft silvery white toxic metallic element used in steel alloys; it occurs in several complex minerals including carnotite and vanadinite'),\n", " ('cinque', 'the cardinal number that is the sum of four and one'),\n", " ('5', 'the cardinal number that is the sum of four and one'),\n", " ('fivesome', 'the cardinal number that is the sum of four and one'),\n", " ('vanadium',\n", " 'a soft silvery white toxic metallic element used in steel alloys; it occurs in several complex minerals including carnotite and vanadinite'),\n", " ('fin', 'the cardinal number that is the sum of four and one'),\n", " ('volt',\n", " 'a unit of potential equal to the potential difference between two points on a conductor carrying a current of 1 ampere when the power dissipated between the two points is 1 watt; equivalent to the potential difference across a resistance of 1 ohm when 1 ampere of current flows through it'),\n", " ('quint', 'the cardinal number that is the sum of four and one'),\n", " ('five', 'the cardinal number that is the sum of four and one'),\n", " ('quintet', 'the cardinal number that is the sum of four and one')]},\n", " {'answer': 'variant',\n", " 'hint': 'synonyms for variant',\n", " 'clues': [('form',\n", " '(biology) a group of organisms within a species that differ in trivial ways from similar groups'),\n", " ('stochastic variable', 'a variable quantity that is random'),\n", " ('version', 'something a little different from others of the same type'),\n", " ('variation',\n", " 'something a little different from others of the same type'),\n", " ('variate', 'a variable quantity that is random'),\n", " ('discrepancy', 'an event that departs from expectations'),\n", " ('random variable', 'a variable quantity that is random'),\n", " ('chance variable', 'a variable quantity that is random'),\n", " ('variance', 'an event that departs from expectations'),\n", " ('edition', 'something a little different from others of the same type'),\n", " ('var.',\n", " '(biology) a group of organisms within a species that differ in trivial ways from similar groups'),\n", " ('strain',\n", " '(biology) a group of organisms within a species that differ in trivial ways from similar groups')]},\n", " {'answer': 'vernacular',\n", " 'hint': 'synonyms for vernacular',\n", " 'clues': [('cant',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('argot',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('patois',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('slang',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('lingo',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('jargon',\n", " 'a characteristic language of a particular group (as among thieves)')]},\n", " {'answer': 'vi',\n", " 'hint': 'synonyms for vi',\n", " 'clues': [('sise', 'the cardinal number that is the sum of five and one'),\n", " ('half a dozen', 'the cardinal number that is the sum of five and one'),\n", " ('sextuplet', 'the cardinal number that is the sum of five and one'),\n", " ('sestet', 'the cardinal number that is the sum of five and one'),\n", " ('hexad', 'the cardinal number that is the sum of five and one'),\n", " ('6', 'the cardinal number that is the sum of five and one'),\n", " ('sixer', 'the cardinal number that is the sum of five and one'),\n", " ('sextet', 'the cardinal number that is the sum of five and one'),\n", " ('six', 'the cardinal number that is the sum of five and one')]},\n", " {'answer': 'vii',\n", " 'hint': 'synonyms for vii',\n", " 'clues': [('seven', 'the cardinal number that is the sum of six and one'),\n", " ('sevener', 'the cardinal number that is the sum of six and one'),\n", " ('septenary', 'the cardinal number that is the sum of six and one'),\n", " ('7', 'the cardinal number that is the sum of six and one'),\n", " ('septet', 'the cardinal number that is the sum of six and one'),\n", " ('heptad', 'the cardinal number that is the sum of six and one')]},\n", " {'answer': 'viii',\n", " 'hint': 'synonyms for viii',\n", " 'clues': [('octad',\n", " 'the cardinal number that is the sum of seven and one'),\n", " ('8', 'the cardinal number that is the sum of seven and one'),\n", " ('eighter', 'the cardinal number that is the sum of seven and one'),\n", " ('octonary', 'the cardinal number that is the sum of seven and one'),\n", " ('eight', 'the cardinal number that is the sum of seven and one'),\n", " ('octet', 'the cardinal number that is the sum of seven and one'),\n", " ('eighter from Decatur',\n", " 'the cardinal number that is the sum of seven and one'),\n", " ('ogdoad', 'the cardinal number that is the sum of seven and one')]},\n", " {'answer': 'volute',\n", " 'hint': 'synonyms for volute',\n", " 'clues': [('spiral',\n", " 'ornament consisting of a curve on a plane that winds around a center with an increasing distance from the center'),\n", " ('helix',\n", " 'a structure consisting of something wound in a continuous series of loops'),\n", " ('whorl',\n", " 'a structure consisting of something wound in a continuous series of loops'),\n", " ('coil',\n", " 'a structure consisting of something wound in a continuous series of loops')]},\n", " {'answer': 'walloping',\n", " 'hint': 'synonyms for walloping',\n", " 'clues': [('slaughter', 'a sound defeat'),\n", " ('drubbing', 'a sound defeat'),\n", " ('whipping', 'a sound defeat'),\n", " ('trouncing', 'a sound defeat'),\n", " ('debacle', 'a sound defeat'),\n", " ('thrashing', 'a sound defeat')]},\n", " {'answer': 'waste',\n", " 'hint': 'synonyms for waste',\n", " 'clues': [('barren',\n", " 'an uninhabited wilderness that is worthless for cultivation'),\n", " ('thriftlessness', 'the trait of wasting resources'),\n", " ('wasteland',\n", " 'an uninhabited wilderness that is worthless for cultivation'),\n", " ('wastefulness', 'the trait of wasting resources'),\n", " ('dissipation',\n", " 'useless or profitless activity; using or expending or consuming thoughtlessly or carelessly'),\n", " ('waste matter',\n", " 'any materials unused and rejected as worthless or unwanted'),\n", " ('permissive waste',\n", " '(law) reduction in the value of an estate caused by act or neglect'),\n", " ('waste material',\n", " 'any materials unused and rejected as worthless or unwanted'),\n", " ('waste product',\n", " 'any materials unused and rejected as worthless or unwanted')]},\n", " {'answer': 'wearable',\n", " 'hint': 'synonyms for wearable',\n", " 'clues': [('article of clothing',\n", " \"a covering designed to be worn on a person's body\"),\n", " ('vesture', \"a covering designed to be worn on a person's body\"),\n", " ('habiliment', \"a covering designed to be worn on a person's body\"),\n", " ('clothing', \"a covering designed to be worn on a person's body\"),\n", " ('wear', \"a covering designed to be worn on a person's body\")]},\n", " {'answer': 'wearing',\n", " 'hint': 'synonyms for wearing',\n", " 'clues': [('wear',\n", " 'the act of having on your person as a covering or adornment'),\n", " ('erosion',\n", " '(geology) the mechanical process of wearing or grinding something down (as by particles washing over it)'),\n", " ('eating away',\n", " '(geology) the mechanical process of wearing or grinding something down (as by particles washing over it)'),\n", " ('eroding',\n", " '(geology) the mechanical process of wearing or grinding something down (as by particles washing over it)')]},\n", " {'answer': 'whacking',\n", " 'hint': 'synonyms for whacking',\n", " 'clues': [('drubbing',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('trouncing',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('lacing',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('beating',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('licking',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('thrashing',\n", " 'the act of inflicting corporal punishment with repeated blows')]},\n", " {'answer': 'whipping',\n", " 'hint': 'synonyms for whipping',\n", " 'clues': [('flagellation',\n", " 'beating with a whip or strap or rope as a form of punishment'),\n", " ('slaughter', 'a sound defeat'),\n", " ('beating', 'the act of overcoming or outdoing'),\n", " ('whipstitch', 'a sewing stitch passing over an edge diagonally'),\n", " ('trouncing', 'a sound defeat'),\n", " ('walloping', 'a sound defeat'),\n", " ('lashing',\n", " 'beating with a whip or strap or rope as a form of punishment'),\n", " ('flogging',\n", " 'beating with a whip or strap or rope as a form of punishment'),\n", " ('drubbing', 'a sound defeat'),\n", " ('debacle', 'a sound defeat'),\n", " ('tanning',\n", " 'beating with a whip or strap or rope as a form of punishment'),\n", " ('thrashing', 'a sound defeat')]},\n", " {'answer': 'whispering',\n", " 'hint': 'synonyms for whispering',\n", " 'clues': [('whisper',\n", " 'speaking softly without vibration of the vocal cords'),\n", " ('susurration', 'speaking softly without vibration of the vocal cords'),\n", " ('rustle',\n", " 'a light noise, like the noise of silk clothing or leaves blowing in the wind'),\n", " ('rustling',\n", " 'a light noise, like the noise of silk clothing or leaves blowing in the wind'),\n", " ('voicelessness',\n", " 'speaking softly without vibration of the vocal cords')]},\n", " {'answer': 'white',\n", " 'hint': 'synonyms for white',\n", " 'clues': [('ovalbumin',\n", " 'the white part of an egg; the nutritive and protective gelatinous substance surrounding the yolk consisting mainly of albumin dissolved in water'),\n", " ('gabardine',\n", " '(usually in the plural) trousers made of flannel or gabardine or tweed or white cloth'),\n", " ('flannel',\n", " '(usually in the plural) trousers made of flannel or gabardine or tweed or white cloth'),\n", " ('tweed',\n", " '(usually in the plural) trousers made of flannel or gabardine or tweed or white cloth'),\n", " ('albumen',\n", " 'the white part of an egg; the nutritive and protective gelatinous substance surrounding the yolk consisting mainly of albumin dissolved in water'),\n", " ('egg white',\n", " 'the white part of an egg; the nutritive and protective gelatinous substance surrounding the yolk consisting mainly of albumin dissolved in water'),\n", " ('whiteness',\n", " 'the quality or state of the achromatic color of greatest lightness (bearing the least resemblance to black)')]},\n", " {'answer': 'windup',\n", " 'hint': 'synonyms for windup',\n", " 'clues': [('closing', 'a concluding action'),\n", " ('completion', 'a concluding action'),\n", " ('culmination', 'a concluding action'),\n", " ('mop up', 'a concluding action')]},\n", " {'answer': 'winking',\n", " 'hint': 'synonyms for winking',\n", " 'clues': [('nictation', 'a reflex that closes and opens the eyes rapidly'),\n", " ('eye blink', 'a reflex that closes and opens the eyes rapidly'),\n", " ('wink', 'a reflex that closes and opens the eyes rapidly'),\n", " ('blinking', 'a reflex that closes and opens the eyes rapidly')]},\n", " {'answer': 'wireless',\n", " 'hint': 'synonyms for wireless',\n", " 'clues': [('radiocommunication', 'medium for communication'),\n", " ('radio receiver',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals'),\n", " ('receiving set',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals'),\n", " ('radio',\n", " 'a communication system based on broadcasting electromagnetic waves'),\n", " ('tuner',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals'),\n", " ('radio set',\n", " 'an electronic receiver that detects and demodulates and amplifies transmitted signals')]},\n", " {'answer': 'world',\n", " 'hint': 'synonyms for world',\n", " 'clues': [('cosmos', 'everything that exists anywhere'),\n", " ('macrocosm', 'everything that exists anywhere'),\n", " ('populace', 'people in general considered as a whole'),\n", " ('domain',\n", " 'people in general; especially a distinctive group of people with some shared interest'),\n", " ('reality',\n", " 'all of your experiences that determine how things appear to you'),\n", " ('existence', 'everything that exists anywhere'),\n", " ('universe', 'everything that exists anywhere'),\n", " ('earth', 'the 3rd planet from the sun; the planet we live on'),\n", " ('public', 'people in general considered as a whole'),\n", " ('globe', 'the 3rd planet from the sun; the planet we live on'),\n", " ('earthly concern',\n", " 'the concerns of this life as distinguished from heaven and the afterlife'),\n", " ('worldly concern',\n", " 'the concerns of this life as distinguished from heaven and the afterlife'),\n", " ('creation', 'everything that exists anywhere')]},\n", " {'answer': 'x',\n", " 'hint': 'synonyms for x',\n", " 'clues': [('go', 'street names for methylenedioxymethamphetamine'),\n", " ('ex', 'the 24th letter of the Roman alphabet'),\n", " ('ten',\n", " 'the cardinal number that is the sum of nine and one; the base of the decimal system'),\n", " ('10',\n", " 'the cardinal number that is the sum of nine and one; the base of the decimal system'),\n", " ('disco biscuit', 'street names for methylenedioxymethamphetamine'),\n", " ('ecstasy', 'street names for methylenedioxymethamphetamine'),\n", " ('cristal', 'street names for methylenedioxymethamphetamine'),\n", " ('decade',\n", " 'the cardinal number that is the sum of nine and one; the base of the decimal system'),\n", " ('tenner',\n", " 'the cardinal number that is the sum of nine and one; the base of the decimal system'),\n", " ('hug drug', 'street names for methylenedioxymethamphetamine')]},\n", " {'answer': 'xiii',\n", " 'hint': 'synonyms for xiii',\n", " 'clues': [('thirteen',\n", " 'the cardinal number that is the sum of twelve and one'),\n", " ('long dozen', 'the cardinal number that is the sum of twelve and one'),\n", " ('13', 'the cardinal number that is the sum of twelve and one'),\n", " (\"baker's dozen\",\n", " 'the cardinal number that is the sum of twelve and one')]},\n", " {'answer': 'yielding',\n", " 'hint': 'synonyms for yielding',\n", " 'clues': [('concession', 'the act of conceding or yielding'),\n", " ('giving up', 'a verbal act of admitting defeat'),\n", " ('surrender', 'a verbal act of admitting defeat'),\n", " ('conceding', 'the act of conceding or yielding')]},\n", " {'answer': 'zero',\n", " 'hint': 'synonyms for zero',\n", " 'clues': [('zip', 'a quantity of no importance'),\n", " ('cypher',\n", " 'a mathematical element that when added to another number yields the same number'),\n", " ('nought',\n", " 'a mathematical element that when added to another number yields the same number'),\n", " ('zero point',\n", " 'the point on a scale from which positive or negative numerical quantities can be measured'),\n", " ('naught', 'a quantity of no importance'),\n", " ('nix', 'a quantity of no importance'),\n", " ('cipher',\n", " 'a mathematical element that when added to another number yields the same number'),\n", " ('zilch', 'a quantity of no importance'),\n", " ('nil', 'a quantity of no importance'),\n", " ('null', 'a quantity of no importance'),\n", " ('nothing', 'a quantity of no importance'),\n", " ('nada', 'a quantity of no importance'),\n", " ('zippo', 'a quantity of no importance'),\n", " ('0',\n", " 'a mathematical element that when added to another number yields the same number'),\n", " ('goose egg', 'a quantity of no importance')]},\n", " {'answer': 'as',\n", " 'hint': 'synonyms for as',\n", " 'clues': [('arsenic',\n", " 'a very poisonous metallic element that has three allotropic forms; arsenic and arsenic compounds are used as herbicides and insecticides and various alloys; found in arsenopyrite and orpiment and realgar'),\n", " ('atomic number 33',\n", " 'a very poisonous metallic element that has three allotropic forms; arsenic and arsenic compounds are used as herbicides and insecticides and various alloys; found in arsenopyrite and orpiment and realgar'),\n", " ('vitamin A',\n", " 'any of several fat-soluble vitamins essential for normal vision; prevents night blindness or inflammation or dryness of the eyes'),\n", " ('antiophthalmic factor',\n", " 'any of several fat-soluble vitamins essential for normal vision; prevents night blindness or inflammation or dryness of the eyes'),\n", " ('adenine',\n", " '(biochemistry) purine base found in DNA and RNA; pairs with thymine in DNA and with uracil in RNA'),\n", " ('a', 'the 1st letter of the Roman alphabet'),\n", " ('amp',\n", " \"the basic unit of electric current adopted under the Systeme International d'Unites\"),\n", " ('deoxyadenosine monophosphate',\n", " 'one of the four nucleotides used in building DNA; all four nucleotides have a common phosphate group and a sugar (ribose)'),\n", " ('ampere',\n", " \"the basic unit of electric current adopted under the Systeme International d'Unites\"),\n", " ('angstrom unit',\n", " 'a metric unit of length equal to one ten billionth of a meter (or 0.0001 micron); used to specify wavelengths of electromagnetic radiation'),\n", " ('axerophthol',\n", " 'any of several fat-soluble vitamins essential for normal vision; prevents night blindness or inflammation or dryness of the eyes'),\n", " ('angstrom',\n", " 'a metric unit of length equal to one ten billionth of a meter (or 0.0001 micron); used to specify wavelengths of electromagnetic radiation')]},\n", " {'answer': 'aside',\n", " 'hint': 'synonyms for aside',\n", " 'clues': [('excursus', 'a message that departs from the main subject'),\n", " ('digression', 'a message that departs from the main subject'),\n", " ('parenthesis', 'a message that departs from the main subject'),\n", " ('divagation', 'a message that departs from the main subject')]},\n", " {'answer': 'bang',\n", " 'hint': 'synonyms for bang',\n", " 'clues': [('knock', 'a vigorous blow'),\n", " ('smash', 'a vigorous blow'),\n", " ('bash', 'a vigorous blow'),\n", " ('boot', 'the swift release of a store of affective force'),\n", " ('rush', 'the swift release of a store of affective force'),\n", " ('strike', 'a conspicuous success'),\n", " ('flush', 'the swift release of a store of affective force'),\n", " ('kick', 'the swift release of a store of affective force'),\n", " ('charge', 'the swift release of a store of affective force'),\n", " ('bam', 'a sudden very loud noise'),\n", " ('smasher', 'a conspicuous success'),\n", " ('hit', 'a conspicuous success'),\n", " ('belt', 'a vigorous blow'),\n", " ('eruption', 'a sudden very loud noise'),\n", " ('clap', 'a sudden very loud noise'),\n", " ('blast', 'a sudden very loud noise'),\n", " ('thrill', 'the swift release of a store of affective force')]},\n", " {'answer': 'bolt',\n", " 'hint': 'synonyms for bolt',\n", " 'clues': [('bolt of lightning',\n", " 'a discharge of lightning accompanied by thunder'),\n", " ('thunderbolt', 'a discharge of lightning accompanied by thunder'),\n", " ('dash', 'the act of moving with great haste'),\n", " ('deadbolt',\n", " 'the part of a lock that is engaged or withdrawn with a key')]},\n", " {'answer': 'con',\n", " 'hint': 'synonyms for con',\n", " 'clues': [('con game',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('confidence game',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('gyp',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('confidence trick',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('bunko',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('hustle',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('bunko game',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('bunco',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('flimflam',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property'),\n", " ('sting',\n", " 'a swindle in which you cheat at gambling or persuade a person to buy worthless property')]},\n", " {'answer': 'course',\n", " 'hint': 'synonyms for course',\n", " 'clues': [('course of action', 'a mode of action'),\n", " ('course of study',\n", " 'education imparted in a series of lessons or meetings'),\n", " ('form', 'a body of students who are taught together'),\n", " ('course of instruction',\n", " 'education imparted in a series of lessons or meetings'),\n", " ('class', 'a body of students who are taught together'),\n", " ('row', '(construction) a layer of masonry'),\n", " ('trend', 'general line of orientation'),\n", " ('line', 'a connected series of events or actions or developments'),\n", " ('path', 'a line or route along which something travels or moves'),\n", " ('track', 'a line or route along which something travels or moves'),\n", " ('grade', 'a body of students who are taught together')]},\n", " {'answer': 'crossways',\n", " 'hint': 'synonyms for crossways',\n", " 'clues': [('crossroad',\n", " 'a junction where one street or road crosses another'),\n", " ('crossway', 'a junction where one street or road crosses another'),\n", " ('carrefour', 'a junction where one street or road crosses another'),\n", " ('intersection', 'a junction where one street or road crosses another'),\n", " ('crossing', 'a junction where one street or road crosses another')]},\n", " {'answer': 'flop',\n", " 'hint': 'synonyms for flop',\n", " 'clues': [('floating-point operation',\n", " 'an arithmetic operation performed on floating-point numbers'),\n", " ('bust', 'a complete failure'),\n", " ('collapse', 'the act of throwing yourself down'),\n", " ('fizzle', 'a complete failure')]},\n", " {'answer': 'heaps',\n", " 'hint': 'synonyms for heaps',\n", " 'clues': [('oodles', 'a large number or amount'),\n", " ('heap', \"(often followed by `of') a large number or amount or extent\"),\n", " ('peck', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mess', \"(often followed by `of') a large number or amount or extent\"),\n", " ('jalopy', 'a car that is old and unreliable'),\n", " ('slews', 'a large number or amount'),\n", " ('scores', 'a large number or amount'),\n", " ('agglomerate', 'a collection of objects laid on top of each other'),\n", " ('plenty', \"(often followed by `of') a large number or amount or extent\"),\n", " ('stacks', 'a large number or amount'),\n", " ('pile', \"(often followed by `of') a large number or amount or extent\"),\n", " ('dozens', 'a large number or amount'),\n", " ('tons', 'a large number or amount'),\n", " ('wads', 'a large number or amount'),\n", " ('great deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('spate', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mint', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('loads', 'a large number or amount'),\n", " ('rafts', 'a large number or amount'),\n", " ('tidy sum',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('mass', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mountain',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('bus', 'a car that is old and unreliable'),\n", " ('flock', \"(often followed by `of') a large number or amount or extent\"),\n", " ('quite a little',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('sight', \"(often followed by `of') a large number or amount or extent\"),\n", " ('cumulation', 'a collection of objects laid on top of each other'),\n", " ('batch', \"(often followed by `of') a large number or amount or extent\"),\n", " ('hatful', \"(often followed by `of') a large number or amount or extent\"),\n", " ('gobs', 'a large number or amount'),\n", " ('mickle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('passel', \"(often followed by `of') a large number or amount or extent\"),\n", " ('deal', \"(often followed by `of') a large number or amount or extent\"),\n", " ('lashings', 'a large number or amount'),\n", " ('mound', 'a collection of objects laid on top of each other'),\n", " ('lot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('cumulus', 'a collection of objects laid on top of each other'),\n", " ('good deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('scads', 'a large number or amount'),\n", " ('muckle',\n", " \"(often followed by `of') a large number or amount or extent\")]},\n", " {'answer': 'heart_and_soul',\n", " 'hint': 'synonyms for heart and soul',\n", " 'clues': [('pith',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('marrow',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('nitty-gritty',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('centre',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('nub',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('inwardness',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('substance',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('sum',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('gist',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('essence',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('kernel',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('meat',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('core',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('heart',\n", " 'the choicest or most essential or most vital part of some idea or experience'),\n", " ('center',\n", " 'the choicest or most essential or most vital part of some idea or experience')]},\n", " {'answer': 'hereafter',\n", " 'hint': 'synonyms for hereafter',\n", " 'clues': [('time to come', 'the time yet to come'),\n", " ('futurity', 'the time yet to come'),\n", " ('future', 'the time yet to come'),\n", " ('afterlife', 'life after death')]},\n", " {'answer': 'item',\n", " 'hint': 'synonyms for item',\n", " 'clues': [('token', 'an individual instance of a type of symbol'),\n", " ('detail',\n", " 'an isolated fact that is considered separately from the whole'),\n", " ('point',\n", " 'an isolated fact that is considered separately from the whole'),\n", " ('particular',\n", " 'a small part that can be considered separately from the whole')]},\n", " {'answer': 'lots',\n", " 'hint': 'synonyms for lots',\n", " 'clues': [('oodles', 'a large number or amount'),\n", " ('heap', \"(often followed by `of') a large number or amount or extent\"),\n", " ('peck', \"(often followed by `of') a large number or amount or extent\"),\n", " ('caboodle', 'any collection in its entirety'),\n", " ('set', 'an unofficial association of people or groups'),\n", " ('mess', \"(often followed by `of') a large number or amount or extent\"),\n", " ('lot', 'a parcel of land having fixed boundaries'),\n", " ('slews', 'a large number or amount'),\n", " ('scores', 'a large number or amount'),\n", " ('plenty', \"(often followed by `of') a large number or amount or extent\"),\n", " ('stacks', 'a large number or amount'),\n", " ('pile', \"(often followed by `of') a large number or amount or extent\"),\n", " ('dozens', 'a large number or amount'),\n", " ('tons', 'a large number or amount'),\n", " ('band', 'an unofficial association of people or groups'),\n", " ('wads', 'a large number or amount'),\n", " ('great deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('draw', 'anything (straws or pebbles etc.) taken or chosen at random'),\n", " ('spate', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mint', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('loads', 'a large number or amount'),\n", " ('rafts', 'a large number or amount'),\n", " ('tidy sum',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('mass', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mountain',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('flock', \"(often followed by `of') a large number or amount or extent\"),\n", " ('quite a little',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('sight', \"(often followed by `of') a large number or amount or extent\"),\n", " ('batch', \"(often followed by `of') a large number or amount or extent\"),\n", " ('hatful', \"(often followed by `of') a large number or amount or extent\"),\n", " ('gobs', 'a large number or amount'),\n", " ('mickle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('passel', \"(often followed by `of') a large number or amount or extent\"),\n", " ('deal', \"(often followed by `of') a large number or amount or extent\"),\n", " ('bunch', 'any collection in its entirety'),\n", " ('lashings', 'a large number or amount'),\n", " ('circle', 'an unofficial association of people or groups'),\n", " ('good deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('scads', 'a large number or amount'),\n", " ('muckle',\n", " \"(often followed by `of') a large number or amount or extent\")]},\n", " {'answer': 'needs',\n", " 'hint': 'synonyms for needs',\n", " 'clues': [('motive',\n", " 'the psychological feature that arouses an organism to action toward a desired goal; the reason for the action; that which gives purpose and direction to behavior'),\n", " ('want', 'anything that is necessary but lacking'),\n", " ('motivation',\n", " 'the psychological feature that arouses an organism to action toward a desired goal; the reason for the action; that which gives purpose and direction to behavior'),\n", " ('need',\n", " 'the psychological feature that arouses an organism to action toward a desired goal; the reason for the action; that which gives purpose and direction to behavior')]},\n", " {'answer': 'nothing',\n", " 'hint': 'synonyms for nothing',\n", " 'clues': [('zip', 'a quantity of no importance'),\n", " ('naught', 'a quantity of no importance'),\n", " ('nix', 'a quantity of no importance'),\n", " ('zilch', 'a quantity of no importance'),\n", " ('cypher', 'a quantity of no importance'),\n", " ('nil', 'a quantity of no importance'),\n", " ('null', 'a quantity of no importance'),\n", " ('zero', 'a quantity of no importance'),\n", " ('nada', 'a quantity of no importance'),\n", " ('cipher', 'a quantity of no importance'),\n", " ('zippo', 'a quantity of no importance'),\n", " ('goose egg', 'a quantity of no importance')]},\n", " {'answer': 'part',\n", " 'hint': 'synonyms for part',\n", " 'clues': [('persona', \"an actor's portrayal of someone in a play\"),\n", " ('character', \"an actor's portrayal of someone in a play\"),\n", " ('share',\n", " 'assets belonging to or due to or contributed by an individual person or group'),\n", " ('section',\n", " 'one of the portions into which something is regarded as divided and which together constitute a whole'),\n", " ('constituent',\n", " 'something determined in relation to something that includes it'),\n", " ('portion',\n", " 'something determined in relation to something that includes it'),\n", " ('percentage',\n", " 'assets belonging to or due to or contributed by an individual person or group'),\n", " ('division',\n", " 'one of the portions into which something is regarded as divided and which together constitute a whole'),\n", " ('office',\n", " 'the actions and activities assigned to or required or expected of a person or group'),\n", " ('role', \"an actor's portrayal of someone in a play\"),\n", " ('component part',\n", " 'something determined in relation to something that includes it'),\n", " ('component',\n", " 'something determined in relation to something that includes it'),\n", " ('voice',\n", " 'the melody carried by a particular voice or instrument in polyphonic music'),\n", " ('theatrical role', \"an actor's portrayal of someone in a play\"),\n", " ('function',\n", " 'the actions and activities assigned to or required or expected of a person or group'),\n", " ('region', 'the extended spatial location of something'),\n", " ('contribution',\n", " 'the part played by a person in bringing about a result'),\n", " ('piece', 'a portion of a natural object')]},\n", " {'answer': 'plenty',\n", " 'hint': 'synonyms for plenty',\n", " 'clues': [('plenteousness', 'a full supply'),\n", " ('plentitude', 'a full supply'),\n", " ('heap', \"(often followed by `of') a large number or amount or extent\"),\n", " ('peck', \"(often followed by `of') a large number or amount or extent\"),\n", " ('flock', \"(often followed by `of') a large number or amount or extent\"),\n", " ('quite a little',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('plentifulness', 'a full supply'),\n", " ('mess', \"(often followed by `of') a large number or amount or extent\"),\n", " ('sight', \"(often followed by `of') a large number or amount or extent\"),\n", " ('wad', \"(often followed by `of') a large number or amount or extent\"),\n", " ('batch', \"(often followed by `of') a large number or amount or extent\"),\n", " ('hatful', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mickle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('stack', \"(often followed by `of') a large number or amount or extent\"),\n", " ('passel', \"(often followed by `of') a large number or amount or extent\"),\n", " ('deal', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pile', \"(often followed by `of') a large number or amount or extent\"),\n", " ('slew', \"(often followed by `of') a large number or amount or extent\"),\n", " ('great deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('spate', \"(often followed by `of') a large number or amount or extent\"),\n", " ('muckle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mint', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('lot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('tidy sum',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('good deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('mass', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mountain',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('raft', \"(often followed by `of') a large number or amount or extent\")]},\n", " {'answer': 'smack',\n", " 'hint': 'synonyms for smack',\n", " 'clues': [('savor',\n", " 'the taste experience when a savoury condiment is taken into the mouth'),\n", " ('hell dust', 'street names for heroin'),\n", " ('skag', 'street names for heroin'),\n", " ('slap', 'a blow from a flat object (as an open hand)'),\n", " ('nip',\n", " 'the taste experience when a savoury condiment is taken into the mouth'),\n", " ('relish',\n", " 'the taste experience when a savoury condiment is taken into the mouth'),\n", " ('tang',\n", " 'the taste experience when a savoury condiment is taken into the mouth'),\n", " ('scag', 'street names for heroin'),\n", " ('sapidity',\n", " 'the taste experience when a savoury condiment is taken into the mouth'),\n", " ('flavor',\n", " 'the taste experience when a savoury condiment is taken into the mouth'),\n", " ('nose drops', 'street names for heroin'),\n", " ('smacking',\n", " 'the act of smacking something; a blow delivered with an open hand'),\n", " ('smooch', 'an enthusiastic kiss'),\n", " ('thunder', 'street names for heroin'),\n", " ('big H', 'street names for heroin')]},\n", " {'answer': 'smash',\n", " 'hint': 'synonyms for smash',\n", " 'clues': [('bang', 'a vigorous blow'),\n", " ('knock', 'a vigorous blow'),\n", " ('bash', 'a vigorous blow'),\n", " ('strike', 'a conspicuous success'),\n", " ('overhead', 'a hard return hitting the tennis ball above your head'),\n", " ('smash-up', 'a serious collision (especially of motor vehicles)'),\n", " ('smasher', 'a conspicuous success'),\n", " ('hit', 'a conspicuous success'),\n", " ('belt', 'a vigorous blow'),\n", " ('crash', 'the act of colliding with something')]},\n", " {'answer': 'soaking',\n", " 'hint': 'synonyms for soaking',\n", " 'clues': [('souse', 'the act of making something completely wet'),\n", " ('soakage',\n", " 'the process of becoming softened and saturated as a consequence of being immersed in water (or other liquid)'),\n", " ('soak', 'washing something by allowing it to soak'),\n", " ('drenching', 'the act of making something completely wet'),\n", " ('sousing', 'the act of making something completely wet')]},\n", " {'answer': 'vis-a-vis',\n", " 'hint': 'synonyms for vis-a-vis',\n", " 'clues': [('counterpart',\n", " 'a person or thing having the same function or characteristics as another'),\n", " ('loveseat', 'small sofa that seats two people'),\n", " ('opposite number',\n", " 'a person or thing having the same function or characteristics as another'),\n", " ('tete-a-tete', 'small sofa that seats two people')]},\n", " {'answer': 'viva_voce',\n", " 'hint': 'synonyms for viva voce',\n", " 'clues': [('oral', 'an examination conducted by spoken communication'),\n", " ('oral examination', 'an examination conducted by spoken communication'),\n", " ('viva', 'an examination conducted by spoken communication'),\n", " ('oral exam', 'an examination conducted by spoken communication')]},\n", " {'answer': 'way',\n", " 'hint': 'synonyms for way',\n", " 'clues': [('path', 'a course of conduct'),\n", " ('way of life', 'a course of conduct'),\n", " ('room', 'space for movement'),\n", " ('direction', 'a line leading to a place or point'),\n", " ('elbow room', 'space for movement'),\n", " ('fashion', 'how something is done or how it happens'),\n", " ('manner', 'how something is done or how it happens'),\n", " ('means', 'how a result is obtained or an end is achieved'),\n", " ('agency', 'how a result is obtained or an end is achieved'),\n", " ('mode', 'how something is done or how it happens'),\n", " ('style', 'how something is done or how it happens')]},\n", " {'answer': '24-hour_interval',\n", " 'hint': 'synonyms for 24-hour interval',\n", " 'clues': [('twenty-four hour period',\n", " 'time for Earth to make a complete rotation on its axis'),\n", " ('twenty-four hours',\n", " 'time for Earth to make a complete rotation on its axis'),\n", " ('mean solar day',\n", " 'time for Earth to make a complete rotation on its axis'),\n", " ('solar day', 'time for Earth to make a complete rotation on its axis'),\n", " ('day', 'time for Earth to make a complete rotation on its axis')]},\n", " {'answer': 'a',\n", " 'hint': 'synonyms for a',\n", " 'clues': [('vitamin A',\n", " 'any of several fat-soluble vitamins essential for normal vision; prevents night blindness or inflammation or dryness of the eyes'),\n", " ('adenine',\n", " '(biochemistry) purine base found in DNA and RNA; pairs with thymine in DNA and with uracil in RNA'),\n", " ('antiophthalmic factor',\n", " 'any of several fat-soluble vitamins essential for normal vision; prevents night blindness or inflammation or dryness of the eyes'),\n", " ('amp',\n", " \"the basic unit of electric current adopted under the Systeme International d'Unites\"),\n", " ('deoxyadenosine monophosphate',\n", " 'one of the four nucleotides used in building DNA; all four nucleotides have a common phosphate group and a sugar (ribose)'),\n", " ('ampere',\n", " \"the basic unit of electric current adopted under the Systeme International d'Unites\"),\n", " ('angstrom unit',\n", " 'a metric unit of length equal to one ten billionth of a meter (or 0.0001 micron); used to specify wavelengths of electromagnetic radiation'),\n", " ('axerophthol',\n", " 'any of several fat-soluble vitamins essential for normal vision; prevents night blindness or inflammation or dryness of the eyes'),\n", " ('angstrom',\n", " 'a metric unit of length equal to one ten billionth of a meter (or 0.0001 micron); used to specify wavelengths of electromagnetic radiation')]},\n", " {'answer': 'abatement',\n", " 'hint': 'synonyms for abatement',\n", " 'clues': [('respite',\n", " 'an interruption in the intensity or amount of something'),\n", " ('suspension', 'an interruption in the intensity or amount of something'),\n", " ('reprieve', 'an interruption in the intensity or amount of something'),\n", " ('hiatus', 'an interruption in the intensity or amount of something')]},\n", " {'answer': 'abc',\n", " 'hint': 'synonyms for abc',\n", " 'clues': [('first principle',\n", " 'the elementary stages of any subject (usually plural)'),\n", " ('rudiment', 'the elementary stages of any subject (usually plural)'),\n", " ('alphabet', 'the elementary stages of any subject (usually plural)'),\n", " ('first rudiment',\n", " 'the elementary stages of any subject (usually plural)')]},\n", " {'answer': \"abc's\",\n", " 'hint': \"synonyms for abc's\",\n", " 'clues': [('first principle',\n", " 'the elementary stages of any subject (usually plural)'),\n", " ('rudiment', 'the elementary stages of any subject (usually plural)'),\n", " ('alphabet', 'the elementary stages of any subject (usually plural)'),\n", " ('first rudiment',\n", " 'the elementary stages of any subject (usually plural)')]},\n", " {'answer': 'abcs',\n", " 'hint': 'synonyms for abcs',\n", " 'clues': [('first principle',\n", " 'the elementary stages of any subject (usually plural)'),\n", " ('first rudiment',\n", " 'the elementary stages of any subject (usually plural)'),\n", " ('alphabet', 'the elementary stages of any subject (usually plural)'),\n", " ('rudiment', 'the elementary stages of any subject (usually plural)')]},\n", " {'answer': 'abdominal_delivery',\n", " 'hint': 'synonyms for abdominal delivery',\n", " 'clues': [('cesarean section',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarian delivery',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('cesarian',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)'),\n", " ('caesarean',\n", " 'the delivery of a fetus by surgical incision through the abdominal wall and uterus (from the belief that Julius Caesar was born that way)')]},\n", " {'answer': 'abhorrence',\n", " 'hint': 'synonyms for abhorrence',\n", " 'clues': [('execration', 'hate coupled with disgust'),\n", " ('abomination', 'hate coupled with disgust'),\n", " ('loathing', 'hate coupled with disgust'),\n", " ('odium', 'hate coupled with disgust'),\n", " ('detestation', 'hate coupled with disgust')]},\n", " {'answer': 'abidance',\n", " 'hint': 'synonyms for abidance',\n", " 'clues': [('residence', 'the act of dwelling in a place'),\n", " ('conformity', 'acting according to certain accepted standards'),\n", " ('compliance', 'acting according to certain accepted standards'),\n", " ('conformation', 'acting according to certain accepted standards')]},\n", " {'answer': 'abnegation',\n", " 'hint': 'synonyms for abnegation',\n", " 'clues': [('self-denial',\n", " 'renunciation of your own interests in favor of the interests of others'),\n", " ('self-abnegation',\n", " 'renunciation of your own interests in favor of the interests of others'),\n", " ('self-renunciation',\n", " 'renunciation of your own interests in favor of the interests of others'),\n", " ('denial',\n", " 'renunciation of your own interests in favor of the interests of others')]},\n", " {'answer': 'abode',\n", " 'hint': 'synonyms for abode',\n", " 'clues': [('residence',\n", " 'any address at which you dwell more than temporarily'),\n", " ('domicile', 'housing that someone is living in'),\n", " ('dwelling', 'housing that someone is living in'),\n", " ('habitation', 'housing that someone is living in'),\n", " ('home', 'housing that someone is living in'),\n", " ('dwelling house', 'housing that someone is living in')]},\n", " {'answer': 'abomination',\n", " 'hint': 'synonyms for abomination',\n", " 'clues': [('execration', 'hate coupled with disgust'),\n", " ('loathing', 'hate coupled with disgust'),\n", " ('odium', 'hate coupled with disgust'),\n", " ('detestation', 'hate coupled with disgust'),\n", " ('abhorrence', 'hate coupled with disgust')]},\n", " {'answer': 'about-face',\n", " 'hint': 'synonyms for about-face',\n", " 'clues': [('policy change',\n", " 'a major change in attitude or principle or point of view'),\n", " ('about turn',\n", " 'act of pivoting 180 degrees, especially in a military formation'),\n", " ('volte-face',\n", " 'a major change in attitude or principle or point of view'),\n", " ('reversal',\n", " 'a major change in attitude or principle or point of view')]},\n", " {'answer': 'abrasion',\n", " 'hint': 'synonyms for abrasion',\n", " 'clues': [('corrasion', 'erosion by friction'),\n", " ('attrition',\n", " 'the wearing down of rock particles by friction due to water or wind or ice'),\n", " ('detrition',\n", " 'the wearing down of rock particles by friction due to water or wind or ice'),\n", " ('grinding',\n", " 'the wearing down of rock particles by friction due to water or wind or ice')]},\n", " {'answer': 'abruptness',\n", " 'hint': 'synonyms for abruptness',\n", " 'clues': [('precipitancy',\n", " 'the quality of happening with headlong haste or without warning'),\n", " ('suddenness',\n", " 'the quality of happening with headlong haste or without warning'),\n", " ('precipitateness',\n", " 'the quality of happening with headlong haste or without warning'),\n", " ('curtness', 'an abrupt discourteous manner'),\n", " ('brusqueness', 'an abrupt discourteous manner'),\n", " ('shortness', 'an abrupt discourteous manner'),\n", " ('steepness', 'the property possessed by a slope that is very steep'),\n", " ('gruffness', 'an abrupt discourteous manner'),\n", " ('precipitousness',\n", " 'the quality of happening with headlong haste or without warning')]},\n", " {'answer': 'absolutism',\n", " 'hint': 'synonyms for absolutism',\n", " 'clues': [('dictatorship',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('one-man rule',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('despotism',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('totalism',\n", " 'the principle of complete and unrestricted power in government'),\n", " ('totalitarianism',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('monocracy',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('authoritarianism',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('shogunate',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('tyranny',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)')]},\n", " {'answer': 'absorption',\n", " 'hint': 'synonyms for absorption',\n", " 'clues': [('soaking up',\n", " '(chemistry) a process in which one substance permeates another; a fluid permeates or is dissolved by a liquid or solid'),\n", " ('immersion', 'complete attention; intense mental effort'),\n", " ('preoccupancy', 'the mental state of being preoccupied by something'),\n", " ('engrossment', 'the mental state of being preoccupied by something'),\n", " ('assimilation',\n", " 'the process of absorbing nutrients into the body after digestion'),\n", " ('preoccupation', 'the mental state of being preoccupied by something'),\n", " ('concentration', 'complete attention; intense mental effort')]},\n", " {'answer': 'abstraction',\n", " 'hint': 'synonyms for abstraction',\n", " 'clues': [('generalization',\n", " 'the process of formulating general concepts by abstracting common properties of instances'),\n", " ('abstract entity',\n", " 'a general concept formed by extracting common features from specific examples'),\n", " ('abstractedness',\n", " 'preoccupation with something to the exclusion of all else'),\n", " ('abstract',\n", " 'a concept or idea not associated with any specific instance')]},\n", " {'answer': 'abstruseness',\n", " 'hint': 'synonyms for abstruseness',\n", " 'clues': [('profoundness',\n", " 'wisdom that is recondite and abstruse and profound'),\n", " ('profundity', 'wisdom that is recondite and abstruse and profound'),\n", " ('abstrusity', 'wisdom that is recondite and abstruse and profound'),\n", " ('reconditeness', 'wisdom that is recondite and abstruse and profound'),\n", " ('obscurity',\n", " 'the quality of being unclear or abstruse and hard to understand'),\n", " ('obscureness',\n", " 'the quality of being unclear or abstruse and hard to understand')]},\n", " {'answer': 'abstrusity',\n", " 'hint': 'synonyms for abstrusity',\n", " 'clues': [('profoundness',\n", " 'wisdom that is recondite and abstruse and profound'),\n", " ('reconditeness', 'wisdom that is recondite and abstruse and profound'),\n", " ('profundity', 'wisdom that is recondite and abstruse and profound'),\n", " ('abstruseness', 'wisdom that is recondite and abstruse and profound')]},\n", " {'answer': 'absurdity',\n", " 'hint': 'synonyms for absurdity',\n", " 'clues': [('ridiculousness',\n", " 'a message whose content is at variance with reason'),\n", " ('silliness', 'a ludicrous folly'),\n", " ('fatuousness', 'a ludicrous folly'),\n", " ('fatuity', 'a ludicrous folly'),\n", " ('absurdness', 'a message whose content is at variance with reason')]},\n", " {'answer': 'abuse',\n", " 'hint': 'synonyms for abuse',\n", " 'clues': [('contumely', 'a rude expression intended to offend or hurt'),\n", " ('ill-usage', 'cruel or inhumane treatment'),\n", " ('revilement', 'a rude expression intended to offend or hurt'),\n", " ('misuse', 'improper or excessive use'),\n", " ('ill-treatment', 'cruel or inhumane treatment'),\n", " ('insult', 'a rude expression intended to offend or hurt'),\n", " ('maltreatment', 'cruel or inhumane treatment'),\n", " ('vilification', 'a rude expression intended to offend or hurt')]},\n", " {'answer': 'ac',\n", " 'hint': 'synonyms for ac',\n", " 'clues': [('actinium',\n", " 'a radioactive element of the actinide series; found in uranium ores'),\n", " ('alternating current',\n", " 'an electric current that reverses direction sinusoidally'),\n", " ('atomic number 89',\n", " 'a radioactive element of the actinide series; found in uranium ores'),\n", " ('alternating electric current',\n", " 'an electric current that reverses direction sinusoidally')]},\n", " {'answer': 'acaroid_resin',\n", " 'hint': 'synonyms for acaroid resin',\n", " 'clues': [('accroides gum',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('gum accroides',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('accroides resin',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('accroides',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper')]},\n", " {'answer': 'accaroid_resin',\n", " 'hint': 'synonyms for accaroid resin',\n", " 'clues': [('accroides gum',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('acaroid resin',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('gum accroides',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('accroides',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper')]},\n", " {'answer': 'accelerator',\n", " 'hint': 'synonyms for accelerator',\n", " 'clues': [('throttle', 'a pedal that controls the throttle valve'),\n", " ('atom smasher',\n", " 'a scientific instrument that increases the kinetic energy of charged particles'),\n", " ('gun', 'a pedal that controls the throttle valve'),\n", " ('gas', 'a pedal that controls the throttle valve'),\n", " ('accelerator pedal', 'a pedal that controls the throttle valve'),\n", " ('gas pedal', 'a pedal that controls the throttle valve'),\n", " ('throttle valve',\n", " 'a valve that regulates the supply of fuel to the engine'),\n", " ('catalyst',\n", " '(chemistry) a substance that initiates or accelerates a chemical reaction without itself being affected'),\n", " ('particle accelerator',\n", " 'a scientific instrument that increases the kinetic energy of charged particles')]},\n", " {'answer': 'accelerator_pedal',\n", " 'hint': 'synonyms for accelerator pedal',\n", " 'clues': [('throttle', 'a pedal that controls the throttle valve'),\n", " ('gun', 'a pedal that controls the throttle valve'),\n", " ('gas', 'a pedal that controls the throttle valve'),\n", " ('accelerator', 'a pedal that controls the throttle valve'),\n", " ('gas pedal', 'a pedal that controls the throttle valve')]},\n", " {'answer': 'accent',\n", " 'hint': 'synonyms for accent',\n", " 'clues': [('stress',\n", " 'the relative prominence of a syllable or musical note (especially with regard to stress or pitch)'),\n", " ('accent mark',\n", " 'a diacritical mark used to indicate stress or placed above a vowel to indicate a special pronunciation'),\n", " ('speech pattern', 'distinctive manner of oral expression'),\n", " ('idiom',\n", " 'the usage or vocabulary that is characteristic of a specific group of people'),\n", " ('dialect',\n", " 'the usage or vocabulary that is characteristic of a specific group of people'),\n", " ('emphasis',\n", " 'the relative prominence of a syllable or musical note (especially with regard to stress or pitch)')]},\n", " {'answer': 'acceptance',\n", " 'hint': 'synonyms for acceptance',\n", " 'clues': [(\"banker's acceptance\",\n", " 'banking: a time draft drawn on and accepted by a bank'),\n", " ('toleration',\n", " 'a disposition to tolerate or accept people or situations'),\n", " ('credence',\n", " 'the mental attitude that something is believable and should be accepted as true'),\n", " ('espousal', 'the act of accepting with approval; favorable reception'),\n", " ('sufferance',\n", " 'a disposition to tolerate or accept people or situations'),\n", " ('acceptation',\n", " 'the act of accepting with approval; favorable reception'),\n", " ('adoption', 'the act of accepting with approval; favorable reception')]},\n", " {'answer': 'acceptation',\n", " 'hint': 'synonyms for acceptation',\n", " 'clues': [('word sense', 'the accepted meaning of a word'),\n", " ('word meaning', 'the accepted meaning of a word'),\n", " ('espousal', 'the act of accepting with approval; favorable reception'),\n", " ('acceptance', 'the act of accepting with approval; favorable reception'),\n", " ('adoption', 'the act of accepting with approval; favorable reception')]},\n", " {'answer': 'acceptor_rna',\n", " 'hint': 'synonyms for acceptor rna',\n", " 'clues': [('soluble RNA',\n", " 'RNA molecules present in the cell (in at least 20 varieties, each variety capable of combining with a specific amino acid) that attach the correct amino acid to the protein chain that is being synthesized at the ribosome of the cell (according to directions coded in the mRNA)'),\n", " ('tRNA',\n", " 'RNA molecules present in the cell (in at least 20 varieties, each variety capable of combining with a specific amino acid) that attach the correct amino acid to the protein chain that is being synthesized at the ribosome of the cell (according to directions coded in the mRNA)'),\n", " ('acceptor RNA',\n", " 'RNA molecules present in the cell (in at least 20 varieties, each variety capable of combining with a specific amino acid) that attach the correct amino acid to the protein chain that is being synthesized at the ribosome of the cell (according to directions coded in the mRNA)'),\n", " ('transfer RNA',\n", " 'RNA molecules present in the cell (in at least 20 varieties, each variety capable of combining with a specific amino acid) that attach the correct amino acid to the protein chain that is being synthesized at the ribosome of the cell (according to directions coded in the mRNA)')]},\n", " {'answer': 'access',\n", " 'hint': 'synonyms for access',\n", " 'clues': [('approach', 'a way of entering or leaving'),\n", " ('admission', 'the right to enter'),\n", " ('memory access',\n", " '(computer science) the operation of reading or writing stored information'),\n", " ('entree', 'the right to enter'),\n", " ('access code',\n", " 'a code (a series of characters or digits) that must be entered in some way (typed or dialed or spoken) to get the use of something (a telephone line or a computer or a local area network etc.)'),\n", " ('admittance', 'the right to enter'),\n", " ('accession', 'the right to enter')]},\n", " {'answer': 'accessibility',\n", " 'hint': 'synonyms for accessibility',\n", " 'clues': [('availability', 'the quality of being at hand when needed'),\n", " ('availableness', 'the quality of being at hand when needed'),\n", " ('approachability', 'the attribute of being easy to meet or deal with'),\n", " ('handiness', 'the quality of being at hand when needed')]},\n", " {'answer': 'accession',\n", " 'hint': 'synonyms for accession',\n", " 'clues': [('addition', 'something added to what you already have'),\n", " ('access', 'the right to enter'),\n", " ('assenting', 'agreeing with or consenting to (often unwillingly)'),\n", " ('admission', 'the right to enter'),\n", " ('entree', 'the right to enter'),\n", " ('rise to power',\n", " 'the act of attaining or gaining access to a new office or right or position (especially the throne)'),\n", " ('admittance', 'the right to enter')]},\n", " {'answer': 'acclivity',\n", " 'hint': 'synonyms for acclivity',\n", " 'clues': [('rise', 'an upward slope or grade (as in a road)'),\n", " ('upgrade', 'an upward slope or grade (as in a road)'),\n", " ('ascent', 'an upward slope or grade (as in a road)'),\n", " ('climb', 'an upward slope or grade (as in a road)')]},\n", " {'answer': 'accompaniment',\n", " 'hint': 'synonyms for accompaniment',\n", " 'clues': [('backup',\n", " 'a musical part (vocal or instrumental) that supports or provides background for other musical parts'),\n", " ('complement',\n", " 'something added to complete or embellish or make perfect'),\n", " ('attendant',\n", " 'an event or situation that happens at the same time as or in connection with another'),\n", " ('concomitant',\n", " 'an event or situation that happens at the same time as or in connection with another'),\n", " ('escort',\n", " 'the act of accompanying someone or something in order to protect them'),\n", " ('support',\n", " 'a musical part (vocal or instrumental) that supports or provides background for other musical parts'),\n", " ('musical accompaniment',\n", " 'a musical part (vocal or instrumental) that supports or provides background for other musical parts'),\n", " ('co-occurrence',\n", " 'an event or situation that happens at the same time as or in connection with another')]},\n", " {'answer': 'accomplishment',\n", " 'hint': 'synonyms for accomplishment',\n", " 'clues': [('attainment', 'an ability that has been acquired by training'),\n", " ('acquisition', 'an ability that has been acquired by training'),\n", " ('acquirement', 'an ability that has been acquired by training'),\n", " ('skill', 'an ability that has been acquired by training'),\n", " ('achievement', 'the action of accomplishing something')]},\n", " {'answer': 'accord',\n", " 'hint': 'synonyms for accord',\n", " 'clues': [('conformity', 'concurrence of opinion'),\n", " ('treaty', 'a written agreement between two states or sovereigns'),\n", " ('pact', 'a written agreement between two states or sovereigns'),\n", " ('accordance', 'concurrence of opinion')]},\n", " {'answer': 'account',\n", " 'hint': 'synonyms for account',\n", " 'clues': [('report', 'the act of informing by verbal report'),\n", " ('accounting',\n", " 'a statement of recent transactions and the resulting balance'),\n", " ('account statement',\n", " 'a statement of recent transactions and the resulting balance'),\n", " ('news report', 'a short account of the news'),\n", " ('score', 'grounds'),\n", " ('story', 'a short account of the news'),\n", " ('bill',\n", " 'an itemized statement of money owed for goods shipped or services rendered'),\n", " ('history', 'a record or narrative description of past events'),\n", " ('explanation',\n", " 'a statement that makes something comprehensible by describing the relevant structure or operation or circumstances etc.'),\n", " ('write up', 'a short account of the news'),\n", " ('chronicle', 'a record or narrative description of past events'),\n", " ('invoice',\n", " 'an itemized statement of money owed for goods shipped or services rendered')]},\n", " {'answer': 'accounting',\n", " 'hint': 'synonyms for accounting',\n", " 'clues': [('method of accounting',\n", " \"a bookkeeper's chronological list of related debits and credits of a business; forms part of a ledger of accounts\"),\n", " ('accountancy',\n", " 'the occupation of maintaining and auditing records and preparing financial reports for a business'),\n", " ('accounting system',\n", " \"a bookkeeper's chronological list of related debits and credits of a business; forms part of a ledger of accounts\"),\n", " ('account statement',\n", " 'a statement of recent transactions and the resulting balance'),\n", " ('account',\n", " 'a statement of recent transactions and the resulting balance')]},\n", " {'answer': 'accroides_resin',\n", " 'hint': 'synonyms for accroides resin',\n", " 'clues': [('accroides gum',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('acaroid resin',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('gum accroides',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper'),\n", " ('accroides',\n", " 'an alcohol-soluble resin from Australian trees; used in varnishes and in manufacturing paper')]},\n", " {'answer': 'acculturation',\n", " 'hint': 'synonyms for acculturation',\n", " 'clues': [('enculturation',\n", " 'the adoption of the behavior patterns of the surrounding culture'),\n", " ('culture', 'all the knowledge and values shared by a society'),\n", " ('assimilation',\n", " 'the process of assimilating new ideas into an existing cognitive structure'),\n", " ('socialisation',\n", " 'the adoption of the behavior patterns of the surrounding culture')]},\n", " {'answer': 'accumulation',\n", " 'hint': 'synonyms for accumulation',\n", " 'clues': [('accruement', 'the act of accumulating'),\n", " ('collection',\n", " 'several things grouped together or considered as a whole'),\n", " ('assemblage',\n", " 'several things grouped together or considered as a whole'),\n", " ('accrual', 'the act of accumulating'),\n", " ('accretion', 'an increase by natural growth or addition'),\n", " ('aggregation',\n", " 'several things grouped together or considered as a whole')]},\n", " {'answer': 'acerbity',\n", " 'hint': 'synonyms for acerbity',\n", " 'clues': [('thorniness', 'a rough and bitter manner'),\n", " ('tartness', 'a rough and bitter manner'),\n", " ('jaundice', 'a rough and bitter manner'),\n", " ('bitterness', 'a rough and bitter manner'),\n", " ('acrimony', 'a rough and bitter manner')]},\n", " {'answer': 'acetyl',\n", " 'hint': 'synonyms for acetyl',\n", " 'clues': [('acetyl radical', 'the organic group of acetic acid (CH3CO-)'),\n", " ('ethanoyl radical', 'the organic group of acetic acid (CH3CO-)'),\n", " ('ethanoyl group', 'the organic group of acetic acid (CH3CO-)'),\n", " ('acetyl group', 'the organic group of acetic acid (CH3CO-)')]},\n", " {'answer': 'acetyl_group',\n", " 'hint': 'synonyms for acetyl group',\n", " 'clues': [('acetyl radical', 'the organic group of acetic acid (CH3CO-)'),\n", " ('ethanoyl radical', 'the organic group of acetic acid (CH3CO-)'),\n", " ('ethanoyl group', 'the organic group of acetic acid (CH3CO-)'),\n", " ('acetyl', 'the organic group of acetic acid (CH3CO-)')]},\n", " {'answer': 'acetyl_radical',\n", " 'hint': 'synonyms for acetyl radical',\n", " 'clues': [('ethanoyl radical',\n", " 'the organic group of acetic acid (CH3CO-)'),\n", " ('acetyl group', 'the organic group of acetic acid (CH3CO-)'),\n", " ('ethanoyl group', 'the organic group of acetic acid (CH3CO-)'),\n", " ('acetyl', 'the organic group of acetic acid (CH3CO-)')]},\n", " {'answer': 'achromasia',\n", " 'hint': 'synonyms for achromasia',\n", " 'clues': [('pallor',\n", " 'unnatural lack of color in the skin (as from bruising or sickness or emotional distress)'),\n", " ('lividness',\n", " 'unnatural lack of color in the skin (as from bruising or sickness or emotional distress)'),\n", " ('lividity',\n", " 'unnatural lack of color in the skin (as from bruising or sickness or emotional distress)'),\n", " ('luridness',\n", " 'unnatural lack of color in the skin (as from bruising or sickness or emotional distress)'),\n", " ('paleness',\n", " 'unnatural lack of color in the skin (as from bruising or sickness or emotional distress)'),\n", " ('wanness',\n", " 'unnatural lack of color in the skin (as from bruising or sickness or emotional distress)'),\n", " ('pallidness',\n", " 'unnatural lack of color in the skin (as from bruising or sickness or emotional distress)')]},\n", " {'answer': 'ack-ack',\n", " 'hint': 'synonyms for ack-ack',\n", " 'clues': [('ack-ack gun',\n", " 'artillery designed to shoot upward at airplanes'),\n", " ('pom-pom', 'artillery designed to shoot upward at airplanes'),\n", " ('flak', 'artillery designed to shoot upward at airplanes'),\n", " ('antiaircraft gun', 'artillery designed to shoot upward at airplanes')]},\n", " {'answer': 'ack-ack_gun',\n", " 'hint': 'synonyms for ack-ack gun',\n", " 'clues': [('pom-pom', 'artillery designed to shoot upward at airplanes'),\n", " ('antiaircraft gun', 'artillery designed to shoot upward at airplanes'),\n", " ('flak', 'artillery designed to shoot upward at airplanes'),\n", " ('ack-ack', 'artillery designed to shoot upward at airplanes')]},\n", " {'answer': 'acknowledgment',\n", " 'hint': 'synonyms for acknowledgment',\n", " 'clues': [('mention',\n", " 'a short note recognizing a source of information or of a quoted passage'),\n", " ('cite',\n", " 'a short note recognizing a source of information or of a quoted passage'),\n", " ('reference',\n", " 'a short note recognizing a source of information or of a quoted passage'),\n", " ('credit',\n", " 'a short note recognizing a source of information or of a quoted passage'),\n", " ('acknowledgement', 'a statement acknowledging something or someone'),\n", " ('quotation',\n", " 'a short note recognizing a source of information or of a quoted passage'),\n", " ('citation',\n", " 'a short note recognizing a source of information or of a quoted passage')]},\n", " {'answer': 'acquirement',\n", " 'hint': 'synonyms for acquirement',\n", " 'clues': [('attainment', 'an ability that has been acquired by training'),\n", " ('skill', 'an ability that has been acquired by training'),\n", " ('accomplishment', 'an ability that has been acquired by training'),\n", " ('acquisition', 'an ability that has been acquired by training')]},\n", " {'answer': 'acquisition',\n", " 'hint': 'synonyms for acquisition',\n", " 'clues': [('attainment', 'an ability that has been acquired by training'),\n", " ('acquirement', 'an ability that has been acquired by training'),\n", " ('learning', 'the cognitive process of acquiring skill or knowledge'),\n", " ('skill', 'an ability that has been acquired by training'),\n", " ('accomplishment', 'an ability that has been acquired by training')]},\n", " {'answer': 'acres',\n", " 'hint': 'synonyms for acres',\n", " 'clues': [('land',\n", " 'extensive landed property (especially in the country) retained by the owner for his own use'),\n", " ('estate',\n", " 'extensive landed property (especially in the country) retained by the owner for his own use'),\n", " ('demesne',\n", " 'extensive landed property (especially in the country) retained by the owner for his own use'),\n", " ('landed estate',\n", " 'extensive landed property (especially in the country) retained by the owner for his own use'),\n", " ('acre',\n", " 'a unit of area (4840 square yards) used in English-speaking countries')]},\n", " {'answer': 'acrimony',\n", " 'hint': 'synonyms for acrimony',\n", " 'clues': [('thorniness', 'a rough and bitter manner'),\n", " ('jaundice', 'a rough and bitter manner'),\n", " ('tartness', 'a rough and bitter manner'),\n", " ('acerbity', 'a rough and bitter manner'),\n", " ('bitterness', 'a rough and bitter manner')]},\n", " {'answer': 'acrobatics',\n", " 'hint': 'synonyms for acrobatics',\n", " 'clues': [('stunting',\n", " 'the performance of stunts while in flight in an aircraft'),\n", " ('tumbling', 'the gymnastic moves of an acrobat'),\n", " ('stunt flying',\n", " 'the performance of stunts while in flight in an aircraft'),\n", " ('aerobatics',\n", " 'the performance of stunts while in flight in an aircraft')]},\n", " {'answer': 'acrylic',\n", " 'hint': 'synonyms for acrylic',\n", " 'clues': [('acrylate resin',\n", " 'a glassy thermoplastic; can be cast and molded or used in coatings and adhesives'),\n", " ('acrylic fiber', 'polymerized from acrylonitrile'),\n", " ('acrylic paint', 'used especially by artists'),\n", " ('acrylic resin',\n", " 'a glassy thermoplastic; can be cast and molded or used in coatings and adhesives')]},\n", " {'answer': 'act',\n", " 'hint': 'synonyms for act',\n", " 'clues': [('routine',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('deed', 'something that people do or cause to happen'),\n", " ('number',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('turn',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('human activity', 'something that people do or cause to happen'),\n", " ('bit',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('enactment',\n", " 'a legal document codifying the result of deliberations of a committee or society or legislative body'),\n", " ('human action', 'something that people do or cause to happen')]},\n", " {'answer': 'act_of_god',\n", " 'hint': 'synonyms for act of god',\n", " 'clues': [('unavoidable casualty',\n", " 'a natural and unavoidable catastrophe that interrupts the expected course of events'),\n", " ('vis major',\n", " 'a natural and unavoidable catastrophe that interrupts the expected course of events'),\n", " ('force majeure',\n", " 'a natural and unavoidable catastrophe that interrupts the expected course of events'),\n", " ('inevitable accident',\n", " 'a natural and unavoidable catastrophe that interrupts the expected course of events'),\n", " ('act of God',\n", " 'a natural and unavoidable catastrophe that interrupts the expected course of events')]},\n", " {'answer': 'action',\n", " 'hint': 'synonyms for action',\n", " 'clues': [('military action', 'a military engagement'),\n", " ('action at law',\n", " 'a judicial proceeding brought by one party against another; one party prosecutes another for a wrong done or for protection of a right or for prevention of a wrong'),\n", " ('natural process',\n", " 'a process existing in or produced by nature (rather than by the intent of human beings)'),\n", " ('activity',\n", " 'a process existing in or produced by nature (rather than by the intent of human beings)'),\n", " ('natural action',\n", " 'a process existing in or produced by nature (rather than by the intent of human beings)'),\n", " ('legal action',\n", " 'a judicial proceeding brought by one party against another; one party prosecutes another for a wrong done or for protection of a right or for prevention of a wrong'),\n", " ('action mechanism',\n", " 'the operating part that transmits power to a mechanism')]},\n", " {'answer': 'activity',\n", " 'hint': 'synonyms for activity',\n", " 'clues': [('bodily process',\n", " 'an organic process that takes place in the body'),\n", " ('activeness',\n", " 'the trait of being active; moving or acting rapidly and energetically'),\n", " ('natural process',\n", " 'a process existing in or produced by nature (rather than by the intent of human beings)'),\n", " ('natural action',\n", " 'a process existing in or produced by nature (rather than by the intent of human beings)'),\n", " ('action',\n", " 'a process existing in or produced by nature (rather than by the intent of human beings)'),\n", " ('bodily function', 'an organic process that takes place in the body')]},\n", " {'answer': 'acts',\n", " 'hint': 'synonyms for acts',\n", " 'clues': [('act', 'something that people do or cause to happen'),\n", " ('routine',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('deed', 'something that people do or cause to happen'),\n", " ('number',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('turn',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('human activity', 'something that people do or cause to happen'),\n", " ('bit',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('enactment',\n", " 'a legal document codifying the result of deliberations of a committee or society or legislative body'),\n", " ('human action', 'something that people do or cause to happen')]},\n", " {'answer': 'acuity',\n", " 'hint': 'synonyms for acuity',\n", " 'clues': [('sharp-sightedness',\n", " 'sharpness of vision; the visual ability to resolve fine detail (usually measured by a Snellen chart)'),\n", " ('visual acuity',\n", " 'sharpness of vision; the visual ability to resolve fine detail (usually measured by a Snellen chart)'),\n", " ('sharpness', 'a quick and penetrating intelligence'),\n", " ('keenness', 'a quick and penetrating intelligence'),\n", " ('acuteness', 'a quick and penetrating intelligence')]},\n", " {'answer': 'adam',\n", " 'hint': 'synonyms for adam',\n", " 'clues': [('go', 'street names for methylenedioxymethamphetamine'),\n", " ('disco biscuit', 'street names for methylenedioxymethamphetamine'),\n", " ('ecstasy', 'street names for methylenedioxymethamphetamine'),\n", " ('cristal', 'street names for methylenedioxymethamphetamine'),\n", " ('hug drug', 'street names for methylenedioxymethamphetamine')]},\n", " {'answer': 'adams',\n", " 'hint': 'synonyms for adams',\n", " 'clues': [('go', 'street names for methylenedioxymethamphetamine'),\n", " ('disco biscuit', 'street names for methylenedioxymethamphetamine'),\n", " ('ecstasy', 'street names for methylenedioxymethamphetamine'),\n", " ('cristal', 'street names for methylenedioxymethamphetamine'),\n", " ('hug drug', 'street names for methylenedioxymethamphetamine')]},\n", " {'answer': 'add-in',\n", " 'hint': 'synonyms for add-in',\n", " 'clues': [('circuit board',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('card',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('board',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('plug-in',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\")]},\n", " {'answer': 'add-on',\n", " 'hint': 'synonyms for add-on',\n", " 'clues': [('addition',\n", " 'a component that is added to something to improve it'),\n", " ('supplement', 'a supplementary component that improves capability'),\n", " ('accessory', 'a supplementary component that improves capability'),\n", " ('improver', 'a component that is added to something to improve it'),\n", " ('appurtenance', 'a supplementary component that improves capability')]},\n", " {'answer': 'addition',\n", " 'hint': 'synonyms for addition',\n", " 'clues': [('summation',\n", " 'the arithmetic operation of summing; calculating the sum of two or more numbers'),\n", " ('increase', 'a quantity that is added'),\n", " ('accession', 'something added to what you already have'),\n", " ('improver', 'a component that is added to something to improve it'),\n", " ('add-on', 'a component that is added to something to improve it'),\n", " ('plus',\n", " 'the arithmetic operation of summing; calculating the sum of two or more numbers'),\n", " ('gain', 'a quantity that is added')]},\n", " {'answer': 'address',\n", " 'hint': 'synonyms for address',\n", " 'clues': [('reference',\n", " '(computer science) the code that identifies where a piece of information is stored'),\n", " ('destination',\n", " 'written directions for finding some location; written on letters or packages that are to be delivered to that location'),\n", " ('speech',\n", " 'the act of delivering a formal spoken communication to an audience'),\n", " ('computer address',\n", " '(computer science) the code that identifies where a piece of information is stored'),\n", " ('name and address',\n", " 'written directions for finding some location; written on letters or packages that are to be delivered to that location'),\n", " ('savoir-faire', 'social skill')]},\n", " {'answer': 'adeptness',\n", " 'hint': 'synonyms for adeptness',\n", " 'clues': [('adroitness',\n", " 'skillful performance or ability without difficulty'),\n", " ('deftness', 'skillful performance or ability without difficulty'),\n", " ('quickness', 'skillful performance or ability without difficulty'),\n", " ('facility', 'skillful performance or ability without difficulty')]},\n", " {'answer': 'adherence',\n", " 'hint': 'synonyms for adherence',\n", " 'clues': [('adhesiveness',\n", " 'the property of sticking together (as of glue and wood) or the joining of surfaces of different composition'),\n", " ('adhesion',\n", " 'faithful support for a cause or political party or religion'),\n", " ('attachment',\n", " 'faithful support for a cause or political party or religion'),\n", " ('bond',\n", " 'the property of sticking together (as of glue and wood) or the joining of surfaces of different composition')]},\n", " {'answer': 'adhesion',\n", " 'hint': 'synonyms for adhesion',\n", " 'clues': [('adhesiveness',\n", " 'the property of sticking together (as of glue and wood) or the joining of surfaces of different composition'),\n", " ('adherence',\n", " 'faithful support for a cause or political party or religion'),\n", " ('attachment',\n", " 'faithful support for a cause or political party or religion'),\n", " ('bond',\n", " 'the property of sticking together (as of glue and wood) or the joining of surfaces of different composition')]},\n", " {'answer': 'adieu',\n", " 'hint': 'synonyms for adieu',\n", " 'clues': [('arrivederci', 'a farewell remark'),\n", " ('goodbye', 'a farewell remark'),\n", " ('sayonara', 'a farewell remark'),\n", " ('au revoir', 'a farewell remark'),\n", " ('bye', 'a farewell remark'),\n", " ('auf wiedersehen', 'a farewell remark'),\n", " ('bye-bye', 'a farewell remark'),\n", " ('adios', 'a farewell remark'),\n", " ('so long', 'a farewell remark'),\n", " ('cheerio', 'a farewell remark'),\n", " ('good day', 'a farewell remark')]},\n", " {'answer': 'adios',\n", " 'hint': 'synonyms for adios',\n", " 'clues': [('arrivederci', 'a farewell remark'),\n", " ('goodbye', 'a farewell remark'),\n", " ('sayonara', 'a farewell remark'),\n", " ('adieu', 'a farewell remark'),\n", " ('au revoir', 'a farewell remark'),\n", " ('bye', 'a farewell remark'),\n", " ('auf wiedersehen', 'a farewell remark'),\n", " ('bye-bye', 'a farewell remark'),\n", " ('so long', 'a farewell remark'),\n", " ('cheerio', 'a farewell remark'),\n", " ('good day', 'a farewell remark')]},\n", " {'answer': 'adjustment',\n", " 'hint': 'synonyms for adjustment',\n", " 'clues': [('allowance',\n", " 'an amount added or deducted on the basis of qualifying circumstances'),\n", " ('alteration',\n", " 'the act of making something different (as e.g. the size of a garment)'),\n", " ('fitting', 'making or becoming suitable; adjusting to circumstances'),\n", " ('readjustment', 'the act of adjusting something to match a standard'),\n", " ('adaption',\n", " 'the process of adapting to something (such as environmental conditions)'),\n", " ('modification',\n", " 'the act of making something different (as e.g. the size of a garment)'),\n", " ('registration', 'the act of adjusting something to match a standard'),\n", " ('accommodation',\n", " 'making or becoming suitable; adjusting to circumstances')]},\n", " {'answer': 'administration',\n", " 'hint': 'synonyms for administration',\n", " 'clues': [('establishment',\n", " 'the persons (or committees or departments etc.) who make up a body for the purpose of administering something'),\n", " ('governing body',\n", " 'the persons (or committees or departments etc.) who make up a body for the purpose of administering something'),\n", " ('governance', 'the act of governing; exercising authority'),\n", " ('giving medication', 'the act of administering medication'),\n", " ('judicature', 'the act of meting out justice according to the law'),\n", " ('organisation',\n", " 'the persons (or committees or departments etc.) who make up a body for the purpose of administering something'),\n", " ('government', 'the act of governing; exercising authority'),\n", " ('brass',\n", " 'the persons (or committees or departments etc.) who make up a body for the purpose of administering something'),\n", " ('presidency', 'the tenure of a president'),\n", " ('presidential term', 'the tenure of a president'),\n", " ('government activity', 'the act of governing; exercising authority'),\n", " ('disposal',\n", " \"a method of tending to or managing the affairs of a some group of people (especially the group's business affairs)\"),\n", " ('governing', 'the act of governing; exercising authority')]},\n", " {'answer': 'admiralty_mile',\n", " 'hint': 'synonyms for admiralty mile',\n", " 'clues': [('mile',\n", " 'a former British unit of length equivalent to 6,080 feet (1,853.184 meters); 800 feet longer than a statute mile'),\n", " ('nautical mile',\n", " 'a former British unit of length equivalent to 6,080 feet (1,853.184 meters); 800 feet longer than a statute mile'),\n", " ('naut mi',\n", " 'a former British unit of length equivalent to 6,080 feet (1,853.184 meters); 800 feet longer than a statute mile'),\n", " ('mi',\n", " 'a former British unit of length equivalent to 6,080 feet (1,853.184 meters); 800 feet longer than a statute mile'),\n", " ('geographical mile',\n", " 'a former British unit of length equivalent to 6,080 feet (1,853.184 meters); 800 feet longer than a statute mile')]},\n", " {'answer': 'admiration',\n", " 'hint': 'synonyms for admiration',\n", " 'clues': [('wonderment',\n", " 'the feeling aroused by something strange and surprising'),\n", " ('esteem', 'a feeling of delighted approval and liking'),\n", " ('appreciation', 'a favorable judgment'),\n", " ('wonder', 'the feeling aroused by something strange and surprising')]},\n", " {'answer': 'admission',\n", " 'hint': 'synonyms for admission',\n", " 'clues': [('admission fee', 'the fee charged for admission'),\n", " ('price of admission', 'the fee charged for admission'),\n", " ('admittance', 'the act of admitting someone to enter'),\n", " ('admission price', 'the fee charged for admission'),\n", " ('admission charge', 'the fee charged for admission'),\n", " ('entree', 'the right to enter'),\n", " ('entrance money', 'the fee charged for admission'),\n", " ('entrance fee', 'the fee charged for admission'),\n", " ('accession', 'the right to enter'),\n", " ('access', 'the right to enter')]},\n", " {'answer': 'admission_charge',\n", " 'hint': 'synonyms for admission charge',\n", " 'clues': [('admission fee', 'the fee charged for admission'),\n", " ('price of admission', 'the fee charged for admission'),\n", " ('admission price', 'the fee charged for admission'),\n", " ('entrance money', 'the fee charged for admission'),\n", " ('entrance fee', 'the fee charged for admission'),\n", " ('admission', 'the fee charged for admission')]},\n", " {'answer': 'admission_fee',\n", " 'hint': 'synonyms for admission fee',\n", " 'clues': [('price of admission', 'the fee charged for admission'),\n", " ('admission price', 'the fee charged for admission'),\n", " ('admission charge', 'the fee charged for admission'),\n", " ('entrance money', 'the fee charged for admission'),\n", " ('entrance fee', 'the fee charged for admission'),\n", " ('admission', 'the fee charged for admission')]},\n", " {'answer': 'admission_price',\n", " 'hint': 'synonyms for admission price',\n", " 'clues': [('admission fee', 'the fee charged for admission'),\n", " ('price of admission', 'the fee charged for admission'),\n", " ('admission charge', 'the fee charged for admission'),\n", " ('entrance money', 'the fee charged for admission'),\n", " ('entrance fee', 'the fee charged for admission'),\n", " ('admission', 'the fee charged for admission')]},\n", " {'answer': 'admittance',\n", " 'hint': 'synonyms for admittance',\n", " 'clues': [('access', 'the right to enter'),\n", " ('admission', 'the right to enter'),\n", " ('entree', 'the right to enter'),\n", " ('accession', 'the right to enter')]},\n", " {'answer': 'admixture',\n", " 'hint': 'synonyms for admixture',\n", " 'clues': [('intermixture', 'the act of mixing together'),\n", " ('commixture', 'the act of mixing together'),\n", " ('mixing', 'the act of mixing together'),\n", " ('mixture', 'the act of mixing together')]},\n", " {'answer': 'admonition',\n", " 'hint': 'synonyms for admonition',\n", " 'clues': [('monition', 'a firm rebuke'),\n", " ('admonishment', 'a firm rebuke'),\n", " ('warning',\n", " 'cautionary advice about something imminent (especially imminent danger or other unpleasantness)'),\n", " ('word of advice',\n", " 'cautionary advice about something imminent (especially imminent danger or other unpleasantness)')]},\n", " {'answer': 'ado',\n", " 'hint': 'synonyms for ado',\n", " 'clues': [('fuss', 'a rapid active commotion'),\n", " ('hustle', 'a rapid active commotion'),\n", " ('stir', 'a rapid active commotion'),\n", " ('bustle', 'a rapid active commotion'),\n", " ('flurry', 'a rapid active commotion')]},\n", " {'answer': 'adoption',\n", " 'hint': 'synonyms for adoption',\n", " 'clues': [('acceptation',\n", " 'the act of accepting with approval; favorable reception'),\n", " ('espousal', 'the act of accepting with approval; favorable reception'),\n", " ('borrowing',\n", " 'the appropriation (of ideas or words etc) from another source'),\n", " ('acceptance',\n", " 'the act of accepting with approval; favorable reception')]},\n", " {'answer': 'adps',\n", " 'hint': 'synonyms for adps',\n", " 'clues': [('automatic data processing system',\n", " 'a system of one or more computers and associated software with common storage'),\n", " ('computing system',\n", " 'a system of one or more computers and associated software with common storage'),\n", " ('computer system',\n", " 'a system of one or more computers and associated software with common storage'),\n", " ('adenosine diphosphate',\n", " 'an ester of adenosine that is converted to ATP for energy storage')]},\n", " {'answer': 'adroitness',\n", " 'hint': 'synonyms for adroitness',\n", " 'clues': [('facility',\n", " 'skillful performance or ability without difficulty'),\n", " ('adeptness', 'skillful performance or ability without difficulty'),\n", " ('quickness', 'skillful performance or ability without difficulty'),\n", " ('deftness', 'skillful performance or ability without difficulty')]},\n", " {'answer': 'advancement',\n", " 'hint': 'synonyms for advancement',\n", " 'clues': [('forward motion',\n", " 'the act of moving forward (as toward a goal)'),\n", " ('promotion',\n", " 'encouragement of the progress or growth or acceptance of something'),\n", " ('advance', 'the act of moving forward (as toward a goal)'),\n", " ('procession', 'the act of moving forward (as toward a goal)'),\n", " ('furtherance',\n", " 'encouragement of the progress or growth or acceptance of something'),\n", " ('progress', 'gradual improvement or growth or development')]},\n", " {'answer': 'advantageousness',\n", " 'hint': 'synonyms for advantageousness',\n", " 'clues': [('positivity',\n", " 'the quality of being encouraging or promising of a successful outcome'),\n", " ('positiveness',\n", " 'the quality of being encouraging or promising of a successful outcome'),\n", " ('favorableness',\n", " 'the quality of being encouraging or promising of a successful outcome'),\n", " ('profitableness',\n", " 'the quality of being encouraging or promising of a successful outcome')]},\n", " {'answer': 'advertisement',\n", " 'hint': 'synonyms for advertisement',\n", " 'clues': [('advertizing', 'a public promotion of some product or service'),\n", " ('ad', 'a public promotion of some product or service'),\n", " ('advert', 'a public promotion of some product or service'),\n", " ('advertizement', 'a public promotion of some product or service')]},\n", " {'answer': 'advertising',\n", " 'hint': 'synonyms for advertising',\n", " 'clues': [('advertisement',\n", " 'a public promotion of some product or service'),\n", " ('advertizing', 'a public promotion of some product or service'),\n", " ('ad', 'a public promotion of some product or service'),\n", " ('advert', 'a public promotion of some product or service'),\n", " ('publicizing',\n", " 'the business of drawing public attention to goods and services')]},\n", " {'answer': 'advertizement',\n", " 'hint': 'synonyms for advertizement',\n", " 'clues': [('advertisement',\n", " 'a public promotion of some product or service'),\n", " ('advertizing', 'a public promotion of some product or service'),\n", " ('ad', 'a public promotion of some product or service'),\n", " ('advert', 'a public promotion of some product or service')]},\n", " {'answer': 'advertizing',\n", " 'hint': 'synonyms for advertizing',\n", " 'clues': [('advertisement',\n", " 'a public promotion of some product or service'),\n", " ('ad', 'a public promotion of some product or service'),\n", " ('advertising', 'a public promotion of some product or service'),\n", " ('advert', 'a public promotion of some product or service')]},\n", " {'answer': 'aegir',\n", " 'hint': 'synonyms for aegir',\n", " 'clues': [('eagre',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('bore',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('eager',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('tidal bore',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)')]},\n", " {'answer': 'aegis',\n", " 'hint': 'synonyms for aegis',\n", " 'clues': [('egis',\n", " 'armor plate that protects the chest; the front part of a cuirass'),\n", " ('breastplate',\n", " 'armor plate that protects the chest; the front part of a cuirass'),\n", " ('auspices', 'kindly endorsement and guidance'),\n", " ('protection', 'kindly endorsement and guidance')]},\n", " {'answer': 'aerial_tramway',\n", " 'hint': 'synonyms for aerial tramway',\n", " 'clues': [('ropeway',\n", " 'a conveyance that transports passengers or freight in carriers suspended from cables and supported by a series of towers'),\n", " ('tram',\n", " 'a conveyance that transports passengers or freight in carriers suspended from cables and supported by a series of towers'),\n", " ('cable tramway',\n", " 'a conveyance that transports passengers or freight in carriers suspended from cables and supported by a series of towers'),\n", " ('tramway',\n", " 'a conveyance that transports passengers or freight in carriers suspended from cables and supported by a series of towers')]},\n", " {'answer': 'aerosol',\n", " 'hint': 'synonyms for aerosol',\n", " 'clues': [('aerosol can',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('aerosol container',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('aerosol bomb',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('spray can',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)')]},\n", " {'answer': 'aerosol_bomb',\n", " 'hint': 'synonyms for aerosol bomb',\n", " 'clues': [('aerosol',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('volume-detonation bomb', 'a bomb that uses a fuel-air explosive'),\n", " ('fuel-air bomb', 'a bomb that uses a fuel-air explosive'),\n", " ('aerosol container',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('vacuum bomb', 'a bomb that uses a fuel-air explosive'),\n", " ('spray can',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('aerosol can',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('thermobaric bomb', 'a bomb that uses a fuel-air explosive')]},\n", " {'answer': 'aerosol_can',\n", " 'hint': 'synonyms for aerosol can',\n", " 'clues': [('spray can',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('aerosol container',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('aerosol bomb',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('aerosol',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)')]},\n", " {'answer': 'aerosol_container',\n", " 'hint': 'synonyms for aerosol container',\n", " 'clues': [('aerosol can',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('aerosol bomb',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('spray can',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)'),\n", " ('aerosol',\n", " 'a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas)')]},\n", " {'answer': 'aesthesis',\n", " 'hint': 'synonyms for aesthesis',\n", " 'clues': [('sense experience',\n", " 'an unelaborated elementary awareness of stimulation'),\n", " ('sense datum', 'an unelaborated elementary awareness of stimulation'),\n", " ('sensation', 'an unelaborated elementary awareness of stimulation'),\n", " ('esthesis', 'an unelaborated elementary awareness of stimulation'),\n", " ('sense impression',\n", " 'an unelaborated elementary awareness of stimulation')]},\n", " {'answer': 'affability',\n", " 'hint': 'synonyms for affability',\n", " 'clues': [('geniality',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('bonhomie',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('amiability',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('amiableness',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('affableness',\n", " 'a disposition to be friendly and approachable (easy to talk to)')]},\n", " {'answer': 'affableness',\n", " 'hint': 'synonyms for affableness',\n", " 'clues': [('geniality',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('bonhomie',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('amiability',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('amiableness',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('affability',\n", " 'a disposition to be friendly and approachable (easy to talk to)')]},\n", " {'answer': 'affair',\n", " 'hint': 'synonyms for affair',\n", " 'clues': [('matter', 'a vaguely specified concern'),\n", " ('function', 'a vaguely specified social event'),\n", " ('social occasion', 'a vaguely specified social event'),\n", " ('thing', 'a vaguely specified concern'),\n", " ('occasion', 'a vaguely specified social event'),\n", " ('social function', 'a vaguely specified social event')]},\n", " {'answer': 'affairs',\n", " 'hint': 'synonyms for affairs',\n", " 'clues': [('matter', 'a vaguely specified concern'),\n", " ('affair', 'a vaguely specified social event'),\n", " ('thing', 'a vaguely specified concern'),\n", " ('personal matters', 'matters of personal concern'),\n", " ('occasion', 'a vaguely specified social event'),\n", " ('function', 'a vaguely specified social event'),\n", " ('social occasion', 'a vaguely specified social event'),\n", " ('social function', 'a vaguely specified social event'),\n", " ('personal business', 'matters of personal concern')]},\n", " {'answer': 'affection',\n", " 'hint': 'synonyms for affection',\n", " 'clues': [('warmheartedness', 'a positive feeling of liking'),\n", " ('philia', 'a positive feeling of liking'),\n", " ('fondness', 'a positive feeling of liking'),\n", " ('affectionateness', 'a positive feeling of liking'),\n", " ('heart', 'a positive feeling of liking'),\n", " ('tenderness', 'a positive feeling of liking'),\n", " ('warmness', 'a positive feeling of liking')]},\n", " {'answer': 'affectionateness',\n", " 'hint': 'synonyms for affectionateness',\n", " 'clues': [('warmheartedness', 'a positive feeling of liking'),\n", " ('lovingness', 'a quality proceeding from feelings of affection or love'),\n", " ('heart', 'a positive feeling of liking'),\n", " ('tenderness', 'a positive feeling of liking'),\n", " ('philia', 'a positive feeling of liking'),\n", " ('affection', 'a positive feeling of liking'),\n", " ('fondness', 'a quality proceeding from feelings of affection or love'),\n", " ('warmth', 'a quality proceeding from feelings of affection or love'),\n", " ('warmness', 'a positive feeling of liking')]},\n", " {'answer': 'affirmation',\n", " 'hint': 'synonyms for affirmation',\n", " 'clues': [('avouchment',\n", " 'a statement asserting the existence or the truth of something'),\n", " ('statement', 'the act of affirming or asserting or stating something'),\n", " ('avowal',\n", " 'a statement asserting the existence or the truth of something'),\n", " ('assertion', 'the act of affirming or asserting or stating something')]},\n", " {'answer': 'affray',\n", " 'hint': 'synonyms for affray',\n", " 'clues': [('disturbance', 'a noisy fight'),\n", " ('altercation', 'noisy quarrel'),\n", " ('fray', 'a noisy fight'),\n", " ('ruffle', 'a noisy fight'),\n", " ('fracas', 'noisy quarrel')]},\n", " {'answer': 'after_part',\n", " 'hint': 'synonyms for after part',\n", " 'clues': [('poop', 'the rear part of a ship'),\n", " ('quarter', 'the rear part of a ship'),\n", " ('tail', 'the rear part of a ship'),\n", " ('stern', 'the rear part of a ship')]},\n", " {'answer': 'age',\n", " 'hint': 'synonyms for age',\n", " 'clues': [('historic period',\n", " 'an era of history having some distinctive feature'),\n", " ('old age', 'a late time of life'),\n", " ('years', 'a prolonged period of time'),\n", " ('eld', 'a late time of life'),\n", " ('geezerhood', 'a late time of life'),\n", " ('long time', 'a prolonged period of time')]},\n", " {'answer': 'agency',\n", " 'hint': 'synonyms for agency',\n", " 'clues': [('way', 'how a result is obtained or an end is achieved'),\n", " ('means', 'how a result is obtained or an end is achieved'),\n", " ('office', 'an administrative unit of government'),\n", " ('federal agency', 'an administrative unit of government'),\n", " ('bureau', 'an administrative unit of government'),\n", " ('government agency', 'an administrative unit of government'),\n", " ('authority', 'an administrative unit of government')]},\n", " {'answer': 'agenda',\n", " 'hint': 'synonyms for agenda',\n", " 'clues': [('agendum',\n", " 'a list of matters to be taken up (as at a meeting)'),\n", " ('schedule', 'a temporally organized plan for matters to be attended to'),\n", " ('docket', 'a temporally organized plan for matters to be attended to'),\n", " ('order of business',\n", " 'a list of matters to be taken up (as at a meeting)')]},\n", " {'answer': 'aggravation',\n", " 'hint': 'synonyms for aggravation',\n", " 'clues': [('provocation',\n", " 'unfriendly behavior that causes anger or resentment'),\n", " ('exacerbation',\n", " 'action that makes a problem or a disease (or its symptoms) worse'),\n", " ('exasperation', 'an exasperated feeling of annoyance'),\n", " ('irritation', 'unfriendly behavior that causes anger or resentment')]},\n", " {'answer': 'aggregation',\n", " 'hint': 'synonyms for aggregation',\n", " 'clues': [('accumulation',\n", " 'several things grouped together or considered as a whole'),\n", " ('collection', 'the act of gathering something together'),\n", " ('assembling', 'the act of gathering something together'),\n", " ('assemblage',\n", " 'several things grouped together or considered as a whole')]},\n", " {'answer': 'agility',\n", " 'hint': 'synonyms for agility',\n", " 'clues': [('legerity',\n", " 'the gracefulness of a person or animal that is quick and nimble'),\n", " ('nimbleness',\n", " 'the gracefulness of a person or animal that is quick and nimble'),\n", " ('lightsomeness',\n", " 'the gracefulness of a person or animal that is quick and nimble'),\n", " ('lightness',\n", " 'the gracefulness of a person or animal that is quick and nimble')]},\n", " {'answer': 'agitation',\n", " 'hint': 'synonyms for agitation',\n", " 'clues': [('hullabaloo', 'disturbance usually in protest'),\n", " ('turmoil', 'disturbance usually in protest'),\n", " ('excitement', 'disturbance usually in protest'),\n", " ('upheaval', 'disturbance usually in protest')]},\n", " {'answer': 'agreement',\n", " 'hint': 'synonyms for agreement',\n", " 'clues': [('concord',\n", " 'the determination of grammatical inflection on the basis of word relations'),\n", " ('correspondence', 'compatibility of observations'),\n", " ('arrangement', 'the thing arranged or agreed to'),\n", " ('understanding',\n", " 'the statement (oral or written) of an exchange of promises')]},\n", " {'answer': 'agriculture',\n", " 'hint': 'synonyms for agriculture',\n", " 'clues': [('husbandry',\n", " 'the practice of cultivating the land or raising stock'),\n", " ('agribusiness', 'a large-scale farming enterprise'),\n", " ('factory farm', 'a large-scale farming enterprise'),\n", " ('farming', 'the practice of cultivating the land or raising stock')]},\n", " {'answer': 'aid',\n", " 'hint': 'synonyms for aid',\n", " 'clues': [('help', 'a resource'),\n", " ('economic aid', 'money to support a worthy person or cause'),\n", " ('assistance', 'a resource'),\n", " ('attention',\n", " 'the work of providing treatment for or attending to someone or something'),\n", " ('assist',\n", " 'the activity of contributing to the fulfillment of a need or furtherance of an effort or purpose'),\n", " ('tending',\n", " 'the work of providing treatment for or attending to someone or something'),\n", " ('care',\n", " 'the work of providing treatment for or attending to someone or something'),\n", " ('financial aid', 'money to support a worthy person or cause')]},\n", " {'answer': 'aids',\n", " 'hint': 'synonyms for aids',\n", " 'clues': [('help', 'a resource'),\n", " ('economic aid', 'money to support a worthy person or cause'),\n", " ('aid', 'money to support a worthy person or cause'),\n", " ('assistance', 'a resource'),\n", " ('attention',\n", " 'the work of providing treatment for or attending to someone or something'),\n", " ('financial aid', 'money to support a worthy person or cause'),\n", " ('tending',\n", " 'the work of providing treatment for or attending to someone or something'),\n", " ('care',\n", " 'the work of providing treatment for or attending to someone or something'),\n", " ('assist',\n", " 'the activity of contributing to the fulfillment of a need or furtherance of an effort or purpose')]},\n", " {'answer': 'aim',\n", " 'hint': 'synonyms for aim',\n", " 'clues': [('object',\n", " 'the goal intended to be attained (and which is believed to be attainable)'),\n", " ('objective',\n", " 'the goal intended to be attained (and which is believed to be attainable)'),\n", " ('intention',\n", " 'an anticipated outcome that is intended or that guides your planned actions'),\n", " ('intent',\n", " 'an anticipated outcome that is intended or that guides your planned actions'),\n", " ('bearing',\n", " 'the direction or path along which something moves or along which it lies'),\n", " ('heading',\n", " 'the direction or path along which something moves or along which it lies'),\n", " ('target',\n", " 'the goal intended to be attained (and which is believed to be attainable)'),\n", " ('design',\n", " 'an anticipated outcome that is intended or that guides your planned actions'),\n", " ('purpose',\n", " 'an anticipated outcome that is intended or that guides your planned actions')]},\n", " {'answer': 'air',\n", " 'hint': 'synonyms for air',\n", " 'clues': [('air travel', 'travel via aircraft'),\n", " ('aviation', 'travel via aircraft'),\n", " ('melody', 'a succession of notes forming a distinctive sequence'),\n", " ('aura',\n", " 'a distinctive but intangible quality surrounding a person or thing'),\n", " ('breeze', 'a slight wind (usually refreshing)'),\n", " ('gentle wind', 'a slight wind (usually refreshing)'),\n", " ('line', 'a succession of notes forming a distinctive sequence'),\n", " ('zephyr', 'a slight wind (usually refreshing)'),\n", " ('melodic line', 'a succession of notes forming a distinctive sequence'),\n", " ('melodic phrase',\n", " 'a succession of notes forming a distinctive sequence'),\n", " ('strain', 'a succession of notes forming a distinctive sequence'),\n", " ('tune', 'a succession of notes forming a distinctive sequence'),\n", " ('atmosphere',\n", " 'a distinctive but intangible quality surrounding a person or thing'),\n", " ('airwave', 'medium for radio and television broadcasting')]},\n", " {'answer': 'air-sleeve',\n", " 'hint': 'synonyms for air-sleeve',\n", " 'clues': [('sock',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('wind sleeve',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('windsock',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('wind cone',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('air sock',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('drogue',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind')]},\n", " {'answer': 'air_castle',\n", " 'hint': 'synonyms for air castle',\n", " 'clues': [('castle in the air', 'absentminded dreaming while awake'),\n", " ('revery', 'absentminded dreaming while awake'),\n", " ('daydream', 'absentminded dreaming while awake'),\n", " ('oneirism', 'absentminded dreaming while awake'),\n", " ('castle in Spain', 'absentminded dreaming while awake'),\n", " ('reverie', 'absentminded dreaming while awake')]},\n", " {'answer': 'air_mile',\n", " 'hint': 'synonyms for air mile',\n", " 'clues': [('knot',\n", " 'a unit of length used in navigation; exactly 1,852 meters; historically based on the distance spanned by one minute of arc in latitude'),\n", " ('mile',\n", " 'a unit of length used in navigation; exactly 1,852 meters; historically based on the distance spanned by one minute of arc in latitude'),\n", " ('nautical mile',\n", " 'a unit of length used in navigation; exactly 1,852 meters; historically based on the distance spanned by one minute of arc in latitude'),\n", " ('international nautical mile',\n", " 'a unit of length used in navigation; exactly 1,852 meters; historically based on the distance spanned by one minute of arc in latitude'),\n", " ('naut mi',\n", " 'a unit of length used in navigation; exactly 1,852 meters; historically based on the distance spanned by one minute of arc in latitude'),\n", " ('mi',\n", " 'a unit of length used in navigation; exactly 1,852 meters; historically based on the distance spanned by one minute of arc in latitude')]},\n", " {'answer': 'air_sock',\n", " 'hint': 'synonyms for air sock',\n", " 'clues': [('sock',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('wind sleeve',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('windsock',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('wind cone',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('air-sleeve',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind'),\n", " ('drogue',\n", " 'a truncated cloth cone mounted on a mast; used (e.g., at airports) to show the direction of the wind')]},\n", " {'answer': 'airing',\n", " 'hint': 'synonyms for airing',\n", " 'clues': [('ventilation',\n", " 'the act of supplying fresh air and getting rid of foul air'),\n", " ('public exposure',\n", " 'the opening of a subject to widespread discussion and debate'),\n", " ('spreading',\n", " 'the opening of a subject to widespread discussion and debate'),\n", " ('dissemination',\n", " 'the opening of a subject to widespread discussion and debate')]},\n", " {'answer': 'airs',\n", " 'hint': 'synonyms for airs',\n", " 'clues': [('aviation', 'travel via aircraft'),\n", " ('aura',\n", " 'a distinctive but intangible quality surrounding a person or thing'),\n", " ('air', 'a slight wind (usually refreshing)'),\n", " ('breeze', 'a slight wind (usually refreshing)'),\n", " ('line', 'a succession of notes forming a distinctive sequence'),\n", " ('zephyr', 'a slight wind (usually refreshing)'),\n", " ('pose', 'affected manners intended to impress others'),\n", " ('tune', 'a succession of notes forming a distinctive sequence'),\n", " ('atmosphere',\n", " 'a distinctive but intangible quality surrounding a person or thing'),\n", " ('melodic phrase',\n", " 'a succession of notes forming a distinctive sequence'),\n", " ('airwave', 'medium for radio and television broadcasting'),\n", " ('air travel', 'travel via aircraft'),\n", " ('melody', 'a succession of notes forming a distinctive sequence'),\n", " ('gentle wind', 'a slight wind (usually refreshing)'),\n", " ('melodic line', 'a succession of notes forming a distinctive sequence'),\n", " ('strain', 'a succession of notes forming a distinctive sequence')]},\n", " {'answer': 'airstream',\n", " 'hint': 'synonyms for airstream',\n", " 'clues': [('slipstream',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('wash',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('race',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('backwash',\n", " 'the flow of air that is driven backwards by an aircraft propeller')]},\n", " {'answer': 'airway',\n", " 'hint': 'synonyms for airway',\n", " 'clues': [('flight path',\n", " 'a designated route followed by airplanes in flying from one airport to another'),\n", " ('air lane',\n", " 'a designated route followed by airplanes in flying from one airport to another'),\n", " ('airline',\n", " 'a commercial enterprise that provides scheduled flights for passengers'),\n", " ('skyway',\n", " 'a designated route followed by airplanes in flying from one airport to another'),\n", " ('airline business',\n", " 'a commercial enterprise that provides scheduled flights for passengers'),\n", " ('air duct', 'a duct that provides ventilation (as in mines)'),\n", " ('air passage', 'a duct that provides ventilation (as in mines)')]},\n", " {'answer': 'alarm',\n", " 'hint': 'synonyms for alarm',\n", " 'clues': [('warning signal',\n", " 'an automatic signal (usually a sound) warning of danger'),\n", " ('alarum', 'an automatic signal (usually a sound) warning of danger'),\n", " ('consternation', 'fear resulting from the awareness of danger'),\n", " ('alarm clock', 'a clock that wakes a sleeper at some preset time'),\n", " ('alarm system',\n", " 'a device that signals the occurrence of some undesirable event'),\n", " ('warning device',\n", " 'a device that signals the occurrence of some undesirable event'),\n", " ('dismay', 'fear resulting from the awareness of danger'),\n", " ('alert', 'an automatic signal (usually a sound) warning of danger')]},\n", " {'answer': 'alcohol',\n", " 'hint': 'synonyms for alcohol',\n", " 'clues': [('inebriant',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcoholic drink',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcoholic beverage',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('intoxicant',\n", " 'a liquor or brew containing alcohol as the active agent')]},\n", " {'answer': 'alcoholic_beverage',\n", " 'hint': 'synonyms for alcoholic beverage',\n", " 'clues': [('inebriant',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcohol', 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcoholic drink',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('intoxicant',\n", " 'a liquor or brew containing alcohol as the active agent')]},\n", " {'answer': 'alcoholic_drink',\n", " 'hint': 'synonyms for alcoholic drink',\n", " 'clues': [('inebriant',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcohol', 'a liquor or brew containing alcohol as the active agent'),\n", " ('alcoholic beverage',\n", " 'a liquor or brew containing alcohol as the active agent'),\n", " ('intoxicant',\n", " 'a liquor or brew containing alcohol as the active agent')]},\n", " {'answer': 'alertness',\n", " 'hint': 'synonyms for alertness',\n", " 'clues': [('watchfulness',\n", " 'the process of paying close and continuous attention'),\n", " ('vigilance', 'the process of paying close and continuous attention'),\n", " ('on the qui vive', 'lively attentiveness'),\n", " ('wakefulness', 'the process of paying close and continuous attention'),\n", " ('sharp-sightedness', 'lively attentiveness')]},\n", " {'answer': 'alignment',\n", " 'hint': 'synonyms for alignment',\n", " 'clues': [('conjunction',\n", " '(astronomy) apparent meeting or passing of two or more celestial bodies in the same degree of the zodiac'),\n", " ('alliance',\n", " 'an organization of people (or countries) involved in a pact or treaty'),\n", " ('coalition',\n", " 'an organization of people (or countries) involved in a pact or treaty'),\n", " ('alinement',\n", " 'an organization of people (or countries) involved in a pact or treaty')]},\n", " {'answer': 'aliment',\n", " 'hint': 'synonyms for aliment',\n", " 'clues': [('nutrition', 'a source of materials to nourish the body'),\n", " ('sustenance', 'a source of materials to nourish the body'),\n", " ('victuals', 'a source of materials to nourish the body'),\n", " ('nutriment', 'a source of materials to nourish the body'),\n", " ('alimentation', 'a source of materials to nourish the body'),\n", " ('nourishment', 'a source of materials to nourish the body')]},\n", " {'answer': 'alimentation',\n", " 'hint': 'synonyms for alimentation',\n", " 'clues': [('nutrition', 'a source of materials to nourish the body'),\n", " ('sustenance', 'a source of materials to nourish the body'),\n", " ('victuals', 'a source of materials to nourish the body'),\n", " ('nutriment', 'a source of materials to nourish the body'),\n", " ('feeding', 'the act of supplying food and nourishment'),\n", " ('nourishment', 'a source of materials to nourish the body'),\n", " ('aliment', 'a source of materials to nourish the body')]},\n", " {'answer': 'alkane',\n", " 'hint': 'synonyms for alkane',\n", " 'clues': [('alkane series',\n", " 'a series of non-aromatic saturated hydrocarbons with the general formula CnH(2n+2)'),\n", " ('methane series',\n", " 'a series of non-aromatic saturated hydrocarbons with the general formula CnH(2n+2)'),\n", " ('paraffin series',\n", " 'a series of non-aromatic saturated hydrocarbons with the general formula CnH(2n+2)'),\n", " ('paraffin',\n", " 'a series of non-aromatic saturated hydrocarbons with the general formula CnH(2n+2)')]},\n", " {'answer': 'alkane_series',\n", " 'hint': 'synonyms for alkane series',\n", " 'clues': [('alkane',\n", " 'a series of non-aromatic saturated hydrocarbons with the general formula CnH(2n+2)'),\n", " ('methane series',\n", " 'a series of non-aromatic saturated hydrocarbons with the general formula CnH(2n+2)'),\n", " ('paraffin series',\n", " 'a series of non-aromatic saturated hydrocarbons with the general formula CnH(2n+2)'),\n", " ('paraffin',\n", " 'a series of non-aromatic saturated hydrocarbons with the general formula CnH(2n+2)')]},\n", " {'answer': 'allegiance',\n", " 'hint': 'synonyms for allegiance',\n", " 'clues': [('loyalty',\n", " 'the act of binding yourself (intellectually or emotionally) to a course of action'),\n", " ('commitment',\n", " 'the act of binding yourself (intellectually or emotionally) to a course of action'),\n", " ('dedication',\n", " 'the act of binding yourself (intellectually or emotionally) to a course of action'),\n", " ('fealty',\n", " 'the loyalty that citizens owe to their country (or subjects to their sovereign)')]},\n", " {'answer': 'allegory',\n", " 'hint': 'synonyms for allegory',\n", " 'clues': [('fable', 'a short moral story (often with animal characters)'),\n", " ('apologue', 'a short moral story (often with animal characters)'),\n", " ('parable', 'a short moral story (often with animal characters)'),\n", " ('emblem', 'a visible symbol representing an abstract idea')]},\n", " {'answer': 'alleviation',\n", " 'hint': 'synonyms for alleviation',\n", " 'clues': [('relief',\n", " 'the feeling that comes when something burdensome is removed or reduced'),\n", " ('assuagement',\n", " 'the feeling that comes when something burdensome is removed or reduced'),\n", " ('easement',\n", " 'the act of reducing something unpleasant (as pain or annoyance)'),\n", " ('easing',\n", " 'the act of reducing something unpleasant (as pain or annoyance)')]},\n", " {'answer': 'alley',\n", " 'hint': 'synonyms for alley',\n", " 'clues': [('skittle alley',\n", " 'a lane down which a bowling ball is rolled toward pins'),\n", " ('bowling alley',\n", " 'a lane down which a bowling ball is rolled toward pins'),\n", " ('back street', 'a narrow street with walls on both sides'),\n", " ('alleyway', 'a narrow street with walls on both sides')]},\n", " {'answer': 'alliance',\n", " 'hint': 'synonyms for alliance',\n", " 'clues': [('confederation',\n", " 'the act of forming an alliance or confederation'),\n", " ('alignment',\n", " 'an organization of people (or countries) involved in a pact or treaty'),\n", " ('bond', 'a connection based on kinship or marriage or common interest'),\n", " ('coalition',\n", " 'an organization of people (or countries) involved in a pact or treaty')]},\n", " {'answer': 'allocation',\n", " 'hint': 'synonyms for allocation',\n", " 'clues': [('apportionment',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('parcelling',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('assignation',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('apportioning',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('storage allocation',\n", " '(computer science) the assignment of particular areas of a magnetic disk to particular data or instructions'),\n", " ('allotment', 'a share set aside for a specific purpose')]},\n", " {'answer': 'allotment',\n", " 'hint': 'synonyms for allotment',\n", " 'clues': [('apportionment',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('parcelling',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('allocation', 'a share set aside for a specific purpose'),\n", " ('assignation',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('apportioning',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan')]},\n", " {'answer': 'allowance',\n", " 'hint': 'synonyms for allowance',\n", " 'clues': [('tolerance',\n", " 'a permissible difference; allowing some freedom to move within limits'),\n", " ('margin',\n", " 'a permissible difference; allowing some freedom to move within limits'),\n", " ('allowance account',\n", " \"a reserve fund created by a charge against profits in order to provide for changes in the value of a company's assets\"),\n", " ('leeway',\n", " 'a permissible difference; allowing some freedom to move within limits'),\n", " ('valuation reserve',\n", " \"a reserve fund created by a charge against profits in order to provide for changes in the value of a company's assets\"),\n", " ('valuation account',\n", " \"a reserve fund created by a charge against profits in order to provide for changes in the value of a company's assets\"),\n", " ('adjustment',\n", " 'an amount added or deducted on the basis of qualifying circumstances')]},\n", " {'answer': 'alluvion',\n", " 'hint': 'synonyms for alluvion',\n", " 'clues': [('alluvium',\n", " 'clay or silt or gravel carried by rushing streams and deposited where the stream slows down'),\n", " ('deluge',\n", " 'the rising of a body of water and its overflowing onto normally dry land'),\n", " ('alluvial sediment',\n", " 'clay or silt or gravel carried by rushing streams and deposited where the stream slows down'),\n", " ('inundation',\n", " 'the rising of a body of water and its overflowing onto normally dry land'),\n", " ('alluvial deposit',\n", " 'clay or silt or gravel carried by rushing streams and deposited where the stream slows down'),\n", " ('flood',\n", " 'the rising of a body of water and its overflowing onto normally dry land')]},\n", " {'answer': 'aloofness',\n", " 'hint': 'synonyms for aloofness',\n", " 'clues': [('standoffishness',\n", " 'a disposition to be distant and unsympathetic in manner'),\n", " ('distance', 'indifference by personal withdrawal'),\n", " ('withdrawnness',\n", " 'a disposition to be distant and unsympathetic in manner'),\n", " ('remoteness',\n", " 'a disposition to be distant and unsympathetic in manner')]},\n", " {'answer': 'alteration',\n", " 'hint': 'synonyms for alteration',\n", " 'clues': [('change',\n", " 'an event that occurs when something passes from one state or phase to another'),\n", " ('revision',\n", " 'the act of revising or altering (involving reconsideration and modification)'),\n", " ('adjustment',\n", " 'the act of making something different (as e.g. the size of a garment)'),\n", " ('modification',\n", " 'the act of making something different (as e.g. the size of a garment)')]},\n", " {'answer': 'ambit',\n", " 'hint': 'synonyms for ambit',\n", " 'clues': [('orbit',\n", " 'an area in which something acts or operates or has power or control:'),\n", " ('reach',\n", " 'an area in which something acts or operates or has power or control:'),\n", " ('scope',\n", " 'an area in which something acts or operates or has power or control:'),\n", " ('range',\n", " 'an area in which something acts or operates or has power or control:'),\n", " ('compass',\n", " 'an area in which something acts or operates or has power or control:')]},\n", " {'answer': 'amble',\n", " 'hint': 'synonyms for amble',\n", " 'clues': [('stroll', 'a leisurely walk (usually in some public place)'),\n", " ('promenade', 'a leisurely walk (usually in some public place)'),\n", " ('perambulation', 'a leisurely walk (usually in some public place)'),\n", " ('saunter', 'a leisurely walk (usually in some public place)')]},\n", " {'answer': 'ambo',\n", " 'hint': 'synonyms for ambo',\n", " 'clues': [('stump',\n", " 'a platform raised above the surrounding level to give prominence to the person on it'),\n", " ('pulpit',\n", " 'a platform raised above the surrounding level to give prominence to the person on it'),\n", " ('dais',\n", " 'a platform raised above the surrounding level to give prominence to the person on it'),\n", " ('podium',\n", " 'a platform raised above the surrounding level to give prominence to the person on it'),\n", " ('soapbox',\n", " 'a platform raised above the surrounding level to give prominence to the person on it'),\n", " ('rostrum',\n", " 'a platform raised above the surrounding level to give prominence to the person on it')]},\n", " {'answer': 'amends',\n", " 'hint': 'synonyms for amends',\n", " 'clues': [('restitution',\n", " 'a sum of money paid in compensation for loss or injury'),\n", " ('indemnity', 'a sum of money paid in compensation for loss or injury'),\n", " ('damages', 'a sum of money paid in compensation for loss or injury'),\n", " ('reparation', 'something done or paid in expiation of a wrong'),\n", " ('redress', 'a sum of money paid in compensation for loss or injury'),\n", " ('indemnification',\n", " 'a sum of money paid in compensation for loss or injury')]},\n", " {'answer': 'amenities',\n", " 'hint': 'synonyms for amenities',\n", " 'clues': [('creature comforts',\n", " 'things that make you comfortable and at ease'),\n", " ('conveniences', 'things that make you comfortable and at ease'),\n", " ('comforts', 'things that make you comfortable and at ease'),\n", " ('amenity', 'pleasantness resulting from agreeable conditions'),\n", " ('agreeableness', 'pleasantness resulting from agreeable conditions')]},\n", " {'answer': 'amiability',\n", " 'hint': 'synonyms for amiability',\n", " 'clues': [('geniality',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('bonhomie',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('affability',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('good humor', 'a cheerful and agreeable mood'),\n", " ('good temper', 'a cheerful and agreeable mood'),\n", " ('amiableness',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('affableness',\n", " 'a disposition to be friendly and approachable (easy to talk to)')]},\n", " {'answer': 'amiableness',\n", " 'hint': 'synonyms for amiableness',\n", " 'clues': [('geniality',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('bonhomie',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('amiability',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('affableness',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('affability',\n", " 'a disposition to be friendly and approachable (easy to talk to)')]},\n", " {'answer': 'amorousness',\n", " 'hint': 'synonyms for amorousness',\n", " 'clues': [('erotism', 'the arousal of feelings of sexual desire'),\n", " ('amativeness', 'the arousal of feelings of sexual desire'),\n", " ('sexiness', 'the arousal of feelings of sexual desire'),\n", " ('enamoredness', 'a feeling of love or fondness')]},\n", " {'answer': 'amount',\n", " 'hint': 'synonyms for amount',\n", " 'clues': [('sum',\n", " 'a quantity obtained by the addition of a group of numbers'),\n", " ('total', 'a quantity obtained by the addition of a group of numbers'),\n", " ('sum of money', 'a quantity of money'),\n", " ('quantity',\n", " 'how much there is or how many there are of something that you can quantify'),\n", " ('amount of money', 'a quantity of money'),\n", " ('measure',\n", " 'how much there is or how many there are of something that you can quantify')]},\n", " {'answer': 'ampule',\n", " 'hint': 'synonyms for ampule',\n", " 'clues': [('phial',\n", " 'a small bottle that contains a drug (especially a sealed sterile container for injection by needle)'),\n", " ('ampul',\n", " 'a small bottle that contains a drug (especially a sealed sterile container for injection by needle)'),\n", " ('ampoule',\n", " 'a small bottle that contains a drug (especially a sealed sterile container for injection by needle)'),\n", " ('vial',\n", " 'a small bottle that contains a drug (especially a sealed sterile container for injection by needle)')]},\n", " {'answer': 'amytal',\n", " 'hint': 'synonyms for amytal',\n", " 'clues': [('amobarbital sodium',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blue',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blue angel',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blue devil',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic')]},\n", " {'answer': 'anamnesis',\n", " 'hint': 'synonyms for anamnesis',\n", " 'clues': [('recollection', 'the ability to recall past occurrences'),\n", " ('remembrance', 'the ability to recall past occurrences'),\n", " ('medical record',\n", " 'the case history of a medical patient as recalled by the patient'),\n", " ('medical history',\n", " 'the case history of a medical patient as recalled by the patient')]},\n", " {'answer': 'ancestry',\n", " 'hint': 'synonyms for ancestry',\n", " 'clues': [('derivation',\n", " 'inherited properties shared with others of your bloodline'),\n", " ('lineage', 'inherited properties shared with others of your bloodline'),\n", " ('bloodline', 'the descendants of one individual'),\n", " ('line', 'the descendants of one individual'),\n", " ('origin', 'the descendants of one individual'),\n", " ('filiation',\n", " 'inherited properties shared with others of your bloodline'),\n", " ('blood', 'the descendants of one individual'),\n", " ('pedigree', 'the descendants of one individual'),\n", " ('stemma', 'the descendants of one individual'),\n", " ('stock', 'the descendants of one individual'),\n", " ('line of descent', 'the descendants of one individual'),\n", " ('parentage', 'the descendants of one individual'),\n", " ('descent', 'the descendants of one individual')]},\n", " {'answer': 'anchor',\n", " 'hint': 'synonyms for anchor',\n", " 'clues': [('lynchpin',\n", " 'a central cohesive source of support and stability'),\n", " ('backbone', 'a central cohesive source of support and stability'),\n", " ('ground tackle',\n", " 'a mechanical device that prevents a vessel from moving'),\n", " ('keystone', 'a central cohesive source of support and stability'),\n", " ('mainstay', 'a central cohesive source of support and stability')]},\n", " {'answer': 'anchor_ring',\n", " 'hint': 'synonyms for anchor ring',\n", " 'clues': [('halo', 'a toroidal shape'),\n", " ('doughnut', 'a toroidal shape'),\n", " ('annulus', 'a toroidal shape'),\n", " ('ring', 'a toroidal shape')]},\n", " {'answer': 'anger',\n", " 'hint': 'synonyms for anger',\n", " 'clues': [('choler',\n", " 'a strong emotion; a feeling that is oriented toward some real or supposed grievance'),\n", " ('ira',\n", " 'belligerence aroused by a real or supposed wrong (personified as one of the deadly sins)'),\n", " ('ire',\n", " 'a strong emotion; a feeling that is oriented toward some real or supposed grievance'),\n", " ('wrath',\n", " 'belligerence aroused by a real or supposed wrong (personified as one of the deadly sins)')]},\n", " {'answer': 'angle_of_dip',\n", " 'hint': 'synonyms for angle of dip',\n", " 'clues': [('magnetic dip',\n", " '(physics) the angle that a magnetic needle makes with the plane of the horizon'),\n", " ('inclination',\n", " '(physics) the angle that a magnetic needle makes with the plane of the horizon'),\n", " ('magnetic inclination',\n", " '(physics) the angle that a magnetic needle makes with the plane of the horizon'),\n", " ('dip',\n", " '(physics) the angle that a magnetic needle makes with the plane of the horizon')]},\n", " {'answer': 'animate_being',\n", " 'hint': 'synonyms for animate being',\n", " 'clues': [('creature',\n", " 'a living organism characterized by voluntary movement'),\n", " ('animal', 'a living organism characterized by voluntary movement'),\n", " ('brute', 'a living organism characterized by voluntary movement'),\n", " ('fauna', 'a living organism characterized by voluntary movement'),\n", " ('beast', 'a living organism characterized by voluntary movement')]},\n", " {'answer': 'animation',\n", " 'hint': 'synonyms for animation',\n", " 'clues': [('spiritedness',\n", " 'quality of being active or spirited or alive and vigorous'),\n", " ('vitality', 'the property of being able to survive and grow'),\n", " ('invigoration',\n", " 'the activity of giving vitality and vigour to something'),\n", " ('brio', 'quality of being active or spirited or alive and vigorous'),\n", " ('liveliness', 'general activity and motion'),\n", " ('vivification',\n", " 'the activity of giving vitality and vigour to something')]},\n", " {'answer': 'announcement',\n", " 'hint': 'synonyms for announcement',\n", " 'clues': [('proclamation', 'a formal public statement'),\n", " ('promulgation',\n", " 'a public statement containing information about an event that has happened or is going to happen'),\n", " ('annunciation', 'a formal public statement'),\n", " ('declaration', 'a formal public statement')]},\n", " {'answer': 'annoyance',\n", " 'hint': 'synonyms for annoyance',\n", " 'clues': [('bother',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('vexation', 'anger produced by some annoying irritation'),\n", " ('botheration',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('pain',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('pain in the neck',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('pain in the ass',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('infliction',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('annoying', 'the act of troubling or annoying someone'),\n", " ('irritation', 'the act of troubling or annoying someone'),\n", " ('chafe', 'anger produced by some annoying irritation')]},\n", " {'answer': 'annulus',\n", " 'hint': 'synonyms for annulus',\n", " 'clues': [('anchor ring', 'a toroidal shape'),\n", " ('halo', 'a toroidal shape'),\n", " ('doughnut', 'a toroidal shape'),\n", " ('ring', 'a toroidal shape')]},\n", " {'answer': 'anovulant',\n", " 'hint': 'synonyms for anovulant',\n", " 'clues': [('anovulatory drug',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('pill',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('birth control pill',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('oral contraceptive',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('contraceptive pill',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception')]},\n", " {'answer': 'anovulatory_drug',\n", " 'hint': 'synonyms for anovulatory drug',\n", " 'clues': [('anovulant',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('pill',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('birth control pill',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('oral contraceptive',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('contraceptive pill',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception')]},\n", " {'answer': 'answer',\n", " 'hint': 'synonyms for answer',\n", " 'clues': [('reply',\n", " 'a statement (either spoken or written) that is made to reply to a question or request or criticism or accusation'),\n", " ('result',\n", " 'a statement that solves a problem or explains how to solve the problem'),\n", " ('resolution',\n", " 'a statement that solves a problem or explains how to solve the problem'),\n", " ('solvent',\n", " 'a statement that solves a problem or explains how to solve the problem'),\n", " ('response',\n", " 'a statement (either spoken or written) that is made to reply to a question or request or criticism or accusation')]},\n", " {'answer': 'antecedence',\n", " 'hint': 'synonyms for antecedence',\n", " 'clues': [('precedency', 'preceding in time'),\n", " ('anteriority', 'preceding in time'),\n", " ('priority', 'preceding in time'),\n", " ('antecedency', 'preceding in time')]},\n", " {'answer': 'antecedency',\n", " 'hint': 'synonyms for antecedency',\n", " 'clues': [('precedency', 'preceding in time'),\n", " ('priority', 'preceding in time'),\n", " ('antecedence', 'preceding in time'),\n", " ('anteriority', 'preceding in time')]},\n", " {'answer': 'antechamber',\n", " 'hint': 'synonyms for antechamber',\n", " 'clues': [('lobby', 'a large entrance or reception room or area'),\n", " ('vestibule', 'a large entrance or reception room or area'),\n", " ('hall', 'a large entrance or reception room or area'),\n", " ('entrance hall', 'a large entrance or reception room or area'),\n", " ('foyer', 'a large entrance or reception room or area'),\n", " ('anteroom', 'a large entrance or reception room or area')]},\n", " {'answer': 'anteroom',\n", " 'hint': 'synonyms for anteroom',\n", " 'clues': [('antechamber', 'a large entrance or reception room or area'),\n", " ('lobby', 'a large entrance or reception room or area'),\n", " ('vestibule', 'a large entrance or reception room or area'),\n", " ('hall', 'a large entrance or reception room or area'),\n", " ('entrance hall', 'a large entrance or reception room or area'),\n", " ('foyer', 'a large entrance or reception room or area')]},\n", " {'answer': 'anthesis',\n", " 'hint': 'synonyms for anthesis',\n", " 'clues': [('efflorescence',\n", " 'the time and process of budding and unfolding of blossoms'),\n", " ('inflorescence',\n", " 'the time and process of budding and unfolding of blossoms'),\n", " ('flowering',\n", " 'the time and process of budding and unfolding of blossoms'),\n", " ('blossoming',\n", " 'the time and process of budding and unfolding of blossoms')]},\n", " {'answer': 'antiaircraft_gun',\n", " 'hint': 'synonyms for antiaircraft gun',\n", " 'clues': [('ack-ack gun',\n", " 'artillery designed to shoot upward at airplanes'),\n", " ('pom-pom', 'artillery designed to shoot upward at airplanes'),\n", " ('flak', 'artillery designed to shoot upward at airplanes'),\n", " ('ack-ack', 'artillery designed to shoot upward at airplanes'),\n", " ('antiaircraft', 'artillery designed to shoot upward at airplanes')]},\n", " {'answer': 'antianxiety_agent',\n", " 'hint': 'synonyms for antianxiety agent',\n", " 'clues': [('ataractic',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('tranquilizer',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('ataractic drug',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('ataractic agent',\n", " 'a drug used to reduce stress or tension without reducing mental clarity')]},\n", " {'answer': 'antifungal_agent',\n", " 'hint': 'synonyms for antifungal agent',\n", " 'clues': [('antimycotic agent',\n", " 'any agent that destroys or prevents the growth of fungi'),\n", " ('fungicide', 'any agent that destroys or prevents the growth of fungi'),\n", " ('antifungal', 'any agent that destroys or prevents the growth of fungi'),\n", " ('antimycotic',\n", " 'any agent that destroys or prevents the growth of fungi')]},\n", " {'answer': 'antimycotic',\n", " 'hint': 'synonyms for antimycotic',\n", " 'clues': [('antimycotic agent',\n", " 'any agent that destroys or prevents the growth of fungi'),\n", " ('fungicide', 'any agent that destroys or prevents the growth of fungi'),\n", " ('antifungal', 'any agent that destroys or prevents the growth of fungi'),\n", " ('antifungal agent',\n", " 'any agent that destroys or prevents the growth of fungi')]},\n", " {'answer': 'antimycotic_agent',\n", " 'hint': 'synonyms for antimycotic agent',\n", " 'clues': [('fungicide',\n", " 'any agent that destroys or prevents the growth of fungi'),\n", " ('antifungal', 'any agent that destroys or prevents the growth of fungi'),\n", " ('antimycotic',\n", " 'any agent that destroys or prevents the growth of fungi'),\n", " ('antifungal agent',\n", " 'any agent that destroys or prevents the growth of fungi')]},\n", " {'answer': 'antipsychotic',\n", " 'hint': 'synonyms for antipsychotic',\n", " 'clues': [('major tranquilliser',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('antipsychotic drug',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('antipsychotic agent',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic drug',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic agent',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired')]},\n", " {'answer': 'antipsychotic_agent',\n", " 'hint': 'synonyms for antipsychotic agent',\n", " 'clues': [('major tranquilliser',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('antipsychotic drug',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic drug',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('antipsychotic',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic agent',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired')]},\n", " {'answer': 'antipsychotic_drug',\n", " 'hint': 'synonyms for antipsychotic drug',\n", " 'clues': [('major tranquilliser',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('antipsychotic agent',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic drug',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('antipsychotic',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired'),\n", " ('neuroleptic agent',\n", " 'tranquilizer used to treat psychotic conditions when a calming effect is desired')]},\n", " {'answer': 'apex',\n", " 'hint': 'synonyms for apex',\n", " 'clues': [(\"apex of the sun's way\",\n", " 'the point on the celestial sphere toward which the sun and solar system appear to be moving relative to the fixed stars'),\n", " ('acme', 'the highest point (of something)'),\n", " ('solar apex',\n", " 'the point on the celestial sphere toward which the sun and solar system appear to be moving relative to the fixed stars'),\n", " ('vertex', 'the highest point (of something)'),\n", " ('peak', 'the highest point (of something)')]},\n", " {'answer': 'aplomb',\n", " 'hint': 'synonyms for aplomb',\n", " 'clues': [('poise', 'great coolness and composure under strain'),\n", " ('cool', 'great coolness and composure under strain'),\n", " ('sang-froid', 'great coolness and composure under strain'),\n", " ('assuredness', 'great coolness and composure under strain')]},\n", " {'answer': \"apothecary's_shop\",\n", " 'hint': \"synonyms for apothecary's shop\",\n", " 'clues': [(\"chemist's\",\n", " 'a retail shop where medicine and other articles are sold'),\n", " ('drugstore', 'a retail shop where medicine and other articles are sold'),\n", " ('pharmacy', 'a retail shop where medicine and other articles are sold'),\n", " (\"chemist's shop\",\n", " 'a retail shop where medicine and other articles are sold')]},\n", " {'answer': 'apparel_industry',\n", " 'hint': 'synonyms for apparel industry',\n", " 'clues': [('fashion business',\n", " 'makers and sellers of fashionable clothing'),\n", " ('fashion industry', 'makers and sellers of fashionable clothing'),\n", " ('garment industry', 'makers and sellers of fashionable clothing'),\n", " ('rag trade', 'makers and sellers of fashionable clothing')]},\n", " {'answer': 'apparent_horizon',\n", " 'hint': 'synonyms for apparent horizon',\n", " 'clues': [('skyline',\n", " 'the line at which the sky and Earth appear to meet'),\n", " ('horizon', 'the line at which the sky and Earth appear to meet'),\n", " ('visible horizon', 'the line at which the sky and Earth appear to meet'),\n", " ('sensible horizon',\n", " 'the line at which the sky and Earth appear to meet')]},\n", " {'answer': 'apparition',\n", " 'hint': 'synonyms for apparition',\n", " 'clues': [('shadow', 'something existing in perception only'),\n", " ('phantasm', 'something existing in perception only'),\n", " ('fantasm', 'something existing in perception only'),\n", " ('phantom', 'something existing in perception only')]},\n", " {'answer': 'appeal',\n", " 'hint': 'synonyms for appeal',\n", " 'clues': [('prayer', 'earnest or urgent request'),\n", " ('collection', 'request for a sum of money'),\n", " ('ingathering', 'request for a sum of money'),\n", " ('charm', 'attractiveness that interests or pleases or stimulates'),\n", " ('appealingness',\n", " 'attractiveness that interests or pleases or stimulates'),\n", " ('entreaty', 'earnest or urgent request'),\n", " ('solicitation', 'request for a sum of money')]},\n", " {'answer': 'appearance',\n", " 'hint': 'synonyms for appearance',\n", " 'clues': [('show',\n", " 'pretending that something is the case in order to make a good impression'),\n", " ('visual aspect', 'outward or visible aspect of a person or thing'),\n", " ('appearing',\n", " 'formal attendance (in court or at a hearing) of a party in an action'),\n", " ('coming into court',\n", " 'formal attendance (in court or at a hearing) of a party in an action')]},\n", " {'answer': 'applesauce',\n", " 'hint': 'synonyms for applesauce',\n", " 'clues': [('folderol', 'nonsensical talk or writing'),\n", " ('trumpery', 'nonsensical talk or writing'),\n", " ('codswallop', 'nonsensical talk or writing'),\n", " ('trash', 'nonsensical talk or writing'),\n", " ('wish-wash', 'nonsensical talk or writing'),\n", " ('rubbish', 'nonsensical talk or writing'),\n", " ('tripe', 'nonsensical talk or writing'),\n", " ('apple sauce', 'puree of stewed apples usually sweetened and spiced')]},\n", " {'answer': 'appliance',\n", " 'hint': 'synonyms for appliance',\n", " 'clues': [('gismo',\n", " 'a device or control that is very useful for a particular job'),\n", " ('convenience',\n", " 'a device or control that is very useful for a particular job'),\n", " ('contraption',\n", " 'a device or control that is very useful for a particular job'),\n", " ('contrivance',\n", " 'a device or control that is very useful for a particular job'),\n", " ('gizmo', 'a device or control that is very useful for a particular job'),\n", " ('gadget',\n", " 'a device or control that is very useful for a particular job'),\n", " ('widget',\n", " 'a device or control that is very useful for a particular job')]},\n", " {'answer': 'application',\n", " 'hint': 'synonyms for application',\n", " 'clues': [('lotion',\n", " 'liquid preparation having a soothing or antiseptic or medicinal action when applied to the skin'),\n", " ('coating', 'the work of applying something'),\n", " ('application program',\n", " 'a program that gives a computer instructions that provide the user with tools to accomplish a task'),\n", " ('practical application',\n", " 'the act of bringing something to bear; using it for a particular purpose'),\n", " ('diligence', 'a diligent effort'),\n", " ('covering', 'the work of applying something')]},\n", " {'answer': 'appointment',\n", " 'hint': 'synonyms for appointment',\n", " 'clues': [('designation',\n", " 'the act of putting a person into a non-elective position'),\n", " ('naming', 'the act of putting a person into a non-elective position'),\n", " ('fitting',\n", " '(usually plural) furnishings and equipment (especially for a ship or hotel)'),\n", " ('engagement', 'a meeting arranged in advance'),\n", " ('assignment',\n", " 'the act of putting a person into a non-elective position'),\n", " ('date', 'a meeting arranged in advance')]},\n", " {'answer': 'apportioning',\n", " 'hint': 'synonyms for apportioning',\n", " 'clues': [('apportionment',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('parcelling',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('assignation',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('allocation',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('allotment',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan')]},\n", " {'answer': 'apportionment',\n", " 'hint': 'synonyms for apportionment',\n", " 'clues': [('parcelling',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('assignation',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('allocation',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('apportioning',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('allotment',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan')]},\n", " {'answer': 'appreciation',\n", " 'hint': 'synonyms for appreciation',\n", " 'clues': [('discernment',\n", " 'delicate discrimination (especially of aesthetic values)'),\n", " ('hold',\n", " 'understanding of the nature or meaning or quality or magnitude of something'),\n", " ('grasp',\n", " 'understanding of the nature or meaning or quality or magnitude of something'),\n", " ('perceptiveness',\n", " 'delicate discrimination (especially of aesthetic values)'),\n", " ('taste', 'delicate discrimination (especially of aesthetic values)'),\n", " ('admiration', 'a favorable judgment')]},\n", " {'answer': 'apprehension',\n", " 'hint': 'synonyms for apprehension',\n", " 'clues': [('pinch',\n", " 'the act of apprehending (especially apprehending a criminal)'),\n", " ('dread', 'fearful expectation or anticipation'),\n", " ('understanding', 'the cognitive condition of someone who understands'),\n", " ('savvy', 'the cognitive condition of someone who understands'),\n", " ('misgiving', 'painful expectation'),\n", " ('catch', 'the act of apprehending (especially apprehending a criminal)'),\n", " ('taking into custody',\n", " 'the act of apprehending (especially apprehending a criminal)'),\n", " ('apprehensiveness', 'fearful expectation or anticipation'),\n", " ('discernment', 'the cognitive condition of someone who understands'),\n", " ('arrest',\n", " 'the act of apprehending (especially apprehending a criminal)'),\n", " ('collar',\n", " 'the act of apprehending (especially apprehending a criminal)')]},\n", " {'answer': 'approach',\n", " 'hint': 'synonyms for approach',\n", " 'clues': [('approaching',\n", " 'the event of one object coming closer to another'),\n", " ('approach path',\n", " 'the final path followed by an aircraft as it is landing'),\n", " ('advance',\n", " 'a tentative suggestion designed to elicit the reactions of others'),\n", " ('approach shot',\n", " 'a relatively short golf shot intended to put the ball onto the putting green'),\n", " ('coming', 'the temporal property of becoming nearer in time'),\n", " ('feeler',\n", " 'a tentative suggestion designed to elicit the reactions of others'),\n", " ('plan of attack',\n", " 'ideas or actions intended to deal with a problem or situation'),\n", " ('glide path', 'the final path followed by an aircraft as it is landing'),\n", " ('glide slope',\n", " 'the final path followed by an aircraft as it is landing'),\n", " ('access', 'a way of entering or leaving'),\n", " ('attack',\n", " 'ideas or actions intended to deal with a problem or situation'),\n", " ('overture',\n", " 'a tentative suggestion designed to elicit the reactions of others')]},\n", " {'answer': 'approximation',\n", " 'hint': 'synonyms for approximation',\n", " 'clues': [('bringing close together',\n", " 'the act of bringing near or bringing together especially the cut edges of tissue'),\n", " ('idea', 'an approximate calculation of quantity or degree or worth'),\n", " ('estimate', 'an approximate calculation of quantity or degree or worth'),\n", " ('estimation',\n", " 'an approximate calculation of quantity or degree or worth')]},\n", " {'answer': 'appurtenance',\n", " 'hint': 'synonyms for appurtenance',\n", " 'clues': [('gear',\n", " 'equipment consisting of miscellaneous articles needed for a particular operation or sport etc.'),\n", " ('supplement', 'a supplementary component that improves capability'),\n", " ('accessory', 'a supplementary component that improves capability'),\n", " ('paraphernalia',\n", " 'equipment consisting of miscellaneous articles needed for a particular operation or sport etc.'),\n", " ('add-on', 'a supplementary component that improves capability')]},\n", " {'answer': 'aqua',\n", " 'hint': 'synonyms for aqua',\n", " 'clues': [('aquamarine', 'a shade of blue tinged with green'),\n", " ('peacock blue', 'a shade of blue tinged with green'),\n", " ('cobalt blue', 'a shade of blue tinged with green'),\n", " ('greenish blue', 'a shade of blue tinged with green'),\n", " ('turquoise', 'a shade of blue tinged with green')]},\n", " {'answer': 'aquamarine',\n", " 'hint': 'synonyms for aquamarine',\n", " 'clues': [('aqua', 'a shade of blue tinged with green'),\n", " ('peacock blue', 'a shade of blue tinged with green'),\n", " ('cobalt blue', 'a shade of blue tinged with green'),\n", " ('greenish blue', 'a shade of blue tinged with green'),\n", " ('turquoise', 'a shade of blue tinged with green')]},\n", " {'answer': 'arbalest',\n", " 'hint': 'synonyms for arbalest',\n", " 'clues': [('mangonel',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('trebucket',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('catapult',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('arbalist',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('onager',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('ballista',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('bricole',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles')]},\n", " {'answer': 'arbalist',\n", " 'hint': 'synonyms for arbalist',\n", " 'clues': [('mangonel',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('trebucket',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('catapult',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('onager',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('ballista',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('arbalest',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('bricole',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles')]},\n", " {'answer': 'arbitrariness',\n", " 'hint': 'synonyms for arbitrariness',\n", " 'clues': [('whimsey',\n", " 'the trait of acting unpredictably and more from whim or caprice than from reason or judgment'),\n", " ('whimsicality',\n", " 'the trait of acting unpredictably and more from whim or caprice than from reason or judgment'),\n", " ('capriciousness',\n", " 'the trait of acting unpredictably and more from whim or caprice than from reason or judgment'),\n", " ('flightiness',\n", " 'the trait of acting unpredictably and more from whim or caprice than from reason or judgment')]},\n", " {'answer': 'arbor',\n", " 'hint': 'synonyms for arbor',\n", " 'clues': [('bower', 'a framework that supports climbing plants'),\n", " ('mandril',\n", " 'any of various rotating shafts that serve as axes for larger rotating parts'),\n", " ('arbour', 'a framework that supports climbing plants'),\n", " ('spindle',\n", " 'any of various rotating shafts that serve as axes for larger rotating parts'),\n", " ('pergola', 'a framework that supports climbing plants')]},\n", " {'answer': 'arc',\n", " 'hint': 'synonyms for arc',\n", " 'clues': [('discharge',\n", " 'electrical conduction through a gas in an applied electric field'),\n", " ('electric arc',\n", " 'electrical conduction through a gas in an applied electric field'),\n", " ('spark',\n", " 'electrical conduction through a gas in an applied electric field'),\n", " ('electric discharge',\n", " 'electrical conduction through a gas in an applied electric field'),\n", " ('bow', 'something curved in shape')]},\n", " {'answer': 'archness',\n", " 'hint': 'synonyms for archness',\n", " 'clues': [('impertinence', 'inappropriate playfulness'),\n", " ('perkiness', 'inappropriate playfulness'),\n", " ('pertness', 'inappropriate playfulness'),\n", " ('sauciness', 'inappropriate playfulness')]},\n", " {'answer': 'ardor',\n", " 'hint': 'synonyms for ardor',\n", " 'clues': [('fervour', 'feelings of great warmth and intensity'),\n", " ('ardour', 'feelings of great warmth and intensity'),\n", " ('fire', 'feelings of great warmth and intensity'),\n", " ('fervidness', 'feelings of great warmth and intensity'),\n", " ('zeal',\n", " 'a feeling of strong eagerness (usually in favor of a person or cause)'),\n", " ('fervency', 'feelings of great warmth and intensity'),\n", " ('elan',\n", " 'a feeling of strong eagerness (usually in favor of a person or cause)')]},\n", " {'answer': 'ardour',\n", " 'hint': 'synonyms for ardour',\n", " 'clues': [('fervour', 'feelings of great warmth and intensity'),\n", " ('ardor', 'feelings of great warmth and intensity'),\n", " ('fire', 'feelings of great warmth and intensity'),\n", " ('fervidness', 'feelings of great warmth and intensity'),\n", " ('zeal',\n", " 'a feeling of strong eagerness (usually in favor of a person or cause)'),\n", " ('fervency', 'feelings of great warmth and intensity'),\n", " ('elan',\n", " 'a feeling of strong eagerness (usually in favor of a person or cause)')]},\n", " {'answer': 'arena',\n", " 'hint': 'synonyms for arena',\n", " 'clues': [('scene of action',\n", " 'a playing field where sports events take place'),\n", " ('bowl', 'a large structure for open-air sports or entertainments'),\n", " ('stadium', 'a large structure for open-air sports or entertainments'),\n", " ('sports stadium',\n", " 'a large structure for open-air sports or entertainments')]},\n", " {'answer': 'argot',\n", " 'hint': 'synonyms for argot',\n", " 'clues': [('cant',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('patois',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('slang',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('lingo',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('jargon',\n", " 'a characteristic language of a particular group (as among thieves)'),\n", " ('vernacular',\n", " 'a characteristic language of a particular group (as among thieves)')]},\n", " {'answer': 'arguing',\n", " 'hint': 'synonyms for arguing',\n", " 'clues': [('argument',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('contention',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('disceptation',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('contestation',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('controversy',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('tilt',\n", " 'a contentious speech act; a dispute where there is strong disagreement')]},\n", " {'answer': 'argument',\n", " 'hint': 'synonyms for argument',\n", " 'clues': [('line of reasoning',\n", " 'a course of reasoning aimed at demonstrating a truth or falsehood; the methodical process of logical reasoning'),\n", " ('statement',\n", " 'a fact or assertion offered as evidence that something is true'),\n", " ('argumentation',\n", " 'a course of reasoning aimed at demonstrating a truth or falsehood; the methodical process of logical reasoning'),\n", " ('disceptation',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('debate',\n", " 'a discussion in which reasons are advanced for and against some proposition or proposal'),\n", " ('controversy',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('line',\n", " 'a course of reasoning aimed at demonstrating a truth or falsehood; the methodical process of logical reasoning'),\n", " ('parameter',\n", " '(computer science) a reference or value that is passed to a function, procedure, subroutine, command, or program'),\n", " ('literary argument',\n", " 'a summary of the subject or plot of a literary work or play or movie'),\n", " ('contention',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('logical argument',\n", " 'a course of reasoning aimed at demonstrating a truth or falsehood; the methodical process of logical reasoning'),\n", " ('contestation',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('arguing',\n", " 'a contentious speech act; a dispute where there is strong disagreement'),\n", " ('tilt',\n", " 'a contentious speech act; a dispute where there is strong disagreement')]},\n", " {'answer': 'argumentation',\n", " 'hint': 'synonyms for argumentation',\n", " 'clues': [('argument',\n", " 'a discussion in which reasons are advanced for and against some proposition or proposal'),\n", " ('line of reasoning',\n", " 'a course of reasoning aimed at demonstrating a truth or falsehood; the methodical process of logical reasoning'),\n", " ('logical argument',\n", " 'a course of reasoning aimed at demonstrating a truth or falsehood; the methodical process of logical reasoning'),\n", " ('debate',\n", " 'a discussion in which reasons are advanced for and against some proposition or proposal'),\n", " ('line',\n", " 'a course of reasoning aimed at demonstrating a truth or falsehood; the methodical process of logical reasoning')]},\n", " {'answer': 'arm',\n", " 'hint': 'synonyms for arm',\n", " 'clues': [('subdivision',\n", " 'a division of some larger or more complex organization'),\n", " ('limb', 'any projection that is thought to resemble a human arm'),\n", " ('branch', 'any projection that is thought to resemble a human arm'),\n", " ('weapon system',\n", " 'any instrument or instrumentality used in fighting or hunting'),\n", " ('weapon',\n", " 'any instrument or instrumentality used in fighting or hunting'),\n", " ('sleeve',\n", " 'the part of a garment that is attached at the armhole and that provides a cloth covering for the arm')]},\n", " {'answer': 'armed_forces',\n", " 'hint': 'synonyms for armed forces',\n", " 'clues': [('war machine', 'the military forces of a nation'),\n", " ('armed services', 'the military forces of a nation'),\n", " ('military machine', 'the military forces of a nation'),\n", " ('military', 'the military forces of a nation')]},\n", " {'answer': 'armed_services',\n", " 'hint': 'synonyms for armed services',\n", " 'clues': [('armed service',\n", " 'a force that is a branch of the armed forces'),\n", " ('military service', 'a force that is a branch of the armed forces'),\n", " ('service', 'a force that is a branch of the armed forces'),\n", " ('war machine', 'the military forces of a nation'),\n", " ('military', 'the military forces of a nation'),\n", " ('armed forces', 'the military forces of a nation'),\n", " ('military machine', 'the military forces of a nation')]},\n", " {'answer': 'arms',\n", " 'hint': 'synonyms for arms',\n", " 'clues': [('munition', 'weapons considered collectively'),\n", " ('coat of arms', 'the official symbols of a family, state, etc.'),\n", " ('limb', 'any projection that is thought to resemble a human arm'),\n", " ('arm', 'any instrument or instrumentality used in fighting or hunting'),\n", " ('branch', 'any projection that is thought to resemble a human arm'),\n", " ('implements of war', 'weapons considered collectively'),\n", " ('blazon', 'the official symbols of a family, state, etc.'),\n", " ('weapons system', 'weapons considered collectively'),\n", " ('weaponry', 'weapons considered collectively'),\n", " ('subdivision', 'a division of some larger or more complex organization'),\n", " ('sleeve',\n", " 'the part of a garment that is attached at the armhole and that provides a cloth covering for the arm')]},\n", " {'answer': 'aroma',\n", " 'hint': 'synonyms for aroma',\n", " 'clues': [('scent', 'a distinctive odor that is pleasant'),\n", " ('odor', 'any property detected by the olfactory system'),\n", " ('fragrance', 'a distinctive odor that is pleasant'),\n", " ('perfume', 'a distinctive odor that is pleasant'),\n", " ('olfactory property', 'any property detected by the olfactory system'),\n", " ('smell', 'any property detected by the olfactory system')]},\n", " {'answer': 'arrangement',\n", " 'hint': 'synonyms for arrangement',\n", " 'clues': [('musical arrangement',\n", " 'a piece of music that has been adapted for performance by a particular set of voices or instruments'),\n", " ('organization', 'an organized structure for arranging or classifying'),\n", " ('agreement', 'the thing arranged or agreed to'),\n", " ('system', 'an organized structure for arranging or classifying'),\n", " ('arranging', 'the act of arranging and adapting a piece of music'),\n", " ('placement',\n", " 'the spatial property of the way in which something is placed'),\n", " ('transcription', 'the act of arranging and adapting a piece of music')]},\n", " {'answer': 'arrest',\n", " 'hint': 'synonyms for arrest',\n", " 'clues': [('pinch',\n", " 'the act of apprehending (especially apprehending a criminal)'),\n", " ('catch', 'the act of apprehending (especially apprehending a criminal)'),\n", " ('taking into custody',\n", " 'the act of apprehending (especially apprehending a criminal)'),\n", " ('apprehension',\n", " 'the act of apprehending (especially apprehending a criminal)'),\n", " ('collar',\n", " 'the act of apprehending (especially apprehending a criminal)')]},\n", " {'answer': 'arrivederci',\n", " 'hint': 'synonyms for arrivederci',\n", " 'clues': [('goodbye', 'a farewell remark'),\n", " ('sayonara', 'a farewell remark'),\n", " ('adieu', 'a farewell remark'),\n", " ('au revoir', 'a farewell remark'),\n", " ('bye', 'a farewell remark'),\n", " ('auf wiedersehen', 'a farewell remark'),\n", " ('bye-bye', 'a farewell remark'),\n", " ('adios', 'a farewell remark'),\n", " ('so long', 'a farewell remark'),\n", " ('cheerio', 'a farewell remark'),\n", " ('good day', 'a farewell remark')]},\n", " {'answer': 'arrogance',\n", " 'hint': 'synonyms for arrogance',\n", " 'clues': [('hauteur',\n", " 'overbearing pride evidenced by a superior manner toward inferiors'),\n", " ('haughtiness',\n", " 'overbearing pride evidenced by a superior manner toward inferiors'),\n", " ('high-handedness',\n", " 'overbearing pride evidenced by a superior manner toward inferiors'),\n", " ('lordliness',\n", " 'overbearing pride evidenced by a superior manner toward inferiors')]},\n", " {'answer': 'arsenic',\n", " 'hint': 'synonyms for arsenic',\n", " 'clues': [('ratsbane',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('atomic number 33',\n", " 'a very poisonous metallic element that has three allotropic forms; arsenic and arsenic compounds are used as herbicides and insecticides and various alloys; found in arsenopyrite and orpiment and realgar'),\n", " ('arsenous oxide',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenous anhydride',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('white arsenic',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenic trioxide',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer')]},\n", " {'answer': 'arsenic_trioxide',\n", " 'hint': 'synonyms for arsenic trioxide',\n", " 'clues': [('ratsbane',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenous oxide',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenous anhydride',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenic',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('white arsenic',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer')]},\n", " {'answer': 'arsenous_anhydride',\n", " 'hint': 'synonyms for arsenous anhydride',\n", " 'clues': [('ratsbane',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenous oxide',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenic',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('white arsenic',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenic trioxide',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer')]},\n", " {'answer': 'arsenous_oxide',\n", " 'hint': 'synonyms for arsenous oxide',\n", " 'clues': [('ratsbane',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenous anhydride',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenic',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('white arsenic',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer'),\n", " ('arsenic trioxide',\n", " 'a white powdered poisonous trioxide of arsenic; used in manufacturing glass and as a pesticide (rat poison) and weed killer')]},\n", " {'answer': 'art',\n", " 'hint': 'synonyms for art',\n", " 'clues': [('prowess',\n", " 'a superior skill that you can learn by study and practice and observation'),\n", " ('artistic creation', 'the creation of beautiful or significant things'),\n", " ('artwork',\n", " 'photographs or other visual representations in a printed publication'),\n", " ('artistic production',\n", " 'the creation of beautiful or significant things'),\n", " ('graphics',\n", " 'photographs or other visual representations in a printed publication'),\n", " ('fine art',\n", " 'the products of human creativity; works of art collectively'),\n", " ('artistry',\n", " 'a superior skill that you can learn by study and practice and observation'),\n", " ('nontextual matter',\n", " 'photographs or other visual representations in a printed publication')]},\n", " {'answer': 'article_of_clothing',\n", " 'hint': 'synonyms for article of clothing',\n", " 'clues': [('wearable',\n", " \"a covering designed to be worn on a person's body\"),\n", " ('vesture', \"a covering designed to be worn on a person's body\"),\n", " ('habiliment', \"a covering designed to be worn on a person's body\"),\n", " ('clothing', \"a covering designed to be worn on a person's body\"),\n", " ('wear', \"a covering designed to be worn on a person's body\")]},\n", " {'answer': 'articulated_lorry',\n", " 'hint': 'synonyms for articulated lorry',\n", " 'clues': [('trucking rig',\n", " 'a truck consisting of a tractor and trailer together'),\n", " ('rig', 'a truck consisting of a tractor and trailer together'),\n", " ('trailer truck', 'a truck consisting of a tractor and trailer together'),\n", " ('tractor trailer',\n", " 'a truck consisting of a tractor and trailer together'),\n", " ('semi', 'a truck consisting of a tractor and trailer together')]},\n", " {'answer': 'articulation',\n", " 'hint': 'synonyms for articulation',\n", " 'clues': [('voice', 'expressing in coherent verbal form'),\n", " ('junction',\n", " 'the shape or manner in which things come together and a connection is made'),\n", " ('juncture',\n", " 'the shape or manner in which things come together and a connection is made'),\n", " ('join',\n", " 'the shape or manner in which things come together and a connection is made')]},\n", " {'answer': 'artillery',\n", " 'hint': 'synonyms for artillery',\n", " 'clues': [('artillery unit', 'an army unit that uses big guns'),\n", " ('heavy weapon', 'large but transportable armament'),\n", " ('gun', 'large but transportable armament'),\n", " ('ordnance', 'large but transportable armament'),\n", " ('weapon', 'a means of persuading or arguing')]},\n", " {'answer': 'arts',\n", " 'hint': 'synonyms for arts',\n", " 'clues': [('prowess',\n", " 'a superior skill that you can learn by study and practice and observation'),\n", " ('artistic creation', 'the creation of beautiful or significant things'),\n", " ('artistic production',\n", " 'the creation of beautiful or significant things'),\n", " ('humanities',\n", " 'studies intended to provide general knowledge and intellectual skills (rather than occupational or professional skills)'),\n", " ('nontextual matter',\n", " 'photographs or other visual representations in a printed publication'),\n", " ('art',\n", " 'a superior skill that you can learn by study and practice and observation'),\n", " ('humanistic discipline',\n", " 'studies intended to provide general knowledge and intellectual skills (rather than occupational or professional skills)'),\n", " ('artwork',\n", " 'photographs or other visual representations in a printed publication'),\n", " ('graphics',\n", " 'photographs or other visual representations in a printed publication'),\n", " ('fine art',\n", " 'the products of human creativity; works of art collectively'),\n", " ('artistry',\n", " 'a superior skill that you can learn by study and practice and observation'),\n", " ('liberal arts',\n", " 'studies intended to provide general knowledge and intellectual skills (rather than occupational or professional skills)')]},\n", " {'answer': 'asa_dulcis',\n", " 'hint': 'synonyms for asa dulcis',\n", " 'clues': [('benzoin',\n", " 'gum resin used especially in treating skin irritation'),\n", " ('gum benzoin', 'gum resin used especially in treating skin irritation'),\n", " ('gum benjamin', 'gum resin used especially in treating skin irritation'),\n", " ('benjamin', 'gum resin used especially in treating skin irritation')]},\n", " {'answer': 'ascension',\n", " 'hint': 'synonyms for ascension',\n", " 'clues': [('rise', 'the act of changing location in an upward direction'),\n", " ('ascending', 'the act of changing location in an upward direction'),\n", " ('ascent', 'the act of changing location in an upward direction'),\n", " ('rising', 'a movement upward')]},\n", " {'answer': 'ascent',\n", " 'hint': 'synonyms for ascent',\n", " 'clues': [('rise', 'an upward slope or grade (as in a road)'),\n", " ('acclivity', 'an upward slope or grade (as in a road)'),\n", " ('ascension', 'the act of changing location in an upward direction'),\n", " ('rising', 'a movement upward'),\n", " ('ascending', 'the act of changing location in an upward direction'),\n", " ('upgrade', 'an upward slope or grade (as in a road)'),\n", " ('climb', 'an upward slope or grade (as in a road)')]},\n", " {'answer': 'ash-bin',\n", " 'hint': 'synonyms for ash-bin',\n", " 'clues': [('ashbin', 'a bin that holds rubbish until it is collected'),\n", " ('ashcan', 'a bin that holds rubbish until it is collected'),\n", " ('garbage can', 'a bin that holds rubbish until it is collected'),\n", " ('trash bin', 'a bin that holds rubbish until it is collected'),\n", " ('trash can', 'a bin that holds rubbish until it is collected'),\n", " ('trash barrel', 'a bin that holds rubbish until it is collected'),\n", " ('dustbin', 'a bin that holds rubbish until it is collected'),\n", " ('wastebin', 'a bin that holds rubbish until it is collected')]},\n", " {'answer': 'ash_bin',\n", " 'hint': 'synonyms for ash bin',\n", " 'clues': [('ashbin', 'a bin that holds rubbish until it is collected'),\n", " ('ashcan', 'a bin that holds rubbish until it is collected'),\n", " ('garbage can', 'a bin that holds rubbish until it is collected'),\n", " ('trash can', 'a bin that holds rubbish until it is collected'),\n", " ('trash barrel', 'a bin that holds rubbish until it is collected'),\n", " ('dustbin', 'a bin that holds rubbish until it is collected'),\n", " ('wastebin', 'a bin that holds rubbish until it is collected'),\n", " ('trash bin', 'a bin that holds rubbish until it is collected')]},\n", " {'answer': 'ashbin',\n", " 'hint': 'synonyms for ashbin',\n", " 'clues': [('ashcan', 'a bin that holds rubbish until it is collected'),\n", " ('ash-bin', 'a bin that holds rubbish until it is collected'),\n", " ('garbage can', 'a bin that holds rubbish until it is collected'),\n", " ('trash bin', 'a bin that holds rubbish until it is collected'),\n", " ('trash can', 'a bin that holds rubbish until it is collected'),\n", " ('trash barrel', 'a bin that holds rubbish until it is collected'),\n", " ('dustbin', 'a bin that holds rubbish until it is collected'),\n", " ('wastebin', 'a bin that holds rubbish until it is collected')]},\n", " {'answer': 'ashcan',\n", " 'hint': 'synonyms for ashcan',\n", " 'clues': [('ashbin', 'a bin that holds rubbish until it is collected'),\n", " ('garbage can', 'a bin that holds rubbish until it is collected'),\n", " ('trash bin', 'a bin that holds rubbish until it is collected'),\n", " ('trash can', 'a bin that holds rubbish until it is collected'),\n", " ('trash barrel', 'a bin that holds rubbish until it is collected'),\n", " ('dustbin', 'a bin that holds rubbish until it is collected'),\n", " ('wastebin', 'a bin that holds rubbish until it is collected')]},\n", " {'answer': 'aspect',\n", " 'hint': 'synonyms for aspect',\n", " 'clues': [('vista', 'the visual percept of a region'),\n", " ('prospect', 'the visual percept of a region'),\n", " ('facial expression', \"the feelings expressed on a person's face\"),\n", " ('look', \"the feelings expressed on a person's face\"),\n", " ('panorama', 'the visual percept of a region'),\n", " ('view', 'the visual percept of a region'),\n", " ('expression', \"the feelings expressed on a person's face\"),\n", " ('facet', 'a distinct feature or element in a problem'),\n", " ('scene', 'the visual percept of a region')]},\n", " {'answer': 'asperity',\n", " 'hint': 'synonyms for asperity',\n", " 'clues': [('severity', 'something hard to endure'),\n", " ('sharpness', 'harshness of manner'),\n", " ('severeness', 'something hard to endure'),\n", " ('rigour', 'something hard to endure'),\n", " ('hardship', 'something hard to endure'),\n", " ('rigourousness', 'something hard to endure'),\n", " ('grimness', 'something hard to endure')]},\n", " {'answer': 'aspersion',\n", " 'hint': 'synonyms for aspersion',\n", " 'clues': [('defamation',\n", " \"an abusive attack on a person's character or good name\"),\n", " ('slander', \"an abusive attack on a person's character or good name\"),\n", " ('slur', 'a disparaging remark'),\n", " ('calumny', \"an abusive attack on a person's character or good name\"),\n", " ('sprinkling', 'the act of sprinkling water in baptism (rare)'),\n", " ('denigration',\n", " \"an abusive attack on a person's character or good name\")]},\n", " {'answer': 'aspiration',\n", " 'hint': 'synonyms for aspiration',\n", " 'clues': [('inspiration',\n", " 'the act of inhaling; the drawing in of air (or other gases) as in breathing'),\n", " ('dream', 'a cherished desire'),\n", " ('intake',\n", " 'the act of inhaling; the drawing in of air (or other gases) as in breathing'),\n", " ('ambition', 'a cherished desire'),\n", " ('inhalation',\n", " 'the act of inhaling; the drawing in of air (or other gases) as in breathing'),\n", " ('breathing in',\n", " 'the act of inhaling; the drawing in of air (or other gases) as in breathing')]},\n", " {'answer': 'ass',\n", " 'hint': 'synonyms for ass',\n", " 'clues': [('arsenic',\n", " 'a very poisonous metallic element that has three allotropic forms; arsenic and arsenic compounds are used as herbicides and insecticides and various alloys; found in arsenopyrite and orpiment and realgar'),\n", " ('piece of ass', 'slang for sexual intercourse'),\n", " ('roll in the hay', 'slang for sexual intercourse'),\n", " ('piece of tail', 'slang for sexual intercourse'),\n", " ('shtup', 'slang for sexual intercourse'),\n", " ('screw', 'slang for sexual intercourse'),\n", " ('nookie', 'slang for sexual intercourse'),\n", " ('atomic number 33',\n", " 'a very poisonous metallic element that has three allotropic forms; arsenic and arsenic compounds are used as herbicides and insecticides and various alloys; found in arsenopyrite and orpiment and realgar'),\n", " ('nooky', 'slang for sexual intercourse'),\n", " ('fucking', 'slang for sexual intercourse'),\n", " ('shag', 'slang for sexual intercourse')]},\n", " {'answer': 'assemblage',\n", " 'hint': 'synonyms for assemblage',\n", " 'clues': [('assembly', 'the social act of assembling'),\n", " ('accumulation',\n", " 'several things grouped together or considered as a whole'),\n", " ('hookup',\n", " 'a system of components assembled together for a particular purpose'),\n", " ('gathering', 'the social act of assembling'),\n", " ('collection',\n", " 'several things grouped together or considered as a whole'),\n", " ('aggregation',\n", " 'several things grouped together or considered as a whole')]},\n", " {'answer': 'assembly',\n", " 'hint': 'synonyms for assembly',\n", " 'clues': [('gathering', 'the social act of assembling'),\n", " ('meeting place', 'a public facility to meet for open discussion'),\n", " ('assemblage', 'the social act of assembling'),\n", " ('forum', 'a public facility to meet for open discussion'),\n", " ('fabrication',\n", " 'the act of constructing something (as a piece of machinery)')]},\n", " {'answer': 'assertion',\n", " 'hint': 'synonyms for assertion',\n", " 'clues': [('averment',\n", " 'a declaration that is made emphatically (as if no supporting evidence were necessary)'),\n", " ('affirmation', 'the act of affirming or asserting or stating something'),\n", " ('asseveration',\n", " 'a declaration that is made emphatically (as if no supporting evidence were necessary)'),\n", " ('statement', 'the act of affirming or asserting or stating something')]},\n", " {'answer': 'assignation',\n", " 'hint': 'synonyms for assignation',\n", " 'clues': [('tryst', 'a secret rendezvous (especially between lovers)'),\n", " ('apportionment',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('parcelling',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('apportioning',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('allocation',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan'),\n", " ('allotment',\n", " 'the act of distributing by allotting or apportioning; distribution according to a plan')]},\n", " {'answer': 'assignment',\n", " 'hint': 'synonyms for assignment',\n", " 'clues': [('duty assignment',\n", " 'a duty that you are assigned to perform (especially in the armed forces)'),\n", " ('designation',\n", " 'the act of putting a person into a non-elective position'),\n", " ('grant', '(law) a transfer of property by deed of conveyance'),\n", " ('appointment',\n", " 'the act of putting a person into a non-elective position'),\n", " ('naming', 'the act of putting a person into a non-elective position'),\n", " ('assigning',\n", " 'the act of distributing something to designated places or persons')]},\n", " {'answer': 'assortment',\n", " 'hint': 'synonyms for assortment',\n", " 'clues': [('smorgasbord',\n", " 'a collection containing a variety of sorts of things'),\n", " ('mixed bag', 'a collection containing a variety of sorts of things'),\n", " ('potpourri', 'a collection containing a variety of sorts of things'),\n", " ('categorisation',\n", " 'the act of distributing things into classes or categories of the same type'),\n", " ('miscellanea', 'a collection containing a variety of sorts of things'),\n", " ('mixture', 'a collection containing a variety of sorts of things'),\n", " ('classification',\n", " 'the act of distributing things into classes or categories of the same type'),\n", " ('variety', 'a collection containing a variety of sorts of things'),\n", " ('motley', 'a collection containing a variety of sorts of things'),\n", " ('compartmentalisation',\n", " 'the act of distributing things into classes or categories of the same type'),\n", " ('salmagundi', 'a collection containing a variety of sorts of things')]},\n", " {'answer': 'assumption',\n", " 'hint': 'synonyms for assumption',\n", " 'clues': [('premiss',\n", " 'a statement that is assumed to be true and from which a conclusion can be drawn'),\n", " ('supposal', 'a hypothesis that is taken for granted'),\n", " ('laying claim',\n", " 'the act of taking possession of or power over something'),\n", " ('presumption',\n", " 'audacious (even arrogant) behavior that you have no right to'),\n", " ('supposition', 'a hypothesis that is taken for granted'),\n", " ('effrontery',\n", " 'audacious (even arrogant) behavior that you have no right to'),\n", " ('presumptuousness',\n", " 'audacious (even arrogant) behavior that you have no right to')]},\n", " {'answer': 'assurance',\n", " 'hint': 'synonyms for assurance',\n", " 'clues': [('self-confidence',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('pledge',\n", " 'a binding commitment to do or give or refrain from something'),\n", " ('authority',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('self-assurance',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('confidence',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('sureness',\n", " 'freedom from doubt; belief in yourself and your abilities')]},\n", " {'answer': 'assuredness',\n", " 'hint': 'synonyms for assuredness',\n", " 'clues': [('poise', 'great coolness and composure under strain'),\n", " ('cool', 'great coolness and composure under strain'),\n", " ('sang-froid', 'great coolness and composure under strain'),\n", " ('aplomb', 'great coolness and composure under strain')]},\n", " {'answer': 'astuteness',\n", " 'hint': 'synonyms for astuteness',\n", " 'clues': [('perspicacity',\n", " 'intelligence manifested by being astute (as in business dealings)'),\n", " ('profundity', 'the intellectual ability to penetrate deeply into ideas'),\n", " ('deepness', 'the intellectual ability to penetrate deeply into ideas'),\n", " ('perspicaciousness',\n", " 'intelligence manifested by being astute (as in business dealings)'),\n", " ('depth', 'the intellectual ability to penetrate deeply into ideas'),\n", " ('profoundness',\n", " 'the intellectual ability to penetrate deeply into ideas'),\n", " ('shrewdness',\n", " 'intelligence manifested by being astute (as in business dealings)')]},\n", " {'answer': 'asylum',\n", " 'hint': 'synonyms for asylum',\n", " 'clues': [('mental institution',\n", " 'a hospital for mentally incompetent or unbalanced person'),\n", " ('mental home',\n", " 'a hospital for mentally incompetent or unbalanced person'),\n", " ('refuge', 'a shelter from danger or hardship'),\n", " ('sanctuary', 'a shelter from danger or hardship'),\n", " ('institution',\n", " 'a hospital for mentally incompetent or unbalanced person'),\n", " ('insane asylum',\n", " 'a hospital for mentally incompetent or unbalanced person'),\n", " ('mental hospital',\n", " 'a hospital for mentally incompetent or unbalanced person'),\n", " ('psychiatric hospital',\n", " 'a hospital for mentally incompetent or unbalanced person')]},\n", " {'answer': 'ataractic_agent',\n", " 'hint': 'synonyms for ataractic agent',\n", " 'clues': [('antianxiety agent',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('ataractic',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('tranquilizer',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('ataractic drug',\n", " 'a drug used to reduce stress or tension without reducing mental clarity')]},\n", " {'answer': 'ataractic_drug',\n", " 'hint': 'synonyms for ataractic drug',\n", " 'clues': [('antianxiety agent',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('ataractic',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('tranquilizer',\n", " 'a drug used to reduce stress or tension without reducing mental clarity'),\n", " ('ataractic agent',\n", " 'a drug used to reduce stress or tension without reducing mental clarity')]},\n", " {'answer': 'ataraxis',\n", " 'hint': 'synonyms for ataraxis',\n", " 'clues': [('heartsease', 'the absence of mental stress or anxiety'),\n", " ('repose', 'the absence of mental stress or anxiety'),\n", " ('serenity', 'the absence of mental stress or anxiety'),\n", " ('peace of mind', 'the absence of mental stress or anxiety'),\n", " ('peacefulness', 'the absence of mental stress or anxiety'),\n", " ('peace', 'the absence of mental stress or anxiety')]},\n", " {'answer': 'atherodyde',\n", " 'hint': 'synonyms for atherodyde',\n", " 'clues': [('ramjet engine',\n", " 'a simple type of jet engine; must be launched at high speed'),\n", " ('ramjet', 'a simple type of jet engine; must be launched at high speed'),\n", " ('athodyd',\n", " 'a simple type of jet engine; must be launched at high speed'),\n", " ('flying drainpipe',\n", " 'a simple type of jet engine; must be launched at high speed')]},\n", " {'answer': 'athletic_supporter',\n", " 'hint': 'synonyms for athletic supporter',\n", " 'clues': [('supporter',\n", " 'a support for the genitals worn by men engaging in strenuous exercise'),\n", " ('jockstrap',\n", " 'a support for the genitals worn by men engaging in strenuous exercise'),\n", " ('jock',\n", " 'a support for the genitals worn by men engaging in strenuous exercise'),\n", " ('suspensor',\n", " 'a support for the genitals worn by men engaging in strenuous exercise')]},\n", " {'answer': 'athodyd',\n", " 'hint': 'synonyms for athodyd',\n", " 'clues': [('ramjet engine',\n", " 'a simple type of jet engine; must be launched at high speed'),\n", " ('atherodyde',\n", " 'a simple type of jet engine; must be launched at high speed'),\n", " ('ramjet', 'a simple type of jet engine; must be launched at high speed'),\n", " ('flying drainpipe',\n", " 'a simple type of jet engine; must be launched at high speed')]},\n", " {'answer': 'atm',\n", " 'hint': 'synonyms for atm',\n", " 'clues': [('cash machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('atmosphere',\n", " 'a unit of pressure: the pressure that will support a column of mercury 760 mm high at sea level and 0 degrees centigrade'),\n", " ('cash dispenser',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('standard atmosphere',\n", " 'a unit of pressure: the pressure that will support a column of mercury 760 mm high at sea level and 0 degrees centigrade'),\n", " ('automated teller',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automated teller machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('asynchronous transfer mode',\n", " 'a means of digital communications that is capable of very high speeds; suitable for transmission of images or voice or video as well as data'),\n", " ('standard pressure',\n", " 'a unit of pressure: the pressure that will support a column of mercury 760 mm high at sea level and 0 degrees centigrade')]},\n", " {'answer': 'atmosphere',\n", " 'hint': 'synonyms for atmosphere',\n", " 'clues': [('atm',\n", " 'a unit of pressure: the pressure that will support a column of mercury 760 mm high at sea level and 0 degrees centigrade'),\n", " ('air',\n", " 'a distinctive but intangible quality surrounding a person or thing'),\n", " ('standard pressure',\n", " 'a unit of pressure: the pressure that will support a column of mercury 760 mm high at sea level and 0 degrees centigrade'),\n", " ('standard atmosphere',\n", " 'a unit of pressure: the pressure that will support a column of mercury 760 mm high at sea level and 0 degrees centigrade'),\n", " ('aura',\n", " 'a distinctive but intangible quality surrounding a person or thing')]},\n", " {'answer': 'atom',\n", " 'hint': 'synonyms for atom',\n", " 'clues': [('particle', '(nontechnical usage) a tiny piece of anything'),\n", " ('corpuscle', '(nontechnical usage) a tiny piece of anything'),\n", " ('mote', '(nontechnical usage) a tiny piece of anything'),\n", " ('molecule', '(nontechnical usage) a tiny piece of anything'),\n", " ('speck', '(nontechnical usage) a tiny piece of anything')]},\n", " {'answer': 'atomiser',\n", " 'hint': 'synonyms for atomiser',\n", " 'clues': [('nebuliser',\n", " 'a dispenser that turns a liquid (such as perfume) into a fine mist'),\n", " ('spray',\n", " 'a dispenser that turns a liquid (such as perfume) into a fine mist'),\n", " ('atomizer',\n", " 'a dispenser that turns a liquid (such as perfume) into a fine mist'),\n", " ('sprayer',\n", " 'a dispenser that turns a liquid (such as perfume) into a fine mist')]},\n", " {'answer': 'atomizer',\n", " 'hint': 'synonyms for atomizer',\n", " 'clues': [('atomiser',\n", " 'a dispenser that turns a liquid (such as perfume) into a fine mist'),\n", " ('nebuliser',\n", " 'a dispenser that turns a liquid (such as perfume) into a fine mist'),\n", " ('spray',\n", " 'a dispenser that turns a liquid (such as perfume) into a fine mist'),\n", " ('sprayer',\n", " 'a dispenser that turns a liquid (such as perfume) into a fine mist')]},\n", " {'answer': 'atrociousness',\n", " 'hint': 'synonyms for atrociousness',\n", " 'clues': [('barbarity',\n", " 'the quality of being shockingly cruel and inhumane'),\n", " ('barbarousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('heinousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('atrocity', 'the quality of being shockingly cruel and inhumane')]},\n", " {'answer': 'atrocity',\n", " 'hint': 'synonyms for atrocity',\n", " 'clues': [('barbarousness',\n", " 'the quality of being shockingly cruel and inhumane'),\n", " ('atrociousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('heinousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('inhumanity', 'an act of atrocious cruelty'),\n", " ('barbarity', 'the quality of being shockingly cruel and inhumane')]},\n", " {'answer': 'attachment',\n", " 'hint': 'synonyms for attachment',\n", " 'clues': [('bond', 'a connection that fastens things together'),\n", " ('fastening', 'the act of fastening things together'),\n", " ('adherence',\n", " 'faithful support for a cause or political party or religion'),\n", " ('adhesion',\n", " 'faithful support for a cause or political party or religion'),\n", " ('fond regard', 'a feeling of affection for a person or an institution'),\n", " ('affixation', 'the act of attaching or affixing something')]},\n", " {'answer': 'attack',\n", " 'hint': 'synonyms for attack',\n", " 'clues': [('fire', 'intense adverse criticism'),\n", " ('onset', '(military) an offensive against an enemy (using weapons)'),\n", " ('attempt', 'the act of attacking'),\n", " ('tone-beginning',\n", " 'a decisive manner of beginning a musical tone or phrase'),\n", " ('approach',\n", " 'ideas or actions intended to deal with a problem or situation'),\n", " ('flack', 'intense adverse criticism'),\n", " ('onrush', '(military) an offensive against an enemy (using weapons)'),\n", " ('onslaught', '(military) an offensive against an enemy (using weapons)'),\n", " ('blast', 'intense adverse criticism'),\n", " ('plan of attack',\n", " 'ideas or actions intended to deal with a problem or situation')]},\n", " {'answer': 'attainment',\n", " 'hint': 'synonyms for attainment',\n", " 'clues': [('skill', 'an ability that has been acquired by training'),\n", " ('accomplishment', 'an ability that has been acquired by training'),\n", " ('acquirement', 'an ability that has been acquired by training'),\n", " ('acquisition', 'an ability that has been acquired by training')]},\n", " {'answer': 'attempt',\n", " 'hint': 'synonyms for attempt',\n", " 'clues': [('endeavor',\n", " 'earnest and conscientious activity intended to do or accomplish something'),\n", " ('try',\n", " 'earnest and conscientious activity intended to do or accomplish something'),\n", " ('attack', 'the act of attacking'),\n", " ('effort',\n", " 'earnest and conscientious activity intended to do or accomplish something')]},\n", " {'answer': 'attracter',\n", " 'hint': 'synonyms for attracter',\n", " 'clues': [('attractor',\n", " 'a characteristic that provides pleasure and attracts'),\n", " ('attraction', 'a characteristic that provides pleasure and attracts'),\n", " ('magnet', 'a characteristic that provides pleasure and attracts'),\n", " ('attractive feature',\n", " 'a characteristic that provides pleasure and attracts')]},\n", " {'answer': 'attraction',\n", " 'hint': 'synonyms for attraction',\n", " 'clues': [('attractor',\n", " 'a characteristic that provides pleasure and attracts'),\n", " ('attractive force', 'the force by which one object attracts another'),\n", " ('attractiveness',\n", " 'the quality of arousing interest; being attractive or something that attracts'),\n", " ('magnet', 'a characteristic that provides pleasure and attracts'),\n", " ('attractive feature',\n", " 'a characteristic that provides pleasure and attracts')]},\n", " {'answer': 'attractor',\n", " 'hint': 'synonyms for attractor',\n", " 'clues': [('attracter',\n", " 'a characteristic that provides pleasure and attracts'),\n", " ('attraction', 'a characteristic that provides pleasure and attracts'),\n", " ('magnet', 'a characteristic that provides pleasure and attracts'),\n", " ('attractive feature',\n", " 'a characteristic that provides pleasure and attracts')]},\n", " {'answer': 'attrition',\n", " 'hint': 'synonyms for attrition',\n", " 'clues': [('corrasion', 'erosion by friction'),\n", " ('detrition',\n", " 'the wearing down of rock particles by friction due to water or wind or ice'),\n", " ('abrasion', 'erosion by friction'),\n", " ('contrition', 'sorrow for sin arising from fear of damnation'),\n", " ('contriteness', 'sorrow for sin arising from fear of damnation'),\n", " ('grinding',\n", " 'the wearing down of rock particles by friction due to water or wind or ice')]},\n", " {'answer': 'au_revoir',\n", " 'hint': 'synonyms for au revoir',\n", " 'clues': [('arrivederci', 'a farewell remark'),\n", " ('goodbye', 'a farewell remark'),\n", " ('sayonara', 'a farewell remark'),\n", " ('adieu', 'a farewell remark'),\n", " ('bye', 'a farewell remark'),\n", " ('auf wiedersehen', 'a farewell remark'),\n", " ('bye-bye', 'a farewell remark'),\n", " ('adios', 'a farewell remark'),\n", " ('so long', 'a farewell remark'),\n", " ('cheerio', 'a farewell remark'),\n", " ('good day', 'a farewell remark')]},\n", " {'answer': 'audio',\n", " 'hint': 'synonyms for audio',\n", " 'clues': [('sound', 'the audible part of a transmitted signal'),\n", " ('audio recording', 'a recording of acoustic signals'),\n", " ('sound recording', 'a recording of acoustic signals'),\n", " ('audio frequency', 'an audible acoustic wave frequency')]},\n", " {'answer': 'audition',\n", " 'hint': 'synonyms for audition',\n", " 'clues': [('tryout', 'a test of the suitability of a performer'),\n", " ('auditory sense', 'the ability to hear; the auditory faculty'),\n", " ('hearing', 'the ability to hear; the auditory faculty'),\n", " ('auditory modality', 'the ability to hear; the auditory faculty'),\n", " ('sense of hearing', 'the ability to hear; the auditory faculty')]},\n", " {'answer': 'auditory_modality',\n", " 'hint': 'synonyms for auditory modality',\n", " 'clues': [('sense of hearing',\n", " 'the ability to hear; the auditory faculty'),\n", " ('auditory sense', 'the ability to hear; the auditory faculty'),\n", " ('hearing', 'the ability to hear; the auditory faculty'),\n", " ('audition', 'the ability to hear; the auditory faculty')]},\n", " {'answer': 'auditory_sense',\n", " 'hint': 'synonyms for auditory sense',\n", " 'clues': [('sense of hearing',\n", " 'the ability to hear; the auditory faculty'),\n", " ('hearing', 'the ability to hear; the auditory faculty'),\n", " ('auditory modality', 'the ability to hear; the auditory faculty'),\n", " ('audition', 'the ability to hear; the auditory faculty')]},\n", " {'answer': 'auf_wiedersehen',\n", " 'hint': 'synonyms for auf wiedersehen',\n", " 'clues': [('arrivederci', 'a farewell remark'),\n", " ('goodbye', 'a farewell remark'),\n", " ('sayonara', 'a farewell remark'),\n", " ('adieu', 'a farewell remark'),\n", " ('au revoir', 'a farewell remark'),\n", " ('bye', 'a farewell remark'),\n", " ('bye-bye', 'a farewell remark'),\n", " ('adios', 'a farewell remark'),\n", " ('so long', 'a farewell remark'),\n", " ('cheerio', 'a farewell remark'),\n", " ('good day', 'a farewell remark')]},\n", " {'answer': 'auger',\n", " 'hint': 'synonyms for auger',\n", " 'clues': [(\"plumber's snake\",\n", " 'a long flexible steel coil for dislodging stoppages in curved pipes'),\n", " ('gimlet', 'hand tool for boring holes'),\n", " ('screw auger', 'hand tool for boring holes'),\n", " ('wimble', 'hand tool for boring holes')]},\n", " {'answer': 'aught',\n", " 'hint': 'synonyms for aught',\n", " 'clues': [('zip', 'a quantity of no importance'),\n", " ('naught', 'a quantity of no importance'),\n", " ('nix', 'a quantity of no importance'),\n", " ('zilch', 'a quantity of no importance'),\n", " ('cypher', 'a quantity of no importance'),\n", " ('nil', 'a quantity of no importance'),\n", " ('null', 'a quantity of no importance'),\n", " ('nothing', 'a quantity of no importance'),\n", " ('zero', 'a quantity of no importance'),\n", " ('nada', 'a quantity of no importance'),\n", " ('cipher', 'a quantity of no importance'),\n", " ('zippo', 'a quantity of no importance'),\n", " ('goose egg', 'a quantity of no importance')]},\n", " {'answer': 'aura',\n", " 'hint': 'synonyms for aura',\n", " 'clues': [('glory',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('nimbus',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('aureole',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('gloriole',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('halo',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('air',\n", " 'a distinctive but intangible quality surrounding a person or thing'),\n", " ('atmosphere',\n", " 'a distinctive but intangible quality surrounding a person or thing')]},\n", " {'answer': 'aureole',\n", " 'hint': 'synonyms for aureole',\n", " 'clues': [('glory',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('gloriole',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('nimbus',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('corona',\n", " \"the outermost region of the sun's atmosphere; visible as a white halo during a solar eclipse\"),\n", " ('halo',\n", " 'an indication of radiant light drawn around the head of a saint'),\n", " ('aura',\n", " 'an indication of radiant light drawn around the head of a saint')]},\n", " {'answer': 'aurora',\n", " 'hint': 'synonyms for aurora',\n", " 'clues': [('break of day', 'the first light of day'),\n", " ('first light', 'the first light of day'),\n", " ('sunup', 'the first light of day'),\n", " ('dawn', 'the first light of day'),\n", " ('daybreak', 'the first light of day'),\n", " ('dayspring', 'the first light of day'),\n", " ('sunrise', 'the first light of day'),\n", " ('morning', 'the first light of day'),\n", " ('cockcrow', 'the first light of day')]},\n", " {'answer': 'authorisation',\n", " 'hint': 'synonyms for authorisation',\n", " 'clues': [('sanction', 'official permission or approval'),\n", " ('say-so', 'the power or right to give orders or make decisions'),\n", " ('dominance', 'the power or right to give orders or make decisions'),\n", " ('authorization', 'official permission or approval'),\n", " ('potency', 'the power or right to give orders or make decisions'),\n", " ('authority', 'official permission or approval'),\n", " ('mandate', 'a document giving an official instruction or command'),\n", " ('empowerment',\n", " 'the act of conferring legality or sanction or formal warrant')]},\n", " {'answer': 'authoritarianism',\n", " 'hint': 'synonyms for authoritarianism',\n", " 'clues': [('dictatorship',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('one-man rule',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('despotism',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('totalitarianism',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('absolutism',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('monocracy',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('shogunate',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)'),\n", " ('tyranny',\n", " 'a form of government in which the ruler is an absolute dictator (not restricted by a constitution or laws or opposition etc.)')]},\n", " {'answer': 'authorities',\n", " 'hint': 'synonyms for authorities',\n", " 'clues': [('sanction', 'official permission or approval'),\n", " ('government',\n", " 'the organization that is the governing authority of a political unit'),\n", " ('potency', 'the power or right to give orders or make decisions'),\n", " ('agency', 'an administrative unit of government'),\n", " ('authority', 'an authoritative written work'),\n", " ('bureau', 'an administrative unit of government'),\n", " ('authorisation', 'official permission or approval'),\n", " ('confidence',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('regime',\n", " 'the organization that is the governing authority of a political unit'),\n", " ('office', 'an administrative unit of government'),\n", " ('say-so', 'the power or right to give orders or make decisions'),\n", " ('assurance',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('dominance', 'the power or right to give orders or make decisions'),\n", " ('federal agency', 'an administrative unit of government'),\n", " ('government agency', 'an administrative unit of government'),\n", " ('self-assurance',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('sureness', 'freedom from doubt; belief in yourself and your abilities'),\n", " ('self-confidence',\n", " 'freedom from doubt; belief in yourself and your abilities')]},\n", " {'answer': 'authority',\n", " 'hint': 'synonyms for authority',\n", " 'clues': [('sanction', 'official permission or approval'),\n", " ('office', 'an administrative unit of government'),\n", " ('say-so', 'the power or right to give orders or make decisions'),\n", " ('assurance',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('dominance', 'the power or right to give orders or make decisions'),\n", " ('authorisation', 'the power or right to give orders or make decisions'),\n", " ('federal agency', 'an administrative unit of government'),\n", " ('government agency', 'an administrative unit of government'),\n", " ('potency', 'the power or right to give orders or make decisions'),\n", " ('self-assurance',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('agency', 'an administrative unit of government'),\n", " ('sureness', 'freedom from doubt; belief in yourself and your abilities'),\n", " ('self-confidence',\n", " 'freedom from doubt; belief in yourself and your abilities'),\n", " ('bureau', 'an administrative unit of government'),\n", " ('confidence',\n", " 'freedom from doubt; belief in yourself and your abilities')]},\n", " {'answer': 'authorization',\n", " 'hint': 'synonyms for authorization',\n", " 'clues': [('authorisation', 'official permission or approval'),\n", " ('sanction', 'official permission or approval'),\n", " ('say-so', 'the power or right to give orders or make decisions'),\n", " ('dominance', 'the power or right to give orders or make decisions'),\n", " ('potency', 'the power or right to give orders or make decisions'),\n", " ('authority', 'official permission or approval'),\n", " ('mandate', 'a document giving an official instruction or command'),\n", " ('empowerment',\n", " 'the act of conferring legality or sanction or formal warrant')]},\n", " {'answer': 'authorship',\n", " 'hint': 'synonyms for authorship',\n", " 'clues': [('penning', 'the act of creating written works'),\n", " ('writing', 'the act of creating written works'),\n", " ('paternity', 'the act of initiating a new idea or theory or writing'),\n", " ('composition', 'the act of creating written works')]},\n", " {'answer': 'auto',\n", " 'hint': 'synonyms for auto',\n", " 'clues': [('motorcar',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine'),\n", " ('machine',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine'),\n", " ('car',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine'),\n", " ('automobile',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine')]},\n", " {'answer': 'auto_maker',\n", " 'hint': 'synonyms for auto maker',\n", " 'clues': [('car manufacturer',\n", " 'a business engaged in the manufacture of automobiles'),\n", " ('auto manufacturer',\n", " 'a business engaged in the manufacture of automobiles'),\n", " ('car maker', 'a business engaged in the manufacture of automobiles'),\n", " ('automaker', 'a business engaged in the manufacture of automobiles')]},\n", " {'answer': 'autobus',\n", " 'hint': 'synonyms for autobus',\n", " 'clues': [('bus',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('charabanc',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('passenger vehicle',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('double-decker',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('omnibus',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('motorbus',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('jitney',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('motorcoach',\n", " 'a vehicle carrying many passengers; used for public transport'),\n", " ('coach',\n", " 'a vehicle carrying many passengers; used for public transport')]},\n", " {'answer': 'automaker',\n", " 'hint': 'synonyms for automaker',\n", " 'clues': [('car manufacturer',\n", " 'a business engaged in the manufacture of automobiles'),\n", " ('auto maker', 'a business engaged in the manufacture of automobiles'),\n", " ('auto manufacturer',\n", " 'a business engaged in the manufacture of automobiles'),\n", " ('car maker', 'a business engaged in the manufacture of automobiles')]},\n", " {'answer': 'automated_teller',\n", " 'hint': 'synonyms for automated teller',\n", " 'clues': [('cash machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automated teller machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('cash dispenser',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automatic teller',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used')]},\n", " {'answer': 'automated_teller_machine',\n", " 'hint': 'synonyms for automated teller machine',\n", " 'clues': [('cash machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automatic teller machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('cash dispenser',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automatic teller',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used')]},\n", " {'answer': 'automatic_teller',\n", " 'hint': 'synonyms for automatic teller',\n", " 'clues': [('cash machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automated teller machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('cash dispenser',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automated teller',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used')]},\n", " {'answer': 'automatic_teller_machine',\n", " 'hint': 'synonyms for automatic teller machine',\n", " 'clues': [('cash machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automated teller machine',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('cash dispenser',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used'),\n", " ('automatic teller',\n", " 'an unattended machine (outside some banks) that dispenses money when a personal coded card is used')]},\n", " {'answer': 'automobile',\n", " 'hint': 'synonyms for automobile',\n", " 'clues': [('motorcar',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine'),\n", " ('auto',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine'),\n", " ('car',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine'),\n", " ('machine',\n", " 'a motor vehicle with four wheels; usually propelled by an internal combustion engine')]},\n", " {'answer': 'automobile_horn',\n", " 'hint': 'synonyms for automobile horn',\n", " 'clues': [('car horn',\n", " 'a device on an automobile for making a warning noise'),\n", " ('horn', 'a device on an automobile for making a warning noise'),\n", " ('hooter', 'a device on an automobile for making a warning noise'),\n", " ('motor horn', 'a device on an automobile for making a warning noise')]},\n", " {'answer': 'avarice',\n", " 'hint': 'synonyms for avarice',\n", " 'clues': [('greed',\n", " 'reprehensible acquisitiveness; insatiable desire for wealth (personified as one of the deadly sins)'),\n", " ('rapacity',\n", " 'reprehensible acquisitiveness; insatiable desire for wealth (personified as one of the deadly sins)'),\n", " ('covetousness',\n", " 'reprehensible acquisitiveness; insatiable desire for wealth (personified as one of the deadly sins)'),\n", " ('cupidity', 'extreme greed for material wealth'),\n", " ('avaritia',\n", " 'reprehensible acquisitiveness; insatiable desire for wealth (personified as one of the deadly sins)'),\n", " ('avariciousness', 'extreme greed for material wealth')]},\n", " {'answer': 'avaritia',\n", " 'hint': 'synonyms for avaritia',\n", " 'clues': [('greed',\n", " 'reprehensible acquisitiveness; insatiable desire for wealth (personified as one of the deadly sins)'),\n", " ('rapacity',\n", " 'reprehensible acquisitiveness; insatiable desire for wealth (personified as one of the deadly sins)'),\n", " ('avarice',\n", " 'reprehensible acquisitiveness; insatiable desire for wealth (personified as one of the deadly sins)'),\n", " ('covetousness',\n", " 'reprehensible acquisitiveness; insatiable desire for wealth (personified as one of the deadly sins)')]},\n", " {'answer': 'aviation',\n", " 'hint': 'synonyms for aviation',\n", " 'clues': [('air travel', 'travel via aircraft'),\n", " ('air', 'travel via aircraft'),\n", " ('airmanship', 'the art of operating aircraft'),\n", " ('air power', \"the aggregation of a country's military aircraft\")]},\n", " {'answer': 'avocation',\n", " 'hint': 'synonyms for avocation',\n", " 'clues': [('pursuit', 'an auxiliary activity'),\n", " ('sideline', 'an auxiliary activity'),\n", " ('spare-time activity', 'an auxiliary activity'),\n", " ('by-line', 'an auxiliary activity'),\n", " ('hobby', 'an auxiliary activity')]},\n", " {'answer': 'avoirdupois',\n", " 'hint': 'synonyms for avoirdupois',\n", " 'clues': [('fatness', 'excess bodily weight'),\n", " ('avoirdupois weight',\n", " 'a system of weights based on the 16-ounce pound (or 7,000 grains)'),\n", " ('blubber', 'excess bodily weight'),\n", " ('fat', 'excess bodily weight')]},\n", " {'answer': 'award',\n", " 'hint': 'synonyms for award',\n", " 'clues': [('laurels',\n", " 'a tangible symbol signifying approval or distinction'),\n", " ('honor', 'a tangible symbol signifying approval or distinction'),\n", " ('accolade', 'a tangible symbol signifying approval or distinction'),\n", " ('awarding', 'a grant made by a law court'),\n", " ('prize',\n", " 'something given for victory or superiority in a contest or competition or for winning a lottery')]},\n", " {'answer': 'awareness',\n", " 'hint': 'synonyms for awareness',\n", " 'clues': [('knowingness', 'having knowledge of'),\n", " ('consciousness', 'having knowledge of'),\n", " ('sentience', 'state of elementary or undifferentiated consciousness'),\n", " ('cognisance', 'having knowledge of')]},\n", " {'answer': 'awkwardness',\n", " 'hint': 'synonyms for awkwardness',\n", " 'clues': [('maladroitness',\n", " 'unskillfulness resulting from a lack of training'),\n", " ('ineptness', 'unskillfulness resulting from a lack of training'),\n", " ('ineptitude', 'unskillfulness resulting from a lack of training'),\n", " ('clumsiness',\n", " 'the inelegance of someone stiff and unrelaxed (as by embarrassment)'),\n", " ('unwieldiness',\n", " 'trouble in carrying or managing caused by bulk or shape'),\n", " ('cumbersomeness',\n", " 'trouble in carrying or managing caused by bulk or shape'),\n", " ('slowness', 'unskillfulness resulting from a lack of training'),\n", " ('stiffness',\n", " 'the inelegance of someone stiff and unrelaxed (as by embarrassment)'),\n", " ('nuisance value', 'the quality of an embarrassing situation'),\n", " ('gracelessness',\n", " 'the inelegance of someone stiff and unrelaxed (as by embarrassment)')]},\n", " {'answer': 'b',\n", " 'hint': 'synonyms for b',\n", " 'clues': [('vitamin B',\n", " 'originally thought to be a single vitamin but now separated into several B vitamins'),\n", " ('atomic number 5',\n", " 'a trivalent metalloid element; occurs both in a hard black crystal and in the form of a yellow or brown powder'),\n", " ('barn',\n", " '(physics) a unit of nuclear cross section; the effective circular area that one particle presents to another as a target for an encounter'),\n", " ('vitamin B complex',\n", " 'originally thought to be a single vitamin but now separated into several B vitamins'),\n", " ('boron',\n", " 'a trivalent metalloid element; occurs both in a hard black crystal and in the form of a yellow or brown powder')]},\n", " {'answer': 'baby_buggy',\n", " 'hint': 'synonyms for baby buggy',\n", " 'clues': [('pram',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('carriage',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('go-cart',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('stroller',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('pushchair',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('pusher',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('baby carriage',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('perambulator',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around')]},\n", " {'answer': 'baby_carriage',\n", " 'hint': 'synonyms for baby carriage',\n", " 'clues': [('pram',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('carriage',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('go-cart',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('stroller',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('pushchair',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('baby buggy',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('pusher',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around'),\n", " ('perambulator',\n", " 'a small vehicle with four wheels in which a baby or child is pushed around')]},\n", " {'answer': 'bacchanalia',\n", " 'hint': 'synonyms for bacchanalia',\n", " 'clues': [('debauch',\n", " 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('saturnalia',\n", " 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('drunken revelry',\n", " 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('orgy', 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('riot', 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('bacchanal',\n", " 'a wild gathering involving excessive drinking and promiscuity'),\n", " ('debauchery',\n", " 'a wild gathering involving excessive drinking and promiscuity')]},\n", " {'answer': 'back_breaker',\n", " 'hint': 'synonyms for back breaker',\n", " 'clues': [('loony toons', 'street name for lysergic acid diethylamide'),\n", " ('pane', 'street name for lysergic acid diethylamide'),\n", " ('battery-acid', 'street name for lysergic acid diethylamide'),\n", " ('dose', 'street name for lysergic acid diethylamide'),\n", " ('dot', 'street name for lysergic acid diethylamide'),\n", " ('window pane', 'street name for lysergic acid diethylamide'),\n", " ('acid', 'street name for lysergic acid diethylamide'),\n", " ('superman', 'street name for lysergic acid diethylamide')]},\n", " {'answer': 'back_pack',\n", " 'hint': 'synonyms for back pack',\n", " 'clues': [('backpack',\n", " 'a bag carried by a strap on your back or shoulder'),\n", " ('packsack', 'a bag carried by a strap on your back or shoulder'),\n", " ('rucksack', 'a bag carried by a strap on your back or shoulder'),\n", " ('haversack', 'a bag carried by a strap on your back or shoulder'),\n", " ('knapsack', 'a bag carried by a strap on your back or shoulder')]},\n", " {'answer': 'back_talk',\n", " 'hint': 'synonyms for back talk',\n", " 'clues': [('lip', 'an impudent or insolent rejoinder'),\n", " ('sass', 'an impudent or insolent rejoinder'),\n", " ('backtalk', 'an impudent or insolent rejoinder'),\n", " ('mouth', 'an impudent or insolent rejoinder')]},\n", " {'answer': 'backbone',\n", " 'hint': 'synonyms for backbone',\n", " 'clues': [('gumption', 'fortitude and determination'),\n", " ('anchor', 'a central cohesive source of support and stability'),\n", " ('keystone', 'a central cohesive source of support and stability'),\n", " ('mainstay', 'a central cohesive source of support and stability'),\n", " ('linchpin', 'a central cohesive source of support and stability'),\n", " ('grit', 'fortitude and determination'),\n", " ('sand', 'fortitude and determination'),\n", " ('spine',\n", " \"the part of a book's cover that encloses the inner side of the book's pages and that faces outward when the book is shelved\"),\n", " ('moxie', 'fortitude and determination'),\n", " ('guts', 'fortitude and determination')]},\n", " {'answer': 'background',\n", " 'hint': 'synonyms for background',\n", " 'clues': [('background signal',\n", " 'extraneous signals that can be confused with the phenomenon to be observed or measured'),\n", " ('desktop',\n", " '(computer science) the area of the screen in graphical user interfaces against which icons and windows appear'),\n", " ('screen background',\n", " '(computer science) the area of the screen in graphical user interfaces against which icons and windows appear'),\n", " ('backcloth', 'scenery hung at back of stage'),\n", " ('ground',\n", " 'the part of a scene (or picture) that lies behind objects in the foreground'),\n", " ('backdrop', 'scenery hung at back of stage'),\n", " ('background knowledge',\n", " 'information that is essential to understanding a situation or problem')]},\n", " {'answer': 'backing',\n", " 'hint': 'synonyms for backing',\n", " 'clues': [('support',\n", " 'financial resources provided to make some project possible'),\n", " ('patronage', 'the act of providing approval and support'),\n", " ('mount', 'something forming a back that is added for strengthening'),\n", " ('financial backing',\n", " 'financial resources provided to make some project possible'),\n", " ('championship', 'the act of providing approval and support'),\n", " ('financial support',\n", " 'financial resources provided to make some project possible'),\n", " ('funding', 'financial resources provided to make some project possible'),\n", " ('backup', 'the act of providing approval and support')]},\n", " {'answer': 'backpack',\n", " 'hint': 'synonyms for backpack',\n", " 'clues': [('packsack',\n", " 'a bag carried by a strap on your back or shoulder'),\n", " ('back pack', 'a bag carried by a strap on your back or shoulder'),\n", " ('rucksack', 'a bag carried by a strap on your back or shoulder'),\n", " ('haversack', 'a bag carried by a strap on your back or shoulder'),\n", " ('knapsack', 'a bag carried by a strap on your back or shoulder')]},\n", " {'answer': 'backsheesh',\n", " 'hint': 'synonyms for backsheesh',\n", " 'clues': [('tip',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('baksheesh',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('bakshis',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('pourboire',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('gratuity',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)')]},\n", " {'answer': 'backsliding',\n", " 'hint': 'synonyms for backsliding',\n", " 'clues': [('lapse', 'a failure to maintain a higher state'),\n", " ('relapse', 'a failure to maintain a higher state'),\n", " ('lapsing', 'a failure to maintain a higher state'),\n", " ('reversion', 'a failure to maintain a higher state'),\n", " ('reverting', 'a failure to maintain a higher state')]},\n", " {'answer': 'backtalk',\n", " 'hint': 'synonyms for backtalk',\n", " 'clues': [('lip', 'an impudent or insolent rejoinder'),\n", " ('sass', 'an impudent or insolent rejoinder'),\n", " ('back talk', 'an impudent or insolent rejoinder'),\n", " ('mouth', 'an impudent or insolent rejoinder')]},\n", " {'answer': 'backup',\n", " 'hint': 'synonyms for backup',\n", " 'clues': [('championship', 'the act of providing approval and support'),\n", " ('patronage', 'the act of providing approval and support'),\n", " ('computer backup',\n", " '(computer science) a copy of a file or directory on a separate storage device'),\n", " ('support',\n", " 'a musical part (vocal or instrumental) that supports or provides background for other musical parts'),\n", " ('musical accompaniment',\n", " 'a musical part (vocal or instrumental) that supports or provides background for other musical parts'),\n", " ('backing', 'the act of providing approval and support'),\n", " ('accompaniment',\n", " 'a musical part (vocal or instrumental) that supports or provides background for other musical parts')]},\n", " {'answer': 'backwardness',\n", " 'hint': 'synonyms for backwardness',\n", " 'clues': [('retardation',\n", " 'lack of normal development of intellectual capacities'),\n", " ('slowness', 'lack of normal development of intellectual capacities'),\n", " ('subnormality', 'lack of normal development of intellectual capacities'),\n", " ('mental retardation',\n", " 'lack of normal development of intellectual capacities')]},\n", " {'answer': 'backwash',\n", " 'hint': 'synonyms for backwash',\n", " 'clues': [('wake',\n", " 'the wave that spreads behind a boat as it moves forward'),\n", " ('aftermath',\n", " 'the consequences of an event (especially a catastrophic event)'),\n", " ('airstream',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('slipstream',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('wash',\n", " 'the flow of air that is driven backwards by an aircraft propeller'),\n", " ('race',\n", " 'the flow of air that is driven backwards by an aircraft propeller')]},\n", " {'answer': 'badness',\n", " 'hint': 'synonyms for badness',\n", " 'clues': [('severity',\n", " 'used of the degree of something undesirable e.g. pain or weather'),\n", " ('mischievousness', 'an attribute of mischievous children'),\n", " ('naughtiness', 'an attribute of mischievous children'),\n", " ('severeness',\n", " 'used of the degree of something undesirable e.g. pain or weather'),\n", " ('bad',\n", " 'that which is below standard or expectations as of ethics or decency')]},\n", " {'answer': 'bafflement',\n", " 'hint': 'synonyms for bafflement',\n", " 'clues': [('obfuscation',\n", " 'confusion resulting from failure to understand'),\n", " ('bemusement', 'confusion resulting from failure to understand'),\n", " ('bewilderment', 'confusion resulting from failure to understand'),\n", " ('mystification', 'confusion resulting from failure to understand'),\n", " ('puzzlement', 'confusion resulting from failure to understand'),\n", " ('befuddlement', 'confusion resulting from failure to understand')]},\n", " {'answer': 'bag',\n", " 'hint': 'synonyms for bag',\n", " 'clues': [('traveling bag',\n", " 'a portable rectangular container for carrying clothes'),\n", " ('pocketbook',\n", " 'a container used for carrying money and small personal items or accessories (especially by women)'),\n", " ('dish', 'an activity that you like or at which you are superior'),\n", " ('purse',\n", " 'a container used for carrying money and small personal items or accessories (especially by women)'),\n", " ('base', 'a place that the runner must touch before scoring'),\n", " ('cup of tea', 'an activity that you like or at which you are superior'),\n", " ('handbag',\n", " 'a container used for carrying money and small personal items or accessories (especially by women)'),\n", " ('bagful', 'the quantity that a bag will hold'),\n", " ('suitcase', 'a portable rectangular container for carrying clothes'),\n", " ('grip', 'a portable rectangular container for carrying clothes')]},\n", " {'answer': 'bagatelle',\n", " 'hint': 'synonyms for bagatelle',\n", " 'clues': [('frippery', 'something of little value or significance'),\n", " ('fluff', 'something of little value or significance'),\n", " ('frivolity', 'something of little value or significance'),\n", " ('bar billiards',\n", " 'a table game in which short cues are used to knock balls into holes that are guarded by wooden pegs; penalties are incurred if the pegs are knocked over')]},\n", " {'answer': 'bagnio',\n", " 'hint': 'synonyms for bagnio',\n", " 'clues': [('bathhouse', 'a building containing public baths'),\n", " ('house of prostitution', 'a building where prostitutes are available'),\n", " ('sporting house', 'a building where prostitutes are available'),\n", " ('whorehouse', 'a building where prostitutes are available'),\n", " ('bawdyhouse', 'a building where prostitutes are available'),\n", " ('house of ill repute', 'a building where prostitutes are available'),\n", " ('cathouse', 'a building where prostitutes are available'),\n", " ('bordello', 'a building where prostitutes are available'),\n", " ('brothel', 'a building where prostitutes are available')]},\n", " {'answer': 'bailiwick',\n", " 'hint': 'synonyms for bailiwick',\n", " 'clues': [('field of study', 'a branch of knowledge'),\n", " ('subject area', 'a branch of knowledge'),\n", " ('field', 'a branch of knowledge'),\n", " ('study', 'a branch of knowledge'),\n", " ('subject', 'a branch of knowledge'),\n", " ('subject field', 'a branch of knowledge'),\n", " ('discipline', 'a branch of knowledge')]},\n", " {'answer': 'bait',\n", " 'hint': 'synonyms for bait',\n", " 'clues': [('hook', 'anything that serves as an enticement'),\n", " ('decoy',\n", " 'something used to lure fish or other animals into danger so they can be trapped or killed'),\n", " ('sweetener', 'anything that serves as an enticement'),\n", " ('lure',\n", " 'something used to lure fish or other animals into danger so they can be trapped or killed'),\n", " ('come-on', 'anything that serves as an enticement')]},\n", " {'answer': 'baking_soda',\n", " 'hint': 'synonyms for baking soda',\n", " 'clues': [('bicarbonate of soda',\n", " 'a white soluble compound (NaHCO3) used in effervescent drinks and in baking powders and as an antacid'),\n", " ('sodium bicarbonate',\n", " 'a white soluble compound (NaHCO3) used in effervescent drinks and in baking powders and as an antacid'),\n", " ('sodium hydrogen carbonate',\n", " 'a white soluble compound (NaHCO3) used in effervescent drinks and in baking powders and as an antacid'),\n", " ('saleratus',\n", " 'a white soluble compound (NaHCO3) used in effervescent drinks and in baking powders and as an antacid')]},\n", " {'answer': 'baksheesh',\n", " 'hint': 'synonyms for baksheesh',\n", " 'clues': [('tip',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('pourboire',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('backsheesh',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('bakshis',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('gratuity',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)')]},\n", " {'answer': 'bakshis',\n", " 'hint': 'synonyms for bakshis',\n", " 'clues': [('tip',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('baksheesh',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('pourboire',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('gratuity',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('bakshish',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)')]},\n", " {'answer': 'bakshish',\n", " 'hint': 'synonyms for bakshish',\n", " 'clues': [('tip',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('baksheesh',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('bakshis',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('pourboire',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)'),\n", " ('gratuity',\n", " 'a relatively small amount of money given for services rendered (as by a waiter)')]},\n", " {'answer': 'balance',\n", " 'hint': 'synonyms for balance',\n", " 'clues': [('residuum',\n", " 'something left after other parts have been taken away'),\n", " ('counterpoise', 'a weight that balances another weight'),\n", " ('symmetricalness',\n", " '(mathematics) an attribute of a shape or relation; exact reflection of form on opposite sides of a dividing line or plane'),\n", " ('equilibrium', 'equality of distribution'),\n", " ('rest', 'something left after other parts have been taken away'),\n", " ('symmetry',\n", " '(mathematics) an attribute of a shape or relation; exact reflection of form on opposite sides of a dividing line or plane'),\n", " ('proportion',\n", " 'harmonious arrangement or relation of parts or elements within a whole (as in a design); - John Ruskin'),\n", " ('proportionality',\n", " 'harmonious arrangement or relation of parts or elements within a whole (as in a design); - John Ruskin'),\n", " ('equaliser', 'a weight that balances another weight'),\n", " ('remainder', 'something left after other parts have been taken away'),\n", " ('counterweight', 'a weight that balances another weight'),\n", " ('residue', 'something left after other parts have been taken away'),\n", " ('equipoise', 'equality of distribution'),\n", " ('residual', 'something left after other parts have been taken away'),\n", " ('balance wheel',\n", " 'a wheel that regulates the rate of movement in a machine; especially a wheel oscillating against the hairspring of a timepiece to regulate its beat'),\n", " ('counterbalance', 'a weight that balances another weight'),\n", " ('correspondence',\n", " '(mathematics) an attribute of a shape or relation; exact reflection of form on opposite sides of a dividing line or plane')]},\n", " {'answer': 'balk',\n", " 'hint': 'synonyms for balk',\n", " 'clues': [('impediment',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('baulk', 'the area on a billiard table behind the balkline'),\n", " ('check',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('hindrance',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('rafter', 'one of several parallel sloping beams that support a roof'),\n", " ('handicap',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('deterrent',\n", " 'something immaterial that interferes with or delays action or progress')]},\n", " {'answer': 'ball',\n", " 'hint': 'synonyms for ball',\n", " 'clues': [('clump', 'a compact mass'),\n", " ('musket ball', 'a solid projectile that is shot by a musket'),\n", " ('clod', 'a compact mass'),\n", " ('formal', 'a lavish dance requiring formal attire'),\n", " ('chunk', 'a compact mass'),\n", " ('glob', 'a compact mass'),\n", " ('orb', 'an object with a spherical shape')]},\n", " {'answer': 'ballista',\n", " 'hint': 'synonyms for ballista',\n", " 'clues': [('mangonel',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('trebucket',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('arbalist',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('onager',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('bricole',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles'),\n", " ('catapult',\n", " 'an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles')]},\n", " {'answer': 'balm',\n", " 'hint': 'synonyms for balm',\n", " 'clues': [('salve',\n", " 'semisolid preparation (usually containing a medicine) applied externally as a remedy or for soothing an irritation'),\n", " ('unguent',\n", " 'semisolid preparation (usually containing a medicine) applied externally as a remedy or for soothing an irritation'),\n", " ('unction',\n", " 'semisolid preparation (usually containing a medicine) applied externally as a remedy or for soothing an irritation'),\n", " ('ointment',\n", " 'semisolid preparation (usually containing a medicine) applied externally as a remedy or for soothing an irritation')]},\n", " {'answer': 'baloney',\n", " 'hint': 'synonyms for baloney',\n", " 'clues': [('tarradiddle', 'pretentious or silly talk or writing'),\n", " ('twaddle', 'pretentious or silly talk or writing'),\n", " ('tosh', 'pretentious or silly talk or writing'),\n", " ('bilgewater', 'pretentious or silly talk or writing'),\n", " ('bosh', 'pretentious or silly talk or writing'),\n", " ('boloney', 'pretentious or silly talk or writing'),\n", " ('tommyrot', 'pretentious or silly talk or writing'),\n", " ('humbug', 'pretentious or silly talk or writing'),\n", " ('drool', 'pretentious or silly talk or writing')]},\n", " {'answer': 'balusters',\n", " 'hint': 'synonyms for balusters',\n", " 'clues': [('bannister',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('balustrade',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('baluster', 'one of a number of closely spaced supports for a railing'),\n", " ('handrail',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling')]},\n", " {'answer': 'bam',\n", " 'hint': 'synonyms for bam',\n", " 'clues': [('eruption', 'a sudden very loud noise'),\n", " ('bang', 'a sudden very loud noise'),\n", " ('clap', 'a sudden very loud noise'),\n", " ('blast', 'a sudden very loud noise')]},\n", " {'answer': 'ban',\n", " 'hint': 'synonyms for ban',\n", " 'clues': [('forbidding',\n", " 'an official prohibition or edict against something'),\n", " ('forbiddance', 'an official prohibition or edict against something'),\n", " ('banning', 'an official prohibition or edict against something'),\n", " ('prohibition', 'a decree that prohibits something'),\n", " ('proscription', 'a decree that prohibits something')]},\n", " {'answer': 'banality',\n", " 'hint': 'synonyms for banality',\n", " 'clues': [('bromide', 'a trite or obvious remark'),\n", " ('commonplace', 'a trite or obvious remark'),\n", " ('cliche', 'a trite or obvious remark'),\n", " ('platitude', 'a trite or obvious remark')]},\n", " {'answer': 'band',\n", " 'hint': 'synonyms for band',\n", " 'clues': [('banding',\n", " 'an adornment consisting of a strip of a contrasting color or material'),\n", " ('dance band', 'a group of musicians playing popular music for dancing'),\n", " ('ring',\n", " 'jewelry consisting of a circlet of precious metal (often set with jewels) worn on the finger'),\n", " ('set', 'an unofficial association of people or groups'),\n", " ('lot', 'an unofficial association of people or groups'),\n", " ('dance orchestra',\n", " 'a group of musicians playing popular music for dancing'),\n", " ('stria', 'a stripe or stripes of contrasting color'),\n", " ('stripe',\n", " 'an adornment consisting of a strip of a contrasting color or material'),\n", " ('circle', 'an unofficial association of people or groups'),\n", " ('striation', 'a stripe or stripes of contrasting color')]},\n", " {'answer': 'bandelet',\n", " 'hint': 'synonyms for bandelet',\n", " 'clues': [('bandlet', 'molding in the form of a ring; at top of a column'),\n", " ('annulet', 'molding in the form of a ring; at top of a column'),\n", " ('square and rabbet',\n", " 'molding in the form of a ring; at top of a column'),\n", " ('bandelette', 'molding in the form of a ring; at top of a column')]},\n", " {'answer': 'banding',\n", " 'hint': 'synonyms for banding',\n", " 'clues': [('stria', 'a stripe or stripes of contrasting color'),\n", " ('band',\n", " 'an adornment consisting of a strip of a contrasting color or material'),\n", " ('stripe',\n", " 'an adornment consisting of a strip of a contrasting color or material'),\n", " ('striation', 'a stripe or stripes of contrasting color')]},\n", " {'answer': 'bangle',\n", " 'hint': 'synonyms for bangle',\n", " 'clues': [('novelty', 'cheap showy jewelry or ornament on clothing'),\n", " ('bauble', 'cheap showy jewelry or ornament on clothing'),\n", " ('gewgaw', 'cheap showy jewelry or ornament on clothing'),\n", " ('gaud', 'cheap showy jewelry or ornament on clothing'),\n", " ('trinket', 'cheap showy jewelry or ornament on clothing'),\n", " ('fallal', 'cheap showy jewelry or ornament on clothing'),\n", " ('bracelet', 'jewelry worn around the wrist for decoration')]},\n", " {'answer': 'banister',\n", " 'hint': 'synonyms for banister',\n", " 'clues': [('balusters',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('balustrade',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('bannister',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('handrail',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling')]},\n", " {'answer': 'bank',\n", " 'hint': 'synonyms for bank',\n", " 'clues': [('cant',\n", " 'a slope in the turn of a road or track; the outside is higher than the inside in order to reduce the effects of centrifugal force'),\n", " ('banking concern',\n", " 'a financial institution that accepts deposits and channels the money into lending activities'),\n", " ('money box',\n", " 'a container (usually with a slot in the top) for keeping money at home'),\n", " ('coin bank',\n", " 'a container (usually with a slot in the top) for keeping money at home'),\n", " ('bank building',\n", " 'a building in which the business of banking transacted'),\n", " ('banking company',\n", " 'a financial institution that accepts deposits and channels the money into lending activities'),\n", " ('savings bank',\n", " 'a container (usually with a slot in the top) for keeping money at home'),\n", " ('camber',\n", " 'a slope in the turn of a road or track; the outside is higher than the inside in order to reduce the effects of centrifugal force'),\n", " ('depository financial institution',\n", " 'a financial institution that accepts deposits and channels the money into lending activities')]},\n", " {'answer': 'bank_bill',\n", " 'hint': 'synonyms for bank bill',\n", " 'clues': [('greenback',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('government note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bank note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " (\"banker's bill\",\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bill',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('note',\n", " 'a piece of paper money (especially one issued by a central bank)')]},\n", " {'answer': 'bank_line',\n", " 'hint': 'synonyms for bank line',\n", " 'clues': [('line of credit',\n", " 'the maximum credit that a customer is allowed'),\n", " ('personal line of credit',\n", " 'the maximum credit that a customer is allowed'),\n", " ('line', 'the maximum credit that a customer is allowed'),\n", " ('credit line', 'the maximum credit that a customer is allowed'),\n", " ('personal credit line',\n", " 'the maximum credit that a customer is allowed')]},\n", " {'answer': 'bank_note',\n", " 'hint': 'synonyms for bank note',\n", " 'clues': [('greenback',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bank bill',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('government note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " (\"banker's bill\",\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bill',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('banknote',\n", " 'a piece of paper money (especially one issued by a central bank)')]},\n", " {'answer': \"banker's_bill\",\n", " 'hint': \"synonyms for banker's bill\",\n", " 'clues': [('greenback',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bank bill',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('government note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bank note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bill',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('note',\n", " 'a piece of paper money (especially one issued by a central bank)')]},\n", " {'answer': 'banknote',\n", " 'hint': 'synonyms for banknote',\n", " 'clues': [('greenback',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bank bill',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bank note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('government note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " (\"banker's bill\",\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('bill',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('note',\n", " 'a piece of paper money (especially one issued by a central bank)')]},\n", " {'answer': 'banks',\n", " 'hint': 'synonyms for banks',\n", " 'clues': [('bank',\n", " 'a container (usually with a slot in the top) for keeping money at home'),\n", " ('bank building',\n", " 'a building in which the business of banking transacted'),\n", " ('savings bank',\n", " 'a container (usually with a slot in the top) for keeping money at home'),\n", " ('depository financial institution',\n", " 'a financial institution that accepts deposits and channels the money into lending activities'),\n", " ('cant',\n", " 'a slope in the turn of a road or track; the outside is higher than the inside in order to reduce the effects of centrifugal force'),\n", " ('banking concern',\n", " 'a financial institution that accepts deposits and channels the money into lending activities'),\n", " ('money box',\n", " 'a container (usually with a slot in the top) for keeping money at home'),\n", " ('coin bank',\n", " 'a container (usually with a slot in the top) for keeping money at home'),\n", " ('banking company',\n", " 'a financial institution that accepts deposits and channels the money into lending activities'),\n", " ('camber',\n", " 'a slope in the turn of a road or track; the outside is higher than the inside in order to reduce the effects of centrifugal force')]},\n", " {'answer': 'bannister',\n", " 'hint': 'synonyms for bannister',\n", " 'clues': [('banister',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('balusters',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('balustrade',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling'),\n", " ('handrail',\n", " 'a railing at the side of a staircase or balcony to prevent people from falling')]},\n", " {'answer': 'bar',\n", " 'hint': 'synonyms for bar',\n", " 'clues': [('legal profession',\n", " 'the body of individuals qualified to practice law in a particular jurisdiction'),\n", " ('stripe',\n", " 'a narrow marking of a different color or texture from the background'),\n", " ('barroom',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('prevention', 'the act of preventing'),\n", " ('taproom',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('cake', 'a block of solid substance (such as soap or wax)'),\n", " ('legal community',\n", " 'the body of individuals qualified to practice law in a particular jurisdiction'),\n", " ('measure', 'musical notation for a repeating pattern of musical beats'),\n", " ('streak',\n", " 'a narrow marking of a different color or texture from the background'),\n", " ('saloon',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('ginmill',\n", " 'a room or establishment where alcoholic drinks are served over a counter')]},\n", " {'answer': 'barb',\n", " 'hint': 'synonyms for barb',\n", " 'clues': [('dig',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('shaft',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('jibe',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('gibe',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('shot',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect'),\n", " ('slam',\n", " 'an aggressive remark directed at a person like a missile and intended to have a telling effect')]},\n", " {'answer': 'barbarity',\n", " 'hint': 'synonyms for barbarity',\n", " 'clues': [('barbarism', 'a brutal barbarous savage act'),\n", " ('barbarousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('atrociousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('heinousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('atrocity', 'the quality of being shockingly cruel and inhumane'),\n", " ('savagery', 'a brutal barbarous savage act'),\n", " ('brutality', 'a brutal barbarous savage act')]},\n", " {'answer': 'barbarousness',\n", " 'hint': 'synonyms for barbarousness',\n", " 'clues': [('barbarity',\n", " 'the quality of being shockingly cruel and inhumane'),\n", " ('atrociousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('heinousness', 'the quality of being shockingly cruel and inhumane'),\n", " ('atrocity', 'the quality of being shockingly cruel and inhumane')]},\n", " {'answer': 'barbital',\n", " 'hint': 'synonyms for barbital',\n", " 'clues': [('diethylbarbituric acid', 'a barbiturate used as a hypnotic'),\n", " ('diethylmalonylurea', 'a barbiturate used as a hypnotic'),\n", " ('veronal', 'a barbiturate used as a hypnotic'),\n", " ('barbitone', 'a barbiturate used as a hypnotic')]},\n", " {'answer': 'barbitone',\n", " 'hint': 'synonyms for barbitone',\n", " 'clues': [('diethylbarbituric acid', 'a barbiturate used as a hypnotic'),\n", " ('barbital', 'a barbiturate used as a hypnotic'),\n", " ('diethylmalonylurea', 'a barbiturate used as a hypnotic'),\n", " ('veronal', 'a barbiturate used as a hypnotic')]},\n", " {'answer': 'baring',\n", " 'hint': 'synonyms for baring',\n", " 'clues': [('husking', 'the removal of covering'),\n", " ('denudation', 'the removal of covering'),\n", " ('uncovering', 'the removal of covering'),\n", " ('stripping', 'the removal of covering')]},\n", " {'answer': 'barium_sulphate',\n", " 'hint': 'synonyms for barium sulphate',\n", " 'clues': [('barium sulfate',\n", " 'a white insoluble radiopaque powder used as a pigment'),\n", " ('blanc fixe', 'a white insoluble radiopaque powder used as a pigment'),\n", " ('barite',\n", " 'a white or colorless mineral (BaSO4); the main source of barium'),\n", " ('heavy spar',\n", " 'a white or colorless mineral (BaSO4); the main source of barium'),\n", " ('barytes',\n", " 'a white or colorless mineral (BaSO4); the main source of barium')]},\n", " {'answer': 'barrage',\n", " 'hint': 'synonyms for barrage',\n", " 'clues': [('shelling',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('battery',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('barrage fire',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('onslaught',\n", " 'the rapid and continuous delivery of linguistic communication (spoken or written)'),\n", " ('bombardment',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('outpouring',\n", " 'the rapid and continuous delivery of linguistic communication (spoken or written)')]},\n", " {'answer': 'barrage_fire',\n", " 'hint': 'synonyms for barrage fire',\n", " 'clues': [('shelling',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('battery',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('bombardment',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('barrage',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target')]},\n", " {'answer': 'barrel',\n", " 'hint': 'synonyms for barrel',\n", " 'clues': [('barrelful',\n", " 'the quantity that a barrel (of any size) will hold'),\n", " ('cask', 'a cylindrical container that holds liquids'),\n", " ('gun barrel',\n", " 'a tube through which a bullet travels when a gun is fired'),\n", " ('drum', 'a bulging cylindrical shape; hollow with flat ends'),\n", " ('bbl', 'any of various units of capacity')]},\n", " {'answer': 'barrel_organ',\n", " 'hint': 'synonyms for barrel organ',\n", " 'clues': [('hand organ',\n", " 'a musical instrument that makes music by rotation of a cylinder studded with pegs'),\n", " ('grind organ',\n", " 'a musical instrument that makes music by rotation of a cylinder studded with pegs'),\n", " ('street organ',\n", " 'a musical instrument that makes music by rotation of a cylinder studded with pegs'),\n", " ('hurdy-gurdy',\n", " 'a musical instrument that makes music by rotation of a cylinder studded with pegs')]},\n", " {'answer': 'barrels',\n", " 'hint': 'synonyms for barrels',\n", " 'clues': [('barrel',\n", " 'a tube through which a bullet travels when a gun is fired'),\n", " ('gun barrel',\n", " 'a tube through which a bullet travels when a gun is fired'),\n", " ('drum', 'a bulging cylindrical shape; hollow with flat ends'),\n", " ('bbl', 'any of various units of capacity'),\n", " ('barrelful', 'the quantity that a barrel (of any size) will hold'),\n", " ('cask', 'a cylindrical container that holds liquids')]},\n", " {'answer': 'barroom',\n", " 'hint': 'synonyms for barroom',\n", " 'clues': [('bar',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('taproom',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('saloon',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('ginmill',\n", " 'a room or establishment where alcoholic drinks are served over a counter')]},\n", " {'answer': 'barrow',\n", " 'hint': 'synonyms for barrow',\n", " 'clues': [('tumulus',\n", " '(archeology) a heap of earth placed over prehistoric tombs'),\n", " ('garden cart',\n", " 'a cart for carrying small loads; has handles and one or more wheels'),\n", " ('burial mound',\n", " '(archeology) a heap of earth placed over prehistoric tombs'),\n", " ('barrowful', 'the quantity that a barrow will hold'),\n", " ('grave mound',\n", " '(archeology) a heap of earth placed over prehistoric tombs'),\n", " ('wheelbarrow',\n", " 'a cart for carrying small loads; has handles and one or more wheels'),\n", " ('lawn cart',\n", " 'a cart for carrying small loads; has handles and one or more wheels')]},\n", " {'answer': 'bars',\n", " 'hint': 'synonyms for bars',\n", " 'clues': [('stripe',\n", " 'a narrow marking of a different color or texture from the background'),\n", " ('barroom',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('bar', 'a counter where you can obtain food or drink'),\n", " ('taproom',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('legal community',\n", " 'the body of individuals qualified to practice law in a particular jurisdiction'),\n", " ('saloon',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('legal profession',\n", " 'the body of individuals qualified to practice law in a particular jurisdiction'),\n", " ('ginmill',\n", " 'a room or establishment where alcoholic drinks are served over a counter'),\n", " ('prevention', 'the act of preventing'),\n", " ('cake', 'a block of solid substance (such as soap or wax)'),\n", " ('parallel bars',\n", " 'gymnastic apparatus consisting of two parallel wooden rods supported on uprights'),\n", " ('measure', 'musical notation for a repeating pattern of musical beats'),\n", " ('streak',\n", " 'a narrow marking of a different color or texture from the background')]},\n", " {'answer': 'baseness',\n", " 'hint': 'synonyms for baseness',\n", " 'clues': [('contemptibility',\n", " 'unworthiness by virtue of lacking higher values'),\n", " ('sordidness', 'unworthiness by virtue of lacking higher values'),\n", " ('despicableness', 'unworthiness by virtue of lacking higher values'),\n", " ('despicability', 'unworthiness by virtue of lacking higher values')]},\n", " {'answer': 'bash',\n", " 'hint': 'synonyms for bash',\n", " 'clues': [('bang', 'a vigorous blow'),\n", " ('knock', 'a vigorous blow'),\n", " ('smash', 'a vigorous blow'),\n", " ('brawl', 'an uproarious party'),\n", " ('belt', 'a vigorous blow'),\n", " ('do', 'an uproarious party')]},\n", " {'answer': 'basic_principle',\n", " 'hint': 'synonyms for basic principle',\n", " 'clues': [('fundamental principle',\n", " 'principles from which other truths can be derived'),\n", " ('bedrock', 'principles from which other truths can be derived'),\n", " ('basics', 'principles from which other truths can be derived'),\n", " ('fundamentals', 'principles from which other truths can be derived')]},\n", " {'answer': 'basics',\n", " 'hint': 'synonyms for basics',\n", " 'clues': [('bedrock', 'principles from which other truths can be derived'),\n", " ('basic',\n", " '(usually plural) a necessary commodity for which demand is constant'),\n", " ('fundamentals', 'principles from which other truths can be derived'),\n", " ('fundamental principle',\n", " 'principles from which other truths can be derived'),\n", " ('staple',\n", " '(usually plural) a necessary commodity for which demand is constant'),\n", " ('rudiments', 'a statement of fundamental facts or principles'),\n", " ('basic principle',\n", " 'principles from which other truths can be derived')]},\n", " {'answer': 'basin',\n", " 'hint': 'synonyms for basin',\n", " 'clues': [('drainage basin',\n", " 'the entire geographical area drained by a river and its tributaries; an area characterized by all runoff being conveyed to the same outlet'),\n", " ('catchment basin',\n", " 'the entire geographical area drained by a river and its tributaries; an area characterized by all runoff being conveyed to the same outlet'),\n", " ('basinful', 'the quantity that a basin will hold'),\n", " ('washbowl',\n", " 'a bathroom sink that is permanently installed and connected to a water supply and drainpipe; where you can wash your hands and face'),\n", " ('watershed',\n", " 'the entire geographical area drained by a river and its tributaries; an area characterized by all runoff being conveyed to the same outlet'),\n", " ('washbasin',\n", " 'a bathroom sink that is permanently installed and connected to a water supply and drainpipe; where you can wash your hands and face'),\n", " ('lavatory',\n", " 'a bathroom sink that is permanently installed and connected to a water supply and drainpipe; where you can wash your hands and face'),\n", " ('drainage area',\n", " 'the entire geographical area drained by a river and its tributaries; an area characterized by all runoff being conveyed to the same outlet'),\n", " ('river basin',\n", " 'the entire geographical area drained by a river and its tributaries; an area characterized by all runoff being conveyed to the same outlet'),\n", " ('washstand',\n", " 'a bathroom sink that is permanently installed and connected to a water supply and drainpipe; where you can wash your hands and face'),\n", " ('catchment area',\n", " 'the entire geographical area drained by a river and its tributaries; an area characterized by all runoff being conveyed to the same outlet')]},\n", " {'answer': 'basis',\n", " 'hint': 'synonyms for basis',\n", " 'clues': [('fundament',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('ground', 'a relation that provides the foundation for something'),\n", " ('base', 'the most important or necessary part of something'),\n", " ('groundwork',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('footing', 'a relation that provides the foundation for something'),\n", " ('foundation',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained'),\n", " ('cornerstone',\n", " 'the fundamental assumptions from which something is begun or developed or calculated or explained')]},\n", " {'answer': 'basket',\n", " 'hint': 'synonyms for basket',\n", " 'clues': [('basketball hoop',\n", " 'horizontal circular metal hoop supporting a net through which players try to throw the basketball'),\n", " ('field goal',\n", " 'a score in basketball made by throwing the ball through the hoop'),\n", " ('basketful', 'the quantity contained in a basket'),\n", " ('hoop',\n", " 'horizontal circular metal hoop supporting a net through which players try to throw the basketball'),\n", " ('handbasket', 'a container that is usually woven and has handles')]},\n", " {'answer': 'bass_fiddle',\n", " 'hint': 'synonyms for bass fiddle',\n", " 'clues': [('contrabass', 'largest and lowest member of the violin family'),\n", " ('double bass', 'largest and lowest member of the violin family'),\n", " ('bass viol', 'largest and lowest member of the violin family'),\n", " ('bull fiddle', 'largest and lowest member of the violin family'),\n", " ('string bass', 'largest and lowest member of the violin family')]},\n", " {'answer': 'bass_viol',\n", " 'hint': 'synonyms for bass viol',\n", " 'clues': [('viola da gamba',\n", " 'viol that is the bass member of the viol family with approximately the range of the cello'),\n", " ('contrabass', 'largest and lowest member of the violin family'),\n", " ('double bass', 'largest and lowest member of the violin family'),\n", " ('gamba',\n", " 'viol that is the bass member of the viol family with approximately the range of the cello'),\n", " ('bull fiddle', 'largest and lowest member of the violin family'),\n", " ('bass fiddle', 'largest and lowest member of the violin family'),\n", " ('string bass', 'largest and lowest member of the violin family')]},\n", " {'answer': 'batch',\n", " 'hint': 'synonyms for batch',\n", " 'clues': [('heap',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('peck', \"(often followed by `of') a large number or amount or extent\"),\n", " ('flock', \"(often followed by `of') a large number or amount or extent\"),\n", " ('clutch', 'a collection of things or persons to be handled together'),\n", " ('quite a little',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('mess', \"(often followed by `of') a large number or amount or extent\"),\n", " ('sight', \"(often followed by `of') a large number or amount or extent\"),\n", " ('wad', \"(often followed by `of') a large number or amount or extent\"),\n", " ('hatful', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mickle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('stack', \"(often followed by `of') a large number or amount or extent\"),\n", " ('passel', \"(often followed by `of') a large number or amount or extent\"),\n", " ('deal', \"(often followed by `of') a large number or amount or extent\"),\n", " ('plenty', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pile', \"(often followed by `of') a large number or amount or extent\"),\n", " ('slew', \"(often followed by `of') a large number or amount or extent\"),\n", " ('great deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('spate', \"(often followed by `of') a large number or amount or extent\"),\n", " ('muckle', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mint', \"(often followed by `of') a large number or amount or extent\"),\n", " ('pot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('lot', \"(often followed by `of') a large number or amount or extent\"),\n", " ('tidy sum',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('good deal',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('mass', \"(often followed by `of') a large number or amount or extent\"),\n", " ('mountain',\n", " \"(often followed by `of') a large number or amount or extent\"),\n", " ('raft', \"(often followed by `of') a large number or amount or extent\")]},\n", " {'answer': 'bath',\n", " 'hint': 'synonyms for bath',\n", " 'clues': [('bathing tub',\n", " 'a relatively large open container that you fill with water and use to wash the body'),\n", " ('tub',\n", " 'a relatively large open container that you fill with water and use to wash the body'),\n", " ('bathtub',\n", " 'a relatively large open container that you fill with water and use to wash the body'),\n", " ('bathroom',\n", " 'a room (as in a residence) containing a bathtub or shower and usually a washbasin and toilet')]},\n", " {'answer': 'bathing_costume',\n", " 'hint': 'synonyms for bathing costume',\n", " 'clues': [('swimsuit', 'tight fitting garment worn for swimming'),\n", " ('swimming costume', 'tight fitting garment worn for swimming'),\n", " ('bathing suit', 'tight fitting garment worn for swimming'),\n", " ('swimwear', 'tight fitting garment worn for swimming')]},\n", " {'answer': 'bathing_suit',\n", " 'hint': 'synonyms for bathing suit',\n", " 'clues': [('swimming costume', 'tight fitting garment worn for swimming'),\n", " ('bathing costume', 'tight fitting garment worn for swimming'),\n", " ('swimsuit', 'tight fitting garment worn for swimming'),\n", " ('swimwear', 'tight fitting garment worn for swimming')]},\n", " {'answer': 'bathroom',\n", " 'hint': 'synonyms for bathroom',\n", " 'clues': [('toilet',\n", " 'a room or building equipped with one or more toilets'),\n", " ('privy', 'a room or building equipped with one or more toilets'),\n", " ('lav', 'a room or building equipped with one or more toilets'),\n", " ('john', 'a room or building equipped with one or more toilets'),\n", " ('bath',\n", " 'a room (as in a residence) containing a bathtub or shower and usually a washbasin and toilet'),\n", " ('can', 'a room or building equipped with one or more toilets'),\n", " ('lavatory', 'a room or building equipped with one or more toilets')]},\n", " {'answer': 'baton',\n", " 'hint': 'synonyms for baton',\n", " 'clues': [('billy club', 'a short stout club used primarily by policemen'),\n", " ('wand',\n", " 'a thin tapered rod used by a conductor to lead an orchestra or choir'),\n", " ('billy', 'a short stout club used primarily by policemen'),\n", " ('nightstick', 'a short stout club used primarily by policemen'),\n", " ('truncheon', 'a short stout club used primarily by policemen'),\n", " ('billystick', 'a short stout club used primarily by policemen')]},\n", " {'answer': 'battalion',\n", " 'hint': 'synonyms for battalion',\n", " 'clues': [('pack', 'a large indefinite number'),\n", " ('multitude', 'a large indefinite number'),\n", " ('plurality', 'a large indefinite number'),\n", " ('large number', 'a large indefinite number')]},\n", " {'answer': 'battercake',\n", " 'hint': 'synonyms for battercake',\n", " 'clues': [('flapcake',\n", " 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('hotcake',\n", " 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('griddlecake',\n", " 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('flannel cake',\n", " 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('pancake',\n", " 'a flat cake of thin batter fried on both sides on a griddle'),\n", " ('flapjack',\n", " 'a flat cake of thin batter fried on both sides on a griddle')]},\n", " {'answer': 'battery',\n", " 'hint': 'synonyms for battery',\n", " 'clues': [('electric battery',\n", " 'a device that produces electricity; may have several primary or secondary cells arranged in parallel or series'),\n", " ('shelling',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('barrage fire',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('bombardment',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('stamp battery',\n", " 'a series of stamps operated in one mortar for crushing ores'),\n", " ('assault and battery',\n", " 'an assault in which the assailant makes physical contact'),\n", " ('barrage',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target')]},\n", " {'answer': 'battery-acid',\n", " 'hint': 'synonyms for battery-acid',\n", " 'clues': [('back breaker', 'street name for lysergic acid diethylamide'),\n", " ('loony toons', 'street name for lysergic acid diethylamide'),\n", " ('pane', 'street name for lysergic acid diethylamide'),\n", " ('window pane', 'street name for lysergic acid diethylamide'),\n", " ('dose', 'street name for lysergic acid diethylamide'),\n", " ('dot', 'street name for lysergic acid diethylamide'),\n", " ('acid', 'street name for lysergic acid diethylamide'),\n", " ('superman', 'street name for lysergic acid diethylamide')]},\n", " {'answer': 'battle',\n", " 'hint': 'synonyms for battle',\n", " 'clues': [('engagement',\n", " 'a hostile meeting of opposing military forces in the course of a war'),\n", " ('fight',\n", " 'a hostile meeting of opposing military forces in the course of a war'),\n", " ('conflict',\n", " 'an open clash between two opposing groups (or individuals); --Thomas Paine'),\n", " ('struggle',\n", " 'an open clash between two opposing groups (or individuals); --Thomas Paine')]},\n", " {'answer': 'battle_cry',\n", " 'hint': 'synonyms for battle cry',\n", " 'clues': [('war cry',\n", " 'a yell intended to rally a group of soldiers in battle'),\n", " ('rallying cry', 'a slogan used to rally support for a cause'),\n", " ('cry', 'a slogan used to rally support for a cause'),\n", " ('watchword', 'a slogan used to rally support for a cause'),\n", " ('war whoop', 'a yell intended to rally a group of soldiers in battle')]},\n", " {'answer': 'battlefield',\n", " 'hint': 'synonyms for battlefield',\n", " 'clues': [('battleground',\n", " 'a region where a battle is being (or has been) fought'),\n", " ('field of battle',\n", " 'a region where a battle is being (or has been) fought'),\n", " ('field', 'a region where a battle is being (or has been) fought'),\n", " ('field of honor',\n", " 'a region where a battle is being (or has been) fought')]},\n", " {'answer': 'battleground',\n", " 'hint': 'synonyms for battleground',\n", " 'clues': [('battlefield',\n", " 'a region where a battle is being (or has been) fought'),\n", " ('field of battle',\n", " 'a region where a battle is being (or has been) fought'),\n", " ('field', 'a region where a battle is being (or has been) fought'),\n", " ('field of honor',\n", " 'a region where a battle is being (or has been) fought')]},\n", " {'answer': 'bauble',\n", " 'hint': 'synonyms for bauble',\n", " 'clues': [('novelty', 'cheap showy jewelry or ornament on clothing'),\n", " ('trinket', 'cheap showy jewelry or ornament on clothing'),\n", " ('gewgaw', 'cheap showy jewelry or ornament on clothing'),\n", " ('gaud', 'cheap showy jewelry or ornament on clothing'),\n", " ('bangle', 'cheap showy jewelry or ornament on clothing'),\n", " ('fallal', 'cheap showy jewelry or ornament on clothing')]},\n", " {'answer': 'baulk',\n", " 'hint': 'synonyms for baulk',\n", " 'clues': [('impediment',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('check',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('hindrance',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('rafter', 'one of several parallel sloping beams that support a roof'),\n", " ('balk', 'one of several parallel sloping beams that support a roof'),\n", " ('handicap',\n", " 'something immaterial that interferes with or delays action or progress'),\n", " ('deterrent',\n", " 'something immaterial that interferes with or delays action or progress')]},\n", " {'answer': 'bawdiness',\n", " 'hint': 'synonyms for bawdiness',\n", " 'clues': [('lewdness', 'the trait of behaving in an obscene manner'),\n", " ('salacity', 'the trait of behaving in an obscene manner'),\n", " ('obscenity', 'the trait of behaving in an obscene manner'),\n", " ('salaciousness', 'the trait of behaving in an obscene manner')]},\n", " {'answer': 'bawdyhouse',\n", " 'hint': 'synonyms for bawdyhouse',\n", " 'clues': [('house of prostitution',\n", " 'a building where prostitutes are available'),\n", " ('sporting house', 'a building where prostitutes are available'),\n", " ('whorehouse', 'a building where prostitutes are available'),\n", " ('bagnio', 'a building where prostitutes are available'),\n", " ('house of ill repute', 'a building where prostitutes are available'),\n", " ('cathouse', 'a building where prostitutes are available'),\n", " ('bordello', 'a building where prostitutes are available'),\n", " ('brothel', 'a building where prostitutes are available')]},\n", " {'answer': 'bawling_out',\n", " 'hint': 'synonyms for bawling out',\n", " 'clues': [('chewing out', 'a severe scolding'),\n", " ('castigation', 'a severe scolding'),\n", " ('going-over', 'a severe scolding'),\n", " ('earful', 'a severe scolding'),\n", " ('upbraiding', 'a severe scolding'),\n", " ('dressing down', 'a severe scolding')]},\n", " {'answer': 'beach_waggon',\n", " 'hint': 'synonyms for beach waggon',\n", " 'clues': [('waggon',\n", " 'a car that has a long body and rear door with space behind rear seat'),\n", " ('station waggon',\n", " 'a car that has a long body and rear door with space behind rear seat'),\n", " ('estate car',\n", " 'a car that has a long body and rear door with space behind rear seat'),\n", " ('beach wagon',\n", " 'a car that has a long body and rear door with space behind rear seat')]},\n", " {'answer': 'beach_wagon',\n", " 'hint': 'synonyms for beach wagon',\n", " 'clues': [('beach waggon',\n", " 'a car that has a long body and rear door with space behind rear seat'),\n", " ('waggon',\n", " 'a car that has a long body and rear door with space behind rear seat'),\n", " ('station waggon',\n", " 'a car that has a long body and rear door with space behind rear seat'),\n", " ('estate car',\n", " 'a car that has a long body and rear door with space behind rear seat')]},\n", " {'answer': 'beacon',\n", " 'hint': 'synonyms for beacon',\n", " 'clues': [('radio beacon',\n", " 'a radio station that broadcasts a directional signal for navigational purposes'),\n", " ('beacon light',\n", " 'a tower with a light that gives warning of shoals to passing ships'),\n", " ('lighthouse',\n", " 'a tower with a light that gives warning of shoals to passing ships'),\n", " ('beacon fire',\n", " 'a fire (usually on a hill or tower) that can be seen from a distance'),\n", " ('pharos',\n", " 'a tower with a light that gives warning of shoals to passing ships')]},\n", " {'answer': 'bead',\n", " 'hint': 'synonyms for bead',\n", " 'clues': [('drop', 'a shape that is spherical and small'),\n", " ('beadwork', 'a beaded molding for edging or decorating furniture'),\n", " ('pearl', 'a shape that is spherical and small'),\n", " ('astragal', 'a beaded molding for edging or decorating furniture'),\n", " ('beading', 'a beaded molding for edging or decorating furniture')]},\n", " {'answer': 'beads',\n", " 'hint': 'synonyms for beads',\n", " 'clues': [('drop', 'a shape that is spherical and small'),\n", " ('beadwork', 'a beaded molding for edging or decorating furniture'),\n", " ('bead', 'a small ball with a hole through the middle'),\n", " ('astragal', 'a beaded molding for edging or decorating furniture'),\n", " ('string of beads', 'several beads threaded together on a string'),\n", " ('pearl', 'a shape that is spherical and small')]},\n", " {'answer': 'beam',\n", " 'hint': 'synonyms for beam',\n", " 'clues': [('irradiation', 'a column of light (as from a beacon)'),\n", " ('ray of light', 'a column of light (as from a beacon)'),\n", " ('balance beam', 'a gymnastic apparatus used by women gymnasts'),\n", " ('radio beam',\n", " 'a signal transmitted along a narrow path; guides airplane pilots in darkness or bad weather'),\n", " ('ray', 'a column of light (as from a beacon)'),\n", " ('light beam', 'a column of light (as from a beacon)'),\n", " ('shaft', 'a column of light (as from a beacon)'),\n", " ('electron beam',\n", " 'a group of nearly parallel lines of electromagnetic radiation'),\n", " ('shaft of light', 'a column of light (as from a beacon)'),\n", " ('beam of light', 'a column of light (as from a beacon)')]},\n", " {'answer': 'beam_of_light',\n", " 'hint': 'synonyms for beam of light',\n", " 'clues': [('irradiation', 'a column of light (as from a beacon)'),\n", " ('light beam', 'a column of light (as from a beacon)'),\n", " ('beam', 'a column of light (as from a beacon)'),\n", " ('shaft of light', 'a column of light (as from a beacon)'),\n", " ('ray', 'a column of light (as from a beacon)'),\n", " ('ray of light', 'a column of light (as from a beacon)'),\n", " ('shaft', 'a column of light (as from a beacon)')]},\n", " {'answer': 'beast',\n", " 'hint': 'synonyms for beast',\n", " 'clues': [('creature',\n", " 'a living organism characterized by voluntary movement'),\n", " ('animate being',\n", " 'a living organism characterized by voluntary movement'),\n", " ('animal', 'a living organism characterized by voluntary movement'),\n", " ('brute', 'a living organism characterized by voluntary movement'),\n", " ('fauna', 'a living organism characterized by voluntary movement')]},\n", " {'answer': 'beating',\n", " 'hint': 'synonyms for beating',\n", " 'clues': [('whipping', 'the act of overcoming or outdoing'),\n", " ('drubbing',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('trouncing',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('lacing',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('licking',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('whacking',\n", " 'the act of inflicting corporal punishment with repeated blows'),\n", " ('thrashing',\n", " 'the act of inflicting corporal punishment with repeated blows')]},\n", " {'answer': 'beats',\n", " 'hint': 'synonyms for beats',\n", " 'clues': [('beat', 'a regular rate of repetition'),\n", " ('heartbeat',\n", " 'the rhythmic contraction and expansion of the arteries with each beat of the heart'),\n", " ('beatniks',\n", " 'a United States youth subculture of the 1950s; rejected possessions or regular work or traditional dress; for communal living and psychedelic drugs and anarchism; favored modern forms of jazz (e.g., bebop)'),\n", " ('cadence', '(prosody) the accent in a metrical foot of verse'),\n", " ('beat generation',\n", " 'a United States youth subculture of the 1950s; rejected possessions or regular work or traditional dress; for communal living and psychedelic drugs and anarchism; favored modern forms of jazz (e.g., bebop)'),\n", " ('musical rhythm', 'the basic rhythmic unit in a piece of music'),\n", " ('metre', '(prosody) the accent in a metrical foot of verse'),\n", " ('round', 'a regular route for a sentry or policeman'),\n", " ('pulse',\n", " 'the rhythmic contraction and expansion of the arteries with each beat of the heart'),\n", " ('pulsation',\n", " 'the rhythmic contraction and expansion of the arteries with each beat of the heart'),\n", " ('meter', '(prosody) the accent in a metrical foot of verse'),\n", " ('measure', '(prosody) the accent in a metrical foot of verse'),\n", " ('rhythm', 'the basic rhythmic unit in a piece of music')]},\n", " {'answer': 'beau_monde',\n", " 'hint': 'synonyms for beau monde',\n", " 'clues': [('smart set', 'the fashionable elite'),\n", " ('bon ton', 'the fashionable elite'),\n", " ('society', 'the fashionable elite'),\n", " ('high society', 'the fashionable elite')]},\n", " {'answer': 'beauty_parlor',\n", " 'hint': 'synonyms for beauty parlor',\n", " 'clues': [('beauty shop',\n", " 'a shop where hairdressers and beauticians work'),\n", " ('beauty parlour', 'a shop where hairdressers and beauticians work'),\n", " ('beauty salon', 'a shop where hairdressers and beauticians work'),\n", " ('salon', 'a shop where hairdressers and beauticians work')]},\n", " {'answer': 'beauty_parlour',\n", " 'hint': 'synonyms for beauty parlour',\n", " 'clues': [('beauty parlor',\n", " 'a shop where hairdressers and beauticians work'),\n", " ('beauty shop', 'a shop where hairdressers and beauticians work'),\n", " ('beauty salon', 'a shop where hairdressers and beauticians work'),\n", " ('salon', 'a shop where hairdressers and beauticians work')]},\n", " {'answer': 'beaver',\n", " 'hint': 'synonyms for beaver',\n", " 'clues': [('topper',\n", " \"a man's hat with a tall crown; usually covered with silk or with beaver fur\"),\n", " ('beaver fur', 'the soft brown fur of the beaver'),\n", " ('opera hat',\n", " \"a man's hat with a tall crown; usually covered with silk or with beaver fur\"),\n", " ('castor', 'a hat made with the fur of a beaver (or similar material)'),\n", " ('stovepipe',\n", " \"a man's hat with a tall crown; usually covered with silk or with beaver fur\"),\n", " ('top hat',\n", " \"a man's hat with a tall crown; usually covered with silk or with beaver fur\"),\n", " ('silk hat',\n", " \"a man's hat with a tall crown; usually covered with silk or with beaver fur\"),\n", " ('high hat',\n", " \"a man's hat with a tall crown; usually covered with silk or with beaver fur\"),\n", " ('dress hat',\n", " \"a man's hat with a tall crown; usually covered with silk or with beaver fur\")]},\n", " {'answer': 'bed_cover',\n", " 'hint': 'synonyms for bed cover',\n", " 'clues': [('bedcover', 'decorative cover for a bed'),\n", " ('spread', 'decorative cover for a bed'),\n", " ('bedspread', 'decorative cover for a bed'),\n", " ('counterpane', 'decorative cover for a bed'),\n", " ('bed covering', 'decorative cover for a bed')]},\n", " {'answer': 'bed_covering',\n", " 'hint': 'synonyms for bed covering',\n", " 'clues': [('bedcover', 'decorative cover for a bed'),\n", " ('counterpane', 'decorative cover for a bed'),\n", " ('bedspread', 'decorative cover for a bed'),\n", " ('spread', 'decorative cover for a bed')]},\n", " {'answer': 'bedchamber',\n", " 'hint': 'synonyms for bedchamber',\n", " 'clues': [('chamber', 'a room used primarily for sleeping'),\n", " ('sleeping room', 'a room used primarily for sleeping'),\n", " ('sleeping accommodation', 'a room used primarily for sleeping'),\n", " ('bedroom', 'a room used primarily for sleeping')]},\n", " {'answer': 'bedcover',\n", " 'hint': 'synonyms for bedcover',\n", " 'clues': [('bed cover', 'decorative cover for a bed'),\n", " ('spread', 'decorative cover for a bed'),\n", " ('bedspread', 'decorative cover for a bed'),\n", " ('counterpane', 'decorative cover for a bed')]},\n", " {'answer': 'bedding',\n", " 'hint': 'synonyms for bedding',\n", " 'clues': [('bed clothing', 'coverings that are used on a bed'),\n", " ('litter', 'material used to provide a bed for animals'),\n", " ('bedding material', 'material used to provide a bed for animals'),\n", " ('bedclothes', 'coverings that are used on a bed')]},\n", " {'answer': 'bedlam',\n", " 'hint': 'synonyms for bedlam',\n", " 'clues': [('loony bin', 'pejorative terms for an insane asylum'),\n", " ('sanatorium', 'pejorative terms for an insane asylum'),\n", " ('funny farm', 'pejorative terms for an insane asylum'),\n", " ('madhouse', 'pejorative terms for an insane asylum'),\n", " ('funny house', 'pejorative terms for an insane asylum'),\n", " ('nuthouse', 'pejorative terms for an insane asylum'),\n", " (\"cuckoo's nest\", 'pejorative terms for an insane asylum'),\n", " ('booby hatch', 'pejorative terms for an insane asylum'),\n", " ('crazy house', 'pejorative terms for an insane asylum'),\n", " ('snake pit', 'pejorative terms for an insane asylum')]},\n", " {'answer': 'bedrock',\n", " 'hint': 'synonyms for bedrock',\n", " 'clues': [('basics', 'principles from which other truths can be derived'),\n", " ('basic principle', 'principles from which other truths can be derived'),\n", " ('fundamental principle',\n", " 'principles from which other truths can be derived'),\n", " ('fundamentals', 'principles from which other truths can be derived')]},\n", " {'answer': 'bedroom',\n", " 'hint': 'synonyms for bedroom',\n", " 'clues': [('sleeping accommodation', 'a room used primarily for sleeping'),\n", " ('chamber', 'a room used primarily for sleeping'),\n", " ('sleeping room', 'a room used primarily for sleeping'),\n", " ('bedchamber', 'a room used primarily for sleeping')]},\n", " {'answer': 'bedspread',\n", " 'hint': 'synonyms for bedspread',\n", " 'clues': [('bedcover', 'decorative cover for a bed'),\n", " ('spread', 'decorative cover for a bed'),\n", " ('counterpane', 'decorative cover for a bed'),\n", " ('bed covering', 'decorative cover for a bed')]},\n", " {'answer': 'beef',\n", " 'hint': 'synonyms for beef',\n", " 'clues': [('boeuf', 'meat from an adult domestic bovine'),\n", " ('kick', 'informal terms for objecting'),\n", " ('gripe', 'informal terms for objecting'),\n", " ('bitch', 'informal terms for objecting'),\n", " ('squawk', 'informal terms for objecting')]},\n", " {'answer': 'befuddlement',\n", " 'hint': 'synonyms for befuddlement',\n", " 'clues': [('bemusement', 'confusion resulting from failure to understand'),\n", " ('bewilderment', 'confusion resulting from failure to understand'),\n", " ('mystification', 'confusion resulting from failure to understand'),\n", " ('puzzlement', 'confusion resulting from failure to understand'),\n", " ('bafflement', 'confusion resulting from failure to understand'),\n", " ('obfuscation', 'confusion resulting from failure to understand')]},\n", " {'answer': 'behavior',\n", " 'hint': 'synonyms for behavior',\n", " 'clues': [('deportment',\n", " '(behavioral attributes) the way a person behaves toward other people'),\n", " ('conduct',\n", " '(behavioral attributes) the way a person behaves toward other people'),\n", " ('demeanor',\n", " '(behavioral attributes) the way a person behaves toward other people'),\n", " ('behaviour',\n", " '(behavioral attributes) the way a person behaves toward other people'),\n", " ('doings', 'manner of acting or controlling yourself')]},\n", " {'answer': 'behaviour',\n", " 'hint': 'synonyms for behaviour',\n", " 'clues': [('deportment',\n", " '(behavioral attributes) the way a person behaves toward other people'),\n", " ('conduct',\n", " '(behavioral attributes) the way a person behaves toward other people'),\n", " ('demeanor',\n", " '(behavioral attributes) the way a person behaves toward other people'),\n", " ('doings', 'manner of acting or controlling yourself'),\n", " ('behavior',\n", " '(behavioral attributes) the way a person behaves toward other people')]},\n", " {'answer': 'belief',\n", " 'hint': 'synonyms for belief',\n", " 'clues': [('impression',\n", " 'a vague idea in which some confidence is placed'),\n", " ('opinion', 'a vague idea in which some confidence is placed'),\n", " ('notion', 'a vague idea in which some confidence is placed'),\n", " ('feeling', 'a vague idea in which some confidence is placed')]},\n", " {'answer': 'bell',\n", " 'hint': 'synonyms for bell',\n", " 'clues': [('bell shape', 'the shape of a bell'),\n", " ('campana', 'the shape of a bell'),\n", " ('gong',\n", " 'a percussion instrument consisting of a set of tuned bells that are struck with a hammer; used as an orchestral instrument'),\n", " ('chime',\n", " 'a percussion instrument consisting of a set of tuned bells that are struck with a hammer; used as an orchestral instrument'),\n", " ('buzzer',\n", " 'a push button at an outer door that gives a ringing or buzzing signal when pushed'),\n", " (\"ship's bell\",\n", " \"(nautical) each of the eight half-hour units of nautical time signaled by strokes of a ship's bell; eight bells signals 4:00, 8:00, or 12:00 o'clock, either a.m. or p.m.\"),\n", " ('toll', 'the sound of a bell being struck'),\n", " ('doorbell',\n", " 'a push button at an outer door that gives a ringing or buzzing signal when pushed')]},\n", " {'answer': 'bell_ringing',\n", " 'hint': 'synonyms for bell ringing',\n", " 'clues': [('canvassing', 'persuasion of voters in a political campaign'),\n", " ('electioneering', 'persuasion of voters in a political campaign'),\n", " ('carillon playing',\n", " 'playing a set of bells that are (usually) hung in a tower'),\n", " ('carillon',\n", " 'playing a set of bells that are (usually) hung in a tower')]},\n", " {'answer': 'bellow',\n", " 'hint': 'synonyms for bellow',\n", " 'clues': [('roar', 'a very loud utterance (like the sound of an animal)'),\n", " ('hollering', 'a very loud utterance (like the sound of an animal)'),\n", " ('holloa', 'a very loud utterance (like the sound of an animal)'),\n", " ('bellowing', 'a very loud utterance (like the sound of an animal)'),\n", " ('yowl', 'a very loud utterance (like the sound of an animal)')]},\n", " {'answer': 'bellowing',\n", " 'hint': 'synonyms for bellowing',\n", " 'clues': [('roar', 'a very loud utterance (like the sound of an animal)'),\n", " ('hollering', 'a very loud utterance (like the sound of an animal)'),\n", " ('holloa', 'a very loud utterance (like the sound of an animal)'),\n", " ('bellow', 'a very loud utterance (like the sound of an animal)'),\n", " ('yowl', 'a very loud utterance (like the sound of an animal)')]},\n", " {'answer': 'bellows',\n", " 'hint': 'synonyms for bellows',\n", " 'clues': [('roar', 'a very loud utterance (like the sound of an animal)'),\n", " ('hollering', 'a very loud utterance (like the sound of an animal)'),\n", " ('holloa', 'a very loud utterance (like the sound of an animal)'),\n", " ('bellow', 'a very loud utterance (like the sound of an animal)'),\n", " ('yowl', 'a very loud utterance (like the sound of an animal)')]},\n", " {'answer': 'belly_laugh',\n", " 'hint': 'synonyms for belly laugh',\n", " 'clues': [('scream', 'a joke that seems extremely funny'),\n", " ('thigh-slapper', 'a joke that seems extremely funny'),\n", " ('howler', 'a joke that seems extremely funny'),\n", " ('guffaw', 'a burst of deep loud hearty laughter'),\n", " ('sidesplitter', 'a joke that seems extremely funny'),\n", " ('riot', 'a joke that seems extremely funny'),\n", " ('wow', 'a joke that seems extremely funny')]},\n", " {'answer': 'belt',\n", " 'hint': 'synonyms for belt',\n", " 'clues': [('bang', 'a vigorous blow'),\n", " ('knock', 'a vigorous blow'),\n", " ('bash', 'a vigorous blow'),\n", " ('smash', 'a vigorous blow'),\n", " ('belt ammunition',\n", " 'ammunition (usually of small caliber) loaded in flexible linked strips for use in a machine gun'),\n", " ('rap', 'the act of hitting vigorously'),\n", " ('whang', 'the act of hitting vigorously'),\n", " ('whack', 'the act of hitting vigorously'),\n", " ('swath', 'a path or strip (as cut by one course of mowing)')]},\n", " {'answer': 'bemusement',\n", " 'hint': 'synonyms for bemusement',\n", " 'clues': [('obfuscation',\n", " 'confusion resulting from failure to understand'),\n", " ('bewilderment', 'confusion resulting from failure to understand'),\n", " ('mystification', 'confusion resulting from failure to understand'),\n", " ('puzzlement', 'confusion resulting from failure to understand'),\n", " ('bafflement', 'confusion resulting from failure to understand'),\n", " ('befuddlement', 'confusion resulting from failure to understand')]},\n", " {'answer': 'bend',\n", " 'hint': 'synonyms for bend',\n", " 'clues': [('flexure', 'an angular or rounded shape made by folding'),\n", " ('crimp', 'an angular or rounded shape made by folding'),\n", " ('plication', 'an angular or rounded shape made by folding'),\n", " ('turn', 'a circular segment of a curve'),\n", " ('fold', 'an angular or rounded shape made by folding'),\n", " ('twist', 'a circular segment of a curve'),\n", " ('crease', 'an angular or rounded shape made by folding'),\n", " ('crook', 'a circular segment of a curve'),\n", " ('bend dexter',\n", " 'diagonal line traversing a shield from the upper right corner to the lower left'),\n", " ('curve', 'curved segment (of a road or river or railroad track etc.)'),\n", " ('bending', 'movement that causes the formation of a curve')]},\n", " {'answer': 'bender',\n", " 'hint': 'synonyms for bender',\n", " 'clues': [('booze-up', 'revelry in drinking; a merry drinking party'),\n", " ('breaking ball',\n", " 'a pitch of a baseball that is thrown with spin so that its path curves as it approaches the batter'),\n", " ('curve ball',\n", " 'a pitch of a baseball that is thrown with spin so that its path curves as it approaches the batter'),\n", " ('carousal', 'revelry in drinking; a merry drinking party'),\n", " ('curve',\n", " 'a pitch of a baseball that is thrown with spin so that its path curves as it approaches the batter'),\n", " ('carouse', 'revelry in drinking; a merry drinking party'),\n", " ('toot', 'revelry in drinking; a merry drinking party')]},\n", " {'answer': 'bends',\n", " 'hint': 'synonyms for bends',\n", " 'clues': [('flexure', 'an angular or rounded shape made by folding'),\n", " ('bend', 'a circular segment of a curve'),\n", " ('crimp', 'an angular or rounded shape made by folding'),\n", " ('turn', 'a circular segment of a curve'),\n", " ('plication', 'an angular or rounded shape made by folding'),\n", " ('twist', 'a circular segment of a curve'),\n", " ('fold', 'an angular or rounded shape made by folding'),\n", " ('crease', 'an angular or rounded shape made by folding'),\n", " ('bend dexter',\n", " 'diagonal line traversing a shield from the upper right corner to the lower left'),\n", " ('crook', 'a circular segment of a curve'),\n", " ('curve', 'curved segment (of a road or river or railroad track etc.)')]},\n", " {'answer': 'beneficiation',\n", " 'hint': 'synonyms for beneficiation',\n", " 'clues': [('mineral processing',\n", " 'crushing and separating ore into valuable substances or waste by any of a variety of techniques'),\n", " ('mineral extraction',\n", " 'crushing and separating ore into valuable substances or waste by any of a variety of techniques'),\n", " ('ore dressing',\n", " 'crushing and separating ore into valuable substances or waste by any of a variety of techniques'),\n", " ('ore processing',\n", " 'crushing and separating ore into valuable substances or waste by any of a variety of techniques')]},\n", " {'answer': 'benjamin',\n", " 'hint': 'synonyms for benjamin',\n", " 'clues': [('asa dulcis',\n", " 'gum resin used especially in treating skin irritation'),\n", " ('gum benzoin', 'gum resin used especially in treating skin irritation'),\n", " ('gum benjamin', 'gum resin used especially in treating skin irritation'),\n", " ('benzoin', 'gum resin used especially in treating skin irritation')]},\n", " {'answer': 'benzoin',\n", " 'hint': 'synonyms for benzoin',\n", " 'clues': [('asa dulcis',\n", " 'gum resin used especially in treating skin irritation'),\n", " ('gum benzoin', 'gum resin used especially in treating skin irritation'),\n", " ('gum benjamin', 'gum resin used especially in treating skin irritation'),\n", " ('benjamin', 'gum resin used especially in treating skin irritation')]},\n", " {'answer': 'berth',\n", " 'hint': 'synonyms for berth',\n", " 'clues': [('bunk', 'a bed on a ship or train; usually in tiers'),\n", " ('office', 'a job in an organization'),\n", " ('moorage', 'a place where a craft can be made fast'),\n", " ('spot', 'a job in an organization'),\n", " ('situation', 'a job in an organization'),\n", " ('built in bed', 'a bed on a ship or train; usually in tiers'),\n", " ('mooring', 'a place where a craft can be made fast'),\n", " ('post', 'a job in an organization'),\n", " ('slip', 'a place where a craft can be made fast'),\n", " ('place', 'a job in an organization'),\n", " ('position', 'a job in an organization'),\n", " ('billet', 'a job in an organization')]},\n", " {'answer': 'betise',\n", " 'hint': 'synonyms for betise',\n", " 'clues': [('folly', 'a stupid mistake'),\n", " ('stupidity', 'a stupid mistake'),\n", " ('imbecility', 'a stupid mistake'),\n", " ('foolishness', 'a stupid mistake')]},\n", " {'answer': 'bewilderment',\n", " 'hint': 'synonyms for bewilderment',\n", " 'clues': [('obfuscation',\n", " 'confusion resulting from failure to understand'),\n", " ('bemusement', 'confusion resulting from failure to understand'),\n", " ('mystification', 'confusion resulting from failure to understand'),\n", " ('puzzlement', 'confusion resulting from failure to understand'),\n", " ('bafflement', 'confusion resulting from failure to understand'),\n", " ('befuddlement', 'confusion resulting from failure to understand')]},\n", " {'answer': 'bicarbonate_of_soda',\n", " 'hint': 'synonyms for bicarbonate of soda',\n", " 'clues': [('baking soda',\n", " 'a white soluble compound (NaHCO3) used in effervescent drinks and in baking powders and as an antacid'),\n", " ('sodium bicarbonate',\n", " 'a white soluble compound (NaHCO3) used in effervescent drinks and in baking powders and as an antacid'),\n", " ('sodium hydrogen carbonate',\n", " 'a white soluble compound (NaHCO3) used in effervescent drinks and in baking powders and as an antacid'),\n", " ('saleratus',\n", " 'a white soluble compound (NaHCO3) used in effervescent drinks and in baking powders and as an antacid')]},\n", " {'answer': 'bicker',\n", " 'hint': 'synonyms for bicker',\n", " 'clues': [('pettifoggery', 'a quarrel about petty points'),\n", " ('tiff', 'a quarrel about petty points'),\n", " ('spat', 'a quarrel about petty points'),\n", " ('squabble', 'a quarrel about petty points'),\n", " ('bickering', 'a quarrel about petty points'),\n", " ('fuss', 'a quarrel about petty points')]},\n", " {'answer': 'bickering',\n", " 'hint': 'synonyms for bickering',\n", " 'clues': [('pettifoggery', 'a quarrel about petty points'),\n", " ('tiff', 'a quarrel about petty points'),\n", " ('spat', 'a quarrel about petty points'),\n", " ('squabble', 'a quarrel about petty points'),\n", " ('bicker', 'a quarrel about petty points'),\n", " ('fuss', 'a quarrel about petty points')]},\n", " {'answer': 'bid',\n", " 'hint': 'synonyms for bid',\n", " 'clues': [('bidding',\n", " '(bridge) the number of tricks a bridge player is willing to contract to make'),\n", " ('command', 'an authoritative direction or instruction to do something'),\n", " ('tender', 'a formal proposal to buy at a specified price'),\n", " ('play', 'an attempt to get something'),\n", " ('dictation',\n", " 'an authoritative direction or instruction to do something')]},\n", " {'answer': 'bidding',\n", " 'hint': 'synonyms for bidding',\n", " 'clues': [('bid',\n", " 'an authoritative direction or instruction to do something'),\n", " ('command', 'an authoritative direction or instruction to do something'),\n", " ('summons', 'a request to be present'),\n", " ('dictation',\n", " 'an authoritative direction or instruction to do something')]},\n", " {'answer': 'biff',\n", " 'hint': 'synonyms for biff',\n", " 'clues': [('lick', '(boxing) a blow with the fist'),\n", " ('clout', '(boxing) a blow with the fist'),\n", " ('slug', '(boxing) a blow with the fist'),\n", " ('punch', '(boxing) a blow with the fist'),\n", " ('poke', '(boxing) a blow with the fist')]},\n", " {'answer': 'big_bucks',\n", " 'hint': 'synonyms for big bucks',\n", " 'clues': [('megabucks',\n", " 'a large sum of money (especially as pay or profit)'),\n", " ('big money', 'a large sum of money (especially as pay or profit)'),\n", " ('pile', 'a large sum of money (especially as pay or profit)'),\n", " ('bundle', 'a large sum of money (especially as pay or profit)')]},\n", " {'answer': 'big_h',\n", " 'hint': 'synonyms for big h',\n", " 'clues': [('hell dust', 'street names for heroin'),\n", " ('skag', 'street names for heroin'),\n", " ('smack', 'street names for heroin'),\n", " ('nose drops', 'street names for heroin'),\n", " ('scag', 'street names for heroin'),\n", " ('thunder', 'street names for heroin'),\n", " ('big H', 'street names for heroin')]},\n", " {'answer': 'big_money',\n", " 'hint': 'synonyms for big money',\n", " 'clues': [('big bucks',\n", " 'a large sum of money (especially as pay or profit)'),\n", " ('megabucks', 'a large sum of money (especially as pay or profit)'),\n", " ('pile', 'a large sum of money (especially as pay or profit)'),\n", " ('bundle', 'a large sum of money (especially as pay or profit)')]},\n", " {'answer': 'bike',\n", " 'hint': 'synonyms for bike',\n", " 'clues': [('motorcycle',\n", " 'a motor vehicle with two wheels and a strong frame'),\n", " ('wheel',\n", " 'a wheeled vehicle that has two wheels and is moved by foot pedals'),\n", " ('bicycle',\n", " 'a wheeled vehicle that has two wheels and is moved by foot pedals'),\n", " ('cycle',\n", " 'a wheeled vehicle that has two wheels and is moved by foot pedals')]},\n", " {'answer': 'bilgewater',\n", " 'hint': 'synonyms for bilgewater',\n", " 'clues': [('tarradiddle', 'pretentious or silly talk or writing'),\n", " ('twaddle', 'pretentious or silly talk or writing'),\n", " ('baloney', 'pretentious or silly talk or writing'),\n", " ('tosh', 'pretentious or silly talk or writing'),\n", " ('bosh', 'pretentious or silly talk or writing'),\n", " ('tommyrot', 'pretentious or silly talk or writing'),\n", " ('humbug', 'pretentious or silly talk or writing'),\n", " ('drool', 'pretentious or silly talk or writing')]},\n", " {'answer': 'biliousness',\n", " 'hint': 'synonyms for biliousness',\n", " 'clues': [('irritability', 'a disposition to exhibit uncontrolled anger'),\n", " ('surliness', 'a disposition to exhibit uncontrolled anger'),\n", " ('peevishness', 'a disposition to exhibit uncontrolled anger'),\n", " ('snappishness', 'a disposition to exhibit uncontrolled anger'),\n", " ('temper', 'a disposition to exhibit uncontrolled anger'),\n", " ('pettishness', 'a disposition to exhibit uncontrolled anger')]},\n", " {'answer': 'bill',\n", " 'hint': 'synonyms for bill',\n", " 'clues': [('vizor', 'a brim that projects to the front to shade the eyes'),\n", " (\"banker's bill\",\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('card', 'a sign posted in a public place as an advertisement'),\n", " ('measure', 'a statute in draft before it becomes law'),\n", " ('throwaway',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('bank bill',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('government note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('placard', 'a sign posted in a public place as an advertisement'),\n", " ('eyeshade', 'a brim that projects to the front to shade the eyes'),\n", " ('invoice',\n", " 'an itemized statement of money owed for goods shipped or services rendered'),\n", " ('notice', 'a sign posted in a public place as an advertisement'),\n", " ('greenback',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('circular',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('broadside',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('flier',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('broadsheet',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('handbill',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('bank note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('account',\n", " 'an itemized statement of money owed for goods shipped or services rendered'),\n", " ('billhook', 'a long-handled saw with a curved blade'),\n", " ('note',\n", " 'a piece of paper money (especially one issued by a central bank)'),\n", " ('peak', 'a brim that projects to the front to shade the eyes'),\n", " ('flyer',\n", " 'an advertisement (usually printed on a page or in a leaflet) intended for wide distribution'),\n", " ('poster', 'a sign posted in a public place as an advertisement'),\n", " ('visor', 'a brim that projects to the front to shade the eyes'),\n", " ('posting', 'a sign posted in a public place as an advertisement')]},\n", " {'answer': 'bill_of_fare',\n", " 'hint': 'synonyms for bill of fare',\n", " 'clues': [('menu', 'a list of dishes available at a restaurant'),\n", " ('carte', 'a list of dishes available at a restaurant'),\n", " ('carte du jour', 'a list of dishes available at a restaurant'),\n", " ('card', 'a list of dishes available at a restaurant')]},\n", " {'answer': 'billet',\n", " 'hint': 'synonyms for billet',\n", " 'clues': [('office', 'a job in an organization'),\n", " ('line', 'a short personal letter'),\n", " ('spot', 'a job in an organization'),\n", " ('situation', 'a job in an organization'),\n", " ('note', 'a short personal letter'),\n", " ('post', 'a job in an organization'),\n", " ('berth', 'a job in an organization'),\n", " ('place', 'a job in an organization'),\n", " ('position', 'a job in an organization'),\n", " ('short letter', 'a short personal letter')]},\n", " {'answer': 'billiard_parlor',\n", " 'hint': 'synonyms for billiard parlor',\n", " 'clues': [('billiard parlour', 'a room in which billiards is played'),\n", " ('billiard room', 'a room in which billiards is played'),\n", " ('billiard hall', 'a room in which billiards is played'),\n", " ('billiard saloon', 'a room in which billiards is played')]},\n", " {'answer': 'billiard_parlour',\n", " 'hint': 'synonyms for billiard parlour',\n", " 'clues': [('billiard saloon', 'a room in which billiards is played'),\n", " ('billiard room', 'a room in which billiards is played'),\n", " ('billiard hall', 'a room in which billiards is played'),\n", " ('billiard parlor', 'a room in which billiards is played')]},\n", " {'answer': 'billy',\n", " 'hint': 'synonyms for billy',\n", " 'clues': [('billy club', 'a short stout club used primarily by policemen'),\n", " ('nightstick', 'a short stout club used primarily by policemen'),\n", " ('truncheon', 'a short stout club used primarily by policemen'),\n", " ('baton', 'a short stout club used primarily by policemen'),\n", " ('billystick', 'a short stout club used primarily by policemen')]},\n", " {'answer': 'billy_club',\n", " 'hint': 'synonyms for billy club',\n", " 'clues': [('billy', 'a short stout club used primarily by policemen'),\n", " ('nightstick', 'a short stout club used primarily by policemen'),\n", " ('truncheon', 'a short stout club used primarily by policemen'),\n", " ('baton', 'a short stout club used primarily by policemen'),\n", " ('billystick', 'a short stout club used primarily by policemen')]},\n", " {'answer': 'billystick',\n", " 'hint': 'synonyms for billystick',\n", " 'clues': [('billy club', 'a short stout club used primarily by policemen'),\n", " ('billy', 'a short stout club used primarily by policemen'),\n", " ('nightstick', 'a short stout club used primarily by policemen'),\n", " ('truncheon', 'a short stout club used primarily by policemen'),\n", " ('baton', 'a short stout club used primarily by policemen')]},\n", " {'answer': 'binge',\n", " 'hint': 'synonyms for binge',\n", " 'clues': [('bout', 'an occasion for excessive eating or drinking'),\n", " ('orgy', 'any act of immoderate indulgence'),\n", " ('bust', 'an occasion for excessive eating or drinking'),\n", " ('splurge', 'any act of immoderate indulgence'),\n", " ('tear', 'an occasion for excessive eating or drinking')]},\n", " {'answer': 'bird',\n", " 'hint': 'synonyms for bird',\n", " 'clues': [('hiss',\n", " 'a cry or noise made to express displeasure or contempt'),\n", " ('raspberry', 'a cry or noise made to express displeasure or contempt'),\n", " ('fowl', 'the flesh of a bird or fowl (wild or domestic) used as food'),\n", " ('snort', 'a cry or noise made to express displeasure or contempt'),\n", " ('boo', 'a cry or noise made to express displeasure or contempt'),\n", " ('birdie',\n", " 'badminton equipment consisting of a ball of cork or rubber with a crown of feathers'),\n", " ('shuttlecock',\n", " 'badminton equipment consisting of a ball of cork or rubber with a crown of feathers'),\n", " ('razzing', 'a cry or noise made to express displeasure or contempt'),\n", " ('shuttle',\n", " 'badminton equipment consisting of a ball of cork or rubber with a crown of feathers'),\n", " ('hoot', 'a cry or noise made to express displeasure or contempt')]},\n", " {'answer': 'birth',\n", " 'hint': 'synonyms for birth',\n", " 'clues': [('nascency', 'the event of being born'),\n", " ('parentage', 'the kinship relation of an offspring to the parents'),\n", " ('parturition', 'the process of giving birth'),\n", " ('nativity', 'the event of being born'),\n", " ('birthing', 'the process of giving birth'),\n", " ('giving birth', 'the process of giving birth')]},\n", " {'answer': 'birth_control_device',\n", " 'hint': 'synonyms for birth control device',\n", " 'clues': [('prophylactic device',\n", " 'an agent or device intended to prevent conception'),\n", " ('preventive', 'an agent or device intended to prevent conception'),\n", " ('contraceptive', 'an agent or device intended to prevent conception'),\n", " ('contraceptive device',\n", " 'an agent or device intended to prevent conception')]},\n", " {'answer': 'birth_control_pill',\n", " 'hint': 'synonyms for birth control pill',\n", " 'clues': [('anovulatory drug',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('anovulant',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('pill',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('oral contraceptive',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception'),\n", " ('contraceptive pill',\n", " 'a contraceptive in the form of a pill containing estrogen and progestin to inhibit ovulation and so prevent conception')]},\n", " {'answer': 'birth_rate',\n", " 'hint': 'synonyms for birth rate',\n", " 'clues': [('birthrate',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year'),\n", " ('natality',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year'),\n", " ('fertility',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year'),\n", " ('fertility rate',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year')]},\n", " {'answer': 'birthplace',\n", " 'hint': 'synonyms for birthplace',\n", " 'clues': [('cradle',\n", " 'where something originated or was nurtured in its early existence'),\n", " ('place of birth', 'the place where someone was born'),\n", " ('provenance',\n", " 'where something originated or was nurtured in its early existence'),\n", " ('place of origin',\n", " 'where something originated or was nurtured in its early existence')]},\n", " {'answer': 'birthrate',\n", " 'hint': 'synonyms for birthrate',\n", " 'clues': [('birth rate',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year'),\n", " ('natality',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year'),\n", " ('fertility',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year'),\n", " ('fertility rate',\n", " 'the ratio of live births in an area to the population of that area; expressed per 1000 population per year')]},\n", " {'answer': 'bit',\n", " 'hint': 'synonyms for bit',\n", " 'clues': [('bite', 'a small amount of solid food; a mouthful'),\n", " ('minute', 'an indefinitely short time'),\n", " ('second', 'an indefinitely short time'),\n", " ('morsel', 'a small amount of solid food; a mouthful'),\n", " ('routine',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('number',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('chip', 'a small fragment of something broken off from the whole'),\n", " ('mo', 'an indefinitely short time'),\n", " ('flake', 'a small fragment of something broken off from the whole'),\n", " ('turn',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('snatch', 'a small fragment'),\n", " ('fleck', 'a small fragment of something broken off from the whole'),\n", " ('act',\n", " 'a short theatrical performance that is part of a longer program'),\n", " ('scrap', 'a small fragment of something broken off from the whole'),\n", " ('moment', 'an indefinitely short time'),\n", " ('piece', 'an instance of some kind'),\n", " ('spot', 'a small piece or quantity of something')]},\n", " {'answer': 'bitch',\n", " 'hint': 'synonyms for bitch',\n", " 'clues': [('beef', 'informal terms for objecting'),\n", " ('gripe', 'informal terms for objecting'),\n", " ('kick', 'informal terms for objecting'),\n", " ('squawk', 'informal terms for objecting')]},\n", " {'answer': 'bitchiness',\n", " 'hint': 'synonyms for bitchiness',\n", " 'clues': [('spitefulness',\n", " 'malevolence by virtue of being malicious or spiteful or nasty'),\n", " ('spite',\n", " 'malevolence by virtue of being malicious or spiteful or nasty'),\n", " ('cattiness',\n", " 'malevolence by virtue of being malicious or spiteful or nasty'),\n", " ('nastiness',\n", " 'malevolence by virtue of being malicious or spiteful or nasty')]},\n", " {'answer': 'bite',\n", " 'hint': 'synonyms for bite',\n", " 'clues': [('collation', 'a light informal meal'),\n", " ('morsel', 'a small amount of solid food; a mouthful'),\n", " ('pungency', 'a strong odor or taste property'),\n", " ('snack', 'a light informal meal'),\n", " ('bit', 'a small amount of solid food; a mouthful'),\n", " ('raciness', 'a strong odor or taste property'),\n", " ('chomp', 'the act of gripping or chewing off with the teeth and jaws'),\n", " ('sharpness', 'a strong odor or taste property')]},\n", " {'answer': 'bitterness',\n", " 'hint': 'synonyms for bitterness',\n", " 'clues': [('jaundice', 'a rough and bitter manner'),\n", " ('resentment', 'a feeling of deep and bitter anger and ill-will'),\n", " ('acerbity', 'a rough and bitter manner'),\n", " ('bitter',\n", " 'the taste experience when quinine or coffee is taken into the mouth'),\n", " ('rancor', 'a feeling of deep and bitter anger and ill-will'),\n", " ('thorniness', 'a rough and bitter manner'),\n", " ('tartness', 'a rough and bitter manner'),\n", " ('acrimony', 'a rough and bitter manner'),\n", " ('gall', 'a feeling of deep and bitter anger and ill-will')]},\n", " {'answer': 'bivouac',\n", " 'hint': 'synonyms for bivouac',\n", " 'clues': [('cantonment',\n", " 'temporary living quarters specially built by the army for soldiers'),\n", " ('encampment',\n", " 'temporary living quarters specially built by the army for soldiers'),\n", " ('camp',\n", " 'temporary living quarters specially built by the army for soldiers'),\n", " ('camping site', 'a site where people on holiday can pitch a tent'),\n", " ('campsite', 'a site where people on holiday can pitch a tent'),\n", " ('campground', 'a site where people on holiday can pitch a tent'),\n", " ('camping ground', 'a site where people on holiday can pitch a tent'),\n", " ('camping area', 'a site where people on holiday can pitch a tent')]},\n", " {'answer': 'black_eye',\n", " 'hint': 'synonyms for black eye',\n", " 'clues': [('reversal',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('setback',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('blow',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('reverse',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating')]},\n", " {'answer': 'black_maria',\n", " 'hint': 'synonyms for black maria',\n", " 'clues': [('police van', 'van used by police to transport prisoners'),\n", " ('paddy wagon', 'van used by police to transport prisoners'),\n", " ('wagon', 'van used by police to transport prisoners'),\n", " ('police wagon', 'van used by police to transport prisoners'),\n", " ('patrol wagon', 'van used by police to transport prisoners'),\n", " ('black Maria', 'van used by police to transport prisoners'),\n", " ('hearts',\n", " 'a form of whist in which players avoid winning tricks containing hearts or the queen of spades')]},\n", " {'answer': 'blackjack',\n", " 'hint': 'synonyms for blackjack',\n", " 'clues': [('black flag',\n", " 'a flag usually bearing a white skull and crossbones on a black background; indicates a pirate ship'),\n", " ('vingt-et-un',\n", " 'a gambling game using cards; the object is to hold cards having a higher count than those dealt to the banker up to but not exceeding 21'),\n", " ('cosh',\n", " 'a piece of metal covered by leather with a flexible handle; used for hitting people'),\n", " ('twenty-one',\n", " 'a gambling game using cards; the object is to hold cards having a higher count than those dealt to the banker up to but not exceeding 21'),\n", " ('pirate flag',\n", " 'a flag usually bearing a white skull and crossbones on a black background; indicates a pirate ship'),\n", " ('sap',\n", " 'a piece of metal covered by leather with a flexible handle; used for hitting people')]},\n", " {'answer': 'blade',\n", " 'hint': 'synonyms for blade',\n", " 'clues': [('vane',\n", " 'flat surface that rotates and pushes against air or water'),\n", " ('sword',\n", " 'a cutting or thrusting weapon that has a long metal blade and a hilt with a hand guard'),\n", " ('steel',\n", " 'a cutting or thrusting weapon that has a long metal blade and a hilt with a hand guard'),\n", " ('brand',\n", " 'a cutting or thrusting weapon that has a long metal blade and a hilt with a hand guard')]},\n", " {'answer': 'blah',\n", " 'hint': 'synonyms for blah',\n", " 'clues': [('claptrap', 'pompous or pretentious talk or writing'),\n", " ('fustian', 'pompous or pretentious talk or writing'),\n", " ('rant', 'pompous or pretentious talk or writing'),\n", " ('bombast', 'pompous or pretentious talk or writing')]},\n", " {'answer': 'blahs',\n", " 'hint': 'synonyms for blahs',\n", " 'clues': [('blah', 'pompous or pretentious talk or writing'),\n", " ('fustian', 'pompous or pretentious talk or writing'),\n", " ('rant', 'pompous or pretentious talk or writing'),\n", " ('bombast', 'pompous or pretentious talk or writing'),\n", " ('claptrap', 'pompous or pretentious talk or writing')]},\n", " {'answer': 'blandness',\n", " 'hint': 'synonyms for blandness',\n", " 'clues': [('suavity',\n", " 'the quality of being bland and gracious or ingratiating in manner'),\n", " ('smoothness',\n", " 'the quality of being bland and gracious or ingratiating in manner'),\n", " ('suaveness',\n", " 'the quality of being bland and gracious or ingratiating in manner'),\n", " ('insipidity', 'lacking any distinctive or interesting taste property'),\n", " ('insipidness',\n", " 'lacking any distinctive or interesting taste property')]},\n", " {'answer': 'blare',\n", " 'hint': 'synonyms for blare',\n", " 'clues': [('din', 'a loud harsh or strident noise'),\n", " ('blaring', 'a loud harsh or strident noise'),\n", " ('cacophony', 'a loud harsh or strident noise'),\n", " ('clamor', 'a loud harsh or strident noise')]},\n", " {'answer': 'blast',\n", " 'hint': 'synonyms for blast',\n", " 'clues': [('fire', 'intense adverse criticism'),\n", " ('bang', 'a sudden very loud noise'),\n", " ('blow', 'a strong current of air'),\n", " ('flack', 'intense adverse criticism'),\n", " ('bam', 'a sudden very loud noise'),\n", " ('attack', 'intense adverse criticism'),\n", " ('gust', 'a strong current of air'),\n", " ('eruption', 'a sudden very loud noise'),\n", " ('good time', 'a highly pleasurable or exciting experience'),\n", " ('clap', 'a sudden very loud noise')]},\n", " {'answer': 'blaze',\n", " 'hint': 'synonyms for blaze',\n", " 'clues': [('hell', 'a cause of difficulty and suffering'),\n", " ('glare',\n", " 'a light within the field of vision that is brighter than the brightness to which the eyes are adapted'),\n", " ('blazing', 'a strong flame that burns brightly'),\n", " ('brilliance',\n", " 'a light within the field of vision that is brighter than the brightness to which the eyes are adapted')]},\n", " {'answer': 'blessing',\n", " 'hint': 'synonyms for blessing',\n", " 'clues': [('approval', 'the formal act of approving'),\n", " ('thanksgiving', 'a short prayer of thanks before a meal'),\n", " ('approving', 'the formal act of approving'),\n", " ('benediction', 'the act of praying for divine protection'),\n", " ('grace', 'a short prayer of thanks before a meal')]},\n", " {'answer': 'blether',\n", " 'hint': 'synonyms for blether',\n", " 'clues': [('idle talk', 'idle or foolish and irrelevant talk'),\n", " ('prate', 'idle or foolish and irrelevant talk'),\n", " ('prattle', 'idle or foolish and irrelevant talk'),\n", " ('chin music', 'idle or foolish and irrelevant talk')]},\n", " {'answer': 'blink',\n", " 'hint': 'synonyms for blink',\n", " 'clues': [('nictation', 'a reflex that closes and opens the eyes rapidly'),\n", " ('eye blink', 'a reflex that closes and opens the eyes rapidly'),\n", " ('wink', 'a reflex that closes and opens the eyes rapidly'),\n", " ('blinking', 'a reflex that closes and opens the eyes rapidly')]},\n", " {'answer': 'blink_of_an_eye',\n", " 'hint': 'synonyms for blink of an eye',\n", " 'clues': [('flash',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('instant',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('jiffy',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('trice',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('split second',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('wink',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('twinkling',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)'),\n", " ('heartbeat',\n", " 'a very short time (as the time it takes the eye to blink or the heart to beat)')]},\n", " {'answer': 'blinker',\n", " 'hint': 'synonyms for blinker',\n", " 'clues': [('turn indicator',\n", " 'a blinking light on a motor vehicle that indicates the direction in which the vehicle is about to turn'),\n", " ('turn signal',\n", " 'a blinking light on a motor vehicle that indicates the direction in which the vehicle is about to turn'),\n", " ('blinder',\n", " 'blind consisting of a leather eyepatch sewn to the side of the halter that prevents a horse from seeing something on either side'),\n", " ('winker',\n", " 'blind consisting of a leather eyepatch sewn to the side of the halter that prevents a horse from seeing something on either side'),\n", " ('trafficator',\n", " 'a blinking light on a motor vehicle that indicates the direction in which the vehicle is about to turn'),\n", " ('flasher',\n", " 'a light that flashes on and off; used as a signal or to send messages')]},\n", " {'answer': 'blinks',\n", " 'hint': 'synonyms for blinks',\n", " 'clues': [('nictation', 'a reflex that closes and opens the eyes rapidly'),\n", " ('eye blink', 'a reflex that closes and opens the eyes rapidly'),\n", " ('wink', 'a reflex that closes and opens the eyes rapidly'),\n", " ('blinking', 'a reflex that closes and opens the eyes rapidly')]},\n", " {'answer': 'blistering_agent',\n", " 'hint': 'synonyms for blistering agent',\n", " 'clues': [('dichloroethyl sulfide',\n", " 'a toxic war gas with sulfide based compounds that raises blisters and attacks the eyes and lungs; there is no known antidote'),\n", " ('mustard agent',\n", " 'a toxic war gas with sulfide based compounds that raises blisters and attacks the eyes and lungs; there is no known antidote'),\n", " ('mustard gas',\n", " 'a toxic war gas with sulfide based compounds that raises blisters and attacks the eyes and lungs; there is no known antidote'),\n", " ('sulfur mustard',\n", " 'a toxic war gas with sulfide based compounds that raises blisters and attacks the eyes and lungs; there is no known antidote')]},\n", " {'answer': 'block',\n", " 'hint': 'synonyms for block',\n", " 'clues': [('engine block',\n", " 'a metal casting containing the cylinders and cooling ducts of an engine'),\n", " ('closure', 'an obstruction in a pipe or tube'),\n", " ('cube',\n", " 'a three-dimensional shape with six square or rectangular sides'),\n", " ('pulley block',\n", " 'a simple machine consisting of a wheel with a groove in which a rope can run to change the direction or point of application of a force applied to the rope'),\n", " ('stoppage', 'an obstruction in a pipe or tube'),\n", " ('blocking', \"the act of obstructing or deflecting someone's movements\"),\n", " ('occlusion', 'an obstruction in a pipe or tube'),\n", " ('city block',\n", " 'a rectangular area in a city surrounded by streets and usually containing several buildings'),\n", " ('mental block',\n", " 'an inability to remember or think of something you normally can do; often caused by emotional tension'),\n", " ('auction block', 'a platform from which an auctioneer sells'),\n", " ('blockage', 'an obstruction in a pipe or tube'),\n", " ('stop', 'an obstruction in a pipe or tube'),\n", " ('pulley',\n", " 'a simple machine consisting of a wheel with a groove in which a rope can run to change the direction or point of application of a force applied to the rope'),\n", " ('cylinder block',\n", " 'a metal casting containing the cylinders and cooling ducts of an engine')]},\n", " {'answer': 'blockage',\n", " 'hint': 'synonyms for blockage',\n", " 'clues': [('occlusion', 'the act of blocking'),\n", " ('closure', 'an obstruction in a pipe or tube'),\n", " ('block', 'an obstruction in a pipe or tube'),\n", " ('stoppage', 'an obstruction in a pipe or tube'),\n", " ('stop', 'an obstruction in a pipe or tube')]},\n", " {'answer': 'blood',\n", " 'hint': 'synonyms for blood',\n", " 'clues': [('bloodline', 'the descendants of one individual'),\n", " ('line', 'the descendants of one individual'),\n", " ('lineage', 'the descendants of one individual'),\n", " ('origin', 'the descendants of one individual'),\n", " ('pedigree', 'the descendants of one individual'),\n", " ('stemma', 'the descendants of one individual'),\n", " ('stock', 'the descendants of one individual'),\n", " ('ancestry', 'the descendants of one individual'),\n", " ('line of descent', 'the descendants of one individual'),\n", " ('parentage', 'the descendants of one individual'),\n", " ('descent', 'the descendants of one individual')]},\n", " {'answer': 'blood_line',\n", " 'hint': 'synonyms for blood line',\n", " 'clues': [('bloodline', 'the descendants of one individual'),\n", " ('line', 'the descendants of one individual'),\n", " ('lineage', 'the descendants of one individual'),\n", " ('origin', 'the descendants of one individual'),\n", " ('blood', 'the descendants of one individual'),\n", " ('pedigree', 'the descendants of one individual'),\n", " ('stemma', 'the descendants of one individual'),\n", " ('stock', 'the descendants of one individual'),\n", " ('ancestry', 'the descendants of one individual'),\n", " ('line of descent', 'the descendants of one individual'),\n", " ('parentage', 'the descendants of one individual'),\n", " ('descent', 'the descendants of one individual')]},\n", " {'answer': 'bloodline',\n", " 'hint': 'synonyms for bloodline',\n", " 'clues': [('line', 'the descendants of one individual'),\n", " ('lineage', 'the descendants of one individual'),\n", " ('origin', 'the descendants of one individual'),\n", " ('pedigree', 'ancestry of a purebred animal'),\n", " ('blood', 'the descendants of one individual'),\n", " ('stemma', 'the descendants of one individual'),\n", " ('stock', 'the descendants of one individual'),\n", " ('ancestry', 'the descendants of one individual'),\n", " ('line of descent', 'the descendants of one individual'),\n", " ('blood line', 'the descendants of one individual'),\n", " ('parentage', 'the descendants of one individual'),\n", " ('descent', 'the descendants of one individual')]},\n", " {'answer': 'bloodshed',\n", " 'hint': 'synonyms for bloodshed',\n", " 'clues': [('bloodbath', 'indiscriminate slaughter'),\n", " ('gore', 'the shedding of blood resulting in murder'),\n", " ('bloodletting', 'indiscriminate slaughter'),\n", " ('battue', 'indiscriminate slaughter')]},\n", " {'answer': 'bloom',\n", " 'hint': 'synonyms for bloom',\n", " 'clues': [('flower', 'the period of greatest prosperity or productivity'),\n", " ('salad days', 'the best time of youth'),\n", " ('bloom of youth', 'the best time of youth'),\n", " ('blossom', 'the period of greatest prosperity or productivity'),\n", " ('efflorescence', 'the period of greatest prosperity or productivity'),\n", " ('flush', 'the period of greatest prosperity or productivity'),\n", " ('peak', 'the period of greatest prosperity or productivity'),\n", " ('prime', 'the period of greatest prosperity or productivity'),\n", " ('heyday', 'the period of greatest prosperity or productivity'),\n", " ('blooming', 'the organic process of bearing flowers')]},\n", " {'answer': 'bloomer',\n", " 'hint': 'synonyms for bloomer',\n", " 'clues': [('blooper', 'an embarrassing mistake'),\n", " ('botch', 'an embarrassing mistake'),\n", " ('bungle', 'an embarrassing mistake'),\n", " ('fuckup', 'an embarrassing mistake'),\n", " ('boner', 'an embarrassing mistake'),\n", " ('foul-up', 'an embarrassing mistake'),\n", " ('pratfall', 'an embarrassing mistake'),\n", " ('flub', 'an embarrassing mistake'),\n", " ('blunder', 'an embarrassing mistake'),\n", " ('boo-boo', 'an embarrassing mistake')]},\n", " {'answer': 'bloomers',\n", " 'hint': 'synonyms for bloomers',\n", " 'clues': [('blooper', 'an embarrassing mistake'),\n", " ('botch', 'an embarrassing mistake'),\n", " ('bungle', 'an embarrassing mistake'),\n", " ('fuckup', 'an embarrassing mistake'),\n", " ('knickers', 'underpants worn by women'),\n", " ('boner', 'an embarrassing mistake'),\n", " ('foul-up', 'an embarrassing mistake'),\n", " ('pants', 'underpants worn by women'),\n", " ('pratfall', 'an embarrassing mistake'),\n", " ('flub', 'an embarrassing mistake'),\n", " ('blunder', 'an embarrassing mistake'),\n", " ('boo-boo', 'an embarrassing mistake'),\n", " ('drawers', 'underpants worn by women')]},\n", " {'answer': 'blooper',\n", " 'hint': 'synonyms for blooper',\n", " 'clues': [('botch', 'an embarrassing mistake'),\n", " ('bungle', 'an embarrassing mistake'),\n", " ('fuckup', 'an embarrassing mistake'),\n", " ('boner', 'an embarrassing mistake'),\n", " ('foul-up', 'an embarrassing mistake'),\n", " ('pratfall', 'an embarrassing mistake'),\n", " ('flub', 'an embarrassing mistake'),\n", " ('blunder', 'an embarrassing mistake'),\n", " ('boo-boo', 'an embarrassing mistake'),\n", " ('bloomer', 'an embarrassing mistake')]},\n", " {'answer': 'blossom',\n", " 'hint': 'synonyms for blossom',\n", " 'clues': [('bloom', 'the period of greatest prosperity or productivity'),\n", " ('flower', 'the period of greatest prosperity or productivity'),\n", " ('efflorescence', 'the period of greatest prosperity or productivity'),\n", " ('flush', 'the period of greatest prosperity or productivity'),\n", " ('peak', 'the period of greatest prosperity or productivity'),\n", " ('prime', 'the period of greatest prosperity or productivity'),\n", " ('heyday', 'the period of greatest prosperity or productivity')]},\n", " {'answer': 'blossoming',\n", " 'hint': 'synonyms for blossoming',\n", " 'clues': [('efflorescence',\n", " 'the time and process of budding and unfolding of blossoms'),\n", " ('inflorescence',\n", " 'the time and process of budding and unfolding of blossoms'),\n", " ('flowering',\n", " 'the time and process of budding and unfolding of blossoms'),\n", " ('anthesis',\n", " 'the time and process of budding and unfolding of blossoms')]},\n", " {'answer': 'blot',\n", " 'hint': 'synonyms for blot',\n", " 'clues': [('smirch', 'a blemish made by dirt'),\n", " ('spot', 'a blemish made by dirt'),\n", " ('smear', 'a blemish made by dirt'),\n", " ('slur', 'a blemish made by dirt'),\n", " ('daub', 'a blemish made by dirt'),\n", " ('stain', 'an act that brings discredit to the person who does it'),\n", " ('smudge', 'a blemish made by dirt')]},\n", " {'answer': 'blotter',\n", " 'hint': 'synonyms for blotter',\n", " 'clues': [('blotting paper', 'absorbent paper used to dry ink'),\n", " ('day book',\n", " 'the daily written record of events (as arrests) in a police station'),\n", " ('police blotter',\n", " 'the daily written record of events (as arrests) in a police station'),\n", " ('charge sheet',\n", " 'the daily written record of events (as arrests) in a police station'),\n", " ('rap sheet',\n", " 'the daily written record of events (as arrests) in a police station')]},\n", " {'answer': 'blow',\n", " 'hint': 'synonyms for blow',\n", " 'clues': [('reversal',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('blast', 'a strong current of air'),\n", " ('black eye',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('bump', 'an impact (as from a collision)'),\n", " ('nose candy', 'street names for cocaine'),\n", " ('coke', 'street names for cocaine'),\n", " ('snow', 'street names for cocaine'),\n", " ('gust', 'a strong current of air'),\n", " ('puff', 'forceful exhalation through the nose or mouth'),\n", " ('reverse',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating'),\n", " ('shock', 'an unpleasant or disappointing surprise'),\n", " ('setback',\n", " 'an unfortunate happening that hinders or impedes; something that is thwarting or frustrating')]},\n", " {'answer': 'blowout',\n", " 'hint': 'synonyms for blowout',\n", " 'clues': [('gala affair', 'a gay festivity'),\n", " ('laugher', 'an easy victory'),\n", " ('jamboree', 'a gay festivity'),\n", " ('romp', 'an easy victory'),\n", " ('walkaway', 'an easy victory'),\n", " ('runaway', 'an easy victory'),\n", " ('shoo-in', 'an easy victory'),\n", " ('gala', 'a gay festivity')]},\n", " {'answer': 'blowup',\n", " 'hint': 'synonyms for blowup',\n", " 'clues': [('detonation',\n", " 'a violent release of energy caused by a chemical or nuclear reaction'),\n", " ('ebullition', 'an unrestrained expression of emotion'),\n", " ('explosion',\n", " 'a violent release of energy caused by a chemical or nuclear reaction'),\n", " ('effusion', 'an unrestrained expression of emotion'),\n", " ('gush', 'an unrestrained expression of emotion'),\n", " ('enlargement', 'a photographic print that has been enlarged'),\n", " ('outburst', 'an unrestrained expression of emotion'),\n", " ('magnification', 'a photographic print that has been enlarged')]},\n", " {'answer': 'blue_devils',\n", " 'hint': 'synonyms for blue devils',\n", " 'clues': [('amobarbital sodium',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blue',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blue angel',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blue devil',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic')]},\n", " {'answer': 'blues',\n", " 'hint': 'synonyms for blues',\n", " 'clues': [('blue', 'the sky as viewed during daylight'),\n", " ('blue air', 'the sky as viewed during daylight'),\n", " ('blueness',\n", " 'blue color or pigment; resembling the color of the clear sky in the daytime'),\n", " ('wild blue yonder', 'the sky as viewed during daylight'),\n", " ('blue sky', 'the sky as viewed during daylight'),\n", " ('amobarbital sodium',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('bluing', 'used to whiten laundry or hair or give it a bluish tinge'),\n", " ('blue angel',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic'),\n", " ('blue devil',\n", " 'the sodium salt of amobarbital that is used as a barbiturate; used as a sedative and a hypnotic')]},\n", " {'answer': 'blunder',\n", " 'hint': 'synonyms for blunder',\n", " 'clues': [('blooper', 'an embarrassing mistake'),\n", " ('botch', 'an embarrassing mistake'),\n", " ('bungle', 'an embarrassing mistake'),\n", " ('fuckup', 'an embarrassing mistake'),\n", " ('boner', 'an embarrassing mistake'),\n", " ('foul-up', 'an embarrassing mistake'),\n", " ('pratfall', 'an embarrassing mistake'),\n", " ('flub', 'an embarrassing mistake'),\n", " ('boo-boo', 'an embarrassing mistake')]},\n", " {'answer': 'blurriness',\n", " 'hint': 'synonyms for blurriness',\n", " 'clues': [('indistinctness',\n", " 'the quality of being indistinct and without sharp outlines'),\n", " ('fuzziness',\n", " 'the quality of being indistinct and without sharp outlines'),\n", " ('softness',\n", " 'the quality of being indistinct and without sharp outlines'),\n", " ('fogginess',\n", " 'the quality of being indistinct and without sharp outlines')]},\n", " {'answer': 'bm',\n", " 'hint': 'synonyms for bm',\n", " 'clues': [('dejection',\n", " 'solid excretory product evacuated from the bowels'),\n", " ('bowel movement', 'a euphemism for defecation'),\n", " ('stool', 'solid excretory product evacuated from the bowels'),\n", " ('movement', 'a euphemism for defecation'),\n", " ('faeces', 'solid excretory product evacuated from the bowels'),\n", " ('faecal matter', 'solid excretory product evacuated from the bowels'),\n", " ('ordure', 'solid excretory product evacuated from the bowels')]},\n", " {'answer': 'board',\n", " 'hint': 'synonyms for board',\n", " 'clues': [('circuit board',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('card',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('control board',\n", " 'electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices'),\n", " ('plank',\n", " 'a stout length of sawn timber; made in a wide variety of sizes and used for many purposes'),\n", " ('instrument panel',\n", " 'electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices'),\n", " ('gameboard',\n", " 'a flat portable surface (usually rectangular) designed for board games'),\n", " ('add-in',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('dining table', 'a table at which meals are served'),\n", " ('control panel',\n", " 'electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices'),\n", " ('table', 'food or meals in general'),\n", " ('panel',\n", " 'electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices'),\n", " ('display panel',\n", " 'a vertical surface on which information can be displayed to public view'),\n", " ('display board',\n", " 'a vertical surface on which information can be displayed to public view'),\n", " ('plug-in',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\")]},\n", " {'answer': 'boards',\n", " 'hint': 'synonyms for boards',\n", " 'clues': [('board',\n", " 'a stout length of sawn timber; made in a wide variety of sizes and used for many purposes'),\n", " ('circuit board',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('card',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('control board',\n", " 'electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices'),\n", " ('plank',\n", " 'a stout length of sawn timber; made in a wide variety of sizes and used for many purposes'),\n", " ('gameboard',\n", " 'a flat portable surface (usually rectangular) designed for board games'),\n", " ('dining table', 'a table at which meals are served'),\n", " ('control panel',\n", " 'electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices'),\n", " ('table', 'food or meals in general'),\n", " ('instrument panel',\n", " 'electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices'),\n", " ('panel',\n", " 'electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices'),\n", " ('display panel',\n", " 'a vertical surface on which information can be displayed to public view'),\n", " ('display board',\n", " 'a vertical surface on which information can be displayed to public view'),\n", " ('plug-in',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\"),\n", " ('add-in',\n", " \"a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities\")]},\n", " {'answer': 'boater',\n", " 'hint': 'synonyms for boater',\n", " 'clues': [('straw hat', 'a stiff hat made of straw with a flat crown'),\n", " ('skimmer', 'a stiff hat made of straw with a flat crown'),\n", " ('sailor', 'a stiff hat made of straw with a flat crown'),\n", " ('leghorn', 'a stiff hat made of straw with a flat crown')]},\n", " {'answer': 'bob',\n", " 'hint': 'synonyms for bob',\n", " 'clues': [('shilling', 'a former monetary unit in Great Britain'),\n", " ('cork',\n", " 'a small float usually made of cork; attached to a fishing line'),\n", " ('bobsled',\n", " 'a long racing sled (for 2 or more people) with a steering mechanism'),\n", " ('bobsleigh',\n", " 'a long racing sled (for 2 or more people) with a steering mechanism'),\n", " ('bobfloat',\n", " 'a small float usually made of cork; attached to a fishing line'),\n", " ('bobber',\n", " 'a small float usually made of cork; attached to a fishing line')]},\n", " {'answer': 'body_armor',\n", " 'hint': 'synonyms for body armor',\n", " 'clues': [('body armour', \"armor that protects the wearer's whole body\"),\n", " ('cataphract', \"armor that protects the wearer's whole body\"),\n", " ('coat of mail', \"armor that protects the wearer's whole body\"),\n", " ('suit of armour', \"armor that protects the wearer's whole body\")]},\n", " {'answer': 'body_armour',\n", " 'hint': 'synonyms for body armour',\n", " 'clues': [('body armor', \"armor that protects the wearer's whole body\"),\n", " ('cataphract', \"armor that protects the wearer's whole body\"),\n", " ('coat of mail', \"armor that protects the wearer's whole body\"),\n", " ('suit of armour', \"armor that protects the wearer's whole body\")]},\n", " {'answer': 'body_politic',\n", " 'hint': 'synonyms for body politic',\n", " 'clues': [('country',\n", " 'a politically organized body of people under a single government'),\n", " ('state',\n", " 'a politically organized body of people under a single government'),\n", " ('commonwealth',\n", " 'a politically organized body of people under a single government'),\n", " ('land',\n", " 'a politically organized body of people under a single government'),\n", " ('res publica',\n", " 'a politically organized body of people under a single government'),\n", " ('nation',\n", " 'a politically organized body of people under a single government')]},\n", " {'answer': 'body_waste',\n", " 'hint': 'synonyms for body waste',\n", " 'clues': [('excretory product',\n", " 'waste matter (as urine or sweat but especially feces) discharged from the body'),\n", " ('excretion',\n", " 'waste matter (as urine or sweat but especially feces) discharged from the body'),\n", " ('excrement',\n", " 'waste matter (as urine or sweat but especially feces) discharged from the body'),\n", " ('excreta',\n", " 'waste matter (as urine or sweat but especially feces) discharged from the body')]},\n", " {'answer': 'boldness',\n", " 'hint': 'synonyms for boldness',\n", " 'clues': [('hardihood',\n", " 'the trait of being willing to undertake things that involve risk or danger'),\n", " ('nerve', 'impudent aggressiveness'),\n", " ('hardiness',\n", " 'the trait of being willing to undertake things that involve risk or danger'),\n", " ('cheek', 'impudent aggressiveness'),\n", " ('brass', 'impudent aggressiveness'),\n", " ('face', 'impudent aggressiveness'),\n", " ('daring',\n", " 'the trait of being willing to undertake things that involve risk or danger'),\n", " ('strikingness', 'the quality of standing out strongly and distinctly')]},\n", " {'answer': 'boloney',\n", " 'hint': 'synonyms for boloney',\n", " 'clues': [('tarradiddle', 'pretentious or silly talk or writing'),\n", " ('twaddle', 'pretentious or silly talk or writing'),\n", " ('baloney', 'pretentious or silly talk or writing'),\n", " ('tosh', 'pretentious or silly talk or writing'),\n", " ('bilgewater', 'pretentious or silly talk or writing'),\n", " ('bosh', 'pretentious or silly talk or writing'),\n", " ('tommyrot', 'pretentious or silly talk or writing'),\n", " ('humbug', 'pretentious or silly talk or writing'),\n", " ('drool', 'pretentious or silly talk or writing')]},\n", " {'answer': 'bombardment',\n", " 'hint': 'synonyms for bombardment',\n", " 'clues': [('shelling',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('battery',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('barrage fire',\n", " 'the heavy fire of artillery to saturate an area rather than hit a specific target'),\n", " ('onslaught',\n", " 'the rapid and continuous delivery of linguistic communication (spoken or written)'),\n", " ('bombing', 'an attack by dropping bombs'),\n", " ('barrage',\n", " 'the rapid and continuous delivery of linguistic communication (spoken or written)'),\n", " ('outpouring',\n", " 'the rapid and continuous delivery of linguistic communication (spoken or written)')]},\n", " {'answer': 'bombast',\n", " 'hint': 'synonyms for bombast',\n", " 'clues': [('blah', 'pompous or pretentious talk or writing'),\n", " ('fustian', 'pompous or pretentious talk or writing'),\n", " ('rant', 'pompous or pretentious talk or writing'),\n", " ('claptrap', 'pompous or pretentious talk or writing')]},\n", " {'answer': 'bomber',\n", " 'hint': 'synonyms for bomber',\n", " 'clues': [('torpedo',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('submarine sandwich',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('hoagie',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('poor boy',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('hero sandwich',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('hero',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('hoagy',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('submarine',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('grinder',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('wedge',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('zep',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States'),\n", " ('sub',\n", " 'a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States')]},\n", " {'answer': 'bon_ton',\n", " 'hint': 'synonyms for bon ton',\n", " 'clues': [('smart set', 'the fashionable elite'),\n", " ('beau monde', 'the fashionable elite'),\n", " ('society', 'the fashionable elite'),\n", " ('high society', 'the fashionable elite')]},\n", " {'answer': 'bonanza',\n", " 'hint': 'synonyms for bonanza',\n", " 'clues': [('manna from heaven',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('bunce',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('gravy',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('gold rush',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('windfall',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('boom',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('godsend',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)')]},\n", " {'answer': 'bond',\n", " 'hint': 'synonyms for bond',\n", " 'clues': [('trammel',\n", " 'a restraint that confines or restricts freedom (especially something used to tie down or restrain a prisoner)'),\n", " ('adhesiveness',\n", " 'the property of sticking together (as of glue and wood) or the joining of surfaces of different composition'),\n", " ('bond paper',\n", " 'a superior quality of strong durable white writing paper; originally made for printing documents'),\n", " ('bond certificate',\n", " 'a certificate of debt (usually interest-bearing or discounted) that is issued by a government or corporation in order to raise money; the issuer is required to pay a fixed sum annually until maturity and then a fixed sum to repay the principal'),\n", " ('bail bond',\n", " '(criminal law) money that must be forfeited by the bondsman if an accused person fails to appear in court for trial'),\n", " ('attachment', 'a connection that fastens things together'),\n", " ('chemical bond', 'an electrical force linking atoms'),\n", " ('shackle',\n", " 'a restraint that confines or restricts freedom (especially something used to tie down or restrain a prisoner)'),\n", " ('adhesion',\n", " 'the property of sticking together (as of glue and wood) or the joining of surfaces of different composition'),\n", " ('adherence',\n", " 'the property of sticking together (as of glue and wood) or the joining of surfaces of different composition'),\n", " ('alliance',\n", " 'a connection based on kinship or marriage or common interest'),\n", " ('bail',\n", " '(criminal law) money that must be forfeited by the bondsman if an accused person fails to appear in court for trial'),\n", " ('hamper',\n", " 'a restraint that confines or restricts freedom (especially something used to tie down or restrain a prisoner)')]},\n", " {'answer': 'boner',\n", " 'hint': 'synonyms for boner',\n", " 'clues': [('blooper', 'an embarrassing mistake'),\n", " ('botch', 'an embarrassing mistake'),\n", " ('bungle', 'an embarrassing mistake'),\n", " ('fuckup', 'an embarrassing mistake'),\n", " ('foul-up', 'an embarrassing mistake'),\n", " ('pratfall', 'an embarrassing mistake'),\n", " ('flub', 'an embarrassing mistake'),\n", " ('blunder', 'an embarrassing mistake'),\n", " ('boo-boo', 'an embarrassing mistake')]},\n", " {'answer': 'bones',\n", " 'hint': 'synonyms for bones',\n", " 'clues': [('clappers',\n", " 'a percussion instrument consisting of a pair of hollow pieces of wood or bone (usually held between the thumb and fingers) that are made to click together (as by Spanish dancers) in rhythm with the dance'),\n", " ('castanets',\n", " 'a percussion instrument consisting of a pair of hollow pieces of wood or bone (usually held between the thumb and fingers) that are made to click together (as by Spanish dancers) in rhythm with the dance'),\n", " ('ivory', 'a shade of white the color of bleached bones'),\n", " ('off-white', 'a shade of white the color of bleached bones'),\n", " ('pearl', 'a shade of white the color of bleached bones'),\n", " ('osseous tissue',\n", " 'the porous calcified substance from which bones are made'),\n", " ('finger cymbals',\n", " 'a percussion instrument consisting of a pair of hollow pieces of wood or bone (usually held between the thumb and fingers) that are made to click together (as by Spanish dancers) in rhythm with the dance'),\n", " ('bone', 'a shade of white the color of bleached bones')]},\n", " {'answer': 'bonhomie',\n", " 'hint': 'synonyms for bonhomie',\n", " 'clues': [('geniality',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('amiability',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('amiableness',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('affableness',\n", " 'a disposition to be friendly and approachable (easy to talk to)'),\n", " ('affability',\n", " 'a disposition to be friendly and approachable (easy to talk to)')]},\n", " {'answer': 'boniness',\n", " 'hint': 'synonyms for boniness',\n", " 'clues': [('gauntness',\n", " 'extreme leanness (usually caused by starvation or disease)'),\n", " ('emaciation',\n", " 'extreme leanness (usually caused by starvation or disease)'),\n", " ('bonyness',\n", " 'extreme leanness (usually caused by starvation or disease)'),\n", " ('maceration',\n", " 'extreme leanness (usually caused by starvation or disease)')]},\n", " {'answer': 'bonyness',\n", " 'hint': 'synonyms for bonyness',\n", " 'clues': [('gauntness',\n", " 'extreme leanness (usually caused by starvation or disease)'),\n", " ('boniness',\n", " 'extreme leanness (usually caused by starvation or disease)'),\n", " ('emaciation',\n", " 'extreme leanness (usually caused by starvation or disease)'),\n", " ('maceration',\n", " 'extreme leanness (usually caused by starvation or disease)')]},\n", " {'answer': 'boo',\n", " 'hint': 'synonyms for boo',\n", " 'clues': [('razzing',\n", " 'a cry or noise made to express displeasure or contempt'),\n", " ('hiss', 'a cry or noise made to express displeasure or contempt'),\n", " ('raspberry', 'a cry or noise made to express displeasure or contempt'),\n", " ('bird', 'a cry or noise made to express displeasure or contempt'),\n", " ('snort', 'a cry or noise made to express displeasure or contempt'),\n", " ('hoot', 'a cry or noise made to express displeasure or contempt')]},\n", " {'answer': 'boo-boo',\n", " 'hint': 'synonyms for boo-boo',\n", " 'clues': [('blooper', 'an embarrassing mistake'),\n", " ('botch', 'an embarrassing mistake'),\n", " ('bungle', 'an embarrassing mistake'),\n", " ('fuckup', 'an embarrassing mistake'),\n", " ('boner', 'an embarrassing mistake'),\n", " ('foul-up', 'an embarrassing mistake'),\n", " ('pratfall', 'an embarrassing mistake'),\n", " ('flub', 'an embarrassing mistake'),\n", " ('blunder', 'an embarrassing mistake')]},\n", " {'answer': 'boob_tube',\n", " 'hint': 'synonyms for boob tube',\n", " 'clues': [('television',\n", " 'an electronic device that receives television signals and displays them on a screen'),\n", " ('tv set',\n", " 'an electronic device that receives television signals and displays them on a screen'),\n", " ('telly',\n", " 'an electronic device that receives television signals and displays them on a screen'),\n", " ('television set',\n", " 'an electronic device that receives television signals and displays them on a screen'),\n", " ('goggle box',\n", " 'an electronic device that receives television signals and displays them on a screen'),\n", " ('idiot box',\n", " 'an electronic device that receives television signals and displays them on a screen'),\n", " ('tv',\n", " 'an electronic device that receives television signals and displays them on a screen'),\n", " ('television receiver',\n", " 'an electronic device that receives television signals and displays them on a screen')]},\n", " {'answer': 'booby_hatch',\n", " 'hint': 'synonyms for booby hatch',\n", " 'clues': [('loony bin', 'pejorative terms for an insane asylum'),\n", " ('sanatorium', 'pejorative terms for an insane asylum'),\n", " ('funny farm', 'pejorative terms for an insane asylum'),\n", " ('madhouse', 'pejorative terms for an insane asylum'),\n", " ('funny house', 'pejorative terms for an insane asylum'),\n", " ('nuthouse', 'pejorative terms for an insane asylum'),\n", " (\"cuckoo's nest\", 'pejorative terms for an insane asylum'),\n", " ('crazy house', 'pejorative terms for an insane asylum'),\n", " ('snake pit', 'pejorative terms for an insane asylum')]},\n", " {'answer': 'boodle',\n", " 'hint': 'synonyms for boodle',\n", " 'clues': [('kale', 'informal terms for money'),\n", " ('scratch', 'informal terms for money'),\n", " ('dinero', 'informal terms for money'),\n", " ('shekels', 'informal terms for money'),\n", " ('cabbage', 'informal terms for money'),\n", " ('lettuce', 'informal terms for money'),\n", " ('gelt', 'informal terms for money'),\n", " ('lucre', 'informal terms for money'),\n", " ('dough', 'informal terms for money'),\n", " ('wampum', 'informal terms for money'),\n", " ('pelf', 'informal terms for money'),\n", " ('stops',\n", " 'a gambling card game in which chips are placed on the ace and king and queen and jack of separate suits (taken from a separate deck); a player plays the lowest card of a suit in his hand and successively higher cards are played until the sequence stops; the player who plays a card matching one in the layout wins all the chips on that card'),\n", " ('clams', 'informal terms for money'),\n", " ('lolly', 'informal terms for money'),\n", " ('loot', 'informal terms for money'),\n", " ('bread', 'informal terms for money'),\n", " ('sugar', 'informal terms for money'),\n", " ('simoleons', 'informal terms for money'),\n", " ('moolah', 'informal terms for money')]},\n", " {'answer': 'book',\n", " 'hint': 'synonyms for book',\n", " 'clues': [(\"al-Qur'an\",\n", " 'the sacred writings of Islam revealed by God to the prophet Muhammad during his life at Mecca and Medina'),\n", " ('volume',\n", " 'physical objects consisting of a number of pages bound together'),\n", " ('script',\n", " 'a written version of a play or other dramatic composition; used in preparing for a performance'),\n", " ('playscript',\n", " 'a written version of a play or other dramatic composition; used in preparing for a performance'),\n", " ('ledger', 'a record in which commercial accounts are recorded'),\n", " ('record',\n", " 'a compilation of the known facts regarding something or someone'),\n", " ('book of account', 'a record in which commercial accounts are recorded'),\n", " ('record book',\n", " 'a compilation of the known facts regarding something or someone'),\n", " ('rule book',\n", " 'a collection of rules or prescribed standards on the basis of which decisions are made'),\n", " ('account book', 'a record in which commercial accounts are recorded')]},\n", " {'answer': 'booklet',\n", " 'hint': 'synonyms for booklet',\n", " 'clues': [('brochure', 'a small book usually having a paper cover'),\n", " ('folder', 'a small book usually having a paper cover'),\n", " ('leaflet', 'a small book usually having a paper cover'),\n", " ('pamphlet', 'a small book usually having a paper cover')]},\n", " {'answer': 'boom',\n", " 'hint': 'synonyms for boom',\n", " 'clues': [('roar', 'a deep prolonged loud noise'),\n", " ('bunce',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('microphone boom',\n", " 'a pole carrying an overhead microphone projected over a film or tv set'),\n", " ('windfall',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('godsend',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('bonanza',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('gravy',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('thunder', 'a deep prolonged loud noise'),\n", " ('gold rush',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)'),\n", " ('manna from heaven',\n", " 'a sudden happening that brings good fortune (as a sudden opportunity to make money)')]},\n", " {'answer': 'boost',\n", " 'hint': 'synonyms for boost',\n", " 'clues': [('hike', 'an increase in cost'),\n", " ('cost increase', 'an increase in cost'),\n", " ('rise', 'an increase in cost'),\n", " ('encouragement', 'the act of giving hope or support to someone')]},\n", " {'answer': 'booster',\n", " 'hint': 'synonyms for booster',\n", " 'clues': [('booster station',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('relay link',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('booster rocket', 'the first stage of a multistage rocket'),\n", " ('relay transmitter',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('booster unit', 'the first stage of a multistage rocket'),\n", " ('relay station',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('booster amplifier',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('takeoff booster', 'the first stage of a multistage rocket'),\n", " ('booster dose',\n", " 'an additional dose that makes sure the first dose was effective'),\n", " ('recall dose',\n", " 'an additional dose that makes sure the first dose was effective'),\n", " ('takeoff rocket', 'the first stage of a multistage rocket'),\n", " ('booster shot',\n", " 'an additional dose that makes sure the first dose was effective')]},\n", " {'answer': 'booster_amplifier',\n", " 'hint': 'synonyms for booster amplifier',\n", " 'clues': [('booster station',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('relay link',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('relay transmitter',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('booster',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('relay station',\n", " 'an amplifier for restoring the strength of a transmitted signal')]},\n", " {'answer': 'booster_rocket',\n", " 'hint': 'synonyms for booster rocket',\n", " 'clues': [('takeoff booster', 'the first stage of a multistage rocket'),\n", " ('booster', 'the first stage of a multistage rocket'),\n", " ('takeoff rocket', 'the first stage of a multistage rocket'),\n", " ('booster unit', 'the first stage of a multistage rocket')]},\n", " {'answer': 'booster_station',\n", " 'hint': 'synonyms for booster station',\n", " 'clues': [('relay link',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('relay transmitter',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('booster',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('relay station',\n", " 'an amplifier for restoring the strength of a transmitted signal'),\n", " ('booster amplifier',\n", " 'an amplifier for restoring the strength of a transmitted signal')]},\n", " {'answer': 'booster_unit',\n", " 'hint': 'synonyms for booster unit',\n", " 'clues': [('takeoff booster', 'the first stage of a multistage rocket'),\n", " ('booster', 'the first stage of a multistage rocket'),\n", " ('takeoff rocket', 'the first stage of a multistage rocket'),\n", " ('booster rocket', 'the first stage of a multistage rocket')]},\n", " {'answer': 'boot',\n", " 'hint': 'synonyms for boot',\n", " 'clues': [('rush', 'the swift release of a store of affective force'),\n", " ('kick', 'the swift release of a store of affective force'),\n", " ('flush', 'the swift release of a store of affective force'),\n", " ('iron heel',\n", " 'an instrument of torture that is used to heat or crush the foot and leg'),\n", " ('the boot',\n", " 'an instrument of torture that is used to heat or crush the foot and leg'),\n", " ('charge', 'the swift release of a store of affective force'),\n", " ('iron boot',\n", " 'an instrument of torture that is used to heat or crush the foot and leg'),\n", " ('bang', 'the swift release of a store of affective force'),\n", " ('thrill', 'the swift release of a store of affective force')]},\n", " {'answer': 'booty',\n", " 'hint': 'synonyms for booty',\n", " 'clues': [('pillage', 'goods or money obtained illegally'),\n", " ('swag', 'goods or money obtained illegally'),\n", " ('plunder', 'goods or money obtained illegally'),\n", " ('prize', 'goods or money obtained illegally'),\n", " ('dirty money', 'goods or money obtained illegally'),\n", " ('loot', 'goods or money obtained illegally')]},\n", " {'answer': 'booze',\n", " 'hint': 'synonyms for booze',\n", " 'clues': [('strong drink',\n", " 'an alcoholic beverage that is distilled rather than fermented'),\n", " ('spirits',\n", " 'an alcoholic beverage that is distilled rather than fermented'),\n", " ('liquor',\n", " 'an alcoholic beverage that is distilled rather than fermented'),\n", " ('hard liquor',\n", " 'an alcoholic beverage that is distilled rather than fermented'),\n", " ('hard drink',\n", " 'an alcoholic beverage that is distilled rather than fermented')]},\n", " {'answer': 'booze-up',\n", " 'hint': 'synonyms for booze-up',\n", " 'clues': [('carouse', 'revelry in drinking; a merry drinking party'),\n", " ('bender', 'revelry in drinking; a merry drinking party'),\n", " ('carousal', 'revelry in drinking; a merry drinking party'),\n", " ('toot', 'revelry in drinking; a merry drinking party')]},\n", " {'answer': 'bordello',\n", " 'hint': 'synonyms for bordello',\n", " 'clues': [('house of prostitution',\n", " 'a building where prostitutes are available'),\n", " ('sporting house', 'a building where prostitutes are available'),\n", " ('whorehouse', 'a building where prostitutes are available'),\n", " ('bawdyhouse', 'a building where prostitutes are available'),\n", " ('bagnio', 'a building where prostitutes are available'),\n", " ('house of ill repute', 'a building where prostitutes are available'),\n", " ('cathouse', 'a building where prostitutes are available'),\n", " ('brothel', 'a building where prostitutes are available')]},\n", " {'answer': 'border',\n", " 'hint': 'synonyms for border',\n", " 'clues': [('edge', 'the boundary of a surface'),\n", " ('mete', 'a line that indicates a boundary'),\n", " ('perimeter',\n", " 'the boundary line or the area immediately inside the boundary'),\n", " ('margin',\n", " 'the boundary line or the area immediately inside the boundary'),\n", " ('delimitation', 'a line that indicates a boundary'),\n", " ('molding', 'a decorative recessed or relieved surface on an edge'),\n", " ('boundary line', 'a line that indicates a boundary'),\n", " ('borderline', 'a line that indicates a boundary')]},\n", " {'answer': 'bore',\n", " 'hint': 'synonyms for bore',\n", " 'clues': [('calibre', 'diameter of a tube or gun barrel'),\n", " ('aegir',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('eager',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('tidal bore',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('eagre',\n", " 'a high wave (often dangerous) caused by tidal flow (as by colliding tidal currents or in a narrow estuary)'),\n", " ('gauge', 'diameter of a tube or gun barrel'),\n", " ('drill hole',\n", " 'a hole or passage made by a drill; usually made for exploratory purposes'),\n", " ('bore-hole',\n", " 'a hole or passage made by a drill; usually made for exploratory purposes')]},\n", " {'answer': 'bosh',\n", " 'hint': 'synonyms for bosh',\n", " 'clues': [('tarradiddle', 'pretentious or silly talk or writing'),\n", " ('twaddle', 'pretentious or silly talk or writing'),\n", " ('baloney', 'pretentious or silly talk or writing'),\n", " ('tosh', 'pretentious or silly talk or writing'),\n", " ('bilgewater', 'pretentious or silly talk or writing'),\n", " ('tommyrot', 'pretentious or silly talk or writing'),\n", " ('humbug', 'pretentious or silly talk or writing'),\n", " ('drool', 'pretentious or silly talk or writing')]},\n", " {'answer': 'botch',\n", " 'hint': 'synonyms for botch',\n", " 'clues': [('blooper', 'an embarrassing mistake'),\n", " ('fuckup', 'an embarrassing mistake'),\n", " ('bungle', 'an embarrassing mistake'),\n", " ('boner', 'an embarrassing mistake'),\n", " ('foul-up', 'an embarrassing mistake'),\n", " ('pratfall', 'an embarrassing mistake'),\n", " ('flub', 'an embarrassing mistake'),\n", " ('blunder', 'an embarrassing mistake'),\n", " ('boo-boo', 'an embarrassing mistake')]},\n", " {'answer': 'bother',\n", " 'hint': 'synonyms for bother',\n", " 'clues': [('fuss', 'an angry disturbance'),\n", " ('botheration',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('pain',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('pain in the neck',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('hassle', 'an angry disturbance'),\n", " ('pain in the ass',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('annoyance',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('infliction',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('trouble', 'an angry disturbance')]},\n", " {'answer': 'botheration',\n", " 'hint': 'synonyms for botheration',\n", " 'clues': [('pain in the ass',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('annoyance',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('bother',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('infliction',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('pain in the neck',\n", " 'something or someone that causes trouble; a source of unhappiness'),\n", " ('pain',\n", " 'something or someone that causes trouble; a source of unhappiness')]},\n", " {'answer': 'bounce',\n", " 'hint': 'synonyms for bounce',\n", " 'clues': [('bouncing', 'rebounding from an impact (or series of impacts)'),\n", " ('leaping', 'a light, self-propelled movement upwards or forwards'),\n", " ('saltation', 'a light, self-propelled movement upwards or forwards'),\n", " ('bound', 'a light, self-propelled movement upwards or forwards'),\n", " ('bounciness', 'the quality of a substance that is able to rebound'),\n", " ('spring', 'a light, self-propelled movement upwards or forwards')]},\n", " {'answer': 'boundary_line',\n", " 'hint': 'synonyms for boundary line',\n", " 'clues': [('mete', 'a line that indicates a boundary'),\n", " ('border', 'a line that indicates a boundary'),\n", " ('borderline', 'a line that indicates a boundary'),\n", " ('delimitation', 'a line that indicates a boundary')]},\n", " ...],\n", " 'portion': 0.2},\n", " {'name': 'adjectives',\n", " 'groups': [{'answer': '1000',\n", " 'hint': 'synonyms for 1000',\n", " 'clues': [('one thousand',\n", " 'denoting a quantity consisting of 1,000 items or units'),\n", " ('m', 'denoting a quantity consisting of 1,000 items or units'),\n", " ('k', 'denoting a quantity consisting of 1,000 items or units'),\n", " ('thousand', 'denoting a quantity consisting of 1,000 items or units')]},\n", " {'answer': 'a-one',\n", " 'hint': 'synonyms for a-one',\n", " 'clues': [('super', 'of the highest quality'),\n", " ('first-rate', 'of the highest quality'),\n", " ('top-notch', 'of the highest quality'),\n", " ('tops', 'of the highest quality'),\n", " ('ace', 'of the highest quality'),\n", " ('crack', 'of the highest quality'),\n", " ('tiptop', 'of the highest quality')]},\n", " {'answer': 'a_la_mode',\n", " 'hint': 'synonyms for a la mode',\n", " 'clues': [('in style', 'in the current fashion or style'),\n", " ('latest', 'in the current fashion or style'),\n", " ('modish', 'in the current fashion or style'),\n", " ('in vogue', 'in the current fashion or style')]},\n", " {'answer': 'abhorrent',\n", " 'hint': 'synonyms for abhorrent',\n", " 'clues': [('repulsive', 'offensive to the mind'),\n", " ('detestable', 'offensive to the mind'),\n", " ('obscene', 'offensive to the mind'),\n", " ('repugnant', 'offensive to the mind')]},\n", " {'answer': 'abject',\n", " 'hint': 'synonyms for abject',\n", " 'clues': [('low-down', 'of the most contemptible kind'),\n", " ('low', 'of the most contemptible kind'),\n", " ('unhopeful', 'showing utter resignation or hopelessness'),\n", " ('scummy', 'of the most contemptible kind'),\n", " ('miserable', 'of the most contemptible kind'),\n", " ('scurvy', 'of the most contemptible kind')]},\n", " {'answer': 'ablaze',\n", " 'hint': 'synonyms for ablaze',\n", " 'clues': [('aroused',\n", " 'keenly excited (especially sexually) or indicating excitement; - Bram Stoker'),\n", " ('aflare', 'lighted up by or as by fire or flame'),\n", " ('on fire', 'lighted up by or as by fire or flame'),\n", " ('afire', 'lighted up by or as by fire or flame'),\n", " ('aflame', 'lighted up by or as by fire or flame'),\n", " ('reddened', 'lighted with red light as if with flames'),\n", " ('inflamed', 'lighted with red light as if with flames'),\n", " ('alight', 'lighted up by or as by fire or flame')]},\n", " {'answer': 'abominable',\n", " 'hint': 'synonyms for abominable',\n", " 'clues': [('execrable', 'unequivocally detestable; ; ; ; - Edmund Burke'),\n", " ('unspeakable', 'exceptionally bad or displeasing'),\n", " ('awful', 'exceptionally bad or displeasing'),\n", " ('odious', 'unequivocally detestable; ; ; ; - Edmund Burke'),\n", " ('terrible', 'exceptionally bad or displeasing'),\n", " ('painful', 'exceptionally bad or displeasing'),\n", " ('atrocious', 'exceptionally bad or displeasing'),\n", " ('detestable', 'unequivocally detestable; ; ; ; - Edmund Burke'),\n", " ('dreadful', 'exceptionally bad or displeasing')]},\n", " {'answer': 'aboriginal',\n", " 'hint': 'synonyms for aboriginal',\n", " 'clues': [('primaeval',\n", " 'having existed from the beginning; in an earliest or original stage or state'),\n", " ('primordial',\n", " 'having existed from the beginning; in an earliest or original stage or state'),\n", " ('native',\n", " 'characteristic of or relating to people inhabiting a region from the beginning'),\n", " ('primal',\n", " 'having existed from the beginning; in an earliest or original stage or state')]},\n", " {'answer': 'absent',\n", " 'hint': 'synonyms for absent',\n", " 'clues': [('abstracted', 'lost in thought; showing preoccupation'),\n", " ('lacking', 'nonexistent'),\n", " ('missing', 'nonexistent'),\n", " ('absentminded', 'lost in thought; showing preoccupation'),\n", " ('scatty', 'lost in thought; showing preoccupation'),\n", " ('wanting', 'nonexistent')]},\n", " {'answer': 'absolute',\n", " 'hint': 'synonyms for absolute',\n", " 'clues': [('sheer',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers'),\n", " ('infrangible', 'not capable of being violated or infringed'),\n", " ('out-and-out',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers'),\n", " ('inviolable', 'not capable of being violated or infringed'),\n", " ('rank',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers'),\n", " ('downright',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers'),\n", " ('right-down',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers')]},\n", " {'answer': 'absolved',\n", " 'hint': 'synonyms for absolved',\n", " 'clues': [('clear', 'freed from any question of guilt'),\n", " ('cleared', 'freed from any question of guilt'),\n", " ('exculpated', 'freed from any question of guilt'),\n", " ('vindicated', 'freed from any question of guilt'),\n", " ('exonerated', 'freed from any question of guilt')]},\n", " {'answer': 'absorbed',\n", " 'hint': 'synonyms for absorbed',\n", " 'clues': [('engrossed',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('captive',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('intent',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('enwrapped',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare')]},\n", " {'answer': 'absorbing',\n", " 'hint': 'synonyms for absorbing',\n", " 'clues': [('fascinating', 'capable of arousing and holding the attention'),\n", " ('gripping', 'capable of arousing and holding the attention'),\n", " ('engrossing', 'capable of arousing and holding the attention'),\n", " ('riveting', 'capable of arousing and holding the attention')]},\n", " {'answer': 'absurd',\n", " 'hint': 'synonyms for absurd',\n", " 'clues': [('preposterous', 'incongruous;inviting ridicule'),\n", " ('ludicrous', 'incongruous;inviting ridicule'),\n", " ('laughable', 'incongruous;inviting ridicule'),\n", " ('nonsensical', 'incongruous;inviting ridicule'),\n", " ('derisory', 'incongruous;inviting ridicule'),\n", " ('cockeyed', 'incongruous;inviting ridicule'),\n", " ('idiotic', 'incongruous;inviting ridicule'),\n", " ('ridiculous', 'incongruous;inviting ridicule')]},\n", " {'answer': 'accessory',\n", " 'hint': 'synonyms for accessory',\n", " 'clues': [('adjunct', 'furnishing added support'),\n", " ('appurtenant', 'furnishing added support'),\n", " ('ancillary', 'furnishing added support'),\n", " ('adjuvant', 'furnishing added support'),\n", " ('auxiliary', 'furnishing added support'),\n", " ('accessary', 'aiding and abetting in a crime')]},\n", " {'answer': 'accompanying',\n", " 'hint': 'synonyms for accompanying',\n", " 'clues': [('consequent', 'following or accompanying as a consequence'),\n", " ('attendant', 'following or accompanying as a consequence'),\n", " ('concomitant', 'following or accompanying as a consequence'),\n", " ('resultant', 'following or accompanying as a consequence'),\n", " ('ensuant', 'following or accompanying as a consequence'),\n", " ('incidental', 'following or accompanying as a consequence'),\n", " ('sequent', 'following or accompanying as a consequence')]},\n", " {'answer': 'accomplishable',\n", " 'hint': 'synonyms for accomplishable',\n", " 'clues': [('realizable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('doable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('achievable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('manageable',\n", " 'capable of existing or taking place or proving true; possible to do')]},\n", " {'answer': 'accomplished',\n", " 'hint': 'synonyms for accomplished',\n", " 'clues': [('completed', 'successfully completed or brought to an end'),\n", " ('realised', 'successfully completed or brought to an end'),\n", " ('effected', 'settled securely and unconditionally'),\n", " ('established', 'settled securely and unconditionally')]},\n", " {'answer': 'accordant',\n", " 'hint': 'synonyms for accordant',\n", " 'clues': [('agreeable', 'in keeping'),\n", " ('concordant', 'in keeping'),\n", " ('conformable', 'in keeping'),\n", " ('consonant', 'in keeping')]},\n", " {'answer': 'accusative',\n", " 'hint': 'synonyms for accusative',\n", " 'clues': [('objective',\n", " 'serving as or indicating the object of a verb or of certain prepositions and used for certain other purposes'),\n", " ('accusing', 'containing or expressing accusation; ; ; - O.Henry'),\n", " ('accusatory', 'containing or expressing accusation; ; ; - O.Henry'),\n", " ('accusive', 'containing or expressing accusation; ; ; - O.Henry')]},\n", " {'answer': 'ace',\n", " 'hint': 'synonyms for ace',\n", " 'clues': [('topnotch', 'of the highest quality'),\n", " ('super', 'of the highest quality'),\n", " ('first-rate', 'of the highest quality'),\n", " ('crack', 'of the highest quality'),\n", " ('tops', 'of the highest quality'),\n", " ('tiptop', 'of the highest quality')]},\n", " {'answer': 'acerb',\n", " 'hint': 'synonyms for acerb',\n", " 'clues': [('acid', 'harsh or corrosive in tone'),\n", " ('sulfurous', 'harsh or corrosive in tone'),\n", " ('vitriolic', 'harsh or corrosive in tone'),\n", " ('virulent', 'harsh or corrosive in tone'),\n", " ('blistering', 'harsh or corrosive in tone'),\n", " ('astringent', 'sour or bitter in taste'),\n", " ('bitter', 'harsh or corrosive in tone'),\n", " ('caustic', 'harsh or corrosive in tone'),\n", " ('acerbic', 'sour or bitter in taste'),\n", " ('sulphurous', 'harsh or corrosive in tone')]},\n", " {'answer': 'acerbic',\n", " 'hint': 'synonyms for acerbic',\n", " 'clues': [('acid', 'harsh or corrosive in tone'),\n", " ('sulfurous', 'harsh or corrosive in tone'),\n", " ('vitriolic', 'harsh or corrosive in tone'),\n", " ('acerb', 'sour or bitter in taste'),\n", " ('virulent', 'harsh or corrosive in tone'),\n", " ('blistering', 'harsh or corrosive in tone'),\n", " ('astringent', 'sour or bitter in taste'),\n", " ('bitter', 'harsh or corrosive in tone'),\n", " ('caustic', 'harsh or corrosive in tone'),\n", " ('sulphurous', 'harsh or corrosive in tone')]},\n", " {'answer': 'achievable',\n", " 'hint': 'synonyms for achievable',\n", " 'clues': [('accomplishable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('doable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('realizable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('manageable',\n", " 'capable of existing or taking place or proving true; possible to do')]},\n", " {'answer': 'acid',\n", " 'hint': 'synonyms for acid',\n", " 'clues': [('acerbic', 'harsh or corrosive in tone'),\n", " ('sulfurous', 'harsh or corrosive in tone'),\n", " ('vitriolic', 'harsh or corrosive in tone'),\n", " ('virulent', 'harsh or corrosive in tone'),\n", " ('acerb', 'harsh or corrosive in tone'),\n", " ('blistering', 'harsh or corrosive in tone'),\n", " ('bitter', 'harsh or corrosive in tone'),\n", " ('caustic', 'harsh or corrosive in tone'),\n", " ('acidic', 'being sour to the taste'),\n", " ('acidulent', 'being sour to the taste'),\n", " ('acidulous', 'being sour to the taste'),\n", " ('sulphurous', 'harsh or corrosive in tone'),\n", " ('acrid', 'harsh or corrosive in tone')]},\n", " {'answer': 'acrid',\n", " 'hint': 'synonyms for acrid',\n", " 'clues': [('acid', 'harsh or corrosive in tone'),\n", " ('sulfurous', 'harsh or corrosive in tone'),\n", " ('vitriolic', 'harsh or corrosive in tone'),\n", " ('pungent', 'strong and sharp'),\n", " ('virulent', 'harsh or corrosive in tone'),\n", " ('acerb', 'harsh or corrosive in tone'),\n", " ('blistering', 'harsh or corrosive in tone'),\n", " ('bitter', 'harsh or corrosive in tone'),\n", " ('caustic', 'harsh or corrosive in tone'),\n", " ('sulphurous', 'harsh or corrosive in tone'),\n", " ('acerbic', 'harsh or corrosive in tone')]},\n", " {'answer': 'across-the-board',\n", " 'hint': 'synonyms for across-the-board',\n", " 'clues': [('wide', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('extensive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('blanket', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('encompassing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('panoptic', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('broad', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-embracing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-inclusive', 'broad in scope or content; ; ; ; ; - T.G.Winner')]},\n", " {'answer': 'active',\n", " 'hint': 'synonyms for active',\n", " 'clues': [('combat-ready',\n", " 'engaged in or ready for military or naval operations'),\n", " ('fighting', 'engaged in or ready for military or naval operations'),\n", " ('participating', 'taking part in an activity'),\n", " ('alive', 'in operation'),\n", " ('dynamic',\n", " \"(used of verbs (e.g. `to run') and participial adjectives (e.g. `running' in `running water')) expressing action rather than a state of being\")]},\n", " {'answer': 'actual',\n", " 'hint': 'synonyms for actual',\n", " 'clues': [('literal',\n", " 'being or reflecting the essential or genuine character of something; ; - G.K.Chesterton'),\n", " ('existent',\n", " 'presently existing in fact and not merely potential or possible'),\n", " ('real',\n", " 'being or reflecting the essential or genuine character of something; ; - G.K.Chesterton'),\n", " ('genuine',\n", " 'being or reflecting the essential or genuine character of something; ; - G.K.Chesterton'),\n", " ('factual', 'existing in act or fact')]},\n", " {'answer': 'acute',\n", " 'hint': 'synonyms for acute',\n", " 'clues': [('discriminating',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('penetrative',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('knifelike',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('intense', 'extremely sharp or intense'),\n", " ('sharp',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('penetrating',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('keen',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('incisive',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('piercing',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('needlelike', 'ending in a sharp point'),\n", " ('acuate', 'ending in a sharp point')]},\n", " {'answer': 'ad-lib',\n", " 'hint': 'synonyms for ad-lib',\n", " 'clues': [('unwritten',\n", " 'said or done without having been planned or written in advance'),\n", " ('extemporaneous', 'with little or no preparation or forethought'),\n", " ('extemporary', 'with little or no preparation or forethought'),\n", " ('extempore', 'with little or no preparation or forethought'),\n", " ('offhand', 'with little or no preparation or forethought'),\n", " ('off-the-cuff', 'with little or no preparation or forethought'),\n", " ('unrehearsed', 'with little or no preparation or forethought'),\n", " ('spontaneous',\n", " 'said or done without having been planned or written in advance'),\n", " ('impromptu', 'with little or no preparation or forethought')]},\n", " {'answer': 'addled',\n", " 'hint': 'synonyms for addled',\n", " 'clues': [('wooly', 'confused and vague; used especially of thinking'),\n", " ('muzzy', 'confused and vague; used especially of thinking'),\n", " ('wooly-minded', 'confused and vague; used especially of thinking'),\n", " ('befuddled', 'confused and vague; used especially of thinking'),\n", " ('woolly-headed', 'confused and vague; used especially of thinking'),\n", " ('muddled', 'confused and vague; used especially of thinking')]},\n", " {'answer': 'adept',\n", " 'hint': 'synonyms for adept',\n", " 'clues': [('practiced',\n", " 'having or showing knowledge and skill and aptitude'),\n", " ('expert', 'having or showing knowledge and skill and aptitude'),\n", " ('skilful', 'having or showing knowledge and skill and aptitude'),\n", " ('good', 'having or showing knowledge and skill and aptitude'),\n", " ('proficient', 'having or showing knowledge and skill and aptitude')]},\n", " {'answer': 'adequate',\n", " 'hint': 'synonyms for adequate',\n", " 'clues': [('equal',\n", " 'having the requisite qualities or resources to meet a task'),\n", " ('enough', 'sufficient for the purpose'),\n", " ('passable', 'about average; acceptable'),\n", " ('decent', 'sufficient for the purpose'),\n", " ('tolerable', 'about average; acceptable'),\n", " ('fair to middling', 'about average; acceptable')]},\n", " {'answer': 'adjacent',\n", " 'hint': 'synonyms for adjacent',\n", " 'clues': [('next',\n", " 'nearest in space or position; immediately adjoining without intervening space'),\n", " ('side by side',\n", " 'nearest in space or position; immediately adjoining without intervening space'),\n", " ('neighboring', 'having a common boundary or edge; abutting; touching'),\n", " ('conterminous', 'having a common boundary or edge; abutting; touching'),\n", " ('contiguous', 'having a common boundary or edge; abutting; touching')]},\n", " {'answer': 'adjunct',\n", " 'hint': 'synonyms for adjunct',\n", " 'clues': [('appurtenant', 'furnishing added support'),\n", " ('ancillary', 'furnishing added support'),\n", " ('adjuvant', 'furnishing added support'),\n", " ('auxiliary', 'furnishing added support'),\n", " ('assistant', 'of or relating to a person who is subordinate to another'),\n", " ('accessory', 'furnishing added support')]},\n", " {'answer': 'adjuvant',\n", " 'hint': 'synonyms for adjuvant',\n", " 'clues': [('adjunct', 'furnishing added support'),\n", " ('appurtenant', 'furnishing added support'),\n", " ('ancillary', 'furnishing added support'),\n", " ('auxiliary', 'furnishing added support'),\n", " ('accessory', 'furnishing added support')]},\n", " {'answer': 'admonitory',\n", " 'hint': 'synonyms for admonitory',\n", " 'clues': [('reproachful',\n", " 'expressing reproof or reproach especially as a corrective'),\n", " ('cautionary', 'serving to warn'),\n", " ('admonishing',\n", " 'expressing reproof or reproach especially as a corrective'),\n", " ('monitory', 'serving to warn'),\n", " ('exemplary', 'serving to warn'),\n", " ('warning', 'serving to warn'),\n", " ('reproving',\n", " 'expressing reproof or reproach especially as a corrective')]},\n", " {'answer': 'adolescent',\n", " 'hint': 'synonyms for adolescent',\n", " 'clues': [('jejune', 'displaying or suggesting a lack of maturity'),\n", " ('teenage', 'being of the age 13 through 19'),\n", " ('puerile', 'displaying or suggesting a lack of maturity'),\n", " ('teen', 'being of the age 13 through 19'),\n", " ('juvenile', 'displaying or suggesting a lack of maturity')]},\n", " {'answer': 'adrift',\n", " 'hint': 'synonyms for adrift',\n", " 'clues': [('afloat', 'aimlessly drifting'),\n", " ('aimless', 'aimlessly drifting'),\n", " ('directionless', 'aimlessly drifting'),\n", " ('rudderless', 'aimlessly drifting'),\n", " ('planless', 'aimlessly drifting'),\n", " ('undirected', 'aimlessly drifting')]},\n", " {'answer': 'adult',\n", " 'hint': 'synonyms for adult',\n", " 'clues': [('grownup', '(of animals) fully developed'),\n", " ('pornographic', 'designed to arouse lust'),\n", " ('full-grown', '(of animals) fully developed'),\n", " ('grown', '(of animals) fully developed'),\n", " ('big', '(of animals) fully developed')]},\n", " {'answer': 'adulterous',\n", " 'hint': 'synonyms for adulterous',\n", " 'clues': [('extramarital', 'characterized by adultery'),\n", " ('extracurricular', 'characterized by adultery'),\n", " ('two-timing', 'not faithful to a spouse or lover'),\n", " ('cheating', 'not faithful to a spouse or lover')]},\n", " {'answer': 'adust',\n", " 'hint': 'synonyms for adust',\n", " 'clues': [('sunbaked',\n", " 'dried out by heat or excessive exposure to sunlight'),\n", " ('parched', 'dried out by heat or excessive exposure to sunlight'),\n", " ('scorched', 'dried out by heat or excessive exposure to sunlight'),\n", " ('baked', 'dried out by heat or excessive exposure to sunlight')]},\n", " {'answer': 'advanced',\n", " 'hint': 'synonyms for advanced',\n", " 'clues': [('in advance', 'situated ahead or going before'),\n", " ('sophisticated', 'ahead in development; complex or intricate'),\n", " ('advance', 'situated ahead or going before'),\n", " ('innovative', 'ahead of the times'),\n", " ('modern', 'ahead of the times'),\n", " ('ripe', 'far along in time'),\n", " ('forward-looking', 'ahead of the times')]},\n", " {'answer': 'adynamic',\n", " 'hint': 'synonyms for adynamic',\n", " 'clues': [('asthenic', 'lacking strength or vigor'),\n", " ('undynamic', 'characterized by an absence of force or forcefulness'),\n", " ('debilitated', 'lacking strength or vigor'),\n", " ('enervated', 'lacking strength or vigor')]},\n", " {'answer': 'aeonian',\n", " 'hint': 'synonyms for aeonian',\n", " 'clues': [('eonian',\n", " 'of or relating to a geological eon (longer than an era)'),\n", " ('unending', 'continuing forever or indefinitely'),\n", " ('unceasing', 'continuing forever or indefinitely'),\n", " ('perpetual', 'continuing forever or indefinitely'),\n", " ('everlasting', 'continuing forever or indefinitely'),\n", " ('ageless', 'continuing forever or indefinitely'),\n", " ('eternal', 'continuing forever or indefinitely')]},\n", " {'answer': 'aerial',\n", " 'hint': 'synonyms for aerial',\n", " 'clues': [('aeriform',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('ethereal',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('airy',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('aery',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle')]},\n", " {'answer': 'aeriform',\n", " 'hint': 'synonyms for aeriform',\n", " 'clues': [('aerial',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('airlike', 'resembling air or having the form of air'),\n", " ('ethereal',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('airy',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('aery',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle')]},\n", " {'answer': 'aery',\n", " 'hint': 'synonyms for aery',\n", " 'clues': [('aeriform',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('ethereal',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('aerial',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('airy',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle')]},\n", " {'answer': 'affected',\n", " 'hint': 'synonyms for affected',\n", " 'clues': [('moved',\n", " 'being excited or provoked to the expression of an emotion'),\n", " ('stirred', 'being excited or provoked to the expression of an emotion'),\n", " ('touched', 'being excited or provoked to the expression of an emotion'),\n", " ('unnatural',\n", " 'speaking or behaving in an artificial way to make an impression')]},\n", " {'answer': 'affectionate',\n", " 'hint': 'synonyms for affectionate',\n", " 'clues': [('fond', 'having or displaying warmth or affection'),\n", " ('lovesome', 'having or displaying warmth or affection'),\n", " ('tender', 'having or displaying warmth or affection'),\n", " ('warm', 'having or displaying warmth or affection')]},\n", " {'answer': 'affirmative',\n", " 'hint': 'synonyms for affirmative',\n", " 'clues': [('plausive', 'expressing or manifesting praise or approval'),\n", " ('approbatory', 'expressing or manifesting praise or approval'),\n", " ('approbative', 'expressing or manifesting praise or approval'),\n", " ('optimistic', 'expecting the best'),\n", " ('approving', 'expressing or manifesting praise or approval'),\n", " ('affirmatory', 'affirming or giving assent')]},\n", " {'answer': 'affluent',\n", " 'hint': 'synonyms for affluent',\n", " 'clues': [('moneyed',\n", " 'having an abundant supply of money or possessions of value'),\n", " ('wealthy', 'having an abundant supply of money or possessions of value'),\n", " ('loaded', 'having an abundant supply of money or possessions of value'),\n", " ('flush', 'having an abundant supply of money or possessions of value')]},\n", " {'answer': 'afire',\n", " 'hint': 'synonyms for afire',\n", " 'clues': [('aflare', 'lighted up by or as by fire or flame'),\n", " ('on fire', 'lighted up by or as by fire or flame'),\n", " ('aflame', 'lighted up by or as by fire or flame'),\n", " ('alight', 'lighted up by or as by fire or flame'),\n", " ('ablaze', 'lighted up by or as by fire or flame')]},\n", " {'answer': 'aflame',\n", " 'hint': 'synonyms for aflame',\n", " 'clues': [('aroused',\n", " 'keenly excited (especially sexually) or indicating excitement; - Bram Stoker'),\n", " ('ablaze',\n", " 'keenly excited (especially sexually) or indicating excitement; - Bram Stoker'),\n", " ('on fire', 'lighted up by or as by fire or flame'),\n", " ('afire', 'lighted up by or as by fire or flame'),\n", " ('alight', 'lighted up by or as by fire or flame'),\n", " ('aflare', 'lighted up by or as by fire or flame')]},\n", " {'answer': 'aflare',\n", " 'hint': 'synonyms for aflare',\n", " 'clues': [('alight', 'lighted up by or as by fire or flame'),\n", " ('aflame', 'lighted up by or as by fire or flame'),\n", " ('on fire', 'lighted up by or as by fire or flame'),\n", " ('afire', 'lighted up by or as by fire or flame'),\n", " ('flaring',\n", " 'streaming or flapping or spreading wide as if in a current of air'),\n", " ('ablaze', 'lighted up by or as by fire or flame')]},\n", " {'answer': 'afloat',\n", " 'hint': 'synonyms for afloat',\n", " 'clues': [('aimless', 'aimlessly drifting'),\n", " ('directionless', 'aimlessly drifting'),\n", " ('flooded', 'covered with water'),\n", " ('adrift', 'aimlessly drifting'),\n", " ('planless', 'aimlessly drifting'),\n", " ('rudderless', 'aimlessly drifting'),\n", " ('inundated', 'covered with water'),\n", " ('overflowing', 'covered with water'),\n", " ('awash', 'covered with water'),\n", " ('undirected', 'aimlessly drifting')]},\n", " {'answer': 'agamic',\n", " 'hint': 'synonyms for agamic',\n", " 'clues': [('agamogenetic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('agamous',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('apomictic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('parthenogenetic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction')]},\n", " {'answer': 'agamogenetic',\n", " 'hint': 'synonyms for agamogenetic',\n", " 'clues': [('agamous',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('apomictic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('agamic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('parthenogenetic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction')]},\n", " {'answer': 'agamous',\n", " 'hint': 'synonyms for agamous',\n", " 'clues': [('agamogenetic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('apomictic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('agamic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('parthenogenetic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction')]},\n", " {'answer': 'aged',\n", " 'hint': 'synonyms for aged',\n", " 'clues': [('older',\n", " \"advanced in years; (`aged' is pronounced as two syllables)\"),\n", " ('ripened',\n", " \"of wines, fruit, cheeses; having reached a desired or final condition; (`aged' pronounced as one syllable)\"),\n", " ('cured',\n", " \"(used of tobacco) aging as a preservative process (`aged' is pronounced as one syllable)\"),\n", " ('of age',\n", " \"having attained a specific age; (`aged' is pronounced as one syllable)\"),\n", " ('elderly', \"advanced in years; (`aged' is pronounced as two syllables)\"),\n", " ('senior',\n", " \"advanced in years; (`aged' is pronounced as two syllables)\")]},\n", " {'answer': 'ageless',\n", " 'hint': 'synonyms for ageless',\n", " 'clues': [('unending', 'continuing forever or indefinitely'),\n", " ('unceasing', 'continuing forever or indefinitely'),\n", " ('perpetual', 'continuing forever or indefinitely'),\n", " ('everlasting', 'continuing forever or indefinitely'),\n", " ('aeonian', 'continuing forever or indefinitely'),\n", " ('eternal', 'continuing forever or indefinitely')]},\n", " {'answer': 'aglitter',\n", " 'hint': 'synonyms for aglitter',\n", " 'clues': [('glinting',\n", " 'having brief brilliant points or flashes of light'),\n", " ('fulgid', 'having brief brilliant points or flashes of light'),\n", " ('glittery', 'having brief brilliant points or flashes of light'),\n", " ('scintillating', 'having brief brilliant points or flashes of light'),\n", " ('glittering', 'having brief brilliant points or flashes of light'),\n", " ('sparkly', 'having brief brilliant points or flashes of light'),\n", " ('scintillant', 'having brief brilliant points or flashes of light'),\n", " ('coruscant', 'having brief brilliant points or flashes of light')]},\n", " {'answer': 'agonising',\n", " 'hint': 'synonyms for agonising',\n", " 'clues': [('excruciating', 'extremely painful'),\n", " ('harrowing', 'extremely painful'),\n", " ('agonizing', 'extremely painful'),\n", " ('torturesome', 'extremely painful'),\n", " ('torturing', 'extremely painful'),\n", " ('torturous', 'extremely painful')]},\n", " {'answer': 'agonizing',\n", " 'hint': 'synonyms for agonizing',\n", " 'clues': [('excruciating', 'extremely painful'),\n", " ('harrowing', 'extremely painful'),\n", " ('torturesome', 'extremely painful'),\n", " ('agonising', 'extremely painful'),\n", " ('torturing', 'extremely painful'),\n", " ('torturous', 'extremely painful')]},\n", " {'answer': 'agreeable',\n", " 'hint': 'synonyms for agreeable',\n", " 'clues': [('conformable', 'in keeping'),\n", " ('concordant', 'in keeping'),\n", " ('accordant', 'in keeping'),\n", " ('consonant', 'in keeping')]},\n", " {'answer': 'ailing',\n", " 'hint': 'synonyms for ailing',\n", " 'clues': [('sickly', 'somewhat ill or prone to illness'),\n", " ('under the weather', 'somewhat ill or prone to illness'),\n", " ('indisposed', 'somewhat ill or prone to illness'),\n", " ('peaked', 'somewhat ill or prone to illness'),\n", " ('poorly', 'somewhat ill or prone to illness'),\n", " ('unwell', 'somewhat ill or prone to illness'),\n", " ('seedy', 'somewhat ill or prone to illness')]},\n", " {'answer': 'aimless',\n", " 'hint': 'synonyms for aimless',\n", " 'clues': [('afloat', 'aimlessly drifting'),\n", " ('rudderless', 'aimlessly drifting'),\n", " ('floating',\n", " 'continually changing especially as from one abode or occupation to another'),\n", " ('adrift', 'aimlessly drifting'),\n", " ('planless', 'aimlessly drifting'),\n", " ('vagabond',\n", " 'continually changing especially as from one abode or occupation to another'),\n", " ('vagrant',\n", " 'continually changing especially as from one abode or occupation to another'),\n", " ('drifting',\n", " 'continually changing especially as from one abode or occupation to another'),\n", " ('directionless', 'aimlessly drifting'),\n", " ('undirected', 'aimlessly drifting')]},\n", " {'answer': 'airheaded',\n", " 'hint': 'synonyms for airheaded',\n", " 'clues': [('dizzy', 'lacking seriousness; given to frivolity'),\n", " ('light-headed', 'lacking seriousness; given to frivolity'),\n", " ('silly', 'lacking seriousness; given to frivolity'),\n", " ('empty-headed', 'lacking seriousness; given to frivolity'),\n", " ('giddy', 'lacking seriousness; given to frivolity'),\n", " ('featherbrained', 'lacking seriousness; given to frivolity')]},\n", " {'answer': 'airy',\n", " 'hint': 'synonyms for airy',\n", " 'clues': [('aerial',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('aired', 'open to or abounding in fresh air'),\n", " ('visionary', 'not practical or realizable; speculative'),\n", " ('windy', 'not practical or realizable; speculative'),\n", " ('aery',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('aeriform',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('ethereal',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('impractical', 'not practical or realizable; speculative')]},\n", " {'answer': 'akin',\n", " 'hint': 'synonyms for akin',\n", " 'clues': [('cognate', 'related by blood'),\n", " ('blood-related', 'related by blood'),\n", " ('consanguineous', 'related by blood'),\n", " ('kin', 'related by blood'),\n", " ('kindred', 'similar in quality or character'),\n", " ('consanguineal', 'related by blood')]},\n", " {'answer': 'alar',\n", " 'hint': 'synonyms for alar',\n", " 'clues': [('aliform', 'having or resembling wings'),\n", " ('wing-shaped', 'having or resembling wings'),\n", " ('alary', 'having or resembling wings'),\n", " ('axillary', 'of or relating to the axil')]},\n", " {'answer': 'alert',\n", " 'hint': 'synonyms for alert',\n", " 'clues': [('awake', 'mentally perceptive and responsive'),\n", " ('merry', 'quick and energetic'),\n", " ('brisk', 'quick and energetic'),\n", " ('snappy', 'quick and energetic'),\n", " ('lively', 'quick and energetic'),\n", " ('spanking', 'quick and energetic'),\n", " ('zippy', 'quick and energetic'),\n", " ('rattling', 'quick and energetic'),\n", " ('alive', 'mentally perceptive and responsive'),\n", " ('watchful', 'engaged in or accustomed to close observation')]},\n", " {'answer': 'alight',\n", " 'hint': 'synonyms for alight',\n", " 'clues': [('aflame', 'lighted up by or as by fire or flame'),\n", " ('aflare', 'lighted up by or as by fire or flame'),\n", " ('on fire', 'lighted up by or as by fire or flame'),\n", " ('afire', 'lighted up by or as by fire or flame'),\n", " ('ablaze', 'lighted up by or as by fire or flame')]},\n", " {'answer': 'alimental',\n", " 'hint': 'synonyms for alimental',\n", " 'clues': [('nutrient', 'of or providing nourishment'),\n", " ('alimentary', 'of or providing nourishment'),\n", " ('nutritive', 'of or providing nourishment'),\n", " ('nutritious', 'of or providing nourishment'),\n", " ('nourishing', 'of or providing nourishment')]},\n", " {'answer': 'alimentary',\n", " 'hint': 'synonyms for alimentary',\n", " 'clues': [('nutrient', 'of or providing nourishment'),\n", " ('alimental', 'of or providing nourishment'),\n", " ('nutritive', 'of or providing nourishment'),\n", " ('nutritious', 'of or providing nourishment'),\n", " ('nourishing', 'of or providing nourishment')]},\n", " {'answer': 'alive',\n", " 'hint': 'synonyms for alive',\n", " 'clues': [('awake', 'mentally perceptive and responsive'),\n", " ('live', 'capable of erupting'),\n", " ('active', 'in operation'),\n", " ('alert', 'mentally perceptive and responsive'),\n", " ('animated', 'having life or vigor or spirit')]},\n", " {'answer': 'all-embracing',\n", " 'hint': 'synonyms for all-embracing',\n", " 'clues': [('wide', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('extensive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('blanket', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('encompassing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('panoptic', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('across-the-board', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('broad', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-inclusive', 'broad in scope or content; ; ; ; ; - T.G.Winner')]},\n", " {'answer': 'all-encompassing',\n", " 'hint': 'synonyms for all-encompassing',\n", " 'clues': [('wide', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('extensive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('blanket', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('encompassing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('panoptic', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('across-the-board', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('broad', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-embracing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-inclusive', 'broad in scope or content; ; ; ; ; - T.G.Winner')]},\n", " {'answer': 'all-important',\n", " 'hint': 'synonyms for all-important',\n", " 'clues': [('of the essence', 'of the greatest importance'),\n", " ('crucial', 'of the greatest importance'),\n", " ('essential', 'of the greatest importance'),\n", " ('all important', 'of the greatest importance')]},\n", " {'answer': 'all-inclusive',\n", " 'hint': 'synonyms for all-inclusive',\n", " 'clues': [('wide', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('extensive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('blanket', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('encompassing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('panoptic', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('across-the-board', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('broad', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-embracing', 'broad in scope or content; ; ; ; ; - T.G.Winner')]},\n", " {'answer': 'all_important',\n", " 'hint': 'synonyms for all important',\n", " 'clues': [('crucial', 'of the greatest importance'),\n", " ('all-important', 'of the greatest importance'),\n", " ('of the essence', 'of the greatest importance'),\n", " ('essential', 'of the greatest importance')]},\n", " {'answer': 'all_over',\n", " 'hint': 'synonyms for all over',\n", " 'clues': [('complete', 'having come or been brought to a conclusion'),\n", " ('ended', 'having come or been brought to a conclusion'),\n", " ('over', 'having come or been brought to a conclusion'),\n", " ('terminated', 'having come or been brought to a conclusion'),\n", " ('concluded', 'having come or been brought to a conclusion')]},\n", " {'answer': 'all_right',\n", " 'hint': 'synonyms for all right',\n", " 'clues': [('hunky-dory',\n", " 'being satisfactory or in satisfactory condition'),\n", " ('ok', 'being satisfactory or in satisfactory condition'),\n", " ('o.k.', 'being satisfactory or in satisfactory condition'),\n", " ('fine', 'being satisfactory or in satisfactory condition'),\n", " ('okay', 'being satisfactory or in satisfactory condition')]},\n", " {'answer': 'alleviative',\n", " 'hint': 'synonyms for alleviative',\n", " 'clues': [('mitigatory',\n", " 'moderating pain or sorrow by making it easier to bear'),\n", " ('lenitive', 'moderating pain or sorrow by making it easier to bear'),\n", " ('alleviatory', 'moderating pain or sorrow by making it easier to bear'),\n", " ('mitigative', 'moderating pain or sorrow by making it easier to bear'),\n", " ('palliative', 'moderating pain or sorrow by making it easier to bear')]},\n", " {'answer': 'alleviatory',\n", " 'hint': 'synonyms for alleviatory',\n", " 'clues': [('mitigative',\n", " 'moderating pain or sorrow by making it easier to bear'),\n", " ('mitigatory', 'moderating pain or sorrow by making it easier to bear'),\n", " ('lenitive', 'moderating pain or sorrow by making it easier to bear'),\n", " ('palliative', 'moderating pain or sorrow by making it easier to bear')]},\n", " {'answer': 'alone',\n", " 'hint': 'synonyms for alone',\n", " 'clues': [('unequaled', 'radically distinctive and without equal'),\n", " ('unparalleled', 'radically distinctive and without equal'),\n", " ('lone', 'lacking companions or companionship'),\n", " ('only', 'exclusive of anyone or anything else'),\n", " ('solitary', 'lacking companions or companionship'),\n", " ('unique', 'radically distinctive and without equal')]},\n", " {'answer': 'alterative',\n", " 'hint': 'synonyms for alterative',\n", " 'clues': [('remedial', 'tending to cure or restore to health'),\n", " ('sanative', 'tending to cure or restore to health'),\n", " ('healing', 'tending to cure or restore to health'),\n", " ('therapeutic', 'tending to cure or restore to health'),\n", " ('curative', 'tending to cure or restore to health')]},\n", " {'answer': 'alveolate',\n", " 'hint': 'synonyms for alveolate',\n", " 'clues': [('honeycombed',\n", " 'pitted with cell-like cavities (as a honeycomb)'),\n", " ('faveolate', 'pitted with cell-like cavities (as a honeycomb)'),\n", " ('cavitied', 'pitted with cell-like cavities (as a honeycomb)'),\n", " ('pitted', 'pitted with cell-like cavities (as a honeycomb)')]},\n", " {'answer': 'amalgamate',\n", " 'hint': 'synonyms for amalgamate',\n", " 'clues': [('coalesced', 'joined together into a whole'),\n", " ('consolidated', 'joined together into a whole'),\n", " ('fused', 'joined together into a whole'),\n", " ('amalgamated', 'joined together into a whole')]},\n", " {'answer': 'amalgamated',\n", " 'hint': 'synonyms for amalgamated',\n", " 'clues': [('coalesced', 'joined together into a whole'),\n", " ('amalgamate', 'joined together into a whole'),\n", " ('fused', 'joined together into a whole'),\n", " ('consolidated', 'joined together into a whole')]},\n", " {'answer': 'amateur',\n", " 'hint': 'synonyms for amateur',\n", " 'clues': [('unskilled', 'lacking professional skill or expertise'),\n", " ('amateurish', 'lacking professional skill or expertise'),\n", " ('unpaid', 'engaged in as a pastime'),\n", " ('recreational', 'engaged in as a pastime'),\n", " ('inexpert', 'lacking professional skill or expertise')]},\n", " {'answer': 'amazing',\n", " 'hint': 'synonyms for amazing',\n", " 'clues': [('astonishing', 'surprising greatly'),\n", " ('awful', 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awe-inspiring',\n", " 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awing', 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awesome', 'inspiring awe or admiration or wonder; ; ; ; - Melville')]},\n", " {'answer': 'ambidextrous',\n", " 'hint': 'synonyms for ambidextrous',\n", " 'clues': [('two-handed', 'equally skillful with each hand'),\n", " ('double-tongued',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-dealing',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('deceitful',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('duplicitous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('two-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray')]},\n", " {'answer': 'amiable',\n", " 'hint': 'synonyms for amiable',\n", " 'clues': [('cordial', 'diffusing warmth and friendliness'),\n", " ('genial', 'diffusing warmth and friendliness'),\n", " ('good-humoured', 'disposed to please; - Hal Hinson'),\n", " ('affable', 'diffusing warmth and friendliness')]},\n", " {'answer': 'amok',\n", " 'hint': 'synonyms for amok',\n", " 'clues': [('possessed', 'frenzied as if possessed by a demon'),\n", " ('berserk', 'frenzied as if possessed by a demon'),\n", " ('amuck', 'frenzied as if possessed by a demon'),\n", " ('demoniac', 'frenzied as if possessed by a demon')]},\n", " {'answer': 'amorphous',\n", " 'hint': 'synonyms for amorphous',\n", " 'clues': [('uncrystallized', 'without real or apparent crystalline form'),\n", " ('formless', 'having no definite form or distinct shape'),\n", " ('shapeless', 'having no definite form or distinct shape'),\n", " ('unstructured',\n", " 'lacking the system or structure characteristic of living bodies')]},\n", " {'answer': 'ample',\n", " 'hint': 'synonyms for ample',\n", " 'clues': [('copious', 'affording an abundant supply'),\n", " ('plentiful', 'affording an abundant supply'),\n", " ('rich', 'affording an abundant supply'),\n", " ('sizeable', 'fairly large'),\n", " ('plenteous', 'affording an abundant supply')]},\n", " {'answer': 'amuck',\n", " 'hint': 'synonyms for amuck',\n", " 'clues': [('possessed', 'frenzied as if possessed by a demon'),\n", " ('berserk', 'frenzied as if possessed by a demon'),\n", " ('amok', 'frenzied as if possessed by a demon'),\n", " ('demoniac', 'frenzied as if possessed by a demon')]},\n", " {'answer': 'amusing',\n", " 'hint': 'synonyms for amusing',\n", " 'clues': [('amusive', 'providing enjoyment; pleasantly entertaining'),\n", " ('mirthful', 'arousing or provoking laughter'),\n", " ('laughable', 'arousing or provoking laughter'),\n", " ('risible', 'arousing or provoking laughter'),\n", " ('diverting', 'providing enjoyment; pleasantly entertaining'),\n", " ('comic', 'arousing or provoking laughter'),\n", " ('comical', 'arousing or provoking laughter'),\n", " ('funny', 'arousing or provoking laughter')]},\n", " {'answer': 'amyloid',\n", " 'hint': 'synonyms for amyloid',\n", " 'clues': [('farinaceous', 'resembling starch'),\n", " ('amyloidal', 'resembling starch'),\n", " ('amylaceous', 'resembling starch'),\n", " ('starchlike', 'resembling starch')]},\n", " {'answer': 'amyloidal',\n", " 'hint': 'synonyms for amyloidal',\n", " 'clues': [('farinaceous', 'resembling starch'),\n", " ('amylaceous', 'resembling starch'),\n", " ('starchlike', 'resembling starch'),\n", " ('amyloid', 'resembling starch')]},\n", " {'answer': 'ancillary',\n", " 'hint': 'synonyms for ancillary',\n", " 'clues': [('adjunct', 'furnishing added support'),\n", " ('appurtenant', 'furnishing added support'),\n", " ('adjuvant', 'furnishing added support'),\n", " ('auxiliary', 'furnishing added support'),\n", " ('accessory', 'furnishing added support')]},\n", " {'answer': 'angelic',\n", " 'hint': 'synonyms for angelic',\n", " 'clues': [('beatific',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('saintlike',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('sainted',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('angelical', 'having a sweet nature befitting an angel or cherub'),\n", " ('seraphic', 'having a sweet nature befitting an angel or cherub'),\n", " ('saintly',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('sweet', 'having a sweet nature befitting an angel or cherub'),\n", " ('cherubic', 'having a sweet nature befitting an angel or cherub')]},\n", " {'answer': 'angelical',\n", " 'hint': 'synonyms for angelical',\n", " 'clues': [('beatific',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('saintlike',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('sainted',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('angelic', 'of or relating to angels'),\n", " ('seraphic', 'having a sweet nature befitting an angel or cherub'),\n", " ('saintly',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('sweet', 'having a sweet nature befitting an angel or cherub'),\n", " ('cherubic', 'having a sweet nature befitting an angel or cherub')]},\n", " {'answer': 'angered',\n", " 'hint': 'synonyms for angered',\n", " 'clues': [('furious', 'marked by extreme anger'),\n", " ('infuriated', 'marked by extreme anger'),\n", " ('maddened', 'marked by extreme anger'),\n", " ('enraged', 'marked by extreme anger')]},\n", " {'answer': 'angry',\n", " 'hint': 'synonyms for angry',\n", " 'clues': [('furious', '(of the elements) as if showing violent anger'),\n", " ('tempestuous', '(of the elements) as if showing violent anger'),\n", " ('raging', '(of the elements) as if showing violent anger'),\n", " ('wild', '(of the elements) as if showing violent anger')]},\n", " {'answer': 'annoyed',\n", " 'hint': 'synonyms for annoyed',\n", " 'clues': [('nettled', 'aroused to impatience or anger'),\n", " ('peeved', 'aroused to impatience or anger'),\n", " ('irritated', 'aroused to impatience or anger'),\n", " ('pissed', 'aroused to impatience or anger'),\n", " ('riled', 'aroused to impatience or anger'),\n", " ('steamed', 'aroused to impatience or anger'),\n", " ('vexed', 'troubled persistently especially with petty annoyances'),\n", " ('harried', 'troubled persistently especially with petty annoyances'),\n", " ('harassed', 'troubled persistently especially with petty annoyances'),\n", " ('miffed', 'aroused to impatience or anger'),\n", " ('stung', 'aroused to impatience or anger'),\n", " ('pissed off', 'aroused to impatience or anger'),\n", " ('pestered', 'troubled persistently especially with petty annoyances')]},\n", " {'answer': 'annoying',\n", " 'hint': 'synonyms for annoying',\n", " 'clues': [('pestering', 'causing irritation or annoyance'),\n", " ('vexing', 'causing irritation or annoyance'),\n", " ('pesky', 'causing irritation or annoyance'),\n", " ('plaguy', 'causing irritation or annoyance'),\n", " ('galling', 'causing irritation or annoyance'),\n", " ('teasing', 'causing irritation or annoyance'),\n", " ('vexatious', 'causing irritation or annoyance'),\n", " ('nettlesome', 'causing irritation or annoyance'),\n", " ('irritating', 'causing irritation or annoyance'),\n", " ('pestiferous', 'causing irritation or annoyance'),\n", " ('bothersome', 'causing irritation or annoyance')]},\n", " {'answer': 'annular',\n", " 'hint': 'synonyms for annular',\n", " 'clues': [('annulate', 'shaped like a ring'),\n", " ('ring-shaped', 'shaped like a ring'),\n", " ('ringed', 'shaped like a ring'),\n", " ('circinate', 'shaped like a ring'),\n", " ('doughnut-shaped', 'shaped like a ring')]},\n", " {'answer': 'annulate',\n", " 'hint': 'synonyms for annulate',\n", " 'clues': [('annulated', 'shaped like a ring'),\n", " ('ring-shaped', 'shaped like a ring'),\n", " ('ringed', 'shaped like a ring'),\n", " ('annular', 'shaped like a ring'),\n", " ('circinate', 'shaped like a ring'),\n", " ('doughnut-shaped', 'shaped like a ring')]},\n", " {'answer': 'annulated',\n", " 'hint': 'synonyms for annulated',\n", " 'clues': [('annulate', 'shaped like a ring'),\n", " ('ring-shaped', 'shaped like a ring'),\n", " ('ringed', 'shaped like a ring'),\n", " ('annular', 'shaped like a ring'),\n", " ('circinate', 'shaped like a ring'),\n", " ('doughnut-shaped', 'shaped like a ring')]},\n", " {'answer': 'anserine',\n", " 'hint': 'synonyms for anserine',\n", " 'clues': [('goosy', 'having or revealing stupidity'),\n", " ('dopy', 'having or revealing stupidity'),\n", " ('jerky', 'having or revealing stupidity'),\n", " ('foolish', 'having or revealing stupidity'),\n", " ('gooselike', 'having or revealing stupidity')]},\n", " {'answer': 'antipathetic',\n", " 'hint': 'synonyms for antipathetic',\n", " 'clues': [('indisposed', \"(usually followed by `to') strongly opposed\"),\n", " ('loth', \"(usually followed by `to') strongly opposed\"),\n", " ('antipathetical', 'characterized by antagonism or antipathy'),\n", " ('averse', \"(usually followed by `to') strongly opposed\"),\n", " ('antagonistic', 'characterized by antagonism or antipathy')]},\n", " {'answer': 'antipathetical',\n", " 'hint': 'synonyms for antipathetical',\n", " 'clues': [('indisposed', \"(usually followed by `to') strongly opposed\"),\n", " ('antipathetic', 'characterized by antagonism or antipathy'),\n", " ('loth', \"(usually followed by `to') strongly opposed\"),\n", " ('averse', \"(usually followed by `to') strongly opposed\"),\n", " ('antagonistic', 'characterized by antagonism or antipathy')]},\n", " {'answer': 'antique',\n", " 'hint': 'synonyms for antique',\n", " 'clues': [('age-old', 'belonging to or lasting from times long ago'),\n", " ('outmoded', 'out of fashion'),\n", " ('ex', 'out of fashion'),\n", " ('passee', 'out of fashion'),\n", " ('demode', 'out of fashion'),\n", " ('old-fashioned', 'out of fashion'),\n", " ('old-hat', 'out of fashion')]},\n", " {'answer': 'anxious',\n", " 'hint': 'synonyms for anxious',\n", " 'clues': [('unquiet', 'causing or fraught with or showing anxiety'),\n", " ('uneasy', 'causing or fraught with or showing anxiety'),\n", " ('dying', 'eagerly desirous'),\n", " ('nervous', 'causing or fraught with or showing anxiety'),\n", " ('queasy', 'causing or fraught with or showing anxiety')]},\n", " {'answer': 'apomictic',\n", " 'hint': 'synonyms for apomictic',\n", " 'clues': [('agamogenetic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('agamous',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('apomictical', 'of or relating to a plant that reproduces by apomixis'),\n", " ('agamic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction'),\n", " ('parthenogenetic',\n", " '(of reproduction) not involving the fusion of male and female gametes in reproduction')]},\n", " {'answer': 'appareled',\n", " 'hint': 'synonyms for appareled',\n", " 'clues': [('dressed',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('garmented',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('garbed',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('robed',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('attired',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('habilimented',\n", " 'dressed or clothed especially in fine attire; often used in combination')]},\n", " {'answer': 'apparent',\n", " 'hint': 'synonyms for apparent',\n", " 'clues': [('ostensible', 'appearing as such but not necessarily so'),\n", " ('patent', 'clearly revealed to the mind or the senses or judgment'),\n", " ('evident', 'clearly revealed to the mind or the senses or judgment'),\n", " ('unmistakable',\n", " 'clearly revealed to the mind or the senses or judgment'),\n", " ('plain', 'clearly revealed to the mind or the senses or judgment'),\n", " ('manifest', 'clearly revealed to the mind or the senses or judgment'),\n", " ('seeming', 'appearing as such but not necessarily so')]},\n", " {'answer': 'apparitional',\n", " 'hint': 'synonyms for apparitional',\n", " 'clues': [('ghostlike', 'resembling or characteristic of a phantom'),\n", " ('phantasmal', 'resembling or characteristic of a phantom'),\n", " ('spectral', 'resembling or characteristic of a phantom'),\n", " ('spiritual', 'resembling or characteristic of a phantom'),\n", " ('ghostly', 'resembling or characteristic of a phantom')]},\n", " {'answer': 'appointed',\n", " 'hint': 'synonyms for appointed',\n", " 'clues': [('decreed',\n", " 'fixed or established especially by order or command; )'),\n", " ('prescribed', 'fixed or established especially by order or command; )'),\n", " ('appointive', 'subject to appointment'),\n", " ('ordained', 'fixed or established especially by order or command; )')]},\n", " {'answer': 'apportioned',\n", " 'hint': 'synonyms for apportioned',\n", " 'clues': [('dealt out', 'given out in portions'),\n", " ('meted out', 'given out in portions'),\n", " ('parceled out', 'given out in portions'),\n", " ('doled out', 'given out in portions')]},\n", " {'answer': 'apprehensible',\n", " 'hint': 'synonyms for apprehensible',\n", " 'clues': [('intelligible', 'capable of being apprehended or understood'),\n", " ('perceivable', 'capable of being apprehended or understood'),\n", " ('graspable', 'capable of being apprehended or understood'),\n", " ('understandable', 'capable of being apprehended or understood')]},\n", " {'answer': 'approbative',\n", " 'hint': 'synonyms for approbative',\n", " 'clues': [('approving', 'expressing or manifesting praise or approval'),\n", " ('plausive', 'expressing or manifesting praise or approval'),\n", " ('affirmative', 'expressing or manifesting praise or approval'),\n", " ('approbatory', 'expressing or manifesting praise or approval')]},\n", " {'answer': 'approbatory',\n", " 'hint': 'synonyms for approbatory',\n", " 'clues': [('plausive', 'expressing or manifesting praise or approval'),\n", " ('approbative', 'expressing or manifesting praise or approval'),\n", " ('affirmative', 'expressing or manifesting praise or approval'),\n", " ('approving', 'expressing or manifesting praise or approval')]},\n", " {'answer': 'approving',\n", " 'hint': 'synonyms for approving',\n", " 'clues': [('plausive', 'expressing or manifesting praise or approval'),\n", " ('approbative', 'expressing or manifesting praise or approval'),\n", " ('affirmative', 'expressing or manifesting praise or approval'),\n", " ('approbatory', 'expressing or manifesting praise or approval')]},\n", " {'answer': 'approximate',\n", " 'hint': 'synonyms for approximate',\n", " 'clues': [('close together', 'located close together'),\n", " ('near', 'very close in resemblance'),\n", " ('rough', 'not quite exact or correct'),\n", " ('approximative', 'not quite exact or correct')]},\n", " {'answer': 'appurtenant',\n", " 'hint': 'synonyms for appurtenant',\n", " 'clues': [('adjunct', 'furnishing added support'),\n", " ('ancillary', 'furnishing added support'),\n", " ('adjuvant', 'furnishing added support'),\n", " ('auxiliary', 'furnishing added support'),\n", " ('accessory', 'furnishing added support')]},\n", " {'answer': 'apt',\n", " 'hint': 'synonyms for apt',\n", " 'clues': [('disposed',\n", " \"(usually followed by `to') naturally disposed toward\"),\n", " ('minded', \"(usually followed by `to') naturally disposed toward\"),\n", " ('tending', \"(usually followed by `to') naturally disposed toward\"),\n", " ('clever', 'mentally quick and resourceful; ; -Bram Stoker'),\n", " ('liable',\n", " 'at risk of or subject to experiencing something usually unpleasant'),\n", " ('apposite', 'being of striking appropriateness and pertinence'),\n", " ('pertinent', 'being of striking appropriateness and pertinence'),\n", " ('given', \"(usually followed by `to') naturally disposed toward\")]},\n", " {'answer': 'arboreal',\n", " 'hint': 'synonyms for arboreal',\n", " 'clues': [('dendroid',\n", " 'resembling a tree in form and branching structure'),\n", " ('arboresque', 'resembling a tree in form and branching structure'),\n", " ('arborous', 'of or relating to or formed by trees'),\n", " ('arborary', 'of or relating to or formed by trees'),\n", " ('arborescent', 'resembling a tree in form and branching structure'),\n", " ('treelike', 'resembling a tree in form and branching structure'),\n", " ('tree-shaped', 'resembling a tree in form and branching structure'),\n", " ('dendriform', 'resembling a tree in form and branching structure'),\n", " ('arborical', 'of or relating to or formed by trees'),\n", " ('tree-living', 'inhabiting or frequenting trees'),\n", " ('arboriform', 'resembling a tree in form and branching structure')]},\n", " {'answer': 'arboreous',\n", " 'hint': 'synonyms for arboreous',\n", " 'clues': [('arboraceous', 'abounding in trees'),\n", " ('dendroid', 'resembling a tree in form and branching structure'),\n", " ('arboresque', 'resembling a tree in form and branching structure'),\n", " ('arboreal', 'inhabiting or frequenting trees'),\n", " ('arborescent', 'resembling a tree in form and branching structure'),\n", " ('woodsy', 'abounding in trees'),\n", " ('treelike', 'resembling a tree in form and branching structure'),\n", " ('dendriform', 'resembling a tree in form and branching structure'),\n", " ('tree-living', 'inhabiting or frequenting trees'),\n", " ('tree-shaped', 'resembling a tree in form and branching structure'),\n", " ('arboriform', 'resembling a tree in form and branching structure')]},\n", " {'answer': 'arborescent',\n", " 'hint': 'synonyms for arborescent',\n", " 'clues': [('dendroid',\n", " 'resembling a tree in form and branching structure'),\n", " ('arboresque', 'resembling a tree in form and branching structure'),\n", " ('treelike', 'resembling a tree in form and branching structure'),\n", " ('arboreous', 'resembling a tree in form and branching structure'),\n", " ('arboreal', 'resembling a tree in form and branching structure'),\n", " ('dendriform', 'resembling a tree in form and branching structure'),\n", " ('tree-shaped', 'resembling a tree in form and branching structure'),\n", " ('arboriform', 'resembling a tree in form and branching structure')]},\n", " {'answer': 'arboresque',\n", " 'hint': 'synonyms for arboresque',\n", " 'clues': [('dendroid',\n", " 'resembling a tree in form and branching structure'),\n", " ('arborescent', 'resembling a tree in form and branching structure'),\n", " ('treelike', 'resembling a tree in form and branching structure'),\n", " ('arboreous', 'resembling a tree in form and branching structure'),\n", " ('arboreal', 'resembling a tree in form and branching structure'),\n", " ('dendriform', 'resembling a tree in form and branching structure'),\n", " ('tree-shaped', 'resembling a tree in form and branching structure'),\n", " ('arboriform', 'resembling a tree in form and branching structure')]},\n", " {'answer': 'arboriform',\n", " 'hint': 'synonyms for arboriform',\n", " 'clues': [('dendroid',\n", " 'resembling a tree in form and branching structure'),\n", " ('arboresque', 'resembling a tree in form and branching structure'),\n", " ('arborescent', 'resembling a tree in form and branching structure'),\n", " ('treelike', 'resembling a tree in form and branching structure'),\n", " ('arboreous', 'resembling a tree in form and branching structure'),\n", " ('arboreal', 'resembling a tree in form and branching structure'),\n", " ('dendriform', 'resembling a tree in form and branching structure'),\n", " ('tree-shaped', 'resembling a tree in form and branching structure')]},\n", " {'answer': 'arced',\n", " 'hint': 'synonyms for arced',\n", " 'clues': [('bowed', 'forming or resembling an arch'),\n", " ('arciform', 'forming or resembling an arch'),\n", " ('arcuate', 'forming or resembling an arch'),\n", " ('arching', 'forming or resembling an arch'),\n", " ('arched', 'forming or resembling an arch')]},\n", " {'answer': 'arch',\n", " 'hint': 'synonyms for arch',\n", " 'clues': [('wicked', 'naughtily or annoyingly playful'),\n", " ('condescending',\n", " '(used of behavior or attitude) characteristic of those who treat others with condescension'),\n", " ('patronizing',\n", " '(used of behavior or attitude) characteristic of those who treat others with condescension'),\n", " ('pixilated', 'naughtily or annoyingly playful'),\n", " ('implike', 'naughtily or annoyingly playful'),\n", " ('prankish', 'naughtily or annoyingly playful'),\n", " ('impish', 'naughtily or annoyingly playful'),\n", " ('mischievous', 'naughtily or annoyingly playful'),\n", " ('puckish', 'naughtily or annoyingly playful')]},\n", " {'answer': 'arched',\n", " 'hint': 'synonyms for arched',\n", " 'clues': [('bowed', 'forming or resembling an arch'),\n", " ('arciform', 'forming or resembling an arch'),\n", " ('arcuate', 'forming or resembling an arch'),\n", " ('arching', 'forming or resembling an arch'),\n", " ('arced', 'forming or resembling an arch')]},\n", " {'answer': 'arching',\n", " 'hint': 'synonyms for arching',\n", " 'clues': [('bowed', 'forming or resembling an arch'),\n", " ('arciform', 'forming or resembling an arch'),\n", " ('arcuate', 'forming or resembling an arch'),\n", " ('arched', 'forming or resembling an arch')]},\n", " {'answer': 'arciform',\n", " 'hint': 'synonyms for arciform',\n", " 'clues': [('bowed', 'forming or resembling an arch'),\n", " ('arcuate', 'forming or resembling an arch'),\n", " ('arching', 'forming or resembling an arch'),\n", " ('arced', 'forming or resembling an arch')]},\n", " {'answer': 'arctic',\n", " 'hint': 'synonyms for arctic',\n", " 'clues': [('polar', 'extremely cold'),\n", " ('glacial', 'extremely cold'),\n", " ('gelid', 'extremely cold'),\n", " ('frigid', 'extremely cold'),\n", " ('north-polar', 'of or relating to the Arctic'),\n", " ('icy', 'extremely cold')]},\n", " {'answer': 'arcuate',\n", " 'hint': 'synonyms for arcuate',\n", " 'clues': [('bowed', 'forming or resembling an arch'),\n", " ('arciform', 'forming or resembling an arch'),\n", " ('arching', 'forming or resembling an arch'),\n", " ('arched', 'forming or resembling an arch')]},\n", " {'answer': 'ardent',\n", " 'hint': 'synonyms for ardent',\n", " 'clues': [('warm', 'characterized by strong enthusiasm'),\n", " ('fiery', 'characterized by intense emotion'),\n", " ('perfervid', 'characterized by intense emotion'),\n", " ('impassioned', 'characterized by intense emotion'),\n", " ('torrid', 'characterized by intense emotion'),\n", " ('fervid', 'characterized by intense emotion'),\n", " ('fervent', 'characterized by intense emotion')]},\n", " {'answer': 'arduous',\n", " 'hint': 'synonyms for arduous',\n", " 'clues': [('heavy',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('toilsome',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('straining',\n", " 'taxing to the utmost; testing powers of endurance; ; ; - F.D.Roosevelt'),\n", " ('grueling',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('laborious',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('backbreaking',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('operose',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('punishing',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('strenuous',\n", " 'taxing to the utmost; testing powers of endurance; ; ; - F.D.Roosevelt'),\n", " ('hard',\n", " 'characterized by effort to the point of exhaustion; especially physical effort')]},\n", " {'answer': 'argus-eyed',\n", " 'hint': 'synonyms for argus-eyed',\n", " 'clues': [('open-eyed',\n", " 'carefully observant or attentive; on the lookout for possible danger'),\n", " ('lynx-eyed', 'having very keen vision'),\n", " ('keen-sighted', 'having very keen vision'),\n", " ('wakeful',\n", " 'carefully observant or attentive; on the lookout for possible danger'),\n", " ('sharp-eyed', 'having very keen vision'),\n", " ('quick-sighted', 'having very keen vision'),\n", " ('vigilant',\n", " 'carefully observant or attentive; on the lookout for possible danger'),\n", " ('sharp-sighted', 'having very keen vision'),\n", " ('hawk-eyed', 'having very keen vision')]},\n", " {'answer': 'aristocratic',\n", " 'hint': 'synonyms for aristocratic',\n", " 'clues': [('aristocratical',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('blue', 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('blue-blooded',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('gentle',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('patrician',\n", " 'belonging to or characteristic of the nobility or aristocracy')]},\n", " {'answer': 'aristocratical',\n", " 'hint': 'synonyms for aristocratical',\n", " 'clues': [('aristocratic',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('blue', 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('blue-blooded',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('gentle',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('patrician',\n", " 'belonging to or characteristic of the nobility or aristocracy')]},\n", " {'answer': 'around_the_bend',\n", " 'hint': 'synonyms for around the bend',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'aroused',\n", " 'hint': 'synonyms for aroused',\n", " 'clues': [('stimulated', 'emotionally aroused'),\n", " ('stirred', 'emotionally aroused'),\n", " ('turned on', 'feeling great sexual desire'),\n", " ('stirred up', 'emotionally aroused'),\n", " ('horny', 'feeling great sexual desire'),\n", " ('worked up', '(of persons) excessively affected by emotion'),\n", " ('steamy', 'feeling great sexual desire'),\n", " ('emotional', '(of persons) excessively affected by emotion'),\n", " ('excited', '(of persons) excessively affected by emotion'),\n", " ('aflame',\n", " 'keenly excited (especially sexually) or indicating excitement; - Bram Stoker'),\n", " ('wound up', 'brought to a state of great tension'),\n", " ('ruttish', 'feeling great sexual desire'),\n", " ('ablaze',\n", " 'keenly excited (especially sexually) or indicating excitement; - Bram Stoker'),\n", " ('randy', 'feeling great sexual desire')]},\n", " {'answer': 'arrant',\n", " 'hint': 'synonyms for arrant',\n", " 'clues': [('double-dyed',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('pure',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('unadulterated',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('thoroughgoing',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('utter',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('everlasting',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('staring',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('stark',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('gross',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('consummate',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('sodding',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('complete',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('perfect',\n", " 'without qualification; used informally as (often pejorative) intensifiers')]},\n", " {'answer': 'arthritic',\n", " 'hint': 'synonyms for arthritic',\n", " 'clues': [('creaky', 'of or pertaining to arthritis'),\n", " ('rheumatoid', 'of or pertaining to arthritis'),\n", " ('rheumatic', 'of or pertaining to arthritis'),\n", " ('rheumy', 'of or pertaining to arthritis')]},\n", " {'answer': 'artificial',\n", " 'hint': 'synonyms for artificial',\n", " 'clues': [('contrived', 'artificially formal'),\n", " ('stilted', 'artificially formal'),\n", " ('unreal', 'contrived by art rather than nature'),\n", " ('hokey', 'artificially formal')]},\n", " {'answer': 'ashen',\n", " 'hint': 'synonyms for ashen',\n", " 'clues': [('livid',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('bloodless',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('white',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('blanched',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley')]},\n", " {'answer': 'asinine',\n", " 'hint': 'synonyms for asinine',\n", " 'clues': [('inane', 'devoid of intelligence'),\n", " ('fatuous', 'devoid of intelligence'),\n", " ('mindless', 'devoid of intelligence'),\n", " ('vacuous', 'devoid of intelligence')]},\n", " {'answer': 'askance',\n", " 'hint': 'synonyms for askance',\n", " 'clues': [('sidelong',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('squinty',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('askant',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('squint-eyed',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen')]},\n", " {'answer': 'askant',\n", " 'hint': 'synonyms for askant',\n", " 'clues': [('sidelong',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('squinty',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('squint-eyed',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('askance',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen')]},\n", " {'answer': 'askew',\n", " 'hint': 'synonyms for askew',\n", " 'clues': [('awry', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('cockeyed', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('wonky', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('skew-whiff', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('lopsided', 'turned or twisted toward one side; - G.K.Chesterton')]},\n", " {'answer': 'aslant',\n", " 'hint': 'synonyms for aslant',\n", " 'clues': [('diagonal', 'having an oblique or slanted direction'),\n", " ('aslope', 'having an oblique or slanted direction'),\n", " ('slanted', 'having an oblique or slanted direction'),\n", " ('sloped', 'having an oblique or slanted direction'),\n", " ('sloping', 'having an oblique or slanted direction'),\n", " ('slanting', 'having an oblique or slanted direction')]},\n", " {'answer': 'asleep',\n", " 'hint': 'synonyms for asleep',\n", " 'clues': [('at rest', 'dead'),\n", " ('gone', 'dead'),\n", " ('deceased', 'dead'),\n", " ('benumbed', 'lacking sensation'),\n", " ('numb', 'lacking sensation'),\n", " ('at peace', 'dead'),\n", " ('departed', 'dead')]},\n", " {'answer': 'aslope',\n", " 'hint': 'synonyms for aslope',\n", " 'clues': [('diagonal', 'having an oblique or slanted direction'),\n", " ('slanted', 'having an oblique or slanted direction'),\n", " ('aslant', 'having an oblique or slanted direction'),\n", " ('sloping', 'having an oblique or slanted direction'),\n", " ('slanting', 'having an oblique or slanted direction'),\n", " ('sloped', 'having an oblique or slanted direction')]},\n", " {'answer': 'asquint',\n", " 'hint': 'synonyms for asquint',\n", " 'clues': [('sidelong',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('squinty',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('askant',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('squint-eyed',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen'),\n", " ('askance',\n", " '(used especially of glances) directed to one side with or as if with doubt or suspicion or envy; - Elizabeth Bowen')]},\n", " {'answer': 'assorted',\n", " 'hint': 'synonyms for assorted',\n", " 'clues': [('mixed',\n", " 'consisting of a haphazard assortment of different kinds; ; ; ; ; ; - I.A.Richards'),\n", " ('motley',\n", " 'consisting of a haphazard assortment of different kinds; ; ; ; ; ; - I.A.Richards'),\n", " ('miscellaneous',\n", " 'consisting of a haphazard assortment of different kinds; ; ; ; ; ; - I.A.Richards'),\n", " ('various',\n", " 'of many different kinds purposefully arranged but lacking any uniformity'),\n", " ('sundry',\n", " 'consisting of a haphazard assortment of different kinds; ; ; ; ; ; - I.A.Richards')]},\n", " {'answer': 'assumed',\n", " 'hint': 'synonyms for assumed',\n", " 'clues': [('pretended', 'adopted in order to deceive'),\n", " ('sham', 'adopted in order to deceive'),\n", " ('false', 'adopted in order to deceive'),\n", " ('put on', 'adopted in order to deceive'),\n", " ('fictitious', 'adopted in order to deceive'),\n", " ('fictive', 'adopted in order to deceive')]},\n", " {'answer': 'astonied',\n", " 'hint': 'synonyms for astonied',\n", " 'clues': [('amazed',\n", " 'filled with the emotional impact of overwhelming surprise or shock'),\n", " ('astonished',\n", " 'filled with the emotional impact of overwhelming surprise or shock'),\n", " ('astounded',\n", " 'filled with the emotional impact of overwhelming surprise or shock'),\n", " ('stunned',\n", " 'filled with the emotional impact of overwhelming surprise or shock')]},\n", " {'answer': 'astonished',\n", " 'hint': 'synonyms for astonished',\n", " 'clues': [('amazed',\n", " 'filled with the emotional impact of overwhelming surprise or shock'),\n", " ('astounded',\n", " 'filled with the emotional impact of overwhelming surprise or shock'),\n", " ('stunned',\n", " 'filled with the emotional impact of overwhelming surprise or shock'),\n", " ('astonied',\n", " 'filled with the emotional impact of overwhelming surprise or shock')]},\n", " {'answer': 'astonishing',\n", " 'hint': 'synonyms for astonishing',\n", " 'clues': [('stupefying',\n", " 'so surprisingly impressive as to stun or overwhelm'),\n", " ('astounding', 'so surprisingly impressive as to stun or overwhelm'),\n", " ('staggering', 'so surprisingly impressive as to stun or overwhelm'),\n", " ('amazing', 'surprising greatly')]},\n", " {'answer': 'astounding',\n", " 'hint': 'synonyms for astounding',\n", " 'clues': [('staggering',\n", " 'so surprisingly impressive as to stun or overwhelm'),\n", " ('dumbfounding', 'bewildering or striking dumb with wonder'),\n", " ('astonishing', 'so surprisingly impressive as to stun or overwhelm'),\n", " ('stupefying', 'so surprisingly impressive as to stun or overwhelm')]},\n", " {'answer': 'at_hand',\n", " 'hint': 'synonyms for at hand',\n", " 'clues': [('impendent', 'close in time; about to occur'),\n", " ('close at hand', 'close in time; about to occur'),\n", " ('impending', 'close in time; about to occur'),\n", " ('imminent', 'close in time; about to occur')]},\n", " {'answer': 'at_peace',\n", " 'hint': 'synonyms for at peace',\n", " 'clues': [('at rest', 'dead'),\n", " ('gone', 'dead'),\n", " ('deceased', 'dead'),\n", " ('asleep', 'dead'),\n", " ('departed', 'dead')]},\n", " {'answer': 'at_rest',\n", " 'hint': 'synonyms for at rest',\n", " 'clues': [('deceased', 'dead'),\n", " ('gone', 'dead'),\n", " ('at peace', 'dead'),\n", " ('asleep', 'dead'),\n", " ('departed', 'dead')]},\n", " {'answer': 'at_sea',\n", " 'hint': 'synonyms for at sea',\n", " 'clues': [('bemused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('befuddled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mazed',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('baffled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('lost',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mixed-up',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confounded',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('bewildered',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment')]},\n", " {'answer': 'atilt',\n", " 'hint': 'synonyms for atilt',\n", " 'clues': [('tipped',\n", " 'departing or being caused to depart from the true vertical or horizontal'),\n", " ('canted',\n", " 'departing or being caused to depart from the true vertical or horizontal'),\n", " ('tilted',\n", " 'departing or being caused to depart from the true vertical or horizontal'),\n", " ('leaning',\n", " 'departing or being caused to depart from the true vertical or horizontal')]},\n", " {'answer': 'atrocious',\n", " 'hint': 'synonyms for atrocious',\n", " 'clues': [('grievous', 'shockingly brutal or cruel'),\n", " ('unspeakable', 'exceptionally bad or displeasing'),\n", " ('awful', 'exceptionally bad or displeasing'),\n", " ('horrible', 'provoking horror; ; ; ; - Winston Churchill'),\n", " ('abominable', 'exceptionally bad or displeasing'),\n", " ('flagitious', 'shockingly brutal or cruel'),\n", " ('frightful', 'provoking horror; ; ; ; - Winston Churchill'),\n", " ('terrible', 'exceptionally bad or displeasing'),\n", " ('ugly', 'provoking horror; ; ; ; - Winston Churchill'),\n", " ('painful', 'exceptionally bad or displeasing'),\n", " ('monstrous', 'shockingly brutal or cruel'),\n", " ('horrifying', 'provoking horror; ; ; ; - Winston Churchill'),\n", " ('dreadful', 'exceptionally bad or displeasing')]},\n", " {'answer': 'attendant',\n", " 'hint': 'synonyms for attendant',\n", " 'clues': [('consequent', 'following or accompanying as a consequence'),\n", " ('concomitant', 'following or accompanying as a consequence'),\n", " ('resultant', 'following or accompanying as a consequence'),\n", " ('ensuant', 'following or accompanying as a consequence'),\n", " ('accompanying', 'following or accompanying as a consequence'),\n", " ('incidental', 'following or accompanying as a consequence'),\n", " ('sequent', 'following or accompanying as a consequence')]},\n", " {'answer': 'attired',\n", " 'hint': 'synonyms for attired',\n", " 'clues': [('dressed',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('garmented',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('garbed',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('robed',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('habilimented',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('appareled',\n", " 'dressed or clothed especially in fine attire; often used in combination')]},\n", " {'answer': 'audacious',\n", " 'hint': 'synonyms for audacious',\n", " 'clues': [('intrepid', 'invulnerable to fear or intimidation'),\n", " ('daring', 'disposed to venture or take risks'),\n", " ('dauntless', 'invulnerable to fear or intimidation'),\n", " ('unfearing', 'invulnerable to fear or intimidation'),\n", " ('insolent',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bald-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bodacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('barefaced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('venturous', 'disposed to venture or take risks'),\n", " ('brazen-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('venturesome', 'disposed to venture or take risks'),\n", " ('hardy', 'invulnerable to fear or intimidation'),\n", " ('fearless', 'invulnerable to fear or intimidation'),\n", " ('brassy',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brazen',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brave', 'invulnerable to fear or intimidation')]},\n", " {'answer': 'august',\n", " 'hint': 'synonyms for august',\n", " 'clues': [('revered', 'profoundly honored'),\n", " ('lordly', 'of or befitting a lord'),\n", " ('grand', 'of or befitting a lord'),\n", " ('venerable', 'profoundly honored')]},\n", " {'answer': 'aureate',\n", " 'hint': 'synonyms for aureate',\n", " 'clues': [('gold', 'having the deep slightly brownish color of gold'),\n", " ('flamboyant', 'elaborately or excessively ornamented'),\n", " ('gilded', 'having the deep slightly brownish color of gold'),\n", " ('gilt', 'having the deep slightly brownish color of gold'),\n", " ('golden', 'having the deep slightly brownish color of gold'),\n", " ('florid', 'elaborately or excessively ornamented')]},\n", " {'answer': 'austere',\n", " 'hint': 'synonyms for austere',\n", " 'clues': [('stark', 'severely simple'),\n", " ('stern', 'severely simple'),\n", " ('ascetical', 'practicing great self-denial; - William James'),\n", " ('severe', 'severely simple'),\n", " ('spartan', 'practicing great self-denial; - William James')]},\n", " {'answer': 'authentic',\n", " 'hint': 'synonyms for authentic',\n", " 'clues': [('bona fide', 'not counterfeit or copied'),\n", " ('veritable', 'not counterfeit or copied'),\n", " ('unquestionable', 'not counterfeit or copied'),\n", " ('reliable', 'conforming to fact and therefore worthy of belief')]},\n", " {'answer': 'authoritarian',\n", " 'hint': 'synonyms for authoritarian',\n", " 'clues': [('despotic',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('tyrannic',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('autocratic',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('overbearing', 'expecting unquestioning obedience'),\n", " ('dictatorial',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty')]},\n", " {'answer': 'authoritative',\n", " 'hint': 'synonyms for authoritative',\n", " 'clues': [('authorized', 'sanctioned by established authority'),\n", " ('definitive', 'of recognized authority or excellence'),\n", " ('classical', 'of recognized authority or excellence'),\n", " ('important', 'having authority or ascendancy or influence')]},\n", " {'answer': 'autochthonal',\n", " 'hint': 'synonyms for autochthonal',\n", " 'clues': [('endemic', 'originating where it is found'),\n", " ('autochthonous', 'originating where it is found'),\n", " ('autochthonic', 'originating where it is found'),\n", " ('indigenous', 'originating where it is found')]},\n", " {'answer': 'autochthonic',\n", " 'hint': 'synonyms for autochthonic',\n", " 'clues': [('autochthonal', 'originating where it is found'),\n", " ('autochthonous', 'originating where it is found'),\n", " ('endemic', 'originating where it is found'),\n", " ('indigenous', 'originating where it is found')]},\n", " {'answer': 'autochthonous',\n", " 'hint': 'synonyms for autochthonous',\n", " 'clues': [('autochthonal', 'originating where it is found'),\n", " ('indigenous', 'originating where it is found'),\n", " ('autochthonic', 'originating where it is found'),\n", " ('endemic', 'originating where it is found')]},\n", " {'answer': 'autocratic',\n", " 'hint': 'synonyms for autocratic',\n", " 'clues': [('high-and-mighty',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('despotic',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('tyrannic',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('dictatorial',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('authoritarian',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('dominating',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('peremptory',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('bossy',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('magisterial',\n", " 'offensively self-assured or given to exercising usually unwarranted power')]},\n", " {'answer': 'automatic',\n", " 'hint': 'synonyms for automatic',\n", " 'clues': [('reflexive', 'without volition or conscious control'),\n", " ('automatonlike', 'resembling the unthinking functioning of a machine'),\n", " ('reflex', 'without volition or conscious control'),\n", " ('machinelike', 'resembling the unthinking functioning of a machine'),\n", " ('robotic', 'resembling the unthinking functioning of a machine'),\n", " ('robotlike', 'resembling the unthinking functioning of a machine')]},\n", " {'answer': 'automatonlike',\n", " 'hint': 'synonyms for automatonlike',\n", " 'clues': [('machinelike',\n", " 'resembling the unthinking functioning of a machine'),\n", " ('automatic', 'resembling the unthinking functioning of a machine'),\n", " ('robotic', 'resembling the unthinking functioning of a machine'),\n", " ('robotlike', 'resembling the unthinking functioning of a machine')]},\n", " {'answer': 'autonomous',\n", " 'hint': 'synonyms for autonomous',\n", " 'clues': [('sovereign',\n", " '(of political bodies) not controlled by outside forces'),\n", " ('self-reliant',\n", " '(of persons) free from external control and constraint in e.g. action and judgment'),\n", " ('self-directed',\n", " '(of persons) free from external control and constraint in e.g. action and judgment'),\n", " ('self-governing',\n", " '(of political bodies) not controlled by outside forces'),\n", " ('independent',\n", " '(of political bodies) not controlled by outside forces')]},\n", " {'answer': 'autumn-blooming',\n", " 'hint': 'synonyms for autumn-blooming',\n", " 'clues': [('autumn-flowering', 'of plants that bloom during the autumn'),\n", " ('late-blooming', 'of plants that bloom during the autumn'),\n", " ('late-flowering', 'of plants that bloom during the autumn'),\n", " ('fall-flowering', 'of plants that bloom during the autumn'),\n", " ('fall-blooming', 'of plants that bloom during the autumn')]},\n", " {'answer': 'autumn-flowering',\n", " 'hint': 'synonyms for autumn-flowering',\n", " 'clues': [('late-blooming', 'of plants that bloom during the autumn'),\n", " ('late-flowering', 'of plants that bloom during the autumn'),\n", " ('fall-flowering', 'of plants that bloom during the autumn'),\n", " ('autumn-blooming', 'of plants that bloom during the autumn'),\n", " ('fall-blooming', 'of plants that bloom during the autumn')]},\n", " {'answer': 'auxiliary',\n", " 'hint': 'synonyms for auxiliary',\n", " 'clues': [('adjunct', 'furnishing added support'),\n", " ('subsidiary', 'functioning in a supporting capacity'),\n", " ('adjuvant', 'furnishing added support'),\n", " ('accessory', 'furnishing added support'),\n", " ('supplemental', 'functioning in a supporting capacity'),\n", " ('appurtenant', 'furnishing added support'),\n", " ('ancillary', 'furnishing added support')]},\n", " {'answer': 'avaricious',\n", " 'hint': 'synonyms for avaricious',\n", " 'clues': [('covetous', 'immoderately desirous of acquiring e.g. wealth'),\n", " ('prehensile', 'immoderately desirous of acquiring e.g. wealth'),\n", " ('greedy', 'immoderately desirous of acquiring e.g. wealth'),\n", " ('grasping', 'immoderately desirous of acquiring e.g. wealth'),\n", " ('grabby', 'immoderately desirous of acquiring e.g. wealth')]},\n", " {'answer': 'average',\n", " 'hint': 'synonyms for average',\n", " 'clues': [('mean',\n", " 'approximating the statistical norm or average or expected value'),\n", " ('ordinary',\n", " 'lacking special distinction, rank, or status; commonly encountered'),\n", " ('fair', 'lacking exceptional quality or ability'),\n", " ('mediocre', 'lacking exceptional quality or ability'),\n", " ('middling', 'lacking exceptional quality or ability'),\n", " ('modal',\n", " 'relating to or constituting the most frequent value in a distribution'),\n", " ('medium', 'around the middle of a scale of evaluation'),\n", " ('intermediate', 'around the middle of a scale of evaluation'),\n", " ('median',\n", " 'relating to or constituting the middle value of an ordered set of values (or the average of the middle two in a set with an even number of values)')]},\n", " {'answer': 'avid',\n", " 'hint': 'synonyms for avid',\n", " 'clues': [('devouring',\n", " \"(often followed by `for') ardently or excessively desirous\"),\n", " ('zealous', 'marked by active interest and enthusiasm'),\n", " ('greedy', \"(often followed by `for') ardently or excessively desirous\"),\n", " ('esurient',\n", " \"(often followed by `for') ardently or excessively desirous\")]},\n", " {'answer': 'awash',\n", " 'hint': 'synonyms for awash',\n", " 'clues': [('flooded', 'covered with water'),\n", " ('afloat', 'covered with water'),\n", " ('inundated', 'covered with water'),\n", " ('overflowing', 'covered with water')]},\n", " {'answer': 'awe-inspiring',\n", " 'hint': 'synonyms for awe-inspiring',\n", " 'clues': [('awful',\n", " 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awing', 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awesome', 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('amazing', 'inspiring awe or admiration or wonder; ; ; ; - Melville')]},\n", " {'answer': 'awesome',\n", " 'hint': 'synonyms for awesome',\n", " 'clues': [('awful',\n", " 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awe-inspiring',\n", " 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awing', 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('amazing', 'inspiring awe or admiration or wonder; ; ; ; - Melville')]},\n", " {'answer': 'awful',\n", " 'hint': 'synonyms for awful',\n", " 'clues': [('fearful', 'causing fear or dread or terror'),\n", " ('dire', 'causing fear or dread or terror'),\n", " ('nasty',\n", " 'offensive or even (of persons) malicious; ; ; ; ; ; - Ezra Pound'),\n", " ('abominable', 'exceptionally bad or displeasing'),\n", " ('awing', 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('dread', 'causing fear or dread or terror'),\n", " ('frightening', 'causing fear or dread or terror'),\n", " ('amazing', 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('horrific', 'causing fear or dread or terror'),\n", " ('atrocious', 'exceptionally bad or displeasing'),\n", " ('frightful', 'extreme in degree or extent or amount or impact'),\n", " ('terrible', 'extreme in degree or extent or amount or impact'),\n", " ('horrendous', 'causing fear or dread or terror'),\n", " ('unspeakable', 'exceptionally bad or displeasing'),\n", " ('direful', 'causing fear or dread or terror'),\n", " ('awe-inspiring',\n", " 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awed', 'inspired by a feeling of fearful wonderment or reverence'),\n", " ('fearsome', 'causing fear or dread or terror'),\n", " ('tremendous', 'extreme in degree or extent or amount or impact'),\n", " ('dreaded', 'causing fear or dread or terror'),\n", " ('dreadful', 'causing fear or dread or terror'),\n", " ('painful', 'exceptionally bad or displeasing'),\n", " ('awesome', 'inspiring awe or admiration or wonder; ; ; ; - Melville')]},\n", " {'answer': 'awing',\n", " 'hint': 'synonyms for awing',\n", " 'clues': [('awful',\n", " 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awe-inspiring',\n", " 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('awesome', 'inspiring awe or admiration or wonder; ; ; ; - Melville'),\n", " ('amazing', 'inspiring awe or admiration or wonder; ; ; ; - Melville')]},\n", " {'answer': 'awkward',\n", " 'hint': 'synonyms for awkward',\n", " 'clues': [('ungainly',\n", " 'difficult to handle or manage especially because of shape'),\n", " ('cumbersome', 'not elegant or graceful in expression'),\n", " ('inept', 'not elegant or graceful in expression'),\n", " ('ill at ease',\n", " 'socially uncomfortable; unsure and constrained in manner'),\n", " ('clumsy', 'difficult to handle or manage especially because of shape'),\n", " ('uneasy', 'socially uncomfortable; unsure and constrained in manner'),\n", " ('embarrassing',\n", " 'hard to deal with; especially causing pain or embarrassment'),\n", " ('bunglesome',\n", " 'difficult to handle or manage especially because of shape'),\n", " ('ill-chosen', 'not elegant or graceful in expression'),\n", " ('unenviable',\n", " 'hard to deal with; especially causing pain or embarrassment'),\n", " ('sticky', 'hard to deal with; especially causing pain or embarrassment'),\n", " ('inapt', 'not elegant or graceful in expression')]},\n", " {'answer': 'awry',\n", " 'hint': 'synonyms for awry',\n", " 'clues': [('cockeyed',\n", " 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('haywire', 'not functioning properly'),\n", " ('askew', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('wrong', 'not functioning properly'),\n", " ('wonky', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('skew-whiff', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('lopsided', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('amiss', 'not functioning properly')]},\n", " {'answer': 'axiomatic',\n", " 'hint': 'synonyms for axiomatic',\n", " 'clues': [('axiomatical',\n", " 'of or relating to or derived from axioms; ; - S.S.Stevens'),\n", " ('aphoristic', 'containing aphorisms or maxims'),\n", " ('self-evident', 'evident without proof or argument'),\n", " ('taken for granted', 'evident without proof or argument'),\n", " ('postulational',\n", " 'of or relating to or derived from axioms; ; - S.S.Stevens')]},\n", " {'answer': 'bacchanal',\n", " 'hint': 'synonyms for bacchanal',\n", " 'clues': [('bacchic', 'used of riotously drunken merrymaking'),\n", " ('bacchanalian', 'used of riotously drunken merrymaking'),\n", " ('carousing', 'used of riotously drunken merrymaking'),\n", " ('orgiastic', 'used of riotously drunken merrymaking')]},\n", " {'answer': 'bacchanalian',\n", " 'hint': 'synonyms for bacchanalian',\n", " 'clues': [('bacchanal', 'used of riotously drunken merrymaking'),\n", " ('bacchic', 'used of riotously drunken merrymaking'),\n", " ('carousing', 'used of riotously drunken merrymaking'),\n", " ('orgiastic', 'used of riotously drunken merrymaking')]},\n", " {'answer': 'backbreaking',\n", " 'hint': 'synonyms for backbreaking',\n", " 'clues': [('heavy',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('toilsome',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('arduous',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('grueling',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('laborious',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('operose',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('punishing',\n", " 'characterized by effort to the point of exhaustion; especially physical effort'),\n", " ('hard',\n", " 'characterized by effort to the point of exhaustion; especially physical effort')]},\n", " {'answer': 'bad',\n", " 'hint': 'synonyms for bad',\n", " 'clues': [('unfit', 'physically unsound or diseased'),\n", " ('uncollectible', 'not capable of being collected'),\n", " ('unsound', 'physically unsound or diseased'),\n", " ('spoiled', '(of foodstuffs) not in an edible or usable condition'),\n", " ('big', 'very intense'),\n", " ('speculative', 'not financially safe or secure'),\n", " ('forged', 'reproduced fraudulently'),\n", " ('defective', 'not working properly'),\n", " ('high-risk', 'not financially safe or secure'),\n", " ('spoilt', '(of foodstuffs) not in an edible or usable condition'),\n", " ('regretful',\n", " 'feeling or expressing regret or sorrow or a sense of loss over something done or undone'),\n", " ('tough',\n", " \"feeling physical discomfort or pain (`tough' is occasionally used colloquially for `bad')\"),\n", " ('risky', 'not financially safe or secure'),\n", " ('sorry',\n", " 'feeling or expressing regret or sorrow or a sense of loss over something done or undone')]},\n", " {'answer': 'bad-mannered',\n", " 'hint': 'synonyms for bad-mannered',\n", " 'clues': [('rude', 'socially incorrect in behavior'),\n", " ('unmannered', 'socially incorrect in behavior'),\n", " ('ill-mannered', 'socially incorrect in behavior'),\n", " ('unmannerly', 'socially incorrect in behavior')]},\n", " {'answer': 'bad-tempered',\n", " 'hint': 'synonyms for bad-tempered',\n", " 'clues': [('crabbed', 'annoyed and irritable'),\n", " ('fussy', 'annoyed and irritable'),\n", " ('grouchy', 'annoyed and irritable'),\n", " ('cross', 'annoyed and irritable'),\n", " ('grumpy', 'annoyed and irritable'),\n", " ('crabby', 'annoyed and irritable'),\n", " ('ill-tempered', 'annoyed and irritable')]},\n", " {'answer': 'baffled',\n", " 'hint': 'synonyms for baffled',\n", " 'clues': [('bemused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('befuddled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mazed',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mixed-up',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('lost',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confounded',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('at sea',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('bewildered',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment')]},\n", " {'answer': 'baffling',\n", " 'hint': 'synonyms for baffling',\n", " 'clues': [('problematical',\n", " 'making great mental demands; hard to comprehend or solve or believe'),\n", " ('elusive',\n", " 'making great mental demands; hard to comprehend or solve or believe'),\n", " ('knotty',\n", " 'making great mental demands; hard to comprehend or solve or believe'),\n", " ('tough',\n", " 'making great mental demands; hard to comprehend or solve or believe')]},\n", " {'answer': 'baked',\n", " 'hint': 'synonyms for baked',\n", " 'clues': [('sunbaked',\n", " 'dried out by heat or excessive exposure to sunlight'),\n", " ('adust', 'dried out by heat or excessive exposure to sunlight'),\n", " ('scorched', 'dried out by heat or excessive exposure to sunlight'),\n", " ('parched', 'dried out by heat or excessive exposure to sunlight')]},\n", " {'answer': 'bald',\n", " 'hint': 'synonyms for bald',\n", " 'clues': [('denuded', 'without the natural or usual covering'),\n", " ('bald-pated', 'lacking hair on all or most of the scalp'),\n", " ('denudate', 'without the natural or usual covering'),\n", " ('bald-headed', 'lacking hair on all or most of the scalp'),\n", " ('barefaced', 'with no effort to conceal')]},\n", " {'answer': 'bald-faced',\n", " 'hint': 'synonyms for bald-faced',\n", " 'clues': [('brazen-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('insolent',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('audacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brassy',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bodacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brazen',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('barefaced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell')]},\n", " {'answer': 'baleful',\n", " 'hint': 'synonyms for baleful',\n", " 'clues': [('minacious',\n", " 'threatening or foreshadowing evil or tragic developments'),\n", " ('threatening',\n", " 'threatening or foreshadowing evil or tragic developments'),\n", " ('baneful', 'deadly or sinister'),\n", " ('forbidding',\n", " 'threatening or foreshadowing evil or tragic developments'),\n", " ('menacing', 'threatening or foreshadowing evil or tragic developments'),\n", " ('minatory', 'threatening or foreshadowing evil or tragic developments'),\n", " ('ominous', 'threatening or foreshadowing evil or tragic developments'),\n", " ('sinister',\n", " 'threatening or foreshadowing evil or tragic developments')]},\n", " {'answer': 'ball-shaped',\n", " 'hint': 'synonyms for ball-shaped',\n", " 'clues': [('global',\n", " 'having the shape of a sphere or ball; ; ; - Zane Grey'),\n", " ('globular', 'having the shape of a sphere or ball; ; ; - Zane Grey'),\n", " ('globose', 'having the shape of a sphere or ball; ; ; - Zane Grey'),\n", " ('orbicular', 'having the shape of a sphere or ball; ; ; - Zane Grey'),\n", " ('spheric', 'having the shape of a sphere or ball; ; ; - Zane Grey')]},\n", " {'answer': 'bally',\n", " 'hint': 'synonyms for bally',\n", " 'clues': [('blinking', 'informal intensifiers'),\n", " ('blooming', 'informal intensifiers'),\n", " ('bloody', 'informal intensifiers'),\n", " ('flaming', 'informal intensifiers'),\n", " ('crashing', 'informal intensifiers'),\n", " ('fucking', 'informal intensifiers')]},\n", " {'answer': 'balmy',\n", " 'hint': 'synonyms for balmy',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('soft', 'mild and pleasant'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('mild', 'mild and pleasant'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'banal',\n", " 'hint': 'synonyms for banal',\n", " 'clues': [('trite', 'repeated too often; overfamiliar through overuse'),\n", " ('stock', 'repeated too often; overfamiliar through overuse'),\n", " ('timeworn', 'repeated too often; overfamiliar through overuse'),\n", " ('shopworn', 'repeated too often; overfamiliar through overuse'),\n", " ('old-hat', 'repeated too often; overfamiliar through overuse'),\n", " ('hackneyed', 'repeated too often; overfamiliar through overuse'),\n", " ('threadbare', 'repeated too often; overfamiliar through overuse'),\n", " ('tired', 'repeated too often; overfamiliar through overuse'),\n", " ('well-worn', 'repeated too often; overfamiliar through overuse'),\n", " ('commonplace', 'repeated too often; overfamiliar through overuse')]},\n", " {'answer': 'bandy',\n", " 'hint': 'synonyms for bandy',\n", " 'clues': [('bowleg', 'have legs that curve outward at the knees'),\n", " ('bowed', 'have legs that curve outward at the knees'),\n", " ('bowlegged', 'have legs that curve outward at the knees'),\n", " ('bandy-legged', 'have legs that curve outward at the knees')]},\n", " {'answer': 'bandy-legged',\n", " 'hint': 'synonyms for bandy-legged',\n", " 'clues': [('bowleg', 'have legs that curve outward at the knees'),\n", " ('bowed', 'have legs that curve outward at the knees'),\n", " ('bandy', 'have legs that curve outward at the knees'),\n", " ('bowlegged', 'have legs that curve outward at the knees')]},\n", " {'answer': 'baneful',\n", " 'hint': 'synonyms for baneful',\n", " 'clues': [('pernicious', 'exceedingly harmful'),\n", " ('baleful', 'deadly or sinister'),\n", " ('pestilent', 'exceedingly harmful'),\n", " ('deadly', 'exceedingly harmful')]},\n", " {'answer': 'bang-up',\n", " 'hint': 'synonyms for bang-up',\n", " 'clues': [('nifty', 'very good'),\n", " ('great', 'very good'),\n", " ('not bad', 'very good'),\n", " ('cracking', 'very good'),\n", " ('smashing', 'very good'),\n", " ('groovy', 'very good'),\n", " ('swell', 'very good'),\n", " ('neat', 'very good'),\n", " ('bully', 'very good'),\n", " ('peachy', 'very good'),\n", " ('dandy', 'very good'),\n", " ('keen', 'very good'),\n", " ('corking', 'very good'),\n", " ('slap-up', 'very good')]},\n", " {'answer': 'banging',\n", " 'hint': 'synonyms for banging',\n", " 'clues': [('walloping', '(used informally) very large'),\n", " ('thumping', '(used informally) very large'),\n", " ('whopping', '(used informally) very large'),\n", " ('humongous', '(used informally) very large')]},\n", " {'answer': 'bantam',\n", " 'hint': 'synonyms for bantam',\n", " 'clues': [('petite', 'very small'),\n", " ('midget', 'very small'),\n", " ('tiny', 'very small'),\n", " ('lilliputian', 'very small'),\n", " ('flyspeck', 'very small'),\n", " ('diminutive', 'very small')]},\n", " {'answer': 'barbarian',\n", " 'hint': 'synonyms for barbarian',\n", " 'clues': [('barbaric',\n", " 'without civilizing influences; ; ; ; -Margaret Meade'),\n", " ('uncivilised', 'without civilizing influences; ; ; ; -Margaret Meade'),\n", " ('savage', 'without civilizing influences; ; ; ; -Margaret Meade'),\n", " ('wild', 'without civilizing influences; ; ; ; -Margaret Meade')]},\n", " {'answer': 'barbaric',\n", " 'hint': 'synonyms for barbaric',\n", " 'clues': [('uncivilised',\n", " 'without civilizing influences; ; ; ; -Margaret Meade'),\n", " ('barbarian', 'without civilizing influences; ; ; ; -Margaret Meade'),\n", " ('savage', 'without civilizing influences; ; ; ; -Margaret Meade'),\n", " ('wild', 'without civilizing influences; ; ; ; -Margaret Meade')]},\n", " {'answer': 'barbarous',\n", " 'hint': 'synonyms for barbarous',\n", " 'clues': [('savage',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('cruel',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('vicious',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('roughshod',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('brutal',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('fell',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering')]},\n", " {'answer': 'barbed',\n", " 'hint': 'synonyms for barbed',\n", " 'clues': [('setaceous',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('spiny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('pungent', 'capable of wounding'),\n", " ('briery',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('barbellate',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briary',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('nipping', 'capable of wounding'),\n", " ('prickly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setose',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristled',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burry',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burred',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('biting', 'capable of wounding'),\n", " ('mordacious', 'capable of wounding'),\n", " ('thorny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.')]},\n", " {'answer': 'barbellate',\n", " 'hint': 'synonyms for barbellate',\n", " 'clues': [('barbed',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristled',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burry',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setaceous',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burred',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('spiny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briery',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briary',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('prickly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('thorny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setose',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.')]},\n", " {'answer': 'bare',\n", " 'hint': 'synonyms for bare',\n", " 'clues': [('unembellished', 'lacking embellishment or ornamentation'),\n", " ('unsheathed', 'not having a protective covering'),\n", " ('stark', 'providing no shelter or sustenance'),\n", " ('mere', 'apart from anything else; without additions or modifications'),\n", " ('scanty', 'lacking in amplitude or quantity'),\n", " ('spare', 'lacking embellishment or ornamentation'),\n", " ('barren', 'providing no shelter or sustenance'),\n", " ('desolate', 'providing no shelter or sustenance'),\n", " ('naked', 'completely unclothed'),\n", " ('unfinished', 'lacking a surface finish such as paint'),\n", " ('au naturel', 'completely unclothed'),\n", " ('simple',\n", " 'apart from anything else; without additions or modifications'),\n", " ('stripped', 'having everything extraneous removed including contents'),\n", " ('plain', 'lacking embellishment or ornamentation'),\n", " ('nude', 'completely unclothed'),\n", " ('bleak', 'providing no shelter or sustenance'),\n", " ('marginal', 'just barely adequate or within a lower limit'),\n", " ('unornamented', 'lacking embellishment or ornamentation')]},\n", " {'answer': 'bare-ass',\n", " 'hint': 'synonyms for bare-ass',\n", " 'clues': [('in the raw', '(used informally) completely unclothed'),\n", " ('naked as a jaybird', '(used informally) completely unclothed'),\n", " ('peeled', '(used informally) completely unclothed'),\n", " ('raw', '(used informally) completely unclothed'),\n", " ('stark naked', '(used informally) completely unclothed'),\n", " ('in the altogether', '(used informally) completely unclothed'),\n", " ('in the buff', '(used informally) completely unclothed'),\n", " ('bare-assed', '(used informally) completely unclothed')]},\n", " {'answer': 'bare-assed',\n", " 'hint': 'synonyms for bare-assed',\n", " 'clues': [('bare-ass', '(used informally) completely unclothed'),\n", " ('in the raw', '(used informally) completely unclothed'),\n", " ('naked as a jaybird', '(used informally) completely unclothed'),\n", " ('peeled', '(used informally) completely unclothed'),\n", " ('raw', '(used informally) completely unclothed'),\n", " ('stark naked', '(used informally) completely unclothed'),\n", " ('in the altogether', '(used informally) completely unclothed'),\n", " ('in the buff', '(used informally) completely unclothed')]},\n", " {'answer': 'barefaced',\n", " 'hint': 'synonyms for barefaced',\n", " 'clues': [('bald', 'with no effort to conceal'),\n", " ('insolent',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bald-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bodacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brazen-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('audacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brassy',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brazen',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell')]},\n", " {'answer': 'barmy',\n", " 'hint': 'synonyms for barmy',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('zestful', 'marked by spirited enjoyment'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('zesty', 'marked by spirited enjoyment'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('yeasty', 'marked by spirited enjoyment'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'barren',\n", " 'hint': 'synonyms for barren',\n", " 'clues': [('devoid', 'completely wanting or lacking'),\n", " ('desolate', 'providing no shelter or sustenance'),\n", " ('bare', 'providing no shelter or sustenance'),\n", " ('innocent', 'completely wanting or lacking'),\n", " ('stark', 'providing no shelter or sustenance'),\n", " ('free', 'completely wanting or lacking'),\n", " ('destitute', 'completely wanting or lacking'),\n", " ('bleak', 'providing no shelter or sustenance')]},\n", " {'answer': 'base',\n", " 'hint': 'synonyms for base',\n", " 'clues': [('humble',\n", " \"of low birth or station (`base' is archaic in this sense)\"),\n", " ('immoral', 'not adhering to ethical or moral principles'),\n", " ('meanspirited',\n", " 'having or showing an ignoble lack of honor or morality; - Edmund Burke; ; - Shakespeare'),\n", " ('baseborn', \"of low birth or station (`base' is archaic in this sense)\"),\n", " ('mean',\n", " 'having or showing an ignoble lack of honor or morality; - Edmund Burke; ; - Shakespeare'),\n", " ('lowly', \"of low birth or station (`base' is archaic in this sense)\"),\n", " ('basal', 'serving as or forming a base')]},\n", " {'answer': 'baseless',\n", " 'hint': 'synonyms for baseless',\n", " 'clues': [('unfounded', 'without a basis in reason or fact'),\n", " ('groundless', 'without a basis in reason or fact'),\n", " ('wild', 'without a basis in reason or fact'),\n", " ('unwarranted', 'without a basis in reason or fact'),\n", " ('idle', 'without a basis in reason or fact')]},\n", " {'answer': 'bastardly',\n", " 'hint': 'synonyms for bastardly',\n", " 'clues': [('misbegotten', 'born out of wedlock; - E.A.Freeman'),\n", " ('misbegot', 'born out of wedlock; - E.A.Freeman'),\n", " ('spurious', 'born out of wedlock; - E.A.Freeman'),\n", " ('mean', 'of no value or worth')]},\n", " {'answer': 'bathetic',\n", " 'hint': 'synonyms for bathetic',\n", " 'clues': [('drippy', 'effusively or insincerely emotional'),\n", " ('mawkish', 'effusively or insincerely emotional'),\n", " ('slushy', 'effusively or insincerely emotional'),\n", " ('kitschy', 'effusively or insincerely emotional'),\n", " ('hokey', 'effusively or insincerely emotional'),\n", " ('schmaltzy', 'effusively or insincerely emotional'),\n", " ('maudlin', 'effusively or insincerely emotional'),\n", " ('sentimental', 'effusively or insincerely emotional'),\n", " ('soupy', 'effusively or insincerely emotional'),\n", " ('mushy', 'effusively or insincerely emotional'),\n", " ('soppy', 'effusively or insincerely emotional')]},\n", " {'answer': 'bats',\n", " 'hint': 'synonyms for bats',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'batty',\n", " 'hint': 'synonyms for batty',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'beady',\n", " 'hint': 'synonyms for beady',\n", " 'clues': [('spangled', 'covered with beads or jewels or sequins'),\n", " ('gemmed', 'covered with beads or jewels or sequins'),\n", " ('buttonlike', 'small and round and shiny like a shiny bead or button'),\n", " ('beadlike', 'small and round and shiny like a shiny bead or button'),\n", " ('spangly', 'covered with beads or jewels or sequins'),\n", " ('jeweled', 'covered with beads or jewels or sequins'),\n", " ('sequined', 'covered with beads or jewels or sequins'),\n", " ('buttony', 'small and round and shiny like a shiny bead or button')]},\n", " {'answer': 'beaming',\n", " 'hint': 'synonyms for beaming',\n", " 'clues': [('glad', 'cheerful and bright'),\n", " ('radiant', 'radiating or as if radiating light'),\n", " ('refulgent', 'radiating or as if radiating light'),\n", " ('beamy', 'radiating or as if radiating light')]},\n", " {'answer': 'beastly',\n", " 'hint': 'synonyms for beastly',\n", " 'clues': [('brutish',\n", " 'resembling a beast; showing lack of human sensibility'),\n", " ('hellish', 'very unpleasant'),\n", " ('brutal', 'resembling a beast; showing lack of human sensibility'),\n", " ('god-awful', 'very unpleasant'),\n", " ('bestial', 'resembling a beast; showing lack of human sensibility'),\n", " ('brute', 'resembling a beast; showing lack of human sensibility')]},\n", " {'answer': 'beatific',\n", " 'hint': 'synonyms for beatific',\n", " 'clues': [('saintlike',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('angelical',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('sainted',\n", " 'marked by utter benignity; resembling or befitting an angel or saint'),\n", " ('saintly',\n", " 'marked by utter benignity; resembling or befitting an angel or saint')]},\n", " {'answer': 'becoming',\n", " 'hint': 'synonyms for becoming',\n", " 'clues': [('comme il faut', 'according with custom or propriety'),\n", " ('comely', 'according with custom or propriety'),\n", " ('decorous', 'according with custom or propriety'),\n", " ('decent', 'according with custom or propriety'),\n", " ('seemly', 'according with custom or propriety')]},\n", " {'answer': 'bedraggled',\n", " 'hint': 'synonyms for bedraggled',\n", " 'clues': [('derelict', 'in deplorable condition'),\n", " ('tumble-down', 'in deplorable condition'),\n", " ('tatterdemalion', 'in deplorable condition'),\n", " ('broken-down', 'in deplorable condition'),\n", " ('draggled', 'limp and soiled as if dragged in the mud'),\n", " ('ramshackle', 'in deplorable condition'),\n", " ('dilapidated', 'in deplorable condition')]},\n", " {'answer': 'beefy',\n", " 'hint': 'synonyms for beefy',\n", " 'clues': [('strapping', 'muscular and heavily built'),\n", " ('burly', 'muscular and heavily built'),\n", " ('buirdly', 'muscular and heavily built'),\n", " ('husky', 'muscular and heavily built')]},\n", " {'answer': 'befuddled',\n", " 'hint': 'synonyms for befuddled',\n", " 'clues': [('wooly', 'confused and vague; used especially of thinking'),\n", " ('wooly-minded', 'confused and vague; used especially of thinking'),\n", " ('befogged', 'stupefied by alcoholic drink'),\n", " ('bemused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('muddled', 'confused and vague; used especially of thinking'),\n", " ('addled', 'confused and vague; used especially of thinking'),\n", " ('confused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mazed',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('muzzy', 'confused and vague; used especially of thinking'),\n", " ('baffled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('lost',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mixed-up',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confounded',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('at sea',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('bewildered',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('woolly-headed', 'confused and vague; used especially of thinking')]},\n", " {'answer': 'begrimed',\n", " 'hint': 'synonyms for begrimed',\n", " 'clues': [('dingy', 'thickly covered with ingrained dirt or soot'),\n", " ('raunchy', 'thickly covered with ingrained dirt or soot'),\n", " ('grimy', 'thickly covered with ingrained dirt or soot'),\n", " ('grungy', 'thickly covered with ingrained dirt or soot'),\n", " ('grubby', 'thickly covered with ingrained dirt or soot')]},\n", " {'answer': 'beguiled',\n", " 'hint': 'synonyms for beguiled',\n", " 'clues': [('charmed', 'filled with wonder and delight'),\n", " ('entranced', 'filled with wonder and delight'),\n", " ('enthralled', 'filled with wonder and delight'),\n", " ('delighted', 'filled with wonder and delight'),\n", " ('captivated', 'filled with wonder and delight')]},\n", " {'answer': 'belittling',\n", " 'hint': 'synonyms for belittling',\n", " 'clues': [('deprecative', 'tending to diminish or disparage'),\n", " ('deprecatory', 'tending to diminish or disparage'),\n", " ('slighting', 'tending to diminish or disparage'),\n", " ('deprecating', 'tending to diminish or disparage')]},\n", " {'answer': 'bellied',\n", " 'hint': 'synonyms for bellied',\n", " 'clues': [('bulging', 'curving outward'),\n", " ('bulgy', 'curving outward'),\n", " ('bellying', 'curving outward'),\n", " ('bulbous', 'curving outward'),\n", " ('protuberant', 'curving outward')]},\n", " {'answer': 'belligerent',\n", " 'hint': 'synonyms for belligerent',\n", " 'clues': [('warring', 'engaged in war'),\n", " ('aggressive', 'characteristic of an enemy or one eager to fight'),\n", " ('war-ridden', 'engaged in war'),\n", " ('militant', 'engaged in war')]},\n", " {'answer': 'bellying',\n", " 'hint': 'synonyms for bellying',\n", " 'clues': [('bulging', 'curving outward'),\n", " ('bulgy', 'curving outward'),\n", " ('bulbous', 'curving outward'),\n", " ('bellied', 'curving outward'),\n", " ('protuberant', 'curving outward')]},\n", " {'answer': 'bemused',\n", " 'hint': 'synonyms for bemused',\n", " 'clues': [('deep in thought', 'deeply absorbed in thought'),\n", " ('lost', 'deeply absorbed in thought'),\n", " ('preoccupied', 'deeply absorbed in thought'),\n", " ('befuddled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mazed',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('baffled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mixed-up',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confounded',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('at sea',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('bewildered',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment')]},\n", " {'answer': 'benevolent',\n", " 'hint': 'synonyms for benevolent',\n", " 'clues': [('charitable',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('kindly',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('sympathetic',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('beneficent', 'generous in assistance to the poor'),\n", " ('large-hearted',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('eleemosynary', 'generous in assistance to the poor'),\n", " ('good-hearted',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('openhearted',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('freehearted', 'generous in providing aid to others'),\n", " ('philanthropic', 'generous in assistance to the poor')]},\n", " {'answer': 'bent',\n", " 'hint': 'synonyms for bent',\n", " 'clues': [('bent on', 'fixed in your purpose'),\n", " ('dented', 'of metal e.g.'),\n", " ('bended', 'used of the back and knees; stooped'),\n", " ('out to', 'fixed in your purpose'),\n", " ('crumpled', 'of metal e.g.'),\n", " ('dead set', 'fixed in your purpose')]},\n", " {'answer': 'bereaved',\n", " 'hint': 'synonyms for bereaved',\n", " 'clues': [('mourning', 'sorrowful through loss or deprivation'),\n", " ('sorrowing', 'sorrowful through loss or deprivation'),\n", " ('bereft', 'sorrowful through loss or deprivation'),\n", " ('grieving', 'sorrowful through loss or deprivation'),\n", " ('grief-stricken', 'sorrowful through loss or deprivation')]},\n", " {'answer': 'bereft',\n", " 'hint': 'synonyms for bereft',\n", " 'clues': [('lovelorn', 'unhappy in love; suffering from unrequited love'),\n", " ('unbeloved', 'unhappy in love; suffering from unrequited love'),\n", " ('mourning', 'sorrowful through loss or deprivation'),\n", " ('sorrowing', 'sorrowful through loss or deprivation'),\n", " ('bereaved', 'sorrowful through loss or deprivation'),\n", " ('grieving', 'sorrowful through loss or deprivation'),\n", " ('grief-stricken', 'sorrowful through loss or deprivation')]},\n", " {'answer': 'berserk',\n", " 'hint': 'synonyms for berserk',\n", " 'clues': [('possessed', 'frenzied as if possessed by a demon'),\n", " ('amuck', 'frenzied as if possessed by a demon'),\n", " ('amok', 'frenzied as if possessed by a demon'),\n", " ('demoniac', 'frenzied as if possessed by a demon')]},\n", " {'answer': 'besotted',\n", " 'hint': 'synonyms for besotted',\n", " 'clues': [('fuddled', 'very drunk'),\n", " ('sloshed', 'very drunk'),\n", " ('stiff', 'very drunk'),\n", " ('cockeyed', 'very drunk'),\n", " ('sozzled', 'very drunk'),\n", " ('pie-eyed', 'very drunk'),\n", " ('soaked', 'very drunk'),\n", " ('pixilated', 'very drunk'),\n", " ('blotto', 'very drunk'),\n", " ('wet', 'very drunk'),\n", " ('pissed', 'very drunk'),\n", " ('soused', 'very drunk'),\n", " ('slopped', 'very drunk'),\n", " ('smashed', 'very drunk'),\n", " ('blind drunk', 'very drunk'),\n", " ('plastered', 'very drunk'),\n", " ('crocked', 'very drunk'),\n", " ('loaded', 'very drunk'),\n", " ('tight', 'very drunk'),\n", " ('squiffy', 'very drunk')]},\n", " {'answer': 'bespoke',\n", " 'hint': 'synonyms for bespoke',\n", " 'clues': [('bespoken', '(of clothing) custom-made'),\n", " ('tailored', '(of clothing) custom-made'),\n", " ('made-to-order', '(of clothing) custom-made'),\n", " ('tailor-made', '(of clothing) custom-made')]},\n", " {'answer': 'bespoken',\n", " 'hint': 'synonyms for bespoken',\n", " 'clues': [('made-to-order', '(of clothing) custom-made'),\n", " ('tailor-made', '(of clothing) custom-made'),\n", " ('tailored', '(of clothing) custom-made'),\n", " ('bespoke', '(of clothing) custom-made'),\n", " ('betrothed', 'pledged to be married')]},\n", " {'answer': 'best',\n", " 'hint': 'synonyms for best',\n", " 'clues': [('good',\n", " 'having desirable or positive qualities especially those suitable for a thing specified'),\n", " ('beneficial', 'promoting or enhancing well-being'),\n", " ('serious', 'appealing to the mind'),\n", " ('skillful', 'having or showing knowledge and skill and aptitude'),\n", " ('adept', 'having or showing knowledge and skill and aptitude'),\n", " ('undecomposed', 'not left to spoil'),\n", " ('unspoilt', 'not left to spoil'),\n", " ('near', 'with or in a close or intimate relationship'),\n", " ('secure', 'financially sound'),\n", " ('in effect', 'exerting force or influence'),\n", " ('safe', 'financially sound'),\n", " ('just', 'of moral excellence'),\n", " ('full', 'having the normally expected amount'),\n", " ('honest', 'not forged'),\n", " ('respectable', 'deserving of esteem and respect'),\n", " ('expert', 'having or showing knowledge and skill and aptitude'),\n", " ('right', 'most suitable or right for a particular purpose'),\n", " ('honorable', 'deserving of esteem and respect'),\n", " ('in force', 'exerting force or influence'),\n", " ('dear', 'with or in a close or intimate relationship'),\n", " ('upright', 'of moral excellence'),\n", " ('well', 'resulting favorably'),\n", " ('proficient', 'having or showing knowledge and skill and aptitude'),\n", " ('unspoiled', 'not left to spoil'),\n", " ('estimable', 'deserving of esteem and respect'),\n", " ('effective', 'exerting force or influence'),\n", " ('ripe', 'most suitable or right for a particular purpose'),\n", " ('better',\n", " \"(comparative and superlative of `well') wiser or more advantageous and hence advisable\"),\n", " ('dependable', 'financially sound'),\n", " ('practiced', 'having or showing knowledge and skill and aptitude'),\n", " ('sound', 'in excellent physical condition'),\n", " ('salutary',\n", " 'tending to promote physical well-being; beneficial to health')]},\n", " {'answer': 'best-loved',\n", " 'hint': 'synonyms for best-loved',\n", " 'clues': [('favorite',\n", " 'preferred above all others and treated with partiality'),\n", " ('pet', 'preferred above all others and treated with partiality'),\n", " ('preferred', 'preferred above all others and treated with partiality'),\n", " ('favored', 'preferred above all others and treated with partiality'),\n", " ('preferent', 'preferred above all others and treated with partiality')]},\n", " {'answer': 'bestial',\n", " 'hint': 'synonyms for bestial',\n", " 'clues': [('brutal',\n", " 'resembling a beast; showing lack of human sensibility'),\n", " ('brutish', 'resembling a beast; showing lack of human sensibility'),\n", " ('brute', 'resembling a beast; showing lack of human sensibility'),\n", " ('beastly', 'resembling a beast; showing lack of human sensibility')]},\n", " {'answer': 'better',\n", " 'hint': 'synonyms for better',\n", " 'clues': [('good',\n", " 'having desirable or positive qualities especially those suitable for a thing specified'),\n", " ('beneficial', 'promoting or enhancing well-being'),\n", " ('serious', 'appealing to the mind'),\n", " ('well',\n", " 'in good health especially after having suffered illness or injury'),\n", " ('skillful', 'having or showing knowledge and skill and aptitude'),\n", " ('adept', 'having or showing knowledge and skill and aptitude'),\n", " ('best',\n", " \"(comparative and superlative of `well') wiser or more advantageous and hence advisable\"),\n", " ('undecomposed', 'not left to spoil'),\n", " ('unspoilt', 'not left to spoil'),\n", " ('near', 'with or in a close or intimate relationship'),\n", " ('secure', 'financially sound'),\n", " ('in effect', 'exerting force or influence'),\n", " ('safe', 'financially sound'),\n", " ('just', 'of moral excellence'),\n", " ('full', 'having the normally expected amount'),\n", " ('honest', 'not forged'),\n", " ('respectable', 'deserving of esteem and respect'),\n", " ('expert', 'having or showing knowledge and skill and aptitude'),\n", " ('right', 'most suitable or right for a particular purpose'),\n", " ('honorable', 'deserving of esteem and respect'),\n", " ('in force', 'exerting force or influence'),\n", " ('dear', 'with or in a close or intimate relationship'),\n", " ('upright', 'of moral excellence'),\n", " ('proficient', 'having or showing knowledge and skill and aptitude'),\n", " ('unspoiled', 'not left to spoil'),\n", " ('estimable', 'deserving of esteem and respect'),\n", " ('effective', 'exerting force or influence'),\n", " ('ripe', 'most suitable or right for a particular purpose'),\n", " ('dependable', 'financially sound'),\n", " ('practiced', 'having or showing knowledge and skill and aptitude'),\n", " ('sound', 'in excellent physical condition'),\n", " ('salutary',\n", " 'tending to promote physical well-being; beneficial to health')]},\n", " {'answer': 'better-looking',\n", " 'hint': 'synonyms for better-looking',\n", " 'clues': [('fine-looking',\n", " 'pleasing in appearance especially by reason of conformity to ideals of form and proportion; ; ; ; - Thackeray; - Lillian Hellman'),\n", " ('well-favored',\n", " 'pleasing in appearance especially by reason of conformity to ideals of form and proportion; ; ; ; - Thackeray; - Lillian Hellman'),\n", " ('good-looking',\n", " 'pleasing in appearance especially by reason of conformity to ideals of form and proportion; ; ; ; - Thackeray; - Lillian Hellman'),\n", " ('handsome',\n", " 'pleasing in appearance especially by reason of conformity to ideals of form and proportion; ; ; ; - Thackeray; - Lillian Hellman')]},\n", " {'answer': 'bewhiskered',\n", " 'hint': 'synonyms for bewhiskered',\n", " 'clues': [('barbate', 'having hair on the cheeks and chin'),\n", " ('whiskery', 'having hair on the cheeks and chin'),\n", " ('bearded', 'having hair on the cheeks and chin'),\n", " ('whiskered', 'having hair on the cheeks and chin')]},\n", " {'answer': 'bewildered',\n", " 'hint': 'synonyms for bewildered',\n", " 'clues': [('bemused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('befuddled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mazed',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('baffled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('lost',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mixed-up',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confounded',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('at sea',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment')]},\n", " {'answer': 'bewitching',\n", " 'hint': 'synonyms for bewitching',\n", " 'clues': [('enchanting', 'capturing interest as if by a spell'),\n", " ('fascinating', 'capturing interest as if by a spell'),\n", " ('entrancing', 'capturing interest as if by a spell'),\n", " ('captivating', 'capturing interest as if by a spell'),\n", " ('enthralling', 'capturing interest as if by a spell')]},\n", " {'answer': 'bicolor',\n", " 'hint': 'synonyms for bicolor',\n", " 'clues': [('bicolored', 'having two colors'),\n", " ('bicolour', 'having two colors'),\n", " ('bichrome', 'having two colors'),\n", " ('dichromatic', 'having two colors')]},\n", " {'answer': 'bicoloured',\n", " 'hint': 'synonyms for bicoloured',\n", " 'clues': [('bicolored', 'having two colors'),\n", " ('bicolour', 'having two colors'),\n", " ('bichrome', 'having two colors'),\n", " ('dichromatic', 'having two colors')]},\n", " {'answer': 'bifurcate',\n", " 'hint': 'synonyms for bifurcate',\n", " 'clues': [('prongy',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('forked', 'resembling a fork; divided or separated into two branches'),\n", " ('branched', 'resembling a fork; divided or separated into two branches'),\n", " ('biramous', 'resembling a fork; divided or separated into two branches'),\n", " ('forficate',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('fork-like',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('pronged',\n", " 'resembling a fork; divided or separated into two branches')]},\n", " {'answer': 'big',\n", " 'hint': 'synonyms for big',\n", " 'clues': [('great', 'in an advanced stage of pregnancy'),\n", " ('freehanded', 'given or giving freely'),\n", " ('bragging', 'exhibiting self-importance'),\n", " ('bountiful', 'given or giving freely'),\n", " ('boastful', 'exhibiting self-importance'),\n", " ('bad', 'very intense'),\n", " ('grown', '(of animals) fully developed'),\n", " ('fully grown', '(of animals) fully developed'),\n", " ('heavy', 'prodigious'),\n", " ('magnanimous', 'generous and understanding and tolerant'),\n", " ('enceinte', 'in an advanced stage of pregnancy'),\n", " ('vainglorious', 'feeling self-importance'),\n", " ('braggy', 'exhibiting self-importance'),\n", " ('bighearted', 'given or giving freely'),\n", " ('large',\n", " 'above average in size or number or quantity or magnitude or extent'),\n", " ('bounteous', 'given or giving freely'),\n", " ('openhanded', 'given or giving freely'),\n", " ('liberal', 'given or giving freely'),\n", " ('cock-a-hoop', 'exhibiting self-importance'),\n", " ('adult', '(of animals) fully developed'),\n", " ('grownup', '(of animals) fully developed'),\n", " ('prominent', 'conspicuous in position or importance'),\n", " ('giving', 'given or giving freely'),\n", " ('with child', 'in an advanced stage of pregnancy'),\n", " ('crowing', 'exhibiting self-importance'),\n", " ('expectant', 'in an advanced stage of pregnancy'),\n", " ('gravid', 'in an advanced stage of pregnancy'),\n", " ('braggart', 'exhibiting self-importance'),\n", " ('self-aggrandising', 'exhibiting self-importance'),\n", " ('handsome', 'given or giving freely'),\n", " ('swelled', 'feeling self-importance')]},\n", " {'answer': 'bigger',\n", " 'hint': 'synonyms for bigger',\n", " 'clues': [('great', 'in an advanced stage of pregnancy'),\n", " ('freehanded', 'given or giving freely'),\n", " ('bragging', 'exhibiting self-importance'),\n", " ('boastful', 'exhibiting self-importance'),\n", " ('bad', 'very intense'),\n", " ('enceinte', 'in an advanced stage of pregnancy'),\n", " ('fully grown', '(of animals) fully developed'),\n", " ('heavy', 'prodigious'),\n", " ('braggy', 'exhibiting self-importance'),\n", " ('large',\n", " 'above average in size or number or quantity or magnitude or extent'),\n", " ('big', 'significant'),\n", " ('openhanded', 'given or giving freely'),\n", " ('adult', '(of animals) fully developed'),\n", " ('grownup', '(of animals) fully developed'),\n", " ('giving', 'given or giving freely'),\n", " ('crowing', 'exhibiting self-importance'),\n", " ('expectant', 'in an advanced stage of pregnancy'),\n", " ('swelled', 'feeling self-importance'),\n", " ('self-aggrandizing', 'exhibiting self-importance'),\n", " ('bountiful', 'given or giving freely'),\n", " ('grown', '(of animals) fully developed'),\n", " ('magnanimous', 'generous and understanding and tolerant'),\n", " ('vainglorious', 'feeling self-importance'),\n", " ('bighearted', 'given or giving freely'),\n", " ('bounteous', 'given or giving freely'),\n", " ('liberal', 'given or giving freely'),\n", " ('cock-a-hoop', 'exhibiting self-importance'),\n", " ('prominent', 'conspicuous in position or importance'),\n", " ('with child', 'in an advanced stage of pregnancy'),\n", " ('gravid', 'in an advanced stage of pregnancy'),\n", " ('braggart', 'exhibiting self-importance'),\n", " ('handsome', 'given or giving freely')]},\n", " {'answer': 'bigheaded',\n", " 'hint': 'synonyms for bigheaded',\n", " 'clues': [('stuck-up',\n", " '(used colloquially) overly conceited or arrogant; -Laurent Le Sage'),\n", " ('uppish',\n", " '(used colloquially) overly conceited or arrogant; -Laurent Le Sage'),\n", " ('snooty',\n", " '(used colloquially) overly conceited or arrogant; -Laurent Le Sage'),\n", " ('persnickety',\n", " '(used colloquially) overly conceited or arrogant; -Laurent Le Sage'),\n", " ('snot-nosed',\n", " '(used colloquially) overly conceited or arrogant; -Laurent Le Sage'),\n", " ('snotty',\n", " '(used colloquially) overly conceited or arrogant; -Laurent Le Sage'),\n", " (\"too big for one's breeches\",\n", " '(used colloquially) overly conceited or arrogant; -Laurent Le Sage')]},\n", " {'answer': 'bighearted',\n", " 'hint': 'synonyms for bighearted',\n", " 'clues': [('freehanded', 'given or giving freely'),\n", " ('bountiful', 'given or giving freely'),\n", " ('giving', 'given or giving freely'),\n", " ('handsome', 'given or giving freely'),\n", " ('openhanded', 'given or giving freely'),\n", " ('bounteous', 'given or giving freely'),\n", " ('big', 'given or giving freely'),\n", " ('liberal', 'given or giving freely')]},\n", " {'answer': 'bilaterally_symmetrical',\n", " 'hint': 'synonyms for bilaterally symmetrical',\n", " 'clues': [('bilateral', 'having identical parts on each side of an axis'),\n", " ('zygomorphous',\n", " 'capable of division into symmetrical halves by only one longitudinal plane passing through the axis'),\n", " ('zygomorphic',\n", " 'capable of division into symmetrical halves by only one longitudinal plane passing through the axis'),\n", " ('bilaterally symmetric',\n", " 'having identical parts on each side of an axis')]},\n", " {'answer': 'bilious',\n", " 'hint': 'synonyms for bilious',\n", " 'clues': [('biliary', 'relating to or containing bile'),\n", " ('atrabilious', 'irritable as if suffering from indigestion'),\n", " ('dyspeptic', 'irritable as if suffering from indigestion'),\n", " ('liverish', 'irritable as if suffering from indigestion'),\n", " ('livery',\n", " 'suffering from or suggesting a liver disorder or gastric distress')]},\n", " {'answer': 'biramous',\n", " 'hint': 'synonyms for biramous',\n", " 'clues': [('prongy',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('forked', 'resembling a fork; divided or separated into two branches'),\n", " ('branched', 'resembling a fork; divided or separated into two branches'),\n", " ('forficate',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('fork-like',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('bifurcate',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('pronged',\n", " 'resembling a fork; divided or separated into two branches')]},\n", " {'answer': 'bit-by-bit',\n", " 'hint': 'synonyms for bit-by-bit',\n", " 'clues': [('in small stages', 'one thing at a time'),\n", " ('stepwise', 'one thing at a time'),\n", " ('piecemeal', 'one thing at a time'),\n", " ('step-by-step', 'one thing at a time')]},\n", " {'answer': 'biting',\n", " 'hint': 'synonyms for biting',\n", " 'clues': [('bitter',\n", " 'causing a sharply painful or stinging sensation; used especially of cold'),\n", " ('nipping', 'capable of wounding'),\n", " ('mordacious', 'capable of wounding'),\n", " ('pungent', 'capable of wounding'),\n", " ('barbed', 'capable of wounding')]},\n", " {'answer': 'bitter',\n", " 'hint': 'synonyms for bitter',\n", " 'clues': [('acid', 'harsh or corrosive in tone'),\n", " ('sulfurous', 'harsh or corrosive in tone'),\n", " ('vitriolic', 'harsh or corrosive in tone'),\n", " ('biting',\n", " 'causing a sharply painful or stinging sensation; used especially of cold'),\n", " ('virulent', 'harsh or corrosive in tone'),\n", " ('acerb', 'harsh or corrosive in tone'),\n", " ('blistering', 'harsh or corrosive in tone'),\n", " ('caustic', 'harsh or corrosive in tone'),\n", " ('sulphurous', 'harsh or corrosive in tone'),\n", " ('acerbic', 'harsh or corrosive in tone'),\n", " ('acrimonious', 'marked by strong resentment or cynicism')]},\n", " {'answer': 'bittie',\n", " 'hint': 'synonyms for bittie',\n", " 'clues': [('itty-bitty', '(used informally) very small'),\n", " ('teensy', '(used informally) very small'),\n", " ('teeny-weeny', '(used informally) very small'),\n", " ('wee', '(used informally) very small'),\n", " ('bitty', '(used informally) very small'),\n", " ('itsy-bitsy', '(used informally) very small'),\n", " ('weeny', '(used informally) very small')]},\n", " {'answer': 'bitty',\n", " 'hint': 'synonyms for bitty',\n", " 'clues': [('bittie', '(used informally) very small'),\n", " ('itty-bitty', '(used informally) very small'),\n", " ('teensy', '(used informally) very small'),\n", " ('teeny-weeny', '(used informally) very small'),\n", " ('wee', '(used informally) very small'),\n", " ('weeny', '(used informally) very small'),\n", " ('itsy-bitsy', '(used informally) very small')]},\n", " {'answer': 'biyearly',\n", " 'hint': 'synonyms for biyearly',\n", " 'clues': [('biennial', 'occurring every second year'),\n", " ('half-yearly', 'occurring or payable twice each year'),\n", " ('semiannual', 'occurring or payable twice each year'),\n", " ('biannual', 'occurring or payable twice each year')]},\n", " {'answer': 'bizarre',\n", " 'hint': 'synonyms for bizarre',\n", " 'clues': [('freakish',\n", " 'conspicuously or grossly unconventional or unusual'),\n", " ('freaky', 'conspicuously or grossly unconventional or unusual'),\n", " ('outre', 'conspicuously or grossly unconventional or unusual'),\n", " ('flakey', 'conspicuously or grossly unconventional or unusual'),\n", " ('outlandish', 'conspicuously or grossly unconventional or unusual'),\n", " ('gonzo', 'conspicuously or grossly unconventional or unusual'),\n", " ('off-the-wall', 'conspicuously or grossly unconventional or unusual'),\n", " ('eccentric', 'conspicuously or grossly unconventional or unusual')]},\n", " {'answer': 'blabbermouthed',\n", " 'hint': 'synonyms for blabbermouthed',\n", " 'clues': [('tattling', 'prone to communicate confidential information'),\n", " ('blabby', 'unwisely talking too much'),\n", " ('talebearing', 'prone to communicate confidential information'),\n", " ('talkative', 'unwisely talking too much'),\n", " ('leaky', 'prone to communicate confidential information'),\n", " ('bigmouthed', 'unwisely talking too much')]},\n", " {'answer': 'black',\n", " 'hint': 'synonyms for black',\n", " 'clues': [('contraband', 'distributed or sold illicitly'),\n", " ('pitch-black', 'extremely dark'),\n", " ('sinister',\n", " 'stemming from evil characteristics or forces; wicked or dishonorable; ; ; ; ; ; ; -Thomas Hardy'),\n", " ('disgraceful',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson'),\n", " ('bleak', 'offering little or no hope; ; ; - J.M.Synge'),\n", " ('shameful',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson'),\n", " ('dark',\n", " 'stemming from evil characteristics or forces; wicked or dishonorable; ; ; ; ; ; ; -Thomas Hardy'),\n", " ('black-market', 'distributed or sold illicitly'),\n", " ('mordant', 'harshly ironic or sinister'),\n", " ('bootleg', 'distributed or sold illicitly'),\n", " ('smuggled', 'distributed or sold illicitly'),\n", " ('smutty', 'soiled with dirt or soot'),\n", " ('fateful',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('ignominious',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson'),\n", " ('pitch-dark', 'extremely dark'),\n", " ('disastrous',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('inglorious',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson'),\n", " ('calamitous',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('dim', 'offering little or no hope; ; ; - J.M.Synge'),\n", " ('opprobrious',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson'),\n", " ('grim', 'harshly ironic or sinister'),\n", " ('fatal',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('blackened',\n", " '(of the face) made black especially as with suffused blood')]},\n", " {'answer': 'black-market',\n", " 'hint': 'synonyms for black-market',\n", " 'clues': [('smuggled', 'distributed or sold illicitly'),\n", " ('contraband', 'distributed or sold illicitly'),\n", " ('bootleg', 'distributed or sold illicitly'),\n", " ('black', 'distributed or sold illicitly')]},\n", " {'answer': 'blamable',\n", " 'hint': 'synonyms for blamable',\n", " 'clues': [('culpable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('censurable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameful',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameworthy',\n", " 'deserving blame or censure as being wrong or evil or injurious')]},\n", " {'answer': 'blame',\n", " 'hint': 'synonyms for blame',\n", " 'clues': [('blasted', 'expletives used informally as intensifiers'),\n", " ('damn', 'expletives used informally as intensifiers'),\n", " ('blessed', 'expletives used informally as intensifiers'),\n", " ('goddam', 'expletives used informally as intensifiers'),\n", " ('infernal', 'expletives used informally as intensifiers'),\n", " ('blamed', 'expletives used informally as intensifiers'),\n", " ('goddamned', 'expletives used informally as intensifiers'),\n", " ('damned', 'expletives used informally as intensifiers'),\n", " ('darned', 'expletives used informally as intensifiers'),\n", " ('deuced', 'expletives used informally as intensifiers')]},\n", " {'answer': 'blameable',\n", " 'hint': 'synonyms for blameable',\n", " 'clues': [('culpable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blamable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('censurable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameful',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameworthy',\n", " 'deserving blame or censure as being wrong or evil or injurious')]},\n", " {'answer': 'blamed',\n", " 'hint': 'synonyms for blamed',\n", " 'clues': [('blasted', 'expletives used informally as intensifiers'),\n", " ('damn', 'expletives used informally as intensifiers'),\n", " ('blessed', 'expletives used informally as intensifiers'),\n", " ('darned', 'expletives used informally as intensifiers'),\n", " ('goddam', 'expletives used informally as intensifiers'),\n", " ('goddamned', 'expletives used informally as intensifiers'),\n", " ('infernal', 'expletives used informally as intensifiers'),\n", " ('damned', 'expletives used informally as intensifiers'),\n", " ('blame', 'expletives used informally as intensifiers'),\n", " ('deuced', 'expletives used informally as intensifiers')]},\n", " {'answer': 'blameful',\n", " 'hint': 'synonyms for blameful',\n", " 'clues': [('culpable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blamable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('censurable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameworthy',\n", " 'deserving blame or censure as being wrong or evil or injurious')]},\n", " {'answer': 'blameworthy',\n", " 'hint': 'synonyms for blameworthy',\n", " 'clues': [('culpable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blamable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('censurable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameful',\n", " 'deserving blame or censure as being wrong or evil or injurious')]},\n", " {'answer': 'blanched',\n", " 'hint': 'synonyms for blanched',\n", " 'clues': [('bloodless',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('white',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('etiolate',\n", " '(especially of plants) developed without chlorophyll by being deprived of light'),\n", " ('ashen',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('livid',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley')]},\n", " {'answer': 'bland',\n", " 'hint': 'synonyms for bland',\n", " 'clues': [('flat', 'lacking taste or flavor or tang'),\n", " ('savourless', 'lacking taste or flavor or tang'),\n", " ('politic',\n", " 'smoothly agreeable and courteous with a degree of sophistication'),\n", " ('flavorless', 'lacking taste or flavor or tang'),\n", " ('suave',\n", " 'smoothly agreeable and courteous with a degree of sophistication'),\n", " ('insipid', 'lacking taste or flavor or tang'),\n", " ('smooth',\n", " 'smoothly agreeable and courteous with a degree of sophistication'),\n", " ('vapid', 'lacking taste or flavor or tang')]},\n", " {'answer': 'blanket',\n", " 'hint': 'synonyms for blanket',\n", " 'clues': [('wide', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('extensive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('encompassing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('panoptic', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('across-the-board', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('broad', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-embracing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-inclusive', 'broad in scope or content; ; ; ; ; - T.G.Winner')]},\n", " {'answer': 'blasted',\n", " 'hint': 'synonyms for blasted',\n", " 'clues': [('damn', 'expletives used informally as intensifiers'),\n", " ('blessed', 'expletives used informally as intensifiers'),\n", " ('darned', 'expletives used informally as intensifiers'),\n", " ('goddam', 'expletives used informally as intensifiers'),\n", " ('blamed', 'expletives used informally as intensifiers'),\n", " ('goddamned', 'expletives used informally as intensifiers'),\n", " ('infernal', 'expletives used informally as intensifiers'),\n", " ('damned', 'expletives used informally as intensifiers'),\n", " ('deuced', 'expletives used informally as intensifiers')]},\n", " {'answer': 'blatant',\n", " 'hint': 'synonyms for blatant',\n", " 'clues': [('vociferous',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('clamorous',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('conspicuous', 'without any attempt at concealment; completely obvious'),\n", " ('strident',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('clamant',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('blazing', 'without any attempt at concealment; completely obvious')]},\n", " {'answer': 'blazing',\n", " 'hint': 'synonyms for blazing',\n", " 'clues': [('blinding', 'shining intensely'),\n", " ('glary', 'shining intensely'),\n", " ('fulgent', 'shining intensely'),\n", " ('dazzling', 'shining intensely'),\n", " ('blatant', 'without any attempt at concealment; completely obvious'),\n", " ('glaring', 'shining intensely'),\n", " ('conspicuous',\n", " 'without any attempt at concealment; completely obvious')]},\n", " {'answer': 'bleached',\n", " 'hint': 'synonyms for bleached',\n", " 'clues': [('dyed', '(used of color) artificially produced; not natural'),\n", " ('washed-out', 'having lost freshness or brilliance of color'),\n", " ('colored', '(used of color) artificially produced; not natural'),\n", " ('washy', 'having lost freshness or brilliance of color'),\n", " ('faded', 'having lost freshness or brilliance of color')]},\n", " {'answer': 'bleak',\n", " 'hint': 'synonyms for bleak',\n", " 'clues': [('raw', 'unpleasantly cold and damp'),\n", " ('black', 'offering little or no hope; ; ; - J.M.Synge'),\n", " ('desolate', 'providing no shelter or sustenance'),\n", " ('dim', 'offering little or no hope; ; ; - J.M.Synge'),\n", " ('bare', 'providing no shelter or sustenance'),\n", " ('cutting', 'unpleasantly cold and damp'),\n", " ('stark', 'providing no shelter or sustenance'),\n", " ('barren', 'providing no shelter or sustenance')]},\n", " {'answer': 'bleary',\n", " 'hint': 'synonyms for bleary',\n", " 'clues': [('bleary-eyed', 'tired to the point of exhaustion'),\n", " ('blurry', 'indistinct or hazy in outline'),\n", " ('foggy', 'indistinct or hazy in outline'),\n", " ('blurred', 'indistinct or hazy in outline'),\n", " ('blear', 'tired to the point of exhaustion'),\n", " ('muzzy', 'indistinct or hazy in outline'),\n", " ('fuzzy', 'indistinct or hazy in outline'),\n", " ('hazy', 'indistinct or hazy in outline')]},\n", " {'answer': 'blessed',\n", " 'hint': 'synonyms for blessed',\n", " 'clues': [('blame', 'expletives used informally as intensifiers'),\n", " ('deuced', 'expletives used informally as intensifiers'),\n", " ('blasted', 'expletives used informally as intensifiers'),\n", " ('damn', 'expletives used informally as intensifiers'),\n", " ('blest', 'highly favored or fortunate (as e.g. by divine grace)'),\n", " ('goddam', 'expletives used informally as intensifiers'),\n", " ('infernal', 'expletives used informally as intensifiers'),\n", " ('beatified',\n", " 'Roman Catholic; proclaimed one of the blessed and thus worthy of veneration'),\n", " ('damned', 'expletives used informally as intensifiers'),\n", " ('darned', 'expletives used informally as intensifiers'),\n", " ('goddamned', 'expletives used informally as intensifiers')]},\n", " {'answer': 'blind_drunk',\n", " 'hint': 'synonyms for blind drunk',\n", " 'clues': [('fuddled', 'very drunk'),\n", " ('sloshed', 'very drunk'),\n", " ('stiff', 'very drunk'),\n", " ('cockeyed', 'very drunk'),\n", " ('sozzled', 'very drunk'),\n", " ('pie-eyed', 'very drunk'),\n", " ('soaked', 'very drunk'),\n", " ('pixilated', 'very drunk'),\n", " ('blotto', 'very drunk'),\n", " ('wet', 'very drunk'),\n", " ('pissed', 'very drunk'),\n", " ('besotted', 'very drunk'),\n", " ('soused', 'very drunk'),\n", " ('slopped', 'very drunk'),\n", " ('smashed', 'very drunk'),\n", " ('plastered', 'very drunk'),\n", " ('crocked', 'very drunk'),\n", " ('loaded', 'very drunk'),\n", " ('tight', 'very drunk'),\n", " ('squiffy', 'very drunk')]},\n", " {'answer': 'blinding',\n", " 'hint': 'synonyms for blinding',\n", " 'clues': [('blazing', 'shining intensely'),\n", " ('glary', 'shining intensely'),\n", " ('fulgent', 'shining intensely'),\n", " ('dazzling', 'shining intensely'),\n", " ('glaring', 'shining intensely')]},\n", " {'answer': 'blinking',\n", " 'hint': 'synonyms for blinking',\n", " 'clues': [('blooming', 'informal intensifiers'),\n", " ('bally', 'informal intensifiers'),\n", " ('bloody', 'informal intensifiers'),\n", " ('flaming', 'informal intensifiers'),\n", " ('crashing', 'informal intensifiers'),\n", " ('fucking', 'informal intensifiers'),\n", " ('winking', 'closing the eyes intermittently and rapidly')]},\n", " {'answer': 'blistering',\n", " 'hint': 'synonyms for blistering',\n", " 'clues': [('acid', 'harsh or corrosive in tone'),\n", " ('acerbic', 'harsh or corrosive in tone'),\n", " ('sulfurous', 'harsh or corrosive in tone'),\n", " ('vitriolic', 'harsh or corrosive in tone'),\n", " ('red-hot', 'very fast; capable of quick response and great speed'),\n", " ('virulent', 'harsh or corrosive in tone'),\n", " ('acerb', 'harsh or corrosive in tone'),\n", " ('blistery', 'hot enough to raise (or as if to raise) blisters'),\n", " ('bitter', 'harsh or corrosive in tone'),\n", " ('caustic', 'harsh or corrosive in tone'),\n", " ('hot', 'very fast; capable of quick response and great speed'),\n", " ('sulphurous', 'harsh or corrosive in tone')]},\n", " {'answer': 'blockheaded',\n", " 'hint': 'synonyms for blockheaded',\n", " 'clues': [('thick', '(used informally) stupid'),\n", " ('fatheaded', '(used informally) stupid'),\n", " ('wooden-headed', '(used informally) stupid'),\n", " ('duncical', '(used informally) stupid'),\n", " ('thickheaded', '(used informally) stupid'),\n", " ('loggerheaded', '(used informally) stupid'),\n", " ('thick-skulled', '(used informally) stupid'),\n", " ('boneheaded', '(used informally) stupid'),\n", " ('duncish', '(used informally) stupid')]},\n", " {'answer': 'blood-red',\n", " 'hint': 'synonyms for blood-red',\n", " 'clues': [('reddish',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruddy',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cerise',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('scarlet',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('crimson',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('carmine',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies')]},\n", " {'answer': 'blood-related',\n", " 'hint': 'synonyms for blood-related',\n", " 'clues': [('cognate', 'related by blood'),\n", " ('consanguineous', 'related by blood'),\n", " ('kin', 'related by blood'),\n", " ('consanguineal', 'related by blood')]},\n", " {'answer': 'bloodless',\n", " 'hint': 'synonyms for bloodless',\n", " 'clues': [('exsanguinous',\n", " 'destitute of blood or apparently so; - John Dryden'),\n", " ('white',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('exsanguine', 'destitute of blood or apparently so; - John Dryden'),\n", " ('blanched',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('livid',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley'),\n", " ('ashen',\n", " 'anemic looking from illness or emotion; ; ; ; ; - Mary W. Shelley')]},\n", " {'answer': 'bloody',\n", " 'hint': 'synonyms for bloody',\n", " 'clues': [('blinking', 'informal intensifiers'),\n", " ('blooming', 'informal intensifiers'),\n", " ('flaming', 'informal intensifiers'),\n", " ('crashing', 'informal intensifiers'),\n", " ('fucking', 'informal intensifiers'),\n", " ('bally', 'informal intensifiers')]},\n", " {'answer': 'blooming',\n", " 'hint': 'synonyms for blooming',\n", " 'clues': [('blinking', 'informal intensifiers'),\n", " ('bloody', 'informal intensifiers'),\n", " ('flaming', 'informal intensifiers'),\n", " ('crashing', 'informal intensifiers'),\n", " ('fucking', 'informal intensifiers'),\n", " ('bally', 'informal intensifiers')]},\n", " {'answer': 'blotto',\n", " 'hint': 'synonyms for blotto',\n", " 'clues': [('fuddled', 'very drunk'),\n", " ('sloshed', 'very drunk'),\n", " ('stiff', 'very drunk'),\n", " ('cockeyed', 'very drunk'),\n", " ('sozzled', 'very drunk'),\n", " ('pie-eyed', 'very drunk'),\n", " ('soaked', 'very drunk'),\n", " ('pixilated', 'very drunk'),\n", " ('wet', 'very drunk'),\n", " ('pissed', 'very drunk'),\n", " ('besotted', 'very drunk'),\n", " ('soused', 'very drunk'),\n", " ('slopped', 'very drunk'),\n", " ('smashed', 'very drunk'),\n", " ('blind drunk', 'very drunk'),\n", " ('plastered', 'very drunk'),\n", " ('crocked', 'very drunk'),\n", " ('loaded', 'very drunk'),\n", " ('tight', 'very drunk'),\n", " ('squiffy', 'very drunk')]},\n", " {'answer': 'blue',\n", " 'hint': 'synonyms for blue',\n", " 'clues': [('disconsolate', 'causing dejection'),\n", " ('risque', 'suggestive of sexual impropriety'),\n", " ('grim', 'filled with melancholy and despondency'),\n", " ('sorry', 'causing dejection'),\n", " ('puritanical', 'morally rigorous and strict'),\n", " ('low-spirited', 'filled with melancholy and despondency'),\n", " ('gloomy', 'filled with melancholy and despondency'),\n", " ('blue-blooded',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('dingy', 'causing dejection'),\n", " ('aristocratical',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('drab', 'causing dejection'),\n", " ('low', 'filled with melancholy and despondency'),\n", " ('downhearted', 'filled with melancholy and despondency'),\n", " ('juicy', 'suggestive of sexual impropriety'),\n", " ('dispirited', 'filled with melancholy and despondency'),\n", " ('gentle',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('spicy', 'suggestive of sexual impropriety'),\n", " ('down in the mouth', 'filled with melancholy and despondency'),\n", " ('bluish',\n", " 'of the color intermediate between green and violet; having a color similar to that of a clear unclouded sky; - Helen Hunt Jackson'),\n", " ('patrician',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('racy', 'suggestive of sexual impropriety'),\n", " ('gamy', 'suggestive of sexual impropriety'),\n", " ('dismal', 'causing dejection'),\n", " ('dreary', 'causing dejection'),\n", " ('down', 'filled with melancholy and despondency'),\n", " ('blasphemous', 'characterized by profanity or cursing'),\n", " ('depressed', 'filled with melancholy and despondency'),\n", " ('dark', 'causing dejection'),\n", " ('downcast', 'filled with melancholy and despondency'),\n", " ('naughty', 'suggestive of sexual impropriety'),\n", " ('profane', 'characterized by profanity or cursing')]},\n", " {'answer': 'blue-blooded',\n", " 'hint': 'synonyms for blue-blooded',\n", " 'clues': [('aristocratical',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('blue', 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('gentle',\n", " 'belonging to or characteristic of the nobility or aristocracy'),\n", " ('patrician',\n", " 'belonging to or characteristic of the nobility or aristocracy')]},\n", " {'answer': 'blunt',\n", " 'hint': 'synonyms for blunt',\n", " 'clues': [('stark',\n", " 'devoid of any qualifications or disguise or adornment'),\n", " ('free-spoken',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('forthright',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('point-blank',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('candid',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('straight-from-the-shoulder',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('crude', 'devoid of any qualifications or disguise or adornment'),\n", " ('frank',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('plainspoken',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('outspoken',\n", " 'characterized by directness in manner or speech; without subtlety or evasion')]},\n", " {'answer': 'blurred',\n", " 'hint': 'synonyms for blurred',\n", " 'clues': [('blurry', 'indistinct or hazy in outline'),\n", " ('bleary', 'indistinct or hazy in outline'),\n", " ('foggy', 'indistinct or hazy in outline'),\n", " ('fuzzy', 'indistinct or hazy in outline'),\n", " ('clouded', 'unclear in form or expression; ; - H.G.Wells'),\n", " ('muzzy', 'indistinct or hazy in outline'),\n", " ('hazy', 'indistinct or hazy in outline')]},\n", " {'answer': 'blurry',\n", " 'hint': 'synonyms for blurry',\n", " 'clues': [('muzzy', 'indistinct or hazy in outline'),\n", " ('bleary', 'indistinct or hazy in outline'),\n", " ('foggy', 'indistinct or hazy in outline'),\n", " ('fuzzy', 'indistinct or hazy in outline'),\n", " ('blurred', 'indistinct or hazy in outline'),\n", " ('hazy', 'indistinct or hazy in outline')]},\n", " {'answer': 'boastful',\n", " 'hint': 'synonyms for boastful',\n", " 'clues': [('big', 'exhibiting self-importance'),\n", " ('bragging', 'exhibiting self-importance'),\n", " ('cock-a-hoop', 'exhibiting self-importance'),\n", " ('crowing', 'exhibiting self-importance'),\n", " ('braggy', 'exhibiting self-importance'),\n", " ('braggart', 'exhibiting self-importance'),\n", " ('self-aggrandising', 'exhibiting self-importance')]},\n", " {'answer': 'bodacious',\n", " 'hint': 'synonyms for bodacious',\n", " 'clues': [('brazen-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('insolent',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('audacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bald-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brassy',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brazen',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('barefaced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell')]},\n", " {'answer': 'bodied',\n", " 'hint': 'synonyms for bodied',\n", " 'clues': [('corporal',\n", " 'possessing or existing in bodily form; - Shakespeare'),\n", " ('corporate', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('incarnate', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('embodied', 'possessing or existing in bodily form; - Shakespeare')]},\n", " {'answer': 'bodiless',\n", " 'hint': 'synonyms for bodiless',\n", " 'clues': [('disembodied', 'not having a material body'),\n", " ('unbodied', 'not having a material body'),\n", " ('discorporate', 'not having a material body'),\n", " ('bodyless', 'having no trunk or main part')]},\n", " {'answer': 'boggy',\n", " 'hint': 'synonyms for boggy',\n", " 'clues': [('marshy', '(of soil) soft and watery'),\n", " ('miry', '(of soil) soft and watery'),\n", " ('waterlogged', '(of soil) soft and watery'),\n", " ('mucky', '(of soil) soft and watery'),\n", " ('sloppy', '(of soil) soft and watery'),\n", " ('soggy', '(of soil) soft and watery'),\n", " ('swampy', '(of soil) soft and watery'),\n", " ('sloughy', '(of soil) soft and watery'),\n", " ('quaggy', '(of soil) soft and watery'),\n", " ('squashy', '(of soil) soft and watery'),\n", " ('muddy', '(of soil) soft and watery')]},\n", " {'answer': 'boisterous',\n", " 'hint': 'synonyms for boisterous',\n", " 'clues': [('rambunctious', 'noisy and lacking in restraint or discipline'),\n", " ('fierce', 'violently agitated and turbulent; ; - Ezra Pound'),\n", " ('rough', 'violently agitated and turbulent; ; - Ezra Pound'),\n", " ('unruly', 'noisy and lacking in restraint or discipline'),\n", " ('knockabout', 'full of rough and exuberant animal spirits'),\n", " ('rumbustious', 'noisy and lacking in restraint or discipline')]},\n", " {'answer': 'bombastic',\n", " 'hint': 'synonyms for bombastic',\n", " 'clues': [('turgid', 'ostentatiously lofty in style'),\n", " ('orotund', 'ostentatiously lofty in style'),\n", " ('tumid', 'ostentatiously lofty in style'),\n", " ('declamatory', 'ostentatiously lofty in style'),\n", " ('large', 'ostentatiously lofty in style')]},\n", " {'answer': 'boneheaded',\n", " 'hint': 'synonyms for boneheaded',\n", " 'clues': [('thick', '(used informally) stupid'),\n", " ('fatheaded', '(used informally) stupid'),\n", " ('wooden-headed', '(used informally) stupid'),\n", " ('duncical', '(used informally) stupid'),\n", " ('thickheaded', '(used informally) stupid'),\n", " ('blockheaded', '(used informally) stupid'),\n", " ('loggerheaded', '(used informally) stupid'),\n", " ('thick-skulled', '(used informally) stupid'),\n", " ('duncish', '(used informally) stupid')]},\n", " {'answer': 'boney',\n", " 'hint': 'synonyms for boney',\n", " 'clues': [('underweight', 'being very thin'),\n", " ('scrawny', 'being very thin'),\n", " ('scraggy', 'being very thin'),\n", " ('bony', 'having bones especially many or prominent bones'),\n", " ('weedy', 'being very thin'),\n", " ('skinny', 'being very thin')]},\n", " {'answer': 'bonkers',\n", " 'hint': 'synonyms for bonkers',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'bonnie',\n", " 'hint': 'synonyms for bonnie',\n", " 'clues': [('fair', 'very pleasing to the eye'),\n", " ('bonny', 'very pleasing to the eye'),\n", " ('comely', 'very pleasing to the eye'),\n", " ('sightly', 'very pleasing to the eye')]},\n", " {'answer': 'bonny',\n", " 'hint': 'synonyms for bonny',\n", " 'clues': [('bonnie', 'very pleasing to the eye'),\n", " ('fair', 'very pleasing to the eye'),\n", " ('comely', 'very pleasing to the eye'),\n", " ('sightly', 'very pleasing to the eye')]},\n", " {'answer': 'bony',\n", " 'hint': 'synonyms for bony',\n", " 'clues': [('cadaverous',\n", " 'very thin especially from disease or hunger or cold'),\n", " ('boney', 'having bones especially many or prominent bones'),\n", " ('wasted', 'very thin especially from disease or hunger or cold'),\n", " ('pinched', 'very thin especially from disease or hunger or cold'),\n", " ('haggard', 'very thin especially from disease or hunger or cold'),\n", " ('emaciated', 'very thin especially from disease or hunger or cold'),\n", " ('skeletal', 'very thin especially from disease or hunger or cold'),\n", " ('osteal', 'composed of or containing bone'),\n", " ('osseous', 'composed of or containing bone'),\n", " ('gaunt', 'very thin especially from disease or hunger or cold')]},\n", " {'answer': 'booming',\n", " 'hint': 'synonyms for booming',\n", " 'clues': [('palmy', 'very lively and profitable'),\n", " ('stentorian', 'used of the voice'),\n", " ('prospering', 'very lively and profitable'),\n", " ('thriving', 'very lively and profitable'),\n", " ('flourishing', 'very lively and profitable'),\n", " ('prosperous', 'very lively and profitable'),\n", " ('roaring', 'very lively and profitable')]},\n", " {'answer': 'boorish',\n", " 'hint': 'synonyms for boorish',\n", " 'clues': [('neandertal',\n", " 'ill-mannered and coarse and contemptible in behavior or appearance'),\n", " ('loutish',\n", " 'ill-mannered and coarse and contemptible in behavior or appearance'),\n", " ('swinish',\n", " 'ill-mannered and coarse and contemptible in behavior or appearance'),\n", " ('oafish',\n", " 'ill-mannered and coarse and contemptible in behavior or appearance')]},\n", " {'answer': 'bootleg',\n", " 'hint': 'synonyms for bootleg',\n", " 'clues': [('smuggled', 'distributed or sold illicitly'),\n", " ('black-market', 'distributed or sold illicitly'),\n", " ('contraband', 'distributed or sold illicitly'),\n", " ('black', 'distributed or sold illicitly')]},\n", " {'answer': 'bootless',\n", " 'hint': 'synonyms for bootless',\n", " 'clues': [('futile', 'unproductive of success'),\n", " ('fruitless', 'unproductive of success'),\n", " ('sleeveless', 'unproductive of success'),\n", " ('vain', 'unproductive of success')]},\n", " {'answer': 'bootlicking',\n", " 'hint': 'synonyms for bootlicking',\n", " 'clues': [('obsequious',\n", " 'attempting to win favor from influential people by flattery'),\n", " ('sycophantic',\n", " 'attempting to win favor from influential people by flattery'),\n", " ('toadyish',\n", " 'attempting to win favor from influential people by flattery'),\n", " ('fawning',\n", " 'attempting to win favor from influential people by flattery')]},\n", " {'answer': 'boring',\n", " 'hint': 'synonyms for boring',\n", " 'clues': [('irksome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('dull',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('deadening',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('tedious',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('slow',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('tiresome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('ho-hum',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('wearisome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain')]},\n", " {'answer': 'bosomy',\n", " 'hint': 'synonyms for bosomy',\n", " 'clues': [('voluptuous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('well-endowed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('full-bosomed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvaceous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('stacked',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('busty', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsie',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('buxom',\n", " \"(of a woman's body) having a large bosom and pleasing curves\")]},\n", " {'answer': 'bossy',\n", " 'hint': 'synonyms for bossy',\n", " 'clues': [('dominating',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('high-and-mighty',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('peremptory',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('autocratic',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('magisterial',\n", " 'offensively self-assured or given to exercising usually unwarranted power')]},\n", " {'answer': 'bothersome',\n", " 'hint': 'synonyms for bothersome',\n", " 'clues': [('pestering', 'causing irritation or annoyance'),\n", " ('vexing', 'causing irritation or annoyance'),\n", " ('pesky', 'causing irritation or annoyance'),\n", " ('plaguy', 'causing irritation or annoyance'),\n", " ('galling', 'causing irritation or annoyance'),\n", " ('teasing', 'causing irritation or annoyance'),\n", " ('vexatious', 'causing irritation or annoyance'),\n", " ('irritating', 'causing irritation or annoyance'),\n", " ('annoying', 'causing irritation or annoyance'),\n", " ('pestiferous', 'causing irritation or annoyance'),\n", " ('nettlesome', 'causing irritation or annoyance')]},\n", " {'answer': 'bouncing',\n", " 'hint': 'synonyms for bouncing',\n", " 'clues': [('spirited', 'marked by lively action'),\n", " ('peppy', 'marked by lively action'),\n", " ('bouncy', 'marked by lively action'),\n", " ('zippy', 'marked by lively action')]},\n", " {'answer': 'bouncy',\n", " 'hint': 'synonyms for bouncy',\n", " 'clues': [('springy', 'elastic; rebounds readily'),\n", " ('lively', 'elastic; rebounds readily'),\n", " ('spirited', 'marked by lively action'),\n", " ('peppy', 'marked by lively action'),\n", " ('resilient', 'elastic; rebounds readily'),\n", " ('zippy', 'marked by lively action'),\n", " ('bouncing', 'marked by lively action')]},\n", " {'answer': 'bound',\n", " 'hint': 'synonyms for bound',\n", " 'clues': [('apprenticed', 'bound by contract'),\n", " ('indentured', 'bound by contract'),\n", " ('bandaged', 'covered or wrapped with a bandage'),\n", " ('destined',\n", " \"headed or intending to head in a certain direction; often used as a combining form as in `college-bound students'\"),\n", " ('articled', 'bound by contract')]},\n", " {'answer': 'bounderish',\n", " 'hint': 'synonyms for bounderish',\n", " 'clues': [('ill-bred', '(of persons) lacking in refinement or grace'),\n", " ('underbred', '(of persons) lacking in refinement or grace'),\n", " ('yokelish', '(of persons) lacking in refinement or grace'),\n", " ('rude', '(of persons) lacking in refinement or grace'),\n", " ('lowbred', '(of persons) lacking in refinement or grace')]},\n", " {'answer': 'bounteous',\n", " 'hint': 'synonyms for bounteous',\n", " 'clues': [('freehanded', 'given or giving freely'),\n", " ('bountiful', 'given or giving freely'),\n", " ('giving', 'given or giving freely'),\n", " ('bighearted', 'given or giving freely'),\n", " ('handsome', 'given or giving freely'),\n", " ('openhanded', 'given or giving freely'),\n", " ('big', 'given or giving freely'),\n", " ('liberal', 'given or giving freely')]},\n", " {'answer': 'bountiful',\n", " 'hint': 'synonyms for bountiful',\n", " 'clues': [('freehanded', 'given or giving freely'),\n", " ('giving', 'given or giving freely'),\n", " ('plentiful', 'producing in abundance'),\n", " ('bighearted', 'given or giving freely'),\n", " ('handsome', 'given or giving freely'),\n", " ('openhanded', 'given or giving freely'),\n", " ('bounteous', 'given or giving freely'),\n", " ('big', 'given or giving freely'),\n", " ('liberal', 'given or giving freely')]},\n", " {'answer': 'bowed',\n", " 'hint': 'synonyms for bowed',\n", " 'clues': [('bowleg', 'have legs that curve outward at the knees'),\n", " ('bandy', 'have legs that curve outward at the knees'),\n", " ('bowlegged', 'have legs that curve outward at the knees'),\n", " ('bowing', 'showing an excessively deferential manner'),\n", " ('bandy-legged', 'have legs that curve outward at the knees'),\n", " ('arciform', 'forming or resembling an arch'),\n", " ('arcuate', 'forming or resembling an arch'),\n", " ('arching', 'forming or resembling an arch'),\n", " ('arced', 'forming or resembling an arch')]},\n", " {'answer': 'bowleg',\n", " 'hint': 'synonyms for bowleg',\n", " 'clues': [('bowlegged', 'have legs that curve outward at the knees'),\n", " ('bowed', 'have legs that curve outward at the knees'),\n", " ('bandy', 'have legs that curve outward at the knees'),\n", " ('bandy-legged', 'have legs that curve outward at the knees')]},\n", " {'answer': 'bowlegged',\n", " 'hint': 'synonyms for bowlegged',\n", " 'clues': [('bowleg', 'have legs that curve outward at the knees'),\n", " ('bowed', 'have legs that curve outward at the knees'),\n", " ('bandy', 'have legs that curve outward at the knees'),\n", " ('bandy-legged', 'have legs that curve outward at the knees')]},\n", " {'answer': 'bracing',\n", " 'hint': 'synonyms for bracing',\n", " 'clues': [('fresh', 'imparting vitality and energy'),\n", " ('refreshful', 'imparting vitality and energy'),\n", " ('tonic', 'imparting vitality and energy'),\n", " ('refreshing', 'imparting vitality and energy'),\n", " ('brisk', 'imparting vitality and energy')]},\n", " {'answer': 'braggart',\n", " 'hint': 'synonyms for braggart',\n", " 'clues': [('big', 'exhibiting self-importance'),\n", " ('bragging', 'exhibiting self-importance'),\n", " ('cock-a-hoop', 'exhibiting self-importance'),\n", " ('boastful', 'exhibiting self-importance'),\n", " ('crowing', 'exhibiting self-importance'),\n", " ('braggy', 'exhibiting self-importance'),\n", " ('self-aggrandising', 'exhibiting self-importance')]},\n", " {'answer': 'bragging',\n", " 'hint': 'synonyms for bragging',\n", " 'clues': [('big', 'exhibiting self-importance'),\n", " ('cock-a-hoop', 'exhibiting self-importance'),\n", " ('boastful', 'exhibiting self-importance'),\n", " ('crowing', 'exhibiting self-importance'),\n", " ('braggy', 'exhibiting self-importance'),\n", " ('braggart', 'exhibiting self-importance'),\n", " ('self-aggrandising', 'exhibiting self-importance')]},\n", " {'answer': 'braggy',\n", " 'hint': 'synonyms for braggy',\n", " 'clues': [('big', 'exhibiting self-importance'),\n", " ('bragging', 'exhibiting self-importance'),\n", " ('cock-a-hoop', 'exhibiting self-importance'),\n", " ('boastful', 'exhibiting self-importance'),\n", " ('crowing', 'exhibiting self-importance'),\n", " ('braggart', 'exhibiting self-importance'),\n", " ('self-aggrandising', 'exhibiting self-importance')]},\n", " {'answer': 'brainish',\n", " 'hint': 'synonyms for brainish',\n", " 'clues': [('tearaway',\n", " \"characterized by undue haste and lack of thought or deliberation; ; ; ; ; (`brainish' is archaic)\"),\n", " ('hotheaded',\n", " \"characterized by undue haste and lack of thought or deliberation; ; ; ; ; (`brainish' is archaic)\"),\n", " ('madcap',\n", " \"characterized by undue haste and lack of thought or deliberation; ; ; ; ; (`brainish' is archaic)\"),\n", " ('impulsive',\n", " \"characterized by undue haste and lack of thought or deliberation; ; ; ; ; (`brainish' is archaic)\"),\n", " ('impetuous',\n", " \"characterized by undue haste and lack of thought or deliberation; ; ; ; ; (`brainish' is archaic)\")]},\n", " {'answer': 'brainsick',\n", " 'hint': 'synonyms for brainsick',\n", " 'clues': [('unbalanced', 'affected with madness or insanity'),\n", " ('sick', 'affected with madness or insanity'),\n", " ('demented', 'affected with madness or insanity'),\n", " ('unhinged', 'affected with madness or insanity'),\n", " ('disturbed', 'affected with madness or insanity'),\n", " ('mad', 'affected with madness or insanity'),\n", " ('crazy', 'affected with madness or insanity')]},\n", " {'answer': 'branched',\n", " 'hint': 'synonyms for branched',\n", " 'clues': [('prongy',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('biramous', 'resembling a fork; divided or separated into two branches'),\n", " ('forficate',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('ramate', 'having branches'),\n", " ('ramose', 'having branches'),\n", " ('forked', 'resembling a fork; divided or separated into two branches'),\n", " ('fork-like',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('bifurcate',\n", " 'resembling a fork; divided or separated into two branches'),\n", " ('branching', 'having branches'),\n", " ('pronged',\n", " 'resembling a fork; divided or separated into two branches')]},\n", " {'answer': 'branching',\n", " 'hint': 'synonyms for branching',\n", " 'clues': [('ramous', 'having branches'),\n", " ('branched', 'having branches'),\n", " ('ramate', 'having branches'),\n", " ('ramose', 'having branches')]},\n", " {'answer': 'brassy',\n", " 'hint': 'synonyms for brassy',\n", " 'clues': [('tatty', 'tastelessly showy'),\n", " ('brasslike', 'resembling the sound of a brass instrument'),\n", " ('flash', 'tastelessly showy'),\n", " ('tacky', 'tastelessly showy'),\n", " ('meretricious', 'tastelessly showy'),\n", " ('tawdry', 'tastelessly showy'),\n", " ('cheap', 'tastelessly showy'),\n", " ('brazen-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('gaudy', 'tastelessly showy'),\n", " ('audacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brazen',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('loud', 'tastelessly showy'),\n", " ('trashy', 'tastelessly showy'),\n", " ('insolent',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('gimcrack', 'tastelessly showy'),\n", " ('bald-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bodacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('barefaced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('garish', 'tastelessly showy')]},\n", " {'answer': 'brave',\n", " 'hint': 'synonyms for brave',\n", " 'clues': [('intrepid', 'invulnerable to fear or intimidation'),\n", " ('dauntless', 'invulnerable to fear or intimidation'),\n", " ('unfearing', 'invulnerable to fear or intimidation'),\n", " ('braw', 'brightly colored and showy'),\n", " ('audacious', 'invulnerable to fear or intimidation'),\n", " ('gay', 'brightly colored and showy'),\n", " ('hardy', 'invulnerable to fear or intimidation'),\n", " ('fearless', 'invulnerable to fear or intimidation'),\n", " ('courageous',\n", " 'possessing or displaying courage; able to face and deal with danger or fear without flinching; - Herman Melville; - William Wordsworth')]},\n", " {'answer': 'brawny',\n", " 'hint': 'synonyms for brawny',\n", " 'clues': [('muscular',\n", " '(of a person) possessing physical strength and weight; rugged and powerful'),\n", " ('powerful',\n", " '(of a person) possessing physical strength and weight; rugged and powerful'),\n", " ('hefty',\n", " '(of a person) possessing physical strength and weight; rugged and powerful'),\n", " ('sinewy',\n", " '(of a person) possessing physical strength and weight; rugged and powerful')]},\n", " {'answer': 'brazen',\n", " 'hint': 'synonyms for brazen',\n", " 'clues': [('brassy',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brazen-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('insolent',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('audacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bald-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bodacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('barefaced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell')]},\n", " {'answer': 'brazen-faced',\n", " 'hint': 'synonyms for brazen-faced',\n", " 'clues': [('brassy',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('insolent',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('audacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bald-faced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('bodacious',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('brazen',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell'),\n", " ('barefaced',\n", " 'unrestrained by convention or propriety; ; ; - Los Angeles Times; ; ; - Bertrand Russell')]},\n", " {'answer': 'breathless',\n", " 'hint': 'synonyms for breathless',\n", " 'clues': [('dyspneal',\n", " 'not breathing or able to breathe except with difficulty'),\n", " ('dyspnoeic', 'not breathing or able to breathe except with difficulty'),\n", " ('pulseless',\n", " 'appearing dead; not breathing or having no perceptible pulse'),\n", " ('breathtaking', 'tending to cause suspension of regular breathing'),\n", " ('inanimate',\n", " 'appearing dead; not breathing or having no perceptible pulse')]},\n", " {'answer': 'briary',\n", " 'hint': 'synonyms for briary',\n", " 'clues': [('barbed',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristled',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burry',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setaceous',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burred',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('spiny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briery',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('barbellate',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('prickly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('thorny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setose',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.')]},\n", " {'answer': 'bribable',\n", " 'hint': 'synonyms for bribable',\n", " 'clues': [('corruptible', 'capable of being corrupted'),\n", " ('purchasable', 'capable of being corrupted'),\n", " ('dishonest', 'capable of being corrupted'),\n", " ('venal', 'capable of being corrupted')]},\n", " {'answer': 'briery',\n", " 'hint': 'synonyms for briery',\n", " 'clues': [('barbed',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristled',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burry',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setaceous',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burred',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('spiny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('barbellate',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briary',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('prickly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('thorny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setose',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.')]},\n", " {'answer': 'bright',\n", " 'hint': 'synonyms for bright',\n", " 'clues': [('promising', 'full or promise'),\n", " ('lustrous',\n", " 'made smooth and bright by or as if by rubbing; reflecting a sheen or glow'),\n", " ('shiny',\n", " 'made smooth and bright by or as if by rubbing; reflecting a sheen or glow'),\n", " ('shining',\n", " 'made smooth and bright by or as if by rubbing; reflecting a sheen or glow'),\n", " ('brilliant', 'having striking color'),\n", " ('hopeful', 'full or promise'),\n", " ('smart', 'characterized by quickness and ease in learning'),\n", " ('undimmed', 'not made dim or less bright'),\n", " ('vivid', 'having striking color'),\n", " ('burnished',\n", " 'made smooth and bright by or as if by rubbing; reflecting a sheen or glow')]},\n", " {'answer': 'brilliant',\n", " 'hint': 'synonyms for brilliant',\n", " 'clues': [('splendid', 'characterized by grandeur'),\n", " ('magnificent', 'characterized by grandeur'),\n", " ('bright', 'having striking color'),\n", " ('superb', 'of surpassing excellence'),\n", " ('brainy', 'having or marked by unusual and impressive intelligence'),\n", " ('vivid', 'having striking color'),\n", " ('smart as a whip',\n", " 'having or marked by unusual and impressive intelligence'),\n", " ('glorious', 'characterized by grandeur')]},\n", " {'answer': 'brisk',\n", " 'hint': 'synonyms for brisk',\n", " 'clues': [('refreshful', 'imparting vitality and energy'),\n", " ('tonic', 'imparting vitality and energy'),\n", " ('merry', 'quick and energetic'),\n", " ('bracing', 'imparting vitality and energy'),\n", " ('refreshing', 'imparting vitality and energy'),\n", " ('snappy', 'quick and energetic'),\n", " ('lively', 'quick and energetic'),\n", " ('spanking', 'quick and energetic'),\n", " ('fresh', 'imparting vitality and energy'),\n", " ('zippy', 'quick and energetic'),\n", " ('rattling', 'quick and energetic'),\n", " ('alert', 'quick and energetic')]},\n", " {'answer': 'bristled',\n", " 'hint': 'synonyms for bristled',\n", " 'clues': [('barbed',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burry',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setaceous',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burred',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('spiny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briery',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('barbellate',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briary',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('prickly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('thorny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setose',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.')]},\n", " {'answer': 'bristly',\n", " 'hint': 'synonyms for bristly',\n", " 'clues': [('barbed',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristled',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('prickly', 'very irritable'),\n", " ('burry',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setaceous',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burred',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('spiny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briery',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('splenetic', 'very irritable'),\n", " ('barbellate',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briary',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('waspish', 'very irritable'),\n", " ('thorny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setose',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.')]},\n", " {'answer': 'broad',\n", " 'hint': 'synonyms for broad',\n", " 'clues': [('wide', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('unspecific', 'not detailed or specific'),\n", " ('unsubtle', 'lacking subtlety; obvious'),\n", " ('extensive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('liberal', 'showing or characterized by broad-mindedness'),\n", " ('blanket', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('encompassing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('spacious', 'very large in expanse or scope'),\n", " ('panoptic', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('across-the-board', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-embracing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('full', 'being at a peak or culminating point'),\n", " ('large-minded', 'showing or characterized by broad-mindedness'),\n", " ('all-inclusive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('tolerant', 'showing or characterized by broad-mindedness')]},\n", " {'answer': 'broken',\n", " 'hint': 'synonyms for broken',\n", " 'clues': [('crushed', 'subdued or brought low in condition or status'),\n", " ('upset', 'thrown into a state of disarray or confusion'),\n", " ('humiliated', 'subdued or brought low in condition or status'),\n", " ('broken in', 'tamed or trained to obey'),\n", " ('unkept',\n", " '(especially of promises or contracts) having been violated or disregarded'),\n", " ('disordered', 'thrown into a state of disarray or confusion'),\n", " ('rugged', 'topographically very uneven'),\n", " ('wiped out', 'destroyed financially'),\n", " ('impoverished', 'destroyed financially'),\n", " ('humbled', 'subdued or brought low in condition or status'),\n", " ('busted',\n", " \"out of working order (`busted' is an informal substitute for `broken')\"),\n", " ('confused', 'thrown into a state of disarray or confusion'),\n", " ('low', 'subdued or brought low in condition or status')]},\n", " {'answer': 'broken-down',\n", " 'hint': 'synonyms for broken-down',\n", " 'clues': [('derelict', 'in deplorable condition'),\n", " ('tumble-down', 'in deplorable condition'),\n", " ('tatterdemalion', 'in deplorable condition'),\n", " ('bedraggled', 'in deplorable condition'),\n", " ('ramshackle', 'in deplorable condition'),\n", " ('dilapidated', 'in deplorable condition')]},\n", " {'answer': 'brooding',\n", " 'hint': 'synonyms for brooding',\n", " 'clues': [('ruminative', 'deeply or seriously thoughtful'),\n", " ('contemplative', 'deeply or seriously thoughtful'),\n", " ('pensive', 'deeply or seriously thoughtful'),\n", " ('pondering', 'deeply or seriously thoughtful'),\n", " ('reflective', 'deeply or seriously thoughtful'),\n", " ('meditative', 'deeply or seriously thoughtful'),\n", " ('broody', 'deeply or seriously thoughtful'),\n", " ('musing', 'deeply or seriously thoughtful')]},\n", " {'answer': 'broody',\n", " 'hint': 'synonyms for broody',\n", " 'clues': [('ruminative', 'deeply or seriously thoughtful'),\n", " ('contemplative', 'deeply or seriously thoughtful'),\n", " ('pensive', 'deeply or seriously thoughtful'),\n", " ('brooding', 'deeply or seriously thoughtful'),\n", " ('pondering', 'deeply or seriously thoughtful'),\n", " ('reflective', 'deeply or seriously thoughtful'),\n", " ('meditative', 'deeply or seriously thoughtful'),\n", " ('musing', 'deeply or seriously thoughtful')]},\n", " {'answer': 'brown',\n", " 'hint': 'synonyms for brown',\n", " 'clues': [('dark-brown', 'of a color similar to that of wood or earth'),\n", " ('brownish', 'of a color similar to that of wood or earth'),\n", " ('browned', '(of skin) deeply suntanned'),\n", " ('chocolate-brown', 'of a color similar to that of wood or earth')]},\n", " {'answer': 'brutal',\n", " 'hint': 'synonyms for brutal',\n", " 'clues': [('barbarous',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('brutish', 'resembling a beast; showing lack of human sensibility'),\n", " ('vicious',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('unrelenting', 'harsh'),\n", " ('bestial', 'resembling a beast; showing lack of human sensibility'),\n", " ('savage',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('cruel',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('beastly', 'resembling a beast; showing lack of human sensibility'),\n", " ('roughshod',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('fell',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('brute', 'resembling a beast; showing lack of human sensibility')]},\n", " {'answer': 'brute',\n", " 'hint': 'synonyms for brute',\n", " 'clues': [('brutal',\n", " 'resembling a beast; showing lack of human sensibility'),\n", " ('bestial', 'resembling a beast; showing lack of human sensibility'),\n", " ('brutish', 'resembling a beast; showing lack of human sensibility'),\n", " ('beastly', 'resembling a beast; showing lack of human sensibility')]},\n", " {'answer': 'brutish',\n", " 'hint': 'synonyms for brutish',\n", " 'clues': [('brutal',\n", " 'resembling a beast; showing lack of human sensibility'),\n", " ('bestial', 'resembling a beast; showing lack of human sensibility'),\n", " ('brute', 'resembling a beast; showing lack of human sensibility'),\n", " ('beastly', 'resembling a beast; showing lack of human sensibility')]},\n", " {'answer': 'bubbling',\n", " 'hint': 'synonyms for bubbling',\n", " 'clues': [('foamy',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('effervescent', 'marked by high spirits or excitement'),\n", " ('spumy',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('sparkly', 'marked by high spirits or excitement'),\n", " ('frothy', 'marked by high spirits or excitement'),\n", " ('foaming',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('scintillating', 'marked by high spirits or excitement'),\n", " ('effervescing',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('bubbly',\n", " 'emitting or filled with bubbles as from carbonation or fermentation')]},\n", " {'answer': 'bubbly',\n", " 'hint': 'synonyms for bubbly',\n", " 'clues': [('foamy',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('foaming',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('bubbling',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('spumy',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('frothy',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('effervescing',\n", " 'emitting or filled with bubbles as from carbonation or fermentation')]},\n", " {'answer': 'buffeted',\n", " 'hint': 'synonyms for buffeted',\n", " 'clues': [('storm-tossed',\n", " 'pounded or hit repeatedly by storms or adversities'),\n", " ('tempest-swept', 'pounded or hit repeatedly by storms or adversities'),\n", " ('tempest-tossed', 'pounded or hit repeatedly by storms or adversities'),\n", " ('tempest-tost', 'pounded or hit repeatedly by storms or adversities')]},\n", " {'answer': 'buggy',\n", " 'hint': 'synonyms for buggy',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'built-in',\n", " 'hint': 'synonyms for built-in',\n", " 'clues': [('inbuilt',\n", " 'existing as an essential constituent or characteristic'),\n", " ('integral', 'existing as an essential constituent or characteristic'),\n", " ('constitutional',\n", " 'existing as an essential constituent or characteristic'),\n", " ('inherent', 'existing as an essential constituent or characteristic')]},\n", " {'answer': 'buirdly',\n", " 'hint': 'synonyms for buirdly',\n", " 'clues': [('beefy', 'muscular and heavily built'),\n", " ('strapping', 'muscular and heavily built'),\n", " ('burly', 'muscular and heavily built'),\n", " ('husky', 'muscular and heavily built')]},\n", " {'answer': 'bulbous',\n", " 'hint': 'synonyms for bulbous',\n", " 'clues': [('bulblike', 'shaped like a bulb'),\n", " ('bulging', 'curving outward'),\n", " ('bulgy', 'curving outward'),\n", " ('bellying', 'curving outward'),\n", " ('bellied', 'curving outward'),\n", " ('bulb-shaped', 'shaped like a bulb'),\n", " ('protuberant', 'curving outward')]},\n", " {'answer': 'bulging',\n", " 'hint': 'synonyms for bulging',\n", " 'clues': [('convex', 'curving or bulging outward'),\n", " ('bulgy', 'curving outward'),\n", " ('bellying', 'curving outward'),\n", " ('bulbous', 'curving outward'),\n", " ('bellied', 'curving outward'),\n", " ('protuberant', 'curving outward')]},\n", " {'answer': 'bulgy',\n", " 'hint': 'synonyms for bulgy',\n", " 'clues': [('bulging', 'curving outward'),\n", " ('bellying', 'curving outward'),\n", " ('bulbous', 'curving outward'),\n", " ('bellied', 'curving outward'),\n", " ('protuberant', 'curving outward')]},\n", " {'answer': 'bully',\n", " 'hint': 'synonyms for bully',\n", " 'clues': [('nifty', 'very good'),\n", " ('great', 'very good'),\n", " ('not bad', 'very good'),\n", " ('bang-up', 'very good'),\n", " ('cracking', 'very good'),\n", " ('smashing', 'very good'),\n", " ('groovy', 'very good'),\n", " ('swell', 'very good'),\n", " ('neat', 'very good'),\n", " ('peachy', 'very good'),\n", " ('dandy', 'very good'),\n", " ('keen', 'very good'),\n", " ('corking', 'very good'),\n", " ('slap-up', 'very good')]},\n", " {'answer': 'bum',\n", " 'hint': 'synonyms for bum',\n", " 'clues': [('crummy', 'of very poor quality; flimsy'),\n", " ('tinny', 'of very poor quality; flimsy'),\n", " ('cheesy', 'of very poor quality; flimsy'),\n", " ('sleazy', 'of very poor quality; flimsy'),\n", " ('chintzy', 'of very poor quality; flimsy'),\n", " ('cheap', 'of very poor quality; flimsy'),\n", " ('punk', 'of very poor quality; flimsy')]},\n", " {'answer': 'bumbling',\n", " 'hint': 'synonyms for bumbling',\n", " 'clues': [('handless',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('ham-fisted',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('butterfingered',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('left-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('bungling',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('ham-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('heavy-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse')]},\n", " {'answer': 'bumpy',\n", " 'hint': 'synonyms for bumpy',\n", " 'clues': [('jolty',\n", " 'causing or characterized by jolts and irregular movements'),\n", " ('rocky', 'causing or characterized by jolts and irregular movements'),\n", " ('jolting', 'causing or characterized by jolts and irregular movements'),\n", " ('rough', 'causing or characterized by jolts and irregular movements'),\n", " ('jumpy', 'causing or characterized by jolts and irregular movements')]},\n", " {'answer': 'bungling',\n", " 'hint': 'synonyms for bungling',\n", " 'clues': [('bumbling',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('left-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('ham-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('ham-fisted',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('clumsy', 'showing lack of skill or aptitude'),\n", " ('handless',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('butterfingered',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('heavy-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('incompetent', 'showing lack of skill or aptitude')]},\n", " {'answer': 'burly',\n", " 'hint': 'synonyms for burly',\n", " 'clues': [('beefy', 'muscular and heavily built'),\n", " ('strapping', 'muscular and heavily built'),\n", " ('buirdly', 'muscular and heavily built'),\n", " ('husky', 'muscular and heavily built')]},\n", " {'answer': 'burned',\n", " 'hint': 'synonyms for burned',\n", " 'clues': [('burnt', 'destroyed or badly damaged by fire'),\n", " ('burned-over', 'destroyed or badly damaged by fire'),\n", " ('burnt-out', 'destroyed or badly damaged by fire'),\n", " ('burned-out', 'destroyed or badly damaged by fire')]},\n", " {'answer': 'burned-out',\n", " 'hint': 'synonyms for burned-out',\n", " 'clues': [('burnt', 'destroyed or badly damaged by fire'),\n", " ('burnt-out', 'inoperative as a result of heat or friction'),\n", " ('burned-over', 'destroyed or badly damaged by fire'),\n", " ('burned', 'destroyed or badly damaged by fire')]},\n", " {'answer': 'burned-over',\n", " 'hint': 'synonyms for burned-over',\n", " 'clues': [('burnt-out', 'destroyed or badly damaged by fire'),\n", " ('burned-out', 'destroyed or badly damaged by fire'),\n", " ('burned', 'destroyed or badly damaged by fire'),\n", " ('burnt', 'destroyed or badly damaged by fire')]},\n", " {'answer': 'burnished',\n", " 'hint': 'synonyms for burnished',\n", " 'clues': [('shining',\n", " 'made smooth and bright by or as if by rubbing; reflecting a sheen or glow'),\n", " ('lustrous',\n", " 'made smooth and bright by or as if by rubbing; reflecting a sheen or glow'),\n", " ('bright',\n", " 'made smooth and bright by or as if by rubbing; reflecting a sheen or glow'),\n", " ('shiny',\n", " 'made smooth and bright by or as if by rubbing; reflecting a sheen or glow')]},\n", " {'answer': 'burnt',\n", " 'hint': 'synonyms for burnt',\n", " 'clues': [('burned-over', 'destroyed or badly damaged by fire'),\n", " ('burnt-out', 'destroyed or badly damaged by fire'),\n", " ('burned-out', 'destroyed or badly damaged by fire'),\n", " ('burned', 'destroyed or badly damaged by fire')]},\n", " {'answer': 'burnt-out',\n", " 'hint': 'synonyms for burnt-out',\n", " 'clues': [('burned-out', 'exhausted as a result of longtime stress'),\n", " ('burnt', 'destroyed or badly damaged by fire'),\n", " ('burned', 'destroyed or badly damaged by fire'),\n", " ('burned-over', 'destroyed or badly damaged by fire')]},\n", " {'answer': 'burred',\n", " 'hint': 'synonyms for burred',\n", " 'clues': [('barbed',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristled',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burry',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setaceous',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('spiny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briery',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('barbellate',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briary',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('prickly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('thorny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setose',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.')]},\n", " {'answer': 'burry',\n", " 'hint': 'synonyms for burry',\n", " 'clues': [('barbed',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristled',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setaceous',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('burred',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('spiny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briery',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('barbellate',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('briary',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('prickly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('thorny',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('bristly',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.'),\n", " ('setose',\n", " 'having or covered with protective barbs or quills or spines or thorns or setae etc.')]},\n", " {'answer': 'busty',\n", " 'hint': 'synonyms for busty',\n", " 'clues': [('voluptuous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('well-endowed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('full-bosomed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvaceous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('stacked',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsie',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('buxom', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('bosomy',\n", " \"(of a woman's body) having a large bosom and pleasing curves\")]},\n", " {'answer': 'busy',\n", " 'hint': 'synonyms for busy',\n", " 'clues': [('in use',\n", " \"(of facilities such as telephones or lavatories) unavailable for use by anyone else or indicating unavailability; (`engaged' is a British term for a busy telephone line)\"),\n", " ('meddlesome', 'intrusive in a meddling or offensive manner'),\n", " ('interfering', 'intrusive in a meddling or offensive manner'),\n", " ('meddling', 'intrusive in a meddling or offensive manner'),\n", " ('busybodied', 'intrusive in a meddling or offensive manner'),\n", " ('engaged',\n", " \"(of facilities such as telephones or lavatories) unavailable for use by anyone else or indicating unavailability; (`engaged' is a British term for a busy telephone line)\"),\n", " ('fussy', 'overcrowded or cluttered with detail'),\n", " ('officious', 'intrusive in a meddling or offensive manner')]},\n", " {'answer': 'busybodied',\n", " 'hint': 'synonyms for busybodied',\n", " 'clues': [('busy', 'intrusive in a meddling or offensive manner'),\n", " ('meddlesome', 'intrusive in a meddling or offensive manner'),\n", " ('interfering', 'intrusive in a meddling or offensive manner'),\n", " ('meddling', 'intrusive in a meddling or offensive manner'),\n", " ('officious', 'intrusive in a meddling or offensive manner')]},\n", " {'answer': 'butcherly',\n", " 'hint': 'synonyms for butcherly',\n", " 'clues': [('unskillful', 'poorly done'),\n", " ('gory', 'accompanied by bloodshed'),\n", " ('slaughterous', 'accompanied by bloodshed'),\n", " ('sanguineous', 'accompanied by bloodshed'),\n", " ('sanguinary', 'accompanied by bloodshed'),\n", " ('botchy', 'poorly done')]},\n", " {'answer': 'butterfingered',\n", " 'hint': 'synonyms for butterfingered',\n", " 'clues': [('handless',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('bumbling',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('ham-fisted',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('left-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('bungling',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('ham-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse'),\n", " ('heavy-handed',\n", " 'lacking physical movement skills, especially with the hands; ; ; ; - Mary H. Vorse')]},\n", " {'answer': 'buttery',\n", " 'hint': 'synonyms for buttery',\n", " 'clues': [('unctuous',\n", " 'unpleasantly and excessively suave or ingratiating in manner or speech'),\n", " ('smarmy',\n", " 'unpleasantly and excessively suave or ingratiating in manner or speech'),\n", " ('oleaginous',\n", " 'unpleasantly and excessively suave or ingratiating in manner or speech'),\n", " ('fulsome',\n", " 'unpleasantly and excessively suave or ingratiating in manner or speech'),\n", " ('soapy',\n", " 'unpleasantly and excessively suave or ingratiating in manner or speech'),\n", " ('oily',\n", " 'unpleasantly and excessively suave or ingratiating in manner or speech')]},\n", " {'answer': 'buxom',\n", " 'hint': 'synonyms for buxom',\n", " 'clues': [('voluptuous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('well-endowed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('full-bosomed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvaceous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('zaftig',\n", " '(of a female body) healthily plump and vigorous ; - Robt.A.Hamilton'),\n", " ('zoftig',\n", " '(of a female body) healthily plump and vigorous ; - Robt.A.Hamilton'),\n", " ('stacked',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('busty', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsie',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('bosomy',\n", " \"(of a woman's body) having a large bosom and pleasing curves\")]},\n", " {'answer': 'bygone',\n", " 'hint': 'synonyms for bygone',\n", " 'clues': [('departed', 'well in the past; former'),\n", " ('foregone', 'well in the past; former'),\n", " ('bypast', 'well in the past; former'),\n", " ('gone', 'well in the past; former')]},\n", " {'answer': 'bypast',\n", " 'hint': 'synonyms for bypast',\n", " 'clues': [('foregone', 'well in the past; former'),\n", " ('bygone', 'well in the past; former'),\n", " ('departed', 'well in the past; former'),\n", " ('gone', 'well in the past; former')]},\n", " {'answer': 'byzantine',\n", " 'hint': 'synonyms for byzantine',\n", " 'clues': [('convoluted',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott'),\n", " ('tangled',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott'),\n", " ('tortuous',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott'),\n", " ('involved',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott'),\n", " ('knotty',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott')]},\n", " {'answer': 'cadaverous',\n", " 'hint': 'synonyms for cadaverous',\n", " 'clues': [('gaunt', 'very thin especially from disease or hunger or cold'),\n", " ('skeletal', 'very thin especially from disease or hunger or cold'),\n", " ('cadaveric', 'of or relating to a cadaver or corpse'),\n", " ('haggard', 'very thin especially from disease or hunger or cold'),\n", " ('bony', 'very thin especially from disease or hunger or cold'),\n", " ('wasted', 'very thin especially from disease or hunger or cold'),\n", " ('pinched', 'very thin especially from disease or hunger or cold'),\n", " ('emaciated', 'very thin especially from disease or hunger or cold')]},\n", " {'answer': 'cagey',\n", " 'hint': 'synonyms for cagey',\n", " 'clues': [('canny',\n", " 'showing self-interest and shrewdness in dealing with others'),\n", " ('chary', 'characterized by great caution and wariness'),\n", " ('cagy', 'characterized by great caution and wariness'),\n", " ('clever',\n", " 'showing self-interest and shrewdness in dealing with others')]},\n", " {'answer': 'cagy',\n", " 'hint': 'synonyms for cagy',\n", " 'clues': [('canny',\n", " 'showing self-interest and shrewdness in dealing with others'),\n", " ('chary', 'characterized by great caution and wariness'),\n", " ('cagey', 'characterized by great caution and wariness'),\n", " ('clever',\n", " 'showing self-interest and shrewdness in dealing with others')]},\n", " {'answer': 'calamitous',\n", " 'hint': 'synonyms for calamitous',\n", " 'clues': [('fateful',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('black',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('fatal',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('disastrous',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur')]},\n", " {'answer': 'calculating',\n", " 'hint': 'synonyms for calculating',\n", " 'clues': [('conniving', 'used of persons'),\n", " ('calculative', 'used of persons'),\n", " ('scheming', 'used of persons'),\n", " ('shrewd', 'used of persons')]},\n", " {'answer': 'calculative',\n", " 'hint': 'synonyms for calculative',\n", " 'clues': [('calculating', 'used of persons'),\n", " ('conniving', 'used of persons'),\n", " ('scheming', 'used of persons'),\n", " ('shrewd', 'used of persons')]},\n", " {'answer': 'calico',\n", " 'hint': 'synonyms for calico',\n", " 'clues': [('particolored',\n", " 'having sections or patches colored differently and usually brightly'),\n", " ('multi-coloured',\n", " 'having sections or patches colored differently and usually brightly'),\n", " ('multicolor',\n", " 'having sections or patches colored differently and usually brightly'),\n", " ('varicoloured',\n", " 'having sections or patches colored differently and usually brightly'),\n", " ('motley',\n", " 'having sections or patches colored differently and usually brightly'),\n", " ('painted',\n", " 'having sections or patches colored differently and usually brightly'),\n", " ('pied',\n", " 'having sections or patches colored differently and usually brightly'),\n", " ('piebald',\n", " 'having sections or patches colored differently and usually brightly')]},\n", " {'answer': 'callous',\n", " 'hint': 'synonyms for callous',\n", " 'clues': [('calloused',\n", " 'having calluses; having skin made tough and thick through wear'),\n", " ('thickened',\n", " 'having calluses; having skin made tough and thick through wear'),\n", " ('indurate', 'emotionally hardened'),\n", " ('pachydermatous', 'emotionally hardened')]},\n", " {'answer': 'calumniatory',\n", " 'hint': 'synonyms for calumniatory',\n", " 'clues': [('slanderous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumnious',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrative',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('libellous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrating',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('defamatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigratory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign')]},\n", " {'answer': 'calumnious',\n", " 'hint': 'synonyms for calumnious',\n", " 'clues': [('slanderous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrative',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('libellous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrating',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('defamatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigratory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumniatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign')]},\n", " {'answer': 'candid',\n", " 'hint': 'synonyms for candid',\n", " 'clues': [('open',\n", " 'openly straightforward and direct without reserve or secretiveness'),\n", " ('free-spoken',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('forthright',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('blunt',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('point-blank',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('heart-to-heart',\n", " 'openly straightforward and direct without reserve or secretiveness'),\n", " ('straight-from-the-shoulder',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('frank',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('plainspoken',\n", " 'characterized by directness in manner or speech; without subtlety or evasion'),\n", " ('outspoken',\n", " 'characterized by directness in manner or speech; without subtlety or evasion')]},\n", " {'answer': 'cannular',\n", " 'hint': 'synonyms for cannular',\n", " 'clues': [('tubular',\n", " 'constituting a tube; having hollow tubes (as for the passage of fluids)'),\n", " ('vasiform',\n", " 'constituting a tube; having hollow tubes (as for the passage of fluids)'),\n", " ('tube-shaped',\n", " 'constituting a tube; having hollow tubes (as for the passage of fluids)'),\n", " ('tubelike',\n", " 'constituting a tube; having hollow tubes (as for the passage of fluids)')]},\n", " {'answer': 'canted',\n", " 'hint': 'synonyms for canted',\n", " 'clues': [('atilt',\n", " 'departing or being caused to depart from the true vertical or horizontal'),\n", " ('tipped',\n", " 'departing or being caused to depart from the true vertical or horizontal'),\n", " ('tilted',\n", " 'departing or being caused to depart from the true vertical or horizontal'),\n", " ('leaning',\n", " 'departing or being caused to depart from the true vertical or horizontal')]},\n", " {'answer': 'capable',\n", " 'hint': 'synonyms for capable',\n", " 'clues': [('equal to', 'having the requisite qualities for'),\n", " ('able', 'have the skills and qualifications to do things well'),\n", " ('subject', 'possibly accepting or permitting'),\n", " ('adequate to', 'having the requisite qualities for'),\n", " ('up to', 'having the requisite qualities for'),\n", " ('open', 'possibly accepting or permitting')]},\n", " {'answer': 'captivated',\n", " 'hint': 'synonyms for captivated',\n", " 'clues': [('charmed', 'filled with wonder and delight'),\n", " ('enthralled', 'filled with wonder and delight'),\n", " ('beguiled', 'filled with wonder and delight'),\n", " ('delighted', 'filled with wonder and delight'),\n", " ('entranced', 'filled with wonder and delight')]},\n", " {'answer': 'captivating',\n", " 'hint': 'synonyms for captivating',\n", " 'clues': [('bewitching', 'capturing interest as if by a spell'),\n", " ('enchanting', 'capturing interest as if by a spell'),\n", " ('fascinating', 'capturing interest as if by a spell'),\n", " ('entrancing', 'capturing interest as if by a spell'),\n", " ('enthralling', 'capturing interest as if by a spell')]},\n", " {'answer': 'captive',\n", " 'hint': 'synonyms for captive',\n", " 'clues': [('intent',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('wrapped',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('imprisoned', 'being in captivity'),\n", " ('confined', 'being in captivity'),\n", " ('engrossed',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('absorbed',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('jailed', 'being in captivity')]},\n", " {'answer': 'cardinal',\n", " 'hint': 'synonyms for cardinal',\n", " 'clues': [('primal', 'serving as an essential component'),\n", " ('central', 'serving as an essential component'),\n", " ('key', 'serving as an essential component'),\n", " ('fundamental', 'serving as an essential component')]},\n", " {'answer': 'carefree',\n", " 'hint': 'synonyms for carefree',\n", " 'clues': [('happy-go-lucky', 'cheerfully irresponsible'),\n", " ('devil-may-care', 'cheerfully irresponsible'),\n", " ('freewheeling', 'cheerfully irresponsible'),\n", " ('unworried', 'free of trouble and worry and care'),\n", " ('harum-scarum', 'cheerfully irresponsible'),\n", " ('slaphappy', 'cheerfully irresponsible')]},\n", " {'answer': 'careful',\n", " 'hint': 'synonyms for careful',\n", " 'clues': [('thrifty', 'mindful of the future in spending money'),\n", " ('deliberate', 'unhurried and with care and dignity'),\n", " ('measured', 'unhurried and with care and dignity'),\n", " ('heedful', 'cautiously attentive')]},\n", " {'answer': 'careworn',\n", " 'hint': 'synonyms for careworn',\n", " 'clues': [('worn',\n", " 'showing the wearing effects of overwork or care or suffering; ; ; ; - Charles Dickens'),\n", " ('drawn',\n", " 'showing the wearing effects of overwork or care or suffering; ; ; ; - Charles Dickens'),\n", " ('haggard',\n", " 'showing the wearing effects of overwork or care or suffering; ; ; ; - Charles Dickens'),\n", " ('raddled',\n", " 'showing the wearing effects of overwork or care or suffering; ; ; ; - Charles Dickens')]},\n", " {'answer': 'carmine',\n", " 'hint': 'synonyms for carmine',\n", " 'clues': [('reddish',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('blood-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cerise',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruddy',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('crimson',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('scarlet',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies')]},\n", " {'answer': 'casual',\n", " 'hint': 'synonyms for casual',\n", " 'clues': [('nonchalant', 'marked by blithe unconcern'),\n", " ('chance', 'occurring or appearing or singled out by chance'),\n", " ('effortless', 'not showing effort or strain'),\n", " ('insouciant', 'marked by blithe unconcern'),\n", " ('occasional', 'occurring from time to time'),\n", " ('free-and-easy', 'natural and unstudied'),\n", " ('cursory', 'hasty and without attention to detail; not thorough'),\n", " ('passing', 'hasty and without attention to detail; not thorough'),\n", " ('fooling', 'characterized by a feeling of irresponsibility'),\n", " ('daily', 'appropriate for ordinary or routine occasions'),\n", " ('everyday', 'appropriate for ordinary or routine occasions'),\n", " ('perfunctory', 'hasty and without attention to detail; not thorough')]},\n", " {'answer': 'cata-cornered',\n", " 'hint': 'synonyms for cata-cornered',\n", " 'clues': [('catty-corner', 'slanted across a polygon on a diagonal line'),\n", " ('catacorner', 'slanted across a polygon on a diagonal line'),\n", " ('kitty-corner', 'slanted across a polygon on a diagonal line'),\n", " ('cater-cornered', 'slanted across a polygon on a diagonal line')]},\n", " {'answer': 'catacorner',\n", " 'hint': 'synonyms for catacorner',\n", " 'clues': [('catty-corner', 'slanted across a polygon on a diagonal line'),\n", " ('cata-cornered', 'slanted across a polygon on a diagonal line'),\n", " ('kitty-corner', 'slanted across a polygon on a diagonal line'),\n", " ('catercorner', 'slanted across a polygon on a diagonal line')]},\n", " {'answer': 'catching',\n", " 'hint': 'synonyms for catching',\n", " 'clues': [('transmissible',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('transmittable',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('contagious', '(of disease) capable of being transmitted by infection'),\n", " ('contractable',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('communicable',\n", " '(of disease) capable of being transmitted by infection')]},\n", " {'answer': 'cater-cornered',\n", " 'hint': 'synonyms for cater-cornered',\n", " 'clues': [('catty-corner', 'slanted across a polygon on a diagonal line'),\n", " ('cata-cornered', 'slanted across a polygon on a diagonal line'),\n", " ('kitty-corner', 'slanted across a polygon on a diagonal line'),\n", " ('catercorner', 'slanted across a polygon on a diagonal line')]},\n", " {'answer': 'cathartic',\n", " 'hint': 'synonyms for cathartic',\n", " 'clues': [('purgative', 'strongly laxative'),\n", " ('evacuant', 'strongly laxative'),\n", " ('psychotherapeutic', 'emotionally purging'),\n", " ('releasing', 'emotionally purging (of e.g. art)')]},\n", " {'answer': 'catty-cornered',\n", " 'hint': 'synonyms for catty-cornered',\n", " 'clues': [('catty-corner', 'slanted across a polygon on a diagonal line'),\n", " ('cata-cornered', 'slanted across a polygon on a diagonal line'),\n", " ('kitty-corner', 'slanted across a polygon on a diagonal line'),\n", " ('catercorner', 'slanted across a polygon on a diagonal line')]},\n", " {'answer': 'caustic',\n", " 'hint': 'synonyms for caustic',\n", " 'clues': [('acid', 'harsh or corrosive in tone'),\n", " ('acerbic', 'harsh or corrosive in tone'),\n", " ('sulfurous', 'harsh or corrosive in tone'),\n", " ('vitriolic', 'harsh or corrosive in tone'),\n", " ('virulent', 'harsh or corrosive in tone'),\n", " ('acerb', 'harsh or corrosive in tone'),\n", " ('mordant',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action'),\n", " ('blistering', 'harsh or corrosive in tone'),\n", " ('bitter', 'harsh or corrosive in tone'),\n", " ('erosive',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action'),\n", " ('sulphurous', 'harsh or corrosive in tone'),\n", " ('corrosive',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action')]},\n", " {'answer': 'cautionary',\n", " 'hint': 'synonyms for cautionary',\n", " 'clues': [('prophylactic', 'warding off; - Victor Schultze'),\n", " ('monitory', 'serving to warn'),\n", " ('exemplary', 'serving to warn'),\n", " ('warning', 'serving to warn')]},\n", " {'answer': 'ceaseless',\n", " 'hint': 'synonyms for ceaseless',\n", " 'clues': [('never-ending',\n", " 'uninterrupted in time and indefinitely long continuing'),\n", " ('unremitting', 'uninterrupted in time and indefinitely long continuing'),\n", " ('unceasing', 'uninterrupted in time and indefinitely long continuing'),\n", " ('constant', 'uninterrupted in time and indefinitely long continuing'),\n", " ('incessant', 'uninterrupted in time and indefinitely long continuing'),\n", " ('perpetual', 'uninterrupted in time and indefinitely long continuing')]},\n", " {'answer': 'celebrated',\n", " 'hint': 'synonyms for celebrated',\n", " 'clues': [('notable', 'widely known and esteemed'),\n", " ('renowned', 'widely known and esteemed'),\n", " ('far-famed', 'widely known and esteemed'),\n", " ('famous', 'widely known and esteemed'),\n", " ('historied', 'having an illustrious past'),\n", " ('famed', 'widely known and esteemed'),\n", " ('noted', 'widely known and esteemed'),\n", " ('illustrious', 'widely known and esteemed')]},\n", " {'answer': 'censurable',\n", " 'hint': 'synonyms for censurable',\n", " 'clues': [('culpable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blamable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameful',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameworthy',\n", " 'deserving blame or censure as being wrong or evil or injurious')]},\n", " {'answer': 'central',\n", " 'hint': 'synonyms for central',\n", " 'clues': [('cardinal', 'serving as an essential component'),\n", " ('primal', 'serving as an essential component'),\n", " ('key', 'serving as an essential component'),\n", " ('fundamental', 'serving as an essential component')]},\n", " {'answer': 'cerise',\n", " 'hint': 'synonyms for cerise',\n", " 'clues': [('reddish',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('blood-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruddy',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('scarlet',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('crimson',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('carmine',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies')]},\n", " {'answer': 'cernuous',\n", " 'hint': 'synonyms for cernuous',\n", " 'clues': [('weeping',\n", " 'having branches or flower heads that bend downward'),\n", " ('nodding', 'having branches or flower heads that bend downward'),\n", " ('drooping', 'having branches or flower heads that bend downward'),\n", " ('pendulous', 'having branches or flower heads that bend downward')]},\n", " {'answer': 'chancy',\n", " 'hint': 'synonyms for chancy',\n", " 'clues': [('dicey',\n", " 'of uncertain outcome; especially fraught with risk; - New Yorker'),\n", " ('iffy', 'subject to accident or chance or change'),\n", " ('chanceful',\n", " 'of uncertain outcome; especially fraught with risk; - New Yorker'),\n", " ('flukey', 'subject to accident or chance or change'),\n", " ('dodgy',\n", " 'of uncertain outcome; especially fraught with risk; - New Yorker')]},\n", " {'answer': 'changeable',\n", " 'hint': 'synonyms for changeable',\n", " 'clues': [('uncertain', 'subject to change'),\n", " ('shot',\n", " 'varying in color when seen in different lights or from different angles'),\n", " ('unsettled', 'subject to change'),\n", " ('iridescent',\n", " 'varying in color when seen in different lights or from different angles'),\n", " ('mutable',\n", " 'capable of or tending to change in form or quality or nature'),\n", " ('changeful',\n", " 'such that alteration is possible; having a marked tendency to change'),\n", " ('chatoyant',\n", " 'varying in color when seen in different lights or from different angles')]},\n", " {'answer': 'changeless',\n", " 'hint': 'synonyms for changeless',\n", " 'clues': [('constant', 'unvarying in nature'),\n", " ('invariant', 'unvarying in nature'),\n", " ('unalterable', 'remaining the same for indefinitely long times'),\n", " ('unvarying', 'unvarying in nature'),\n", " ('immutable',\n", " 'not subject or susceptible to change or variation in form or quality or nature')]},\n", " {'answer': 'charitable',\n", " 'hint': 'synonyms for charitable',\n", " 'clues': [('kindly',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('good-hearted',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('benevolent',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('openhearted',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('sympathetic',\n", " 'showing or motivated by sympathy and understanding and generosity'),\n", " ('large-hearted',\n", " 'showing or motivated by sympathy and understanding and generosity')]},\n", " {'answer': 'charmed',\n", " 'hint': 'synonyms for charmed',\n", " 'clues': [('captivated', 'strongly attracted'),\n", " ('entranced', 'filled with wonder and delight'),\n", " ('enthralled', 'filled with wonder and delight'),\n", " ('beguiled', 'filled with wonder and delight'),\n", " ('delighted', 'filled with wonder and delight')]},\n", " {'answer': 'charming',\n", " 'hint': 'synonyms for charming',\n", " 'clues': [('wizardly',\n", " 'possessing or using or characteristic of or appropriate to supernatural powers; ; ; ; - Shakespeare'),\n", " ('magic',\n", " 'possessing or using or characteristic of or appropriate to supernatural powers; ; ; ; - Shakespeare'),\n", " ('magical',\n", " 'possessing or using or characteristic of or appropriate to supernatural powers; ; ; ; - Shakespeare'),\n", " ('sorcerous',\n", " 'possessing or using or characteristic of or appropriate to supernatural powers; ; ; ; - Shakespeare'),\n", " ('witching',\n", " 'possessing or using or characteristic of or appropriate to supernatural powers; ; ; ; - Shakespeare')]},\n", " {'answer': 'chatty',\n", " 'hint': 'synonyms for chatty',\n", " 'clues': [('gossipy', 'prone to friendly informal communication'),\n", " ('talky', 'full of trivial conversation'),\n", " ('gabby', 'full of trivial conversation'),\n", " ('newsy', 'prone to friendly informal communication'),\n", " ('talkative', 'full of trivial conversation'),\n", " ('loquacious', 'full of trivial conversation'),\n", " ('garrulous', 'full of trivial conversation')]},\n", " {'answer': 'chauvinistic',\n", " 'hint': 'synonyms for chauvinistic',\n", " 'clues': [('flag-waving', 'fanatically patriotic'),\n", " ('ultranationalistic', 'fanatically patriotic'),\n", " ('jingoistic', 'fanatically patriotic'),\n", " ('superpatriotic', 'fanatically patriotic'),\n", " ('nationalistic', 'fanatically patriotic')]},\n", " {'answer': 'cheap',\n", " 'hint': 'synonyms for cheap',\n", " 'clues': [('crummy', 'of very poor quality; flimsy'),\n", " ('tinny', 'of very poor quality; flimsy'),\n", " ('tatty', 'tastelessly showy'),\n", " ('sleazy', 'of very poor quality; flimsy'),\n", " ('flash', 'tastelessly showy'),\n", " ('tacky', 'tastelessly showy'),\n", " ('inexpensive', 'relatively low in price or charging low prices'),\n", " ('meretricious', 'tastelessly showy'),\n", " ('tawdry', 'tastelessly showy'),\n", " ('cheesy', 'of very poor quality; flimsy'),\n", " ('gaudy', 'tastelessly showy'),\n", " ('chintzy', 'of very poor quality; flimsy'),\n", " ('loud', 'tastelessly showy'),\n", " ('chinchy', 'embarrassingly stingy'),\n", " ('bum', 'of very poor quality; flimsy'),\n", " ('trashy', 'tastelessly showy'),\n", " ('gimcrack', 'tastelessly showy'),\n", " ('brassy', 'tastelessly showy'),\n", " ('punk', 'of very poor quality; flimsy'),\n", " ('garish', 'tastelessly showy')]},\n", " {'answer': 'cheating',\n", " 'hint': 'synonyms for cheating',\n", " 'clues': [('unsportsmanlike', 'violating accepted standards or rules'),\n", " ('two-timing', 'not faithful to a spouse or lover'),\n", " ('adulterous', 'not faithful to a spouse or lover'),\n", " ('dirty', 'violating accepted standards or rules'),\n", " ('unsporting', 'violating accepted standards or rules'),\n", " ('foul', 'violating accepted standards or rules')]},\n", " {'answer': 'cheeseparing',\n", " 'hint': 'synonyms for cheeseparing',\n", " 'clues': [('skinny', 'giving or spending with reluctance'),\n", " ('near', 'giving or spending with reluctance'),\n", " ('close', 'giving or spending with reluctance'),\n", " ('penny-pinching', 'giving or spending with reluctance')]},\n", " {'answer': 'cheesy',\n", " 'hint': 'synonyms for cheesy',\n", " 'clues': [('crummy', 'of very poor quality; flimsy'),\n", " ('tinny', 'of very poor quality; flimsy'),\n", " ('sleazy', 'of very poor quality; flimsy'),\n", " ('chintzy', 'of very poor quality; flimsy'),\n", " ('cheap', 'of very poor quality; flimsy'),\n", " ('punk', 'of very poor quality; flimsy'),\n", " ('bum', 'of very poor quality; flimsy')]},\n", " {'answer': 'cherry',\n", " 'hint': 'synonyms for cherry',\n", " 'clues': [('reddish',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('blood-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cerise',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruddy',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('crimson',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('scarlet',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('carmine',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies')]},\n", " {'answer': 'cherry-red',\n", " 'hint': 'synonyms for cherry-red',\n", " 'clues': [('reddish',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('blood-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruddy',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cerise',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('scarlet',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('crimson',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('carmine',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies')]},\n", " {'answer': 'chicken',\n", " 'hint': 'synonyms for chicken',\n", " 'clues': [('yellow', 'easily frightened'),\n", " ('white-livered', 'easily frightened'),\n", " ('yellow-bellied', 'easily frightened'),\n", " ('chickenhearted', 'easily frightened'),\n", " ('lily-livered', 'easily frightened')]},\n", " {'answer': 'chickenhearted',\n", " 'hint': 'synonyms for chickenhearted',\n", " 'clues': [('yellow', 'easily frightened'),\n", " ('white-livered', 'easily frightened'),\n", " ('chicken', 'easily frightened'),\n", " ('yellow-bellied', 'easily frightened'),\n", " ('lily-livered', 'easily frightened')]},\n", " {'answer': 'chief',\n", " 'hint': 'synonyms for chief',\n", " 'clues': [('primary', 'most important element'),\n", " ('master', 'most important element'),\n", " ('main', 'most important element'),\n", " ('principal', 'most important element')]},\n", " {'answer': 'childlike',\n", " 'hint': 'synonyms for childlike',\n", " 'clues': [('childly', 'befitting a young child'),\n", " ('simple', 'exhibiting childlike simplicity and credulity'),\n", " ('wide-eyed', 'exhibiting childlike simplicity and credulity'),\n", " ('dewy-eyed', 'exhibiting childlike simplicity and credulity'),\n", " ('round-eyed', 'exhibiting childlike simplicity and credulity')]},\n", " {'answer': 'chintzy',\n", " 'hint': 'synonyms for chintzy',\n", " 'clues': [('chinchy', 'embarrassingly stingy'),\n", " ('crummy', 'of very poor quality; flimsy'),\n", " ('tinny', 'of very poor quality; flimsy'),\n", " ('cheap', 'embarrassingly stingy'),\n", " ('sleazy', 'of very poor quality; flimsy'),\n", " ('cheesy', 'of very poor quality; flimsy'),\n", " ('punk', 'of very poor quality; flimsy'),\n", " ('bum', 'of very poor quality; flimsy')]},\n", " {'answer': 'chock-full',\n", " 'hint': 'synonyms for chock-full',\n", " 'clues': [('cram full', 'packed full to capacity'),\n", " ('chuck-full', 'packed full to capacity'),\n", " ('choke-full', 'packed full to capacity'),\n", " ('chockablock', 'packed full to capacity'),\n", " ('chockful', 'packed full to capacity')]},\n", " {'answer': 'choice',\n", " 'hint': 'synonyms for choice',\n", " 'clues': [('prize', 'of superior grade'),\n", " ('select', 'of superior grade'),\n", " ('prime', 'of superior grade'),\n", " ('quality', 'of superior grade')]},\n", " {'answer': 'choleric',\n", " 'hint': 'synonyms for choleric',\n", " 'clues': [('hot-tempered', 'quickly aroused to anger'),\n", " ('quick-tempered', 'quickly aroused to anger'),\n", " ('hotheaded', 'quickly aroused to anger'),\n", " ('irascible', 'quickly aroused to anger')]},\n", " {'answer': 'chummy',\n", " 'hint': 'synonyms for chummy',\n", " 'clues': [('pally',\n", " '(used colloquially) having the relationship of friends or pals'),\n", " ('palsy-walsy',\n", " '(used colloquially) having the relationship of friends or pals'),\n", " ('buddy-buddy', '(used informally) associated on close terms'),\n", " ('thick', '(used informally) associated on close terms'),\n", " ('matey',\n", " '(used colloquially) having the relationship of friends or pals')]},\n", " {'answer': 'chunky',\n", " 'hint': 'synonyms for chunky',\n", " 'clues': [('lumpy', 'like or containing small sticky lumps'),\n", " ('low-set',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('squatty',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('dumpy',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('squat',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('stumpy',\n", " 'short and thick; as e.g. having short legs and heavy musculature')]},\n", " {'answer': 'churning',\n", " 'hint': 'synonyms for churning',\n", " 'clues': [('roiling',\n", " '(of a liquid) agitated vigorously; in a state of turbulence'),\n", " ('turbulent',\n", " '(of a liquid) agitated vigorously; in a state of turbulence'),\n", " ('roily', '(of a liquid) agitated vigorously; in a state of turbulence'),\n", " ('churned-up',\n", " 'moving with or producing or produced by vigorous agitation'),\n", " ('roiled',\n", " '(of a liquid) agitated vigorously; in a state of turbulence')]},\n", " {'answer': 'circinate',\n", " 'hint': 'synonyms for circinate',\n", " 'clues': [('annulate', 'shaped like a ring'),\n", " ('ring-shaped', 'shaped like a ring'),\n", " ('ringed', 'shaped like a ring'),\n", " ('annular', 'shaped like a ring'),\n", " ('doughnut-shaped', 'shaped like a ring')]},\n", " {'answer': 'cissy',\n", " 'hint': 'synonyms for cissy',\n", " 'clues': [('effeminate', 'having unsuitable feminine qualities'),\n", " ('sissified', 'having unsuitable feminine qualities'),\n", " ('emasculate', 'having unsuitable feminine qualities'),\n", " ('sissy', 'having unsuitable feminine qualities'),\n", " ('epicene', 'having unsuitable feminine qualities'),\n", " ('sissyish', 'having unsuitable feminine qualities')]},\n", " {'answer': 'civilised',\n", " 'hint': 'synonyms for civilised',\n", " 'clues': [('civilized', 'marked by refinement in taste and manners'),\n", " ('polite', 'marked by refinement in taste and manners'),\n", " ('cultivated', 'marked by refinement in taste and manners'),\n", " ('cultured', 'marked by refinement in taste and manners'),\n", " ('genteel', 'marked by refinement in taste and manners')]},\n", " {'answer': 'civilized',\n", " 'hint': 'synonyms for civilized',\n", " 'clues': [('cultured', 'marked by refinement in taste and manners'),\n", " ('civilised', 'marked by refinement in taste and manners'),\n", " ('polite', 'marked by refinement in taste and manners'),\n", " ('cultivated', 'marked by refinement in taste and manners'),\n", " ('genteel', 'marked by refinement in taste and manners')]},\n", " {'answer': 'clamant',\n", " 'hint': 'synonyms for clamant',\n", " 'clues': [('crying', 'demanding attention; ; ; - H.L.Mencken'),\n", " ('insistent', 'demanding attention; ; ; - H.L.Mencken'),\n", " ('exigent', 'demanding attention; ; ; - H.L.Mencken'),\n", " ('strident',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('blatant',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('instant', 'demanding attention; ; ; - H.L.Mencken'),\n", " ('vociferous',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('clamorous',\n", " 'conspicuously and offensively loud; given to vehement outcry')]},\n", " {'answer': 'clamorous',\n", " 'hint': 'synonyms for clamorous',\n", " 'clues': [('strident',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('blatant',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('vociferous',\n", " 'conspicuously and offensively loud; given to vehement outcry'),\n", " ('clamant',\n", " 'conspicuously and offensively loud; given to vehement outcry')]},\n", " {'answer': 'clandestine',\n", " 'hint': 'synonyms for clandestine',\n", " 'clues': [('undercover',\n", " 'conducted with or marked by hidden aims or methods'),\n", " ('hush-hush', 'conducted with or marked by hidden aims or methods'),\n", " ('surreptitious', 'conducted with or marked by hidden aims or methods'),\n", " ('secret', 'conducted with or marked by hidden aims or methods'),\n", " ('hugger-mugger', 'conducted with or marked by hidden aims or methods'),\n", " ('underground', 'conducted with or marked by hidden aims or methods'),\n", " ('cloak-and-dagger',\n", " 'conducted with or marked by hidden aims or methods'),\n", " ('hole-and-corner',\n", " 'conducted with or marked by hidden aims or methods')]},\n", " {'answer': 'clannish',\n", " 'hint': 'synonyms for clannish',\n", " 'clues': [('snobby',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('cliquish',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('clubby',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('snobbish',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior')]},\n", " {'answer': 'clean',\n", " 'hint': 'synonyms for clean',\n", " 'clues': [('clear',\n", " '(of sound or color) free from anything that dulls or dims'),\n", " ('clean-living', 'morally pure'),\n", " ('white', '(of a surface) not written or printed on'),\n", " ('uncontaminating',\n", " 'not spreading pollution or contamination; especially radioactive contamination'),\n", " ('light', '(of sound or color) free from anything that dulls or dims'),\n", " ('fresh', 'free from impurities'),\n", " ('unclouded',\n", " '(of sound or color) free from anything that dulls or dims'),\n", " ('blank', '(of a surface) not written or printed on'),\n", " ('sportsmanlike', 'exhibiting or calling for sportsmanship or fair play'),\n", " ('sporty', 'exhibiting or calling for sportsmanship or fair play'),\n", " ('fair', '(of a manuscript) having few alterations or corrections'),\n", " ('sporting', 'exhibiting or calling for sportsmanship or fair play'),\n", " ('uninfected', 'free from sepsis or infection'),\n", " ('neat', 'free from clumsiness; precisely or deftly executed'),\n", " ('unobjectionable',\n", " '(of behavior or especially language) free from objectionable elements; fit for all observers')]},\n", " {'answer': 'clean-cut',\n", " 'hint': 'synonyms for clean-cut',\n", " 'clues': [('trig', 'neat and smart in appearance'),\n", " ('clear-cut', 'clear and distinct to the senses; easily perceptible'),\n", " ('clear', 'clear and distinct to the senses; easily perceptible'),\n", " ('trim', 'neat and smart in appearance')]},\n", " {'answer': 'clear',\n", " 'hint': 'synonyms for clear',\n", " 'clues': [('absolved', 'freed from any question of guilt'),\n", " ('clear-cut', 'clear and distinct to the senses; easily perceptible'),\n", " ('well-defined', 'accurately stated or described'),\n", " ('clean', 'free of restrictions or qualifications'),\n", " ('light', '(of sound or color) free from anything that dulls or dims'),\n", " ('vindicated', 'freed from any question of guilt'),\n", " ('percipient', 'characterized by ease and quickness in perceiving'),\n", " ('readable', 'easily deciphered'),\n", " ('open', 'affording free passage or view'),\n", " ('unclouded',\n", " '(of sound or color) free from anything that dulls or dims'),\n", " ('cleared', 'freed from any question of guilt'),\n", " ('exonerated', 'freed from any question of guilt'),\n", " ('decipherable', 'easily deciphered'),\n", " ('exculpated', 'freed from any question of guilt'),\n", " ('unmortgaged',\n", " '(especially of a title) free from any encumbrance or limitation that presents a question of fact or law')]},\n", " {'answer': 'clear-cut',\n", " 'hint': 'synonyms for clear-cut',\n", " 'clues': [('distinct', 'clearly or sharply defined to the mind'),\n", " ('clear', 'clear and distinct to the senses; easily perceptible'),\n", " ('clean-cut', 'clear and distinct to the senses; easily perceptible'),\n", " ('trenchant', 'clearly or sharply defined to the mind')]},\n", " {'answer': 'cleared',\n", " 'hint': 'synonyms for cleared',\n", " 'clues': [('absolved', 'freed from any question of guilt'),\n", " ('clear', 'freed from any question of guilt'),\n", " ('exculpated', 'freed from any question of guilt'),\n", " ('vindicated', 'freed from any question of guilt'),\n", " ('exonerated', 'freed from any question of guilt')]},\n", " {'answer': 'clever',\n", " 'hint': 'synonyms for clever',\n", " 'clues': [('ingenious', 'showing inventiveness and skill'),\n", " ('apt', 'mentally quick and resourceful; ; -Bram Stoker'),\n", " ('canny', 'showing self-interest and shrewdness in dealing with others'),\n", " ('cunning', 'showing inventiveness and skill'),\n", " ('cagy', 'showing self-interest and shrewdness in dealing with others')]},\n", " {'answer': 'cliquish',\n", " 'hint': 'synonyms for cliquish',\n", " 'clues': [('snobby',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('snobbish',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('clannish',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('clubby',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior')]},\n", " {'answer': 'cloak-and-dagger',\n", " 'hint': 'synonyms for cloak-and-dagger',\n", " 'clues': [('clandestine',\n", " 'conducted with or marked by hidden aims or methods'),\n", " ('undercover', 'conducted with or marked by hidden aims or methods'),\n", " ('hush-hush', 'conducted with or marked by hidden aims or methods'),\n", " ('surreptitious', 'conducted with or marked by hidden aims or methods'),\n", " ('secret', 'conducted with or marked by hidden aims or methods'),\n", " ('hugger-mugger', 'conducted with or marked by hidden aims or methods'),\n", " ('underground', 'conducted with or marked by hidden aims or methods'),\n", " ('hole-and-corner',\n", " 'conducted with or marked by hidden aims or methods')]},\n", " {'answer': 'cloaked',\n", " 'hint': 'synonyms for cloaked',\n", " 'clues': [('masked',\n", " 'having its true character concealed with the intent of misleading'),\n", " ('clothed', 'covered with or as if with clothes or a wrap or cloak'),\n", " ('disguised',\n", " 'having its true character concealed with the intent of misleading'),\n", " ('draped', 'covered with or as if with clothes or a wrap or cloak'),\n", " ('wrapped', 'covered with or as if with clothes or a wrap or cloak'),\n", " ('mantled', 'covered with or as if with clothes or a wrap or cloak')]},\n", " {'answer': 'cloistered',\n", " 'hint': 'synonyms for cloistered',\n", " 'clues': [('cloistral',\n", " 'of communal life sequestered from the world under religious vows'),\n", " ('sequestered', 'providing privacy or seclusion'),\n", " ('secluded', 'providing privacy or seclusion'),\n", " ('monastic',\n", " 'of communal life sequestered from the world under religious vows'),\n", " ('reclusive', 'providing privacy or seclusion'),\n", " ('conventual',\n", " 'of communal life sequestered from the world under religious vows')]},\n", " {'answer': 'close',\n", " 'hint': 'synonyms for close',\n", " 'clues': [('skinny', 'giving or spending with reluctance'),\n", " ('unaired', 'lacking fresh air'),\n", " ('closelipped',\n", " 'inclined to secrecy or reticence about divulging information'),\n", " ('airless', 'lacking fresh air'),\n", " ('near', 'not far distant in time or space or degree or circumstances'),\n", " ('secretive',\n", " 'inclined to secrecy or reticence about divulging information'),\n", " ('close-fitting', 'fitting closely but comfortably'),\n", " ('tight', '(of a contest or contestants) evenly matched'),\n", " ('penny-pinching', 'giving or spending with reluctance'),\n", " ('tightlipped',\n", " 'inclined to secrecy or reticence about divulging information'),\n", " ('closemouthed',\n", " 'inclined to secrecy or reticence about divulging information'),\n", " ('snug', 'fitting closely but comfortably'),\n", " ('confining', 'crowded'),\n", " ('stuffy', 'lacking fresh air'),\n", " ('nigh', 'not far distant in time or space or degree or circumstances'),\n", " ('cheeseparing', 'giving or spending with reluctance'),\n", " ('faithful', 'marked by fidelity to an original')]},\n", " {'answer': 'close_at_hand',\n", " 'hint': 'synonyms for close at hand',\n", " 'clues': [('at hand', 'close in space; within reach'),\n", " ('impending', 'close in time; about to occur'),\n", " ('impendent', 'close in time; about to occur'),\n", " ('imminent', 'close in time; about to occur')]},\n", " {'answer': 'closed',\n", " 'hint': 'synonyms for closed',\n", " 'clues': [('unopen', 'not open'),\n", " ('closed in', 'blocked against entry'),\n", " ('shut', 'not open'),\n", " ('unsympathetic', 'not having an open mind')]},\n", " {'answer': 'closelipped',\n", " 'hint': 'synonyms for closelipped',\n", " 'clues': [('closemouthed',\n", " 'inclined to secrecy or reticence about divulging information'),\n", " ('close', 'inclined to secrecy or reticence about divulging information'),\n", " ('secretive',\n", " 'inclined to secrecy or reticence about divulging information'),\n", " ('tightlipped',\n", " 'inclined to secrecy or reticence about divulging information')]},\n", " {'answer': 'closemouthed',\n", " 'hint': 'synonyms for closemouthed',\n", " 'clues': [('closelipped',\n", " 'inclined to secrecy or reticence about divulging information'),\n", " ('close', 'inclined to secrecy or reticence about divulging information'),\n", " ('secretive',\n", " 'inclined to secrecy or reticence about divulging information'),\n", " ('tightlipped',\n", " 'inclined to secrecy or reticence about divulging information')]},\n", " {'answer': 'clothed',\n", " 'hint': 'synonyms for clothed',\n", " 'clues': [('draped',\n", " 'covered with or as if with clothes or a wrap or cloak'),\n", " ('clad',\n", " 'wearing or provided with clothing; sometimes used in combination; - Bible'),\n", " ('cloaked', 'covered with or as if with clothes or a wrap or cloak'),\n", " ('wrapped', 'covered with or as if with clothes or a wrap or cloak'),\n", " ('mantled', 'covered with or as if with clothes or a wrap or cloak')]},\n", " {'answer': 'clouded',\n", " 'hint': 'synonyms for clouded',\n", " 'clues': [('blurred', 'unclear in form or expression; ; - H.G.Wells'),\n", " ('cloud-covered', 'filled or abounding with clouds'),\n", " ('sunless', 'filled or abounding with clouds'),\n", " ('overcast', 'filled or abounding with clouds')]},\n", " {'answer': 'cloudy',\n", " 'hint': 'synonyms for cloudy',\n", " 'clues': [('turbid', '(of liquids) clouded as with sediment'),\n", " ('mirky', '(of liquids) clouded as with sediment'),\n", " ('nebulose', 'lacking definite form or limits; - H.T.Moore'),\n", " ('muddy', '(of liquids) clouded as with sediment'),\n", " ('murky', '(of liquids) clouded as with sediment')]},\n", " {'answer': 'clubby',\n", " 'hint': 'synonyms for clubby',\n", " 'clues': [('clubbish', 'effusively sociable'),\n", " ('snobby',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('cliquish',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('clannish',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior'),\n", " ('snobbish',\n", " 'befitting or characteristic of those who incline to social exclusiveness and who rebuff the advances of people considered inferior')]},\n", " {'answer': 'clumsy',\n", " 'hint': 'synonyms for clumsy',\n", " 'clues': [('ungainly',\n", " 'difficult to handle or manage especially because of shape'),\n", " ('cumbersome', 'not elegant or graceful in expression'),\n", " ('inept', 'not elegant or graceful in expression'),\n", " ('gawky', 'lacking grace in movement or posture'),\n", " ('unwieldy', 'lacking grace in movement or posture'),\n", " ('awkward', 'difficult to handle or manage especially because of shape'),\n", " ('bunglesome',\n", " 'difficult to handle or manage especially because of shape'),\n", " ('ill-chosen', 'not elegant or graceful in expression'),\n", " ('fumbling', 'showing lack of skill or aptitude'),\n", " ('clunky', 'lacking grace in movement or posture'),\n", " ('bungling', 'showing lack of skill or aptitude'),\n", " ('incompetent', 'showing lack of skill or aptitude'),\n", " ('inapt', 'not elegant or graceful in expression')]},\n", " {'answer': 'clunky',\n", " 'hint': 'synonyms for clunky',\n", " 'clues': [('gawky', 'lacking grace in movement or posture'),\n", " ('clumsy', 'lacking grace in movement or posture'),\n", " ('ungainly', 'lacking grace in movement or posture'),\n", " ('unwieldy', 'lacking grace in movement or posture')]},\n", " {'answer': 'co-occurrent',\n", " 'hint': 'synonyms for co-occurrent',\n", " 'clues': [('concurrent', 'occurring or operating at the same time'),\n", " ('cooccurring', 'occurring or operating at the same time'),\n", " ('coincident', 'occurring or operating at the same time'),\n", " ('coinciding', 'occurring or operating at the same time'),\n", " ('simultaneous', 'occurring or operating at the same time')]},\n", " {'answer': 'co-ordinated',\n", " 'hint': 'synonyms for co-ordinated',\n", " 'clues': [('matching', 'intentionally matched'),\n", " ('coordinated', 'operating as a unit'),\n", " ('interconnected', 'operating as a unit'),\n", " ('unified', 'operating as a unit')]},\n", " {'answer': 'coagulated',\n", " 'hint': 'synonyms for coagulated',\n", " 'clues': [('coagulate',\n", " 'transformed from a liquid into a soft semisolid or solid mass'),\n", " ('grumose',\n", " 'transformed from a liquid into a soft semisolid or solid mass'),\n", " ('curdled',\n", " 'transformed from a liquid into a soft semisolid or solid mass'),\n", " ('solidified', 'changed into a solid mass')]},\n", " {'answer': 'coal-black',\n", " 'hint': 'synonyms for coal-black',\n", " 'clues': [('jet-black',\n", " 'of the blackest black; similar to the color of jet or coal'),\n", " ('sooty', 'of the blackest black; similar to the color of jet or coal'),\n", " ('pitchy', 'of the blackest black; similar to the color of jet or coal'),\n", " ('jet', 'of the blackest black; similar to the color of jet or coal')]},\n", " {'answer': 'coarse',\n", " 'hint': 'synonyms for coarse',\n", " 'clues': [('common', 'lacking refinement or cultivation or taste'),\n", " ('uncouth', 'lacking refinement or cultivation or taste'),\n", " ('rough-cut', 'lacking refinement or cultivation or taste'),\n", " ('harsh',\n", " 'of textures that are rough to the touch or substances consisting of relatively large particles'),\n", " ('vulgar', 'lacking refinement or cultivation or taste')]},\n", " {'answer': 'coarse-grained',\n", " 'hint': 'synonyms for coarse-grained',\n", " 'clues': [('farinaceous',\n", " 'composed of or covered with particles resembling meal in texture or consistency'),\n", " ('mealy',\n", " 'composed of or covered with particles resembling meal in texture or consistency'),\n", " ('grainy',\n", " 'composed of or covered with particles resembling meal in texture or consistency'),\n", " ('granulose',\n", " 'composed of or covered with particles resembling meal in texture or consistency'),\n", " ('large-grained', 'not having a fine texture'),\n", " ('granular',\n", " 'composed of or covered with particles resembling meal in texture or consistency'),\n", " ('gritty',\n", " 'composed of or covered with particles resembling meal in texture or consistency')]},\n", " {'answer': 'cobwebby',\n", " 'hint': 'synonyms for cobwebby',\n", " 'clues': [('gossamer', 'so thin as to transmit light'),\n", " ('vaporous', 'so thin as to transmit light'),\n", " ('diaphanous', 'so thin as to transmit light'),\n", " ('see-through', 'so thin as to transmit light'),\n", " ('transparent', 'so thin as to transmit light'),\n", " ('gauze-like', 'so thin as to transmit light'),\n", " ('gauzy', 'so thin as to transmit light'),\n", " ('sheer', 'so thin as to transmit light'),\n", " ('filmy', 'so thin as to transmit light')]},\n", " {'answer': 'cock-a-hoop',\n", " 'hint': 'synonyms for cock-a-hoop',\n", " 'clues': [('big', 'exhibiting self-importance'),\n", " ('bragging', 'exhibiting self-importance'),\n", " ('boastful', 'exhibiting self-importance'),\n", " ('crowing', 'exhibiting self-importance'),\n", " ('braggy', 'exhibiting self-importance'),\n", " ('braggart', 'exhibiting self-importance'),\n", " ('self-aggrandising', 'exhibiting self-importance')]},\n", " {'answer': 'cockamamie',\n", " 'hint': 'synonyms for cockamamie',\n", " 'clues': [('goofy', 'ludicrous, foolish'),\n", " ('sappy', 'ludicrous, foolish'),\n", " ('silly', 'ludicrous, foolish'),\n", " ('whacky', 'ludicrous, foolish'),\n", " ('zany', 'ludicrous, foolish'),\n", " ('cockamamy', 'ludicrous, foolish')]},\n", " {'answer': 'cockamamy',\n", " 'hint': 'synonyms for cockamamy',\n", " 'clues': [('goofy', 'ludicrous, foolish'),\n", " ('sappy', 'ludicrous, foolish'),\n", " ('silly', 'ludicrous, foolish'),\n", " ('whacky', 'ludicrous, foolish'),\n", " ('zany', 'ludicrous, foolish'),\n", " ('cockamamie', 'ludicrous, foolish')]},\n", " {'answer': 'cockeyed',\n", " 'hint': 'synonyms for cockeyed',\n", " 'clues': [('fuddled', 'very drunk'),\n", " ('sloshed', 'very drunk'),\n", " ('laughable', 'incongruous;inviting ridicule'),\n", " ('pie-eyed', 'very drunk'),\n", " ('soaked', 'very drunk'),\n", " ('blotto', 'very drunk'),\n", " ('derisory', 'incongruous;inviting ridicule'),\n", " ('pissed', 'very drunk'),\n", " ('soused', 'very drunk'),\n", " ('ludicrous', 'incongruous;inviting ridicule'),\n", " ('skew-whiff', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('smashed', 'very drunk'),\n", " ('blind drunk', 'very drunk'),\n", " ('crocked', 'very drunk'),\n", " ('loaded', 'very drunk'),\n", " ('askew', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('stiff', 'very drunk'),\n", " ('preposterous', 'incongruous;inviting ridicule'),\n", " ('sozzled', 'very drunk'),\n", " ('lopsided', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('pixilated', 'very drunk'),\n", " ('nonsensical', 'incongruous;inviting ridicule'),\n", " ('wet', 'very drunk'),\n", " ('besotted', 'very drunk'),\n", " ('awry', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('absurd', 'incongruous;inviting ridicule'),\n", " ('slopped', 'very drunk'),\n", " ('plastered', 'very drunk'),\n", " ('tight', 'very drunk'),\n", " ('squiffy', 'very drunk'),\n", " ('wonky', 'turned or twisted toward one side; - G.K.Chesterton'),\n", " ('idiotic', 'incongruous;inviting ridicule'),\n", " ('ridiculous', 'incongruous;inviting ridicule')]},\n", " {'answer': 'cognate',\n", " 'hint': 'synonyms for cognate',\n", " 'clues': [('connate', 'related in nature'),\n", " ('blood-related', 'related by blood'),\n", " ('consanguineous', 'related by blood'),\n", " ('kin', 'related by blood'),\n", " ('consanguineal', 'related by blood')]},\n", " {'answer': 'coherent',\n", " 'hint': 'synonyms for coherent',\n", " 'clues': [('consistent',\n", " 'marked by an orderly, logical, and aesthetically consistent relation of parts'),\n", " ('lucid',\n", " 'capable of thinking and expressing yourself in a clear and consistent manner'),\n", " ('logical',\n", " 'capable of thinking and expressing yourself in a clear and consistent manner'),\n", " ('tenacious', 'sticking together'),\n", " ('ordered',\n", " 'marked by an orderly, logical, and aesthetically consistent relation of parts')]},\n", " {'answer': 'coiling',\n", " 'hint': 'synonyms for coiling',\n", " 'clues': [('whorled', 'in the shape of a coil'),\n", " ('volute', 'in the shape of a coil'),\n", " ('helical', 'in the shape of a coil'),\n", " ('turbinate', 'in the shape of a coil'),\n", " ('spiral', 'in the shape of a coil')]},\n", " {'answer': 'coincident',\n", " 'hint': 'synonyms for coincident',\n", " 'clues': [('concurrent', 'occurring or operating at the same time'),\n", " ('cooccurring', 'occurring or operating at the same time'),\n", " ('co-occurrent', 'occurring or operating at the same time'),\n", " ('coinciding', 'occurring or operating at the same time'),\n", " ('simultaneous', 'occurring or operating at the same time'),\n", " ('coincidental', 'occurring or operating at the same time')]},\n", " {'answer': 'coincidental',\n", " 'hint': 'synonyms for coincidental',\n", " 'clues': [('concurrent', 'occurring or operating at the same time'),\n", " ('cooccurring', 'occurring or operating at the same time'),\n", " ('coincident', 'occurring or operating at the same time'),\n", " ('co-occurrent', 'occurring or operating at the same time'),\n", " ('coinciding', 'occurring or operating at the same time'),\n", " ('simultaneous', 'occurring or operating at the same time')]},\n", " {'answer': 'coinciding',\n", " 'hint': 'synonyms for coinciding',\n", " 'clues': [('concurrent', 'occurring or operating at the same time'),\n", " ('cooccurring', 'occurring or operating at the same time'),\n", " ('coincident', 'occurring or operating at the same time'),\n", " ('co-occurrent', 'occurring or operating at the same time'),\n", " ('simultaneous', 'occurring or operating at the same time')]},\n", " {'answer': 'cold',\n", " 'hint': 'synonyms for cold',\n", " 'clues': [('dusty', 'lacking originality or spontaneity; no longer new'),\n", " ('cold-blooded', 'without compunction or human feeling'),\n", " ('stale', 'lacking originality or spontaneity; no longer new'),\n", " ('inhuman', 'without compunction or human feeling'),\n", " ('frigid', 'sexually unresponsive'),\n", " ('insensate', 'without compunction or human feeling'),\n", " ('moth-eaten', 'lacking originality or spontaneity; no longer new')]},\n", " {'answer': 'collateral',\n", " 'hint': 'synonyms for collateral',\n", " 'clues': [('substantiative', 'serving to support or corroborate'),\n", " ('corroborative', 'serving to support or corroborate'),\n", " ('validatory', 'serving to support or corroborate'),\n", " ('confirmative', 'serving to support or corroborate'),\n", " ('validating', 'serving to support or corroborate'),\n", " ('corroboratory', 'serving to support or corroborate'),\n", " ('confirmatory', 'serving to support or corroborate'),\n", " ('verifying', 'serving to support or corroborate'),\n", " ('verificatory', 'serving to support or corroborate'),\n", " ('confirming', 'serving to support or corroborate'),\n", " ('indirect',\n", " 'descended from a common ancestor but through different lines')]},\n", " {'answer': 'collected',\n", " 'hint': 'synonyms for collected',\n", " 'clues': [('poised', 'in full control of your faculties'),\n", " ('self-contained', 'in full control of your faculties'),\n", " ('gathered', 'brought together in one place'),\n", " ('self-collected', 'in full control of your faculties'),\n", " ('equanimous', 'in full control of your faculties'),\n", " ('self-possessed', 'in full control of your faculties')]},\n", " {'answer': 'colored',\n", " 'hint': 'synonyms for colored',\n", " 'clues': [('dark', 'having skin rich in melanin pigments'),\n", " ('one-sided', 'favoring one person or side over another'),\n", " ('slanted', 'favoring one person or side over another'),\n", " ('coloured',\n", " 'having color or a certain color; sometimes used in combination'),\n", " ('non-white', 'having skin rich in melanin pigments'),\n", " ('dyed', '(used of color) artificially produced; not natural'),\n", " ('colorful',\n", " 'having color or a certain color; sometimes used in combination'),\n", " ('dark-skinned', 'having skin rich in melanin pigments'),\n", " ('bleached', '(used of color) artificially produced; not natural'),\n", " ('biased', 'favoring one person or side over another')]},\n", " {'answer': 'coloured',\n", " 'hint': 'synonyms for coloured',\n", " 'clues': [('colored',\n", " 'having color or a certain color; sometimes used in combination'),\n", " ('one-sided', 'favoring one person or side over another'),\n", " ('dark', 'having skin rich in melanin pigments'),\n", " ('slanted', 'favoring one person or side over another'),\n", " ('dyed', '(used of color) artificially produced; not natural'),\n", " ('non-white', 'having skin rich in melanin pigments'),\n", " ('colorful',\n", " 'having color or a certain color; sometimes used in combination'),\n", " ('dark-skinned', 'having skin rich in melanin pigments'),\n", " ('biased', 'favoring one person or side over another'),\n", " ('bleached', '(used of color) artificially produced; not natural')]},\n", " {'answer': 'coltish',\n", " 'hint': 'synonyms for coltish',\n", " 'clues': [('frolicsome', 'given to merry frolicking'),\n", " ('sportive', 'given to merry frolicking'),\n", " ('rollicking', 'given to merry frolicking'),\n", " ('frolicky', 'given to merry frolicking')]},\n", " {'answer': 'combative',\n", " 'hint': 'synonyms for combative',\n", " 'clues': [('litigious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('agonistic', 'striving to overcome in argument'),\n", " ('disputatious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('disputative',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('bellicose', 'having or showing a ready disposition to fight'),\n", " ('battleful', 'having or showing a ready disposition to fight'),\n", " ('contentious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits')]},\n", " {'answer': 'combinatory',\n", " 'hint': 'synonyms for combinatory',\n", " 'clues': [('combinative',\n", " 'marked by or relating to or resulting from combination'),\n", " ('combinable', 'able to or tending to combine'),\n", " ('combinatorial', 'relating to or involving combinations'),\n", " ('combinational', 'able to or tending to combine')]},\n", " {'answer': 'comely',\n", " 'hint': 'synonyms for comely',\n", " 'clues': [('comme il faut', 'according with custom or propriety'),\n", " ('sightly', 'very pleasing to the eye'),\n", " ('fair', 'very pleasing to the eye'),\n", " ('decent', 'according with custom or propriety'),\n", " ('bonny', 'very pleasing to the eye'),\n", " ('seemly', 'according with custom or propriety'),\n", " ('bonnie', 'very pleasing to the eye'),\n", " ('decorous', 'according with custom or propriety'),\n", " ('becoming', 'according with custom or propriety')]},\n", " {'answer': 'comfortable',\n", " 'hint': 'synonyms for comfortable',\n", " 'clues': [('well-heeled',\n", " 'in fortunate circumstances financially; moderately rich'),\n", " ('easy', 'in fortunate circumstances financially; moderately rich'),\n", " ('well-situated',\n", " 'in fortunate circumstances financially; moderately rich'),\n", " ('well-fixed', 'in fortunate circumstances financially; moderately rich'),\n", " ('comfy',\n", " \"providing or experiencing physical well-being or relief (`comfy' is informal)\"),\n", " ('prosperous', 'in fortunate circumstances financially; moderately rich'),\n", " ('well-to-do', 'in fortunate circumstances financially; moderately rich'),\n", " ('well-off', 'in fortunate circumstances financially; moderately rich')]},\n", " {'answer': 'comforting',\n", " 'hint': 'synonyms for comforting',\n", " 'clues': [('cheering', 'providing freedom from worry'),\n", " ('consolatory', 'affording comfort or solace'),\n", " ('consoling', 'affording comfort or solace'),\n", " ('satisfying', 'providing freedom from worry')]},\n", " {'answer': 'comic',\n", " 'hint': 'synonyms for comic',\n", " 'clues': [('risible', 'arousing or provoking laughter'),\n", " ('comical', 'arousing or provoking laughter'),\n", " ('funny', 'arousing or provoking laughter'),\n", " ('amusing', 'arousing or provoking laughter'),\n", " ('mirthful', 'arousing or provoking laughter'),\n", " ('laughable', 'arousing or provoking laughter')]},\n", " {'answer': 'comical',\n", " 'hint': 'synonyms for comical',\n", " 'clues': [('risible', 'arousing or provoking laughter'),\n", " ('comic', 'arousing or provoking laughter'),\n", " ('funny', 'arousing or provoking laughter'),\n", " ('amusing', 'arousing or provoking laughter'),\n", " ('mirthful', 'arousing or provoking laughter'),\n", " ('laughable', 'arousing or provoking laughter')]},\n", " {'answer': 'comme_il_faut',\n", " 'hint': 'synonyms for comme il faut',\n", " 'clues': [('comely', 'according with custom or propriety'),\n", " ('decorous', 'according with custom or propriety'),\n", " ('decent', 'according with custom or propriety'),\n", " ('becoming', 'according with custom or propriety'),\n", " ('seemly', 'according with custom or propriety')]},\n", " {'answer': 'common',\n", " 'hint': 'synonyms for common',\n", " 'clues': [('coarse', 'lacking refinement or cultivation or taste'),\n", " ('plebeian', 'of or associated with the great masses of people'),\n", " ('mutual', 'common to or shared by two or more parties'),\n", " ('vulgar', 'of or associated with the great masses of people'),\n", " ('rough-cut', 'lacking refinement or cultivation or taste'),\n", " ('vernacular',\n", " 'being or characteristic of or appropriate to everyday language'),\n", " ('uncouth', 'lacking refinement or cultivation or taste'),\n", " ('usual', 'commonly encountered'),\n", " ('unwashed', 'of or associated with the great masses of people')]},\n", " {'answer': 'commonplace',\n", " 'hint': 'synonyms for commonplace',\n", " 'clues': [('stock', 'repeated too often; overfamiliar through overuse'),\n", " ('unglamorous', 'not challenging; dull and lacking excitement'),\n", " ('timeworn', 'repeated too often; overfamiliar through overuse'),\n", " ('banal', 'repeated too often; overfamiliar through overuse'),\n", " ('shopworn', 'repeated too often; overfamiliar through overuse'),\n", " ('prosaic', 'not challenging; dull and lacking excitement'),\n", " ('humdrum', 'not challenging; dull and lacking excitement'),\n", " ('old-hat', 'repeated too often; overfamiliar through overuse'),\n", " ('hackneyed', 'repeated too often; overfamiliar through overuse'),\n", " ('threadbare', 'repeated too often; overfamiliar through overuse'),\n", " ('tired', 'repeated too often; overfamiliar through overuse'),\n", " ('well-worn', 'repeated too often; overfamiliar through overuse'),\n", " ('trite', 'repeated too often; overfamiliar through overuse')]},\n", " {'answer': 'communicable',\n", " 'hint': 'synonyms for communicable',\n", " 'clues': [('transmissible',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('contagious', '(of disease) capable of being transmitted by infection'),\n", " ('contractable',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('catching', '(of disease) capable of being transmitted by infection'),\n", " ('transmittable',\n", " '(of disease) capable of being transmitted by infection')]},\n", " {'answer': 'compact',\n", " 'hint': 'synonyms for compact',\n", " 'clues': [('heavyset', 'having a short and solid form or stature'),\n", " ('thick', 'having a short and solid form or stature'),\n", " ('stocky', 'having a short and solid form or stature'),\n", " ('compendious', 'briefly giving the gist of something'),\n", " ('thickset', 'having a short and solid form or stature'),\n", " ('summary', 'briefly giving the gist of something'),\n", " ('succinct', 'briefly giving the gist of something')]},\n", " {'answer': 'compensable',\n", " 'hint': 'synonyms for compensable',\n", " 'clues': [('salaried', 'for which money is paid'),\n", " ('paying', 'for which money is paid'),\n", " ('remunerative', 'for which money is paid'),\n", " ('stipendiary', 'for which money is paid')]},\n", " {'answer': 'competitive',\n", " 'hint': 'synonyms for competitive',\n", " 'clues': [('free-enterprise', 'subscribing to capitalistic competition'),\n", " ('militant', 'showing a fighting disposition'),\n", " ('private-enterprise', 'subscribing to capitalistic competition'),\n", " ('competitory', 'involving competition or competitiveness')]},\n", " {'answer': 'complete',\n", " 'hint': 'synonyms for complete',\n", " 'clues': [('double-dyed',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('terminated', 'having come or been brought to a conclusion'),\n", " ('arrant',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('utter',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('concluded', 'having come or been brought to a conclusion'),\n", " ('stark',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('pure',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('consummate',\n", " 'perfect and complete in every respect; having all necessary qualities'),\n", " ('all over', 'having come or been brought to a conclusion'),\n", " ('unadulterated',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('ended', 'having come or been brought to a conclusion'),\n", " ('accomplished', 'highly skilled'),\n", " ('thoroughgoing',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('everlasting',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('staring',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('over', 'having come or been brought to a conclusion'),\n", " ('gross',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('sodding',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('perfect',\n", " 'without qualification; used informally as (often pejorative) intensifiers')]},\n", " {'answer': 'complimentary',\n", " 'hint': 'synonyms for complimentary',\n", " 'clues': [('free', 'costing nothing'),\n", " ('gratis', 'costing nothing'),\n", " ('gratuitous', 'costing nothing'),\n", " ('costless', 'costing nothing')]},\n", " {'answer': 'conceited',\n", " 'hint': 'synonyms for conceited',\n", " 'clues': [('vain',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('swollen-headed',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('egotistic',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('self-conceited',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('swollen',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance')]},\n", " {'answer': 'concluded',\n", " 'hint': 'synonyms for concluded',\n", " 'clues': [('ended', 'having come or been brought to a conclusion'),\n", " ('over', 'having come or been brought to a conclusion'),\n", " ('terminated', 'having come or been brought to a conclusion'),\n", " ('all over', 'having come or been brought to a conclusion'),\n", " ('complete', 'having come or been brought to a conclusion')]},\n", " {'answer': 'concomitant',\n", " 'hint': 'synonyms for concomitant',\n", " 'clues': [('consequent', 'following or accompanying as a consequence'),\n", " ('attendant', 'following or accompanying as a consequence'),\n", " ('resultant', 'following or accompanying as a consequence'),\n", " ('ensuant', 'following or accompanying as a consequence'),\n", " ('accompanying', 'following or accompanying as a consequence'),\n", " ('incidental', 'following or accompanying as a consequence'),\n", " ('sequent', 'following or accompanying as a consequence')]},\n", " {'answer': 'concordant',\n", " 'hint': 'synonyms for concordant',\n", " 'clues': [('agreeable', 'in keeping'),\n", " ('conformable', 'in keeping'),\n", " ('concurring', 'being of the same opinion'),\n", " ('accordant', 'in keeping'),\n", " ('consonant', 'in keeping')]},\n", " {'answer': 'concurrent',\n", " 'hint': 'synonyms for concurrent',\n", " 'clues': [('cooccurring', 'occurring or operating at the same time'),\n", " ('coincident', 'occurring or operating at the same time'),\n", " ('co-occurrent', 'occurring or operating at the same time'),\n", " ('coinciding', 'occurring or operating at the same time'),\n", " ('simultaneous', 'occurring or operating at the same time')]},\n", " {'answer': 'condemnable',\n", " 'hint': 'synonyms for condemnable',\n", " 'clues': [('deplorable', 'bringing or deserving severe rebuke or censure'),\n", " ('reprehensible', 'bringing or deserving severe rebuke or censure'),\n", " ('vicious', 'bringing or deserving severe rebuke or censure'),\n", " ('criminal', 'bringing or deserving severe rebuke or censure')]},\n", " {'answer': 'conducive',\n", " 'hint': 'synonyms for conducive',\n", " 'clues': [('contributing',\n", " 'tending to bring about; being partly responsible for'),\n", " ('tributary', 'tending to bring about; being partly responsible for'),\n", " ('contributory', 'tending to bring about; being partly responsible for'),\n", " ('contributive',\n", " 'tending to bring about; being partly responsible for')]},\n", " {'answer': 'confining',\n", " 'hint': 'synonyms for confining',\n", " 'clues': [('restricting', 'restricting the scope or freedom of action'),\n", " ('constrictive', 'restricting the scope or freedom of action'),\n", " ('constraining', 'restricting the scope or freedom of action'),\n", " ('close', 'crowded'),\n", " ('limiting', 'restricting the scope or freedom of action')]},\n", " {'answer': 'confirmative',\n", " 'hint': 'synonyms for confirmative',\n", " 'clues': [('substantiative', 'serving to support or corroborate'),\n", " ('corroborative', 'serving to support or corroborate'),\n", " ('validatory', 'serving to support or corroborate'),\n", " ('validating', 'serving to support or corroborate'),\n", " ('corroboratory', 'serving to support or corroborate'),\n", " ('confirmatory', 'serving to support or corroborate'),\n", " ('verifying', 'serving to support or corroborate'),\n", " ('confirming', 'serving to support or corroborate'),\n", " ('collateral', 'serving to support or corroborate'),\n", " ('verificatory', 'serving to support or corroborate')]},\n", " {'answer': 'confirmatory',\n", " 'hint': 'synonyms for confirmatory',\n", " 'clues': [('substantiative', 'serving to support or corroborate'),\n", " ('corroborative', 'serving to support or corroborate'),\n", " ('validatory', 'serving to support or corroborate'),\n", " ('validating', 'serving to support or corroborate'),\n", " ('corroboratory', 'serving to support or corroborate'),\n", " ('verifying', 'serving to support or corroborate'),\n", " ('confirming', 'serving to support or corroborate'),\n", " ('confirmative', 'serving to support or corroborate'),\n", " ('collateral', 'serving to support or corroborate'),\n", " ('verificatory', 'serving to support or corroborate')]},\n", " {'answer': 'confirming',\n", " 'hint': 'synonyms for confirming',\n", " 'clues': [('substantiative', 'serving to support or corroborate'),\n", " ('corroborative', 'serving to support or corroborate'),\n", " ('validatory', 'serving to support or corroborate'),\n", " ('confirmative', 'serving to support or corroborate'),\n", " ('validating', 'serving to support or corroborate'),\n", " ('corroboratory', 'serving to support or corroborate'),\n", " ('confirmatory', 'serving to support or corroborate'),\n", " ('verifying', 'serving to support or corroborate'),\n", " ('positive',\n", " 'indicating existence or presence of a suspected condition or pathogen'),\n", " ('collateral', 'serving to support or corroborate'),\n", " ('verificatory', 'serving to support or corroborate')]},\n", " {'answer': 'conformable',\n", " 'hint': 'synonyms for conformable',\n", " 'clues': [('agreeable', 'in keeping'),\n", " ('concordant', 'in keeping'),\n", " ('accordant', 'in keeping'),\n", " ('consonant', 'in keeping'),\n", " ('amenable', 'disposed or willing to comply')]},\n", " {'answer': 'confounded',\n", " 'hint': 'synonyms for confounded',\n", " 'clues': [('bemused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('befuddled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mazed',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('baffled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('lost',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mixed-up',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('at sea',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('bewildered',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment')]},\n", " {'answer': 'confused',\n", " 'hint': 'synonyms for confused',\n", " 'clues': [('upset', 'thrown into a state of disarray or confusion'),\n", " ('illogical', 'lacking orderly continuity'),\n", " ('broken', 'thrown into a state of disarray or confusion'),\n", " ('baffled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mixed-up',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('scattered', 'lacking orderly continuity'),\n", " ('bewildered',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('disoriented',\n", " 'having lost your bearings; confused as to time or place or personal identity'),\n", " ('disconnected', 'lacking orderly continuity'),\n", " ('unconnected', 'lacking orderly continuity'),\n", " ('bemused',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('garbled', 'lacking orderly continuity'),\n", " ('lost',\n", " 'having lost your bearings; confused as to time or place or personal identity'),\n", " ('disordered', 'thrown into a state of disarray or confusion'),\n", " ('befuddled',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('mazed',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('confounded',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment'),\n", " ('at sea',\n", " 'perplexed by many conflicting situations or statements; filled with bewilderment')]},\n", " {'answer': 'conjectural',\n", " 'hint': 'synonyms for conjectural',\n", " 'clues': [('divinatory',\n", " 'based primarily on surmise rather than adequate evidence'),\n", " ('hypothetical',\n", " 'based primarily on surmise rather than adequate evidence'),\n", " ('supposed', 'based primarily on surmise rather than adequate evidence'),\n", " ('supposititious',\n", " 'based primarily on surmise rather than adequate evidence'),\n", " ('suppositional',\n", " 'based primarily on surmise rather than adequate evidence')]},\n", " {'answer': 'conniving',\n", " 'hint': 'synonyms for conniving',\n", " 'clues': [('collusive',\n", " 'acting together in secret toward a fraudulent or illegal end'),\n", " ('scheming', 'used of persons'),\n", " ('calculating', 'used of persons'),\n", " ('shrewd', 'used of persons'),\n", " ('calculative', 'used of persons')]},\n", " {'answer': 'consanguine',\n", " 'hint': 'synonyms for consanguine',\n", " 'clues': [('cognate', 'related by blood'),\n", " ('blood-related', 'related by blood'),\n", " ('consanguineous', 'related by blood'),\n", " ('akin', 'related by blood'),\n", " ('consanguineal', 'related by blood')]},\n", " {'answer': 'consanguineal',\n", " 'hint': 'synonyms for consanguineal',\n", " 'clues': [('cognate', 'related by blood'),\n", " ('blood-related', 'related by blood'),\n", " ('consanguineous', 'related by blood'),\n", " ('kin', 'related by blood')]},\n", " {'answer': 'consanguineous',\n", " 'hint': 'synonyms for consanguineous',\n", " 'clues': [('cognate', 'related by blood'),\n", " ('blood-related', 'related by blood'),\n", " ('kin', 'related by blood'),\n", " ('consanguineal', 'related by blood')]},\n", " {'answer': 'consecrated',\n", " 'hint': 'synonyms for consecrated',\n", " 'clues': [('consecrate',\n", " 'solemnly dedicated to or set apart for a high purpose'),\n", " ('sacred',\n", " 'made or declared or believed to be holy; devoted to a deity or some religious ceremony or use'),\n", " ('dedicated', 'solemnly dedicated to or set apart for a high purpose'),\n", " ('sanctified',\n", " 'made or declared or believed to be holy; devoted to a deity or some religious ceremony or use')]},\n", " {'answer': 'consecutive',\n", " 'hint': 'synonyms for consecutive',\n", " 'clues': [('back-to-back', 'one after the other'),\n", " ('serial', 'in regular succession without gaps'),\n", " ('sequent', 'in regular succession without gaps'),\n", " ('sequential', 'in regular succession without gaps'),\n", " ('straight', 'successive (without a break)'),\n", " ('successive', 'in regular succession without gaps')]},\n", " {'answer': 'consequent',\n", " 'hint': 'synonyms for consequent',\n", " 'clues': [('attendant', 'following or accompanying as a consequence'),\n", " ('concomitant', 'following or accompanying as a consequence'),\n", " ('resultant', 'following or accompanying as a consequence'),\n", " ('ensuant', 'following or accompanying as a consequence'),\n", " ('accompanying', 'following or accompanying as a consequence'),\n", " ('incidental', 'following or accompanying as a consequence'),\n", " ('sequent', 'following or accompanying as a consequence')]},\n", " {'answer': 'conservative',\n", " 'hint': 'synonyms for conservative',\n", " 'clues': [('cautious', 'avoiding excess'),\n", " ('bourgeois',\n", " 'conforming to the standards and conventions of the middle class'),\n", " ('button-down', 'unimaginatively conventional; - Newsweek'),\n", " ('materialistic',\n", " 'conforming to the standards and conventions of the middle class')]},\n", " {'answer': 'consistent',\n", " 'hint': 'synonyms for consistent',\n", " 'clues': [('coherent',\n", " 'marked by an orderly, logical, and aesthetically consistent relation of parts'),\n", " ('uniform', 'the same throughout in structure or composition'),\n", " ('ordered',\n", " 'marked by an orderly, logical, and aesthetically consistent relation of parts'),\n", " ('logical',\n", " 'marked by an orderly, logical, and aesthetically consistent relation of parts'),\n", " ('reproducible', 'capable of being reproduced')]},\n", " {'answer': 'consonant',\n", " 'hint': 'synonyms for consonant',\n", " 'clues': [('conformable', 'in keeping'),\n", " ('concordant', 'in keeping'),\n", " ('harmonised', 'involving or characterized by harmony'),\n", " ('accordant', 'in keeping'),\n", " ('harmonical', 'involving or characterized by harmony'),\n", " ('agreeable', 'in keeping')]},\n", " {'answer': 'constant',\n", " 'hint': 'synonyms for constant',\n", " 'clues': [('never-ending',\n", " 'uninterrupted in time and indefinitely long continuing'),\n", " ('ceaseless', 'uninterrupted in time and indefinitely long continuing'),\n", " ('changeless', 'unvarying in nature'),\n", " ('unremitting', 'uninterrupted in time and indefinitely long continuing'),\n", " ('unceasing', 'uninterrupted in time and indefinitely long continuing'),\n", " ('invariant', 'unvarying in nature'),\n", " ('incessant', 'uninterrupted in time and indefinitely long continuing'),\n", " ('perpetual', 'uninterrupted in time and indefinitely long continuing'),\n", " ('unvarying', 'unvarying in nature')]},\n", " {'answer': 'constitutional',\n", " 'hint': 'synonyms for constitutional',\n", " 'clues': [('inbuilt',\n", " 'existing as an essential constituent or characteristic'),\n", " ('constitutive',\n", " 'constitutional in the structure of something (especially your physical makeup)'),\n", " ('integral', 'existing as an essential constituent or characteristic'),\n", " ('inherent', 'existing as an essential constituent or characteristic'),\n", " ('constituent',\n", " 'constitutional in the structure of something (especially your physical makeup)'),\n", " ('organic',\n", " 'constitutional in the structure of something (especially your physical makeup)'),\n", " ('built-in', 'existing as an essential constituent or characteristic')]},\n", " {'answer': 'constraining',\n", " 'hint': 'synonyms for constraining',\n", " 'clues': [('restricting', 'restricting the scope or freedom of action'),\n", " ('confining', 'restricting the scope or freedom of action'),\n", " ('limiting', 'restricting the scope or freedom of action'),\n", " ('constrictive', 'restricting the scope or freedom of action')]},\n", " {'answer': 'constrictive',\n", " 'hint': 'synonyms for constrictive',\n", " 'clues': [('restricting', 'restricting the scope or freedom of action'),\n", " ('constraining', 'restricting the scope or freedom of action'),\n", " ('constricting', '(of circumstances) tending to constrict freedom'),\n", " ('confining', 'restricting the scope or freedom of action'),\n", " ('limiting', 'restricting the scope or freedom of action'),\n", " ('narrowing', '(of circumstances) tending to constrict freedom')]},\n", " {'answer': 'consummate',\n", " 'hint': 'synonyms for consummate',\n", " 'clues': [('complete',\n", " 'perfect and complete in every respect; having all necessary qualities'),\n", " ('double-dyed',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('arrant',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('utter',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('stark',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('masterful', 'having or revealing supreme mastery or skill'),\n", " ('pure',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('unadulterated',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('masterly', 'having or revealing supreme mastery or skill'),\n", " ('virtuoso', 'having or revealing supreme mastery or skill'),\n", " ('everlasting',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('staring',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('gross',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('thoroughgoing',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('sodding',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('perfect',\n", " 'without qualification; used informally as (often pejorative) intensifiers')]},\n", " {'answer': 'contagious',\n", " 'hint': 'synonyms for contagious',\n", " 'clues': [('transmissible',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('transmittable',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('contractable',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('catching', '(of disease) capable of being transmitted by infection'),\n", " ('communicable',\n", " '(of disease) capable of being transmitted by infection')]},\n", " {'answer': 'contemplative',\n", " 'hint': 'synonyms for contemplative',\n", " 'clues': [('ruminative', 'deeply or seriously thoughtful'),\n", " ('pensive', 'deeply or seriously thoughtful'),\n", " ('brooding', 'deeply or seriously thoughtful'),\n", " ('pondering', 'deeply or seriously thoughtful'),\n", " ('reflective', 'deeply or seriously thoughtful'),\n", " ('meditative', 'deeply or seriously thoughtful'),\n", " ('broody', 'deeply or seriously thoughtful'),\n", " ('musing', 'deeply or seriously thoughtful')]},\n", " {'answer': 'contentious',\n", " 'hint': 'synonyms for contentious',\n", " 'clues': [('disputative',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('combative',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('litigious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('disputatious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits')]},\n", " {'answer': 'conterminous',\n", " 'hint': 'synonyms for conterminous',\n", " 'clues': [('coextensive', 'being of equal extent or scope or duration'),\n", " ('contiguous', 'connecting without a break; within a common boundary'),\n", " ('coterminous', 'being of equal extent or scope or duration'),\n", " ('neighboring', 'having a common boundary or edge; abutting; touching'),\n", " ('adjacent', 'having a common boundary or edge; abutting; touching')]},\n", " {'answer': 'contiguous',\n", " 'hint': 'synonyms for contiguous',\n", " 'clues': [('immediate', 'very close or connected in space or time'),\n", " ('neighboring', 'having a common boundary or edge; abutting; touching'),\n", " ('conterminous', 'having a common boundary or edge; abutting; touching'),\n", " ('adjacent', 'having a common boundary or edge; abutting; touching')]},\n", " {'answer': 'contingent',\n", " 'hint': 'synonyms for contingent',\n", " 'clues': [('dependant on',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('dependent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('depending on',\n", " 'determined by conditions or circumstances that follow')]},\n", " {'answer': 'contingent_on',\n", " 'hint': 'synonyms for contingent on',\n", " 'clues': [('dependant on',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('depending on', 'determined by conditions or circumstances that follow'),\n", " ('dependent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent', 'determined by conditions or circumstances that follow')]},\n", " {'answer': 'contingent_upon',\n", " 'hint': 'synonyms for contingent upon',\n", " 'clues': [('dependant on',\n", " 'determined by conditions or circumstances that follow'),\n", " ('dependent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('depending on', 'determined by conditions or circumstances that follow'),\n", " ('contingent on',\n", " 'determined by conditions or circumstances that follow')]},\n", " {'answer': 'continuant',\n", " 'hint': 'synonyms for continuant',\n", " 'clues': [('spirant',\n", " \"of speech sounds produced by forcing air through a constricted passage (as `f', `s', `z', or `th' in both `thin' and `then')\"),\n", " ('fricative',\n", " \"of speech sounds produced by forcing air through a constricted passage (as `f', `s', `z', or `th' in both `thin' and `then')\"),\n", " ('sibilant',\n", " \"of speech sounds produced by forcing air through a constricted passage (as `f', `s', `z', or `th' in both `thin' and `then')\"),\n", " ('strident',\n", " \"of speech sounds produced by forcing air through a constricted passage (as `f', `s', `z', or `th' in both `thin' and `then')\")]},\n", " {'answer': 'contraband',\n", " 'hint': 'synonyms for contraband',\n", " 'clues': [('black-market', 'distributed or sold illicitly'),\n", " ('smuggled', 'distributed or sold illicitly'),\n", " ('bootleg', 'distributed or sold illicitly'),\n", " ('black', 'distributed or sold illicitly')]},\n", " {'answer': 'contractable',\n", " 'hint': 'synonyms for contractable',\n", " 'clues': [('transmissible',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('transmittable',\n", " '(of disease) capable of being transmitted by infection'),\n", " ('contagious', '(of disease) capable of being transmitted by infection'),\n", " ('catching', '(of disease) capable of being transmitted by infection'),\n", " ('communicable',\n", " '(of disease) capable of being transmitted by infection')]},\n", " {'answer': 'contradictory',\n", " 'hint': 'synonyms for contradictory',\n", " 'clues': [('confounding', 'that confounds or contradicts or confuses'),\n", " ('at odds', 'in disagreement; ; - John Morley'),\n", " ('mutually exclusive', 'unable to be both true at the same time'),\n", " ('conflicting', 'in disagreement; ; - John Morley'),\n", " ('self-contradictory', 'in disagreement; ; - John Morley')]},\n", " {'answer': 'contrary',\n", " 'hint': 'synonyms for contrary',\n", " 'clues': [('obstinate', 'resistant to guidance or discipline'),\n", " ('perverse', 'resistant to guidance or discipline'),\n", " ('wayward', 'resistant to guidance or discipline'),\n", " ('adverse', 'in an opposing direction')]},\n", " {'answer': 'contributing',\n", " 'hint': 'synonyms for contributing',\n", " 'clues': [('contributory',\n", " 'tending to bring about; being partly responsible for'),\n", " ('tributary', 'tending to bring about; being partly responsible for'),\n", " ('conducive', 'tending to bring about; being partly responsible for'),\n", " ('contributive',\n", " 'tending to bring about; being partly responsible for')]},\n", " {'answer': 'contributive',\n", " 'hint': 'synonyms for contributive',\n", " 'clues': [('contributing',\n", " 'tending to bring about; being partly responsible for'),\n", " ('tributary', 'tending to bring about; being partly responsible for'),\n", " ('conducive', 'tending to bring about; being partly responsible for'),\n", " ('contributory',\n", " 'tending to bring about; being partly responsible for')]},\n", " {'answer': 'contributory',\n", " 'hint': 'synonyms for contributory',\n", " 'clues': [('contributing',\n", " 'tending to bring about; being partly responsible for'),\n", " ('tributary', 'tending to bring about; being partly responsible for'),\n", " ('conducive', 'tending to bring about; being partly responsible for'),\n", " ('contributive',\n", " 'tending to bring about; being partly responsible for')]},\n", " {'answer': 'conventional',\n", " 'hint': 'synonyms for conventional',\n", " 'clues': [('schematic', 'represented in simplified or symbolic form'),\n", " ('established', 'conforming with accepted standards'),\n", " ('formal', 'represented in simplified or symbolic form'),\n", " ('ceremonious', 'rigidly formal or bound by convention')]},\n", " {'answer': 'convertible',\n", " 'hint': 'synonyms for convertible',\n", " 'clues': [('translatable',\n", " 'capable of being changed in substance as if by alchemy'),\n", " ('transformable',\n", " 'capable of being changed in substance as if by alchemy'),\n", " ('transmutable',\n", " 'capable of being changed in substance as if by alchemy'),\n", " ('exchangeable',\n", " 'capable of being exchanged for or replaced by something of equal value')]},\n", " {'answer': 'convoluted',\n", " 'hint': 'synonyms for convoluted',\n", " 'clues': [('tangled',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott'),\n", " ('tortuous',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott'),\n", " ('convolute', 'rolled longitudinally upon itself'),\n", " ('involved',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott'),\n", " ('knotty',\n", " 'highly complex or intricate and occasionally devious; ; ; ; ; ; ; ; - Sir Walter Scott')]},\n", " {'answer': 'cooccurring',\n", " 'hint': 'synonyms for cooccurring',\n", " 'clues': [('concurrent', 'occurring or operating at the same time'),\n", " ('coincident', 'occurring or operating at the same time'),\n", " ('co-occurrent', 'occurring or operating at the same time'),\n", " ('coinciding', 'occurring or operating at the same time'),\n", " ('simultaneous', 'occurring or operating at the same time')]},\n", " {'answer': 'cooperative',\n", " 'hint': 'synonyms for cooperative',\n", " 'clues': [('conjunct', 'involving the joint activity of two or more'),\n", " ('accommodative',\n", " 'willing to adjust to differences in order to obtain agreement'),\n", " ('conjunctive', 'involving the joint activity of two or more'),\n", " ('concerted', 'involving the joint activity of two or more')]},\n", " {'answer': 'coordinated',\n", " 'hint': 'synonyms for coordinated',\n", " 'clues': [('matching', 'intentionally matched'),\n", " ('co-ordinated',\n", " 'being dexterous in the use of more than one set of muscle movements; - Mary McCarthy'),\n", " ('interconnected', 'operating as a unit'),\n", " ('unified', 'operating as a unit')]},\n", " {'answer': 'copious',\n", " 'hint': 'synonyms for copious',\n", " 'clues': [('ample', 'affording an abundant supply'),\n", " ('rich', 'affording an abundant supply'),\n", " ('plentiful', 'affording an abundant supply'),\n", " ('voluminous', 'large in number or quantity (especially of discourse)'),\n", " ('plenteous', 'affording an abundant supply')]},\n", " {'answer': 'corking',\n", " 'hint': 'synonyms for corking',\n", " 'clues': [('nifty', 'very good'),\n", " ('great', 'very good'),\n", " ('not bad', 'very good'),\n", " ('bang-up', 'very good'),\n", " ('cracking', 'very good'),\n", " ('smashing', 'very good'),\n", " ('groovy', 'very good'),\n", " ('swell', 'very good'),\n", " ('neat', 'very good'),\n", " ('bully', 'very good'),\n", " ('peachy', 'very good'),\n", " ('dandy', 'very good'),\n", " ('keen', 'very good'),\n", " ('slap-up', 'very good')]},\n", " {'answer': 'corporal',\n", " 'hint': 'synonyms for corporal',\n", " 'clues': [('bodily',\n", " 'affecting or characteristic of the body as opposed to the mind or spirit'),\n", " ('corporate', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('embodied', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('somatic',\n", " 'affecting or characteristic of the body as opposed to the mind or spirit'),\n", " ('incarnate', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('corporeal',\n", " 'affecting or characteristic of the body as opposed to the mind or spirit')]},\n", " {'answer': 'corporate',\n", " 'hint': 'synonyms for corporate',\n", " 'clues': [('corporal',\n", " 'possessing or existing in bodily form; - Shakespeare'),\n", " ('collective',\n", " 'done by or characteristic of individuals acting together'),\n", " ('embodied', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('incarnate', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('incorporated', 'organized and maintained as a legal corporation')]},\n", " {'answer': 'corporeal',\n", " 'hint': 'synonyms for corporeal',\n", " 'clues': [('material',\n", " 'having material or physical form or substance; - Benjamin Jowett'),\n", " ('bodily',\n", " 'affecting or characteristic of the body as opposed to the mind or spirit'),\n", " ('corporal',\n", " 'affecting or characteristic of the body as opposed to the mind or spirit'),\n", " ('somatic',\n", " 'affecting or characteristic of the body as opposed to the mind or spirit')]},\n", " {'answer': 'corroborative',\n", " 'hint': 'synonyms for corroborative',\n", " 'clues': [('substantiative', 'serving to support or corroborate'),\n", " ('validatory', 'serving to support or corroborate'),\n", " ('validating', 'serving to support or corroborate'),\n", " ('corroboratory', 'serving to support or corroborate'),\n", " ('confirmatory', 'serving to support or corroborate'),\n", " ('verifying', 'serving to support or corroborate'),\n", " ('confirming', 'serving to support or corroborate'),\n", " ('confirmative', 'serving to support or corroborate'),\n", " ('collateral', 'serving to support or corroborate'),\n", " ('verificatory', 'serving to support or corroborate')]},\n", " {'answer': 'corroboratory',\n", " 'hint': 'synonyms for corroboratory',\n", " 'clues': [('substantiative', 'serving to support or corroborate'),\n", " ('corroborative', 'serving to support or corroborate'),\n", " ('validatory', 'serving to support or corroborate'),\n", " ('validating', 'serving to support or corroborate'),\n", " ('confirmatory', 'serving to support or corroborate'),\n", " ('verifying', 'serving to support or corroborate'),\n", " ('confirming', 'serving to support or corroborate'),\n", " ('confirmative', 'serving to support or corroborate'),\n", " ('collateral', 'serving to support or corroborate'),\n", " ('verificatory', 'serving to support or corroborate')]},\n", " {'answer': 'corrosive',\n", " 'hint': 'synonyms for corrosive',\n", " 'clues': [('caustic',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action'),\n", " ('erosive',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action'),\n", " ('mordant',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action'),\n", " ('vitriolic',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action')]},\n", " {'answer': 'corruptible',\n", " 'hint': 'synonyms for corruptible',\n", " 'clues': [('bribable', 'capable of being corrupted'),\n", " ('purchasable', 'capable of being corrupted'),\n", " ('dishonest', 'capable of being corrupted'),\n", " ('venal', 'capable of being corrupted')]},\n", " {'answer': 'coruscant',\n", " 'hint': 'synonyms for coruscant',\n", " 'clues': [('glinting',\n", " 'having brief brilliant points or flashes of light'),\n", " ('fulgid', 'having brief brilliant points or flashes of light'),\n", " ('glittery', 'having brief brilliant points or flashes of light'),\n", " ('scintillating', 'having brief brilliant points or flashes of light'),\n", " ('glittering', 'having brief brilliant points or flashes of light'),\n", " ('sparkly', 'having brief brilliant points or flashes of light'),\n", " ('scintillant', 'having brief brilliant points or flashes of light')]},\n", " {'answer': 'cosmopolitan',\n", " 'hint': 'synonyms for cosmopolitan',\n", " 'clues': [('universal',\n", " 'of worldwide scope or applicability; ; - Christopher Morley'),\n", " ('widely distributed', 'growing or occurring in many parts of the world'),\n", " ('general',\n", " 'of worldwide scope or applicability; ; - Christopher Morley'),\n", " ('world-wide',\n", " 'of worldwide scope or applicability; ; - Christopher Morley'),\n", " ('ecumenical',\n", " 'of worldwide scope or applicability; ; - Christopher Morley')]},\n", " {'answer': 'costless',\n", " 'hint': 'synonyms for costless',\n", " 'clues': [('free', 'costing nothing'),\n", " ('gratis', 'costing nothing'),\n", " ('gratuitous', 'costing nothing'),\n", " ('complimentary', 'costing nothing')]},\n", " {'answer': 'costly',\n", " 'hint': 'synonyms for costly',\n", " 'clues': [('high-priced', 'having a high price'),\n", " ('pricey', 'having a high price'),\n", " ('dearly-won', 'entailing great loss or sacrifice'),\n", " ('dear', 'having a high price')]},\n", " {'answer': 'countless',\n", " 'hint': 'synonyms for countless',\n", " 'clues': [('multitudinous', 'too numerous to be counted'),\n", " ('unnumberable', 'too numerous to be counted'),\n", " ('unnumbered', 'too numerous to be counted'),\n", " ('myriad', 'too numerous to be counted'),\n", " ('infinite', 'too numerous to be counted'),\n", " ('numberless', 'too numerous to be counted'),\n", " ('uncounted', 'too numerous to be counted'),\n", " ('innumerous', 'too numerous to be counted')]},\n", " {'answer': 'covetous',\n", " 'hint': 'synonyms for covetous',\n", " 'clues': [('greedy', 'immoderately desirous of acquiring e.g. wealth'),\n", " ('prehensile', 'immoderately desirous of acquiring e.g. wealth'),\n", " ('grasping', 'immoderately desirous of acquiring e.g. wealth'),\n", " ('envious',\n", " \"showing extreme cupidity; painfully desirous of another's advantages\"),\n", " ('jealous',\n", " \"showing extreme cupidity; painfully desirous of another's advantages\"),\n", " ('avaricious', 'immoderately desirous of acquiring e.g. wealth'),\n", " ('grabby', 'immoderately desirous of acquiring e.g. wealth')]},\n", " {'answer': 'cozy',\n", " 'hint': 'synonyms for cozy',\n", " 'clues': [('informal',\n", " 'having or fostering a warm or friendly and informal atmosphere'),\n", " ('snug',\n", " 'enjoying or affording comforting warmth and shelter especially in a small space'),\n", " ('intimate',\n", " 'having or fostering a warm or friendly and informal atmosphere'),\n", " ('cosy',\n", " 'enjoying or affording comforting warmth and shelter especially in a small space')]},\n", " {'answer': 'crabbed',\n", " 'hint': 'synonyms for crabbed',\n", " 'clues': [('grouchy', 'annoyed and irritable'),\n", " ('fussy', 'annoyed and irritable'),\n", " ('cross', 'annoyed and irritable'),\n", " ('grumpy', 'annoyed and irritable'),\n", " ('crabby', 'annoyed and irritable'),\n", " ('bad-tempered', 'annoyed and irritable'),\n", " ('ill-tempered', 'annoyed and irritable')]},\n", " {'answer': 'crabby',\n", " 'hint': 'synonyms for crabby',\n", " 'clues': [('crabbed', 'annoyed and irritable'),\n", " ('fussy', 'annoyed and irritable'),\n", " ('grouchy', 'annoyed and irritable'),\n", " ('cross', 'annoyed and irritable'),\n", " ('grumpy', 'annoyed and irritable'),\n", " ('bad-tempered', 'annoyed and irritable'),\n", " ('ill-tempered', 'annoyed and irritable')]},\n", " {'answer': 'crack',\n", " 'hint': 'synonyms for crack',\n", " 'clues': [('ace', 'of the highest quality'),\n", " ('topnotch', 'of the highest quality'),\n", " ('super', 'of the highest quality'),\n", " ('first-rate', 'of the highest quality'),\n", " ('tops', 'of the highest quality'),\n", " ('tiptop', 'of the highest quality')]},\n", " {'answer': 'cracked',\n", " 'hint': 'synonyms for cracked',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('roughened', 'used of skin roughened as a result of cold or exposure'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('alligatored',\n", " 'of paint or varnish; having the appearance of alligator hide'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('chapped', 'used of skin roughened as a result of cold or exposure'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'crackers',\n", " 'hint': 'synonyms for crackers',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'cracking',\n", " 'hint': 'synonyms for cracking',\n", " 'clues': [('nifty', 'very good'),\n", " ('great', 'very good'),\n", " ('not bad', 'very good'),\n", " ('bang-up', 'very good'),\n", " ('smashing', 'very good'),\n", " ('groovy', 'very good'),\n", " ('swell', 'very good'),\n", " ('neat', 'very good'),\n", " ('bully', 'very good'),\n", " ('peachy', 'very good'),\n", " ('dandy', 'very good'),\n", " ('keen', 'very good'),\n", " ('corking', 'very good'),\n", " ('slap-up', 'very good')]},\n", " {'answer': 'crafty',\n", " 'hint': 'synonyms for crafty',\n", " 'clues': [('cunning', 'marked by skill in deception'),\n", " ('sly', 'marked by skill in deception'),\n", " ('tricksy', 'marked by skill in deception'),\n", " ('foxy', 'marked by skill in deception'),\n", " ('slick', 'marked by skill in deception'),\n", " ('dodgy', 'marked by skill in deception'),\n", " ('knavish', 'marked by skill in deception'),\n", " ('wily', 'marked by skill in deception'),\n", " ('guileful', 'marked by skill in deception')]},\n", " {'answer': 'cranky',\n", " 'hint': 'synonyms for cranky',\n", " 'clues': [('nettlesome', 'easily irritated or annoyed'),\n", " ('scratchy', 'easily irritated or annoyed'),\n", " ('techy', 'easily irritated or annoyed'),\n", " ('crank', '(used of boats) inclined to heel over easily under sail'),\n", " ('fractious', 'easily irritated or annoyed'),\n", " ('irritable', 'easily irritated or annoyed'),\n", " ('pettish', 'easily irritated or annoyed'),\n", " ('tippy', '(used of boats) inclined to heel over easily under sail'),\n", " ('tender', '(used of boats) inclined to heel over easily under sail'),\n", " ('testy', 'easily irritated or annoyed'),\n", " ('peevish', 'easily irritated or annoyed'),\n", " ('petulant', 'easily irritated or annoyed'),\n", " ('peckish', 'easily irritated or annoyed')]},\n", " {'answer': 'crappy',\n", " 'hint': 'synonyms for crappy',\n", " 'clues': [('rotten', 'very bad'),\n", " ('stinking', 'very bad'),\n", " ('icky', 'very bad'),\n", " ('lousy', 'very bad'),\n", " ('stinky', 'very bad'),\n", " ('shitty', 'very bad')]},\n", " {'answer': 'crashing',\n", " 'hint': 'synonyms for crashing',\n", " 'clues': [('blinking', 'informal intensifiers'),\n", " ('blooming', 'informal intensifiers'),\n", " ('bloody', 'informal intensifiers'),\n", " ('flaming', 'informal intensifiers'),\n", " ('fucking', 'informal intensifiers'),\n", " ('bally', 'informal intensifiers')]},\n", " {'answer': 'crazy',\n", " 'hint': 'synonyms for crazy',\n", " 'clues': [('unbalanced', 'affected with madness or insanity'),\n", " ('dotty', 'intensely enthusiastic about or preoccupied with'),\n", " ('sick', 'affected with madness or insanity'),\n", " ('gaga', 'intensely enthusiastic about or preoccupied with'),\n", " ('softheaded', 'foolish; totally unsound'),\n", " ('wild', 'intensely enthusiastic about or preoccupied with'),\n", " ('brainsick', 'affected with madness or insanity'),\n", " ('half-baked', 'foolish; totally unsound'),\n", " ('demented', 'affected with madness or insanity'),\n", " ('screwball', 'foolish; totally unsound'),\n", " ('unhinged', 'affected with madness or insanity'),\n", " ('disturbed', 'affected with madness or insanity'),\n", " ('mad', 'affected with madness or insanity')]},\n", " {'answer': 'creaky',\n", " 'hint': 'synonyms for creaky',\n", " 'clues': [('woebegone', 'worn and broken down by hard use'),\n", " ('run-down', 'worn and broken down by hard use'),\n", " ('flea-bitten', 'worn and broken down by hard use'),\n", " ('rheumy', 'of or pertaining to arthritis'),\n", " ('rheumatoid', 'of or pertaining to arthritis'),\n", " ('rheumatic', 'of or pertaining to arthritis'),\n", " ('arthritic', 'of or pertaining to arthritis'),\n", " ('decrepit', 'worn and broken down by hard use'),\n", " ('screaky', 'having a rasping or grating sound'),\n", " ('derelict', 'worn and broken down by hard use')]},\n", " {'answer': 'criminal',\n", " 'hint': 'synonyms for criminal',\n", " 'clues': [('felonious',\n", " 'involving or being or having the nature of a crime'),\n", " ('condemnable', 'bringing or deserving severe rebuke or censure'),\n", " ('deplorable', 'bringing or deserving severe rebuke or censure'),\n", " ('vicious', 'bringing or deserving severe rebuke or censure'),\n", " ('reprehensible', 'bringing or deserving severe rebuke or censure')]},\n", " {'answer': 'crimson',\n", " 'hint': 'synonyms for crimson',\n", " 'clues': [('reddish',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('blood-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cherry-red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('cerise',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruddy',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('ruby',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('violent',\n", " 'characterized by violence or bloodshed; - Andrea Parke; - Thomas Gray; - Hudson Strode'),\n", " ('red',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('reddened',\n", " '(especially of the face) reddened or suffused with or as if with blood from emotion or exertion'),\n", " ('red-faced',\n", " '(especially of the face) reddened or suffused with or as if with blood from emotion or exertion'),\n", " ('scarlet',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('flushed',\n", " '(especially of the face) reddened or suffused with or as if with blood from emotion or exertion'),\n", " ('cherry',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies'),\n", " ('carmine',\n", " 'of a color at the end of the color spectrum (next to orange); resembling the color of blood or cherries or tomatoes or rubies')]},\n", " {'answer': 'crinkled',\n", " 'hint': 'synonyms for crinkled',\n", " 'clues': [('wavelike', 'uneven by virtue of having wrinkles or waves'),\n", " ('crinkly', 'uneven by virtue of having wrinkles or waves'),\n", " ('rippled', 'uneven by virtue of having wrinkles or waves'),\n", " ('wavy', 'uneven by virtue of having wrinkles or waves')]},\n", " {'answer': 'crinkly',\n", " 'hint': 'synonyms for crinkly',\n", " 'clues': [('wavelike', 'uneven by virtue of having wrinkles or waves'),\n", " ('wavy', 'uneven by virtue of having wrinkles or waves'),\n", " ('rippled', 'uneven by virtue of having wrinkles or waves'),\n", " ('crinkled', 'uneven by virtue of having wrinkles or waves')]},\n", " {'answer': 'crippled',\n", " 'hint': 'synonyms for crippled',\n", " 'clues': [('halt', 'disabled in the feet or legs'),\n", " ('game', 'disabled in the feet or legs'),\n", " ('lame', 'disabled in the feet or legs'),\n", " ('gimpy', 'disabled in the feet or legs')]},\n", " {'answer': 'crisp',\n", " 'hint': 'synonyms for crisp',\n", " 'clues': [('sharp', '(of something seen or heard) clearly defined'),\n", " ('frosty', 'pleasantly cold and invigorating'),\n", " ('frizzy', '(of hair) in small tight curls'),\n", " ('snappy', 'pleasantly cold and invigorating'),\n", " ('curt', 'brief and to the point; effectively cut short'),\n", " ('laconic', 'brief and to the point; effectively cut short'),\n", " ('crispy', 'tender and brittle'),\n", " ('nipping', 'pleasantly cold and invigorating'),\n", " ('kinky', '(of hair) in small tight curls'),\n", " ('terse', 'brief and to the point; effectively cut short'),\n", " ('nippy', 'pleasantly cold and invigorating')]},\n", " {'answer': 'crocked',\n", " 'hint': 'synonyms for crocked',\n", " 'clues': [('fuddled', 'very drunk'),\n", " ('sloshed', 'very drunk'),\n", " ('stiff', 'very drunk'),\n", " ('cockeyed', 'very drunk'),\n", " ('sozzled', 'very drunk'),\n", " ('pie-eyed', 'very drunk'),\n", " ('soaked', 'very drunk'),\n", " ('pixilated', 'very drunk'),\n", " ('blotto', 'very drunk'),\n", " ('wet', 'very drunk'),\n", " ('pissed', 'very drunk'),\n", " ('besotted', 'very drunk'),\n", " ('soused', 'very drunk'),\n", " ('slopped', 'very drunk'),\n", " ('smashed', 'very drunk'),\n", " ('blind drunk', 'very drunk'),\n", " ('plastered', 'very drunk'),\n", " ('loaded', 'very drunk'),\n", " ('tight', 'very drunk'),\n", " ('squiffy', 'very drunk')]},\n", " {'answer': 'crookback',\n", " 'hint': 'synonyms for crookback',\n", " 'clues': [('kyphotic',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('crookbacked',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('hunchbacked',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('humpbacked',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('gibbous',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('humped',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column')]},\n", " {'answer': 'crookbacked',\n", " 'hint': 'synonyms for crookbacked',\n", " 'clues': [('kyphotic',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('crookback',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('hunchbacked',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('humpbacked',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('gibbous',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column'),\n", " ('humped',\n", " 'characteristic of or suffering from kyphosis, an abnormality of the vertebral column')]},\n", " {'answer': 'crooked',\n", " 'hint': 'synonyms for crooked',\n", " 'clues': [('stooping', 'having the back and shoulders rounded; not erect'),\n", " ('stooped', 'having the back and shoulders rounded; not erect'),\n", " ('round-backed', 'having the back and shoulders rounded; not erect'),\n", " ('corrupt', 'not straight; dishonest or immoral or evasive'),\n", " ('round-shouldered', 'having the back and shoulders rounded; not erect'),\n", " ('hunched', 'having the back and shoulders rounded; not erect'),\n", " ('asymmetrical', 'irregular in shape or outline')]},\n", " {'answer': 'cross',\n", " 'hint': 'synonyms for cross',\n", " 'clues': [('fussy', 'annoyed and irritable'),\n", " ('grumpy', 'annoyed and irritable'),\n", " ('bad-tempered', 'annoyed and irritable'),\n", " ('thwartwise',\n", " 'extending or lying across; in a crosswise direction; at right angles to the long axis'),\n", " ('transverse',\n", " 'extending or lying across; in a crosswise direction; at right angles to the long axis'),\n", " ('crabbed', 'annoyed and irritable'),\n", " ('grouchy', 'annoyed and irritable'),\n", " ('crabby', 'annoyed and irritable'),\n", " ('ill-tempered', 'annoyed and irritable')]},\n", " {'answer': 'crowing',\n", " 'hint': 'synonyms for crowing',\n", " 'clues': [('big', 'exhibiting self-importance'),\n", " ('bragging', 'exhibiting self-importance'),\n", " ('cock-a-hoop', 'exhibiting self-importance'),\n", " ('boastful', 'exhibiting self-importance'),\n", " ('braggy', 'exhibiting self-importance'),\n", " ('braggart', 'exhibiting self-importance'),\n", " ('self-aggrandising', 'exhibiting self-importance')]},\n", " {'answer': 'crucial',\n", " 'hint': 'synonyms for crucial',\n", " 'clues': [('of the essence', 'of the greatest importance'),\n", " ('all important', 'of the greatest importance'),\n", " ('important',\n", " 'of extreme importance; vital to the resolution of a crisis'),\n", " ('essential', 'of the greatest importance')]},\n", " {'answer': 'cruddy',\n", " 'hint': 'synonyms for cruddy',\n", " 'clues': [('smutty', 'characterized by obscenity'),\n", " ('foul', 'characterized by obscenity'),\n", " ('filthy', 'characterized by obscenity'),\n", " ('nasty', 'characterized by obscenity')]},\n", " {'answer': 'crude',\n", " 'hint': 'synonyms for crude',\n", " 'clues': [('stark',\n", " 'devoid of any qualifications or disguise or adornment'),\n", " ('earthy', 'conspicuously and tastelessly indecent'),\n", " ('unrefined', 'not refined or processed'),\n", " ('vulgar', 'conspicuously and tastelessly indecent'),\n", " ('gross', 'conspicuously and tastelessly indecent'),\n", " ('primitive',\n", " 'belonging to an early stage of technical development; characterized by simplicity and (often) crudeness'),\n", " ('raw', 'not processed or subjected to analysis'),\n", " ('rude',\n", " 'belonging to an early stage of technical development; characterized by simplicity and (often) crudeness'),\n", " ('unprocessed', 'not refined or processed'),\n", " ('rough', 'not carefully or expertly made'),\n", " ('blunt', 'devoid of any qualifications or disguise or adornment')]},\n", " {'answer': 'cruel',\n", " 'hint': 'synonyms for cruel',\n", " 'clues': [('savage',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('barbarous',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('vicious',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('roughshod',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('brutal',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering'),\n", " ('fell',\n", " '(of persons or their actions) able or disposed to inflict pain or suffering')]},\n", " {'answer': 'crummy',\n", " 'hint': 'synonyms for crummy',\n", " 'clues': [('cheesy', 'of very poor quality; flimsy'),\n", " ('tinny', 'of very poor quality; flimsy'),\n", " ('sleazy', 'of very poor quality; flimsy'),\n", " ('chintzy', 'of very poor quality; flimsy'),\n", " ('cheap', 'of very poor quality; flimsy'),\n", " ('punk', 'of very poor quality; flimsy'),\n", " ('bum', 'of very poor quality; flimsy')]},\n", " {'answer': 'crushed',\n", " 'hint': 'synonyms for crushed',\n", " 'clues': [('broken', 'subdued or brought low in condition or status'),\n", " ('humiliated', 'subdued or brought low in condition or status'),\n", " ('low', 'subdued or brought low in condition or status'),\n", " ('humbled', 'subdued or brought low in condition or status')]},\n", " {'answer': 'crusty',\n", " 'hint': 'synonyms for crusty',\n", " 'clues': [('curmudgeonly', 'brusque and surly and forbidding'),\n", " ('encrusted', 'having a hardened crust as a covering'),\n", " ('ill-humoured', 'brusque and surly and forbidding'),\n", " ('crustlike', 'having a hardened crust as a covering'),\n", " ('gruff', 'brusque and surly and forbidding')]},\n", " {'answer': 'crying',\n", " 'hint': 'synonyms for crying',\n", " 'clues': [('glaring',\n", " 'conspicuously and outrageously bad or reprehensible'),\n", " ('insistent', 'demanding attention; ; ; - H.L.Mencken'),\n", " ('egregious', 'conspicuously and outrageously bad or reprehensible'),\n", " ('exigent', 'demanding attention; ; ; - H.L.Mencken'),\n", " ('rank', 'conspicuously and outrageously bad or reprehensible'),\n", " ('instant', 'demanding attention; ; ; - H.L.Mencken'),\n", " ('flagrant', 'conspicuously and outrageously bad or reprehensible'),\n", " ('clamant', 'demanding attention; ; ; - H.L.Mencken'),\n", " ('gross', 'conspicuously and outrageously bad or reprehensible')]},\n", " {'answer': 'cryptic',\n", " 'hint': 'synonyms for cryptic',\n", " 'clues': [('deep', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('sibylline', 'having a secret or hidden meaning; ; ; - John Gunther'),\n", " ('mystifying', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('cryptical', 'having a secret or hidden meaning; ; ; - John Gunther'),\n", " ('qabalistic', 'having a secret or hidden meaning; ; ; - John Gunther'),\n", " ('mysterious', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('inscrutable', 'of an obscure nature; ; ; ; - Rachel Carson')]},\n", " {'answer': 'cryptical',\n", " 'hint': 'synonyms for cryptical',\n", " 'clues': [('deep', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('sibylline', 'having a secret or hidden meaning; ; ; - John Gunther'),\n", " ('mystifying', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('cryptic', 'having a secret or hidden meaning; ; ; - John Gunther'),\n", " ('qabalistic', 'having a secret or hidden meaning; ; ; - John Gunther'),\n", " ('mysterious', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('inscrutable', 'of an obscure nature; ; ; ; - Rachel Carson')]},\n", " {'answer': 'crystal_clear',\n", " 'hint': 'synonyms for crystal clear',\n", " 'clues': [('lucid',\n", " '(of language) transparently clear; easily understandable; ; ; - Robert Burton'),\n", " ('crystalline',\n", " 'transmitting light; able to be seen through with clarity'),\n", " ('pellucid', 'transmitting light; able to be seen through with clarity'),\n", " ('transparent',\n", " 'transmitting light; able to be seen through with clarity'),\n", " ('perspicuous',\n", " '(of language) transparently clear; easily understandable; ; ; - Robert Burton'),\n", " ('limpid', 'transmitting light; able to be seen through with clarity'),\n", " ('luculent',\n", " '(of language) transparently clear; easily understandable; ; ; - Robert Burton')]},\n", " {'answer': 'crystalline',\n", " 'hint': 'synonyms for crystalline',\n", " 'clues': [('transparent',\n", " 'transmitting light; able to be seen through with clarity'),\n", " ('limpid', 'transmitting light; able to be seen through with clarity'),\n", " ('crystal clear',\n", " 'transmitting light; able to be seen through with clarity'),\n", " ('pellucid', 'transmitting light; able to be seen through with clarity'),\n", " ('lucid', 'transmitting light; able to be seen through with clarity')]},\n", " {'answer': 'cube-shaped',\n", " 'hint': 'synonyms for cube-shaped',\n", " 'clues': [('cuboidal', 'shaped like a cube'),\n", " ('cubiform', 'shaped like a cube'),\n", " ('cubelike', 'shaped like a cube'),\n", " ('cubical', 'shaped like a cube')]},\n", " {'answer': 'cubelike',\n", " 'hint': 'synonyms for cubelike',\n", " 'clues': [('cuboidal', 'shaped like a cube'),\n", " ('cubiform', 'shaped like a cube'),\n", " ('cubical', 'shaped like a cube'),\n", " ('cube-shaped', 'shaped like a cube')]},\n", " {'answer': 'cubical',\n", " 'hint': 'synonyms for cubical',\n", " 'clues': [('cuboidal', 'shaped like a cube'),\n", " ('cubiform', 'shaped like a cube'),\n", " ('cubelike', 'shaped like a cube'),\n", " ('cube-shaped', 'shaped like a cube')]},\n", " {'answer': 'cubiform',\n", " 'hint': 'synonyms for cubiform',\n", " 'clues': [('cuboidal', 'shaped like a cube'),\n", " ('cubelike', 'shaped like a cube'),\n", " ('cubical', 'shaped like a cube'),\n", " ('cube-shaped', 'shaped like a cube')]},\n", " {'answer': 'cuboid',\n", " 'hint': 'synonyms for cuboid',\n", " 'clues': [('cuboidal', 'shaped like a cube'),\n", " ('cubiform', 'shaped like a cube'),\n", " ('cubelike', 'shaped like a cube'),\n", " ('cubical', 'shaped like a cube'),\n", " ('cube-shaped', 'shaped like a cube')]},\n", " {'answer': 'cuboidal',\n", " 'hint': 'synonyms for cuboidal',\n", " 'clues': [('cubiform', 'shaped like a cube'),\n", " ('cuboid', 'shaped like a cube'),\n", " ('cubelike', 'shaped like a cube'),\n", " ('cubical', 'shaped like a cube'),\n", " ('cube-shaped', 'shaped like a cube')]},\n", " {'answer': 'culpable',\n", " 'hint': 'synonyms for culpable',\n", " 'clues': [('blamable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('censurable',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameful',\n", " 'deserving blame or censure as being wrong or evil or injurious'),\n", " ('blameworthy',\n", " 'deserving blame or censure as being wrong or evil or injurious')]},\n", " {'answer': 'cultivated',\n", " 'hint': 'synonyms for cultivated',\n", " 'clues': [('civilized', 'marked by refinement in taste and manners'),\n", " ('polite', 'marked by refinement in taste and manners'),\n", " ('cultured', 'marked by refinement in taste and manners'),\n", " ('genteel', 'marked by refinement in taste and manners')]},\n", " {'answer': 'cultured',\n", " 'hint': 'synonyms for cultured',\n", " 'clues': [('civilized', 'marked by refinement in taste and manners'),\n", " ('polite', 'marked by refinement in taste and manners'),\n", " ('cultivated', 'marked by refinement in taste and manners'),\n", " ('genteel', 'marked by refinement in taste and manners')]},\n", " {'answer': 'cumbersome',\n", " 'hint': 'synonyms for cumbersome',\n", " 'clues': [('awkward', 'not elegant or graceful in expression'),\n", " ('cumbrous',\n", " 'difficult to handle or use especially because of size or weight'),\n", " ('inept', 'not elegant or graceful in expression'),\n", " ('clumsy', 'not elegant or graceful in expression'),\n", " ('inapt', 'not elegant or graceful in expression'),\n", " ('ill-chosen', 'not elegant or graceful in expression')]},\n", " {'answer': 'cunning',\n", " 'hint': 'synonyms for cunning',\n", " 'clues': [('clever', 'showing inventiveness and skill'),\n", " ('sly', 'marked by skill in deception'),\n", " ('tricksy', 'marked by skill in deception'),\n", " ('ingenious', 'showing inventiveness and skill'),\n", " ('crafty', 'marked by skill in deception'),\n", " ('cute',\n", " 'attractive especially by means of smallness or prettiness or quaintness'),\n", " ('foxy', 'marked by skill in deception'),\n", " ('slick', 'marked by skill in deception'),\n", " ('dodgy', 'marked by skill in deception'),\n", " ('knavish', 'marked by skill in deception'),\n", " ('wily', 'marked by skill in deception'),\n", " ('guileful', 'marked by skill in deception')]},\n", " {'answer': 'curative',\n", " 'hint': 'synonyms for curative',\n", " 'clues': [('remedial', 'tending to cure or restore to health'),\n", " ('sanative', 'tending to cure or restore to health'),\n", " ('healing', 'tending to cure or restore to health'),\n", " ('therapeutic', 'tending to cure or restore to health'),\n", " ('alterative', 'tending to cure or restore to health')]},\n", " {'answer': 'cured',\n", " 'hint': 'synonyms for cured',\n", " 'clues': [('aged',\n", " \"(used of tobacco) aging as a preservative process (`aged' is pronounced as one syllable)\"),\n", " ('vulcanised',\n", " '(used of rubber) treated by a chemical or physical process to improve its properties (hardness and strength and odor and elasticity)'),\n", " ('corned', '(used especially of meat) cured in brine'),\n", " ('recovered', 'freed from illness or injury; ; ; ; - Normon Cameron'),\n", " ('healed', 'freed from illness or injury; ; ; ; - Normon Cameron')]},\n", " {'answer': 'curious',\n", " 'hint': 'synonyms for curious',\n", " 'clues': [('rum', 'beyond or deviating from the usual or expected'),\n", " ('odd', 'beyond or deviating from the usual or expected'),\n", " ('queer', 'beyond or deviating from the usual or expected'),\n", " ('peculiar', 'beyond or deviating from the usual or expected'),\n", " ('funny', 'beyond or deviating from the usual or expected'),\n", " ('singular', 'beyond or deviating from the usual or expected'),\n", " ('rummy', 'beyond or deviating from the usual or expected')]},\n", " {'answer': 'cursed',\n", " 'hint': 'synonyms for cursed',\n", " 'clues': [('curst', 'deserving a curse; sometimes used as an intensifier'),\n", " ('damned', 'in danger of the eternal punishment of Hell'),\n", " ('unsaved', 'in danger of the eternal punishment of Hell'),\n", " ('doomed', 'in danger of the eternal punishment of Hell'),\n", " ('unredeemed', 'in danger of the eternal punishment of Hell')]},\n", " {'answer': 'curt',\n", " 'hint': 'synonyms for curt',\n", " 'clues': [('brusk', 'marked by rude or peremptory shortness'),\n", " ('laconic', 'brief and to the point; effectively cut short'),\n", " ('brusque', 'marked by rude or peremptory shortness'),\n", " ('short', 'marked by rude or peremptory shortness'),\n", " ('terse', 'brief and to the point; effectively cut short'),\n", " ('crisp', 'brief and to the point; effectively cut short')]},\n", " {'answer': 'curvaceous',\n", " 'hint': 'synonyms for curvaceous',\n", " 'clues': [('voluptuous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('well-endowed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('full-bosomed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('stacked',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('busty', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsie',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('buxom', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('bosomy',\n", " \"(of a woman's body) having a large bosom and pleasing curves\")]},\n", " {'answer': 'curvy',\n", " 'hint': 'synonyms for curvy',\n", " 'clues': [('voluptuous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('well-endowed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('full-bosomed',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvaceous',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('stacked',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('busty', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsie',\n", " \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('sonsy', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('curvey', 'having curves'),\n", " ('buxom', \"(of a woman's body) having a large bosom and pleasing curves\"),\n", " ('bosomy',\n", " \"(of a woman's body) having a large bosom and pleasing curves\")]},\n", " {'answer': 'cuspated',\n", " 'hint': 'synonyms for cuspated',\n", " 'clues': [('cuspidal', 'having cusps or points'),\n", " ('cuspate', 'having cusps or points'),\n", " ('cuspidated', 'having cusps or points'),\n", " ('cusped', 'having cusps or points')]},\n", " {'answer': 'cuspidate',\n", " 'hint': 'synonyms for cuspidate',\n", " 'clues': [('cuspidal', 'having cusps or points'),\n", " ('cuspate', 'having cusps or points'),\n", " ('cuspidated', 'having cusps or points'),\n", " ('cusped', 'having cusps or points')]},\n", " {'answer': 'cut',\n", " 'hint': 'synonyms for cut',\n", " 'clues': [('trimmed', 'made neat and tidy by trimming'),\n", " ('weakened', 'mixed with water'),\n", " ('emasculated', '(of a male animal) having the testicles removed'),\n", " ('slashed', '(used of rates or prices) reduced usually sharply'),\n", " ('shortened', 'with parts removed'),\n", " ('gelded', '(of a male animal) having the testicles removed'),\n", " ('mown',\n", " '(used of grass or vegetation) cut down with a hand implement or machine'),\n", " ('thinned', 'mixed with water')]},\n", " {'answer': 'cutting',\n", " 'hint': 'synonyms for cutting',\n", " 'clues': [('stinging',\n", " '(of speech) harsh or hurtful in tone or character'),\n", " ('piercing', 'painful as if caused by a sharp instrument'),\n", " ('stabbing', 'painful as if caused by a sharp instrument'),\n", " ('raw', 'unpleasantly cold and damp'),\n", " ('lancinating', 'painful as if caused by a sharp instrument'),\n", " ('knifelike', 'painful as if caused by a sharp instrument'),\n", " ('bleak', 'unpleasantly cold and damp'),\n", " ('lancinate', 'painful as if caused by a sharp instrument'),\n", " ('keen', 'painful as if caused by a sharp instrument'),\n", " ('edged', '(of speech) harsh or hurtful in tone or character')]},\n", " {'answer': 'daft',\n", " 'hint': 'synonyms for daft',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('dotty', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'daily',\n", " 'hint': 'synonyms for daily',\n", " 'clues': [('day-to-day', 'of or belonging to or occurring every day'),\n", " ('casual', 'appropriate for ordinary or routine occasions'),\n", " ('day-after-day', 'of or belonging to or occurring every day'),\n", " ('everyday', 'appropriate for ordinary or routine occasions'),\n", " ('day-by-day', 'of or belonging to or occurring every day')]},\n", " {'answer': 'dainty',\n", " 'hint': 'synonyms for dainty',\n", " 'clues': [('squeamish', 'excessively fastidious and easily disgusted'),\n", " ('nice', 'excessively fastidious and easily disgusted'),\n", " ('prim', 'affectedly dainty or refined'),\n", " ('mincing', 'affectedly dainty or refined'),\n", " ('twee', 'affectedly dainty or refined'),\n", " ('overnice', 'excessively fastidious and easily disgusted'),\n", " ('prissy', 'excessively fastidious and easily disgusted'),\n", " ('exquisite', 'delicately beautiful'),\n", " ('niminy-piminy', 'affectedly dainty or refined')]},\n", " {'answer': 'damaging',\n", " 'hint': 'synonyms for damaging',\n", " 'clues': [('detrimental',\n", " \"(sometimes followed by `to') causing harm or injury\"),\n", " ('negative',\n", " 'designed or tending to discredit, especially without positive or helpful suggestions'),\n", " ('prejudicious', \"(sometimes followed by `to') causing harm or injury\"),\n", " ('prejudicial', \"(sometimes followed by `to') causing harm or injury\")]},\n", " {'answer': 'damn',\n", " 'hint': 'synonyms for damn',\n", " 'clues': [('blame', 'expletives used informally as intensifiers'),\n", " ('deuced', 'expletives used informally as intensifiers'),\n", " ('blasted', 'expletives used informally as intensifiers'),\n", " ('blessed', 'expletives used informally as intensifiers'),\n", " ('goddamn', 'used as expletives'),\n", " ('infernal', 'expletives used informally as intensifiers'),\n", " ('damned', 'expletives used informally as intensifiers'),\n", " ('darned', 'expletives used informally as intensifiers')]},\n", " {'answer': 'damned',\n", " 'hint': 'synonyms for damned',\n", " 'clues': [('blasted', 'expletives used informally as intensifiers'),\n", " ('damn', 'expletives used informally as intensifiers'),\n", " ('blessed', 'expletives used informally as intensifiers'),\n", " ('unredeemed', 'in danger of the eternal punishment of Hell'),\n", " ('darned', 'expletives used informally as intensifiers'),\n", " ('goddam', 'expletives used informally as intensifiers'),\n", " ('blamed', 'expletives used informally as intensifiers'),\n", " ('goddamned', 'expletives used informally as intensifiers'),\n", " ('infernal', 'expletives used informally as intensifiers'),\n", " ('unsaved', 'in danger of the eternal punishment of Hell'),\n", " ('doomed', 'in danger of the eternal punishment of Hell'),\n", " ('deuced', 'expletives used informally as intensifiers'),\n", " ('cursed', 'in danger of the eternal punishment of Hell')]},\n", " {'answer': 'dandy',\n", " 'hint': 'synonyms for dandy',\n", " 'clues': [('nifty', 'very good'),\n", " ('great', 'very good'),\n", " ('not bad', 'very good'),\n", " ('bang-up', 'very good'),\n", " ('cracking', 'very good'),\n", " ('smashing', 'very good'),\n", " ('groovy', 'very good'),\n", " ('swell', 'very good'),\n", " ('neat', 'very good'),\n", " ('bully', 'very good'),\n", " ('peachy', 'very good'),\n", " ('keen', 'very good'),\n", " ('corking', 'very good'),\n", " ('slap-up', 'very good')]},\n", " {'answer': 'dangerous',\n", " 'hint': 'synonyms for dangerous',\n", " 'clues': [('unsafe',\n", " 'involving or causing danger or risk; liable to hurt or harm'),\n", " ('life-threatening', 'causing fear or anxiety by threatening great harm'),\n", " ('grievous', 'causing fear or anxiety by threatening great harm'),\n", " ('serious', 'causing fear or anxiety by threatening great harm'),\n", " ('grave', 'causing fear or anxiety by threatening great harm'),\n", " ('severe', 'causing fear or anxiety by threatening great harm')]},\n", " {'answer': 'dapper',\n", " 'hint': 'synonyms for dapper',\n", " 'clues': [('natty', 'marked by up-to-dateness in dress and manners'),\n", " ('spruce', 'marked by up-to-dateness in dress and manners'),\n", " ('snappy', 'marked by up-to-dateness in dress and manners'),\n", " ('spiffy', 'marked by up-to-dateness in dress and manners'),\n", " ('raffish', 'marked by up-to-dateness in dress and manners'),\n", " ('dashing', 'marked by up-to-dateness in dress and manners'),\n", " ('rakish', 'marked by up-to-dateness in dress and manners'),\n", " ('jaunty', 'marked by up-to-dateness in dress and manners')]},\n", " {'answer': 'daring',\n", " 'hint': 'synonyms for daring',\n", " 'clues': [('audacious', 'disposed to venture or take risks'),\n", " ('venturesome', 'disposed to venture or take risks'),\n", " ('avant-garde', 'radically new or original'),\n", " ('venturous', 'disposed to venture or take risks')]},\n", " {'answer': 'dark',\n", " 'hint': 'synonyms for dark',\n", " 'clues': [('disconsolate', 'causing dejection'),\n", " ('sullen', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('obscure', 'marked by difficulty of style or expression'),\n", " ('grim', 'causing dejection'),\n", " ('blue', 'causing dejection'),\n", " ('sinister',\n", " 'stemming from evil characteristics or forces; wicked or dishonorable; ; ; ; ; ; ; -Thomas Hardy'),\n", " ('glowering', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('sorry', 'causing dejection'),\n", " ('non-white', 'having skin rich in melanin pigments'),\n", " ('coloured', 'having skin rich in melanin pigments'),\n", " ('glum', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('dour', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('black',\n", " 'stemming from evil characteristics or forces; wicked or dishonorable; ; ; ; ; ; ; -Thomas Hardy'),\n", " ('dark-skinned', 'having skin rich in melanin pigments'),\n", " ('moody', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('morose', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('dismal', 'causing dejection'),\n", " ('gloomy', 'causing dejection'),\n", " ('dreary', 'causing dejection'),\n", " ('benighted', 'lacking enlightenment or knowledge or culture'),\n", " ('dingy', 'causing dejection'),\n", " ('sour', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('saturnine', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('drab', 'causing dejection')]},\n", " {'answer': 'dark-skinned',\n", " 'hint': 'synonyms for dark-skinned',\n", " 'clues': [('dark', 'having skin rich in melanin pigments'),\n", " ('swarthy', 'naturally having skin of a dark color'),\n", " ('dusky', 'naturally having skin of a dark color'),\n", " ('colored', 'having skin rich in melanin pigments'),\n", " ('swart', 'naturally having skin of a dark color'),\n", " ('non-white', 'having skin rich in melanin pigments')]},\n", " {'answer': 'darned',\n", " 'hint': 'synonyms for darned',\n", " 'clues': [('blasted', 'expletives used informally as intensifiers'),\n", " ('damn', 'expletives used informally as intensifiers'),\n", " ('blessed', 'expletives used informally as intensifiers'),\n", " ('goddam', 'expletives used informally as intensifiers'),\n", " ('infernal', 'expletives used informally as intensifiers'),\n", " ('blamed', 'expletives used informally as intensifiers'),\n", " ('goddamned', 'expletives used informally as intensifiers'),\n", " ('damned', 'expletives used informally as intensifiers'),\n", " ('deuced', 'expletives used informally as intensifiers')]},\n", " {'answer': 'dashing',\n", " 'hint': 'synonyms for dashing',\n", " 'clues': [('natty', 'marked by up-to-dateness in dress and manners'),\n", " ('spruce', 'marked by up-to-dateness in dress and manners'),\n", " ('gallant', 'lively and spirited'),\n", " ('snappy', 'marked by up-to-dateness in dress and manners'),\n", " ('spiffy', 'marked by up-to-dateness in dress and manners'),\n", " ('raffish', 'marked by up-to-dateness in dress and manners'),\n", " ('dapper', 'marked by up-to-dateness in dress and manners'),\n", " ('rakish', 'marked by up-to-dateness in dress and manners'),\n", " ('jaunty', 'marked by up-to-dateness in dress and manners')]},\n", " {'answer': 'dateless',\n", " 'hint': 'synonyms for dateless',\n", " 'clues': [('sempiternal',\n", " 'having no known beginning and presumably no end'),\n", " ('undated', 'not bearing a date'),\n", " ('endless', 'having no known beginning and presumably no end'),\n", " ('timeless', 'unaffected by time')]},\n", " {'answer': 'dauntless',\n", " 'hint': 'synonyms for dauntless',\n", " 'clues': [('intrepid', 'invulnerable to fear or intimidation'),\n", " ('hardy', 'invulnerable to fear or intimidation'),\n", " ('unfearing', 'invulnerable to fear or intimidation'),\n", " ('fearless', 'invulnerable to fear or intimidation'),\n", " ('audacious', 'invulnerable to fear or intimidation'),\n", " ('brave', 'invulnerable to fear or intimidation')]},\n", " {'answer': 'dazed',\n", " 'hint': 'synonyms for dazed',\n", " 'clues': [('stunned',\n", " 'in a state of mental numbness especially as resulting from shock'),\n", " ('stuporous',\n", " 'stunned or confused and slow to react (as from blows or drunkenness or exhaustion)'),\n", " ('groggy',\n", " 'stunned or confused and slow to react (as from blows or drunkenness or exhaustion)'),\n", " ('foggy',\n", " 'stunned or confused and slow to react (as from blows or drunkenness or exhaustion)'),\n", " ('logy',\n", " 'stunned or confused and slow to react (as from blows or drunkenness or exhaustion)'),\n", " ('stupefied',\n", " 'in a state of mental numbness especially as resulting from shock'),\n", " ('stupid',\n", " 'in a state of mental numbness especially as resulting from shock')]},\n", " {'answer': 'dazzling',\n", " 'hint': 'synonyms for dazzling',\n", " 'clues': [('fulgurous',\n", " 'amazingly impressive; suggestive of the flashing of lightning; ; - Janet Flanner; - Idwal Jones'),\n", " ('blinding', 'shining intensely'),\n", " ('blazing', 'shining intensely'),\n", " ('fulgent', 'shining intensely'),\n", " ('eye-popping',\n", " 'amazingly impressive; suggestive of the flashing of lightning; ; - Janet Flanner; - Idwal Jones'),\n", " ('glaring', 'shining intensely'),\n", " ('glary', 'shining intensely'),\n", " ('fulgurant',\n", " 'amazingly impressive; suggestive of the flashing of lightning; ; - Janet Flanner; - Idwal Jones')]},\n", " {'answer': 'dead',\n", " 'hint': 'synonyms for dead',\n", " 'clues': [('beat', 'very tired'),\n", " ('utter', 'complete'),\n", " ('deadened', 'devoid of physical sensation; numb'),\n", " ('bushed', 'very tired'),\n", " ('all in', 'very tired'),\n", " ('drained', 'drained of electric charge; discharged'),\n", " ('numb',\n", " \"(followed by `to') not showing human feeling or sensitivity; unresponsive\"),\n", " ('stagnant', 'not circulating or flowing'),\n", " ('idle', 'not yielding a return')]},\n", " {'answer': 'deadening',\n", " 'hint': 'synonyms for deadening',\n", " 'clues': [('irksome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('dull',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('tedious',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('slow',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('tiresome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('boring',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('ho-hum',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('wearisome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain')]},\n", " {'answer': 'deadly',\n", " 'hint': 'synonyms for deadly',\n", " 'clues': [('lethal', 'of an instrument of certain death'),\n", " ('venomous', 'extremely poisonous or injurious; producing venom'),\n", " ('pernicious', 'exceedingly harmful'),\n", " ('deathly', 'causing or capable of causing death'),\n", " ('mortal', 'causing or capable of causing death'),\n", " ('virulent', 'extremely poisonous or injurious; producing venom'),\n", " ('baneful', 'exceedingly harmful'),\n", " ('pestilent', 'exceedingly harmful')]},\n", " {'answer': 'deadpan',\n", " 'hint': 'synonyms for deadpan',\n", " 'clues': [('unexpressive', 'deliberately impassive in manner'),\n", " ('impassive', 'deliberately impassive in manner'),\n", " ('poker-faced', 'deliberately impassive in manner'),\n", " ('expressionless', 'deliberately impassive in manner')]},\n", " {'answer': 'dealt_out',\n", " 'hint': 'synonyms for dealt out',\n", " 'clues': [('parceled out', 'given out in portions'),\n", " ('apportioned', 'given out in portions'),\n", " ('meted out', 'given out in portions'),\n", " ('doled out', 'given out in portions')]},\n", " {'answer': 'dear',\n", " 'hint': 'synonyms for dear',\n", " 'clues': [('high-priced', 'having a high price'),\n", " ('good', 'with or in a close or intimate relationship'),\n", " ('pricey', 'having a high price'),\n", " ('costly', 'having a high price'),\n", " ('heartfelt', 'earnest'),\n", " ('devout', 'earnest'),\n", " ('earnest', 'earnest'),\n", " ('beloved', 'dearly loved'),\n", " ('darling', 'dearly loved'),\n", " ('near', 'with or in a close or intimate relationship')]},\n", " {'answer': 'debased',\n", " 'hint': 'synonyms for debased',\n", " 'clues': [('corrupted', 'ruined in character or quality'),\n", " ('devalued', 'lowered in value'),\n", " ('degraded', 'lowered in value'),\n", " ('adulterate', 'mixed with impurities'),\n", " ('vitiated', 'ruined in character or quality')]},\n", " {'answer': 'debatable',\n", " 'hint': 'synonyms for debatable',\n", " 'clues': [('problematical', 'open to doubt or debate'),\n", " ('disputable', 'open to argument or debate'),\n", " ('arguable', 'open to argument or debate'),\n", " ('moot', 'open to argument or debate')]},\n", " {'answer': 'debauched',\n", " 'hint': 'synonyms for debauched',\n", " 'clues': [('riotous', 'unrestrained by convention or morality'),\n", " ('degenerate', 'unrestrained by convention or morality'),\n", " ('dissipated', 'unrestrained by convention or morality'),\n", " ('fast', 'unrestrained by convention or morality'),\n", " ('libertine', 'unrestrained by convention or morality'),\n", " ('dissolute', 'unrestrained by convention or morality'),\n", " ('degraded', 'unrestrained by convention or morality'),\n", " ('profligate', 'unrestrained by convention or morality')]},\n", " {'answer': 'debile',\n", " 'hint': 'synonyms for debile',\n", " 'clues': [('weakly', 'lacking bodily or muscular strength or vitality'),\n", " ('decrepit', 'lacking bodily or muscular strength or vitality'),\n", " ('infirm', 'lacking bodily or muscular strength or vitality'),\n", " ('sapless', 'lacking bodily or muscular strength or vitality'),\n", " ('rickety', 'lacking bodily or muscular strength or vitality'),\n", " ('feeble', 'lacking bodily or muscular strength or vitality')]},\n", " {'answer': 'debonair',\n", " 'hint': 'synonyms for debonair',\n", " 'clues': [('suave', 'having a sophisticated charm'),\n", " ('chipper',\n", " 'having a cheerful, lively, and self-confident air; - Frances G. Patton; - H.M.Reynolds'),\n", " ('debonnaire', 'having a sophisticated charm'),\n", " ('jaunty',\n", " 'having a cheerful, lively, and self-confident air; - Frances G. Patton; - H.M.Reynolds')]},\n", " {'answer': 'debonaire',\n", " 'hint': 'synonyms for debonaire',\n", " 'clues': [('debonair',\n", " 'having a cheerful, lively, and self-confident air; - Frances G. Patton; - H.M.Reynolds'),\n", " ('suave', 'having a sophisticated charm'),\n", " ('chipper',\n", " 'having a cheerful, lively, and self-confident air; - Frances G. Patton; - H.M.Reynolds'),\n", " ('jaunty',\n", " 'having a cheerful, lively, and self-confident air; - Frances G. Patton; - H.M.Reynolds')]},\n", " {'answer': 'deceased',\n", " 'hint': 'synonyms for deceased',\n", " 'clues': [('at rest', 'dead'),\n", " ('gone', 'dead'),\n", " ('at peace', 'dead'),\n", " ('asleep', 'dead'),\n", " ('departed', 'dead')]},\n", " {'answer': 'deceitful',\n", " 'hint': 'synonyms for deceitful',\n", " 'clues': [('double-tongued',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-dealing',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('two-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('fallacious', 'intended to deceive; ; ; - S.T.Coleridge'),\n", " ('ambidextrous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('duplicitous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('fraudulent', 'intended to deceive; ; ; - S.T.Coleridge')]},\n", " {'answer': 'decent',\n", " 'hint': 'synonyms for decent',\n", " 'clues': [('enough', 'sufficient for the purpose'),\n", " ('comme il faut', 'according with custom or propriety'),\n", " ('comely', 'according with custom or propriety'),\n", " ('adequate', 'sufficient for the purpose'),\n", " ('decorous', 'according with custom or propriety'),\n", " ('nice', 'socially or conventionally correct; refined or virtuous'),\n", " ('becoming', 'according with custom or propriety'),\n", " ('seemly', 'according with custom or propriety')]},\n", " {'answer': 'declamatory',\n", " 'hint': 'synonyms for declamatory',\n", " 'clues': [('turgid', 'ostentatiously lofty in style'),\n", " ('orotund', 'ostentatiously lofty in style'),\n", " ('tumid', 'ostentatiously lofty in style'),\n", " ('bombastic', 'ostentatiously lofty in style'),\n", " ('large', 'ostentatiously lofty in style')]},\n", " {'answer': 'decorous',\n", " 'hint': 'synonyms for decorous',\n", " 'clues': [('comme il faut', 'according with custom or propriety'),\n", " ('comely', 'according with custom or propriety'),\n", " ('decent', 'according with custom or propriety'),\n", " ('becoming', 'according with custom or propriety'),\n", " ('seemly', 'according with custom or propriety')]},\n", " {'answer': 'decrepit',\n", " 'hint': 'synonyms for decrepit',\n", " 'clues': [('weakly', 'lacking bodily or muscular strength or vitality'),\n", " ('infirm', 'lacking bodily or muscular strength or vitality'),\n", " ('rickety', 'lacking bodily or muscular strength or vitality'),\n", " ('woebegone', 'worn and broken down by hard use'),\n", " ('feeble', 'lacking bodily or muscular strength or vitality'),\n", " ('run-down', 'worn and broken down by hard use'),\n", " ('flea-bitten', 'worn and broken down by hard use'),\n", " ('creaky', 'worn and broken down by hard use'),\n", " ('sapless', 'lacking bodily or muscular strength or vitality'),\n", " ('debile', 'lacking bodily or muscular strength or vitality'),\n", " ('derelict', 'worn and broken down by hard use')]},\n", " {'answer': 'deep',\n", " 'hint': 'synonyms for deep',\n", " 'clues': [('cryptical', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('abstruse',\n", " 'difficult to penetrate; incomprehensible to one of ordinary understanding or knowledge'),\n", " ('mystifying', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('recondite',\n", " 'difficult to penetrate; incomprehensible to one of ordinary understanding or knowledge'),\n", " ('rich', 'strong; intense'),\n", " ('mysterious', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('thick', '(of darkness) very intense'),\n", " ('inscrutable', 'of an obscure nature; ; ; ; - Rachel Carson'),\n", " ('bass', 'having or denoting a low vocal or instrumental range')]},\n", " {'answer': 'defamatory',\n", " 'hint': 'synonyms for defamatory',\n", " 'clues': [('slanderous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumnious',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrative',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('libellous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrating',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigratory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumniatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign')]},\n", " {'answer': 'defeated',\n", " 'hint': 'synonyms for defeated',\n", " 'clues': [('foiled', 'disappointingly unsuccessful'),\n", " ('disappointed', 'disappointingly unsuccessful'),\n", " ('discomfited', 'disappointingly unsuccessful'),\n", " ('thwarted', 'disappointingly unsuccessful'),\n", " ('frustrated', 'disappointingly unsuccessful')]},\n", " {'answer': 'deficient',\n", " 'hint': 'synonyms for deficient',\n", " 'clues': [('substandard', 'falling short of some prescribed norm'),\n", " ('lacking', 'inadequate in amount or degree'),\n", " ('insufficient',\n", " 'of a quantity not able to fulfill a need or requirement'),\n", " ('inferior', 'falling short of some prescribed norm'),\n", " ('wanting', 'inadequate in amount or degree')]},\n", " {'answer': 'definitive',\n", " 'hint': 'synonyms for definitive',\n", " 'clues': [('determinate',\n", " 'supplying or being a final or conclusive settlement'),\n", " ('classical', 'of recognized authority or excellence'),\n", " ('unequivocal', 'clearly defined or formulated; - R.B.Taney'),\n", " ('authoritative', 'of recognized authority or excellence')]},\n", " {'answer': 'deformed',\n", " 'hint': 'synonyms for deformed',\n", " 'clues': [('malformed', 'so badly formed or out of shape as to be ugly'),\n", " ('distorted', 'so badly formed or out of shape as to be ugly'),\n", " ('ill-shapen', 'so badly formed or out of shape as to be ugly'),\n", " ('misshapen', 'so badly formed or out of shape as to be ugly')]},\n", " {'answer': 'degenerate',\n", " 'hint': 'synonyms for degenerate',\n", " 'clues': [('riotous', 'unrestrained by convention or morality'),\n", " ('dissipated', 'unrestrained by convention or morality'),\n", " ('fast', 'unrestrained by convention or morality'),\n", " ('debauched', 'unrestrained by convention or morality'),\n", " ('libertine', 'unrestrained by convention or morality'),\n", " ('dissolute', 'unrestrained by convention or morality'),\n", " ('degraded', 'unrestrained by convention or morality'),\n", " ('profligate', 'unrestrained by convention or morality')]},\n", " {'answer': 'degraded',\n", " 'hint': 'synonyms for degraded',\n", " 'clues': [('riotous', 'unrestrained by convention or morality'),\n", " ('devalued', 'lowered in value'),\n", " ('degenerate', 'unrestrained by convention or morality'),\n", " ('fast', 'unrestrained by convention or morality'),\n", " ('dissipated', 'unrestrained by convention or morality'),\n", " ('debauched', 'unrestrained by convention or morality'),\n", " ('debased', 'lowered in value'),\n", " ('libertine', 'unrestrained by convention or morality'),\n", " ('dissolute', 'unrestrained by convention or morality'),\n", " ('profligate', 'unrestrained by convention or morality')]},\n", " {'answer': 'delectable',\n", " 'hint': 'synonyms for delectable',\n", " 'clues': [('luscious', 'extremely pleasing to the sense of taste'),\n", " ('toothsome', 'extremely pleasing to the sense of taste'),\n", " ('sexually attractive', 'capable of arousing desire'),\n", " ('pleasant-tasting', 'extremely pleasing to the sense of taste'),\n", " ('scrumptious', 'extremely pleasing to the sense of taste'),\n", " ('yummy', 'extremely pleasing to the sense of taste'),\n", " ('delicious', 'extremely pleasing to the sense of taste')]},\n", " {'answer': 'delicate',\n", " 'hint': 'synonyms for delicate',\n", " 'clues': [('ticklish', 'difficult to handle; requiring great tact'),\n", " ('touchy', 'difficult to handle; requiring great tact'),\n", " ('fragile', 'easily broken or damaged or destroyed'),\n", " ('soft', 'easily hurt'),\n", " ('frail', 'easily broken or damaged or destroyed'),\n", " ('finespun', 'developed with extreme delicacy and subtlety')]},\n", " {'answer': 'delicious',\n", " 'hint': 'synonyms for delicious',\n", " 'clues': [('luscious', 'extremely pleasing to the sense of taste'),\n", " ('delectable', 'extremely pleasing to the sense of taste'),\n", " ('toothsome', 'extremely pleasing to the sense of taste'),\n", " ('delightful', 'greatly pleasing or entertaining'),\n", " ('pleasant-tasting', 'extremely pleasing to the sense of taste'),\n", " ('scrumptious', 'extremely pleasing to the sense of taste'),\n", " ('yummy', 'extremely pleasing to the sense of taste')]},\n", " {'answer': 'delighted',\n", " 'hint': 'synonyms for delighted',\n", " 'clues': [('charmed', 'filled with wonder and delight'),\n", " ('entranced', 'filled with wonder and delight'),\n", " ('enthralled', 'filled with wonder and delight'),\n", " ('beguiled', 'filled with wonder and delight'),\n", " ('captivated', 'filled with wonder and delight')]},\n", " {'answer': 'delinquent',\n", " 'hint': 'synonyms for delinquent',\n", " 'clues': [('remiss', 'failing in what duty requires'),\n", " ('neglectful', 'failing in what duty requires'),\n", " ('overdue', 'past due; not paid at the scheduled time'),\n", " ('derelict', 'failing in what duty requires')]},\n", " {'answer': 'delirious',\n", " 'hint': 'synonyms for delirious',\n", " 'clues': [('unrestrained', 'marked by uncontrolled excitement or emotion'),\n", " ('hallucinating', 'experiencing delirium'),\n", " ('excited', 'marked by uncontrolled excitement or emotion'),\n", " ('mad', 'marked by uncontrolled excitement or emotion'),\n", " ('frantic', 'marked by uncontrolled excitement or emotion')]},\n", " {'answer': 'deluxe',\n", " 'hint': 'synonyms for deluxe',\n", " 'clues': [('luxe', 'elegant and sumptuous'),\n", " ('grand', 'rich and superior in quality'),\n", " ('gilded', 'rich and superior in quality'),\n", " ('de luxe', 'elegant and sumptuous'),\n", " ('opulent', 'rich and superior in quality'),\n", " ('luxurious', 'rich and superior in quality'),\n", " ('sumptuous', 'rich and superior in quality'),\n", " ('princely', 'rich and superior in quality')]},\n", " {'answer': 'demented',\n", " 'hint': 'synonyms for demented',\n", " 'clues': [('unbalanced', 'affected with madness or insanity'),\n", " ('sick', 'affected with madness or insanity'),\n", " ('crazy', 'affected with madness or insanity'),\n", " ('unhinged', 'affected with madness or insanity'),\n", " ('disturbed', 'affected with madness or insanity'),\n", " ('mad', 'affected with madness or insanity'),\n", " ('brainsick', 'affected with madness or insanity')]},\n", " {'answer': 'demode',\n", " 'hint': 'synonyms for demode',\n", " 'clues': [('antique', 'out of fashion'),\n", " ('outmoded', 'out of fashion'),\n", " ('ex', 'out of fashion'),\n", " ('passee', 'out of fashion'),\n", " ('old-fashioned', 'out of fashion'),\n", " ('old-hat', 'out of fashion')]},\n", " {'answer': 'demoniac',\n", " 'hint': 'synonyms for demoniac',\n", " 'clues': [('possessed', 'frenzied as if possessed by a demon'),\n", " ('berserk', 'frenzied as if possessed by a demon'),\n", " ('amuck', 'frenzied as if possessed by a demon'),\n", " ('amok', 'frenzied as if possessed by a demon'),\n", " ('demoniacal', 'frenzied as if possessed by a demon')]},\n", " {'answer': 'demoniacal',\n", " 'hint': 'synonyms for demoniacal',\n", " 'clues': [('possessed', 'frenzied as if possessed by a demon'),\n", " ('berserk', 'frenzied as if possessed by a demon'),\n", " ('amuck', 'frenzied as if possessed by a demon'),\n", " ('amok', 'frenzied as if possessed by a demon'),\n", " ('demoniac', 'frenzied as if possessed by a demon')]},\n", " {'answer': 'demonic',\n", " 'hint': 'synonyms for demonic',\n", " 'clues': [('diabolic',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('hellish',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('satanic',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('fiendish',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('infernal',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('unholy',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell')]},\n", " {'answer': 'dendriform',\n", " 'hint': 'synonyms for dendriform',\n", " 'clues': [('dendroid',\n", " 'resembling a tree in form and branching structure'),\n", " ('arboresque', 'resembling a tree in form and branching structure'),\n", " ('arborescent', 'resembling a tree in form and branching structure'),\n", " ('treelike', 'resembling a tree in form and branching structure'),\n", " ('arboreous', 'resembling a tree in form and branching structure'),\n", " ('arboreal', 'resembling a tree in form and branching structure'),\n", " ('tree-shaped', 'resembling a tree in form and branching structure'),\n", " ('arboriform', 'resembling a tree in form and branching structure')]},\n", " {'answer': 'dendroid',\n", " 'hint': 'synonyms for dendroid',\n", " 'clues': [('arboresque',\n", " 'resembling a tree in form and branching structure'),\n", " ('arborescent', 'resembling a tree in form and branching structure'),\n", " ('treelike', 'resembling a tree in form and branching structure'),\n", " ('dendroidal', 'resembling a tree in form and branching structure'),\n", " ('arboreous', 'resembling a tree in form and branching structure'),\n", " ('arboreal', 'resembling a tree in form and branching structure'),\n", " ('dendriform', 'resembling a tree in form and branching structure'),\n", " ('tree-shaped', 'resembling a tree in form and branching structure'),\n", " ('arboriform', 'resembling a tree in form and branching structure')]},\n", " {'answer': 'dendroidal',\n", " 'hint': 'synonyms for dendroidal',\n", " 'clues': [('dendroid',\n", " 'resembling a tree in form and branching structure'),\n", " ('arboresque', 'resembling a tree in form and branching structure'),\n", " ('arborescent', 'resembling a tree in form and branching structure'),\n", " ('treelike', 'resembling a tree in form and branching structure'),\n", " ('arboreous', 'resembling a tree in form and branching structure'),\n", " ('arboreal', 'resembling a tree in form and branching structure'),\n", " ('dendriform', 'resembling a tree in form and branching structure'),\n", " ('tree-shaped', 'resembling a tree in form and branching structure'),\n", " ('arboriform', 'resembling a tree in form and branching structure')]},\n", " {'answer': 'denigrating',\n", " 'hint': 'synonyms for denigrating',\n", " 'clues': [('slanderous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumnious',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrative',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('libellous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('defamatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigratory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumniatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign')]},\n", " {'answer': 'denigrative',\n", " 'hint': 'synonyms for denigrative',\n", " 'clues': [('slanderous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumnious',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('libellous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrating',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('defamatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigratory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumniatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign')]},\n", " {'answer': 'denigratory',\n", " 'hint': 'synonyms for denigratory',\n", " 'clues': [('slanderous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumnious',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrative',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('libellous',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('denigrating',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('defamatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign'),\n", " ('calumniatory',\n", " '(used of statements) harmful and often untrue; tending to discredit or malign')]},\n", " {'answer': 'dense',\n", " 'hint': 'synonyms for dense',\n", " 'clues': [('slow',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('thick', 'hard to pass through because of dense growth'),\n", " ('obtuse',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('dim',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('dumb',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('impenetrable',\n", " 'permitting little if any light to pass through because of denseness of matter'),\n", " ('dull',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('heavy',\n", " 'permitting little if any light to pass through because of denseness of matter')]},\n", " {'answer': 'departed',\n", " 'hint': 'synonyms for departed',\n", " 'clues': [('at rest', 'dead'),\n", " ('gone', 'dead'),\n", " ('deceased', 'dead'),\n", " ('bypast', 'well in the past; former'),\n", " ('foregone', 'well in the past; former'),\n", " ('at peace', 'dead'),\n", " ('bygone', 'well in the past; former'),\n", " ('asleep', 'dead')]},\n", " {'answer': 'dependable',\n", " 'hint': 'synonyms for dependable',\n", " 'clues': [('steady-going', 'consistent in performance or behavior'),\n", " ('safe', 'financially sound'),\n", " ('honest', 'worthy of being depended on'),\n", " ('reliable', 'worthy of being depended on'),\n", " ('good', 'financially sound'),\n", " ('true', 'worthy of being depended on'),\n", " ('rock-steady', 'consistent in performance or behavior'),\n", " ('secure', 'financially sound')]},\n", " {'answer': 'dependant',\n", " 'hint': 'synonyms for dependant',\n", " 'clues': [('qualified', 'contingent on something else'),\n", " ('drug-addicted', 'addicted to a drug'),\n", " ('hooked', 'addicted to a drug'),\n", " ('dependent', 'contingent on something else'),\n", " ('strung-out', 'addicted to a drug')]},\n", " {'answer': 'dependant_on',\n", " 'hint': 'synonyms for dependant on',\n", " 'clues': [('dependent on',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('depending on', 'determined by conditions or circumstances that follow'),\n", " ('dependant upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent', 'determined by conditions or circumstances that follow')]},\n", " {'answer': 'dependant_upon',\n", " 'hint': 'synonyms for dependant upon',\n", " 'clues': [('dependant on',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('dependent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('depending on', 'determined by conditions or circumstances that follow'),\n", " ('contingent', 'determined by conditions or circumstances that follow')]},\n", " {'answer': 'dependent',\n", " 'hint': 'synonyms for dependent',\n", " 'clues': [('subject',\n", " 'being under the power or sovereignty of another or others'),\n", " ('pendant', 'held from above'),\n", " ('subordinate',\n", " '(of a clause) unable to stand alone syntactically as a complete sentence'),\n", " ('qualified', 'contingent on something else'),\n", " ('drug-addicted', 'addicted to a drug'),\n", " ('hooked', 'addicted to a drug'),\n", " ('strung-out', 'addicted to a drug')]},\n", " {'answer': 'dependent_on',\n", " 'hint': 'synonyms for dependent on',\n", " 'clues': [('dependant on',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('dependent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('depending on', 'determined by conditions or circumstances that follow'),\n", " ('contingent', 'determined by conditions or circumstances that follow')]},\n", " {'answer': 'dependent_upon',\n", " 'hint': 'synonyms for dependent upon',\n", " 'clues': [('dependant on',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('depending on', 'determined by conditions or circumstances that follow'),\n", " ('contingent', 'determined by conditions or circumstances that follow')]},\n", " {'answer': 'depending_on',\n", " 'hint': 'synonyms for depending on',\n", " 'clues': [('dependant on',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('dependent upon',\n", " 'determined by conditions or circumstances that follow'),\n", " ('contingent', 'determined by conditions or circumstances that follow')]},\n", " {'answer': 'deplorable',\n", " 'hint': 'synonyms for deplorable',\n", " 'clues': [('distressing', 'bad; unfortunate'),\n", " ('woeful', 'of very poor quality or condition'),\n", " ('condemnable', 'bringing or deserving severe rebuke or censure'),\n", " ('miserable', 'of very poor quality or condition'),\n", " ('sad', 'bad; unfortunate'),\n", " ('execrable', 'of very poor quality or condition'),\n", " ('criminal', 'bringing or deserving severe rebuke or censure'),\n", " ('pitiful', 'bad; unfortunate'),\n", " ('wretched', 'of very poor quality or condition'),\n", " ('reprehensible', 'bringing or deserving severe rebuke or censure'),\n", " ('sorry', 'bad; unfortunate'),\n", " ('lamentable', 'bad; unfortunate'),\n", " ('vicious', 'bringing or deserving severe rebuke or censure')]},\n", " {'answer': 'deprecating',\n", " 'hint': 'synonyms for deprecating',\n", " 'clues': [('deprecative', 'tending to diminish or disparage'),\n", " ('deprecatory', 'tending to diminish or disparage'),\n", " ('slighting', 'tending to diminish or disparage'),\n", " ('belittling', 'tending to diminish or disparage')]},\n", " {'answer': 'deprecative',\n", " 'hint': 'synonyms for deprecative',\n", " 'clues': [('depreciative', 'tending to diminish or disparage'),\n", " ('deprecatory', 'tending to diminish or disparage'),\n", " ('slighting', 'tending to diminish or disparage'),\n", " ('belittling', 'tending to diminish or disparage'),\n", " ('deprecating', 'tending to diminish or disparage')]},\n", " {'answer': 'deprecatory',\n", " 'hint': 'synonyms for deprecatory',\n", " 'clues': [('deprecative', 'tending to diminish or disparage'),\n", " ('slighting', 'tending to diminish or disparage'),\n", " ('belittling', 'tending to diminish or disparage'),\n", " ('depreciatory', 'tending to diminish or disparage'),\n", " ('deprecating', 'tending to diminish or disparage')]},\n", " {'answer': 'depreciative',\n", " 'hint': 'synonyms for depreciative',\n", " 'clues': [('deprecative', 'tending to diminish or disparage'),\n", " ('belittling', 'tending to diminish or disparage'),\n", " ('depreciatory', 'tending to diminish or disparage'),\n", " ('deprecating', 'tending to diminish or disparage'),\n", " ('slighting', 'tending to diminish or disparage')]},\n", " {'answer': 'depreciatory',\n", " 'hint': 'synonyms for depreciatory',\n", " 'clues': [('deprecative', 'tending to diminish or disparage'),\n", " ('belittling', 'tending to diminish or disparage'),\n", " ('deprecating', 'tending to diminish or disparage'),\n", " ('slighting', 'tending to diminish or disparage'),\n", " ('deprecatory', 'tending to diminish or disparage')]},\n", " {'answer': 'depressed',\n", " 'hint': 'synonyms for depressed',\n", " 'clues': [('low', 'filled with melancholy and despondency'),\n", " ('downhearted', 'filled with melancholy and despondency'),\n", " ('low-spirited', 'filled with melancholy and despondency'),\n", " ('down', 'lower than previously'),\n", " ('gloomy', 'filled with melancholy and despondency'),\n", " ('dispirited', 'filled with melancholy and despondency'),\n", " ('grim', 'filled with melancholy and despondency'),\n", " ('down in the mouth', 'filled with melancholy and despondency'),\n", " ('downcast', 'filled with melancholy and despondency'),\n", " ('blue', 'filled with melancholy and despondency')]},\n", " {'answer': 'derelict',\n", " 'hint': 'synonyms for derelict',\n", " 'clues': [('woebegone', 'worn and broken down by hard use'),\n", " ('deserted', 'forsaken by owner or inhabitants'),\n", " ('neglectful', 'failing in what duty requires'),\n", " ('run-down', 'worn and broken down by hard use'),\n", " ('bedraggled', 'in deplorable condition'),\n", " ('abandoned', 'forsaken by owner or inhabitants'),\n", " ('flea-bitten', 'worn and broken down by hard use'),\n", " ('creaky', 'worn and broken down by hard use'),\n", " ('delinquent', 'failing in what duty requires'),\n", " ('broken-down', 'in deplorable condition'),\n", " ('tumble-down', 'in deplorable condition'),\n", " ('tatterdemalion', 'in deplorable condition'),\n", " ('decrepit', 'worn and broken down by hard use'),\n", " ('remiss', 'failing in what duty requires'),\n", " ('ramshackle', 'in deplorable condition'),\n", " ('dilapidated', 'in deplorable condition')]},\n", " {'answer': 'derisive',\n", " 'hint': 'synonyms for derisive',\n", " 'clues': [('jeering', 'abusing vocally; expressing contempt or ridicule'),\n", " ('taunting', 'abusing vocally; expressing contempt or ridicule'),\n", " ('mocking', 'abusing vocally; expressing contempt or ridicule'),\n", " ('gibelike', 'abusing vocally; expressing contempt or ridicule')]},\n", " {'answer': 'derisory',\n", " 'hint': 'synonyms for derisory',\n", " 'clues': [('preposterous', 'incongruous;inviting ridicule'),\n", " ('ludicrous', 'incongruous;inviting ridicule'),\n", " ('absurd', 'incongruous;inviting ridicule'),\n", " ('laughable', 'incongruous;inviting ridicule'),\n", " ('nonsensical', 'incongruous;inviting ridicule'),\n", " ('cockeyed', 'incongruous;inviting ridicule'),\n", " ('idiotic', 'incongruous;inviting ridicule'),\n", " ('ridiculous', 'incongruous;inviting ridicule')]},\n", " {'answer': 'dermal',\n", " 'hint': 'synonyms for dermal',\n", " 'clues': [('epidermal', 'of or relating to a cuticle or cuticula'),\n", " ('epidermic', 'of or relating to a cuticle or cuticula'),\n", " ('cutaneal', 'relating to or existing on or affecting the skin'),\n", " ('dermic', 'of or relating to or located in the dermis'),\n", " ('cutaneous', 'relating to or existing on or affecting the skin'),\n", " ('cuticular', 'of or relating to a cuticle or cuticula')]},\n", " {'answer': 'desiccated',\n", " 'hint': 'synonyms for desiccated',\n", " 'clues': [('desiccate',\n", " 'lacking vitality or spirit; lifeless; ; ; -C.J.Rolo'),\n", " ('dried', 'preserved by removing natural moisture'),\n", " ('dehydrated', 'preserved by removing natural moisture'),\n", " ('dried-out', 'thoroughly dried out'),\n", " ('arid', 'lacking vitality or spirit; lifeless; ; ; -C.J.Rolo')]},\n", " {'answer': 'desired',\n", " 'hint': 'synonyms for desired',\n", " 'clues': [('in demand', 'greatly desired'),\n", " ('craved', 'wanted intensely'),\n", " ('coveted', 'greatly desired'),\n", " ('sought after', 'greatly desired')]},\n", " {'answer': 'desolate',\n", " 'hint': 'synonyms for desolate',\n", " 'clues': [('bare', 'providing no shelter or sustenance'),\n", " ('stark', 'providing no shelter or sustenance'),\n", " ('bleak', 'providing no shelter or sustenance'),\n", " ('barren', 'providing no shelter or sustenance')]},\n", " {'answer': 'desperate',\n", " 'hint': 'synonyms for desperate',\n", " 'clues': [('dire',\n", " 'fraught with extreme danger; nearly hopeless; ; - G.C.Marshall'),\n", " ('heroic',\n", " 'showing extreme courage; especially of actions courageously undertaken in desperation as a last resort; ; - G.C.Marshall'),\n", " ('despairing', 'arising from or marked by despair or loss of hope'),\n", " ('do-or-die', 'desperately determined')]},\n", " {'answer': 'despicable',\n", " 'hint': 'synonyms for despicable',\n", " 'clues': [('slimy', 'morally reprehensible'),\n", " ('worthless', 'morally reprehensible'),\n", " ('ugly', 'morally reprehensible'),\n", " ('wretched', 'morally reprehensible'),\n", " ('unworthy', 'morally reprehensible'),\n", " ('vile', 'morally reprehensible')]},\n", " {'answer': 'despoiled',\n", " 'hint': 'synonyms for despoiled',\n", " 'clues': [('raped',\n", " 'having been robbed and destroyed by force and violence'),\n", " ('ravaged', 'having been robbed and destroyed by force and violence'),\n", " ('pillaged', 'having been robbed and destroyed by force and violence'),\n", " ('sacked', 'having been robbed and destroyed by force and violence')]},\n", " {'answer': 'despotic',\n", " 'hint': 'synonyms for despotic',\n", " 'clues': [('tyrannical',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('despotical', 'belonging to or having the characteristics of a despot'),\n", " ('dictatorial',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('authoritarian',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('autocratic',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty')]},\n", " {'answer': 'destitute',\n", " 'hint': 'synonyms for destitute',\n", " 'clues': [('poverty-stricken', 'poor enough to need help from others'),\n", " ('devoid', 'completely wanting or lacking'),\n", " ('needy', 'poor enough to need help from others'),\n", " ('barren', 'completely wanting or lacking'),\n", " ('innocent', 'completely wanting or lacking'),\n", " ('free', 'completely wanting or lacking'),\n", " ('impoverished', 'poor enough to need help from others'),\n", " ('necessitous', 'poor enough to need help from others'),\n", " ('indigent', 'poor enough to need help from others')]},\n", " {'answer': 'detached',\n", " 'hint': 'synonyms for detached',\n", " 'clues': [('uncaring', 'lacking affection or warm feeling'),\n", " ('unaffectionate', 'lacking affection or warm feeling'),\n", " ('separated',\n", " 'being or feeling set or kept apart from others; ; - Sherwood Anderson'),\n", " ('isolated',\n", " 'being or feeling set or kept apart from others; ; - Sherwood Anderson'),\n", " ('degage', 'showing lack of emotional involvement; - J.S.Perelman'),\n", " ('free', 'not fixed in position'),\n", " ('set-apart',\n", " 'being or feeling set or kept apart from others; ; - Sherwood Anderson'),\n", " ('uninvolved', 'showing lack of emotional involvement; - J.S.Perelman')]},\n", " {'answer': 'determined',\n", " 'hint': 'synonyms for determined',\n", " 'clues': [('compulsive', 'strongly motivated to succeed'),\n", " ('set', 'determined or decided upon as by an authority'),\n", " ('driven', 'strongly motivated to succeed'),\n", " ('dictated', 'determined or decided upon as by an authority')]},\n", " {'answer': 'detestable',\n", " 'hint': 'synonyms for detestable',\n", " 'clues': [('repulsive', 'offensive to the mind'),\n", " ('odious', 'unequivocally detestable; ; ; ; - Edmund Burke'),\n", " ('execrable', 'unequivocally detestable; ; ; ; - Edmund Burke'),\n", " ('abhorrent', 'offensive to the mind'),\n", " ('abominable', 'unequivocally detestable; ; ; ; - Edmund Burke'),\n", " ('obscene', 'offensive to the mind'),\n", " ('repugnant', 'offensive to the mind')]},\n", " {'answer': 'deuced',\n", " 'hint': 'synonyms for deuced',\n", " 'clues': [('blasted', 'expletives used informally as intensifiers'),\n", " ('damn', 'expletives used informally as intensifiers'),\n", " ('blessed', 'expletives used informally as intensifiers'),\n", " ('darned', 'expletives used informally as intensifiers'),\n", " ('goddam', 'expletives used informally as intensifiers'),\n", " ('blamed', 'expletives used informally as intensifiers'),\n", " ('infernal', 'expletives used informally as intensifiers'),\n", " ('damned', 'expletives used informally as intensifiers'),\n", " ('goddamned', 'expletives used informally as intensifiers')]},\n", " {'answer': 'devastating',\n", " 'hint': 'synonyms for devastating',\n", " 'clues': [('annihilative',\n", " 'wreaking or capable of wreaking complete destruction'),\n", " ('crushing',\n", " 'physically or spiritually devastating; often used in combination'),\n", " ('withering', 'wreaking or capable of wreaking complete destruction'),\n", " ('annihilating',\n", " 'wreaking or capable of wreaking complete destruction')]},\n", " {'answer': 'devil-may-care',\n", " 'hint': 'synonyms for devil-may-care',\n", " 'clues': [('carefree', 'cheerfully irresponsible'),\n", " ('rakish',\n", " 'marked by a carefree unconventionality or disreputableness; - Crary Moore'),\n", " ('raffish',\n", " 'marked by a carefree unconventionality or disreputableness; - Crary Moore'),\n", " ('freewheeling', 'cheerfully irresponsible'),\n", " ('happy-go-lucky', 'cheerfully irresponsible'),\n", " ('harum-scarum', 'cheerfully irresponsible'),\n", " ('slaphappy', 'cheerfully irresponsible')]},\n", " {'answer': 'devilish',\n", " 'hint': 'synonyms for devilish',\n", " 'clues': [('mephistophelean',\n", " 'showing the cunning or ingenuity or wickedness typical of a devil'),\n", " ('roguish', 'playful in an appealingly bold way'),\n", " ('rascally', 'playful in an appealingly bold way'),\n", " ('diabolic',\n", " 'showing the cunning or ingenuity or wickedness typical of a devil')]},\n", " {'answer': 'devious',\n", " 'hint': 'synonyms for devious',\n", " 'clues': [('oblique',\n", " 'indirect in departing from the accepted or proper way; misleading'),\n", " ('circuitous', 'deviating from a straight course'),\n", " ('shifty', 'characterized by insincerity or deceit; evasive'),\n", " ('roundabout', 'deviating from a straight course')]},\n", " {'answer': 'devoid',\n", " 'hint': 'synonyms for devoid',\n", " 'clues': [('barren', 'completely wanting or lacking'),\n", " ('innocent', 'completely wanting or lacking'),\n", " ('free', 'completely wanting or lacking'),\n", " ('destitute', 'completely wanting or lacking')]},\n", " {'answer': 'devout',\n", " 'hint': 'synonyms for devout',\n", " 'clues': [('dear', 'earnest'),\n", " ('god-fearing', 'deeply religious; H.L.Mencken'),\n", " ('earnest', 'earnest'),\n", " ('heartfelt', 'earnest')]},\n", " {'answer': 'dewy-eyed',\n", " 'hint': 'synonyms for dewy-eyed',\n", " 'clues': [('childlike', 'exhibiting childlike simplicity and credulity'),\n", " ('simple', 'exhibiting childlike simplicity and credulity'),\n", " ('round-eyed', 'exhibiting childlike simplicity and credulity'),\n", " ('wide-eyed', 'exhibiting childlike simplicity and credulity')]},\n", " {'answer': 'diabolic',\n", " 'hint': 'synonyms for diabolic',\n", " 'clues': [('mephistophelean',\n", " 'showing the cunning or ingenuity or wickedness typical of a devil'),\n", " ('diabolical',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('demonic',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('hellish',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('devilish',\n", " 'showing the cunning or ingenuity or wickedness typical of a devil'),\n", " ('unholy',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('fiendish',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('satanic',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('infernal',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell')]},\n", " {'answer': 'diabolical',\n", " 'hint': 'synonyms for diabolical',\n", " 'clues': [('mephistophelean',\n", " 'showing the cunning or ingenuity or wickedness typical of a devil'),\n", " ('demonic',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('hellish',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('devilish',\n", " 'showing the cunning or ingenuity or wickedness typical of a devil'),\n", " ('unholy',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('fiendish',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('diabolic',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('satanic',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell'),\n", " ('infernal',\n", " 'extremely evil or cruel; expressive of cruelty or befitting hell')]},\n", " {'answer': 'diagonal',\n", " 'hint': 'synonyms for diagonal',\n", " 'clues': [('aslope', 'having an oblique or slanted direction'),\n", " ('slanted', 'having an oblique or slanted direction'),\n", " ('aslant', 'having an oblique or slanted direction'),\n", " ('sloping', 'having an oblique or slanted direction'),\n", " ('slanting', 'having an oblique or slanted direction'),\n", " ('sloped', 'having an oblique or slanted direction')]},\n", " {'answer': 'diametrical',\n", " 'hint': 'synonyms for diametrical',\n", " 'clues': [('diametric', 'related to or along a diameter'),\n", " ('opposite', 'characterized by opposite extremes; completely opposed'),\n", " ('diametral', 'related to or along a diameter'),\n", " ('polar', 'characterized by opposite extremes; completely opposed')]},\n", " {'answer': 'diaphanous',\n", " 'hint': 'synonyms for diaphanous',\n", " 'clues': [('gossamer', 'so thin as to transmit light'),\n", " ('vaporous', 'so thin as to transmit light'),\n", " ('see-through', 'so thin as to transmit light'),\n", " ('transparent', 'so thin as to transmit light'),\n", " ('gauze-like', 'so thin as to transmit light'),\n", " ('gauzy', 'so thin as to transmit light'),\n", " ('sheer', 'so thin as to transmit light'),\n", " ('cobwebby', 'so thin as to transmit light'),\n", " ('filmy', 'so thin as to transmit light')]},\n", " {'answer': 'dictatorial',\n", " 'hint': 'synonyms for dictatorial',\n", " 'clues': [('despotic',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('tyrannical',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty'),\n", " ('authoritarian', 'expecting unquestioning obedience'),\n", " ('overbearing', 'expecting unquestioning obedience'),\n", " ('autocratic',\n", " 'characteristic of an absolute ruler or absolute rule; having absolute sovereignty')]},\n", " {'answer': 'digressive',\n", " 'hint': 'synonyms for digressive',\n", " 'clues': [('tangential', 'of superficial relevance if any'),\n", " ('discursive',\n", " '(of e.g. speech and writing) tending to depart from the main point or cover a wide range of subjects'),\n", " ('rambling',\n", " '(of e.g. speech and writing) tending to depart from the main point or cover a wide range of subjects'),\n", " ('excursive',\n", " '(of e.g. speech and writing) tending to depart from the main point or cover a wide range of subjects')]},\n", " {'answer': 'dilapidated',\n", " 'hint': 'synonyms for dilapidated',\n", " 'clues': [('derelict', 'in deplorable condition'),\n", " ('tumble-down', 'in deplorable condition'),\n", " ('tatterdemalion', 'in deplorable condition'),\n", " ('bedraggled', 'in deplorable condition'),\n", " ('broken-down', 'in deplorable condition'),\n", " ('ramshackle', 'in deplorable condition')]},\n", " {'answer': 'dim',\n", " 'hint': 'synonyms for dim',\n", " 'clues': [('dimmed', 'made dim or less bright'),\n", " ('obtuse',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('subdued', 'lacking in light; not bright or harsh'),\n", " ('wispy', 'lacking clarity or distinctness'),\n", " ('faint', 'lacking clarity or distinctness'),\n", " ('dumb',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('bleak', 'offering little or no hope; ; ; - J.M.Synge'),\n", " ('shadowy', 'lacking clarity or distinctness'),\n", " ('dull',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('black', 'offering little or no hope; ; ; - J.M.Synge'),\n", " ('dense',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('vague', 'lacking clarity or distinctness'),\n", " ('slow',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray')]},\n", " {'answer': 'dim-sighted',\n", " 'hint': 'synonyms for dim-sighted',\n", " 'clues': [('purblind', 'having greatly reduced vision'),\n", " ('visually impaired', 'having greatly reduced vision'),\n", " ('visually challenged', 'having greatly reduced vision'),\n", " ('near-blind', 'having greatly reduced vision'),\n", " ('sand-blind', 'having greatly reduced vision')]},\n", " {'answer': 'diminished',\n", " 'hint': 'synonyms for diminished',\n", " 'clues': [('weakened', 'impaired by diminution'),\n", " ('lessened', 'impaired by diminution'),\n", " ('vitiated', 'impaired by diminution'),\n", " ('wasted',\n", " '(of an organ or body part) diminished in size or strength as a result of disease or injury or lack of use'),\n", " ('small', 'made to seem smaller or less (especially in worth)'),\n", " ('belittled', 'made to seem smaller or less (especially in worth)'),\n", " ('atrophied',\n", " '(of an organ or body part) diminished in size or strength as a result of disease or injury or lack of use')]},\n", " {'answer': 'diminutive',\n", " 'hint': 'synonyms for diminutive',\n", " 'clues': [('petite', 'very small'),\n", " ('midget', 'very small'),\n", " ('tiny', 'very small'),\n", " ('bantam', 'very small'),\n", " ('lilliputian', 'very small'),\n", " ('flyspeck', 'very small')]},\n", " {'answer': 'dingy',\n", " 'hint': 'synonyms for dingy',\n", " 'clues': [('dirty',\n", " '(of color) discolored by impurities; not bright and clear; is often used in combination'),\n", " ('disconsolate', 'causing dejection'),\n", " ('grim', 'causing dejection'),\n", " ('sorry', 'causing dejection'),\n", " ('begrimed', 'thickly covered with ingrained dirt or soot'),\n", " ('muddy',\n", " '(of color) discolored by impurities; not bright and clear; is often used in combination'),\n", " ('dismal', 'causing dejection'),\n", " ('gloomy', 'causing dejection'),\n", " ('dreary', 'causing dejection'),\n", " ('muddied',\n", " '(of color) discolored by impurities; not bright and clear; is often used in combination'),\n", " ('grungy', 'thickly covered with ingrained dirt or soot'),\n", " ('raunchy', 'thickly covered with ingrained dirt or soot'),\n", " ('dark', 'causing dejection'),\n", " ('blue', 'causing dejection'),\n", " ('drab', 'causing dejection'),\n", " ('grubby', 'thickly covered with ingrained dirt or soot')]},\n", " {'answer': 'dire',\n", " 'hint': 'synonyms for dire',\n", " 'clues': [('fearful', 'causing fear or dread or terror'),\n", " ('terrible', 'causing fear or dread or terror'),\n", " ('direful', 'causing fear or dread or terror'),\n", " ('dread', 'causing fear or dread or terror'),\n", " ('frightening', 'causing fear or dread or terror'),\n", " ('fearsome', 'causing fear or dread or terror'),\n", " ('dreaded', 'causing fear or dread or terror'),\n", " ('dreadful', 'causing fear or dread or terror'),\n", " ('horrific', 'causing fear or dread or terror'),\n", " ('desperate',\n", " 'fraught with extreme danger; nearly hopeless; ; - G.C.Marshall'),\n", " ('awful', 'causing fear or dread or terror'),\n", " ('horrendous', 'causing fear or dread or terror')]},\n", " {'answer': 'directionless',\n", " 'hint': 'synonyms for directionless',\n", " 'clues': [('afloat', 'aimlessly drifting'),\n", " ('aimless', 'aimlessly drifting'),\n", " ('rudderless', 'aimlessly drifting'),\n", " ('adrift', 'aimlessly drifting'),\n", " ('planless', 'aimlessly drifting'),\n", " ('undirected', 'aimlessly drifting')]},\n", " {'answer': 'direful',\n", " 'hint': 'synonyms for direful',\n", " 'clues': [('fearful', 'causing fear or dread or terror'),\n", " ('terrible', 'causing fear or dread or terror'),\n", " ('dire', 'causing fear or dread or terror'),\n", " ('dread', 'causing fear or dread or terror'),\n", " ('frightening', 'causing fear or dread or terror'),\n", " ('fearsome', 'causing fear or dread or terror'),\n", " ('dreaded', 'causing fear or dread or terror'),\n", " ('dreadful', 'causing fear or dread or terror'),\n", " ('horrific', 'causing fear or dread or terror'),\n", " ('awful', 'causing fear or dread or terror'),\n", " ('horrendous', 'causing fear or dread or terror')]},\n", " {'answer': 'dirty',\n", " 'hint': 'synonyms for dirty',\n", " 'clues': [('unsportsmanlike', 'violating accepted standards or rules'),\n", " ('foul', '(of a manuscript) defaced with changes'),\n", " ('sordid', 'unethical or dishonest'),\n", " ('pestiferous', 'contaminated with infecting organisms; ; - Jane Austen'),\n", " ('contaminating',\n", " 'spreading pollution or contamination; especially radioactive contamination'),\n", " ('dingy',\n", " '(of color) discolored by impurities; not bright and clear; is often used in combination'),\n", " ('lousy', 'vile; despicable'),\n", " ('marked-up', '(of a manuscript) defaced with changes'),\n", " ('muddied',\n", " '(of color) discolored by impurities; not bright and clear; is often used in combination'),\n", " ('unsporting', 'violating accepted standards or rules'),\n", " ('ill-gotten', 'obtained illegally or by improper means'),\n", " ('filthy', 'vile; despicable'),\n", " ('muddy',\n", " '(of color) discolored by impurities; not bright and clear; is often used in combination'),\n", " ('unclean', 'soiled or likely to soil with dirt or grime'),\n", " ('cheating', 'violating accepted standards or rules'),\n", " ('soiled', 'soiled or likely to soil with dirt or grime')]},\n", " {'answer': 'disappointed',\n", " 'hint': 'synonyms for disappointed',\n", " 'clues': [('foiled', 'disappointingly unsuccessful'),\n", " ('defeated', 'disappointingly unsuccessful'),\n", " ('discomfited', 'disappointingly unsuccessful'),\n", " ('thwarted', 'disappointingly unsuccessful'),\n", " ('frustrated', 'disappointingly unsuccessful')]},\n", " {'answer': 'disastrous',\n", " 'hint': 'synonyms for disastrous',\n", " 'clues': [('fateful',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('black',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('fatal',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur'),\n", " ('calamitous',\n", " '(of events) having extremely unfortunate or dire consequences; bringing ruin; ; ; ; - Charles Darwin; - Douglas MacArthur')]},\n", " {'answer': 'discharged',\n", " 'hint': 'synonyms for discharged',\n", " 'clues': [('pink-slipped', 'having lost your job'),\n", " ('fired', 'having lost your job'),\n", " ('dismissed', 'having lost your job'),\n", " ('laid-off', 'having lost your job')]},\n", " {'answer': 'discomfited',\n", " 'hint': 'synonyms for discomfited',\n", " 'clues': [('foiled', 'disappointingly unsuccessful'),\n", " ('disappointed', 'disappointingly unsuccessful'),\n", " ('defeated', 'disappointingly unsuccessful'),\n", " ('thwarted', 'disappointingly unsuccessful'),\n", " ('frustrated', 'disappointingly unsuccessful')]},\n", " {'answer': 'disconnected',\n", " 'hint': 'synonyms for disconnected',\n", " 'clues': [('disunited',\n", " 'having been divided; having the unity destroyed; -Samuel Lubell; - E.B.White'),\n", " ('abrupt', 'marked by sudden changes in subject and sharp transitions'),\n", " ('confused', 'lacking orderly continuity'),\n", " ('staccato',\n", " '(music) marked by or composed of disconnected parts or sounds; cut short crisply'),\n", " ('illogical', 'lacking orderly continuity'),\n", " ('unconnected', 'lacking orderly continuity'),\n", " ('disjointed', 'lacking orderly continuity'),\n", " ('garbled', 'lacking orderly continuity'),\n", " ('fragmented',\n", " 'having been divided; having the unity destroyed; -Samuel Lubell; - E.B.White'),\n", " ('split',\n", " 'having been divided; having the unity destroyed; -Samuel Lubell; - E.B.White'),\n", " ('scattered', 'lacking orderly continuity'),\n", " ('disordered', 'lacking orderly continuity')]},\n", " {'answer': 'disconsolate',\n", " 'hint': 'synonyms for disconsolate',\n", " 'clues': [('dismal', 'causing dejection'),\n", " ('gloomy', 'causing dejection'),\n", " ('inconsolable', 'sad beyond comforting; incapable of being consoled'),\n", " ('dreary', 'causing dejection'),\n", " ('grim', 'causing dejection'),\n", " ('sorry', 'causing dejection'),\n", " ('dingy', 'causing dejection'),\n", " ('dark', 'causing dejection'),\n", " ('blue', 'causing dejection'),\n", " ('drab', 'causing dejection')]},\n", " {'answer': 'discredited',\n", " 'hint': 'synonyms for discredited',\n", " 'clues': [('disgraced', 'suffering shame'),\n", " ('damaged', 'being unjustly brought into disrepute'),\n", " ('dishonored', 'suffering shame'),\n", " ('shamed', 'suffering shame')]},\n", " {'answer': 'discrepant',\n", " 'hint': 'synonyms for discrepant',\n", " 'clues': [('inconsistent', 'not in agreement'),\n", " ('dissonant', 'not in accord'),\n", " ('incompatible', 'not compatible with other facts'),\n", " ('at variance', 'not in accord')]},\n", " {'answer': 'discriminating',\n", " 'hint': 'synonyms for discriminating',\n", " 'clues': [('penetrative',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('acute',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('knifelike',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('sharp',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('penetrating',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('keen',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('incisive',\n", " 'having or demonstrating ability to recognize or draw fine distinctions'),\n", " ('piercing',\n", " 'having or demonstrating ability to recognize or draw fine distinctions')]},\n", " {'answer': 'discriminatory',\n", " 'hint': 'synonyms for discriminatory',\n", " 'clues': [('preferential', 'manifesting partiality'),\n", " ('discriminative', 'capable of making fine distinctions'),\n", " ('invidious', 'containing or implying a slight or showing prejudice'),\n", " ('prejudiced',\n", " 'being biased or having a belief or attitude formed beforehand')]},\n", " {'answer': 'discursive',\n", " 'hint': 'synonyms for discursive',\n", " 'clues': [('dianoetic',\n", " 'proceeding to a conclusion by reason or argument rather than intuition'),\n", " ('digressive',\n", " '(of e.g. speech and writing) tending to depart from the main point or cover a wide range of subjects'),\n", " ('rambling',\n", " '(of e.g. speech and writing) tending to depart from the main point or cover a wide range of subjects'),\n", " ('excursive',\n", " '(of e.g. speech and writing) tending to depart from the main point or cover a wide range of subjects')]},\n", " {'answer': 'disdainful',\n", " 'hint': 'synonyms for disdainful',\n", " 'clues': [('contemptuous', 'expressing extreme contempt'),\n", " ('haughty',\n", " 'having or showing arrogant superiority to and disdain of those one views as unworthy; ; ; ; ; ; ; - W.L.Shirer'),\n", " ('lordly',\n", " 'having or showing arrogant superiority to and disdain of those one views as unworthy; ; ; ; ; ; ; - W.L.Shirer'),\n", " ('insulting', 'expressing extreme contempt'),\n", " ('prideful',\n", " 'having or showing arrogant superiority to and disdain of those one views as unworthy; ; ; ; ; ; ; - W.L.Shirer'),\n", " ('swaggering',\n", " 'having or showing arrogant superiority to and disdain of those one views as unworthy; ; ; ; ; ; ; - W.L.Shirer'),\n", " ('sniffy',\n", " 'having or showing arrogant superiority to and disdain of those one views as unworthy; ; ; ; ; ; ; - W.L.Shirer'),\n", " ('supercilious',\n", " 'having or showing arrogant superiority to and disdain of those one views as unworthy; ; ; ; ; ; ; - W.L.Shirer'),\n", " ('imperious',\n", " 'having or showing arrogant superiority to and disdain of those one views as unworthy; ; ; ; ; ; ; - W.L.Shirer'),\n", " ('overbearing',\n", " 'having or showing arrogant superiority to and disdain of those one views as unworthy; ; ; ; ; ; ; - W.L.Shirer'),\n", " ('scornful', 'expressing extreme contempt')]},\n", " {'answer': 'disgraceful',\n", " 'hint': 'synonyms for disgraceful',\n", " 'clues': [('shocking',\n", " 'giving offense to moral sensibilities and injurious to reputation; ; - Thackeray'),\n", " ('ignominious',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson'),\n", " ('shameful',\n", " 'giving offense to moral sensibilities and injurious to reputation; ; - Thackeray'),\n", " ('black',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson'),\n", " ('inglorious',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson'),\n", " ('scandalous',\n", " 'giving offense to moral sensibilities and injurious to reputation; ; - Thackeray'),\n", " ('opprobrious',\n", " '(used of conduct or character) deserving or bringing disgrace or shame; - Rachel Carson')]},\n", " {'answer': 'disgusted',\n", " 'hint': 'synonyms for disgusted',\n", " 'clues': [('tired of', 'having a strong distaste from surfeit'),\n", " ('sick', 'having a strong distaste from surfeit'),\n", " ('fed up', 'having a strong distaste from surfeit'),\n", " ('sick of', 'having a strong distaste from surfeit')]},\n", " {'answer': 'disgustful',\n", " 'hint': 'synonyms for disgustful',\n", " 'clues': [('foul', 'highly offensive; arousing aversion or disgust'),\n", " ('distasteful', 'highly offensive; arousing aversion or disgust'),\n", " ('loathly', 'highly offensive; arousing aversion or disgust'),\n", " ('revolting', 'highly offensive; arousing aversion or disgust'),\n", " ('wicked', 'highly offensive; arousing aversion or disgust'),\n", " ('disgusting', 'highly offensive; arousing aversion or disgust'),\n", " ('skanky', 'highly offensive; arousing aversion or disgust'),\n", " ('yucky', 'highly offensive; arousing aversion or disgust'),\n", " ('repellant', 'highly offensive; arousing aversion or disgust'),\n", " ('repelling', 'highly offensive; arousing aversion or disgust'),\n", " ('loathsome', 'highly offensive; arousing aversion or disgust')]},\n", " {'answer': 'disgusting',\n", " 'hint': 'synonyms for disgusting',\n", " 'clues': [('foul', 'highly offensive; arousing aversion or disgust'),\n", " ('distasteful', 'highly offensive; arousing aversion or disgust'),\n", " ('loathly', 'highly offensive; arousing aversion or disgust'),\n", " ('revolting', 'highly offensive; arousing aversion or disgust'),\n", " ('wicked', 'highly offensive; arousing aversion or disgust'),\n", " ('skanky', 'highly offensive; arousing aversion or disgust'),\n", " ('yucky', 'highly offensive; arousing aversion or disgust'),\n", " ('disgustful', 'highly offensive; arousing aversion or disgust'),\n", " ('repellant', 'highly offensive; arousing aversion or disgust'),\n", " ('repelling', 'highly offensive; arousing aversion or disgust'),\n", " ('loathsome', 'highly offensive; arousing aversion or disgust')]},\n", " {'answer': 'disheveled',\n", " 'hint': 'synonyms for disheveled',\n", " 'clues': [('rumpled',\n", " 'in disarray; extremely disorderly; ; ; ; ; - Al Spiers'),\n", " ('tousled', 'in disarray; extremely disorderly; ; ; ; ; - Al Spiers'),\n", " ('dishevelled', 'in disarray; extremely disorderly; ; ; ; ; - Al Spiers'),\n", " ('frowzled', 'in disarray; extremely disorderly; ; ; ; ; - Al Spiers')]},\n", " {'answer': 'dishevelled',\n", " 'hint': 'synonyms for dishevelled',\n", " 'clues': [('rumpled',\n", " 'in disarray; extremely disorderly; ; ; ; ; - Al Spiers'),\n", " ('disheveled', 'in disarray; extremely disorderly; ; ; ; ; - Al Spiers'),\n", " ('tousled', 'in disarray; extremely disorderly; ; ; ; ; - Al Spiers'),\n", " ('frowzled', 'in disarray; extremely disorderly; ; ; ; ; - Al Spiers')]},\n", " {'answer': 'dishonest',\n", " 'hint': 'synonyms for dishonest',\n", " 'clues': [('bribable', 'capable of being corrupted'),\n", " ('purchasable', 'capable of being corrupted'),\n", " ('dishonorable',\n", " 'deceptive or fraudulent; disposed to cheat or defraud or deceive'),\n", " ('venal', 'capable of being corrupted'),\n", " ('corruptible', 'capable of being corrupted')]},\n", " {'answer': 'disjointed',\n", " 'hint': 'synonyms for disjointed',\n", " 'clues': [('confused', 'lacking orderly continuity'),\n", " ('disconnected', 'lacking orderly continuity'),\n", " ('illogical', 'lacking orderly continuity'),\n", " ('unconnected', 'lacking orderly continuity'),\n", " ('garbled', 'lacking orderly continuity'),\n", " ('scattered', 'lacking orderly continuity'),\n", " ('separated', 'separated at the joint'),\n", " ('disordered', 'lacking orderly continuity'),\n", " ('dislocated', 'separated at the joint')]},\n", " {'answer': 'dismal',\n", " 'hint': 'synonyms for dismal',\n", " 'clues': [('disconsolate', 'causing dejection'),\n", " ('gloomy', 'causing dejection'),\n", " ('dreary', 'causing dejection'),\n", " ('grim', 'causing dejection'),\n", " ('sorry', 'causing dejection'),\n", " ('dingy', 'causing dejection'),\n", " ('dark', 'causing dejection'),\n", " ('blue', 'causing dejection'),\n", " ('drab', 'causing dejection')]},\n", " {'answer': 'dismissed',\n", " 'hint': 'synonyms for dismissed',\n", " 'clues': [('fired', 'having lost your job'),\n", " ('discharged', 'having lost your job'),\n", " ('pink-slipped', 'having lost your job'),\n", " ('laid-off', 'having lost your job')]},\n", " {'answer': 'disordered',\n", " 'hint': 'synonyms for disordered',\n", " 'clues': [('confused', 'lacking orderly continuity'),\n", " ('upset', 'thrown into a state of disarray or confusion'),\n", " ('disconnected', 'lacking orderly continuity'),\n", " ('illogical', 'lacking orderly continuity'),\n", " ('unconnected', 'lacking orderly continuity'),\n", " ('disjointed', 'lacking orderly continuity'),\n", " ('garbled', 'lacking orderly continuity'),\n", " ('unordered', 'not arranged in order'),\n", " ('broken', 'thrown into a state of disarray or confusion'),\n", " ('scattered', 'lacking orderly continuity')]},\n", " {'answer': 'disorderly',\n", " 'hint': 'synonyms for disorderly',\n", " 'clues': [('chaotic',\n", " 'completely unordered and unpredictable and confusing'),\n", " ('jumbled', 'in utter disorder'),\n", " ('higgledy-piggledy', 'in utter disorder'),\n", " ('topsy-turvy', 'in utter disorder'),\n", " ('hugger-mugger', 'in utter disorder')]},\n", " {'answer': 'disoriented',\n", " 'hint': 'synonyms for disoriented',\n", " 'clues': [('lost',\n", " 'having lost your bearings; confused as to time or place or personal identity'),\n", " ('confused',\n", " 'having lost your bearings; confused as to time or place or personal identity'),\n", " ('anomic', 'socially disoriented'),\n", " ('alienated', 'socially disoriented')]},\n", " {'answer': 'dispirited',\n", " 'hint': 'synonyms for dispirited',\n", " 'clues': [('low', 'filled with melancholy and despondency'),\n", " ('downhearted', 'filled with melancholy and despondency'),\n", " ('low-spirited', 'filled with melancholy and despondency'),\n", " ('gloomy', 'filled with melancholy and despondency'),\n", " ('grim', 'filled with melancholy and despondency'),\n", " ('down', 'filled with melancholy and despondency'),\n", " ('listless', 'marked by low spirits; showing no enthusiasm'),\n", " ('down in the mouth', 'filled with melancholy and despondency'),\n", " ('depressed', 'filled with melancholy and despondency'),\n", " ('downcast', 'filled with melancholy and despondency'),\n", " ('blue', 'filled with melancholy and despondency')]},\n", " {'answer': 'disposed',\n", " 'hint': 'synonyms for disposed',\n", " 'clues': [('fain', 'having made preparations'),\n", " ('inclined', 'having made preparations'),\n", " ('minded', \"(usually followed by `to') naturally disposed toward\"),\n", " ('tending', \"(usually followed by `to') naturally disposed toward\"),\n", " ('prepared', 'having made preparations'),\n", " ('apt', \"(usually followed by `to') naturally disposed toward\"),\n", " ('given', \"(usually followed by `to') naturally disposed toward\")]},\n", " {'answer': 'disputatious',\n", " 'hint': 'synonyms for disputatious',\n", " 'clues': [('disputative',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('combative',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('litigious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('contentious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits')]},\n", " {'answer': 'disputative',\n", " 'hint': 'synonyms for disputative',\n", " 'clues': [('disputatious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('combative',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('litigious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits'),\n", " ('contentious',\n", " 'inclined or showing an inclination to dispute or disagree, even to engage in law suits')]},\n", " {'answer': 'disquieted',\n", " 'hint': 'synonyms for disquieted',\n", " 'clues': [('upset',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('disturbed',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('distressed',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('worried',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief')]},\n", " {'answer': 'disruptive',\n", " 'hint': 'synonyms for disruptive',\n", " 'clues': [('troubled',\n", " 'characterized by unrest or disorder or insubordination'),\n", " ('riotous', 'characterized by unrest or disorder or insubordination'),\n", " ('turbulent', 'characterized by unrest or disorder or insubordination'),\n", " ('tumultuous',\n", " 'characterized by unrest or disorder or insubordination')]},\n", " {'answer': 'dissipated',\n", " 'hint': 'synonyms for dissipated',\n", " 'clues': [('card-playing',\n", " 'preoccupied with the pursuit of pleasure and especially games of chance'),\n", " ('riotous', 'unrestrained by convention or morality'),\n", " ('sporting',\n", " 'preoccupied with the pursuit of pleasure and especially games of chance'),\n", " ('degenerate', 'unrestrained by convention or morality'),\n", " ('fast', 'unrestrained by convention or morality'),\n", " ('debauched', 'unrestrained by convention or morality'),\n", " ('libertine', 'unrestrained by convention or morality'),\n", " ('dissolute', 'unrestrained by convention or morality'),\n", " ('betting',\n", " 'preoccupied with the pursuit of pleasure and especially games of chance'),\n", " ('degraded', 'unrestrained by convention or morality'),\n", " ('profligate', 'unrestrained by convention or morality')]},\n", " {'answer': 'dissolute',\n", " 'hint': 'synonyms for dissolute',\n", " 'clues': [('riotous', 'unrestrained by convention or morality'),\n", " ('degenerate', 'unrestrained by convention or morality'),\n", " ('dissipated', 'unrestrained by convention or morality'),\n", " ('fast', 'unrestrained by convention or morality'),\n", " ('debauched', 'unrestrained by convention or morality'),\n", " ('libertine', 'unrestrained by convention or morality'),\n", " ('degraded', 'unrestrained by convention or morality'),\n", " ('profligate', 'unrestrained by convention or morality')]},\n", " {'answer': 'dissonant',\n", " 'hint': 'synonyms for dissonant',\n", " 'clues': [('discordant', 'lacking in harmony'),\n", " ('inharmonic', 'lacking in harmony'),\n", " ('disharmonious', 'lacking in harmony'),\n", " ('at variance', 'not in accord'),\n", " ('unresolved',\n", " 'characterized by musical dissonance; harmonically unresolved'),\n", " ('discrepant', 'not in accord')]},\n", " {'answer': 'distant',\n", " 'hint': 'synonyms for distant',\n", " 'clues': [('remote', 'separate or apart in time'),\n", " ('removed', 'separate or apart in time'),\n", " ('upstage', 'remote in manner'),\n", " ('aloof', 'remote in manner')]},\n", " {'answer': 'distasteful',\n", " 'hint': 'synonyms for distasteful',\n", " 'clues': [('foul', 'highly offensive; arousing aversion or disgust'),\n", " ('unsavory', 'not pleasing in odor or taste'),\n", " ('loathly', 'highly offensive; arousing aversion or disgust'),\n", " ('revolting', 'highly offensive; arousing aversion or disgust'),\n", " ('wicked', 'highly offensive; arousing aversion or disgust'),\n", " ('repellent', 'highly offensive; arousing aversion or disgust'),\n", " ('disgusting', 'highly offensive; arousing aversion or disgust'),\n", " ('skanky', 'highly offensive; arousing aversion or disgust'),\n", " ('disgustful', 'highly offensive; arousing aversion or disgust'),\n", " ('repelling', 'highly offensive; arousing aversion or disgust'),\n", " ('loathsome', 'highly offensive; arousing aversion or disgust'),\n", " ('yucky', 'highly offensive; arousing aversion or disgust')]},\n", " {'answer': 'distinct',\n", " 'hint': 'synonyms for distinct',\n", " 'clues': [('clear-cut', 'clearly or sharply defined to the mind'),\n", " ('trenchant', 'clearly or sharply defined to the mind'),\n", " ('discrete', 'constituting a separate entity or part'),\n", " ('distinguishable',\n", " \"(often followed by `from') not alike; different in nature or quality\"),\n", " ('decided', 'recognizable; marked')]},\n", " {'answer': 'distorted',\n", " 'hint': 'synonyms for distorted',\n", " 'clues': [('malformed', 'so badly formed or out of shape as to be ugly'),\n", " ('perverted', 'having an intended meaning altered or misrepresented'),\n", " ('misrepresented',\n", " 'having an intended meaning altered or misrepresented'),\n", " ('deformed', 'so badly formed or out of shape as to be ugly'),\n", " ('misshapen', 'so badly formed or out of shape as to be ugly'),\n", " ('twisted', 'having an intended meaning altered or misrepresented'),\n", " ('ill-shapen', 'so badly formed or out of shape as to be ugly')]},\n", " {'answer': 'distressed',\n", " 'hint': 'synonyms for distressed',\n", " 'clues': [('hard-pressed',\n", " 'facing or experiencing financial trouble or difficulty'),\n", " ('stressed', 'suffering severe physical strain or distress'),\n", " ('unhappy', 'generalized feeling of distress'),\n", " ('hard put', 'facing or experiencing financial trouble or difficulty'),\n", " ('in a bad way',\n", " 'facing or experiencing financial trouble or difficulty'),\n", " ('disquieted',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('disturbed',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('worried',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('upset',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('dysphoric', 'generalized feeling of distress')]},\n", " {'answer': 'distressful',\n", " 'hint': 'synonyms for distressful',\n", " 'clues': [('worrisome', 'causing distress or worry or anxiety'),\n", " ('distressing', 'causing distress or worry or anxiety'),\n", " ('troubling', 'causing distress or worry or anxiety'),\n", " ('disturbing', 'causing distress or worry or anxiety'),\n", " ('worrying', 'causing distress or worry or anxiety'),\n", " ('perturbing', 'causing distress or worry or anxiety')]},\n", " {'answer': 'distressing',\n", " 'hint': 'synonyms for distressing',\n", " 'clues': [('sad', 'bad; unfortunate'),\n", " ('disturbing', 'causing distress or worry or anxiety'),\n", " ('pitiful', 'bad; unfortunate'),\n", " ('perturbing', 'causing distress or worry or anxiety'),\n", " ('deplorable', 'bad; unfortunate'),\n", " ('distressful', 'causing distress or worry or anxiety'),\n", " ('sorry', 'bad; unfortunate'),\n", " ('worrisome', 'causing distress or worry or anxiety'),\n", " ('lamentable', 'bad; unfortunate'),\n", " ('troubling', 'causing distress or worry or anxiety'),\n", " ('worrying', 'causing distress or worry or anxiety')]},\n", " {'answer': 'disturbed',\n", " 'hint': 'synonyms for disturbed',\n", " 'clues': [('unbalanced', 'affected with madness or insanity'),\n", " ('sick', 'affected with madness or insanity'),\n", " ('maladjusted',\n", " 'emotionally unstable and having difficulty coping with personal relationships'),\n", " ('crazy', 'affected with madness or insanity'),\n", " ('unhinged', 'affected with madness or insanity'),\n", " ('brainsick', 'affected with madness or insanity'),\n", " ('disquieted',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('demented', 'affected with madness or insanity'),\n", " ('worried',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('upset',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('distressed',\n", " 'afflicted with or marked by anxious uneasiness or trouble or grief'),\n", " ('mad', 'affected with madness or insanity')]},\n", " {'answer': 'disturbing',\n", " 'hint': 'synonyms for disturbing',\n", " 'clues': [('distressful', 'causing distress or worry or anxiety'),\n", " ('worrisome', 'causing distress or worry or anxiety'),\n", " ('distressing', 'causing distress or worry or anxiety'),\n", " ('troubling', 'causing distress or worry or anxiety'),\n", " ('worrying', 'causing distress or worry or anxiety'),\n", " ('perturbing', 'causing distress or worry or anxiety')]},\n", " {'answer': 'divided',\n", " 'hint': 'synonyms for divided',\n", " 'clues': [('shared',\n", " 'distributed in portions (often equal) on the basis of a plan or purpose'),\n", " ('shared out',\n", " 'distributed in portions (often equal) on the basis of a plan or purpose'),\n", " ('divided up',\n", " 'distributed in portions (often equal) on the basis of a plan or purpose'),\n", " ('dual-lane',\n", " 'having a median strip or island between lanes of traffic moving in opposite directions')]},\n", " {'answer': 'divinatory',\n", " 'hint': 'synonyms for divinatory',\n", " 'clues': [('vatic',\n", " 'resembling or characteristic of a prophet or prophecy'),\n", " ('supposed', 'based primarily on surmise rather than adequate evidence'),\n", " ('conjectural',\n", " 'based primarily on surmise rather than adequate evidence'),\n", " ('mantic', 'resembling or characteristic of a prophet or prophecy'),\n", " ('supposititious',\n", " 'based primarily on surmise rather than adequate evidence'),\n", " ('suppositional',\n", " 'based primarily on surmise rather than adequate evidence'),\n", " ('vatical', 'resembling or characteristic of a prophet or prophecy'),\n", " ('hypothetical',\n", " 'based primarily on surmise rather than adequate evidence'),\n", " ('sibylline', 'resembling or characteristic of a prophet or prophecy'),\n", " ('sibyllic', 'resembling or characteristic of a prophet or prophecy')]},\n", " {'answer': 'divine',\n", " 'hint': 'synonyms for divine',\n", " 'clues': [('godlike',\n", " 'being or having the nature of a god; -J.G.Frazier; ; ; -J.G.Saxe'),\n", " ('godly', 'emanating from God; ; ; -Saturday Review'),\n", " ('elysian',\n", " 'being of such surpassing excellence as to suggest inspiration by the gods'),\n", " ('inspired',\n", " 'being of such surpassing excellence as to suggest inspiration by the gods'),\n", " ('providential', 'resulting from divine providence')]},\n", " {'answer': 'dizzy',\n", " 'hint': 'synonyms for dizzy',\n", " 'clues': [('light-headed', 'lacking seriousness; given to frivolity'),\n", " ('featherbrained', 'lacking seriousness; given to frivolity'),\n", " ('airheaded', 'lacking seriousness; given to frivolity'),\n", " ('giddy', 'having or causing a whirling sensation; liable to falling'),\n", " ('silly', 'lacking seriousness; given to frivolity'),\n", " ('empty-headed', 'lacking seriousness; given to frivolity'),\n", " ('woozy', 'having or causing a whirling sensation; liable to falling'),\n", " ('vertiginous',\n", " 'having or causing a whirling sensation; liable to falling')]},\n", " {'answer': 'doable',\n", " 'hint': 'synonyms for doable',\n", " 'clues': [('accomplishable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('realizable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('achievable',\n", " 'capable of existing or taking place or proving true; possible to do'),\n", " ('manageable',\n", " 'capable of existing or taking place or proving true; possible to do')]},\n", " {'answer': 'dodgy',\n", " 'hint': 'synonyms for dodgy',\n", " 'clues': [('dicey',\n", " 'of uncertain outcome; especially fraught with risk; - New Yorker'),\n", " ('cunning', 'marked by skill in deception'),\n", " ('sly', 'marked by skill in deception'),\n", " ('tricksy', 'marked by skill in deception'),\n", " ('chancy',\n", " 'of uncertain outcome; especially fraught with risk; - New Yorker'),\n", " ('chanceful',\n", " 'of uncertain outcome; especially fraught with risk; - New Yorker'),\n", " ('crafty', 'marked by skill in deception'),\n", " ('foxy', 'marked by skill in deception'),\n", " ('slick', 'marked by skill in deception'),\n", " ('knavish', 'marked by skill in deception'),\n", " ('wily', 'marked by skill in deception'),\n", " ('guileful', 'marked by skill in deception')]},\n", " {'answer': 'dog-tired',\n", " 'hint': 'synonyms for dog-tired',\n", " 'clues': [('worn out',\n", " 'drained of energy or effectiveness; extremely tired; completely exhausted'),\n", " ('played out',\n", " 'drained of energy or effectiveness; extremely tired; completely exhausted'),\n", " ('washed-out',\n", " 'drained of energy or effectiveness; extremely tired; completely exhausted'),\n", " ('spent',\n", " 'drained of energy or effectiveness; extremely tired; completely exhausted'),\n", " ('exhausted',\n", " 'drained of energy or effectiveness; extremely tired; completely exhausted'),\n", " ('fatigued',\n", " 'drained of energy or effectiveness; extremely tired; completely exhausted'),\n", " ('fagged',\n", " 'drained of energy or effectiveness; extremely tired; completely exhausted')]},\n", " {'answer': 'dogged',\n", " 'hint': 'synonyms for dogged',\n", " 'clues': [('persistent', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('tenacious', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('unyielding', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('pertinacious', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('dour', 'stubbornly unyielding; ; ; ; - T.S.Eliot')]},\n", " {'answer': 'doled_out',\n", " 'hint': 'synonyms for doled out',\n", " 'clues': [('dealt out', 'given out in portions'),\n", " ('apportioned', 'given out in portions'),\n", " ('meted out', 'given out in portions'),\n", " ('parceled out', 'given out in portions')]},\n", " {'answer': 'dolled_up',\n", " 'hint': 'synonyms for dolled up',\n", " 'clues': [('spiffed up', 'dressed in fancy or formal clothing'),\n", " ('dressed-up', 'dressed in fancy or formal clothing'),\n", " ('dressed to the nines', 'dressed in fancy or formal clothing'),\n", " ('spruced up', 'dressed in fancy or formal clothing'),\n", " ('togged up', 'dressed in fancy or formal clothing'),\n", " ('dressed', 'dressed in fancy or formal clothing'),\n", " ('dressed to kill', 'dressed in fancy or formal clothing')]},\n", " {'answer': 'dolorous',\n", " 'hint': 'synonyms for dolorous',\n", " 'clues': [('weeping', 'showing sorrow'),\n", " ('dolourous', 'showing sorrow'),\n", " ('tearful', 'showing sorrow'),\n", " ('lachrymose', 'showing sorrow')]},\n", " {'answer': 'dolourous',\n", " 'hint': 'synonyms for dolourous',\n", " 'clues': [('weeping', 'showing sorrow'),\n", " ('dolorous', 'showing sorrow'),\n", " ('tearful', 'showing sorrow'),\n", " ('lachrymose', 'showing sorrow')]},\n", " {'answer': 'dominant',\n", " 'hint': 'synonyms for dominant',\n", " 'clues': [('prevailing', 'most frequent or common'),\n", " ('prevalent', 'most frequent or common'),\n", " ('predominant', 'most frequent or common'),\n", " ('rife', 'most frequent or common')]},\n", " {'answer': 'dominating',\n", " 'hint': 'synonyms for dominating',\n", " 'clues': [('high-and-mighty',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('ascendent', 'most powerful or important or influential'),\n", " ('commanding', 'used of a height or viewpoint'),\n", " ('overlooking', 'used of a height or viewpoint'),\n", " ('magisterial',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('peremptory',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('autocratic',\n", " 'offensively self-assured or given to exercising usually unwarranted power'),\n", " ('bossy',\n", " 'offensively self-assured or given to exercising usually unwarranted power')]},\n", " {'answer': 'done_for',\n", " 'hint': 'synonyms for done for',\n", " 'clues': [('sunk', 'doomed to extinction'),\n", " ('kaput', 'destroyed or killed'),\n", " ('gone', 'destroyed or killed'),\n", " ('ruined', 'doomed to extinction'),\n", " ('undone', 'doomed to extinction'),\n", " ('washed-up', 'doomed to extinction')]},\n", " {'answer': 'doomed',\n", " 'hint': 'synonyms for doomed',\n", " 'clues': [('unlucky',\n", " 'marked by or promising bad fortune; ; ; ; - W.H.Prescott'),\n", " ('damned', 'in danger of the eternal punishment of Hell'),\n", " ('ill-fated', 'marked by or promising bad fortune; ; ; ; - W.H.Prescott'),\n", " ('ill-omened',\n", " 'marked by or promising bad fortune; ; ; ; - W.H.Prescott'),\n", " ('unredeemed', 'in danger of the eternal punishment of Hell'),\n", " ('unsaved', 'in danger of the eternal punishment of Hell'),\n", " ('ill-starred',\n", " 'marked by or promising bad fortune; ; ; ; - W.H.Prescott'),\n", " ('fated', \"(usually followed by `to') determined by tragic fate\"),\n", " ('cursed', 'in danger of the eternal punishment of Hell')]},\n", " {'answer': 'dopey',\n", " 'hint': 'synonyms for dopey',\n", " 'clues': [('goosy', 'having or revealing stupidity'),\n", " ('dopy', 'having or revealing stupidity'),\n", " ('jerky', 'having or revealing stupidity'),\n", " ('anserine', 'having or revealing stupidity'),\n", " ('foolish', 'having or revealing stupidity'),\n", " ('gooselike', 'having or revealing stupidity')]},\n", " {'answer': 'dopy',\n", " 'hint': 'synonyms for dopy',\n", " 'clues': [('goosy', 'having or revealing stupidity'),\n", " ('dopey', 'having or revealing stupidity'),\n", " ('jerky', 'having or revealing stupidity'),\n", " ('anserine', 'having or revealing stupidity'),\n", " ('foolish', 'having or revealing stupidity'),\n", " ('gooselike', 'having or revealing stupidity')]},\n", " {'answer': 'dormant',\n", " 'hint': 'synonyms for dormant',\n", " 'clues': [('abeyant', 'inactive but capable of becoming active'),\n", " ('sleeping', 'lying with head on paws as if sleeping'),\n", " ('torpid', 'in a condition of biological rest or suspended animation'),\n", " ('hibernating',\n", " 'in a condition of biological rest or suspended animation'),\n", " ('inactive', '(of e.g. volcanos) not erupting and not extinct')]},\n", " {'answer': 'dotted',\n", " 'hint': 'synonyms for dotted',\n", " 'clues': [('flecked', 'having a pattern of dots'),\n", " ('dashed', 'having gaps or spaces'),\n", " ('speckled', 'having a pattern of dots'),\n", " ('stippled', 'having a pattern of dots')]},\n", " {'answer': 'dotty',\n", " 'hint': 'synonyms for dotty',\n", " 'clues': [('round the bend',\n", " 'informal or slang terms for mentally irregular'),\n", " ('loco', 'informal or slang terms for mentally irregular'),\n", " ('balmy', 'informal or slang terms for mentally irregular'),\n", " ('bonkers', 'informal or slang terms for mentally irregular'),\n", " ('loony', 'informal or slang terms for mentally irregular'),\n", " ('barmy', 'informal or slang terms for mentally irregular'),\n", " ('buggy', 'informal or slang terms for mentally irregular'),\n", " ('nutty', 'informal or slang terms for mentally irregular'),\n", " ('kookie', 'informal or slang terms for mentally irregular'),\n", " ('gaga', 'intensely enthusiastic about or preoccupied with'),\n", " ('daft', 'informal or slang terms for mentally irregular'),\n", " ('fruity', 'informal or slang terms for mentally irregular'),\n", " ('haywire', 'informal or slang terms for mentally irregular'),\n", " ('bats', 'informal or slang terms for mentally irregular'),\n", " ('nuts', 'informal or slang terms for mentally irregular'),\n", " ('crackers', 'informal or slang terms for mentally irregular'),\n", " ('kooky', 'informal or slang terms for mentally irregular'),\n", " ('crazy', 'intensely enthusiastic about or preoccupied with'),\n", " ('wild', 'intensely enthusiastic about or preoccupied with'),\n", " ('loopy', 'informal or slang terms for mentally irregular'),\n", " ('batty', 'informal or slang terms for mentally irregular'),\n", " ('whacky', 'informal or slang terms for mentally irregular'),\n", " ('cracked', 'informal or slang terms for mentally irregular')]},\n", " {'answer': 'double',\n", " 'hint': 'synonyms for double',\n", " 'clues': [('duple',\n", " 'consisting of or involving two parts or components usually in pairs'),\n", " ('two-fold',\n", " 'having more than one decidedly dissimilar aspects or qualities; ; - R.W.Emerson; -Frederick Harrison'),\n", " ('threefold',\n", " 'having more than one decidedly dissimilar aspects or qualities; ; - R.W.Emerson; -Frederick Harrison'),\n", " ('dual',\n", " 'having more than one decidedly dissimilar aspects or qualities; ; - R.W.Emerson; -Frederick Harrison'),\n", " ('forked', 'having two meanings with intent to deceive'),\n", " ('treble',\n", " 'having more than one decidedly dissimilar aspects or qualities; ; - R.W.Emerson; -Frederick Harrison'),\n", " ('doubled', 'twice as great or many'),\n", " ('bivalent',\n", " 'used of homologous chromosomes associated in pairs in synapsis')]},\n", " {'answer': 'double-dealing',\n", " 'hint': 'synonyms for double-dealing',\n", " 'clues': [('double-tongued',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('ambidextrous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('deceitful',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('duplicitous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('two-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray')]},\n", " {'answer': 'double-dyed',\n", " 'hint': 'synonyms for double-dyed',\n", " 'clues': [('pure',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('unadulterated',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('arrant',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('thoroughgoing',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('utter',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('everlasting',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('staring',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('stark',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('gross',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('consummate',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('sodding',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('complete',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('perfect',\n", " 'without qualification; used informally as (often pejorative) intensifiers')]},\n", " {'answer': 'double-faced',\n", " 'hint': 'synonyms for double-faced',\n", " 'clues': [('double-tongued',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('ambidextrous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-dealing',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('deceitful',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('duplicitous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('two-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray')]},\n", " {'answer': 'double-tongued',\n", " 'hint': 'synonyms for double-tongued',\n", " 'clues': [('ambidextrous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-dealing',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('deceitful',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('duplicitous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('two-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray')]},\n", " {'answer': 'doubtful',\n", " 'hint': 'synonyms for doubtful',\n", " 'clues': [('dubious', 'open to doubt or suspicion; ; ; ; - Karen Horney'),\n", " ('dubitable', 'open to doubt or suspicion; ; ; ; - Karen Horney'),\n", " ('tentative', 'unsettled in mind or opinion'),\n", " ('in question', 'open to doubt or suspicion; ; ; ; - Karen Horney')]},\n", " {'answer': 'doughnut-shaped',\n", " 'hint': 'synonyms for doughnut-shaped',\n", " 'clues': [('annulate', 'shaped like a ring'),\n", " ('ring-shaped', 'shaped like a ring'),\n", " ('ringed', 'shaped like a ring'),\n", " ('annular', 'shaped like a ring'),\n", " ('circinate', 'shaped like a ring')]},\n", " {'answer': 'dour',\n", " 'hint': 'synonyms for dour',\n", " 'clues': [('persistent', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('dogged', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('grim',\n", " 'harshly uninviting or formidable in manner or appearance; ; ; ; - J.M.Barrie'),\n", " ('morose', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('tenacious', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('dark', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('sullen', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('pertinacious', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('glowering', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('glum', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('unyielding', 'stubbornly unyielding; ; ; ; - T.S.Eliot'),\n", " ('forbidding',\n", " 'harshly uninviting or formidable in manner or appearance; ; ; ; - J.M.Barrie'),\n", " ('sour', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('saturnine', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven'),\n", " ('moody', 'showing a brooding ill humor; ; ; ; ; ; - Bruce Bliven')]},\n", " {'answer': 'down',\n", " 'hint': 'synonyms for down',\n", " 'clues': [('low', 'filled with melancholy and despondency'),\n", " ('downhearted', 'filled with melancholy and despondency'),\n", " ('low-spirited', 'filled with melancholy and despondency'),\n", " ('down pat', 'understood perfectly'),\n", " ('gloomy', 'filled with melancholy and despondency'),\n", " ('downward', 'extending or moving from a higher to a lower place'),\n", " ('dispirited', 'filled with melancholy and despondency'),\n", " ('grim', 'filled with melancholy and despondency'),\n", " ('mastered', 'understood perfectly'),\n", " ('down in the mouth', 'filled with melancholy and despondency'),\n", " ('depressed', 'lower than previously'),\n", " ('downcast', 'filled with melancholy and despondency'),\n", " ('blue', 'filled with melancholy and despondency')]},\n", " {'answer': 'down_in_the_mouth',\n", " 'hint': 'synonyms for down in the mouth',\n", " 'clues': [('low', 'filled with melancholy and despondency'),\n", " ('downhearted', 'filled with melancholy and despondency'),\n", " ('low-spirited', 'filled with melancholy and despondency'),\n", " ('gloomy', 'filled with melancholy and despondency'),\n", " ('dispirited', 'filled with melancholy and despondency'),\n", " ('grim', 'filled with melancholy and despondency'),\n", " ('down', 'filled with melancholy and despondency'),\n", " ('depressed', 'filled with melancholy and despondency'),\n", " ('downcast', 'filled with melancholy and despondency'),\n", " ('blue', 'filled with melancholy and despondency')]},\n", " {'answer': 'downcast',\n", " 'hint': 'synonyms for downcast',\n", " 'clues': [('low', 'filled with melancholy and despondency'),\n", " ('downhearted', 'filled with melancholy and despondency'),\n", " ('low-spirited', 'filled with melancholy and despondency'),\n", " ('gloomy', 'filled with melancholy and despondency'),\n", " ('dispirited', 'filled with melancholy and despondency'),\n", " ('grim', 'filled with melancholy and despondency'),\n", " ('down', 'filled with melancholy and despondency'),\n", " ('down in the mouth', 'filled with melancholy and despondency'),\n", " ('depressed', 'filled with melancholy and despondency'),\n", " ('blue', 'filled with melancholy and despondency')]},\n", " {'answer': 'downhearted',\n", " 'hint': 'synonyms for downhearted',\n", " 'clues': [('low', 'filled with melancholy and despondency'),\n", " ('low-spirited', 'filled with melancholy and despondency'),\n", " ('gloomy', 'filled with melancholy and despondency'),\n", " ('dispirited', 'filled with melancholy and despondency'),\n", " ('grim', 'filled with melancholy and despondency'),\n", " ('down', 'filled with melancholy and despondency'),\n", " ('down in the mouth', 'filled with melancholy and despondency'),\n", " ('depressed', 'filled with melancholy and despondency'),\n", " ('downcast', 'filled with melancholy and despondency'),\n", " ('blue', 'filled with melancholy and despondency')]},\n", " {'answer': 'downright',\n", " 'hint': 'synonyms for downright',\n", " 'clues': [('sheer',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers'),\n", " ('absolute',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers'),\n", " ('out-and-out',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers'),\n", " ('rank',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers'),\n", " ('right-down',\n", " 'complete and without restriction or qualification; sometimes used informally as intensifiers')]},\n", " {'answer': 'downy',\n", " 'hint': 'synonyms for downy',\n", " 'clues': [('puberulent', 'covered with fine soft hairs or down'),\n", " ('flossy', 'like down or as soft as down'),\n", " ('sericeous', 'covered with fine soft hairs or down'),\n", " ('fluffy', 'like down or as soft as down'),\n", " ('pubescent', 'covered with fine soft hairs or down'),\n", " ('downlike', 'like down or as soft as down')]},\n", " {'answer': 'drab',\n", " 'hint': 'synonyms for drab',\n", " 'clues': [('disconsolate', 'causing dejection'),\n", " ('somber', 'lacking brightness or color; dull'),\n", " ('dreary', 'lacking in liveliness or charm or surprise'),\n", " ('dismal', 'causing dejection'),\n", " ('gloomy', 'causing dejection'),\n", " ('grim', 'causing dejection'),\n", " ('blue', 'causing dejection'),\n", " ('sorry', 'causing dejection'),\n", " ('dingy', 'causing dejection'),\n", " ('olive-drab', 'of a light brownish green color'),\n", " ('dark', 'causing dejection'),\n", " ('sombre', 'lacking brightness or color; dull')]},\n", " {'answer': 'draped',\n", " 'hint': 'synonyms for draped',\n", " 'clues': [('cloaked',\n", " 'covered with or as if with clothes or a wrap or cloak'),\n", " ('clothed', 'covered with or as if with clothes or a wrap or cloak'),\n", " ('wrapped', 'covered with or as if with clothes or a wrap or cloak'),\n", " ('mantled', 'covered with or as if with clothes or a wrap or cloak')]},\n", " {'answer': 'drawn',\n", " 'hint': 'synonyms for drawn',\n", " 'clues': [('careworn',\n", " 'showing the wearing effects of overwork or care or suffering; ; ; ; - Charles Dickens'),\n", " ('worn',\n", " 'showing the wearing effects of overwork or care or suffering; ; ; ; - Charles Dickens'),\n", " ('haggard',\n", " 'showing the wearing effects of overwork or care or suffering; ; ; ; - Charles Dickens'),\n", " ('raddled',\n", " 'showing the wearing effects of overwork or care or suffering; ; ; ; - Charles Dickens')]},\n", " {'answer': 'drawn-out',\n", " 'hint': 'synonyms for drawn-out',\n", " 'clues': [('protracted',\n", " 'relatively long in duration; tediously protracted'),\n", " ('extended', 'relatively long in duration; tediously protracted'),\n", " ('prolonged', 'relatively long in duration; tediously protracted'),\n", " ('lengthy', 'relatively long in duration; tediously protracted')]},\n", " {'answer': 'dread',\n", " 'hint': 'synonyms for dread',\n", " 'clues': [('fearful', 'causing fear or dread or terror'),\n", " ('terrible', 'causing fear or dread or terror'),\n", " ('dire', 'causing fear or dread or terror'),\n", " ('direful', 'causing fear or dread or terror'),\n", " ('frightening', 'causing fear or dread or terror'),\n", " ('fearsome', 'causing fear or dread or terror'),\n", " ('dreaded', 'causing fear or dread or terror'),\n", " ('dreadful', 'causing fear or dread or terror'),\n", " ('horrific', 'causing fear or dread or terror'),\n", " ('awful', 'causing fear or dread or terror'),\n", " ('horrendous', 'causing fear or dread or terror')]},\n", " {'answer': 'dreaded',\n", " 'hint': 'synonyms for dreaded',\n", " 'clues': [('fearful', 'causing fear or dread or terror'),\n", " ('terrible', 'causing fear or dread or terror'),\n", " ('dire', 'causing fear or dread or terror'),\n", " ('direful', 'causing fear or dread or terror'),\n", " ('dread', 'causing fear or dread or terror'),\n", " ('frightening', 'causing fear or dread or terror'),\n", " ('fearsome', 'causing fear or dread or terror'),\n", " ('dreadful', 'causing fear or dread or terror'),\n", " ('horrific', 'causing fear or dread or terror'),\n", " ('awful', 'causing fear or dread or terror'),\n", " ('horrendous', 'causing fear or dread or terror')]},\n", " {'answer': 'dreadful',\n", " 'hint': 'synonyms for dreadful',\n", " 'clues': [('fearful', 'causing fear or dread or terror'),\n", " ('terrible', 'causing fear or dread or terror'),\n", " ('dire', 'causing fear or dread or terror'),\n", " ('unspeakable', 'exceptionally bad or displeasing'),\n", " ('direful', 'causing fear or dread or terror'),\n", " ('awful', 'exceptionally bad or displeasing'),\n", " ('abominable', 'exceptionally bad or displeasing'),\n", " ('dread', 'causing fear or dread or terror'),\n", " ('frightening', 'causing fear or dread or terror'),\n", " ('fearsome', 'causing fear or dread or terror'),\n", " ('dreaded', 'causing fear or dread or terror'),\n", " ('painful', 'exceptionally bad or displeasing'),\n", " ('horrific', 'causing fear or dread or terror'),\n", " ('atrocious', 'exceptionally bad or displeasing'),\n", " ('horrendous', 'causing fear or dread or terror')]},\n", " {'answer': 'dreamy',\n", " 'hint': 'synonyms for dreamy',\n", " 'clues': [('lackadaisical', 'lacking spirit or liveliness'),\n", " ('woolgathering', 'dreamy in mood or nature'),\n", " ('languorous', 'lacking spirit or liveliness'),\n", " ('languid', 'lacking spirit or liveliness'),\n", " ('moony', 'dreamy in mood or nature')]},\n", " {'answer': 'drear',\n", " 'hint': 'synonyms for drear',\n", " 'clues': [('disconsolate', 'causing dejection'),\n", " ('dismal', 'causing dejection'),\n", " ('gloomy', 'causing dejection'),\n", " ('dreary', 'causing dejection'),\n", " ('grim', 'causing dejection'),\n", " ('sorry', 'causing dejection'),\n", " ('dingy', 'causing dejection'),\n", " ('dark', 'causing dejection'),\n", " ('blue', 'causing dejection'),\n", " ('drab', 'causing dejection')]},\n", " {'answer': 'dreary',\n", " 'hint': 'synonyms for dreary',\n", " 'clues': [('disconsolate', 'causing dejection'),\n", " ('dismal', 'causing dejection'),\n", " ('gloomy', 'causing dejection'),\n", " ('grim', 'causing dejection'),\n", " ('sorry', 'causing dejection'),\n", " ('dingy', 'causing dejection'),\n", " ('drear', 'causing dejection'),\n", " ('dark', 'causing dejection'),\n", " ('blue', 'causing dejection'),\n", " ('drab', 'lacking in liveliness or charm or surprise')]},\n", " {'answer': 'dressed',\n", " 'hint': 'synonyms for dressed',\n", " 'clues': [('garmented',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('dolled up', 'dressed in fancy or formal clothing'),\n", " ('spruced up', 'dressed in fancy or formal clothing'),\n", " ('attired',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('habilimented',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('polished', '(of lumber or stone) to trim and smooth'),\n", " ('appareled',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('dressed to kill', 'dressed in fancy or formal clothing'),\n", " ('dressed-up', 'dressed in fancy or formal clothing'),\n", " ('garbed',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('robed',\n", " 'dressed or clothed especially in fine attire; often used in combination'),\n", " ('dressed to the nines', 'dressed in fancy or formal clothing'),\n", " ('togged up', 'dressed in fancy or formal clothing'),\n", " ('spiffed up', 'dressed in fancy or formal clothing')]},\n", " {'answer': 'dressed-up',\n", " 'hint': 'synonyms for dressed-up',\n", " 'clues': [('spiffed up', 'dressed in fancy or formal clothing'),\n", " ('dolled up', 'dressed in fancy or formal clothing'),\n", " ('spruced up', 'dressed in fancy or formal clothing'),\n", " ('togged up', 'dressed in fancy or formal clothing'),\n", " ('dressed to the nines', 'dressed in fancy or formal clothing'),\n", " ('dressed', 'dressed in fancy or formal clothing'),\n", " ('dressed to kill', 'dressed in fancy or formal clothing')]},\n", " {'answer': 'dressed_to_kill',\n", " 'hint': 'synonyms for dressed to kill',\n", " 'clues': [('dressed-up', 'dressed in fancy or formal clothing'),\n", " ('dolled up', 'dressed in fancy or formal clothing'),\n", " ('spruced up', 'dressed in fancy or formal clothing'),\n", " ('togged up', 'dressed in fancy or formal clothing'),\n", " ('dressed to the nines', 'dressed in fancy or formal clothing'),\n", " ('dressed', 'dressed in fancy or formal clothing'),\n", " ('spiffed up', 'dressed in fancy or formal clothing')]},\n", " {'answer': 'dressed_to_the_nines',\n", " 'hint': 'synonyms for dressed to the nines',\n", " 'clues': [('spiffed up', 'dressed in fancy or formal clothing'),\n", " ('dressed-up', 'dressed in fancy or formal clothing'),\n", " ('dolled up', 'dressed in fancy or formal clothing'),\n", " ('spruced up', 'dressed in fancy or formal clothing'),\n", " ('togged up', 'dressed in fancy or formal clothing'),\n", " ('dressed', 'dressed in fancy or formal clothing'),\n", " ('dressed to kill', 'dressed in fancy or formal clothing')]},\n", " {'answer': 'dried-up',\n", " 'hint': 'synonyms for dried-up',\n", " 'clues': [('shrivelled',\n", " '(used especially of vegetation) having lost all moisture'),\n", " ('withered', '(used especially of vegetation) having lost all moisture'),\n", " ('sear', '(used especially of vegetation) having lost all moisture'),\n", " ('sere', '(used especially of vegetation) having lost all moisture')]},\n", " {'answer': 'drifting',\n", " 'hint': 'synonyms for drifting',\n", " 'clues': [('vagrant',\n", " 'continually changing especially as from one abode or occupation to another'),\n", " ('floating',\n", " 'continually changing especially as from one abode or occupation to another'),\n", " ('vagabond',\n", " 'continually changing especially as from one abode or occupation to another'),\n", " ('aimless',\n", " 'continually changing especially as from one abode or occupation to another')]},\n", " {'answer': 'drippy',\n", " 'hint': 'synonyms for drippy',\n", " 'clues': [('mawkish', 'effusively or insincerely emotional'),\n", " ('slushy', 'effusively or insincerely emotional'),\n", " ('kitschy', 'effusively or insincerely emotional'),\n", " ('hokey', 'effusively or insincerely emotional'),\n", " ('schmaltzy', 'effusively or insincerely emotional'),\n", " ('maudlin', 'effusively or insincerely emotional'),\n", " ('sentimental', 'effusively or insincerely emotional'),\n", " ('bathetic', 'effusively or insincerely emotional'),\n", " ('soupy', 'effusively or insincerely emotional'),\n", " ('drizzly', 'wet with light rain'),\n", " ('mushy', 'effusively or insincerely emotional'),\n", " ('soppy', 'effusively or insincerely emotional')]},\n", " {'answer': 'driven',\n", " 'hint': 'synonyms for driven',\n", " 'clues': [('compulsive', 'strongly motivated to succeed'),\n", " ('goaded', 'compelled forcibly by an outside agency'),\n", " ('impelled', 'urged or forced to action through moral pressure'),\n", " ('determined', 'strongly motivated to succeed')]},\n", " {'answer': 'drooping',\n", " 'hint': 'synonyms for drooping',\n", " 'clues': [('nodding',\n", " 'having branches or flower heads that bend downward'),\n", " ('sagging', 'hanging down (as from exhaustion or weakness)'),\n", " ('pendulous', 'having branches or flower heads that bend downward'),\n", " ('flagging', 'weak from exhaustion'),\n", " ('cernuous', 'having branches or flower heads that bend downward'),\n", " ('weeping', 'having branches or flower heads that bend downward'),\n", " ('droopy', 'hanging down (as from exhaustion or weakness)')]},\n", " {'answer': 'drowsy',\n", " 'hint': 'synonyms for drowsy',\n", " 'clues': [('dozy', 'half asleep'),\n", " ('oscitant', 'showing lack of attention or boredom'),\n", " ('drowsing', 'half asleep'),\n", " ('yawning', 'showing lack of attention or boredom')]},\n", " {'answer': 'dry',\n", " 'hint': 'synonyms for dry',\n", " 'clues': [('wry', 'humorously sarcastic or mocking'),\n", " ('teetotal', 'practicing complete abstinence from alcoholic beverages'),\n", " ('ironic', 'humorously sarcastic or mocking'),\n", " ('juiceless',\n", " 'lacking interest or stimulation; dull and lifeless; ; ; - John Mason Brown')]},\n", " {'answer': 'dual',\n", " 'hint': 'synonyms for dual',\n", " 'clues': [('duple',\n", " 'consisting of or involving two parts or components usually in pairs'),\n", " ('two-fold',\n", " 'having more than one decidedly dissimilar aspects or qualities; ; - R.W.Emerson; -Frederick Harrison'),\n", " ('threefold',\n", " 'having more than one decidedly dissimilar aspects or qualities; ; - R.W.Emerson; -Frederick Harrison'),\n", " ('double',\n", " 'having more than one decidedly dissimilar aspects or qualities; ; - R.W.Emerson; -Frederick Harrison'),\n", " ('treble',\n", " 'having more than one decidedly dissimilar aspects or qualities; ; - R.W.Emerson; -Frederick Harrison')]},\n", " {'answer': 'ductile',\n", " 'hint': 'synonyms for ductile',\n", " 'clues': [('pliant', 'capable of being shaped or bent or drawn out'),\n", " ('pliable', 'capable of being shaped or bent or drawn out'),\n", " ('malleable', 'easily influenced'),\n", " ('tractile', 'capable of being shaped or bent or drawn out'),\n", " ('tensile', 'capable of being shaped or bent or drawn out')]},\n", " {'answer': 'dulcet',\n", " 'hint': 'synonyms for dulcet',\n", " 'clues': [('sweet', 'pleasing to the ear'),\n", " ('mellifluous', 'pleasing to the ear'),\n", " ('mellisonant', 'pleasing to the ear'),\n", " ('honeyed', 'pleasing to the ear')]},\n", " {'answer': 'dull',\n", " 'hint': 'synonyms for dull',\n", " 'clues': [('irksome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('muted', 'being or made softer or less loud or clear'),\n", " ('deadening',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('obtuse',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('leaden', 'darkened with overcast'),\n", " ('muffled', 'being or made softer or less loud or clear'),\n", " ('dumb',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('softened', 'being or made softer or less loud or clear'),\n", " ('tedious',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('dense',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('thudding',\n", " 'not clear and resonant; sounding as if striking with or against something relatively soft'),\n", " ('slow',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('boring',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('ho-hum',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('sluggish', '(of business) not active or brisk'),\n", " ('dim',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('tiresome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain'),\n", " ('wearisome',\n", " 'so lacking in interest as to cause mental weariness; ; ; ; ; ; - Edmund Burke; ; - Mark Twain')]},\n", " {'answer': 'dumb',\n", " 'hint': 'synonyms for dumb',\n", " 'clues': [('dull',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('dense',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('silent', 'unable to speak because of hereditary deafness'),\n", " ('obtuse',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('dim',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('speechless', 'temporarily incapable of speaking'),\n", " ('slow',\n", " 'slow to learn or understand; lacking intellectual acuity; ; ; - Thackeray'),\n", " ('mute', 'unable to speak because of hereditary deafness')]},\n", " {'answer': 'dumbfounded',\n", " 'hint': 'synonyms for dumbfounded',\n", " 'clues': [('flabbergasted',\n", " 'as if struck dumb with astonishment and surprise'),\n", " ('dumbstruck', 'as if struck dumb with astonishment and surprise'),\n", " ('dumbstricken', 'as if struck dumb with astonishment and surprise'),\n", " ('dumfounded', 'as if struck dumb with astonishment and surprise'),\n", " ('stupefied', 'as if struck dumb with astonishment and surprise'),\n", " ('thunderstruck', 'as if struck dumb with astonishment and surprise')]},\n", " {'answer': 'dumbstricken',\n", " 'hint': 'synonyms for dumbstricken',\n", " 'clues': [('flabbergasted',\n", " 'as if struck dumb with astonishment and surprise'),\n", " ('dumbstruck', 'as if struck dumb with astonishment and surprise'),\n", " ('dumbfounded', 'as if struck dumb with astonishment and surprise'),\n", " ('stupefied', 'as if struck dumb with astonishment and surprise'),\n", " ('thunderstruck', 'as if struck dumb with astonishment and surprise')]},\n", " {'answer': 'dumbstruck',\n", " 'hint': 'synonyms for dumbstruck',\n", " 'clues': [('flabbergasted',\n", " 'as if struck dumb with astonishment and surprise'),\n", " ('dumbstricken', 'as if struck dumb with astonishment and surprise'),\n", " ('dumbfounded', 'as if struck dumb with astonishment and surprise'),\n", " ('stupefied', 'as if struck dumb with astonishment and surprise'),\n", " ('thunderstruck', 'as if struck dumb with astonishment and surprise')]},\n", " {'answer': 'dumfounded',\n", " 'hint': 'synonyms for dumfounded',\n", " 'clues': [('flabbergasted',\n", " 'as if struck dumb with astonishment and surprise'),\n", " ('dumbstruck', 'as if struck dumb with astonishment and surprise'),\n", " ('dumbfounded', 'as if struck dumb with astonishment and surprise'),\n", " ('stupefied', 'as if struck dumb with astonishment and surprise'),\n", " ('dumbstricken', 'as if struck dumb with astonishment and surprise'),\n", " ('thunderstruck', 'as if struck dumb with astonishment and surprise')]},\n", " {'answer': 'dumpy',\n", " 'hint': 'synonyms for dumpy',\n", " 'clues': [('podgy', 'short and plump'),\n", " ('squat',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('chunky',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('tubby', 'short and plump'),\n", " ('low-set',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('squatty',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('pudgy', 'short and plump'),\n", " ('stumpy',\n", " 'short and thick; as e.g. having short legs and heavy musculature'),\n", " ('roly-poly', 'short and plump')]},\n", " {'answer': 'duncical',\n", " 'hint': 'synonyms for duncical',\n", " 'clues': [('thick', '(used informally) stupid'),\n", " ('fatheaded', '(used informally) stupid'),\n", " ('wooden-headed', '(used informally) stupid'),\n", " ('thickheaded', '(used informally) stupid'),\n", " ('blockheaded', '(used informally) stupid'),\n", " ('loggerheaded', '(used informally) stupid'),\n", " ('thick-skulled', '(used informally) stupid'),\n", " ('boneheaded', '(used informally) stupid'),\n", " ('duncish', '(used informally) stupid')]},\n", " {'answer': 'duncish',\n", " 'hint': 'synonyms for duncish',\n", " 'clues': [('thick', '(used informally) stupid'),\n", " ('fatheaded', '(used informally) stupid'),\n", " ('wooden-headed', '(used informally) stupid'),\n", " ('duncical', '(used informally) stupid'),\n", " ('thickheaded', '(used informally) stupid'),\n", " ('blockheaded', '(used informally) stupid'),\n", " ('loggerheaded', '(used informally) stupid'),\n", " ('thick-skulled', '(used informally) stupid'),\n", " ('boneheaded', '(used informally) stupid')]},\n", " {'answer': 'duplicitous',\n", " 'hint': 'synonyms for duplicitous',\n", " 'clues': [('double-tongued',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('ambidextrous',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-dealing',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('double-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('deceitful',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray'),\n", " ('two-faced',\n", " 'marked by deliberate deceptiveness especially by pretending one set of feelings and acting under the influence of another; - Israel Zangwill; ; - W.M.Thackeray')]},\n", " {'answer': 'durable',\n", " 'hint': 'synonyms for durable',\n", " 'clues': [('long-lived', 'existing for a long time'),\n", " ('perdurable', 'very long lasting'),\n", " ('long-wearing', 'capable of withstanding wear and tear and decay'),\n", " ('long-lasting', 'existing for a long time'),\n", " ('lasting', 'existing for a long time'),\n", " ('undestroyable', 'very long lasting'),\n", " ('indestructible', 'very long lasting')]},\n", " {'answer': 'dusky',\n", " 'hint': 'synonyms for dusky',\n", " 'clues': [('twilit', 'lighted by or as if by twilight; -Henry Fielding'),\n", " ('swarthy', 'naturally having skin of a dark color'),\n", " ('dark-skinned', 'naturally having skin of a dark color'),\n", " ('swart', 'naturally having skin of a dark color')]},\n", " {'answer': 'dusty',\n", " 'hint': 'synonyms for dusty',\n", " 'clues': [('cold', 'lacking originality or spontaneity; no longer new'),\n", " ('moth-eaten', 'lacking originality or spontaneity; no longer new'),\n", " ('stale', 'lacking originality or spontaneity; no longer new'),\n", " ('dust-covered', 'covered with a layer of dust')]},\n", " {'answer': 'earlier',\n", " 'hint': 'synonyms for earlier',\n", " 'clues': [('earliest',\n", " \"(comparative and superlative of `early') more early than; most early\"),\n", " ('early',\n", " 'at or near the beginning of a period of time or course of events or before the usual or expected time'),\n", " ('former', 'belonging to the distant past'),\n", " ('other', 'belonging to the distant past')]},\n", " {'answer': 'earliest',\n", " 'hint': 'synonyms for earliest',\n", " 'clues': [('early',\n", " 'of an early stage in the development of a language or literature'),\n", " ('earlier',\n", " \"(comparative and superlative of `early') more early than; most early\"),\n", " ('former', 'belonging to the distant past'),\n", " ('other', 'belonging to the distant past')]},\n", " {'answer': 'earnest',\n", " 'hint': 'synonyms for earnest',\n", " 'clues': [('businesslike',\n", " 'not distracted by anything unrelated to the goal'),\n", " ('solemn',\n", " 'characterized by a firm and humorless belief in the validity of your opinions'),\n", " ('sincere',\n", " 'characterized by a firm and humorless belief in the validity of your opinions'),\n", " ('dear', 'earnest'),\n", " ('heartfelt', 'earnest'),\n", " ('devout', 'earnest')]},\n", " {'answer': 'earthy',\n", " 'hint': 'synonyms for earthy',\n", " 'clues': [('vulgar', 'conspicuously and tastelessly indecent'),\n", " ('down-to-earth', 'sensible and practical'),\n", " ('crude', 'conspicuously and tastelessly indecent'),\n", " ('gross', 'conspicuously and tastelessly indecent')]},\n", " {'answer': 'easy',\n", " 'hint': 'synonyms for easy',\n", " 'clues': [('leisurely', 'not hurried or forced'),\n", " ('soft', 'having little impact'),\n", " ('well-heeled',\n", " 'in fortunate circumstances financially; moderately rich'),\n", " ('sluttish', 'casual and unrestrained in sexual behavior'),\n", " ('light', 'casual and unrestrained in sexual behavior'),\n", " ('well-situated',\n", " 'in fortunate circumstances financially; moderately rich'),\n", " ('loose', 'casual and unrestrained in sexual behavior'),\n", " ('promiscuous', 'casual and unrestrained in sexual behavior'),\n", " ('well-fixed', 'in fortunate circumstances financially; moderately rich'),\n", " ('prosperous', 'in fortunate circumstances financially; moderately rich'),\n", " ('comfortable',\n", " 'in fortunate circumstances financially; moderately rich'),\n", " ('wanton', 'casual and unrestrained in sexual behavior'),\n", " ('well-to-do', 'in fortunate circumstances financially; moderately rich'),\n", " ('easygoing', 'not hurried or forced'),\n", " ('gentle', 'marked by moderate steepness'),\n", " ('well-off', 'in fortunate circumstances financially; moderately rich')]},\n", " {'answer': 'easygoing',\n", " 'hint': 'synonyms for easygoing',\n", " 'clues': [('leisurely', 'not hurried or forced'),\n", " ('easy', 'not hurried or forced'),\n", " ('cushy',\n", " 'not burdensome or demanding; borne or done easily and without hardship'),\n", " ('soft',\n", " 'not burdensome or demanding; borne or done easily and without hardship')]},\n", " {'answer': 'eccentric',\n", " 'hint': 'synonyms for eccentric',\n", " 'clues': [('bizarre',\n", " 'conspicuously or grossly unconventional or unusual'),\n", " ('freakish', 'conspicuously or grossly unconventional or unusual'),\n", " ('freaky', 'conspicuously or grossly unconventional or unusual'),\n", " ('outre', 'conspicuously or grossly unconventional or unusual'),\n", " ('flakey', 'conspicuously or grossly unconventional or unusual'),\n", " ('outlandish', 'conspicuously or grossly unconventional or unusual'),\n", " ('nonconcentric', 'not having a common center; not concentric'),\n", " ('gonzo', 'conspicuously or grossly unconventional or unusual'),\n", " ('off-the-wall', 'conspicuously or grossly unconventional or unusual')]},\n", " {'answer': 'economical',\n", " 'hint': 'synonyms for economical',\n", " 'clues': [('frugal', 'avoiding waste'),\n", " ('sparing', 'avoiding waste'),\n", " ('scotch', 'avoiding waste'),\n", " ('stinting', 'avoiding waste'),\n", " ('economic',\n", " 'using the minimum of time or resources necessary for effectiveness')]},\n", " {'answer': 'ecstatic',\n", " 'hint': 'synonyms for ecstatic',\n", " 'clues': [('enraptured', 'feeling great rapture or delight'),\n", " ('rhapsodic', 'feeling great rapture or delight'),\n", " ('rapturous', 'feeling great rapture or delight'),\n", " ('rapt', 'feeling great rapture or delight')]},\n", " {'answer': 'ecumenical',\n", " 'hint': 'synonyms for ecumenical',\n", " 'clues': [('oecumenic',\n", " 'concerned with promoting unity among churches or religions'),\n", " ('cosmopolitan',\n", " 'of worldwide scope or applicability; ; - Christopher Morley'),\n", " ('general',\n", " 'of worldwide scope or applicability; ; - Christopher Morley'),\n", " ('universal',\n", " 'of worldwide scope or applicability; ; - Christopher Morley'),\n", " ('world-wide',\n", " 'of worldwide scope or applicability; ; - Christopher Morley')]},\n", " {'answer': 'edacious',\n", " 'hint': 'synonyms for edacious',\n", " 'clues': [('ravenous', 'devouring or craving food in great quantities'),\n", " ('voracious', 'devouring or craving food in great quantities'),\n", " ('wolfish', 'devouring or craving food in great quantities'),\n", " ('rapacious', 'devouring or craving food in great quantities'),\n", " ('esurient', 'devouring or craving food in great quantities'),\n", " ('ravening', 'devouring or craving food in great quantities')]},\n", " {'answer': 'edgy',\n", " 'hint': 'synonyms for edgy',\n", " 'clues': [('jumpy', 'being in a tense state'),\n", " ('uptight', 'being in a tense state'),\n", " ('restive', 'being in a tense state'),\n", " ('overstrung', 'being in a tense state'),\n", " ('high-strung', 'being in a tense state'),\n", " ('highly strung', 'being in a tense state'),\n", " ('nervy', 'being in a tense state'),\n", " ('jittery', 'being in a tense state')]},\n", " {'answer': 'effective',\n", " 'hint': 'synonyms for effective',\n", " 'clues': [('efficacious',\n", " 'producing or capable of producing an intended result or having a striking effect; -LewisMumford'),\n", " ('in force', 'exerting force or influence'),\n", " ('efficient',\n", " 'able to accomplish a purpose; functioning effectively; -G.B.Shaw'),\n", " ('in effect', 'exerting force or influence'),\n", " ('good', 'exerting force or influence'),\n", " ('effectual',\n", " 'producing or capable of producing an intended result or having a striking effect; -LewisMumford')]},\n", " {'answer': 'effectual',\n", " 'hint': 'synonyms for effectual',\n", " 'clues': [('sound', 'having legal efficacy or force'),\n", " ('efficacious',\n", " 'producing or capable of producing an intended result or having a striking effect; -LewisMumford'),\n", " ('legal', 'having legal efficacy or force'),\n", " ('effective',\n", " 'producing or capable of producing an intended result or having a striking effect; -LewisMumford')]},\n", " {'answer': 'effeminate',\n", " 'hint': 'synonyms for effeminate',\n", " 'clues': [('sissified', 'having unsuitable feminine qualities'),\n", " ('cissy', 'having unsuitable feminine qualities'),\n", " ('emasculate', 'having unsuitable feminine qualities'),\n", " ('sissy', 'having unsuitable feminine qualities'),\n", " ('epicene', 'having unsuitable feminine qualities'),\n", " ('sissyish', 'having unsuitable feminine qualities')]},\n", " {'answer': 'effervescent',\n", " 'hint': 'synonyms for effervescent',\n", " 'clues': [('frothy', 'marked by high spirits or excitement'),\n", " ('scintillating', 'marked by high spirits or excitement'),\n", " ('bubbling', 'marked by high spirits or excitement'),\n", " ('sparkly', 'marked by high spirits or excitement'),\n", " ('sparkling',\n", " 'used of wines and waters; charged naturally or artificially with carbon dioxide')]},\n", " {'answer': 'effervescing',\n", " 'hint': 'synonyms for effervescing',\n", " 'clues': [('foamy',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('foaming',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('bubbling',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('spumy',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('frothy',\n", " 'emitting or filled with bubbles as from carbonation or fermentation'),\n", " ('bubbly',\n", " 'emitting or filled with bubbles as from carbonation or fermentation')]},\n", " {'answer': 'effulgent',\n", " 'hint': 'synonyms for effulgent',\n", " 'clues': [('radiant', 'radiating or as if radiating light'),\n", " ('beamy', 'radiating or as if radiating light'),\n", " ('refulgent', 'radiating or as if radiating light'),\n", " ('beaming', 'radiating or as if radiating light')]},\n", " {'answer': 'effusive',\n", " 'hint': 'synonyms for effusive',\n", " 'clues': [('burbly', 'uttered with unrestrained enthusiasm'),\n", " ('gushing', 'uttered with unrestrained enthusiasm'),\n", " ('gushy', 'extravagantly demonstrative'),\n", " ('burbling', 'uttered with unrestrained enthusiasm')]},\n", " {'answer': 'egg-shaped',\n", " 'hint': 'synonyms for egg-shaped',\n", " 'clues': [('ovate', 'rounded like an egg'),\n", " ('oval-shaped', 'rounded like an egg'),\n", " ('oviform', 'rounded like an egg'),\n", " ('elliptic', 'rounded like an egg'),\n", " ('ovoid', 'rounded like an egg'),\n", " ('prolate', 'rounded like an egg'),\n", " ('oval', 'rounded like an egg')]},\n", " {'answer': 'egotistic',\n", " 'hint': 'synonyms for egotistic',\n", " 'clues': [('narcissistic',\n", " 'characteristic of those having an inflated idea of their own importance'),\n", " ('swollen',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('egotistical',\n", " 'characteristic of those having an inflated idea of their own importance'),\n", " ('vain',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('conceited',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('swollen-headed',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('self-loving',\n", " 'characteristic of those having an inflated idea of their own importance'),\n", " ('self-conceited',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance')]},\n", " {'answer': 'egotistical',\n", " 'hint': 'synonyms for egotistical',\n", " 'clues': [('narcissistic',\n", " 'characteristic of those having an inflated idea of their own importance'),\n", " ('egotistic',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('swollen',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('vain',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('swollen-headed',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('conceited',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance'),\n", " ('self-loving',\n", " 'characteristic of those having an inflated idea of their own importance'),\n", " ('self-conceited',\n", " 'characteristic of false pride; having an exaggerated sense of self-importance')]},\n", " {'answer': 'egregious',\n", " 'hint': 'synonyms for egregious',\n", " 'clues': [('glaring',\n", " 'conspicuously and outrageously bad or reprehensible'),\n", " ('rank', 'conspicuously and outrageously bad or reprehensible'),\n", " ('crying', 'conspicuously and outrageously bad or reprehensible'),\n", " ('gross', 'conspicuously and outrageously bad or reprehensible'),\n", " ('flagrant', 'conspicuously and outrageously bad or reprehensible')]},\n", " {'answer': 'elementary',\n", " 'hint': 'synonyms for elementary',\n", " 'clues': [('primary', 'of or being the essential or basic part'),\n", " ('simple', 'easy and not involved or complicated'),\n", " ('elemental', 'of or being the essential or basic part'),\n", " ('unproblematic', 'easy and not involved or complicated'),\n", " ('uncomplicated', 'easy and not involved or complicated')]},\n", " {'answer': 'elevated',\n", " 'hint': 'synonyms for elevated',\n", " 'clues': [('grand',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('sublime',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('rarified',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('high-flown',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('exalted',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('noble-minded',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('lofty',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('raised', 'increased in amount or degree'),\n", " ('high-minded',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('idealistic',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks')]},\n", " {'answer': 'elfin',\n", " 'hint': 'synonyms for elfin',\n", " 'clues': [('elfish', 'usually good-naturedly mischievous'),\n", " ('elvish', 'usually good-naturedly mischievous'),\n", " ('fey',\n", " 'suggestive of an elf in strangeness and otherworldliness; ; - John Mason Brown'),\n", " ('elflike', 'small and delicate')]},\n", " {'answer': 'elliptic',\n", " 'hint': 'synonyms for elliptic',\n", " 'clues': [('ovate', 'rounded like an egg'),\n", " ('oval-shaped', 'rounded like an egg'),\n", " ('oviform', 'rounded like an egg'),\n", " ('elliptical',\n", " 'characterized by extreme economy of expression or omission of superfluous elements; ; - H.O.Taylor'),\n", " ('ovoid', 'rounded like an egg'),\n", " ('prolate', 'rounded like an egg'),\n", " ('egg-shaped', 'rounded like an egg'),\n", " ('oval', 'rounded like an egg')]},\n", " {'answer': 'elliptical',\n", " 'hint': 'synonyms for elliptical',\n", " 'clues': [('ovate', 'rounded like an egg'),\n", " ('oval-shaped', 'rounded like an egg'),\n", " ('oviform', 'rounded like an egg'),\n", " ('elliptic',\n", " 'characterized by extreme economy of expression or omission of superfluous elements; ; - H.O.Taylor'),\n", " ('ovoid', 'rounded like an egg'),\n", " ('prolate', 'rounded like an egg'),\n", " ('egg-shaped', 'rounded like an egg'),\n", " ('oval', 'rounded like an egg')]},\n", " {'answer': 'elongated',\n", " 'hint': 'synonyms for elongated',\n", " 'clues': [('elongate',\n", " 'having notably more length than width; being long and slender'),\n", " ('lengthened', 'drawn out or made longer spatially'),\n", " ('extended', 'drawn out or made longer spatially'),\n", " ('prolonged', 'drawn out or made longer spatially')]},\n", " {'answer': 'eloquent',\n", " 'hint': 'synonyms for eloquent',\n", " 'clues': [('fluent', 'expressing yourself readily, clearly, effectively'),\n", " ('silver-tongued', 'expressing yourself readily, clearly, effectively'),\n", " ('smooth-spoken', 'expressing yourself readily, clearly, effectively'),\n", " ('facile', 'expressing yourself readily, clearly, effectively'),\n", " ('silver', 'expressing yourself readily, clearly, effectively')]},\n", " {'answer': 'elusive',\n", " 'hint': 'synonyms for elusive',\n", " 'clues': [('baffling',\n", " 'making great mental demands; hard to comprehend or solve or believe'),\n", " ('problematical',\n", " 'making great mental demands; hard to comprehend or solve or believe'),\n", " ('knotty',\n", " 'making great mental demands; hard to comprehend or solve or believe'),\n", " ('subtle', 'difficult to detect or grasp by the mind or analyze'),\n", " ('tough',\n", " 'making great mental demands; hard to comprehend or solve or believe')]},\n", " {'answer': 'emaciated',\n", " 'hint': 'synonyms for emaciated',\n", " 'clues': [('gaunt', 'very thin especially from disease or hunger or cold'),\n", " ('cadaverous', 'very thin especially from disease or hunger or cold'),\n", " ('pinched', 'very thin especially from disease or hunger or cold'),\n", " ('bony', 'very thin especially from disease or hunger or cold'),\n", " ('wasted', 'very thin especially from disease or hunger or cold'),\n", " ('haggard', 'very thin especially from disease or hunger or cold'),\n", " ('skeletal', 'very thin especially from disease or hunger or cold')]},\n", " {'answer': 'emasculate',\n", " 'hint': 'synonyms for emasculate',\n", " 'clues': [('effeminate', 'having unsuitable feminine qualities'),\n", " ('sissified', 'having unsuitable feminine qualities'),\n", " ('cissy', 'having unsuitable feminine qualities'),\n", " ('sissy', 'having unsuitable feminine qualities'),\n", " ('epicene', 'having unsuitable feminine qualities'),\n", " ('sissyish', 'having unsuitable feminine qualities')]},\n", " {'answer': 'embarrassed',\n", " 'hint': 'synonyms for embarrassed',\n", " 'clues': [('abashed',\n", " 'feeling or caused to feel uneasy and self-conscious'),\n", " ('humiliated',\n", " 'made to feel uncomfortable because of shame or wounded pride'),\n", " ('mortified',\n", " 'made to feel uncomfortable because of shame or wounded pride'),\n", " ('chagrined', 'feeling or caused to feel uneasy and self-conscious')]},\n", " {'answer': 'embarrassing',\n", " 'hint': 'synonyms for embarrassing',\n", " 'clues': [('unenviable',\n", " 'hard to deal with; especially causing pain or embarrassment'),\n", " ('awkward',\n", " 'hard to deal with; especially causing pain or embarrassment'),\n", " ('mortifying', 'causing to feel shame or chagrin or vexation'),\n", " ('sticky',\n", " 'hard to deal with; especially causing pain or embarrassment')]},\n", " {'answer': 'emblematic',\n", " 'hint': 'synonyms for emblematic',\n", " 'clues': [('symbolic',\n", " 'serving as a visible symbol for something abstract'),\n", " ('emblematical', 'serving as a visible symbol for something abstract'),\n", " ('exemplary', 'being or serving as an illustration of a type'),\n", " ('typic', 'being or serving as an illustration of a type')]},\n", " {'answer': 'embodied',\n", " 'hint': 'synonyms for embodied',\n", " 'clues': [('corporal',\n", " 'possessing or existing in bodily form; - Shakespeare'),\n", " ('bodied', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('corporate', 'possessing or existing in bodily form; - Shakespeare'),\n", " ('incarnate', 'possessing or existing in bodily form; - Shakespeare')]},\n", " {'answer': 'eminent',\n", " 'hint': 'synonyms for eminent',\n", " 'clues': [('soaring',\n", " 'of imposing height; especially standing out above others'),\n", " ('high', 'standing above others in quality or position'),\n", " ('lofty', 'of imposing height; especially standing out above others'),\n", " ('towering',\n", " 'of imposing height; especially standing out above others')]},\n", " {'answer': 'empty-headed',\n", " 'hint': 'synonyms for empty-headed',\n", " 'clues': [('dizzy', 'lacking seriousness; given to frivolity'),\n", " ('light-headed', 'lacking seriousness; given to frivolity'),\n", " ('silly', 'lacking seriousness; given to frivolity'),\n", " ('giddy', 'lacking seriousness; given to frivolity'),\n", " ('airheaded', 'lacking seriousness; given to frivolity'),\n", " ('featherbrained', 'lacking seriousness; given to frivolity')]},\n", " {'answer': 'enamored',\n", " 'hint': 'synonyms for enamored',\n", " 'clues': [('taken with', 'marked by foolish or unreasoning fondness'),\n", " ('in love', 'marked by foolish or unreasoning fondness'),\n", " ('potty', 'marked by foolish or unreasoning fondness'),\n", " ('soft on', 'marked by foolish or unreasoning fondness'),\n", " ('infatuated', 'marked by foolish or unreasoning fondness'),\n", " ('smitten', 'marked by foolish or unreasoning fondness')]},\n", " {'answer': 'enceinte',\n", " 'hint': 'synonyms for enceinte',\n", " 'clues': [('great', 'in an advanced stage of pregnancy'),\n", " ('large', 'in an advanced stage of pregnancy'),\n", " ('with child', 'in an advanced stage of pregnancy'),\n", " ('heavy', 'in an advanced stage of pregnancy'),\n", " ('expectant', 'in an advanced stage of pregnancy'),\n", " ('gravid', 'in an advanced stage of pregnancy'),\n", " ('big', 'in an advanced stage of pregnancy')]},\n", " {'answer': 'enchanting',\n", " 'hint': 'synonyms for enchanting',\n", " 'clues': [('bewitching', 'capturing interest as if by a spell'),\n", " ('fascinating', 'capturing interest as if by a spell'),\n", " ('entrancing', 'capturing interest as if by a spell'),\n", " ('captivating', 'capturing interest as if by a spell'),\n", " ('enthralling', 'capturing interest as if by a spell')]},\n", " {'answer': 'encompassing',\n", " 'hint': 'synonyms for encompassing',\n", " 'clues': [('wide', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('extensive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('circumferent', 'closely encircling'),\n", " ('blanket', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('panoptic', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('across-the-board', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('broad', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-embracing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-inclusive', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('all-encompassing', 'broad in scope or content; ; ; ; ; - T.G.Winner'),\n", " ('surrounding', 'closely encircling')]},\n", " {'answer': 'ended',\n", " 'hint': 'synonyms for ended',\n", " 'clues': [('complete', 'having come or been brought to a conclusion'),\n", " ('over', 'having come or been brought to a conclusion'),\n", " ('terminated', 'having come or been brought to a conclusion'),\n", " ('all over', 'having come or been brought to a conclusion'),\n", " ('concluded', 'having come or been brought to a conclusion')]},\n", " {'answer': 'endemic',\n", " 'hint': 'synonyms for endemic',\n", " 'clues': [('autochthonal', 'originating where it is found'),\n", " ('indigenous', 'originating where it is found'),\n", " ('autochthonous', 'originating where it is found'),\n", " ('autochthonic', 'originating where it is found'),\n", " ('endemical',\n", " 'of or relating to a disease (or anything resembling a disease) constantly present to greater or lesser extent in a particular locality')]},\n", " {'answer': 'endless',\n", " 'hint': 'synonyms for endless',\n", " 'clues': [('sempiternal',\n", " 'having no known beginning and presumably no end'),\n", " ('dateless', 'having no known beginning and presumably no end'),\n", " ('interminable', 'tiresomely long; seemingly without end'),\n", " ('eternal', 'tiresomely long; seemingly without end')]},\n", " {'answer': 'engaged',\n", " 'hint': 'synonyms for engaged',\n", " 'clues': [('busy',\n", " \"(of facilities such as telephones or lavatories) unavailable for use by anyone else or indicating unavailability; (`engaged' is a British term for a busy telephone line)\"),\n", " ('in use',\n", " \"(of facilities such as telephones or lavatories) unavailable for use by anyone else or indicating unavailability; (`engaged' is a British term for a busy telephone line)\"),\n", " ('booked', 'reserved in advance'),\n", " ('set-aside', 'reserved in advance'),\n", " ('meshed',\n", " '(used of toothed parts or gears) interlocked and interacting'),\n", " ('intermeshed',\n", " '(used of toothed parts or gears) interlocked and interacting'),\n", " ('occupied', 'having ones attention or mind or energy engaged')]},\n", " {'answer': 'engraved',\n", " 'hint': 'synonyms for engraved',\n", " 'clues': [('inscribed', 'cut or impressed into a surface'),\n", " ('graven', 'cut or impressed into a surface'),\n", " ('incised', 'cut or impressed into a surface'),\n", " ('etched', 'cut or impressed into a surface')]},\n", " {'answer': 'engrossed',\n", " 'hint': 'synonyms for engrossed',\n", " 'clues': [('captive',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('intent',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('absorbed',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('enwrapped',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare')]},\n", " {'answer': 'engrossing',\n", " 'hint': 'synonyms for engrossing',\n", " 'clues': [('fascinating', 'capable of arousing and holding the attention'),\n", " ('gripping', 'capable of arousing and holding the attention'),\n", " ('absorbing', 'capable of arousing and holding the attention'),\n", " ('riveting', 'capable of arousing and holding the attention')]},\n", " {'answer': 'enlarged',\n", " 'hint': 'synonyms for enlarged',\n", " 'clues': [('blown-up', 'as of a photograph; made larger'),\n", " ('hypertrophied',\n", " '(of an organ or body part) excessively enlarged as a result of increased size in the constituent cells'),\n", " ('magnified', 'enlarged to an abnormal degree'),\n", " ('exaggerated', 'enlarged to an abnormal degree')]},\n", " {'answer': 'enraged',\n", " 'hint': 'synonyms for enraged',\n", " 'clues': [('maddened', 'marked by extreme anger'),\n", " ('angered', 'marked by extreme anger'),\n", " ('infuriated', 'marked by extreme anger'),\n", " ('furious', 'marked by extreme anger')]},\n", " {'answer': 'enraptured',\n", " 'hint': 'synonyms for enraptured',\n", " 'clues': [('rhapsodic', 'feeling great rapture or delight'),\n", " ('rapturous', 'feeling great rapture or delight'),\n", " ('rapt', 'feeling great rapture or delight'),\n", " ('ecstatic', 'feeling great rapture or delight')]},\n", " {'answer': 'ensuant',\n", " 'hint': 'synonyms for ensuant',\n", " 'clues': [('consequent', 'following or accompanying as a consequence'),\n", " ('attendant', 'following or accompanying as a consequence'),\n", " ('concomitant', 'following or accompanying as a consequence'),\n", " ('resultant', 'following or accompanying as a consequence'),\n", " ('accompanying', 'following or accompanying as a consequence'),\n", " ('incidental', 'following or accompanying as a consequence'),\n", " ('sequent', 'following or accompanying as a consequence')]},\n", " {'answer': 'enthralled',\n", " 'hint': 'synonyms for enthralled',\n", " 'clues': [('charmed', 'filled with wonder and delight'),\n", " ('entranced', 'filled with wonder and delight'),\n", " ('beguiled', 'filled with wonder and delight'),\n", " ('delighted', 'filled with wonder and delight'),\n", " ('captivated', 'filled with wonder and delight')]},\n", " {'answer': 'enthralling',\n", " 'hint': 'synonyms for enthralling',\n", " 'clues': [('bewitching', 'capturing interest as if by a spell'),\n", " ('enchanting', 'capturing interest as if by a spell'),\n", " ('fascinating', 'capturing interest as if by a spell'),\n", " ('entrancing', 'capturing interest as if by a spell'),\n", " ('captivating', 'capturing interest as if by a spell')]},\n", " {'answer': 'entire',\n", " 'hint': 'synonyms for entire',\n", " 'clues': [('intact',\n", " 'constituting the undiminished entirety; lacking nothing essential especially not damaged; - Bacon'),\n", " ('total', 'constituting the full quantity or extent; complete'),\n", " ('full', 'constituting the full quantity or extent; complete'),\n", " ('integral',\n", " 'constituting the undiminished entirety; lacking nothing essential especially not damaged; - Bacon')]},\n", " {'answer': 'entranced',\n", " 'hint': 'synonyms for entranced',\n", " 'clues': [('charmed', 'filled with wonder and delight'),\n", " ('enthralled', 'filled with wonder and delight'),\n", " ('beguiled', 'filled with wonder and delight'),\n", " ('delighted', 'filled with wonder and delight'),\n", " ('captivated', 'filled with wonder and delight')]},\n", " {'answer': 'entrancing',\n", " 'hint': 'synonyms for entrancing',\n", " 'clues': [('bewitching', 'capturing interest as if by a spell'),\n", " ('enchanting', 'capturing interest as if by a spell'),\n", " ('fascinating', 'capturing interest as if by a spell'),\n", " ('captivating', 'capturing interest as if by a spell'),\n", " ('enthralling', 'capturing interest as if by a spell')]},\n", " {'answer': 'enwrapped',\n", " 'hint': 'synonyms for enwrapped',\n", " 'clues': [('engrossed',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('captive',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('intent',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('absorbed',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare'),\n", " ('wrapped',\n", " 'giving or marked by complete attention to; ; ; - Walter de la Mare')]},\n", " {'answer': 'eonian',\n", " 'hint': 'synonyms for eonian',\n", " 'clues': [('everlasting', 'continuing forever or indefinitely'),\n", " ('unending', 'continuing forever or indefinitely'),\n", " ('unceasing', 'continuing forever or indefinitely'),\n", " ('perpetual', 'continuing forever or indefinitely'),\n", " ('aeonian', 'of or relating to a geological eon (longer than an era)'),\n", " ('ageless', 'continuing forever or indefinitely'),\n", " ('eternal', 'continuing forever or indefinitely')]},\n", " {'answer': 'ephemeral',\n", " 'hint': 'synonyms for ephemeral',\n", " 'clues': [('transient', 'lasting a very short time'),\n", " ('short-lived', 'lasting a very short time'),\n", " ('fugacious', 'lasting a very short time'),\n", " ('passing', 'lasting a very short time'),\n", " ('transitory', 'lasting a very short time')]},\n", " {'answer': 'epicene',\n", " 'hint': 'synonyms for epicene',\n", " 'clues': [('effeminate', 'having unsuitable feminine qualities'),\n", " ('sissified', 'having unsuitable feminine qualities'),\n", " ('bisexual', 'having an ambiguous sexual identity'),\n", " ('emasculate', 'having unsuitable feminine qualities'),\n", " ('sissy', 'having unsuitable feminine qualities'),\n", " ('cissy', 'having unsuitable feminine qualities'),\n", " ('sissyish', 'having unsuitable feminine qualities')]},\n", " {'answer': 'epicurean',\n", " 'hint': 'synonyms for epicurean',\n", " 'clues': [('sybaritic',\n", " 'displaying luxury and furnishing gratification to the senses'),\n", " ('hedonistic', 'devoted to pleasure'),\n", " ('luxuriant',\n", " 'displaying luxury and furnishing gratification to the senses'),\n", " ('voluptuary',\n", " 'displaying luxury and furnishing gratification to the senses'),\n", " ('luxurious',\n", " 'displaying luxury and furnishing gratification to the senses'),\n", " ('voluptuous',\n", " 'displaying luxury and furnishing gratification to the senses'),\n", " ('hedonic', 'devoted to pleasure')]},\n", " {'answer': 'equanimous',\n", " 'hint': 'synonyms for equanimous',\n", " 'clues': [('collected', 'in full control of your faculties'),\n", " ('poised', 'in full control of your faculties'),\n", " ('self-contained', 'in full control of your faculties'),\n", " ('self-possessed', 'in full control of your faculties'),\n", " ('self-collected', 'in full control of your faculties')]},\n", " {'answer': 'equipped',\n", " 'hint': 'synonyms for equipped',\n", " 'clues': [('fitted out', 'prepared with proper equipment'),\n", " ('equipt',\n", " 'provided or fitted out with what is necessary or useful or appropriate'),\n", " ('furnished',\n", " 'provided with whatever is necessary for a purpose (as furniture or equipment or authority)'),\n", " ('weaponed', 'carrying weapons')]},\n", " {'answer': 'erose',\n", " 'hint': 'synonyms for erose',\n", " 'clues': [('toothed',\n", " 'having an irregularly notched or toothed margin as though gnawed'),\n", " ('jaggy',\n", " 'having an irregularly notched or toothed margin as though gnawed'),\n", " ('notched',\n", " 'having an irregularly notched or toothed margin as though gnawed'),\n", " ('jagged',\n", " 'having an irregularly notched or toothed margin as though gnawed')]},\n", " {'answer': 'erosive',\n", " 'hint': 'synonyms for erosive',\n", " 'clues': [('caustic',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action'),\n", " ('corrosive',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action'),\n", " ('mordant',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action'),\n", " ('vitriolic',\n", " 'of a substance, especially a strong acid; capable of destroying or eating away by chemical action')]},\n", " {'answer': 'erratic',\n", " 'hint': 'synonyms for erratic',\n", " 'clues': [('fickle', 'liable to sudden unpredictable change'),\n", " ('quicksilver', 'liable to sudden unpredictable change'),\n", " ('mercurial', 'liable to sudden unpredictable change'),\n", " ('temperamental',\n", " 'likely to perform unpredictably; ; ; - Osbert Lancaster'),\n", " ('planetary', 'having no fixed course'),\n", " ('wandering', 'having no fixed course')]},\n", " {'answer': 'erstwhile',\n", " 'hint': 'synonyms for erstwhile',\n", " 'clues': [('quondam', 'belonging to some prior time'),\n", " ('former', 'belonging to some prior time'),\n", " ('one-time', 'belonging to some prior time'),\n", " ('sometime', 'belonging to some prior time'),\n", " ('old', 'belonging to some prior time')]},\n", " {'answer': 'essential',\n", " 'hint': 'synonyms for essential',\n", " 'clues': [('of the essence', 'of the greatest importance'),\n", " ('substantive',\n", " 'defining rights and duties as opposed to giving the rules by which rights and duties are established'),\n", " ('indispensable', 'absolutely necessary; vitally necessary'),\n", " ('crucial', 'of the greatest importance'),\n", " ('all-important', 'of the greatest importance')]},\n", " {'answer': 'established',\n", " 'hint': 'synonyms for established',\n", " 'clues': [('effected', 'settled securely and unconditionally'),\n", " ('accomplished', 'settled securely and unconditionally'),\n", " ('naturalized',\n", " 'introduced from another region and persisting without cultivation'),\n", " ('conventional', 'conforming with accepted standards'),\n", " ('constituted',\n", " 'brought about or set up or accepted; especially long established')]},\n", " {'answer': 'estimable',\n", " 'hint': 'synonyms for estimable',\n", " 'clues': [('honorable', 'deserving of esteem and respect'),\n", " ('computable', 'may be computed or estimated'),\n", " ('respectable', 'deserving of esteem and respect'),\n", " ('good', 'deserving of esteem and respect')]},\n", " {'answer': 'esurient',\n", " 'hint': 'synonyms for esurient',\n", " 'clues': [('famished', 'extremely hungry'),\n", " ('ravenous', 'devouring or craving food in great quantities'),\n", " ('voracious', 'devouring or craving food in great quantities'),\n", " ('wolfish', 'devouring or craving food in great quantities'),\n", " ('rapacious', 'devouring or craving food in great quantities'),\n", " ('starved', 'extremely hungry'),\n", " ('ravening', 'devouring or craving food in great quantities'),\n", " ('devouring',\n", " \"(often followed by `for') ardently or excessively desirous\"),\n", " ('greedy', \"(often followed by `for') ardently or excessively desirous\"),\n", " ('avid', \"(often followed by `for') ardently or excessively desirous\"),\n", " ('sharp-set', 'extremely hungry'),\n", " ('edacious', 'devouring or craving food in great quantities')]},\n", " {'answer': 'etched',\n", " 'hint': 'synonyms for etched',\n", " 'clues': [('inscribed', 'cut or impressed into a surface'),\n", " ('graven', 'cut or impressed into a surface'),\n", " ('incised', 'cut or impressed into a surface'),\n", " ('engraved', 'cut or impressed into a surface')]},\n", " {'answer': 'eternal',\n", " 'hint': 'synonyms for eternal',\n", " 'clues': [('interminable', 'tiresomely long; seemingly without end'),\n", " ('eonian', 'continuing forever or indefinitely'),\n", " ('endless', 'tiresomely long; seemingly without end'),\n", " ('unending', 'continuing forever or indefinitely'),\n", " ('unceasing', 'continuing forever or indefinitely'),\n", " ('perpetual', 'continuing forever or indefinitely'),\n", " ('everlasting', 'continuing forever or indefinitely'),\n", " ('ageless', 'continuing forever or indefinitely')]},\n", " {'answer': 'ethereal',\n", " 'hint': 'synonyms for ethereal',\n", " 'clues': [('gossamer', 'characterized by unusual lightness and delicacy'),\n", " ('supernal', 'of heaven or the spirit'),\n", " ('aeriform',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('celestial', 'of heaven or the spirit'),\n", " ('aerial',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('airy',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle'),\n", " ('aery',\n", " 'characterized by lightness and insubstantiality; as impalpable or intangible as air; - Thomas Carlyle')]},\n", " {'answer': 'ethnic',\n", " 'hint': 'synonyms for ethnic',\n", " 'clues': [('cultural',\n", " 'denoting or deriving from or distinctive of the ways of living built up by a group of people; - J.F.Kennedy'),\n", " ('ethnical',\n", " 'denoting or deriving from or distinctive of the ways of living built up by a group of people; - J.F.Kennedy'),\n", " ('heathenish',\n", " 'not acknowledging the God of Christianity and Judaism and Islam'),\n", " ('heathen',\n", " 'not acknowledging the God of Christianity and Judaism and Islam'),\n", " ('pagan',\n", " 'not acknowledging the God of Christianity and Judaism and Islam')]},\n", " {'answer': 'even',\n", " 'hint': 'synonyms for even',\n", " 'clues': [('tied', 'of the score in a contest'),\n", " ('regular', 'occurring at fixed intervals'),\n", " ('level', 'of the score in a contest'),\n", " ('fifty-fifty',\n", " 'equal in degree or extent or amount; or equally matched or balanced')]},\n", " {'answer': 'everlasting',\n", " 'hint': 'synonyms for everlasting',\n", " 'clues': [('double-dyed',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('arrant',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('utter',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('unending', 'continuing forever or indefinitely'),\n", " ('stark',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('pure',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('unadulterated',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('consummate',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('perfect',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('eonian', 'continuing forever or indefinitely'),\n", " ('thoroughgoing',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('unceasing', 'continuing forever or indefinitely'),\n", " ('staring',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('perpetual', 'continuing forever or indefinitely'),\n", " ('ageless', 'continuing forever or indefinitely'),\n", " ('gross',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('sodding',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('complete',\n", " 'without qualification; used informally as (often pejorative) intensifiers'),\n", " ('eternal', 'continuing forever or indefinitely')]},\n", " {'answer': 'everyday',\n", " 'hint': 'synonyms for everyday',\n", " 'clues': [('daily', 'appropriate for ordinary or routine occasions'),\n", " ('quotidian',\n", " 'found in the ordinary course of events; ; ; - Anita Diamant'),\n", " ('routine',\n", " 'found in the ordinary course of events; ; ; - Anita Diamant'),\n", " ('casual', 'appropriate for ordinary or routine occasions'),\n", " ('mundane',\n", " 'found in the ordinary course of events; ; ; - Anita Diamant'),\n", " ('unremarkable',\n", " 'found in the ordinary course of events; ; ; - Anita Diamant'),\n", " ('workaday',\n", " 'found in the ordinary course of events; ; ; - Anita Diamant')]},\n", " {'answer': 'evident',\n", " 'hint': 'synonyms for evident',\n", " 'clues': [('patent',\n", " 'clearly revealed to the mind or the senses or judgment'),\n", " ('discernible', 'capable of being seen or noticed'),\n", " ('apparent', 'clearly revealed to the mind or the senses or judgment'),\n", " ('unmistakable',\n", " 'clearly revealed to the mind or the senses or judgment'),\n", " ('plain', 'clearly revealed to the mind or the senses or judgment'),\n", " ('manifest', 'clearly revealed to the mind or the senses or judgment'),\n", " ('observable', 'capable of being seen or noticed')]},\n", " {'answer': 'evil',\n", " 'hint': 'synonyms for evil',\n", " 'clues': [('vicious', 'having the nature of vice'),\n", " ('malefic', 'having or exerting a malignant influence'),\n", " ('malign', 'having or exerting a malignant influence'),\n", " ('malevolent', 'having or exerting a malignant influence')]},\n", " {'answer': 'evocative',\n", " 'hint': 'synonyms for evocative',\n", " 'clues': [('resonant', 'serving to bring to mind; - Wilder Hobson'),\n", " ('remindful', 'serving to bring to mind; - Wilder Hobson'),\n", " ('redolent', 'serving to bring to mind; - Wilder Hobson'),\n", " ('reminiscent', 'serving to bring to mind; - Wilder Hobson')]},\n", " {'answer': 'ex',\n", " 'hint': 'synonyms for ex',\n", " 'clues': [('antique', 'out of fashion'),\n", " ('outmoded', 'out of fashion'),\n", " ('passee', 'out of fashion'),\n", " ('demode', 'out of fashion'),\n", " ('old-fashioned', 'out of fashion'),\n", " ('old-hat', 'out of fashion')]},\n", " {'answer': 'exacting',\n", " 'hint': 'synonyms for exacting',\n", " 'clues': [('stern', 'severe and unremitting in making demands'),\n", " ('fastidious',\n", " 'having complicated nutritional requirements; especially growing only in special artificial cultures'),\n", " ('exigent', 'requiring precise accuracy'),\n", " ('strict', 'severe and unremitting in making demands')]},\n", " {'answer': 'exaggerated',\n", " 'hint': 'synonyms for exaggerated',\n", " 'clues': [('magnified', 'enlarged to an abnormal degree'),\n", " ('overdone', 'represented as greater than is true or reasonable'),\n", " ('enlarged', 'enlarged to an abnormal degree'),\n", " ('overstated', 'represented as greater than is true or reasonable')]},\n", " {'answer': 'exalted',\n", " 'hint': 'synonyms for exalted',\n", " 'clues': [('grand',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('sublime',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('elevated',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('rarified',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('high-flown',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('noble-minded',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('lofty',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('high-minded',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks'),\n", " ('idealistic',\n", " 'of high moral or intellectual value; elevated in nature or style; ; - Oliver Franks')]},\n", " {'answer': 'exasperating',\n", " 'hint': 'synonyms for exasperating',\n", " 'clues': [('infuriating', 'extremely annoying or displeasing'),\n", " ('exacerbating', 'making worse'),\n", " ('vexing', 'extremely annoying or displeasing'),\n", " ('maddening', 'extremely annoying or displeasing'),\n", " ('aggravating', 'making worse')]},\n", " {'answer': 'exceeding',\n", " 'hint': 'synonyms for exceeding',\n", " 'clues': [('exceptional',\n", " 'far beyond what is usual in magnitude or degree'),\n", " ('prodigious', 'far beyond what is usual in magnitude or degree'),\n", " ('surpassing', 'far beyond what is usual in magnitude or degree'),\n", " ('olympian', 'far beyond what is usual in magnitude or degree')]},\n", " ...],\n", " 'portion': 0}]" ] }, "execution_count": 30, "metadata": {}, "output_type": "execute_result" } ], "source": [ "corpus" ] }, { "cell_type": "code", "execution_count": null, "id": "68f254d5-7a96-488a-b1a8-6a82dce44271", "metadata": {}, "outputs": [], "source": [] }, { "cell_type": "code", "execution_count": 11, "id": "091e0422-99be-4b20-a20d-17ac296990b6", "metadata": {}, "outputs": [ { "data": { "text/plain": [ "[['accost', 'address']]" ] }, "execution_count": 11, "metadata": {}, "output_type": "execute_result" } ], "source": [ "wn.synonyms('come_up_to')" ] }, { "cell_type": "code", "execution_count": null, "id": "ff46e8c4-b806-43f6-8cf9-d4260bad1ba8", "metadata": {}, "outputs": [], "source": [] }, { "cell_type": "code", "execution_count": null, "id": "668b25f4-6992-41a3-881c-3a6a72ba0d77", "metadata": {}, "outputs": [], "source": [] }, { "cell_type": "code", "execution_count": null, "id": "1a0ae159-2a40-4ca5-915a-6ca40df3080f", "metadata": {}, "outputs": [], "source": [] } ], "metadata": { "kernelspec": { "display_name": "Python 3 (ipykernel)", "language": "python", "name": "python3" }, "language_info": { "codemirror_mode": { "name": "ipython", "version": 3 }, "file_extension": ".py", "mimetype": "text/x-python", "name": "python", "nbconvert_exporter": "python", "pygments_lexer": "ipython3", "version": "3.11.6" } }, "nbformat": 4, "nbformat_minor": 5 }