From: Ruben Beltran del Rio Date: Sun, 29 Aug 2021 19:49:37 +0000 (+0200) Subject: Add project X-Git-Url: https://git.r.bdr.sh/rbdr/prompt/commitdiff_plain/38431710cfb1cc1ffd7297085d069be1328f083b?ds=sidebyside Add project --- 38431710cfb1cc1ffd7297085d069be1328f083b diff --git a/.eslintrc.cjs b/.eslintrc.cjs new file mode 100644 index 0000000..04351af --- /dev/null +++ b/.eslintrc.cjs @@ -0,0 +1,15 @@ +module.exports = { + root: true, + extends: ['eslint:recommended'], + plugins: ['svelte3'], + overrides: [{ files: ['*.svelte'], processor: 'svelte3/svelte3' }], + parserOptions: { + sourceType: 'module', + ecmaVersion: 2019 + }, + env: { + browser: true, + es2017: true, + node: true + } +}; diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..dad6f80 --- /dev/null +++ b/.gitignore @@ -0,0 +1,5 @@ +.DS_Store +node_modules +/build +/.svelte-kit +/package diff --git a/README.md b/README.md new file mode 100644 index 0000000..46fc39d --- /dev/null +++ b/README.md @@ -0,0 +1,35 @@ +# Prompt + +Drawing prompts delivered to YOUR door. + +## Regenerating data + +This poject is based on [wordnet][wordnet] data, which is provided +as `.tab` files. + +This repo provides a script `wordnet_to_json`, that converts the +tab to easy to use JSON files. + +You can run it by calling `npm run wordnet_to_json ` + +The convention is to use 2 letter codes for language (eg. `en` or `es`) and +store it in `static/data` so to load spanish data files you would call: + +``` +npm run wordnet_to_json path/to/wn-data-spa.tab static/data/es +``` + +If you're running into errors and the default error messages aren't helping, +you can enable more detailed debug data by setting `NODE_DEBUG=wordnet_to_json` + +## Building + +Before creating a production version of your app, install an [adapter](https://kit.svelte.dev/docs#adapters) for your target environment. Then: + +```bash +npm run build +``` + +> You can preview the built app with `npm run preview`, regardless of whether you installed an adapter. This should _not_ be used to serve your app in production. + +[wordnet]: http://compling.hss.ntu.edu.sg/omw/ diff --git a/bin/wordnet_to_json.js b/bin/wordnet_to_json.js new file mode 100755 index 0000000..0a3689d --- /dev/null +++ b/bin/wordnet_to_json.js @@ -0,0 +1,113 @@ +#!/usr/bin/env node + +import { basename, join } from 'path'; +import { mkdir, readFile, writeFile } from 'fs/promises'; +import { debuglog } from 'util'; + +const internals = { + kParseRegex: /[0-9]+-(?[anrv])\s+lemma\s+(?.*)/, + kTermMapping: { + a: 'adjectives', + n: 'nouns', + v: 'verbs', + r: 'adverbs' + }, + + debug: debuglog('wordnet_to_json'), + + // Validates that inputs are present + + validateInputs() { + if (process.argv.length < 4) { + internals.printUsage(); + throw new Error(`Insufficient arguments, expected 2, found ${process.argv.length - 2}`); + } + }, + + // Prints the usage of the program + + printUsage() { + + console.error('Usage:'); + console.error(`${basename(process.argv[1])} `); + }, + + // Loads the contents of a wordnet tab file. + + async load(pathToTab) { + + try { + return await readFile(pathToTab, { encoding: 'utf8' }); + } + catch (error) { + internals.debug(error.stack); + throw new Error(`Could not read tab file at ${pathToTab}`); + } + }, + + // Parses a wordner tab file and turns it into a JSON structure + + async parse(wordnetTab) { + + try { + return wordnetTab.split('\n').reduce((parsedTerms, currentTerm) => { + const matches = currentTerm.match(internals.kParseRegex); + if (matches) { + parsedTerms[internals.kTermMapping[matches.groups.type]].push(matches.groups.term); + } + return parsedTerms; + }, { + adjectives: [], + nouns: [], + verbs: [], + adverbs: [] + }); + } + catch (error) { + internals.debug(error.stack); + throw new Error('Could not parse wordnet data.'); + } + }, + + async write(parsedTerms, dataDirectory) { + + await internals.createDataDirectory(dataDirectory); + try { + for (const [type, terms] of Object.entries(parsedTerms)) { + const targetFile = join(dataDirectory, `${type}.json`); + await writeFile(targetFile, JSON.stringify(terms, null, 2)); + } + } + catch (error) { + internals.debug(error.stack); + throw new Error(`Could not write wordnet data to ${dataDirectory}.`); + } + }, + + async createDataDirectory(dataDirectory) { + + try { + await mkdir(dataDirectory, { recursive: true }); + } + catch (error) { + internals.debug(error.stack); + throw new Error(`Could not create data directory at ${dataDirectory}`); + } + }, + + async run() { + + internals.validateInputs(); + const wordnetTab = await internals.load(process.argv[2]); + const parsedTerms = await internals.parse(wordnetTab); + await internals.write(parsedTerms, process.argv[3]); + } +}; + +internals.run() + .then(() => process.exit(0)) + .catch((err) => { + + console.error(err.message || err); + process.exit(1); + }); diff --git a/jsconfig.json b/jsconfig.json new file mode 100644 index 0000000..4ec4b35 --- /dev/null +++ b/jsconfig.json @@ -0,0 +1,12 @@ +{ + "compilerOptions": { + "baseUrl": ".", + "paths": { + "$": ["src"], + "$/*": ["src/*"], + "$lib": ["src/lib"], + "$lib/*": ["src/lib/*"] + } + }, + "include": ["src/**/*.d.ts", "src/**/*.js", "src/**/*.svelte"] +} diff --git a/package-lock.json b/package-lock.json new file mode 100644 index 0000000..9ae5d53 --- /dev/null +++ b/package-lock.json @@ -0,0 +1,2994 @@ +{ + "name": "prompt", + "version": "1.0.0", + "lockfileVersion": 2, + "requires": true, + "packages": { + "": { + "version": "1.0.0", + "devDependencies": { + "@sveltejs/adapter-static": "^1.0.0-next.17", + "@sveltejs/kit": "next", + "eslint": "^7.22.0", + "eslint-plugin-svelte3": "^3.2.0", + "language-name-map": "^0.3.0", + "svelte": "^3.34.0", + "svelte-i18n": "^3.3.10" + } + }, + "node_modules/@babel/code-frame": { + "version": "7.12.11", + "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.12.11.tgz", + "integrity": "sha512-Zt1yodBx1UcyiePMSkWnU4hPqhwq7hGi2nFL1LeA3EUl+q2LQx16MISgJ0+z7dnmgvP9QtIleuETGOiOH1RcIw==", + "dev": true, + "dependencies": { + "@babel/highlight": "^7.10.4" + } + }, + "node_modules/@babel/helper-validator-identifier": { + "version": "7.14.9", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.14.9.tgz", + "integrity": "sha512-pQYxPY0UP6IHISRitNe8bsijHex4TWZXi2HwKVsjPiltzlhse2znVcm9Ace510VT1kxIHjGJCZZQBX2gJDbo0g==", + "dev": true, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/highlight": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.14.5.tgz", + "integrity": "sha512-qf9u2WFWVV0MppaL877j2dBtQIDgmidgjGk5VIMw3OadXvYaXn66U1BFlH2t4+t3i+8PhedppRv+i40ABzd+gg==", + "dev": true, + "dependencies": { + "@babel/helper-validator-identifier": "^7.14.5", + "chalk": "^2.0.0", + "js-tokens": "^4.0.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/highlight/node_modules/ansi-styles": { + "version": "3.2.1", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz", + "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", + "dev": true, + "dependencies": { + "color-convert": "^1.9.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/@babel/highlight/node_modules/chalk": { + "version": "2.4.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz", + "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", + "dev": true, + "dependencies": { + "ansi-styles": "^3.2.1", + "escape-string-regexp": "^1.0.5", + "supports-color": "^5.3.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/@babel/highlight/node_modules/color-convert": { + "version": "1.9.3", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz", + "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", + "dev": true, + "dependencies": { + "color-name": "1.1.3" + } + }, + "node_modules/@babel/highlight/node_modules/color-name": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz", + "integrity": "sha1-p9BVi9icQveV3UIyj3QIMcpTvCU=", + "dev": true + }, + "node_modules/@babel/highlight/node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ=", + "dev": true, + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/@babel/highlight/node_modules/has-flag": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha1-tdRU3CGZriJWmfNGfloH87lVuv0=", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/@babel/highlight/node_modules/supports-color": { + "version": "5.5.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", + "dev": true, + "dependencies": { + "has-flag": "^3.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/@eslint/eslintrc": { + "version": "0.4.3", + "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-0.4.3.tgz", + "integrity": "sha512-J6KFFz5QCYUJq3pf0mjEcCJVERbzv71PUIDczuh9JkwGEzced6CO5ADLHB1rbf/+oPBtoPfMYNOpGDzCANlbXw==", + "dev": true, + "dependencies": { + "ajv": "^6.12.4", + "debug": "^4.1.1", + "espree": "^7.3.0", + "globals": "^13.9.0", + "ignore": "^4.0.6", + "import-fresh": "^3.2.1", + "js-yaml": "^3.13.1", + "minimatch": "^3.0.4", + "strip-json-comments": "^3.1.1" + }, + "engines": { + "node": "^10.12.0 || >=12.0.0" + } + }, + "node_modules/@formatjs/ecma402-abstract": { + "version": "1.9.8", + "resolved": "https://registry.npmjs.org/@formatjs/ecma402-abstract/-/ecma402-abstract-1.9.8.tgz", + "integrity": "sha512-2U4n11bLmTij/k4ePCEFKJILPYwdMcJTdnKVBi+JMWBgu5O1N+XhCazlE6QXqVO1Agh2Doh0b/9Jf1mSmSVfhA==", + "dev": true, + "dependencies": { + "@formatjs/intl-localematcher": "0.2.20", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/fast-memoize": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@formatjs/fast-memoize/-/fast-memoize-1.2.0.tgz", + "integrity": "sha512-fObitP9Tlc31SKrPHgkPgQpGo4+4yXfQQITTCNH8AZdEqB7Mq4nPrjpUL/tNGN3lEeJcFxDbi0haX8HM7QvQ8w==", + "dev": true, + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/icu-messageformat-parser": { + "version": "2.0.11", + "resolved": "https://registry.npmjs.org/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.0.11.tgz", + "integrity": "sha512-5mWb8U8aulYGwnDZWrr+vdgn5PilvtrqQYQ1pvpgzQes/osi85TwmL2GqTGLlKIvBKD2XNA61kAqXYY95w4LWg==", + "dev": true, + "dependencies": { + "@formatjs/ecma402-abstract": "1.9.8", + "@formatjs/icu-skeleton-parser": "1.2.12", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/icu-skeleton-parser": { + "version": "1.2.12", + "resolved": "https://registry.npmjs.org/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.2.12.tgz", + "integrity": "sha512-DTFxWmEA02ZNW6fsYjGYSADvtrqqjCYF7DSgCmMfaaE0gLP4pCdAgOPE+lkXXU+jP8iCw/YhMT2Seyk/C5lBWg==", + "dev": true, + "dependencies": { + "@formatjs/ecma402-abstract": "1.9.8", + "tslib": "^2.1.0" + } + }, + "node_modules/@formatjs/intl-localematcher": { + "version": "0.2.20", + "resolved": "https://registry.npmjs.org/@formatjs/intl-localematcher/-/intl-localematcher-0.2.20.tgz", + "integrity": "sha512-/Ro85goRZnCojzxOegANFYL0LaDIpdPjAukR7xMTjOtRx+3yyjR0ifGTOW3/Kjhmab3t6GnyHBYWZSudxEOxPA==", + "dev": true, + "dependencies": { + "tslib": "^2.1.0" + } + }, + "node_modules/@humanwhocodes/config-array": { + "version": "0.5.0", + "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.5.0.tgz", + "integrity": "sha512-FagtKFz74XrTl7y6HCzQpwDfXP0yhxe9lHLD1UZxjvZIcbyRz8zTFF/yYNfSfzU414eDwZ1SrO0Qvtyf+wFMQg==", + "dev": true, + "dependencies": { + "@humanwhocodes/object-schema": "^1.2.0", + "debug": "^4.1.1", + "minimatch": "^3.0.4" + }, + "engines": { + "node": ">=10.10.0" + } + }, + "node_modules/@humanwhocodes/object-schema": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.0.tgz", + "integrity": "sha512-wdppn25U8z/2yiaT6YGquE6X8sSv7hNMWSXYSSU1jGv/yd6XqjXgTDJ8KP4NgjTXfJ3GbRjeeb8RTV7a/VpM+w==", + "dev": true + }, + "node_modules/@rollup/pluginutils": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/@rollup/pluginutils/-/pluginutils-4.1.1.tgz", + "integrity": "sha512-clDjivHqWGXi7u+0d2r2sBi4Ie6VLEAzWMIkvJLnDmxoOhBYOTfzGbOQBA32THHm11/LiJbd01tJUpJsbshSWQ==", + "dev": true, + "dependencies": { + "estree-walker": "^2.0.1", + "picomatch": "^2.2.2" + }, + "engines": { + "node": ">= 8.0.0" + } + }, + "node_modules/@sveltejs/adapter-static": { + "version": "1.0.0-next.17", + "resolved": "https://registry.npmjs.org/@sveltejs/adapter-static/-/adapter-static-1.0.0-next.17.tgz", + "integrity": "sha512-RKYNkQxtsMgt0wD8PhfXR1hGT1Tmq1E5eZeTr1KxIerczITRnWVT8LElfu/9Kusv44yYlyQtNc1mLoYqgloOQw==", + "dev": true + }, + "node_modules/@sveltejs/kit": { + "version": "1.0.0-next.159", + "resolved": "https://registry.npmjs.org/@sveltejs/kit/-/kit-1.0.0-next.159.tgz", + "integrity": "sha512-aSq2zgnPmTFgiVBMtlkv5X/wnVBJDAmM9coRzk+qAKZoSLmLEmDteJbFt4m6IcAS7YoNKx/smSfC8QkdGjjrdg==", + "dev": true, + "dependencies": { + "@sveltejs/vite-plugin-svelte": "^1.0.0-next.16", + "cheap-watch": "^1.0.3", + "sade": "^1.7.4", + "vite": "^2.5.0" + }, + "bin": { + "svelte-kit": "svelte-kit.js" + }, + "engines": { + "node": "^12.20 || >=14.13" + }, + "peerDependencies": { + "svelte": "^3.39.0" + } + }, + "node_modules/@sveltejs/vite-plugin-svelte": { + "version": "1.0.0-next.19", + "resolved": "https://registry.npmjs.org/@sveltejs/vite-plugin-svelte/-/vite-plugin-svelte-1.0.0-next.19.tgz", + "integrity": "sha512-q9hHkMzodScwDq64pNaWhekpj97vWg3wO9T0rqd8bC2EsrBQs2uD1qMJvDqlNd63AbO2uSJMGo+TQ0Xt2xgyYg==", + "dev": true, + "dependencies": { + "@rollup/pluginutils": "^4.1.1", + "debug": "^4.3.2", + "kleur": "^4.1.4", + "magic-string": "^0.25.7", + "require-relative": "^0.8.7", + "svelte-hmr": "^0.14.7" + }, + "engines": { + "node": "^12.20 || ^14.13.1 || >= 16" + }, + "peerDependencies": { + "diff-match-patch": "^1.0.5", + "svelte": "^3.34.0", + "vite": "^2.3.7" + }, + "peerDependenciesMeta": { + "diff-match-patch": { + "optional": true + } + } + }, + "node_modules/acorn": { + "version": "7.4.1", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-7.4.1.tgz", + "integrity": "sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==", + "dev": true, + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-jsx": { + "version": "5.3.2", + "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz", + "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", + "dev": true, + "peerDependencies": { + "acorn": "^6.0.0 || ^7.0.0 || ^8.0.0" + } + }, + "node_modules/ajv": { + "version": "6.12.6", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", + "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", + "dev": true, + "dependencies": { + "fast-deep-equal": "^3.1.1", + "fast-json-stable-stringify": "^2.0.0", + "json-schema-traverse": "^0.4.1", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/ansi-colors": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/ansi-colors/-/ansi-colors-4.1.1.tgz", + "integrity": "sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/ansi-regex": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.0.tgz", + "integrity": "sha512-bY6fj56OUQ0hU1KjFNDQuJFezqKdrAyFdIevADiqrWHwSlbmBNMHp5ak2f40Pm8JTFyM2mqxkG6ngkHO11f/lg==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "dev": true, + "dependencies": { + "color-convert": "^2.0.1" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/chalk/ansi-styles?sponsor=1" + } + }, + "node_modules/argparse": { + "version": "1.0.10", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", + "dev": true, + "dependencies": { + "sprintf-js": "~1.0.2" + } + }, + "node_modules/astral-regex": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/astral-regex/-/astral-regex-2.0.0.tgz", + "integrity": "sha512-Z7tMw1ytTXt5jqMcOP+OQteU1VuNK9Y02uuJtKQ1Sv69jXQKKg5cibLwGJow8yzZP+eAc18EmLGPal0bp36rvQ==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", + "dev": true + }, + "node_modules/brace-expansion": { + "version": "1.1.11", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "dev": true, + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/callsites": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", + "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/chalk": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "dev": true, + "dependencies": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/chalk?sponsor=1" + } + }, + "node_modules/cheap-watch": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/cheap-watch/-/cheap-watch-1.0.3.tgz", + "integrity": "sha512-xC5CruMhLzjPwJ5ecUxGu1uGmwJQykUhqd2QrCrYbwvsFYdRyviu6jG9+pccwDXJR/OpmOTOJ9yLFunVgQu9wg==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dev": true, + "dependencies": { + "color-name": "~1.1.4" + }, + "engines": { + "node": ">=7.0.0" + } + }, + "node_modules/color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "dev": true + }, + "node_modules/colorette": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/colorette/-/colorette-1.3.0.tgz", + "integrity": "sha512-ecORCqbSFP7Wm8Y6lyqMJjexBQqXSF7SSeaTyGGphogUjBlFP9m9o08wy86HL2uB7fMTxtOUzLMk7ogKcxMg1w==", + "dev": true + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=", + "dev": true + }, + "node_modules/cross-spawn": { + "version": "7.0.3", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", + "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", + "dev": true, + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/debug": { + "version": "4.3.2", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.2.tgz", + "integrity": "sha512-mOp8wKcvj7XxC78zLgw/ZA+6TSgkoE2C/ienthhRD298T7UNwAg9diBpLRxC0mOezLl4B0xV7M0cCO6P/O0Xhw==", + "dev": true, + "dependencies": { + "ms": "2.1.2" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/deep-is": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.3.tgz", + "integrity": "sha1-s2nW+128E+7PUk+RsHD+7cNXzzQ=", + "dev": true + }, + "node_modules/deepmerge": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/deepmerge/-/deepmerge-4.2.2.tgz", + "integrity": "sha512-FJ3UgI4gIl+PHZm53knsuSFpE+nESMr7M4v9QcgB7S63Kj/6WqMiFQJpBBYz1Pt+66bZpP3Q7Lye0Oo9MPKEdg==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/doctrine": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz", + "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==", + "dev": true, + "dependencies": { + "esutils": "^2.0.2" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true + }, + "node_modules/enquirer": { + "version": "2.3.6", + "resolved": "https://registry.npmjs.org/enquirer/-/enquirer-2.3.6.tgz", + "integrity": "sha512-yjNnPr315/FjS4zIsUxYguYUPP2e1NK4d7E7ZOLiyYCcbFBiTMyID+2wvm2w6+pZ/odMA7cRkjhsPbltwBOrLg==", + "dev": true, + "dependencies": { + "ansi-colors": "^4.1.1" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/esbuild": { + "version": "0.12.24", + "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.12.24.tgz", + "integrity": "sha512-C0ibY+HsXzYB6L/pLWEiWjMpghKsIc58Q5yumARwBQsHl9DXPakW+5NI/Y9w4YXiz0PEP6XTGTT/OV4Nnsmb4A==", + "dev": true, + "hasInstallScript": true, + "bin": { + "esbuild": "bin/esbuild" + } + }, + "node_modules/escape-string-regexp": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", + "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", + "dev": true, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/eslint": { + "version": "7.32.0", + "resolved": "https://registry.npmjs.org/eslint/-/eslint-7.32.0.tgz", + "integrity": "sha512-VHZ8gX+EDfz+97jGcgyGCyRia/dPOd6Xh9yPv8Bl1+SoaIwD+a/vlrOmGRUyOYu7MwUhc7CxqeaDZU13S4+EpA==", + "dev": true, + "dependencies": { + "@babel/code-frame": "7.12.11", + "@eslint/eslintrc": "^0.4.3", + "@humanwhocodes/config-array": "^0.5.0", + "ajv": "^6.10.0", + "chalk": "^4.0.0", + "cross-spawn": "^7.0.2", + "debug": "^4.0.1", + "doctrine": "^3.0.0", + "enquirer": "^2.3.5", + "escape-string-regexp": "^4.0.0", + "eslint-scope": "^5.1.1", + "eslint-utils": "^2.1.0", + "eslint-visitor-keys": "^2.0.0", + "espree": "^7.3.1", + "esquery": "^1.4.0", + "esutils": "^2.0.2", + "fast-deep-equal": "^3.1.3", + "file-entry-cache": "^6.0.1", + "functional-red-black-tree": "^1.0.1", + "glob-parent": "^5.1.2", + "globals": "^13.6.0", + "ignore": "^4.0.6", + "import-fresh": "^3.0.0", + "imurmurhash": "^0.1.4", + "is-glob": "^4.0.0", + "js-yaml": "^3.13.1", + "json-stable-stringify-without-jsonify": "^1.0.1", + "levn": "^0.4.1", + "lodash.merge": "^4.6.2", + "minimatch": "^3.0.4", + "natural-compare": "^1.4.0", + "optionator": "^0.9.1", + "progress": "^2.0.0", + "regexpp": "^3.1.0", + "semver": "^7.2.1", + "strip-ansi": "^6.0.0", + "strip-json-comments": "^3.1.0", + "table": "^6.0.9", + "text-table": "^0.2.0", + "v8-compile-cache": "^2.0.3" + }, + "bin": { + "eslint": "bin/eslint.js" + }, + "engines": { + "node": "^10.12.0 || >=12.0.0" + }, + "funding": { + "url": "https://opencollective.com/eslint" + } + }, + "node_modules/eslint-plugin-svelte3": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/eslint-plugin-svelte3/-/eslint-plugin-svelte3-3.2.0.tgz", + "integrity": "sha512-qdWB1QN21dEozsJFdR8XlEhMnsS6aKHjsXWuNmchYwxoet5I6QdCr1Xcq62++IzRBMCNCeH4waXqSOAdqrZzgA==", + "dev": true, + "engines": { + "node": ">=10" + }, + "peerDependencies": { + "eslint": ">=6.0.0", + "svelte": "^3.2.0" + } + }, + "node_modules/eslint-scope": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz", + "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==", + "dev": true, + "dependencies": { + "esrecurse": "^4.3.0", + "estraverse": "^4.1.1" + }, + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/eslint-utils": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-2.1.0.tgz", + "integrity": "sha512-w94dQYoauyvlDc43XnGB8lU3Zt713vNChgt4EWwhXAP2XkBvndfxF0AgIqKOOasjPIPzj9JqgwkwbCYD0/V3Zg==", + "dev": true, + "dependencies": { + "eslint-visitor-keys": "^1.1.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/mysticatea" + } + }, + "node_modules/eslint-utils/node_modules/eslint-visitor-keys": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-1.3.0.tgz", + "integrity": "sha512-6J72N8UNa462wa/KFODt/PJ3IU60SDpC3QXC1Hjc1BXXpfL2C9R5+AU7jhe0F6GREqVMh4Juu+NY7xn+6dipUQ==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/eslint-visitor-keys": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz", + "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==", + "dev": true, + "engines": { + "node": ">=10" + } + }, + "node_modules/espree": { + "version": "7.3.1", + "resolved": "https://registry.npmjs.org/espree/-/espree-7.3.1.tgz", + "integrity": "sha512-v3JCNCE64umkFpmkFGqzVKsOT0tN1Zr+ueqLZfpV1Ob8e+CEgPWa+OxCoGH3tnhimMKIaBm4m/vaRpJ/krRz2g==", + "dev": true, + "dependencies": { + "acorn": "^7.4.0", + "acorn-jsx": "^5.3.1", + "eslint-visitor-keys": "^1.3.0" + }, + "engines": { + "node": "^10.12.0 || >=12.0.0" + } + }, + "node_modules/espree/node_modules/eslint-visitor-keys": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-1.3.0.tgz", + "integrity": "sha512-6J72N8UNa462wa/KFODt/PJ3IU60SDpC3QXC1Hjc1BXXpfL2C9R5+AU7jhe0F6GREqVMh4Juu+NY7xn+6dipUQ==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/esprima": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", + "dev": true, + "bin": { + "esparse": "bin/esparse.js", + "esvalidate": "bin/esvalidate.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/esquery": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz", + "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==", + "dev": true, + "dependencies": { + "estraverse": "^5.1.0" + }, + "engines": { + "node": ">=0.10" + } + }, + "node_modules/esquery/node_modules/estraverse": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.2.0.tgz", + "integrity": "sha512-BxbNGGNm0RyRYvUdHpIwv9IWzeM9XClbOxwoATuFdOE7ZE6wHL+HQ5T8hoPM+zHvmKzzsEqhgy0GrQ5X13afiQ==", + "dev": true, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/esrecurse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", + "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", + "dev": true, + "dependencies": { + "estraverse": "^5.2.0" + }, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/esrecurse/node_modules/estraverse": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.2.0.tgz", + "integrity": "sha512-BxbNGGNm0RyRYvUdHpIwv9IWzeM9XClbOxwoATuFdOE7ZE6wHL+HQ5T8hoPM+zHvmKzzsEqhgy0GrQ5X13afiQ==", + "dev": true, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/estraverse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz", + "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==", + "dev": true, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/estree-walker": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/estree-walker/-/estree-walker-2.0.2.tgz", + "integrity": "sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==", + "dev": true + }, + "node_modules/esutils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", + "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/fast-deep-equal": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", + "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", + "dev": true + }, + "node_modules/fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", + "dev": true + }, + "node_modules/fast-levenshtein": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", + "integrity": "sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=", + "dev": true + }, + "node_modules/file-entry-cache": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz", + "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==", + "dev": true, + "dependencies": { + "flat-cache": "^3.0.4" + }, + "engines": { + "node": "^10.12.0 || >=12.0.0" + } + }, + "node_modules/flat-cache": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz", + "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==", + "dev": true, + "dependencies": { + "flatted": "^3.1.0", + "rimraf": "^3.0.2" + }, + "engines": { + "node": "^10.12.0 || >=12.0.0" + } + }, + "node_modules/flatted": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.2.tgz", + "integrity": "sha512-JaTY/wtrcSyvXJl4IMFHPKyFur1sE9AUqc0QnhOaJ0CxHtAoIV8pYDzeEfAaNEtGkOfq4gr3LBFmdXW5mOQFnA==", + "dev": true + }, + "node_modules/fs.realpath": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha1-FQStJSMVjKpA20onh8sBQRmU6k8=", + "dev": true + }, + "node_modules/fsevents": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz", + "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==", + "dev": true, + "hasInstallScript": true, + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", + "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==", + "dev": true + }, + "node_modules/functional-red-black-tree": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz", + "integrity": "sha1-GwqzvVU7Kg1jmdKcDj6gslIHgyc=", + "dev": true + }, + "node_modules/glob": { + "version": "7.1.7", + "resolved": "https://registry.npmjs.org/glob/-/glob-7.1.7.tgz", + "integrity": "sha512-OvD9ENzPLbegENnYP5UUfJIirTg4+XwMWGaQfQTY0JenxNvvIKP3U3/tAQSPIu/lHxXYSZmpXlUHeqAIdKzBLQ==", + "dev": true, + "dependencies": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.0.4", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + }, + "engines": { + "node": "*" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob-parent": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "dev": true, + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/globals": { + "version": "13.11.0", + "resolved": "https://registry.npmjs.org/globals/-/globals-13.11.0.tgz", + "integrity": "sha512-08/xrJ7wQjK9kkkRoI3OFUBbLx4f+6x3SGwcPvQ0QH6goFDrOU2oyAWrmh3dJezu65buo+HBMzAMQy6rovVC3g==", + "dev": true, + "dependencies": { + "type-fest": "^0.20.2" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/globalyzer": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/globalyzer/-/globalyzer-0.1.0.tgz", + "integrity": "sha512-40oNTM9UfG6aBmuKxk/giHn5nQ8RVz/SS4Ir6zgzOv9/qC3kKZ9v4etGTcJbEl/NyVQH7FGU7d+X1egr57Md2Q==", + "dev": true + }, + "node_modules/globrex": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/globrex/-/globrex-0.1.2.tgz", + "integrity": "sha512-uHJgbwAMwNFf5mLst7IWLNg14x1CkeqglJb/K3doi4dw6q2IvAAmM/Y81kevy83wP+Sst+nutFTYOGg3d1lsxg==", + "dev": true + }, + "node_modules/has": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", + "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", + "dev": true, + "dependencies": { + "function-bind": "^1.1.1" + }, + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/ignore": { + "version": "4.0.6", + "resolved": "https://registry.npmjs.org/ignore/-/ignore-4.0.6.tgz", + "integrity": "sha512-cyFDKrqc/YdcWFniJhzI42+AzS+gNwmUzOSFcRCQYwySuBBBy/KjuxWLZ/FHEH6Moq1NizMOBWyTcv8O4OZIMg==", + "dev": true, + "engines": { + "node": ">= 4" + } + }, + "node_modules/import-fresh": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz", + "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==", + "dev": true, + "dependencies": { + "parent-module": "^1.0.0", + "resolve-from": "^4.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/imurmurhash": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", + "integrity": "sha1-khi5srkoojixPcT7a21XbyMUU+o=", + "dev": true, + "engines": { + "node": ">=0.8.19" + } + }, + "node_modules/inflight": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=", + "dev": true, + "dependencies": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", + "dev": true + }, + "node_modules/intl-messageformat": { + "version": "9.9.1", + "resolved": "https://registry.npmjs.org/intl-messageformat/-/intl-messageformat-9.9.1.tgz", + "integrity": "sha512-cuzS/XKHn//hvKka77JKU2dseiVY2dofQjIOZv6ZFxFt4Z9sPXnZ7KQ9Ak2r+4XBCjI04MqJ1PhKs/3X22AkfA==", + "dev": true, + "dependencies": { + "@formatjs/fast-memoize": "1.2.0", + "@formatjs/icu-messageformat-parser": "2.0.11", + "tslib": "^2.1.0" + } + }, + "node_modules/is-core-module": { + "version": "2.6.0", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.6.0.tgz", + "integrity": "sha512-wShG8vs60jKfPWpF2KZRaAtvt3a20OAn7+IJ6hLPECpSABLcKtFKTTI4ZtH5QcBruBHlq+WsdHWyz0BCZW7svQ==", + "dev": true, + "dependencies": { + "has": "^1.0.3" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-extglob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha1-qIwCU1eR8C7TfHahueqXc8gz+MI=", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/is-glob": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.1.tgz", + "integrity": "sha512-5G0tKtBTFImOqDnLB2hG6Bp2qcKEFduo4tZu9MT/H6NQv/ghhy30o55ufafxJ/LdH79LLs2Kfrn85TLKyA7BUg==", + "dev": true, + "dependencies": { + "is-extglob": "^2.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=", + "dev": true + }, + "node_modules/js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", + "dev": true + }, + "node_modules/js-yaml": { + "version": "3.14.1", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", + "dev": true, + "dependencies": { + "argparse": "^1.0.7", + "esprima": "^4.0.0" + }, + "bin": { + "js-yaml": "bin/js-yaml.js" + } + }, + "node_modules/json-schema-traverse": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", + "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", + "dev": true + }, + "node_modules/json-stable-stringify-without-jsonify": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", + "integrity": "sha1-nbe1lJatPzz+8wp1FC0tkwrXJlE=", + "dev": true + }, + "node_modules/kleur": { + "version": "4.1.4", + "resolved": "https://registry.npmjs.org/kleur/-/kleur-4.1.4.tgz", + "integrity": "sha512-8QADVssbrFjivHWQU7KkMgptGTl6WAcSdlbBPY4uNF+mWr6DGcKrvY2w4FQJoXch7+fKMjj0dRrL75vk3k23OA==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/language-name-map": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/language-name-map/-/language-name-map-0.3.0.tgz", + "integrity": "sha512-uoBHtfY6h4S2RoIpyqvQGhynX2hshQu/9S4ySbppGxG5VwEsiWZJ83xSjzx25Mb+Bmc+WxpQC0H54eNZVMWLuA==", + "dev": true + }, + "node_modules/levn": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz", + "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", + "dev": true, + "dependencies": { + "prelude-ls": "^1.2.1", + "type-check": "~0.4.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/lodash.clonedeep": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/lodash.clonedeep/-/lodash.clonedeep-4.5.0.tgz", + "integrity": "sha1-4j8/nE+Pvd6HJSnBBxhXoIblzO8=", + "dev": true + }, + "node_modules/lodash.merge": { + "version": "4.6.2", + "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz", + "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", + "dev": true + }, + "node_modules/lodash.truncate": { + "version": "4.4.2", + "resolved": "https://registry.npmjs.org/lodash.truncate/-/lodash.truncate-4.4.2.tgz", + "integrity": "sha1-WjUNoLERO4N+z//VgSy+WNbq4ZM=", + "dev": true + }, + "node_modules/lru-cache": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", + "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", + "dev": true, + "dependencies": { + "yallist": "^4.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/magic-string": { + "version": "0.25.7", + "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.25.7.tgz", + "integrity": "sha512-4CrMT5DOHTDk4HYDlzmwu4FVCcIYI8gauveasrdCu2IKIFOJ3f0v/8MDGJCDL9oD2ppz/Av1b0Nj345H9M+XIA==", + "dev": true, + "dependencies": { + "sourcemap-codec": "^1.4.4" + } + }, + "node_modules/minimatch": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.0.4.tgz", + "integrity": "sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==", + "dev": true, + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/mri": { + "version": "1.1.6", + "resolved": "https://registry.npmjs.org/mri/-/mri-1.1.6.tgz", + "integrity": "sha512-oi1b3MfbyGa7FJMP9GmLTttni5JoICpYBRlq+x5V16fZbLsnL9N3wFqqIm/nIG43FjUFkFh9Epzp/kzUGUnJxQ==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==", + "dev": true + }, + "node_modules/nanoid": { + "version": "3.1.25", + "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.1.25.tgz", + "integrity": "sha512-rdwtIXaXCLFAQbnfqDRnI6jaRHp9fTcYBjtFKE8eezcZ7LuLjhUaQGNeMXf1HmRoCH32CLz6XwX0TtxEOS/A3Q==", + "dev": true, + "bin": { + "nanoid": "bin/nanoid.cjs" + }, + "engines": { + "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" + } + }, + "node_modules/natural-compare": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", + "integrity": "sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=", + "dev": true + }, + "node_modules/once": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", + "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", + "dev": true, + "dependencies": { + "wrappy": "1" + } + }, + "node_modules/optionator": { + "version": "0.9.1", + "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz", + "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==", + "dev": true, + "dependencies": { + "deep-is": "^0.1.3", + "fast-levenshtein": "^2.0.6", + "levn": "^0.4.1", + "prelude-ls": "^1.2.1", + "type-check": "^0.4.0", + "word-wrap": "^1.2.3" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/parent-module": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz", + "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", + "dev": true, + "dependencies": { + "callsites": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/path-is-absolute": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha1-F0uSaHNVNP+8es5r9TpanhtcX18=", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/path-parse": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", + "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", + "dev": true + }, + "node_modules/picomatch": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.0.tgz", + "integrity": "sha512-lY1Q/PiJGC2zOv/z391WOTD+Z02bCgsFfvxoXXf6h7kv9o+WmsmzYqrAwY63sNgOxE4xEdq0WyUnXfKeBrSvYw==", + "dev": true, + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/postcss": { + "version": "8.3.6", + "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.3.6.tgz", + "integrity": "sha512-wG1cc/JhRgdqB6WHEuyLTedf3KIRuD0hG6ldkFEZNCjRxiC+3i6kkWUUbiJQayP28iwG35cEmAbe98585BYV0A==", + "dev": true, + "dependencies": { + "colorette": "^1.2.2", + "nanoid": "^3.1.23", + "source-map-js": "^0.6.2" + }, + "engines": { + "node": "^10 || ^12 || >=14" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + } + }, + "node_modules/prelude-ls": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz", + "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", + "dev": true, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/progress": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/progress/-/progress-2.0.3.tgz", + "integrity": "sha512-7PiHtLll5LdnKIMw100I+8xJXR5gW2QwWYkT6iJva0bXitZKa/XMrSbdmg3r2Xnaidz9Qumd0VPaMrZlF9V9sA==", + "dev": true, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/punycode": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", + "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/regexpp": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz", + "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==", + "dev": true, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/mysticatea" + } + }, + "node_modules/require-from-string": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/require-from-string/-/require-from-string-2.0.2.tgz", + "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/require-relative": { + "version": "0.8.7", + "resolved": "https://registry.npmjs.org/require-relative/-/require-relative-0.8.7.tgz", + "integrity": "sha1-eZlTn8ngR6N5KPoZb44VY9q9Nt4=", + "dev": true + }, + "node_modules/resolve": { + "version": "1.20.0", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.20.0.tgz", + "integrity": "sha512-wENBPt4ySzg4ybFQW2TT1zMQucPK95HSh/nq2CFTZVOGut2+pQvSsgtda4d26YrYcr067wjbmzOG8byDPBX63A==", + "dev": true, + "dependencies": { + "is-core-module": "^2.2.0", + "path-parse": "^1.0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/resolve-from": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz", + "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/rimraf": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "dev": true, + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/rollup": { + "version": "2.56.3", + "resolved": "https://registry.npmjs.org/rollup/-/rollup-2.56.3.tgz", + "integrity": "sha512-Au92NuznFklgQCUcV96iXlxUbHuB1vQMaH76DHl5M11TotjOHwqk9CwcrT78+Tnv4FN9uTBxq6p4EJoYkpyekg==", + "dev": true, + "bin": { + "rollup": "dist/bin/rollup" + }, + "engines": { + "node": ">=10.0.0" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/sade": { + "version": "1.7.4", + "resolved": "https://registry.npmjs.org/sade/-/sade-1.7.4.tgz", + "integrity": "sha512-y5yauMD93rX840MwUJr7C1ysLFBgMspsdTo4UVrDg3fXDvtwOyIqykhVAAm6fk/3au77773itJStObgK+LKaiA==", + "dev": true, + "dependencies": { + "mri": "^1.1.0" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/semver": { + "version": "7.3.5", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.5.tgz", + "integrity": "sha512-PoeGJYh8HK4BTO/a9Tf6ZG3veo/A7ZVsYrSA6J8ny9nb3B1VrpkuN+z9OE5wfE5p6H4LchYZsegiQgbJD94ZFQ==", + "dev": true, + "dependencies": { + "lru-cache": "^6.0.0" + }, + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/slice-ansi": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/slice-ansi/-/slice-ansi-4.0.0.tgz", + "integrity": "sha512-qMCMfhY040cVHT43K9BFygqYbUPFZKHOg7K73mtTWJRb8pyP3fzf4Ixd5SzdEJQ6MRUg/WBnOLxghZtKKurENQ==", + "dev": true, + "dependencies": { + "ansi-styles": "^4.0.0", + "astral-regex": "^2.0.0", + "is-fullwidth-code-point": "^3.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/slice-ansi?sponsor=1" + } + }, + "node_modules/source-map-js": { + "version": "0.6.2", + "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-0.6.2.tgz", + "integrity": "sha512-/3GptzWzu0+0MBQFrDKzw/DvvMTUORvgY6k6jd/VS6iCR4RDTKWH6v6WPwQoUO8667uQEf9Oe38DxAYWY5F/Ug==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/sourcemap-codec": { + "version": "1.4.8", + "resolved": "https://registry.npmjs.org/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz", + "integrity": "sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA==", + "dev": true + }, + "node_modules/sprintf-js": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=", + "dev": true + }, + "node_modules/string-width": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.2.tgz", + "integrity": "sha512-XBJbT3N4JhVumXE0eoLU9DCjcaF92KLNqTmFCnG1pf8duUxFGwtP6AD6nkjw9a3IdiRtL3E2w3JDiE/xi3vOeA==", + "dev": true, + "dependencies": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-ansi": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.0.tgz", + "integrity": "sha512-AuvKTrTfQNYNIctbR1K/YGTR1756GycPsg7b9bdV9Duqur4gv6aKqHXah67Z8ImS7WEz5QVcOtlfW2rZEugt6w==", + "dev": true, + "dependencies": { + "ansi-regex": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-json-comments": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", + "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", + "dev": true, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/svelte": { + "version": "3.42.4", + "resolved": "https://registry.npmjs.org/svelte/-/svelte-3.42.4.tgz", + "integrity": "sha512-DqC0AmDdBrrbIA+Kzl3yhBb6qCn4vZOAfxye2pTnIpinLegyagC5sLI8Pe9GPlXu9VpHBXIwpDDedpMfu++epA==", + "dev": true, + "engines": { + "node": ">= 8" + } + }, + "node_modules/svelte-hmr": { + "version": "0.14.7", + "resolved": "https://registry.npmjs.org/svelte-hmr/-/svelte-hmr-0.14.7.tgz", + "integrity": "sha512-pDrzgcWSoMaK6AJkBWkmgIsecW0GChxYZSZieIYfCP0v2oPyx2CYU/zm7TBIcjLVUPP714WxmViE9Thht4etog==", + "dev": true, + "peerDependencies": { + "svelte": ">=3.19.0" + } + }, + "node_modules/svelte-i18n": { + "version": "3.3.10", + "resolved": "https://registry.npmjs.org/svelte-i18n/-/svelte-i18n-3.3.10.tgz", + "integrity": "sha512-MWoiZOCgX2P57UqjSp2Sly6csSuySoxbmC/e+vak3valteEa0CqHYzPTA6NNNj8pBCpdaMp9sBRkG1eebk0rFg==", + "dev": true, + "dependencies": { + "deepmerge": "^4.2.2", + "estree-walker": "^2.0.1", + "intl-messageformat": "^9.3.15", + "sade": "^1.7.4", + "tiny-glob": "^0.2.6" + }, + "bin": { + "svelte-i18n": "dist/cli.js" + }, + "engines": { + "node": ">= 11.15.0" + }, + "peerDependencies": { + "svelte": "^3.25.1" + } + }, + "node_modules/table": { + "version": "6.7.1", + "resolved": "https://registry.npmjs.org/table/-/table-6.7.1.tgz", + "integrity": "sha512-ZGum47Yi6KOOFDE8m223td53ath2enHcYLgOCjGr5ngu8bdIARQk6mN/wRMv4yMRcHnCSnHbCEha4sobQx5yWg==", + "dev": true, + "dependencies": { + "ajv": "^8.0.1", + "lodash.clonedeep": "^4.5.0", + "lodash.truncate": "^4.4.2", + "slice-ansi": "^4.0.0", + "string-width": "^4.2.0", + "strip-ansi": "^6.0.0" + }, + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/table/node_modules/ajv": { + "version": "8.6.2", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.6.2.tgz", + "integrity": "sha512-9807RlWAgT564wT+DjeyU5OFMPjmzxVobvDFmNAhY+5zD6A2ly3jDp6sgnfyDtlIQ+7H97oc/DGCzzfu9rjw9w==", + "dev": true, + "dependencies": { + "fast-deep-equal": "^3.1.1", + "json-schema-traverse": "^1.0.0", + "require-from-string": "^2.0.2", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/table/node_modules/json-schema-traverse": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", + "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", + "dev": true + }, + "node_modules/text-table": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz", + "integrity": "sha1-f17oI66AUgfACvLfSoTsP8+lcLQ=", + "dev": true + }, + "node_modules/tiny-glob": { + "version": "0.2.9", + "resolved": "https://registry.npmjs.org/tiny-glob/-/tiny-glob-0.2.9.tgz", + "integrity": "sha512-g/55ssRPUjShh+xkfx9UPDXqhckHEsHr4Vd9zX55oSdGZc/MD0m3sferOkwWtp98bv+kcVfEHtRJgBVJzelrzg==", + "dev": true, + "dependencies": { + "globalyzer": "0.1.0", + "globrex": "^0.1.2" + } + }, + "node_modules/tslib": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.3.1.tgz", + "integrity": "sha512-77EbyPPpMz+FRFRuAFlWMtmgUWGe9UOG2Z25NqCwiIjRhOf5iKGuzSe5P2w1laq+FkRy4p+PCuVkJSGkzTEKVw==", + "dev": true + }, + "node_modules/type-check": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz", + "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", + "dev": true, + "dependencies": { + "prelude-ls": "^1.2.1" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/type-fest": { + "version": "0.20.2", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz", + "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", + "dev": true, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/uri-js": { + "version": "4.4.1", + "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", + "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", + "dev": true, + "dependencies": { + "punycode": "^2.1.0" + } + }, + "node_modules/v8-compile-cache": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz", + "integrity": "sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==", + "dev": true + }, + "node_modules/vite": { + "version": "2.5.1", + "resolved": "https://registry.npmjs.org/vite/-/vite-2.5.1.tgz", + "integrity": "sha512-FwmLbbz8MB1pBs9dKoRDgpiqoijif8hSK1+NNUYc12/cnf+pM2UFhhQ1rcpXgbMhm/5c2USZdVAf0FSkSxaFDA==", + "dev": true, + "dependencies": { + "esbuild": "^0.12.17", + "postcss": "^8.3.6", + "resolve": "^1.20.0", + "rollup": "^2.38.5" + }, + "bin": { + "vite": "bin/vite.js" + }, + "engines": { + "node": ">=12.2.0" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/word-wrap": { + "version": "1.2.3", + "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", + "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/wrappy": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", + "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=", + "dev": true + }, + "node_modules/yallist": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", + "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==", + "dev": true + } + }, + "dependencies": { + "@babel/code-frame": { + "version": "7.12.11", + "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.12.11.tgz", + "integrity": "sha512-Zt1yodBx1UcyiePMSkWnU4hPqhwq7hGi2nFL1LeA3EUl+q2LQx16MISgJ0+z7dnmgvP9QtIleuETGOiOH1RcIw==", + "dev": true, + "requires": { + "@babel/highlight": "^7.10.4" + } + }, + "@babel/helper-validator-identifier": { + "version": "7.14.9", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.14.9.tgz", + "integrity": "sha512-pQYxPY0UP6IHISRitNe8bsijHex4TWZXi2HwKVsjPiltzlhse2znVcm9Ace510VT1kxIHjGJCZZQBX2gJDbo0g==", + "dev": true + }, + "@babel/highlight": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.14.5.tgz", + "integrity": "sha512-qf9u2WFWVV0MppaL877j2dBtQIDgmidgjGk5VIMw3OadXvYaXn66U1BFlH2t4+t3i+8PhedppRv+i40ABzd+gg==", + "dev": true, + "requires": { + "@babel/helper-validator-identifier": "^7.14.5", + "chalk": "^2.0.0", + "js-tokens": "^4.0.0" + }, + "dependencies": { + "ansi-styles": { + "version": "3.2.1", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz", + "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", + "dev": true, + "requires": { + "color-convert": "^1.9.0" + } + }, + "chalk": { + "version": "2.4.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz", + "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", + "dev": true, + "requires": { + "ansi-styles": "^3.2.1", + "escape-string-regexp": "^1.0.5", + "supports-color": "^5.3.0" + } + }, + "color-convert": { + "version": "1.9.3", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz", + "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", + "dev": true, + "requires": { + "color-name": "1.1.3" + } + }, + "color-name": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz", + "integrity": "sha1-p9BVi9icQveV3UIyj3QIMcpTvCU=", + "dev": true + }, + "escape-string-regexp": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ=", + "dev": true + }, + "has-flag": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha1-tdRU3CGZriJWmfNGfloH87lVuv0=", + "dev": true + }, + "supports-color": { + "version": "5.5.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", + "dev": true, + "requires": { + "has-flag": "^3.0.0" + } + } + } + }, + "@eslint/eslintrc": { + "version": "0.4.3", + "resolved": "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-0.4.3.tgz", + "integrity": "sha512-J6KFFz5QCYUJq3pf0mjEcCJVERbzv71PUIDczuh9JkwGEzced6CO5ADLHB1rbf/+oPBtoPfMYNOpGDzCANlbXw==", + "dev": true, + "requires": { + "ajv": "^6.12.4", + "debug": "^4.1.1", + "espree": "^7.3.0", + "globals": "^13.9.0", + "ignore": "^4.0.6", + "import-fresh": "^3.2.1", + "js-yaml": "^3.13.1", + "minimatch": "^3.0.4", + "strip-json-comments": "^3.1.1" + } + }, + "@formatjs/ecma402-abstract": { + "version": "1.9.8", + "resolved": "https://registry.npmjs.org/@formatjs/ecma402-abstract/-/ecma402-abstract-1.9.8.tgz", + "integrity": "sha512-2U4n11bLmTij/k4ePCEFKJILPYwdMcJTdnKVBi+JMWBgu5O1N+XhCazlE6QXqVO1Agh2Doh0b/9Jf1mSmSVfhA==", + "dev": true, + "requires": { + "@formatjs/intl-localematcher": "0.2.20", + "tslib": "^2.1.0" + } + }, + "@formatjs/fast-memoize": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@formatjs/fast-memoize/-/fast-memoize-1.2.0.tgz", + "integrity": "sha512-fObitP9Tlc31SKrPHgkPgQpGo4+4yXfQQITTCNH8AZdEqB7Mq4nPrjpUL/tNGN3lEeJcFxDbi0haX8HM7QvQ8w==", + "dev": true, + "requires": { + "tslib": "^2.1.0" + } + }, + "@formatjs/icu-messageformat-parser": { + "version": "2.0.11", + "resolved": "https://registry.npmjs.org/@formatjs/icu-messageformat-parser/-/icu-messageformat-parser-2.0.11.tgz", + "integrity": "sha512-5mWb8U8aulYGwnDZWrr+vdgn5PilvtrqQYQ1pvpgzQes/osi85TwmL2GqTGLlKIvBKD2XNA61kAqXYY95w4LWg==", + "dev": true, + "requires": { + "@formatjs/ecma402-abstract": "1.9.8", + "@formatjs/icu-skeleton-parser": "1.2.12", + "tslib": "^2.1.0" + } + }, + "@formatjs/icu-skeleton-parser": { + "version": "1.2.12", + "resolved": "https://registry.npmjs.org/@formatjs/icu-skeleton-parser/-/icu-skeleton-parser-1.2.12.tgz", + "integrity": "sha512-DTFxWmEA02ZNW6fsYjGYSADvtrqqjCYF7DSgCmMfaaE0gLP4pCdAgOPE+lkXXU+jP8iCw/YhMT2Seyk/C5lBWg==", + "dev": true, + "requires": { + "@formatjs/ecma402-abstract": "1.9.8", + "tslib": "^2.1.0" + } + }, + "@formatjs/intl-localematcher": { + "version": "0.2.20", + "resolved": "https://registry.npmjs.org/@formatjs/intl-localematcher/-/intl-localematcher-0.2.20.tgz", + "integrity": "sha512-/Ro85goRZnCojzxOegANFYL0LaDIpdPjAukR7xMTjOtRx+3yyjR0ifGTOW3/Kjhmab3t6GnyHBYWZSudxEOxPA==", + "dev": true, + "requires": { + "tslib": "^2.1.0" + } + }, + "@humanwhocodes/config-array": { + "version": "0.5.0", + "resolved": "https://registry.npmjs.org/@humanwhocodes/config-array/-/config-array-0.5.0.tgz", + "integrity": "sha512-FagtKFz74XrTl7y6HCzQpwDfXP0yhxe9lHLD1UZxjvZIcbyRz8zTFF/yYNfSfzU414eDwZ1SrO0Qvtyf+wFMQg==", + "dev": true, + "requires": { + "@humanwhocodes/object-schema": "^1.2.0", + "debug": "^4.1.1", + "minimatch": "^3.0.4" + } + }, + "@humanwhocodes/object-schema": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@humanwhocodes/object-schema/-/object-schema-1.2.0.tgz", + "integrity": "sha512-wdppn25U8z/2yiaT6YGquE6X8sSv7hNMWSXYSSU1jGv/yd6XqjXgTDJ8KP4NgjTXfJ3GbRjeeb8RTV7a/VpM+w==", + "dev": true + }, + "@rollup/pluginutils": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/@rollup/pluginutils/-/pluginutils-4.1.1.tgz", + "integrity": "sha512-clDjivHqWGXi7u+0d2r2sBi4Ie6VLEAzWMIkvJLnDmxoOhBYOTfzGbOQBA32THHm11/LiJbd01tJUpJsbshSWQ==", + "dev": true, + "requires": { + "estree-walker": "^2.0.1", + "picomatch": "^2.2.2" + } + }, + "@sveltejs/adapter-static": { + "version": "1.0.0-next.17", + "resolved": "https://registry.npmjs.org/@sveltejs/adapter-static/-/adapter-static-1.0.0-next.17.tgz", + "integrity": "sha512-RKYNkQxtsMgt0wD8PhfXR1hGT1Tmq1E5eZeTr1KxIerczITRnWVT8LElfu/9Kusv44yYlyQtNc1mLoYqgloOQw==", + "dev": true + }, + "@sveltejs/kit": { + "version": "1.0.0-next.159", + "resolved": "https://registry.npmjs.org/@sveltejs/kit/-/kit-1.0.0-next.159.tgz", + "integrity": "sha512-aSq2zgnPmTFgiVBMtlkv5X/wnVBJDAmM9coRzk+qAKZoSLmLEmDteJbFt4m6IcAS7YoNKx/smSfC8QkdGjjrdg==", + "dev": true, + "requires": { + "@sveltejs/vite-plugin-svelte": "^1.0.0-next.16", + "cheap-watch": "^1.0.3", + "sade": "^1.7.4", + "vite": "^2.5.0" + } + }, + "@sveltejs/vite-plugin-svelte": { + "version": "1.0.0-next.19", + "resolved": "https://registry.npmjs.org/@sveltejs/vite-plugin-svelte/-/vite-plugin-svelte-1.0.0-next.19.tgz", + "integrity": "sha512-q9hHkMzodScwDq64pNaWhekpj97vWg3wO9T0rqd8bC2EsrBQs2uD1qMJvDqlNd63AbO2uSJMGo+TQ0Xt2xgyYg==", + "dev": true, + "requires": { + "@rollup/pluginutils": "^4.1.1", + "debug": "^4.3.2", + "kleur": "^4.1.4", + "magic-string": "^0.25.7", + "require-relative": "^0.8.7", + "svelte-hmr": "^0.14.7" + } + }, + "acorn": { + "version": "7.4.1", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-7.4.1.tgz", + "integrity": "sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==", + "dev": true + }, + "acorn-jsx": { + "version": "5.3.2", + "resolved": "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz", + "integrity": "sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==", + "dev": true, + "requires": {} + }, + "ajv": { + "version": "6.12.6", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", + "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", + "dev": true, + "requires": { + "fast-deep-equal": "^3.1.1", + "fast-json-stable-stringify": "^2.0.0", + "json-schema-traverse": "^0.4.1", + "uri-js": "^4.2.2" + } + }, + "ansi-colors": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/ansi-colors/-/ansi-colors-4.1.1.tgz", + "integrity": "sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA==", + "dev": true + }, + "ansi-regex": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.0.tgz", + "integrity": "sha512-bY6fj56OUQ0hU1KjFNDQuJFezqKdrAyFdIevADiqrWHwSlbmBNMHp5ak2f40Pm8JTFyM2mqxkG6ngkHO11f/lg==", + "dev": true + }, + "ansi-styles": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", + "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", + "dev": true, + "requires": { + "color-convert": "^2.0.1" + } + }, + "argparse": { + "version": "1.0.10", + "resolved": "https://registry.npmjs.org/argparse/-/argparse-1.0.10.tgz", + "integrity": "sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==", + "dev": true, + "requires": { + "sprintf-js": "~1.0.2" + } + }, + "astral-regex": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/astral-regex/-/astral-regex-2.0.0.tgz", + "integrity": "sha512-Z7tMw1ytTXt5jqMcOP+OQteU1VuNK9Y02uuJtKQ1Sv69jXQKKg5cibLwGJow8yzZP+eAc18EmLGPal0bp36rvQ==", + "dev": true + }, + "balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", + "dev": true + }, + "brace-expansion": { + "version": "1.1.11", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "dev": true, + "requires": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "callsites": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz", + "integrity": "sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==", + "dev": true + }, + "chalk": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz", + "integrity": "sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==", + "dev": true, + "requires": { + "ansi-styles": "^4.1.0", + "supports-color": "^7.1.0" + } + }, + "cheap-watch": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/cheap-watch/-/cheap-watch-1.0.3.tgz", + "integrity": "sha512-xC5CruMhLzjPwJ5ecUxGu1uGmwJQykUhqd2QrCrYbwvsFYdRyviu6jG9+pccwDXJR/OpmOTOJ9yLFunVgQu9wg==", + "dev": true + }, + "color-convert": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", + "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", + "dev": true, + "requires": { + "color-name": "~1.1.4" + } + }, + "color-name": { + "version": "1.1.4", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", + "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", + "dev": true + }, + "colorette": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/colorette/-/colorette-1.3.0.tgz", + "integrity": "sha512-ecORCqbSFP7Wm8Y6lyqMJjexBQqXSF7SSeaTyGGphogUjBlFP9m9o08wy86HL2uB7fMTxtOUzLMk7ogKcxMg1w==", + "dev": true + }, + "concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=", + "dev": true + }, + "cross-spawn": { + "version": "7.0.3", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", + "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", + "dev": true, + "requires": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + } + }, + "debug": { + "version": "4.3.2", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.2.tgz", + "integrity": "sha512-mOp8wKcvj7XxC78zLgw/ZA+6TSgkoE2C/ienthhRD298T7UNwAg9diBpLRxC0mOezLl4B0xV7M0cCO6P/O0Xhw==", + "dev": true, + "requires": { + "ms": "2.1.2" + } + }, + "deep-is": { + "version": "0.1.3", + "resolved": "https://registry.npmjs.org/deep-is/-/deep-is-0.1.3.tgz", + "integrity": "sha1-s2nW+128E+7PUk+RsHD+7cNXzzQ=", + "dev": true + }, + "deepmerge": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/deepmerge/-/deepmerge-4.2.2.tgz", + "integrity": "sha512-FJ3UgI4gIl+PHZm53knsuSFpE+nESMr7M4v9QcgB7S63Kj/6WqMiFQJpBBYz1Pt+66bZpP3Q7Lye0Oo9MPKEdg==", + "dev": true + }, + "doctrine": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/doctrine/-/doctrine-3.0.0.tgz", + "integrity": "sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==", + "dev": true, + "requires": { + "esutils": "^2.0.2" + } + }, + "emoji-regex": { + "version": "8.0.0", + "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", + "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", + "dev": true + }, + "enquirer": { + "version": "2.3.6", + "resolved": "https://registry.npmjs.org/enquirer/-/enquirer-2.3.6.tgz", + "integrity": "sha512-yjNnPr315/FjS4zIsUxYguYUPP2e1NK4d7E7ZOLiyYCcbFBiTMyID+2wvm2w6+pZ/odMA7cRkjhsPbltwBOrLg==", + "dev": true, + "requires": { + "ansi-colors": "^4.1.1" + } + }, + "esbuild": { + "version": "0.12.24", + "resolved": "https://registry.npmjs.org/esbuild/-/esbuild-0.12.24.tgz", + "integrity": "sha512-C0ibY+HsXzYB6L/pLWEiWjMpghKsIc58Q5yumARwBQsHl9DXPakW+5NI/Y9w4YXiz0PEP6XTGTT/OV4Nnsmb4A==", + "dev": true + }, + "escape-string-regexp": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz", + "integrity": "sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==", + "dev": true + }, + "eslint": { + "version": "7.32.0", + "resolved": "https://registry.npmjs.org/eslint/-/eslint-7.32.0.tgz", + "integrity": "sha512-VHZ8gX+EDfz+97jGcgyGCyRia/dPOd6Xh9yPv8Bl1+SoaIwD+a/vlrOmGRUyOYu7MwUhc7CxqeaDZU13S4+EpA==", + "dev": true, + "requires": { + "@babel/code-frame": "7.12.11", + "@eslint/eslintrc": "^0.4.3", + "@humanwhocodes/config-array": "^0.5.0", + "ajv": "^6.10.0", + "chalk": "^4.0.0", + "cross-spawn": "^7.0.2", + "debug": "^4.0.1", + "doctrine": "^3.0.0", + "enquirer": "^2.3.5", + "escape-string-regexp": "^4.0.0", + "eslint-scope": "^5.1.1", + "eslint-utils": "^2.1.0", + "eslint-visitor-keys": "^2.0.0", + "espree": "^7.3.1", + "esquery": "^1.4.0", + "esutils": "^2.0.2", + "fast-deep-equal": "^3.1.3", + "file-entry-cache": "^6.0.1", + "functional-red-black-tree": "^1.0.1", + "glob-parent": "^5.1.2", + "globals": "^13.6.0", + "ignore": "^4.0.6", + "import-fresh": "^3.0.0", + "imurmurhash": "^0.1.4", + "is-glob": "^4.0.0", + "js-yaml": "^3.13.1", + "json-stable-stringify-without-jsonify": "^1.0.1", + "levn": "^0.4.1", + "lodash.merge": "^4.6.2", + "minimatch": "^3.0.4", + "natural-compare": "^1.4.0", + "optionator": "^0.9.1", + "progress": "^2.0.0", + "regexpp": "^3.1.0", + "semver": "^7.2.1", + "strip-ansi": "^6.0.0", + "strip-json-comments": "^3.1.0", + "table": "^6.0.9", + "text-table": "^0.2.0", + "v8-compile-cache": "^2.0.3" + } + }, + "eslint-plugin-svelte3": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/eslint-plugin-svelte3/-/eslint-plugin-svelte3-3.2.0.tgz", + "integrity": "sha512-qdWB1QN21dEozsJFdR8XlEhMnsS6aKHjsXWuNmchYwxoet5I6QdCr1Xcq62++IzRBMCNCeH4waXqSOAdqrZzgA==", + "dev": true, + "requires": {} + }, + "eslint-scope": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz", + "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==", + "dev": true, + "requires": { + "esrecurse": "^4.3.0", + "estraverse": "^4.1.1" + } + }, + "eslint-utils": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/eslint-utils/-/eslint-utils-2.1.0.tgz", + "integrity": "sha512-w94dQYoauyvlDc43XnGB8lU3Zt713vNChgt4EWwhXAP2XkBvndfxF0AgIqKOOasjPIPzj9JqgwkwbCYD0/V3Zg==", + "dev": true, + "requires": { + "eslint-visitor-keys": "^1.1.0" + }, + "dependencies": { + "eslint-visitor-keys": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-1.3.0.tgz", + "integrity": "sha512-6J72N8UNa462wa/KFODt/PJ3IU60SDpC3QXC1Hjc1BXXpfL2C9R5+AU7jhe0F6GREqVMh4Juu+NY7xn+6dipUQ==", + "dev": true + } + } + }, + "eslint-visitor-keys": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz", + "integrity": "sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==", + "dev": true + }, + "espree": { + "version": "7.3.1", + "resolved": "https://registry.npmjs.org/espree/-/espree-7.3.1.tgz", + "integrity": "sha512-v3JCNCE64umkFpmkFGqzVKsOT0tN1Zr+ueqLZfpV1Ob8e+CEgPWa+OxCoGH3tnhimMKIaBm4m/vaRpJ/krRz2g==", + "dev": true, + "requires": { + "acorn": "^7.4.0", + "acorn-jsx": "^5.3.1", + "eslint-visitor-keys": "^1.3.0" + }, + "dependencies": { + "eslint-visitor-keys": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-1.3.0.tgz", + "integrity": "sha512-6J72N8UNa462wa/KFODt/PJ3IU60SDpC3QXC1Hjc1BXXpfL2C9R5+AU7jhe0F6GREqVMh4Juu+NY7xn+6dipUQ==", + "dev": true + } + } + }, + "esprima": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/esprima/-/esprima-4.0.1.tgz", + "integrity": "sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==", + "dev": true + }, + "esquery": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/esquery/-/esquery-1.4.0.tgz", + "integrity": "sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==", + "dev": true, + "requires": { + "estraverse": "^5.1.0" + }, + "dependencies": { + "estraverse": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.2.0.tgz", + "integrity": "sha512-BxbNGGNm0RyRYvUdHpIwv9IWzeM9XClbOxwoATuFdOE7ZE6wHL+HQ5T8hoPM+zHvmKzzsEqhgy0GrQ5X13afiQ==", + "dev": true + } + } + }, + "esrecurse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", + "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", + "dev": true, + "requires": { + "estraverse": "^5.2.0" + }, + "dependencies": { + "estraverse": { + "version": "5.2.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.2.0.tgz", + "integrity": "sha512-BxbNGGNm0RyRYvUdHpIwv9IWzeM9XClbOxwoATuFdOE7ZE6wHL+HQ5T8hoPM+zHvmKzzsEqhgy0GrQ5X13afiQ==", + "dev": true + } + } + }, + "estraverse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz", + "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==", + "dev": true + }, + "estree-walker": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/estree-walker/-/estree-walker-2.0.2.tgz", + "integrity": "sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==", + "dev": true + }, + "esutils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", + "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", + "dev": true + }, + "fast-deep-equal": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", + "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", + "dev": true + }, + "fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", + "dev": true + }, + "fast-levenshtein": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz", + "integrity": "sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=", + "dev": true + }, + "file-entry-cache": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-6.0.1.tgz", + "integrity": "sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==", + "dev": true, + "requires": { + "flat-cache": "^3.0.4" + } + }, + "flat-cache": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/flat-cache/-/flat-cache-3.0.4.tgz", + "integrity": "sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==", + "dev": true, + "requires": { + "flatted": "^3.1.0", + "rimraf": "^3.0.2" + } + }, + "flatted": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/flatted/-/flatted-3.2.2.tgz", + "integrity": "sha512-JaTY/wtrcSyvXJl4IMFHPKyFur1sE9AUqc0QnhOaJ0CxHtAoIV8pYDzeEfAaNEtGkOfq4gr3LBFmdXW5mOQFnA==", + "dev": true + }, + "fs.realpath": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha1-FQStJSMVjKpA20onh8sBQRmU6k8=", + "dev": true + }, + "fsevents": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.2.tgz", + "integrity": "sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==", + "dev": true, + "optional": true + }, + "function-bind": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", + "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==", + "dev": true + }, + "functional-red-black-tree": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz", + "integrity": "sha1-GwqzvVU7Kg1jmdKcDj6gslIHgyc=", + "dev": true + }, + "glob": { + "version": "7.1.7", + "resolved": "https://registry.npmjs.org/glob/-/glob-7.1.7.tgz", + "integrity": "sha512-OvD9ENzPLbegENnYP5UUfJIirTg4+XwMWGaQfQTY0JenxNvvIKP3U3/tAQSPIu/lHxXYSZmpXlUHeqAIdKzBLQ==", + "dev": true, + "requires": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.0.4", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + } + }, + "glob-parent": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "dev": true, + "requires": { + "is-glob": "^4.0.1" + } + }, + "globals": { + "version": "13.11.0", + "resolved": "https://registry.npmjs.org/globals/-/globals-13.11.0.tgz", + "integrity": "sha512-08/xrJ7wQjK9kkkRoI3OFUBbLx4f+6x3SGwcPvQ0QH6goFDrOU2oyAWrmh3dJezu65buo+HBMzAMQy6rovVC3g==", + "dev": true, + "requires": { + "type-fest": "^0.20.2" + } + }, + "globalyzer": { + "version": "0.1.0", + "resolved": "https://registry.npmjs.org/globalyzer/-/globalyzer-0.1.0.tgz", + "integrity": "sha512-40oNTM9UfG6aBmuKxk/giHn5nQ8RVz/SS4Ir6zgzOv9/qC3kKZ9v4etGTcJbEl/NyVQH7FGU7d+X1egr57Md2Q==", + "dev": true + }, + "globrex": { + "version": "0.1.2", + "resolved": "https://registry.npmjs.org/globrex/-/globrex-0.1.2.tgz", + "integrity": "sha512-uHJgbwAMwNFf5mLst7IWLNg14x1CkeqglJb/K3doi4dw6q2IvAAmM/Y81kevy83wP+Sst+nutFTYOGg3d1lsxg==", + "dev": true + }, + "has": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", + "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", + "dev": true, + "requires": { + "function-bind": "^1.1.1" + } + }, + "has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true + }, + "ignore": { + "version": "4.0.6", + "resolved": "https://registry.npmjs.org/ignore/-/ignore-4.0.6.tgz", + "integrity": "sha512-cyFDKrqc/YdcWFniJhzI42+AzS+gNwmUzOSFcRCQYwySuBBBy/KjuxWLZ/FHEH6Moq1NizMOBWyTcv8O4OZIMg==", + "dev": true + }, + "import-fresh": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz", + "integrity": "sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==", + "dev": true, + "requires": { + "parent-module": "^1.0.0", + "resolve-from": "^4.0.0" + } + }, + "imurmurhash": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz", + "integrity": "sha1-khi5srkoojixPcT7a21XbyMUU+o=", + "dev": true + }, + "inflight": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=", + "dev": true, + "requires": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", + "dev": true + }, + "intl-messageformat": { + "version": "9.9.1", + "resolved": "https://registry.npmjs.org/intl-messageformat/-/intl-messageformat-9.9.1.tgz", + "integrity": "sha512-cuzS/XKHn//hvKka77JKU2dseiVY2dofQjIOZv6ZFxFt4Z9sPXnZ7KQ9Ak2r+4XBCjI04MqJ1PhKs/3X22AkfA==", + "dev": true, + "requires": { + "@formatjs/fast-memoize": "1.2.0", + "@formatjs/icu-messageformat-parser": "2.0.11", + "tslib": "^2.1.0" + } + }, + "is-core-module": { + "version": "2.6.0", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.6.0.tgz", + "integrity": "sha512-wShG8vs60jKfPWpF2KZRaAtvt3a20OAn7+IJ6hLPECpSABLcKtFKTTI4ZtH5QcBruBHlq+WsdHWyz0BCZW7svQ==", + "dev": true, + "requires": { + "has": "^1.0.3" + } + }, + "is-extglob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha1-qIwCU1eR8C7TfHahueqXc8gz+MI=", + "dev": true + }, + "is-fullwidth-code-point": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", + "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", + "dev": true + }, + "is-glob": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.1.tgz", + "integrity": "sha512-5G0tKtBTFImOqDnLB2hG6Bp2qcKEFduo4tZu9MT/H6NQv/ghhy30o55ufafxJ/LdH79LLs2Kfrn85TLKyA7BUg==", + "dev": true, + "requires": { + "is-extglob": "^2.1.1" + } + }, + "isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=", + "dev": true + }, + "js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", + "dev": true + }, + "js-yaml": { + "version": "3.14.1", + "resolved": "https://registry.npmjs.org/js-yaml/-/js-yaml-3.14.1.tgz", + "integrity": "sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==", + "dev": true, + "requires": { + "argparse": "^1.0.7", + "esprima": "^4.0.0" + } + }, + "json-schema-traverse": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", + "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", + "dev": true + }, + "json-stable-stringify-without-jsonify": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz", + "integrity": "sha1-nbe1lJatPzz+8wp1FC0tkwrXJlE=", + "dev": true + }, + "kleur": { + "version": "4.1.4", + "resolved": "https://registry.npmjs.org/kleur/-/kleur-4.1.4.tgz", + "integrity": "sha512-8QADVssbrFjivHWQU7KkMgptGTl6WAcSdlbBPY4uNF+mWr6DGcKrvY2w4FQJoXch7+fKMjj0dRrL75vk3k23OA==", + "dev": true + }, + "language-name-map": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/language-name-map/-/language-name-map-0.3.0.tgz", + "integrity": "sha512-uoBHtfY6h4S2RoIpyqvQGhynX2hshQu/9S4ySbppGxG5VwEsiWZJ83xSjzx25Mb+Bmc+WxpQC0H54eNZVMWLuA==", + "dev": true + }, + "levn": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz", + "integrity": "sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==", + "dev": true, + "requires": { + "prelude-ls": "^1.2.1", + "type-check": "~0.4.0" + } + }, + "lodash.clonedeep": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/lodash.clonedeep/-/lodash.clonedeep-4.5.0.tgz", + "integrity": "sha1-4j8/nE+Pvd6HJSnBBxhXoIblzO8=", + "dev": true + }, + "lodash.merge": { + "version": "4.6.2", + "resolved": "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz", + "integrity": "sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==", + "dev": true + }, + "lodash.truncate": { + "version": "4.4.2", + "resolved": "https://registry.npmjs.org/lodash.truncate/-/lodash.truncate-4.4.2.tgz", + "integrity": "sha1-WjUNoLERO4N+z//VgSy+WNbq4ZM=", + "dev": true + }, + "lru-cache": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", + "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", + "dev": true, + "requires": { + "yallist": "^4.0.0" + } + }, + "magic-string": { + "version": "0.25.7", + "resolved": "https://registry.npmjs.org/magic-string/-/magic-string-0.25.7.tgz", + "integrity": "sha512-4CrMT5DOHTDk4HYDlzmwu4FVCcIYI8gauveasrdCu2IKIFOJ3f0v/8MDGJCDL9oD2ppz/Av1b0Nj345H9M+XIA==", + "dev": true, + "requires": { + "sourcemap-codec": "^1.4.4" + } + }, + "minimatch": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.0.4.tgz", + "integrity": "sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==", + "dev": true, + "requires": { + "brace-expansion": "^1.1.7" + } + }, + "mri": { + "version": "1.1.6", + "resolved": "https://registry.npmjs.org/mri/-/mri-1.1.6.tgz", + "integrity": "sha512-oi1b3MfbyGa7FJMP9GmLTttni5JoICpYBRlq+x5V16fZbLsnL9N3wFqqIm/nIG43FjUFkFh9Epzp/kzUGUnJxQ==", + "dev": true + }, + "ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==", + "dev": true + }, + "nanoid": { + "version": "3.1.25", + "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.1.25.tgz", + "integrity": "sha512-rdwtIXaXCLFAQbnfqDRnI6jaRHp9fTcYBjtFKE8eezcZ7LuLjhUaQGNeMXf1HmRoCH32CLz6XwX0TtxEOS/A3Q==", + "dev": true + }, + "natural-compare": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz", + "integrity": "sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=", + "dev": true + }, + "once": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", + "integrity": "sha1-WDsap3WWHUsROsF9nFC6753Xa9E=", + "dev": true, + "requires": { + "wrappy": "1" + } + }, + "optionator": { + "version": "0.9.1", + "resolved": "https://registry.npmjs.org/optionator/-/optionator-0.9.1.tgz", + "integrity": "sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==", + "dev": true, + "requires": { + "deep-is": "^0.1.3", + "fast-levenshtein": "^2.0.6", + "levn": "^0.4.1", + "prelude-ls": "^1.2.1", + "type-check": "^0.4.0", + "word-wrap": "^1.2.3" + } + }, + "parent-module": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz", + "integrity": "sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==", + "dev": true, + "requires": { + "callsites": "^3.0.0" + } + }, + "path-is-absolute": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha1-F0uSaHNVNP+8es5r9TpanhtcX18=", + "dev": true + }, + "path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true + }, + "path-parse": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", + "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", + "dev": true + }, + "picomatch": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.0.tgz", + "integrity": "sha512-lY1Q/PiJGC2zOv/z391WOTD+Z02bCgsFfvxoXXf6h7kv9o+WmsmzYqrAwY63sNgOxE4xEdq0WyUnXfKeBrSvYw==", + "dev": true + }, + "postcss": { + "version": "8.3.6", + "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.3.6.tgz", + "integrity": "sha512-wG1cc/JhRgdqB6WHEuyLTedf3KIRuD0hG6ldkFEZNCjRxiC+3i6kkWUUbiJQayP28iwG35cEmAbe98585BYV0A==", + "dev": true, + "requires": { + "colorette": "^1.2.2", + "nanoid": "^3.1.23", + "source-map-js": "^0.6.2" + } + }, + "prelude-ls": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz", + "integrity": "sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==", + "dev": true + }, + "progress": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/progress/-/progress-2.0.3.tgz", + "integrity": "sha512-7PiHtLll5LdnKIMw100I+8xJXR5gW2QwWYkT6iJva0bXitZKa/XMrSbdmg3r2Xnaidz9Qumd0VPaMrZlF9V9sA==", + "dev": true + }, + "punycode": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.1.1.tgz", + "integrity": "sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==", + "dev": true + }, + "regexpp": { + "version": "3.2.0", + "resolved": "https://registry.npmjs.org/regexpp/-/regexpp-3.2.0.tgz", + "integrity": "sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==", + "dev": true + }, + "require-from-string": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/require-from-string/-/require-from-string-2.0.2.tgz", + "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==", + "dev": true + }, + "require-relative": { + "version": "0.8.7", + "resolved": "https://registry.npmjs.org/require-relative/-/require-relative-0.8.7.tgz", + "integrity": "sha1-eZlTn8ngR6N5KPoZb44VY9q9Nt4=", + "dev": true + }, + "resolve": { + "version": "1.20.0", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.20.0.tgz", + "integrity": "sha512-wENBPt4ySzg4ybFQW2TT1zMQucPK95HSh/nq2CFTZVOGut2+pQvSsgtda4d26YrYcr067wjbmzOG8byDPBX63A==", + "dev": true, + "requires": { + "is-core-module": "^2.2.0", + "path-parse": "^1.0.6" + } + }, + "resolve-from": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz", + "integrity": "sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==", + "dev": true + }, + "rimraf": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "dev": true, + "requires": { + "glob": "^7.1.3" + } + }, + "rollup": { + "version": "2.56.3", + "resolved": "https://registry.npmjs.org/rollup/-/rollup-2.56.3.tgz", + "integrity": "sha512-Au92NuznFklgQCUcV96iXlxUbHuB1vQMaH76DHl5M11TotjOHwqk9CwcrT78+Tnv4FN9uTBxq6p4EJoYkpyekg==", + "dev": true, + "requires": { + "fsevents": "~2.3.2" + } + }, + "sade": { + "version": "1.7.4", + "resolved": "https://registry.npmjs.org/sade/-/sade-1.7.4.tgz", + "integrity": "sha512-y5yauMD93rX840MwUJr7C1ysLFBgMspsdTo4UVrDg3fXDvtwOyIqykhVAAm6fk/3au77773itJStObgK+LKaiA==", + "dev": true, + "requires": { + "mri": "^1.1.0" + } + }, + "semver": { + "version": "7.3.5", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.3.5.tgz", + "integrity": "sha512-PoeGJYh8HK4BTO/a9Tf6ZG3veo/A7ZVsYrSA6J8ny9nb3B1VrpkuN+z9OE5wfE5p6H4LchYZsegiQgbJD94ZFQ==", + "dev": true, + "requires": { + "lru-cache": "^6.0.0" + } + }, + "shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "requires": { + "shebang-regex": "^3.0.0" + } + }, + "shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true + }, + "slice-ansi": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/slice-ansi/-/slice-ansi-4.0.0.tgz", + "integrity": "sha512-qMCMfhY040cVHT43K9BFygqYbUPFZKHOg7K73mtTWJRb8pyP3fzf4Ixd5SzdEJQ6MRUg/WBnOLxghZtKKurENQ==", + "dev": true, + "requires": { + "ansi-styles": "^4.0.0", + "astral-regex": "^2.0.0", + "is-fullwidth-code-point": "^3.0.0" + } + }, + "source-map-js": { + "version": "0.6.2", + "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-0.6.2.tgz", + "integrity": "sha512-/3GptzWzu0+0MBQFrDKzw/DvvMTUORvgY6k6jd/VS6iCR4RDTKWH6v6WPwQoUO8667uQEf9Oe38DxAYWY5F/Ug==", + "dev": true + }, + "sourcemap-codec": { + "version": "1.4.8", + "resolved": "https://registry.npmjs.org/sourcemap-codec/-/sourcemap-codec-1.4.8.tgz", + "integrity": "sha512-9NykojV5Uih4lgo5So5dtw+f0JgJX30KCNI8gwhz2J9A15wD0Ml6tjHKwf6fTSa6fAdVBdZeNOs9eJ71qCk8vA==", + "dev": true + }, + "sprintf-js": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/sprintf-js/-/sprintf-js-1.0.3.tgz", + "integrity": "sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=", + "dev": true + }, + "string-width": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.2.tgz", + "integrity": "sha512-XBJbT3N4JhVumXE0eoLU9DCjcaF92KLNqTmFCnG1pf8duUxFGwtP6AD6nkjw9a3IdiRtL3E2w3JDiE/xi3vOeA==", + "dev": true, + "requires": { + "emoji-regex": "^8.0.0", + "is-fullwidth-code-point": "^3.0.0", + "strip-ansi": "^6.0.0" + } + }, + "strip-ansi": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.0.tgz", + "integrity": "sha512-AuvKTrTfQNYNIctbR1K/YGTR1756GycPsg7b9bdV9Duqur4gv6aKqHXah67Z8ImS7WEz5QVcOtlfW2rZEugt6w==", + "dev": true, + "requires": { + "ansi-regex": "^5.0.0" + } + }, + "strip-json-comments": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz", + "integrity": "sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==", + "dev": true + }, + "supports-color": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz", + "integrity": "sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==", + "dev": true, + "requires": { + "has-flag": "^4.0.0" + } + }, + "svelte": { + "version": "3.42.4", + "resolved": "https://registry.npmjs.org/svelte/-/svelte-3.42.4.tgz", + "integrity": "sha512-DqC0AmDdBrrbIA+Kzl3yhBb6qCn4vZOAfxye2pTnIpinLegyagC5sLI8Pe9GPlXu9VpHBXIwpDDedpMfu++epA==", + "dev": true + }, + "svelte-hmr": { + "version": "0.14.7", + "resolved": "https://registry.npmjs.org/svelte-hmr/-/svelte-hmr-0.14.7.tgz", + "integrity": "sha512-pDrzgcWSoMaK6AJkBWkmgIsecW0GChxYZSZieIYfCP0v2oPyx2CYU/zm7TBIcjLVUPP714WxmViE9Thht4etog==", + "dev": true, + "requires": {} + }, + "svelte-i18n": { + "version": "3.3.10", + "resolved": "https://registry.npmjs.org/svelte-i18n/-/svelte-i18n-3.3.10.tgz", + "integrity": "sha512-MWoiZOCgX2P57UqjSp2Sly6csSuySoxbmC/e+vak3valteEa0CqHYzPTA6NNNj8pBCpdaMp9sBRkG1eebk0rFg==", + "dev": true, + "requires": { + "deepmerge": "^4.2.2", + "estree-walker": "^2.0.1", + "intl-messageformat": "^9.3.15", + "sade": "^1.7.4", + "tiny-glob": "^0.2.6" + } + }, + "table": { + "version": "6.7.1", + "resolved": "https://registry.npmjs.org/table/-/table-6.7.1.tgz", + "integrity": "sha512-ZGum47Yi6KOOFDE8m223td53ath2enHcYLgOCjGr5ngu8bdIARQk6mN/wRMv4yMRcHnCSnHbCEha4sobQx5yWg==", + "dev": true, + "requires": { + "ajv": "^8.0.1", + "lodash.clonedeep": "^4.5.0", + "lodash.truncate": "^4.4.2", + "slice-ansi": "^4.0.0", + "string-width": "^4.2.0", + "strip-ansi": "^6.0.0" + }, + "dependencies": { + "ajv": { + "version": "8.6.2", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.6.2.tgz", + "integrity": "sha512-9807RlWAgT564wT+DjeyU5OFMPjmzxVobvDFmNAhY+5zD6A2ly3jDp6sgnfyDtlIQ+7H97oc/DGCzzfu9rjw9w==", + "dev": true, + "requires": { + "fast-deep-equal": "^3.1.1", + "json-schema-traverse": "^1.0.0", + "require-from-string": "^2.0.2", + "uri-js": "^4.2.2" + } + }, + "json-schema-traverse": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", + "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", + "dev": true + } + } + }, + "text-table": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/text-table/-/text-table-0.2.0.tgz", + "integrity": "sha1-f17oI66AUgfACvLfSoTsP8+lcLQ=", + "dev": true + }, + "tiny-glob": { + "version": "0.2.9", + "resolved": "https://registry.npmjs.org/tiny-glob/-/tiny-glob-0.2.9.tgz", + "integrity": "sha512-g/55ssRPUjShh+xkfx9UPDXqhckHEsHr4Vd9zX55oSdGZc/MD0m3sferOkwWtp98bv+kcVfEHtRJgBVJzelrzg==", + "dev": true, + "requires": { + "globalyzer": "0.1.0", + "globrex": "^0.1.2" + } + }, + "tslib": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.3.1.tgz", + "integrity": "sha512-77EbyPPpMz+FRFRuAFlWMtmgUWGe9UOG2Z25NqCwiIjRhOf5iKGuzSe5P2w1laq+FkRy4p+PCuVkJSGkzTEKVw==", + "dev": true + }, + "type-check": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz", + "integrity": "sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==", + "dev": true, + "requires": { + "prelude-ls": "^1.2.1" + } + }, + "type-fest": { + "version": "0.20.2", + "resolved": "https://registry.npmjs.org/type-fest/-/type-fest-0.20.2.tgz", + "integrity": "sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==", + "dev": true + }, + "uri-js": { + "version": "4.4.1", + "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", + "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", + "dev": true, + "requires": { + "punycode": "^2.1.0" + } + }, + "v8-compile-cache": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz", + "integrity": "sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==", + "dev": true + }, + "vite": { + "version": "2.5.1", + "resolved": "https://registry.npmjs.org/vite/-/vite-2.5.1.tgz", + "integrity": "sha512-FwmLbbz8MB1pBs9dKoRDgpiqoijif8hSK1+NNUYc12/cnf+pM2UFhhQ1rcpXgbMhm/5c2USZdVAf0FSkSxaFDA==", + "dev": true, + "requires": { + "esbuild": "^0.12.17", + "fsevents": "~2.3.2", + "postcss": "^8.3.6", + "resolve": "^1.20.0", + "rollup": "^2.38.5" + } + }, + "which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "requires": { + "isexe": "^2.0.0" + } + }, + "word-wrap": { + "version": "1.2.3", + "resolved": "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.3.tgz", + "integrity": "sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==", + "dev": true + }, + "wrappy": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", + "integrity": "sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=", + "dev": true + }, + "yallist": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", + "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==", + "dev": true + } + } +} diff --git a/package.json b/package.json new file mode 100644 index 0000000..2df3a39 --- /dev/null +++ b/package.json @@ -0,0 +1,21 @@ +{ + "name": "prompt", + "version": "1.0.0", + "scripts": { + "dev": "svelte-kit dev", + "build": "svelte-kit build", + "preview": "svelte-kit preview", + "lint": "eslint --ignore-path .gitignore .", + "wordnet_to_json": "bin/wordnet_to_json.js" + }, + "devDependencies": { + "@sveltejs/adapter-static": "^1.0.0-next.17", + "@sveltejs/kit": "next", + "eslint": "^7.22.0", + "eslint-plugin-svelte3": "^3.2.0", + "language-name-map": "^0.3.0", + "svelte": "^3.34.0", + "svelte-i18n": "^3.3.10" + }, + "type": "module" +} diff --git a/src/app.html b/src/app.html new file mode 100644 index 0000000..b624a15 --- /dev/null +++ b/src/app.html @@ -0,0 +1,13 @@ + + + + + + + + %svelte.head% + + +
%svelte.body%
+ + diff --git a/src/config/i18n.js b/src/config/i18n.js new file mode 100644 index 0000000..25ffc45 --- /dev/null +++ b/src/config/i18n.js @@ -0,0 +1,12 @@ +import { addMessages, getLocaleFromNavigator, init } from 'svelte-i18n'; + +import en from './translations/en.json'; +import es from './translations/es.json'; + +addMessages('en', en); +addMessages('es', es); + +init({ + fallbackLocale: 'en', + initialLocale: getLocaleFromNavigator() +}); diff --git a/src/config/translations/en.json b/src/config/translations/en.json new file mode 100644 index 0000000..c5c0cef --- /dev/null +++ b/src/config/translations/en.json @@ -0,0 +1,6 @@ +{ + "refresh": "Get a new prompt.", + "title": "Your prompt is:", + "loading": "Finding your prompt..." +} + diff --git a/src/config/translations/es.json b/src/config/translations/es.json new file mode 100644 index 0000000..914970b --- /dev/null +++ b/src/config/translations/es.json @@ -0,0 +1,7 @@ +{ + "refresh": "Genera un prompt nuevo.", + "title": "Tu prompt es:", + "loading": "Encontrando tu prompt..." +} + + diff --git a/src/global.d.ts b/src/global.d.ts new file mode 100644 index 0000000..63908c6 --- /dev/null +++ b/src/global.d.ts @@ -0,0 +1 @@ +/// diff --git a/src/lib/components/language_selector.svelte b/src/lib/components/language_selector.svelte new file mode 100644 index 0000000..e8d0c44 --- /dev/null +++ b/src/lib/components/language_selector.svelte @@ -0,0 +1,31 @@ + + + + + diff --git a/src/lib/components/loader.svelte b/src/lib/components/loader.svelte new file mode 100644 index 0000000..4309aff --- /dev/null +++ b/src/lib/components/loader.svelte @@ -0,0 +1,3 @@ + +

Loading...

diff --git a/src/lib/components/new_prompt.svelte b/src/lib/components/new_prompt.svelte new file mode 100644 index 0000000..f44ecf1 --- /dev/null +++ b/src/lib/components/new_prompt.svelte @@ -0,0 +1,21 @@ + + +
+
+ {$_('loading')} +
+
diff --git a/src/lib/components/prompt.svelte b/src/lib/components/prompt.svelte new file mode 100644 index 0000000..fbdc9ef --- /dev/null +++ b/src/lib/components/prompt.svelte @@ -0,0 +1,16 @@ + + + diff --git a/src/lib/stores/prompt.js b/src/lib/stores/prompt.js new file mode 100644 index 0000000..59df711 --- /dev/null +++ b/src/lib/stores/prompt.js @@ -0,0 +1,45 @@ +import { readable } from 'svelte/store'; +import { browser } from '$app/env'; + +const internals = { + kDataPrefix: 'http://localhost:3000/data/', + kAdjectivesPath: '/adjectives.json', + kNounsPath: '/nouns.json', + + async get(locale, path) { + + const shortLocale = locale.split('-')[0]; + const targetFile = internals.kDataPrefix + shortLocale + path; + const data = browser && sessionStorage.getItem(targetFile); + + if (data) { + return JSON.parse(data); + } + + let newData = await (await fetch(targetFile)).json(); + browser && sessionStorage.setItem(targetFile, JSON.stringify(newData)); + + return newData; + }, + + random(list) { + + return list[Math.floor(Math.random() * list.length)]; + } +}; + +export const getPrompt = function (locale) { + + return readable(null, function (set) { + + (async function() { + + const adjectives = await internals.get(locale, internals.kAdjectivesPath); + const nouns = await internals.get(locale, internals.kNounsPath); + + set(`${internals.random(nouns)}, ${internals.random(nouns)}, ${internals.random(adjectives)}`); + })(); + + return function stop() {}; + }); +}; diff --git a/src/routes/[locale]/[terms].svelte b/src/routes/[locale]/[terms].svelte new file mode 100644 index 0000000..e389a4d --- /dev/null +++ b/src/routes/[locale]/[terms].svelte @@ -0,0 +1,15 @@ + + + + diff --git a/src/routes/[locale]/__layout.svelte b/src/routes/[locale]/__layout.svelte new file mode 100644 index 0000000..29319ba --- /dev/null +++ b/src/routes/[locale]/__layout.svelte @@ -0,0 +1,22 @@ + + + + + + diff --git a/src/routes/[locale]/index.svelte b/src/routes/[locale]/index.svelte new file mode 100644 index 0000000..d8e8050 --- /dev/null +++ b/src/routes/[locale]/index.svelte @@ -0,0 +1,14 @@ + + + diff --git a/src/routes/__layout.svelte b/src/routes/__layout.svelte new file mode 100644 index 0000000..fce59a3 --- /dev/null +++ b/src/routes/__layout.svelte @@ -0,0 +1,5 @@ + + + diff --git a/src/routes/index.svelte b/src/routes/index.svelte new file mode 100644 index 0000000..edd7231 --- /dev/null +++ b/src/routes/index.svelte @@ -0,0 +1,6 @@ + + + diff --git a/static/data/en/adjectives.json b/static/data/en/adjectives.json new file mode 100644 index 0000000..b16c0a3 --- /dev/null +++ b/static/data/en/adjectives.json @@ -0,0 +1,30006 @@ +[ + "able", + "unable", + "abaxial", + "dorsal", + "adaxial", + "ventral", + "acroscopic", + "basiscopic", + "abducent", + "abducting", + "adducent", + "adductive", + "adducting", + "nascent", + "emergent", + "emerging", + "dissilient", + "parturient", + "dying", + "moribund", + "last", + "abridged", + "cut", + "shortened", + "half-length", + "potted", + "unabridged", + "full-length", + "uncut", + "absolute", + "direct", + "implicit", + "unquestioning", + "infinite", + "living", + "relative", + "comparative", + "relational", + "absorbent", + "absorptive", + "absorbefacient", + "sorbefacient", + "assimilating", + "assimilative", + "assimilatory", + "hygroscopic", + "receptive", + "shock-absorbent", + "spongy", + "spongelike", + "thirsty", + "nonabsorbent", + "nonabsorptive", + "repellent", + "resistant", + "adsorbent", + "adsorptive", + "surface-assimilative", + "chemisorptive", + "chemosorptive", + "nonadsorbent", + "nonadsorptive", + "absorbable", + "adsorbable", + "adsorbate", + "abstemious", + "abstinent", + "abstentious", + "ascetic", + "ascetical", + "austere", + "spartan", + "gluttonous", + "crapulous", + "crapulent", + "crapulous", + "edacious", + "esurient", + "rapacious", + "ravening", + "ravenous", + "voracious", + "wolfish", + "greedy", + "hoggish", + "piggish", + "piggy", + "porcine", + "swinish", + "overgreedy", + "too-greedy", + "abstract", + "conceptional", + "ideational", + "notional", + "conceptual", + "ideal", + "ideological", + "ideologic", + "concrete", + "objective", + "real", + "tangible", + "abundant", + "abounding", + "galore", + "ample", + "copious", + "plenteous", + "plentiful", + "rich", + "copious", + "voluminous", + "easy", + "exuberant", + "lush", + "luxuriant", + "profuse", + "riotous", + "thick", + "long", + "overabundant", + "plethoric", + "rife", + "plentiful", + "rampant", + "rank", + "superabundant", + "teeming", + "torrential", + "verdant", + "scarce", + "rare", + "tight", + "abused", + "ill-treated", + "maltreated", + "mistreated", + "battered", + "unabused", + "acceptable", + "bankable", + "unexceptionable", + "unimpeachable", + "unobjectionable", + "unacceptable", + "exceptionable", + "objectionable", + "accessible", + "approachable", + "reachable", + "come-at-able", + "get-at-able", + "getatable", + "handy", + "ready to hand", + "inaccessible", + "unaccessible", + "outback", + "remote", + "pathless", + "roadless", + "trackless", + "untracked", + "untrod", + "untrodden", + "unapproachable", + "unreachable", + "unreached", + "out of reach", + "un-come-at-able", + "un-get-at-able", + "ungetatable", + "accommodating", + "accommodative", + "complaisant", + "obliging", + "unaccommodating", + "unobliging", + "disobliging", + "uncooperative", + "accurate", + "close", + "faithful", + "dead-on", + "high-fidelity", + "hi-fi", + "surgical", + "straight", + "true", + "dead on target", + "veracious", + "right", + "inaccurate", + "away", + "outside", + "faulty", + "incorrect", + "wrong", + "unfaithful", + "wide", + "wide of the mark", + "accustomed", + "used to", + "wont to", + "unaccustomed", + "new", + "unused", + "acidic", + "acid", + "acid-forming", + "alkaline", + "alkalic", + "alkalescent", + "alcalescent", + "basic", + "base-forming", + "saltlike", + "amphoteric", + "amphiprotic", + "acid-loving", + "acidophilic", + "acidophilous", + "aciduric", + "alkaline-loving", + "acknowledged", + "accepted", + "recognized", + "recognised", + "self-confessed", + "assumptive", + "declarable", + "given", + "granted", + "putative", + "unacknowledged", + "unappreciated", + "unsung", + "unvalued", + "unavowed", + "secret", + "unconfessed", + "unrecognized", + "unrecognised", + "acquisitive", + "accumulative", + "avaricious", + "covetous", + "grabby", + "grasping", + "greedy", + "prehensile", + "possessive", + "plundering", + "predaceous", + "predacious", + "predatory", + "rapacious", + "ravening", + "voracious", + "sordid", + "unacquisitive", + "acropetal", + "basipetal", + "active", + "about", + "astir", + "acrobatic", + "athletic", + "gymnastic", + "agile", + "nimble", + "quick", + "spry", + "hot", + "hyperactive", + "overactive", + "on the go", + "sporty", + "inactive", + "desk-bound", + "deskbound", + "abeyant", + "dormant", + "hypoactive", + "underactive", + "inert", + "sluggish", + "soggy", + "torpid", + "sedentary", + "active", + "activated", + "inactive", + "off", + "retired", + "active", + "brisk", + "bustling", + "busy", + "going", + "open", + "springy", + "inactive", + "dark", + "dead", + "dull", + "slow", + "sluggish", + "idle", + "unused", + "strikebound", + "active", + "progressive", + "inactive", + "dead-end", + "flat", + "indolent", + "latent", + "quiescent", + "active", + "activist", + "activistic", + "hands-on", + "proactive", + "passive", + "inactive", + "hands-off", + "resistless", + "supine", + "unresisting", + "active", + "eruptive", + "dormant", + "inactive", + "quiescent", + "extinct", + "dead", + "active", + "alive", + "live", + "active", + "dynamic", + "stative", + "active", + "passive", + "active", + "activated", + "counteractive", + "surface-active", + "inactive", + "quiescent", + "active", + "quiet", + "actual", + "existent", + "effective", + "potential", + "possible", + "latent", + "acute", + "subacute", + "chronic", + "degenerative", + "virulent", + "highly infective", + "deadly", + "avirulent", + "adaptive", + "adaptative", + "accommodative", + "reconciling", + "adaptational", + "adjustive", + "maladaptive", + "dysfunctional", + "nonadaptive", + "maladjustive", + "addicted", + "alcoholic", + "alcohol-dependent", + "dependent", + "dependant", + "drug-addicted", + "hooked", + "strung-out", + "unaddicted", + "clean", + "addictive", + "habit-forming", + "nonaddictive", + "additive", + "accumulative", + "cumulative", + "addable", + "addible", + "extra", + "additional", + "complemental", + "complementary", + "completing", + "incremental", + "intercalary", + "summational", + "summative", + "supplementary", + "supplemental", + "subtractive", + "ablative", + "reductive", + "addressed", + "self-addressed", + "unaddressed", + "adequate", + "equal", + "adequate to", + "capable", + "equal to", + "up to", + "competent", + "inadequate", + "unequal", + "deficient", + "lacking", + "wanting", + "incapable", + "incompetent", + "unequal to", + "short-handed", + "short-staffed", + "undermanned", + "understaffed", + "adhesive", + "adherent", + "agglutinate", + "agglutinative", + "bondable", + "coherent", + "tenacious", + "cohesive", + "gluey", + "glutinous", + "gummy", + "mucilaginous", + "pasty", + "sticky", + "viscid", + "viscous", + "gooey", + "icky", + "gum-like", + "gummed", + "gummy", + "pitchy", + "resinous", + "resiny", + "tarry", + "self-sealing", + "stick-on", + "sticky", + "nonadhesive", + "nonglutinous", + "nonviscid", + "nonresinous", + "non-resinous", + "nonresiny", + "non-resiny", + "ungummed", + "adjective", + "procedural", + "substantive", + "essential", + "adoptable", + "unadoptable", + "adorned", + "decorated", + "beady", + "gemmed", + "jeweled", + "jewelled", + "sequined", + "spangled", + "spangly", + "bedaubed", + "bespectacled", + "monocled", + "spectacled", + "brocaded", + "embossed", + "raised", + "buttony", + "carbuncled", + "champleve", + "cloisonne", + "clinquant", + "tinseled", + "tinselly", + "crested", + "plumed", + "crested", + "topknotted", + "tufted", + "crested", + "crocketed", + "feathery", + "feathered", + "plumy", + "frilled", + "frilly", + "ruffled", + "fringed", + "gilt-edged", + "inflamed", + "inlaid", + "inwrought", + "tessellated", + "mounted", + "paneled", + "wainscoted", + "studded", + "tapestried", + "tasseled", + "tasselled", + "tricked-out", + "tufted", + "unadorned", + "undecorated", + "plain", + "bare", + "spare", + "unembellished", + "unornamented", + "untufted", + "cholinergic", + "anticholinergic", + "adroit", + "clean", + "neat", + "clever", + "cunning", + "ingenious", + "coordinated", + "co-ordinated", + "deft", + "dexterous", + "dextrous", + "handy", + "light-fingered", + "nimble-fingered", + "quick-witted", + "maladroit", + "bumbling", + "bungling", + "butterfingered", + "ham-fisted", + "ham-handed", + "handless", + "heavy-handed", + "left-handed", + "inept", + "tactless", + "uncoordinated", + "unmechanical", + "nonmechanical", + "advantageous", + "beneficial", + "good", + "plus", + "positive", + "discriminatory", + "preferential", + "disadvantageous", + "minus", + "negative", + "adventurous", + "adventuresome", + "audacious", + "daring", + "venturesome", + "venturous", + "sporting", + "swaggering", + "swashbuckling", + "unadventurous", + "safe", + "advisable", + "better", + "best", + "well", + "inadvisable", + "unadvisable", + "well-advised", + "advised", + "considered", + "ill-advised", + "unadvised", + "aerobic", + "aerophilic", + "aerophilous", + "aerobiotic", + "oxidative", + "anaerobic", + "anaerobiotic", + "aerobic", + "anaerobic", + "aesthetic", + "esthetic", + "aesthetical", + "esthetical", + "artistic", + "cosmetic", + "enhancive", + "painterly", + "sensuous", + "inaesthetic", + "unaesthetic", + "inartistic", + "unartistic", + "affected", + "impressed", + "smitten", + "stricken", + "struck", + "stage-struck", + "subject", + "taken", + "wonder-struck", + "unaffected", + "immune", + "superior", + "unimpressed", + "uninfluenced", + "unswayed", + "untouched", + "affected", + "unnatural", + "agonistic", + "strained", + "artificial", + "contrived", + "hokey", + "stilted", + "constrained", + "forced", + "strained", + "elocutionary", + "mannered", + "plummy", + "unaffected", + "lifelike", + "natural", + "unmannered", + "unselfconscious", + "unstilted", + "affirmative", + "affirmatory", + "assentient", + "negative", + "dissentient", + "dissenting", + "dissident", + "acceptive", + "accepting", + "rejective", + "dismissive", + "repudiative", + "afloat", + "adrift", + "floating", + "waterborne", + "aground", + "afraid", + "acrophobic", + "afeard", + "afeared", + "aghast", + "appalled", + "dismayed", + "shocked", + "agoraphobic", + "alarmed", + "algophobic", + "apprehensive", + "hangdog", + "claustrophobic", + "fearful", + "frightened", + "scared", + "horrified", + "horror-stricken", + "horror-struck", + "hunted", + "hydrophobic", + "aquaphobic", + "mysophobic", + "panicky", + "panicked", + "panic-stricken", + "panic-struck", + "terrified", + "frightened", + "numb", + "shitless", + "terror-stricken", + "terror-struck", + "triskaidekaphobic", + "unnerved", + "white-lipped", + "xenophobic", + "unafraid", + "fearless", + "unapprehensive", + "unblinking", + "unflinching", + "unintimidated", + "unshrinking", + "unfrightened", + "aggressive", + "battleful", + "bellicose", + "combative", + "competitive", + "militant", + "hard-hitting", + "high-pressure", + "hostile", + "in-your-face", + "obstreperous", + "predatory", + "rapacious", + "raptorial", + "ravening", + "vulturine", + "vulturous", + "pugnacious", + "rough", + "scrappy", + "truculent", + "unaggressive", + "nonaggressive", + "low-pressure", + "agitated", + "aroused", + "emotional", + "excited", + "worked up", + "distraught", + "overwrought", + "jolted", + "shaken", + "feverish", + "hectic", + "frantic", + "frenetic", + "phrenetic", + "frenzied", + "hysterical", + "psychedelic", + "wild-eyed", + "unagitated", + "agitated", + "churning", + "roiling", + "roiled", + "roily", + "turbulent", + "churning", + "churned-up", + "jolted", + "rippled", + "ruffled", + "seething", + "stirred", + "unagitated", + "nonturbulent", + "unstirred", + "agreeable", + "disagreeable", + "annoying", + "bothersome", + "galling", + "irritating", + "nettlesome", + "pesky", + "pestering", + "pestiferous", + "plaguy", + "plaguey", + "teasing", + "vexatious", + "vexing", + "harsh", + "abrasive", + "nerve-racking", + "nerve-wracking", + "stressful", + "trying", + "unsweet", + "air-to-surface", + "air-to-ground", + "air-to-air", + "surface-to-air", + "alert", + "watchful", + "argus-eyed", + "open-eyed", + "vigilant", + "wakeful", + "fly", + "heads-up", + "wide-awake", + "lidless", + "sleepless", + "unalert", + "unwatchful", + "unvigilant", + "algorithmic", + "recursive", + "heuristic", + "trial-and-error", + "alienable", + "appropriable", + "assignable", + "conveyable", + "negotiable", + "transferable", + "transferrable", + "inalienable", + "unalienable", + "absolute", + "infrangible", + "inviolable", + "non-negotiable", + "nontransferable", + "unassignable", + "untransferable", + "alive", + "live", + "liveborn", + "viable", + "vital", + "dead", + "asleep", + "at peace", + "at rest", + "deceased", + "departed", + "gone", + "assassinated", + "bloodless", + "exsanguine", + "exsanguinous", + "brain dead", + "breathless", + "inanimate", + "pulseless", + "cold", + "d.o.a.", + "deathlike", + "deathly", + "defunct", + "doomed", + "executed", + "fallen", + "late", + "lifeless", + "exanimate", + "murdered", + "nonviable", + "slain", + "stillborn", + "stone-dead", + "apocrine", + "eccrine", + "artesian", + "subartesian", + "live", + "in play", + "living", + "dead", + "extinct", + "out", + "lifeless", + "out of play", + "alphabetic", + "alphabetical", + "abecedarian", + "alphabetized", + "alphabetised", + "analphabetic", + "altricial", + "precocial", + "altruistic", + "selfless", + "egoistic", + "egoistical", + "egocentric", + "self-centered", + "self-centred", + "self-absorbed", + "self-involved", + "ambiguous", + "double-barreled", + "double-barrelled", + "double-edged", + "enigmatic", + "oracular", + "left-handed", + "multivalent", + "multi-valued", + "polysemous", + "polysemantic", + "uncertain", + "unambiguous", + "monosemous", + "ambitious", + "pushful", + "pushy", + "aspirant", + "aspiring", + "wishful", + "compulsive", + "determined", + "driven", + "manque", + "would-be", + "overambitious", + "unambitious", + "ambitionless", + "shiftless", + "ametropic", + "emmetropic", + "ample", + "full", + "good", + "generous", + "wide", + "wide-cut", + "full", + "meager", + "meagre", + "meagerly", + "stingy", + "scrimpy", + "bare", + "scanty", + "spare", + "exiguous", + "hand-to-mouth", + "hardscrabble", + "measly", + "miserable", + "paltry", + "anabolic", + "constructive-metabolic", + "energy-storing", + "catabolic", + "katabolic", + "destructive-metabolic", + "energy-releasing", + "anaclinal", + "cataclinal", + "anastigmatic", + "stigmatic", + "astigmatic", + "anticlinal", + "synclinal", + "anadromous", + "catadromous", + "diadromous", + "anabatic", + "katabatic", + "catabatic", + "anal", + "anal retentive", + "oral", + "analogue", + "analog", + "linear", + "digital", + "analytic", + "analytical", + "synthetic", + "synthetical", + "analytic", + "uninflected", + "isolating", + "synthetic", + "agglutinative", + "polysynthetic", + "analytic", + "analytical", + "synthetic", + "synthetical", + "inflectional", + "derivational", + "apocarpous", + "syncarpous", + "angry", + "aggravated", + "provoked", + "angered", + "enraged", + "furious", + "infuriated", + "maddened", + "black", + "choleric", + "irascible", + "hot under the collar", + "huffy", + "mad", + "sore", + "indignant", + "incensed", + "outraged", + "umbrageous", + "irate", + "ireful", + "livid", + "smoldering", + "smouldering", + "wrathful", + "wroth", + "wrothful", + "unangry", + "resentful", + "acrimonious", + "bitter", + "rancorous", + "unresentful", + "unbitter", + "sentient", + "animate", + "sensate", + "insentient", + "insensate", + "unfeeling", + "animate", + "inanimate", + "nonliving", + "non-living", + "nonconscious", + "animated", + "alive", + "enlivened", + "spirited", + "full of life", + "lively", + "vital", + "reanimated", + "revived", + "unanimated", + "lifeless", + "wan", + "enlivened", + "perked up", + "unenlivened", + "animate", + "inanimate", + "anonymous", + "anon.", + "nameless", + "unidentified", + "unknown", + "unnamed", + "onymous", + "binomial", + "binominal", + "pseudonymous", + "antemortem", + "postmortem", + "postmortal", + "antecedent", + "anterior", + "prior", + "anticipatory", + "prevenient", + "preexistent", + "pre-existent", + "preexisting", + "pre-existing", + "subsequent", + "attendant", + "consequent", + "accompanying", + "concomitant", + "incidental", + "ensuant", + "resultant", + "sequent", + "later", + "ulterior", + "posterior", + "antrorse", + "retrorse", + "decurved", + "aquatic", + "marine", + "semiaquatic", + "subaquatic", + "subaqueous", + "subaquatic", + "submerged", + "submersed", + "underwater", + "terrestrial", + "onshore", + "overland", + "amphibious", + "amphibiotic", + "semiaquatic", + "preceding", + "above", + "above-mentioned", + "above-named", + "foregoing", + "introductory", + "prefatorial", + "prefatory", + "precedent", + "premedical", + "preparatory", + "preparative", + "propaedeutic", + "previous", + "old", + "succeeding", + "back-to-back", + "consecutive", + "ensuing", + "following", + "undermentioned", + "following", + "next", + "in line", + "postmortem", + "precedented", + "unprecedented", + "new", + "unexampled", + "prehensile", + "nonprehensile", + "prenatal", + "antenatal", + "antepartum", + "perinatal", + "postnatal", + "postpartum", + "preprandial", + "postprandial", + "prewar", + "postwar", + "retrograde", + "anterograde", + "antemeridian", + "ante meridiem", + "a.m.", + "postmeridian", + "post meridiem", + "p.m.", + "anterior", + "frontal", + "frontal", + "prefrontal", + "posterior", + "back", + "hind", + "hinder", + "caudal", + "retral", + "dorsal", + "ventral", + "dorsoventral", + "appealable", + "unappealable", + "appendaged", + "unappendaged", + "appetizing", + "appetising", + "mouth-watering", + "savory", + "savoury", + "unappetizing", + "unappetising", + "approachable", + "accessible", + "unapproachable", + "offish", + "standoffish", + "appropriate", + "befitting", + "grade-appropriate", + "pat", + "proper", + "right", + "inappropriate", + "unbefitting", + "improper", + "wrong", + "due", + "callable", + "collect", + "cod", + "collectible", + "collectable", + "payable", + "delinquent", + "overdue", + "receivable", + "out-of-pocket", + "repayable", + "undue", + "due", + "undue", + "apropos", + "apposite", + "apt", + "pertinent", + "malapropos", + "inapposite", + "out of place", + "a priori", + "a posteriori", + "apteral", + "amphiprostylar", + "amphiprostyle", + "amphistylar", + "porticoed", + "prostyle", + "pseudoprostyle", + "peripteral", + "monopteral", + "peristylar", + "pseudoperipteral", + "arbitrable", + "nonarbitrable", + "columned", + "amphistylar", + "columnar", + "columniform", + "columnar", + "columnlike", + "colonnaded", + "pillared", + "noncolumned", + "uncolumned", + "astylar", + "unpillared", + "arboreal", + "arboreous", + "tree-living", + "nonarboreal", + "arenaceous", + "sandy", + "sandlike", + "argillaceous", + "clayey", + "armed", + "equipped", + "weaponed", + "light-armed", + "militarized", + "militarised", + "unarmed", + "barehanded", + "clean", + "defenseless", + "defenceless", + "weaponless", + "armored", + "armoured", + "armor-clad", + "armour-clad", + "armor-plated", + "armour-plated", + "steel-plated", + "bony-plated", + "bulletproof", + "lightly armored", + "lightly armoured", + "mail-cheeked", + "mail-clad", + "mailed", + "scaled", + "unarmored", + "unarmoured", + "armed", + "barbed", + "barbellate", + "briary", + "briery", + "bristled", + "bristly", + "burred", + "burry", + "prickly", + "setose", + "setaceous", + "spiny", + "thorny", + "bristlelike", + "brushlike", + "thistlelike", + "clawed", + "taloned", + "unarmed", + "thornless", + "spineless", + "armed", + "armlike", + "brachiate", + "long-armed", + "one-armed", + "armless", + "armored", + "armoured", + "bone-covered", + "scaly", + "scaley", + "scaled", + "silver-scaled", + "unarmored", + "unarmoured", + "scaleless", + "artful", + "crafty", + "cunning", + "dodgy", + "foxy", + "guileful", + "knavish", + "slick", + "sly", + "tricksy", + "tricky", + "wily", + "cute", + "precious", + "designing", + "scheming", + "deep", + "elusive", + "manipulative", + "pawky", + "artless", + "careless", + "articulate", + "eloquent", + "facile", + "fluent", + "silver", + "silver-tongued", + "smooth-spoken", + "speech-endowed", + "well-spoken", + "inarticulate", + "unarticulate", + "aphasic", + "aphonic", + "voiceless", + "dumb", + "mute", + "silent", + "dumb", + "incoherent", + "tongue-tied", + "mute", + "tongueless", + "unspoken", + "wordless", + "speechless", + "dumb", + "unarticulated", + "speaking", + "tongued", + "nonspeaking", + "walk-on", + "articulated", + "articulate", + "jointed", + "unarticulated", + "unjointed", + "ashamed", + "discredited", + "disgraced", + "dishonored", + "shamed", + "embarrassed", + "humiliated", + "mortified", + "guilty", + "hangdog", + "shamefaced", + "shamed", + "shamefaced", + "sheepish", + "unashamed", + "audacious", + "barefaced", + "bodacious", + "bald-faced", + "brassy", + "brazen", + "brazen-faced", + "insolent", + "shameless", + "unblushing", + "unabashed", + "unembarrassed", + "assertive", + "self-asserting", + "self-assertive", + "cocky", + "emphatic", + "forceful", + "unassertive", + "nonassertive", + "reticent", + "self-effacing", + "retiring", + "associative", + "associatory", + "associable", + "nonassociative", + "attached", + "committed", + "bespoken", + "betrothed", + "intended", + "involved", + "unattached", + "uncommitted", + "unengaged", + "unpledged", + "unpromised", + "affixed", + "appendant", + "basifixed", + "glued", + "pasted", + "mounted", + "unaffixed", + "loose", + "sessile", + "stalkless", + "pedunculate", + "stalked", + "sessile", + "vagile", + "free-swimming", + "unattached", + "attached", + "detached", + "freestanding", + "separate", + "semidetached", + "stuck", + "cragfast", + "unstuck", + "attachable", + "bindable", + "bondable", + "clip-on", + "tie-on", + "detachable", + "clastic", + "wary", + "on guard", + "on one's guard", + "upon one's guard", + "on your guard", + "shy", + "unwary", + "gullible", + "unguarded", + "attentive", + "captive", + "absorbed", + "engrossed", + "enwrapped", + "intent", + "wrapped", + "advertent", + "heedful", + "observant", + "oversolicitous", + "solicitous", + "inattentive", + "absent", + "absentminded", + "abstracted", + "scatty", + "distracted", + "distrait", + "dreamy", + "moony", + "woolgathering", + "drowsy", + "oscitant", + "yawning", + "forgetful", + "oblivious", + "attractive", + "bewitching", + "captivating", + "enchanting", + "enthralling", + "entrancing", + "fascinating", + "charismatic", + "magnetic", + "cunning", + "cute", + "dinky", + "engaging", + "piquant", + "fetching", + "taking", + "winning", + "glossy", + "showy", + "hypnotic", + "mesmeric", + "mesmerizing", + "spellbinding", + "irresistible", + "personable", + "photogenic", + "prepossessing", + "winsome", + "unattractive", + "homely", + "plain", + "subfusc", + "unprepossessing", + "unpresentable", + "attractive", + "repulsive", + "appealing", + "attention-getting", + "catchy", + "attractive", + "unappealing", + "off-putting", + "unattractive", + "attributable", + "ascribable", + "due", + "imputable", + "referable", + "credited", + "traceable", + "unattributable", + "unascribable", + "attributive", + "prenominal", + "attributive genitive", + "predicative", + "pregnant", + "big", + "enceinte", + "expectant", + "gravid", + "great", + "large", + "heavy", + "with child", + "nonpregnant", + "audible", + "hearable", + "clunky", + "sonic", + "sounding", + "inaudible", + "unhearable", + "breathed", + "voiceless", + "infrasonic", + "silent", + "silent", + "unsounded", + "supersonic", + "ultrasonic", + "unheard", + "sonic", + "transonic", + "subsonic", + "supersonic", + "auspicious", + "bright", + "hopeful", + "promising", + "fortunate", + "rosy", + "inauspicious", + "unfortunate", + "unpromising", + "propitious", + "golden", + "favorable", + "favourable", + "lucky", + "prosperous", + "gracious", + "unpropitious", + "ill", + "inauspicious", + "ominous", + "thunderous", + "authorized", + "authorised", + "accredited", + "commissioned", + "licensed", + "licenced", + "approved", + "sanctioned", + "canonized", + "canonised", + "glorified", + "empowered", + "sceptered", + "sceptred", + "unauthorized", + "unauthorised", + "self-appointed", + "unaccredited", + "unlicensed", + "unlicenced", + "constitutional", + "unconstitutional", + "autochthonous", + "allochthonous", + "autoecious", + "homoecious", + "heteroecious", + "autogenous", + "autogenic", + "self-generated", + "self-produced", + "self-induced", + "heterogenous", + "heterogeneous", + "automatic", + "autoloading", + "self-loading", + "semiautomatic", + "automated", + "machine-controlled", + "machine-driven", + "self-acting", + "self-activating", + "self-moving", + "self-regulating", + "self-locking", + "self-winding", + "semiautomatic", + "smart", + "manual", + "hand-operated", + "non-automatic", + "available", + "accessible", + "acquirable", + "addressable", + "easy", + "forthcoming", + "gettable", + "getable", + "obtainable", + "procurable", + "in stock", + "lendable", + "visible", + "on hand", + "on tap", + "on tap", + "open", + "purchasable", + "for sale", + "ready", + "unavailable", + "inaccessible", + "unobtainable", + "unprocurable", + "untouchable", + "out of stock", + "awake", + "astir", + "up", + "awakened", + "insomniac", + "sleepless", + "watchful", + "unsleeping", + "wide-awake", + "waking", + "wakeful", + "asleep", + "at rest", + "dormant", + "hibernating", + "torpid", + "drowsy", + "drowsing", + "dozy", + "fast asleep", + "sound asleep", + "hypnoid", + "sleepy", + "sleepy-eyed", + "sleepyheaded", + "slumberous", + "slumbery", + "slumbrous", + "somnolent", + "unawakened", + "astringent", + "styptic", + "hemostatic", + "nonastringent", + "aware", + "cognizant", + "cognisant", + "alert", + "alive", + "awake", + "conscious", + "sensible", + "unaware", + "incognizant", + "oblivious", + "unmindful", + "unconscious", + "unsuspecting", + "witting", + "unwitting", + "alarming", + "appalling", + "dismaying", + "atrocious", + "frightful", + "horrifying", + "horrible", + "ugly", + "awful", + "dire", + "direful", + "dread", + "dreaded", + "dreadful", + "fearful", + "fearsome", + "frightening", + "horrendous", + "horrific", + "terrible", + "baleful", + "forbidding", + "menacing", + "minacious", + "minatory", + "ominous", + "sinister", + "threatening", + "bloodcurdling", + "hair-raising", + "nightmarish", + "chilling", + "scarey", + "scary", + "shivery", + "shuddery", + "creepy", + "creepy-crawly", + "formidable", + "redoubtable", + "unnerving", + "ghastly", + "grim", + "grisly", + "gruesome", + "macabre", + "sick", + "hairy", + "petrifying", + "stupefying", + "terrific", + "terrifying", + "unalarming", + "anemophilous", + "entomophilous", + "reassuring", + "assuasive", + "soothing", + "assuring", + "comforting", + "consolatory", + "consoling", + "unreassuring", + "worrisome", + "back", + "backmost", + "hindermost", + "hindmost", + "rearmost", + "rear", + "rearward", + "front", + "advance", + "advanced", + "in advance", + "foremost", + "frontmost", + "frontal", + "head-on", + "leading", + "directing", + "directional", + "directive", + "guiding", + "guiding", + "following", + "pursuing", + "backed", + "hardbacked", + "hardback", + "hardbound", + "hardcover", + "high-backed", + "low-backed", + "razorback", + "razor-backed", + "spiny-backed", + "stiff-backed", + "straight-backed", + "backless", + "low-cut", + "backward", + "backswept", + "sweptback", + "cacuminal", + "retroflex", + "converse", + "reversed", + "transposed", + "inverse", + "reverse", + "rearward", + "reverse", + "receding", + "reflexive", + "self-referent", + "regardant", + "retracted", + "retral", + "retrograde", + "retroflex", + "retroflexed", + "returning", + "reversive", + "forward", + "guardant", + "gardant", + "full-face", + "headfirst", + "headlong", + "forward", + "reverse", + "backward", + "bashful", + "blate", + "forward", + "brash", + "cheeky", + "nervy", + "bumptious", + "self-assertive", + "overfamiliar", + "fresh", + "impertinent", + "impudent", + "overbold", + "smart", + "saucy", + "sassy", + "wise", + "assumptive", + "assuming", + "presumptuous", + "balconied", + "unbalconied", + "barreled", + "barrelled", + "unbarreled", + "unbarrelled", + "beaked", + "beaklike", + "billed", + "duckbill", + "duck-billed", + "rostrate", + "short-beaked", + "short-billed", + "stout-billed", + "straight-billed", + "thick-billed", + "beakless", + "bedded", + "double-bedded", + "single-bedded", + "twin-bedded", + "bedless", + "beneficed", + "unbeneficed", + "stratified", + "bedded", + "foliate", + "foliated", + "foliaceous", + "laminar", + "laminal", + "layered", + "superimposed", + "sheetlike", + "unstratified", + "ferned", + "ferny", + "braky", + "fernlike", + "ferny", + "fernless", + "grassy", + "grass-covered", + "grasslike", + "rushlike", + "sedgelike", + "sedgy", + "grassless", + "gusseted", + "ungusseted", + "hairless", + "bald", + "bald-headed", + "bald-pated", + "balding", + "beardless", + "smooth-faced", + "depilatory", + "depilous", + "glabrescent", + "glabrous", + "naked-muzzled", + "naked-tailed", + "nonhairy", + "tonsured", + "hairy", + "haired", + "hirsute", + "canescent", + "hoary", + "coarse-haired", + "coarse-furred", + "comate", + "comose", + "comal", + "curly-haired", + "curly-coated", + "dark-haired", + "dark-coated", + "downy", + "pubescent", + "puberulent", + "sericeous", + "floccose", + "furlike", + "furred", + "furry", + "fuzzed", + "fuzzy", + "glossy-haired", + "glossy-coated", + "glossy-furred", + "hispid", + "lanate", + "woolly", + "long-haired", + "pappose", + "pilous", + "pilose", + "pilary", + "rough-haired", + "shock-headed", + "short-haired", + "silky-haired", + "silver-haired", + "smooth-haired", + "snake-haired", + "soft-haired", + "stiff-haired", + "thick-haired", + "tomentose", + "tomentous", + "velvety-furred", + "velvety-haired", + "wire-haired", + "wiry-coated", + "wiry", + "wooly", + "woolly", + "wooly-haired", + "woolly-haired", + "awned", + "awny", + "bearded", + "awnless", + "bearing", + "load-bearing", + "supporting", + "nonbearing", + "beautiful", + "beauteous", + "bonny", + "bonnie", + "comely", + "fair", + "sightly", + "dishy", + "exquisite", + "fine-looking", + "good-looking", + "better-looking", + "handsome", + "well-favored", + "well-favoured", + "glorious", + "resplendent", + "splendid", + "splendiferous", + "gorgeous", + "lovely", + "picturesque", + "pretty", + "pretty-pretty", + "pulchritudinous", + "ravishing", + "scenic", + "stunning", + "ugly", + "disfigured", + "evil-looking", + "fugly", + "grotesque", + "monstrous", + "hideous", + "repulsive", + "ill-favored", + "ill-favoured", + "scrofulous", + "unlovely", + "unpicturesque", + "unsightly", + "bellied", + "big-bellied", + "great bellied", + "bellyless", + "flat-bellied", + "banded", + "unbanded", + "belted", + "banded", + "belt-fed", + "beltlike", + "belt-like", + "unbelted", + "beltless", + "beneficent", + "benefic", + "maleficent", + "baleful", + "baneful", + "malefic", + "malevolent", + "malign", + "evil", + "malicious", + "despiteful", + "spiteful", + "vindictive", + "leering", + "malevolent", + "beady-eyed", + "bitchy", + "catty", + "cattish", + "poisonous", + "venomous", + "vicious", + "venomed", + "vixenish", + "unmalicious", + "benign", + "benignant", + "kindly", + "malign", + "cancerous", + "best", + "champion", + "prizewinning", + "high-grade", + "top-quality", + "top-grade", + "first", + "foremost", + "world-class", + "go-to-meeting", + "Sunday-go-to-meeting", + "optimum", + "optimal", + "primo", + "record-breaking", + "second-best", + "superfine", + "unexcelled", + "unexceeded", + "unsurpassed", + "unsurpassable", + "worst", + "bottom", + "last", + "last-place", + "lowest", + "pessimal", + "pessimum", + "better", + "amended", + "finer", + "improved", + "worse", + "worsened", + "better", + "fitter", + "healthier", + "worse", + "worsened", + "bettering", + "ameliorating", + "ameliorative", + "amelioratory", + "meliorative", + "amendatory", + "corrective", + "remedial", + "worsening", + "bicameral", + "unicameral", + "bidirectional", + "biface", + "bifacial", + "duplex", + "two-way", + "unidirectional", + "one-way", + "simplex", + "unifacial", + "faced", + "baby-faced", + "bald-faced", + "featured", + "Janus-faced", + "two-faced", + "long-faced", + "moon-faced", + "round-faced", + "pale-faced", + "pug-faced", + "sad-faced", + "sweet-faced", + "visaged", + "faceless", + "anonymous", + "bibbed", + "bibless", + "unilateral", + "one-sided", + "one-party", + "multilateral", + "many-sided", + "bilateral", + "two-sided", + "deep-lobed", + "two-lobed", + "bipartite", + "two-part", + "two-way", + "joint", + "multipartite", + "quadrilateral", + "four-sided", + "five-sided", + "six-sided", + "seven-sided", + "eight-sided", + "nine-sided", + "ten-sided", + "eleven-sided", + "twelve-sided", + "quadripartite", + "four-party", + "tetramerous", + "three-cornered", + "three-lobed", + "four-lobed", + "five-lobed", + "many-lobed", + "palmately-lobed", + "trilateral", + "triangular", + "three-sided", + "tripartite", + "three-party", + "three-way", + "bimodal", + "unimodal", + "binaural", + "biaural", + "two-eared", + "stereophonic", + "stereo", + "two-channel", + "monaural", + "one-eared", + "mono", + "monophonic", + "single-channel", + "binucleate", + "binuclear", + "binucleated", + "mononuclear", + "mononucleate", + "trinucleate", + "trinuclear", + "trinucleated", + "bipedal", + "biped", + "two-footed", + "quadrupedal", + "quadruped", + "four-footed", + "black", + "African-American", + "Afro-American", + "colored", + "coloured", + "dark", + "dark-skinned", + "non-white", + "negro", + "negroid", + "white", + "Caucasian", + "Caucasoid", + "light-skinned", + "blond", + "blonde", + "light-haired", + "ash-blonde", + "platinum-blonde", + "towheaded", + "fair", + "fairish", + "flaxen", + "sandy", + "nordic", + "redheaded", + "brunet", + "brunette", + "adust", + "bronzed", + "suntanned", + "tanned", + "brown", + "browned", + "dark", + "dark-haired", + "black-haired", + "brown-haired", + "dark-skinned", + "dusky", + "swart", + "swarthy", + "grizzled", + "nutbrown", + "blemished", + "acned", + "pimpled", + "pimply", + "pustulate", + "blebbed", + "blebby", + "blotchy", + "flyblown", + "marred", + "scarred", + "pocked", + "pockmarked", + "unblemished", + "unmarred", + "unmutilated", + "stainless", + "unstained", + "unsullied", + "untainted", + "untarnished", + "bloody", + "blood-filled", + "bloodstained", + "gory", + "bloodsucking", + "bloodthirsty", + "bloody-minded", + "sanguinary", + "crimson", + "red", + "violent", + "homicidal", + "murderous", + "gory", + "sanguinary", + "sanguineous", + "slaughterous", + "butcherly", + "internecine", + "bloodless", + "nonviolent", + "unbloody", + "bold", + "audacious", + "brave", + "dauntless", + "fearless", + "hardy", + "intrepid", + "unfearing", + "daredevil", + "temerarious", + "emboldened", + "foolhardy", + "heady", + "rash", + "reckless", + "heroic", + "heroical", + "nervy", + "overreaching", + "vaulting", + "overvaliant", + "timid", + "bashful", + "coy", + "fearful", + "timorous", + "trepid", + "intimidated", + "mousy", + "mousey", + "bound", + "chained", + "enchained", + "fettered", + "shackled", + "furled", + "rolled", + "pinioned", + "tethered", + "trussed", + "tied", + "wired", + "unbound", + "unchained", + "unfettered", + "unshackled", + "untied", + "untethered", + "laced", + "tied", + "unlaced", + "untied", + "tied", + "fastened", + "knotted", + "untied", + "unfastened", + "tangled", + "afoul", + "foul", + "fouled", + "enmeshed", + "intermeshed", + "entangled", + "knotty", + "snarled", + "snarly", + "matted", + "rootbound", + "thrown", + "thrown and twisted", + "untangled", + "disentangled", + "loosened", + "unsnarled", + "bound", + "brassbound", + "cased", + "half-bound", + "paperback", + "paperbacked", + "well-bound", + "unbound", + "looseleaf", + "bordered", + "boxed", + "deckled", + "deckle-edged", + "featheredged", + "edged", + "fringed", + "lined", + "sawtoothed-edged", + "seagirt", + "spiny-edged", + "white-edged", + "unbordered", + "lotic", + "lentic", + "lower-class", + "low-class", + "non-U", + "proletarian", + "propertyless", + "wage-earning", + "working-class", + "blue-collar", + "upper-lower-class", + "middle-class", + "bourgeois", + "bourgeois", + "conservative", + "materialistic", + "lower-middle-class", + "upper-middle-class", + "upper-class", + "quality", + "propertied", + "property-owning", + "u", + "tweedy", + "wellborn", + "brachycephalic", + "brachycranial", + "brachycranic", + "broad-headed", + "roundheaded", + "short-headed", + "bullet-headed", + "dolichocephalic", + "dolichocranial", + "dolichocranic", + "long-headed", + "brave", + "courageous", + "desperate", + "heroic", + "gallant", + "game", + "gamy", + "gamey", + "gritty", + "mettlesome", + "spirited", + "spunky", + "lionhearted", + "stalwart", + "stouthearted", + "undaunted", + "valiant", + "valorous", + "cowardly", + "fearful", + "caitiff", + "chicken", + "chickenhearted", + "lily-livered", + "white-livered", + "yellow", + "yellow-bellied", + "craven", + "recreant", + "dastard", + "dastardly", + "faint", + "fainthearted", + "timid", + "faint-hearted", + "funky", + "poltroon", + "pusillanimous", + "poor-spirited", + "unmanly", + "gutsy", + "plucky", + "gutless", + "breast-fed", + "nursed", + "suckled", + "bottle-fed", + "breathing", + "eupneic", + "eupnoeic", + "sweet-breathed", + "breathless", + "dyspneic", + "dyspnoeic", + "dyspneal", + "dyspnoeal", + "asphyxiating", + "smothering", + "suffocating", + "suffocative", + "blown", + "pursy", + "short-winded", + "winded", + "crystalline", + "crystallized", + "crystalised", + "microcrystalline", + "polycrystalline", + "noncrystalline", + "amorphous", + "uncrystallized", + "uncrystallised", + "landed", + "landless", + "light", + "ablaze", + "inflamed", + "reddened", + "autofluorescent", + "bioluminescent", + "bright", + "candescent", + "floodlit", + "floodlighted", + "fluorescent", + "illuminated", + "lighted", + "lit", + "well-lighted", + "incandescent", + "candent", + "lamplit", + "lighting-up", + "livid", + "luminescent", + "phosphorescent", + "sunlit", + "sunstruck", + "white", + "dark", + "Acheronian", + "Acherontic", + "Stygian", + "aphotic", + "black", + "pitch-black", + "pitch-dark", + "caliginous", + "Cimmerian", + "crepuscular", + "darkened", + "darkening", + "darkling", + "darkling", + "dim", + "subdued", + "dusky", + "twilight", + "twilit", + "glooming", + "gloomy", + "gloomful", + "sulky", + "lightless", + "unilluminated", + "unlighted", + "unlit", + "semidark", + "tenebrous", + "tenebrific", + "tenebrious", + "shaded", + "murky", + "mirky", + "shady", + "shadowed", + "shadowy", + "umbrageous", + "unshaded", + "unshadowed", + "shaded", + "hatched", + "crosshatched", + "unshaded", + "moonlit", + "moony", + "moonless", + "bridgeable", + "unbridgeable", + "bright", + "agleam", + "gleaming", + "nitid", + "aglow", + "lambent", + "lucent", + "luminous", + "aglitter", + "coruscant", + "fulgid", + "glinting", + "glistering", + "glittering", + "glittery", + "scintillant", + "scintillating", + "sparkly", + "beady", + "beadlike", + "buttony", + "buttonlike", + "beaming", + "beamy", + "effulgent", + "radiant", + "refulgent", + "blazing", + "blinding", + "dazzling", + "fulgent", + "glaring", + "glary", + "bright as a new penny", + "brilliant", + "ardent", + "glimmery", + "glistening", + "glossy", + "lustrous", + "sheeny", + "shiny", + "shining", + "iridescent", + "nacreous", + "opalescent", + "opaline", + "pearlescent", + "lurid", + "noctilucent", + "satiny", + "sleek", + "silken", + "silky", + "silklike", + "slick", + "self-luminous", + "shimmery", + "silver", + "silvern", + "silvery", + "twinkling", + "dull", + "flat", + "mat", + "matt", + "matte", + "matted", + "lackluster", + "lacklustre", + "lusterless", + "lustreless", + "soft", + "subdued", + "dimmed", + "dim", + "low-beam", + "undimmed", + "bright", + "prejudiced", + "discriminatory", + "homophobic", + "jaundiced", + "loaded", + "racist", + "antiblack", + "anti-Semite", + "sexist", + "unprejudiced", + "impartial", + "color-blind", + "colour-blind", + "nonracist", + "broad-minded", + "broad", + "large-minded", + "liberal", + "tolerant", + "catholic", + "free-thinking", + "latitudinarian", + "undogmatic", + "undogmatical", + "open-minded", + "narrow-minded", + "narrow", + "close-minded", + "closed-minded", + "dogmatic", + "dogmatical", + "illiberal", + "intolerant", + "opinionated", + "opinionative", + "self-opinionated", + "petty", + "small-minded", + "reconstructed", + "unreconstructed", + "broken", + "unbroken", + "broken", + "unkept", + "unbroken", + "kept", + "broken", + "broken-field", + "dashed", + "dotted", + "fitful", + "interrupted", + "off-and-on", + "halting", + "unbroken", + "solid", + "uninterrupted", + "brotherly", + "brotherlike", + "fraternal", + "sisterly", + "sisterlike", + "sororal", + "exergonic", + "endergonic", + "fraternal", + "biovular", + "identical", + "monovular", + "buried", + "inhumed", + "interred", + "belowground", + "unburied", + "busy", + "at work", + "drudging", + "laboring", + "labouring", + "toiling", + "engaged", + "occupied", + "overbusy", + "tied up", + "up to", + "idle", + "bone-idle", + "bone-lazy", + "faineant", + "indolent", + "lazy", + "otiose", + "slothful", + "work-shy", + "lackadaisical", + "leisured", + "unengaged", + "bony", + "boney", + "bone", + "boned", + "bonelike", + "strong-boned", + "boneless", + "boned", + "deboned", + "buttoned", + "fastened", + "botonee", + "botonnee", + "button-down", + "unbuttoned", + "unfastened", + "open-collared", + "capitalistic", + "capitalist", + "bourgeois", + "competitive", + "free-enterprise", + "private-enterprise", + "individualistic", + "laissez-faire", + "socialistic", + "socialist", + "collective", + "collectivist", + "collectivistic", + "collectivized", + "collectivised", + "state-controlled", + "cacophonous", + "cacophonic", + "cackly", + "squawky", + "croaky", + "guttural", + "grating", + "gravelly", + "rasping", + "raspy", + "rough", + "scratchy", + "gruff", + "hoarse", + "husky", + "jangling", + "jangly", + "jarring", + "raucous", + "strident", + "rending", + "ripping", + "splitting", + "euphonious", + "euphonous", + "golden", + "silvern", + "silvery", + "calculable", + "computable", + "estimable", + "countable", + "denumerable", + "enumerable", + "numerable", + "incalculable", + "countless", + "infinite", + "innumerable", + "innumerous", + "multitudinous", + "myriad", + "numberless", + "uncounted", + "unnumberable", + "unnumbered", + "unnumerable", + "incomputable", + "inestimable", + "immeasurable", + "indeterminable", + "calm", + "placid", + "quiet", + "still", + "tranquil", + "smooth", + "unruffled", + "settled", + "windless", + "stormy", + "angry", + "furious", + "raging", + "tempestuous", + "wild", + "billowy", + "billowing", + "surging", + "blustering", + "blusterous", + "blustery", + "boisterous", + "fierce", + "rough", + "blowy", + "breezy", + "windy", + "choppy", + "dirty", + "gusty", + "puffy", + "squally", + "thundery", + "camphorated", + "uncamphorated", + "capable", + "able", + "confident", + "surefooted", + "sure-footed", + "resourceful", + "incapable", + "unable", + "capable", + "incapable", + "cared-for", + "attended", + "tended to", + "uncared-for", + "neglected", + "unattended", + "untended", + "careful", + "blow-by-blow", + "certain", + "sure", + "close", + "conscientious", + "painstaking", + "scrupulous", + "detailed", + "elaborate", + "elaborated", + "minute", + "narrow", + "overcareful", + "too-careful", + "particular", + "protective", + "studious", + "thorough", + "careless", + "casual", + "cursory", + "passing", + "perfunctory", + "haphazard", + "slapdash", + "slipshod", + "sloppy", + "heedless", + "reckless", + "incautious", + "offhand", + "offhanded", + "carnivorous", + "flesh-eating", + "meat-eating", + "zoophagous", + "piscivorous", + "predacious", + "predaceous", + "herbivorous", + "anthophagous", + "anthophilous", + "baccivorous", + "carpophagous", + "fruit-eating", + "grass-eating", + "plant-eating", + "phytophagic", + "phytophagous", + "phytophilous", + "saprophagous", + "saprozoic", + "saprophytic", + "omnivorous", + "all-devouring", + "insectivorous", + "apivorous", + "myrmecophagous", + "holozoic", + "holophytic", + "carpellate", + "pistillate", + "acarpelous", + "acarpellous", + "carpeted", + "uncarpeted", + "carvel-built", + "flush-seamed", + "clinker-built", + "clincher-built", + "lap-strake", + "lap-straked", + "lap-streak", + "lap-streaked", + "carved", + "carven", + "engraved", + "etched", + "graven", + "incised", + "inscribed", + "graven", + "sculpted", + "sculptured", + "lapidarian", + "sliced", + "uncarved", + "acatalectic", + "catalectic", + "hypercatalectic", + "cauline", + "radical", + "basal", + "censored", + "expurgated", + "uncensored", + "unexpurgated", + "caudate", + "caudated", + "bobtail", + "bobtailed", + "caudal", + "taillike", + "tailed", + "scaly-tailed", + "scissor-tailed", + "short-tailed", + "square-tailed", + "stiff-tailed", + "swallow-tailed", + "tail-shaped", + "acaudate", + "acaudal", + "anurous", + "tailless", + "caulescent", + "cauline", + "stemmed", + "cylindrical-stemmed", + "leafy-stemmed", + "multi-stemmed", + "short-stemmed", + "spiny-stemmed", + "stout-stemmed", + "thick-stemmed", + "weak-stemmed", + "wiry-stemmed", + "woolly-stemmed", + "woody-stemmed", + "acaulescent", + "stemless", + "causative", + "abortifacient", + "activating", + "actuating", + "anorectic", + "anorexigenic", + "causal", + "conducive", + "contributing", + "contributive", + "contributory", + "tributary", + "errhine", + "fast", + "inductive", + "inducive", + "motivative", + "motive", + "motivating", + "motive", + "motor", + "precipitating", + "responsible", + "responsible for", + "sternutatory", + "sternutative", + "noncausative", + "noncausal", + "cautious", + "cagey", + "cagy", + "chary", + "fabian", + "gingerly", + "guarded", + "restrained", + "overcautious", + "incautious", + "hotheaded", + "impulsive", + "impetuous", + "madcap", + "tearaway", + "brainish", + "cellular", + "cancellate", + "cancellated", + "cancellous", + "alveolate", + "faveolate", + "cavitied", + "honeycombed", + "pitted", + "cell-like", + "lymphoblast-like", + "multicellular", + "noncellular", + "acellular", + "cell-free", + "single-celled", + "one-celled", + "coherent", + "incoherent", + "compartmented", + "compartmental", + "compartmentalized", + "compartmentalised", + "uncompartmented", + "porous", + "poriferous", + "porose", + "nonporous", + "central", + "amidship", + "bicentric", + "bifocal", + "center", + "halfway", + "middle", + "midway", + "centered", + "centric", + "centrical", + "focal", + "median", + "medial", + "middlemost", + "midmost", + "nuclear", + "peripheral", + "circumferential", + "fringy", + "marginal", + "encircling", + "skirting", + "off-base", + "centrifugal", + "outward-developing", + "outward-moving", + "centripetal", + "inward-developing", + "inward-moving", + "afferent", + "centripetal", + "receptive", + "sensory", + "corticoafferent", + "corticipetal", + "efferent", + "motorial", + "centrifugal", + "motor", + "corticoefferent", + "corticofugal", + "corticifugal", + "neuromotor", + "centralizing", + "centralising", + "centripetal", + "unifying", + "consolidative", + "integrative", + "decentralizing", + "decentralising", + "centrifugal", + "certain", + "definite", + "indisputable", + "sure", + "sure as shooting", + "uncertain", + "indefinite", + "up in the air", + "certain", + "sure", + "convinced", + "positive", + "confident", + "uncertain", + "unsure", + "incertain", + "ambivalent", + "doubtful", + "dubious", + "groping", + "convinced", + "unconvinced", + "dubious", + "confident", + "assured", + "cocksure", + "overconfident", + "positive", + "reassured", + "self-assured", + "self-confident", + "diffident", + "shy", + "timid", + "unsure", + "certain", + "sure", + "bound", + "destined", + "doomed", + "fated", + "foreordained", + "predestinate", + "predestined", + "in for", + "uncertain", + "chancy", + "fluky", + "flukey", + "iffy", + "contingent", + "up in the air", + "certified", + "certifiable", + "certificated", + "credentialled", + "uncertified", + "inevitable", + "fatal", + "fateful", + "ineluctable", + "inescapable", + "unavoidable", + "necessary", + "evitable", + "avoidable", + "avertible", + "avertable", + "preventable", + "unpreventable", + "changeable", + "changeful", + "adjustable", + "astatic", + "checkered", + "distortable", + "erratic", + "fickle", + "mercurial", + "quicksilver", + "fluid", + "unstable", + "fluid", + "mobile", + "jittering", + "kaleidoscopic", + "kaleidoscopical", + "mobile", + "open-ended", + "quick-change", + "quick-drying", + "reversible", + "volatile", + "unchangeable", + "changeless", + "unalterable", + "confirmed", + "fixed", + "frozen", + "set in stone", + "carved in stone", + "static", + "stable", + "unchanging", + "commutable", + "alterable", + "convertible", + "transformable", + "translatable", + "transmutable", + "incommutable", + "inconvertible", + "untransmutable", + "unalterable", + "alterable", + "unalterable", + "inalterable", + "incurable", + "final", + "last", + "modifiable", + "unmodifiable", + "adjusted", + "focused", + "weighted", + "unadjusted", + "maladjusted", + "adjusted", + "well-adjusted", + "well-balanced", + "maladjusted", + "unadapted", + "unadjusted", + "altered", + "adjusted", + "changed", + "emended", + "edited", + "paraphrastic", + "revised", + "unaltered", + "unchanged", + "dateless", + "timeless", + "in-situ", + "unmoved", + "unedited", + "unreduced", + "unrevised", + "amended", + "revised", + "unamended", + "changed", + "denatured", + "denaturized", + "denaturised", + "exchanged", + "transformed", + "varied", + "unchanged", + "idempotent", + "same", + "isometric", + "isotonic", + "ionized", + "ionised", + "nonionized", + "nonionised", + "unionized", + "unionised", + "nonionic", + "mutable", + "changeable", + "immutable", + "changeless", + "characteristic", + "diagnostic", + "symptomatic", + "distinctive", + "typical", + "peculiar", + "uncharacteristic", + "charged", + "hot", + "live", + "negative", + "electronegative", + "negatively charged", + "positive", + "electropositive", + "positively charged", + "polar", + "uncharged", + "neutral", + "electroneutral", + "dead", + "drained", + "charitable", + "beneficent", + "benevolent", + "eleemosynary", + "philanthropic", + "uncharitable", + "chartered", + "hired", + "leased", + "unchartered", + "owned", + "closely-held", + "unowned", + "ownerless", + "chaste", + "celibate", + "continent", + "pure", + "vestal", + "virgin", + "virginal", + "virtuous", + "unchaste", + "cyprian", + "easy", + "light", + "loose", + "promiscuous", + "sluttish", + "wanton", + "fallen", + "licentious", + "cheerful", + "beaming", + "glad", + "beamish", + "smiling", + "twinkly", + "blithe", + "blithesome", + "lighthearted", + "lightsome", + "light-hearted", + "buoyant", + "chirpy", + "perky", + "cheery", + "gay", + "sunny", + "chipper", + "debonair", + "debonaire", + "jaunty", + "depressing", + "cheerless", + "uncheerful", + "blue", + "dark", + "dingy", + "disconsolate", + "dismal", + "gloomy", + "grim", + "sorry", + "drab", + "drear", + "dreary", + "somber", + "sombre", + "melancholy", + "chlamydeous", + "achlamydeous", + "chondritic", + "granular", + "achondritic", + "monoclinic", + "triclinic", + "anorthic", + "monochromatic", + "homochromatic", + "polychromatic", + "chromatic", + "amber", + "brownish-yellow", + "yellow-brown", + "amber-green", + "amethyst", + "auburn", + "aureate", + "gilded", + "gilt", + "gold", + "golden", + "avocado", + "azure", + "cerulean", + "sky-blue", + "bright blue", + "beige", + "blackish-brown", + "blackish-red", + "blae", + "blue", + "bluish", + "blueish", + "bluish green", + "blue-green", + "cyan", + "teal", + "blue-lilac", + "bluish-lilac", + "blue-purple", + "bluish-purple", + "blue-violet", + "bluish-violet", + "blushful", + "rosy", + "bottle-green", + "bright-red", + "raspberry-red", + "bronze", + "bronzy", + "bronze-red", + "brown", + "brownish", + "chocolate-brown", + "dark-brown", + "brown-green", + "brownish-green", + "brown-purple", + "brownish-purple", + "buff", + "buff-brown", + "canary", + "canary-yellow", + "caramel", + "caramel brown", + "carnation", + "chartreuse", + "chestnut", + "chestnut-brown", + "coppery", + "copper colored", + "coral", + "coral-red", + "creamy", + "creamy-yellow", + "cress green", + "cresson", + "watercress", + "crimson-magenta", + "crimson-purple", + "crimson-yellow", + "dark-blue", + "deep-pink", + "deep-yellow", + "dull-purple", + "dun", + "earthlike", + "fuscous", + "taupe", + "golden-yellow", + "golden-brown", + "golden-green", + "grey-blue", + "gray-blue", + "greyish-blue", + "grayish-blue", + "grey-brown", + "gray-brown", + "greyish-brown", + "grayish-brown", + "grey-green", + "gray-green", + "greyish-green", + "grayish-green", + "grey-pink", + "gray-pink", + "greyish-pink", + "grayish-pink", + "green", + "greenish", + "light-green", + "dark-green", + "greenish-brown", + "hazel", + "hazel-brown", + "honey", + "jade", + "jade-green", + "khaki", + "lavender", + "lilac", + "lilac-colored", + "lavender-tinged", + "light-blue", + "pale blue", + "lilac-blue", + "violet-blue", + "lilac-pink", + "lavender-pink", + "violet-pink", + "lilac-purple", + "magenta", + "magenta pink", + "maroon", + "brownish-red", + "maroon-purple", + "mauve", + "mauve-blue", + "mauve-pink", + "moss green", + "mosstone", + "mousy", + "mousey", + "mouse-colored", + "mouselike", + "ocher", + "ochre", + "olive-brown", + "olive-drab", + "drab", + "olive", + "orange", + "orangish", + "orange-red", + "orangish-red", + "orange-brown", + "peachy", + "peachy-colored", + "peachy-coloured", + "peacock-blue", + "pea-green", + "pink", + "pinkish", + "pink-lavender", + "pinkish-lavender", + "pink-orange", + "pinkish-orange", + "salmon", + "pink-red", + "pink-tinged", + "pink-purple", + "pinkish-purple", + "powder blue", + "powdery-blue", + "purple", + "violet", + "purplish", + "purple-blue", + "purplish-blue", + "purple-brown", + "purplish-brown", + "purple-green", + "purplish-green", + "purple-lilac", + "purplish-lilac", + "purple-red", + "purplish-red", + "purple-tinged", + "purple-tinted", + "red", + "reddish", + "ruddy", + "blood-red", + "carmine", + "cerise", + "cherry", + "cherry-red", + "crimson", + "ruby", + "ruby-red", + "scarlet", + "red-brown", + "reddish-brown", + "mahogany-red", + "red-lavender", + "reddish-lavender", + "reddish-pink", + "red-orange", + "reddish-orange", + "flame-orange", + "red-purple", + "reddisn-purple", + "red-violet", + "reddish-violet", + "rose", + "roseate", + "rosaceous", + "rose-red", + "rose-lilac", + "rose-lavender", + "rose-mauve", + "rose-purple", + "rosy-purple", + "rose-tinted", + "rose-tinged", + "russet", + "rust", + "rusty", + "rust-brown", + "rust-red", + "rusty-red", + "rusty-brown", + "sage", + "sage-green", + "sapphire", + "scarlet-crimson", + "scarlet-pink", + "sea-green", + "silver-blue", + "silvery-blue", + "silver-green", + "silvery-green", + "snuff", + "snuff-brown", + "mummy-brown", + "chukker-brown", + "sorrel", + "brownish-orange", + "stone", + "straw", + "sulfur-yellow", + "sulphur-yellow", + "tan", + "tannish", + "tangerine", + "tawny", + "tawny-brown", + "ultramarine", + "umber", + "vermilion", + "vermillion", + "cinnabar", + "Chinese-red", + "vinaceous", + "violet-tinged", + "violet-tinted", + "white-pink", + "wine-red", + "yellow", + "yellowish", + "xanthous", + "yellow-beige", + "yellowish-beige", + "yellow-green", + "yellow-orange", + "yellowish-orange", + "yellow-tinged", + "achromatic", + "neutral", + "argent", + "silver", + "silvery", + "silverish", + "ash-grey", + "ash-gray", + "ashy", + "blackish", + "black-grey", + "black-gray", + "blackish-grey", + "blackish-gray", + "blue-white", + "bluish-white", + "cool-white", + "blue-grey", + "blue-gray", + "bluish-grey", + "bluish-gray", + "blue-black", + "bluish black", + "brown-black", + "brownish-black", + "brown-grey", + "brown-gray", + "brownish-grey", + "brownish-gray", + "canescent", + "chalky", + "charcoal", + "charcoal-grey", + "charcoal-gray", + "coal-black", + "jet", + "jet-black", + "pitchy", + "sooty", + "cottony-white", + "dull-white", + "ebon", + "ebony", + "grey", + "gray", + "greyish", + "grayish", + "grey-black", + "gray-black", + "greyish-black", + "grayish-black", + "grey-white", + "gray-white", + "greyish-white", + "grayish-white", + "greenish-grey", + "greenish-gray", + "green-white", + "greenish-white", + "hueless", + "ink-black", + "inky", + "inky-black", + "iron-grey", + "iron-gray", + "lily-white", + "milk-white", + "olive-grey", + "olive-gray", + "oxford-grey", + "oxford-gray", + "dark-grey", + "dark-gray", + "pearl grey", + "pearl gray", + "pearly", + "pearly-white", + "pinkish-white", + "purple-black", + "purplish-black", + "purple-white", + "purplish-white", + "red-grey", + "red-gray", + "reddish-grey", + "reddish-gray", + "sable", + "silver-grey", + "silver-gray", + "silvery-grey", + "silvery-gray", + "silver-white", + "silvery-white", + "slate-black", + "slate-grey", + "slate-gray", + "slaty-grey", + "slaty-gray", + "slaty", + "slatey", + "stone-grey", + "stone-gray", + "snow-white", + "snowy", + "soot-black", + "sooty-black", + "violet-black", + "white-flowered", + "whitish", + "off-white", + "yellow-grey", + "yellow-gray", + "yellowish-grey", + "yellowish-gray", + "yellow-white", + "yellowish-white", + "black", + "white", + "albescent", + "saturated", + "pure", + "intense", + "vivid", + "unsaturated", + "dull", + "color", + "colour", + "black-and-white", + "black and white", + "colored", + "coloured", + "colorful", + "crimson", + "red", + "reddened", + "red-faced", + "flushed", + "bay", + "bicolor", + "bicolour", + "bicolored", + "bicoloured", + "bichrome", + "dichromatic", + "black", + "blackened", + "blue-flowered", + "brightly-colored", + "brightly-coloured", + "buff-colored", + "buff-coloured", + "chestnut-colored", + "chestnut-coloured", + "chocolate-colored", + "chocolate-coloured", + "cinnamon colored", + "cinnamon coloured", + "cinnamon-colored", + "cinnamon-coloured", + "cinnamon-red", + "cream-colored", + "creamy-colored", + "creamy-white", + "dark-colored", + "dark-coloured", + "dusky-colored", + "dusky-coloured", + "dun-colored", + "dun-coloured", + "fawn-colored", + "fawn-coloured", + "flame-colored", + "flame-coloured", + "flesh-colored", + "flesh-coloured", + "garnet-colored", + "garnet-coloured", + "ginger", + "gingery", + "gold-colored", + "gold-coloured", + "honey-colored", + "honey-coloured", + "indigo", + "lead-colored", + "lead-coloured", + "liver-colored", + "liver", + "metal-colored", + "metal-coloured", + "metallic-colored", + "metallic-coloured", + "monochromatic", + "monochrome", + "monochromic", + "monochromous", + "motley", + "calico", + "multicolor", + "multi-color", + "multicolour", + "multi-colour", + "multicolored", + "multi-colored", + "multicoloured", + "multi-coloured", + "painted", + "particolored", + "particoloured", + "piebald", + "pied", + "varicolored", + "varicoloured", + "neutral-colored", + "neutral-coloured", + "olive-colored", + "olive-coloured", + "orange-colored", + "orange-coloured", + "orange-hued", + "orange-flowered", + "pale-colored", + "pale-hued", + "pastel-colored", + "peach-colored", + "polychromatic", + "polychrome", + "polychromic", + "purple-flowered", + "red-flowered", + "roan", + "rose-colored", + "rosy-colored", + "rust-colored", + "silver-colored", + "straw-colored", + "straw-coloured", + "tawny-colored", + "tawny-coloured", + "trichromatic", + "trichrome", + "tricolor", + "violet-colored", + "violet-coloured", + "violet-flowered", + "violet-purple", + "uncolored", + "uncoloured", + "achromatous", + "achromic", + "achromous", + "stained", + "unstained", + "untreated", + "colorful", + "colourful", + "ablaze", + "bright", + "brilliant", + "vivid", + "changeable", + "chatoyant", + "iridescent", + "shot", + "deep", + "rich", + "fluorescent", + "prismatic", + "psychedelic", + "shrill", + "vibrant", + "colorless", + "colourless", + "ashen", + "blanched", + "bloodless", + "livid", + "white", + "bleached", + "faded", + "washed-out", + "washy", + "drab", + "sober", + "somber", + "sombre", + "dulled", + "greyed", + "etiolate", + "etiolated", + "blanched", + "lurid", + "pale", + "pallid", + "wan", + "pasty", + "pastelike", + "prefaded", + "waxen", + "waxlike", + "waxy", + "white", + "whitened", + "colorful", + "colourful", + "brave", + "braw", + "gay", + "flashy", + "gaudy", + "jazzy", + "showy", + "sporty", + "many-sided", + "noisy", + "picturesque", + "colorless", + "colourless", + "neutral", + "pale", + "pallid", + "light", + "light-colored", + "pale", + "palish", + "pastel", + "powdery", + "dark", + "darkish", + "chromatic", + "diatonic", + "cismontane", + "cisalpine", + "ultramontane", + "tramontane", + "transmontane", + "transalpine", + "ultramontane", + "christian", + "christianly", + "christlike", + "christly", + "unchristian", + "christless", + "nonchristian", + "unchristianly", + "unchristlike", + "civilized", + "civilised", + "advanced", + "civil", + "humane", + "noncivilized", + "noncivilised", + "barbarian", + "barbaric", + "savage", + "uncivilized", + "uncivilised", + "wild", + "barbarous", + "preliterate", + "nonliterate", + "primitive", + "classical", + "classic", + "classical", + "classic", + "Greco-Roman", + "Graeco-Roman", + "Hellenic", + "neoclassic", + "neoclassical", + "nonclassical", + "modern", + "popular", + "pop", + "classified", + "categorized", + "categorised", + "grouped", + "sorted", + "unclassified", + "uncategorized", + "uncategorised", + "unsorted", + "classified", + "eyes-only", + "confidential", + "restricted", + "secret", + "sensitive", + "top-secret", + "unclassified", + "declassified", + "nonsensitive", + "unrestricted", + "analyzed", + "unanalyzed", + "crude", + "raw", + "clean", + "cleanable", + "cleanly", + "dry-cleaned", + "fresh", + "unused", + "immaculate", + "speckless", + "spick-and-span", + "spic-and-span", + "spic", + "spick", + "spotless", + "pristine", + "scrubbed", + "unsoiled", + "unspotted", + "unstained", + "unsullied", + "washed", + "water-washed", + "dirty", + "soiled", + "unclean", + "Augean", + "bedraggled", + "draggled", + "befouled", + "fouled", + "begrimed", + "dingy", + "grimy", + "grubby", + "grungy", + "raunchy", + "black", + "smutty", + "buggy", + "cobwebby", + "dirty-faced", + "feculent", + "filthy", + "foul", + "nasty", + "flyblown", + "squalid", + "sordid", + "greasy", + "oily", + "lousy", + "maculate", + "mucky", + "muddy", + "ratty", + "scummy", + "smudgy", + "snotty", + "snot-nosed", + "sooty", + "travel-soiled", + "travel-stained", + "uncleanly", + "unswept", + "unwashed", + "clean", + "unobjectionable", + "antiseptic", + "dirty", + "bawdy", + "off-color", + "ribald", + "blasphemous", + "blue", + "profane", + "dirty-minded", + "cruddy", + "filthy", + "foul", + "nasty", + "smutty", + "foul-mouthed", + "foul-spoken", + "lewd", + "obscene", + "raunchy", + "salacious", + "scabrous", + "scatological", + "clean", + "uncontaminating", + "dirty", + "contaminating", + "radioactive", + "hot", + "nonradioactive", + "clean", + "halal", + "kosher", + "cosher", + "unclean", + "impure", + "nonkosher", + "tref", + "terefah", + "untouchable", + "clear", + "broad", + "unsubtle", + "clear-cut", + "distinct", + "trenchant", + "limpid", + "lucid", + "luculent", + "pellucid", + "crystal clear", + "perspicuous", + "prima facie", + "unmistakable", + "vivid", + "unclear", + "blurred", + "clouded", + "confusing", + "perplexing", + "puzzling", + "obscure", + "vague", + "clear", + "crystalline", + "crystal clear", + "limpid", + "lucid", + "pellucid", + "transparent", + "hyaline", + "hyaloid", + "liquid", + "limpid", + "translucent", + "semitransparent", + "unclouded", + "unfrosted", + "opaque", + "cloudy", + "muddy", + "mirky", + "murky", + "turbid", + "fogged", + "foggy", + "frosted", + "glaucous", + "lightproof", + "light-tight", + "milky", + "milklike", + "whitish", + "semiopaque", + "solid", + "radiolucent", + "radiopaque", + "radio-opaque", + "clearheaded", + "clear-thinking", + "clear", + "unclouded", + "confused", + "addlebrained", + "addlepated", + "puddingheaded", + "muddleheaded", + "addled", + "befuddled", + "muddled", + "muzzy", + "woolly", + "wooly", + "woolly-headed", + "wooly-minded", + "befogged", + "befuddled", + "clouded", + "dazed", + "stunned", + "stupefied", + "stupid", + "dazzled", + "trancelike", + "punch-drunk", + "silly", + "slaphappy", + "spaced-out", + "clement", + "lenient", + "inclement", + "unsparing", + "clement", + "balmy", + "mild", + "soft", + "inclement", + "smart", + "astute", + "sharp", + "shrewd", + "cagey", + "cagy", + "canny", + "clever", + "streetwise", + "street smart", + "with-it", + "stupid", + "anserine", + "dopy", + "dopey", + "foolish", + "goosey", + "goosy", + "gooselike", + "jerky", + "blockheaded", + "boneheaded", + "duncical", + "duncish", + "fatheaded", + "loggerheaded", + "thick", + "thickheaded", + "thick-skulled", + "wooden-headed", + "cloddish", + "doltish", + "dense", + "dim", + "dull", + "dumb", + "obtuse", + "slow", + "gaumless", + "gormless", + "lumpish", + "lumpen", + "unthinking", + "nitwitted", + "senseless", + "soft-witted", + "witless", + "weak", + "yokel-like", + "clockwise", + "dextrorotary", + "dextrorotatory", + "right-handed", + "counterclockwise", + "anticlockwise", + "contraclockwise", + "levorotary", + "levorotatory", + "left-handed", + "far", + "cold", + "distant", + "remote", + "distant", + "remote", + "removed", + "faraway", + "far-off", + "farther", + "farthermost", + "farthest", + "furthermost", + "furthest", + "utmost", + "uttermost", + "further", + "farther", + "off the beaten track", + "out-of-the-way", + "outlying", + "near", + "close", + "nigh", + "adjacent", + "nearby", + "warm", + "hot", + "distant", + "deep", + "extreme", + "far-flung", + "long-distance", + "nonadjacent", + "out-of-town", + "yonder", + "yon", + "close", + "adjacent", + "next", + "side by side", + "ambient", + "appressed", + "adpressed", + "approximate", + "close together", + "at hand", + "close at hand", + "imminent", + "impendent", + "impending", + "at hand", + "close at hand", + "close-hauled", + "close-set", + "close set", + "contiguous", + "immediate", + "encompassing", + "surrounding", + "circumferent", + "enveloping", + "hand-to-hand", + "juxtaposed", + "nestled", + "snuggled", + "proximate", + "scalelike", + "walk-to", + "walking", + "distant", + "remote", + "faraway", + "loosely knit", + "removed", + "ulterior", + "close", + "approximate", + "near", + "boon", + "chummy", + "buddy-buddy", + "thick", + "close-knit", + "closely knit", + "confidential", + "cozy", + "dear", + "good", + "near", + "familiar", + "intimate", + "intimate", + "cousinly", + "uncousinly", + "clothed", + "clad", + "appareled", + "attired", + "dressed", + "garbed", + "garmented", + "habilimented", + "robed", + "arrayed", + "panoplied", + "breeched", + "pantalooned", + "trousered", + "bundled-up", + "caparisoned", + "cassocked", + "coated", + "costumed", + "cowled", + "dighted", + "dressed", + "dressed-up", + "dressed to the nines", + "dressed to kill", + "dolled up", + "spruced up", + "spiffed up", + "togged up", + "gowned", + "habited", + "heavy-coated", + "overdressed", + "petticoated", + "red-coated", + "lobster-backed", + "suited", + "surpliced", + "togged", + "turned out", + "tuxedoed", + "underdressed", + "uniformed", + "vestmented", + "unclothed", + "bare", + "au naturel", + "naked", + "nude", + "bare-assed", + "bare-ass", + "in the altogether", + "in the buff", + "in the raw", + "raw", + "peeled", + "naked as a jaybird", + "stark naked", + "bare-breasted", + "braless", + "topless", + "bareheaded", + "bared", + "barelegged", + "bottomless", + "clothesless", + "garmentless", + "raimentless", + "en deshabille", + "in dishabille", + "exposed", + "uncovered", + "half-clothed", + "scantily clad", + "underclothed", + "mother-naked", + "naked as the day one was born", + "naked as the day you were born", + "in one's birthday suit", + "in your birthday suit", + "off-the-shoulder", + "seminude", + "starkers", + "stripped", + "unappareled", + "unattired", + "unclad", + "undressed", + "ungarbed", + "ungarmented", + "without a stitch", + "saddled", + "unsaddled", + "bareback", + "barebacked", + "clear", + "cloudless", + "unclouded", + "fair", + "serene", + "cloudy", + "brumous", + "foggy", + "hazy", + "misty", + "fogbound", + "cloud-covered", + "clouded", + "overcast", + "sunless", + "cloudlike", + "nebular", + "dull", + "leaden", + "heavy", + "lowering", + "sullen", + "threatening", + "miasmal", + "miasmic", + "vaporous", + "vapourous", + "smoggy", + "coastal", + "coastwise", + "inshore", + "maritime", + "seaward", + "inland", + "interior", + "midland", + "upcountry", + "landlocked", + "inshore", + "onshore", + "seaward", + "shoreward", + "offshore", + "seaward", + "coherent", + "consistent", + "logical", + "ordered", + "seamless", + "incoherent", + "confused", + "disconnected", + "disjointed", + "disordered", + "garbled", + "illogical", + "scattered", + "unconnected", + "fuzzy", + "collapsible", + "collapsable", + "foldable", + "foldaway", + "folding", + "telescopic", + "tip-up", + "noncollapsible", + "noncollapsable", + "nontelescopic", + "nontelescoping", + "crannied", + "uncrannied", + "collective", + "agglomerate", + "agglomerated", + "agglomerative", + "clustered", + "aggregate", + "aggregated", + "aggregative", + "mass", + "collectivized", + "collectivised", + "knockdown", + "distributive", + "allocable", + "allocatable", + "apportionable", + "diffusing", + "diffusive", + "dispersive", + "disseminative", + "immanent", + "permeant", + "permeating", + "permeative", + "pervasive", + "separative", + "suffusive", + "publicized", + "publicised", + "advertised", + "heralded", + "promulgated", + "published", + "suppressed", + "burked", + "hushed-up", + "quelled", + "quenched", + "squelched", + "unreleased", + "published", + "unpublished", + "publishable", + "unpublishable", + "reported", + "according", + "notifiable", + "reportable", + "unreported", + "reportable", + "unreportable", + "combinative", + "combinatory", + "combinatorial", + "combinable", + "combinational", + "combinatory", + "noncombinative", + "noncombining", + "combustible", + "burnable", + "ignitable", + "ignitible", + "comburent", + "comburant", + "combustive", + "flammable", + "inflammable", + "ignescent", + "incendiary", + "noncombustible", + "incombustible", + "fireproof", + "fire-retardant", + "fire-resistant", + "fire-resisting", + "fire-resistive", + "flameproof", + "flame-retardant", + "nonflammable", + "explosive", + "detonative", + "nonexplosive", + "lighted", + "lit", + "ablaze", + "afire", + "aflame", + "aflare", + "alight", + "on fire", + "ignited", + "enkindled", + "kindled", + "unlighted", + "unlit", + "unkindled", + "commodious", + "convenient", + "roomy", + "spacious", + "incommodious", + "cramped", + "comfortable", + "comfy", + "cozy", + "cosy", + "snug", + "easy", + "homelike", + "homely", + "homey", + "homy", + "soothing", + "uncomfortable", + "bad", + "tough", + "comfortless", + "irritating", + "painful", + "miserable", + "wretched", + "uneasy", + "warm", + "comfortable", + "comforted", + "uncomfortable", + "awkward", + "ill at ease", + "uneasy", + "disquieting", + "ill-fitting", + "self-conscious", + "commensurate", + "coextensive", + "coterminous", + "conterminous", + "commensurable", + "proportionate", + "incommensurate", + "disproportionate", + "incommensurable", + "proportionate", + "per capita", + "proportionable", + "proportional", + "relative", + "proportional", + "disproportionate", + "disproportional", + "commercial", + "commercialized", + "commercialised", + "mercantile", + "mercantile", + "mercenary", + "moneymaking", + "technical", + "noncommercial", + "blue-sky", + "nonprofit", + "non-profit-making", + "uncommercial", + "uncommercialized", + "uncommercialised", + "residential", + "nonresidential", + "commissioned", + "noncommissioned", + "common", + "average", + "ordinary", + "democratic", + "popular", + "demotic", + "frequent", + "general", + "grassroots", + "standard", + "uncommon", + "especial", + "exceptional", + "particular", + "special", + "rare", + "red carpet", + "red-carpet", + "unusual", + "unwonted", + "usual", + "accustomed", + "customary", + "habitual", + "wonted", + "chronic", + "inveterate", + "regular", + "unusual", + "different", + "extraordinary", + "odd", + "out-of-the-way", + "peculiar", + "unaccustomed", + "unique", + "hydrophobic", + "hydrophilic", + "deliquescent", + "oleophilic", + "lipophilic", + "lipotropic", + "oleophobic", + "common", + "communal", + "public", + "individual", + "single", + "idiosyncratic", + "individualist", + "individualistic", + "one-on-one", + "man-to-man", + "respective", + "several", + "various", + "singular", + "communicative", + "communicatory", + "anecdotic", + "anecdotal", + "anecdotical", + "Bantu-speaking", + "blabbermouthed", + "leaky", + "talebearing", + "tattling", + "chatty", + "gossipy", + "newsy", + "communicable", + "communicational", + "English-speaking", + "expansive", + "talkative", + "expressive", + "Finno-Ugric-speaking", + "Flemish-speaking", + "French-speaking", + "Gaelic-speaking", + "German-speaking", + "gesticulating", + "gestural", + "nonverbal", + "gestural", + "sign", + "signed", + "sign-language", + "heraldic", + "Icelandic-speaking", + "Italian-speaking", + "Japanese-speaking", + "Kannada-speaking", + "Livonian-speaking", + "narrative", + "nonverbal", + "nonverbal", + "openhearted", + "Oscan-speaking", + "outspoken", + "vocal", + "Russian-speaking", + "Samoyedic-speaking", + "Semitic-speaking", + "Siouan-speaking", + "Spanish-speaking", + "Turkic-speaking", + "verbal", + "yarn-spinning", + "uncommunicative", + "incommunicative", + "blank", + "vacuous", + "close", + "closelipped", + "closemouthed", + "secretive", + "tightlipped", + "deadpan", + "expressionless", + "impassive", + "poker-faced", + "unexpressive", + "incommunicado", + "inexpressive", + "mum", + "silent", + "unpronounceable", + "unutterable", + "compact", + "clayey", + "cloggy", + "heavy", + "close-packed", + "consolidated", + "impacted", + "wedged", + "packed", + "serried", + "tight", + "loose", + "light", + "shifting", + "unfirm", + "silty", + "unconsolidated", + "comparable", + "comparable with", + "comparable to", + "incomparable", + "uncomparable", + "all-time", + "incommensurable", + "matchless", + "nonpareil", + "one", + "one and only", + "peerless", + "unmatched", + "unmatchable", + "unrivaled", + "unrivalled", + "alone", + "unique", + "unequaled", + "unequalled", + "unparalleled", + "compassionate", + "caring", + "nurturant", + "tenderhearted", + "uncompassionate", + "hardhearted", + "stonyhearted", + "unfeeling", + "compatible", + "congenial", + "congruous", + "harmonious", + "incompatible", + "antagonistic", + "clashing", + "contradictory", + "mutually exclusive", + "uncongenial", + "compatible", + "incompatible", + "miscible", + "mixable", + "compatible", + "immiscible", + "non-miscible", + "unmixable", + "incompatible", + "competent", + "able", + "capable", + "effective", + "efficient", + "workmanlike", + "incompetent", + "feckless", + "inept", + "ineffective", + "inefficient", + "unworkmanlike", + "competent", + "incompetent", + "unqualified", + "competitive", + "competitory", + "agonistic", + "agonistical", + "combative", + "emulous", + "rivalrous", + "matched", + "noncompetitive", + "accommodative", + "cooperative", + "monopolistic", + "uncompetitive", + "complaining", + "complaintive", + "fretful", + "querulous", + "whiney", + "whiny", + "protestant", + "uncomplaining", + "compressible", + "compressed", + "incompressible", + "whole", + "entire", + "full", + "total", + "full-length", + "full-page", + "integral", + "entire", + "intact", + "livelong", + "undivided", + "fractional", + "aliquot", + "divisional", + "fragmental", + "fragmentary", + "half", + "halfway", + "waist-length", + "whole", + "half", + "committed", + "bound up", + "wrapped up", + "pledged", + "sworn", + "uncommitted", + "fancy-free", + "floating", + "undecided", + "dedicated", + "devoted", + "devoted", + "sacred", + "undedicated", + "complete", + "absolute", + "downright", + "out-and-out", + "rank", + "right-down", + "sheer", + "accomplished", + "completed", + "realized", + "realised", + "all", + "all-or-none", + "all-or-nothing", + "all-out", + "full-scale", + "allover", + "clean", + "completed", + "dead", + "utter", + "exhaustive", + "thorough", + "thoroughgoing", + "fleshed out", + "full-clad", + "full", + "total", + "full-blown", + "full-dress", + "good", + "hearty", + "self-contained", + "sound", + "stand-alone", + "incomplete", + "uncomplete", + "broken", + "half", + "neither", + "partial", + "rudimentary", + "sketchy", + "unelaborated", + "uncompleted", + "comprehensive", + "across-the-board", + "all-embracing", + "all-encompassing", + "all-inclusive", + "blanket", + "broad", + "encompassing", + "extensive", + "panoptic", + "wide", + "all-around", + "all-round", + "well-rounded", + "citywide", + "countywide", + "countrywide", + "nationwide", + "cosmopolitan", + "ecumenical", + "oecumenical", + "general", + "universal", + "worldwide", + "world-wide", + "door-to-door", + "house-to-house", + "encyclopedic", + "encyclopaedic", + "large", + "omnibus", + "plenary", + "spatiotemporal", + "spaciotemporal", + "schoolwide", + "statewide", + "super", + "umbrella", + "noncomprehensive", + "incomprehensive", + "limited", + "composed", + "calm", + "unagitated", + "serene", + "tranquil", + "imperturbable", + "unflappable", + "collected", + "equanimous", + "poised", + "self-collected", + "self-contained", + "self-possessed", + "cool", + "coolheaded", + "nerveless", + "unflurried", + "unflustered", + "unperturbed", + "unruffled", + "discomposed", + "abashed", + "chagrined", + "embarrassed", + "blushful", + "blushing", + "red-faced", + "bothered", + "daunted", + "fazed", + "discombobulated", + "disconcerted", + "flustered", + "hot and bothered", + "perturbed", + "rattled", + "unstrung", + "comprehensible", + "comprehendible", + "accessible", + "approachable", + "apprehensible", + "intelligible", + "graspable", + "perceivable", + "understandable", + "fathomable", + "incomprehensible", + "uncomprehensible", + "dark", + "obscure", + "enigmatic", + "enigmatical", + "puzzling", + "unfathomable", + "impenetrable", + "indecipherable", + "lost", + "missed", + "opaque", + "unintelligible", + "concave", + "acetabular", + "cotyloid", + "cotyloidal", + "biconcave", + "concavo-concave", + "boat-shaped", + "bowl-shaped", + "bursiform", + "pouch-shaped", + "pouchlike", + "saclike", + "concavo-convex", + "cuplike", + "cupular", + "cupulate", + "dished", + "dish-shaped", + "patelliform", + "planoconcave", + "recessed", + "saucer-shaped", + "umbilicate", + "urn-shaped", + "convex", + "bulging", + "bell-shaped", + "biconvex", + "convexo-convex", + "lenticular", + "lentiform", + "broken-backed", + "hogged", + "convexo-concave", + "gibbous", + "gibbose", + "helmet-shaped", + "planoconvex", + "umbellate", + "umbel-like", + "concentrated", + "bunchy", + "thick", + "cumulous", + "single", + "undivided", + "exclusive", + "thickset", + "distributed", + "apportioned", + "dealt out", + "doled out", + "meted out", + "parceled out", + "broken", + "diffuse", + "diffused", + "dispensed", + "dispersed", + "spread", + "divided", + "divided up", + "shared", + "shared out", + "encyclical", + "fanned", + "spread-out", + "far-flung", + "widespread", + "low-density", + "rationed", + "scattered", + "separated", + "spaced", + "sparse", + "thin", + "splashed", + "straggly", + "unfocused", + "unfocussed", + "concentric", + "concentrical", + "homocentric", + "coaxial", + "coaxal", + "eccentric", + "nonconcentric", + "acentric", + "off-center", + "off-centered", + "concerned", + "afraid", + "afraid", + "haunted", + "obsessed", + "preoccupied", + "taken up", + "solicitous", + "unconcerned", + "blase", + "blithe", + "casual", + "insouciant", + "nonchalant", + "degage", + "detached", + "uninvolved", + "indifferent", + "concise", + "aphoristic", + "apothegmatic", + "epigrammatic", + "brief", + "compendious", + "compact", + "succinct", + "summary", + "crisp", + "curt", + "laconic", + "terse", + "cryptic", + "elliptic", + "elliptical", + "pithy", + "sententious", + "telegraphic", + "prolix", + "diffuse", + "long-winded", + "tedious", + "verbose", + "windy", + "wordy", + "verbal", + "pleonastic", + "redundant", + "tautologic", + "tautological", + "conclusive", + "definitive", + "determinate", + "inconclusive", + "equivocal", + "indeterminate", + "neck and neck", + "head-to-head", + "nip and tuck", + "nisi", + "consummated", + "completed", + "fulfilled", + "unconsummated", + "coordinating", + "coordinative", + "subordinating", + "subordinative", + "accordant", + "according", + "agreeable", + "concordant", + "concurring", + "consensual", + "consentaneous", + "consentient", + "unanimous", + "discordant", + "at variance", + "discrepant", + "dissonant", + "dissentious", + "divisive", + "factious", + "contracted", + "contractile", + "expanded", + "atrophied", + "wasted", + "diminished", + "hypertrophied", + "enlarged", + "conditional", + "counterfactual", + "contrary to fact", + "contingent", + "contingent on", + "contingent upon", + "dependent on", + "dependant on", + "dependent upon", + "dependant upon", + "depending on", + "dependent", + "dependant", + "qualified", + "probationary", + "provisional", + "provisionary", + "tentative", + "provisory", + "unconditional", + "unconditioned", + "blunt", + "crude", + "stark", + "vested", + "enforceable", + "unenforceable", + "enforced", + "implemented", + "unenforced", + "conductive", + "semiconducting", + "semiconductive", + "nonconductive", + "nonconducting", + "non-conducting", + "confined", + "claustrophobic", + "close", + "confining", + "homebound", + "housebound", + "shut-in", + "pent", + "shut up", + "snowbound", + "stormbound", + "weather-bound", + "unconfined", + "free-range", + "crowded", + "huddled", + "jammed", + "jam-packed", + "packed", + "thronged", + "uncrowded", + "congenial", + "sociable", + "uncongenial", + "incompatible", + "disagreeable", + "unsympathetic", + "congruent", + "coincident", + "identical", + "superposable", + "incongruent", + "congruous", + "congruent", + "harmonious", + "incongruous", + "discrepant", + "inconsistent", + "inappropriate", + "incompatible", + "out or keeping", + "unfitting", + "inharmonious", + "ironic", + "ironical", + "conjunctive", + "copulative", + "connective", + "disjunctive", + "adversative", + "oppositive", + "alternative", + "contrastive", + "divisional", + "partitive", + "separative", + "separative", + "conjunct", + "disjunct", + "connected", + "adjacent", + "conterminous", + "contiguous", + "neighboring", + "adjunctive", + "affined", + "conterminous", + "contiguous", + "coupled", + "joined", + "linked", + "engaged", + "well-connected", + "unconnected", + "apart", + "isolated", + "obscure", + "asternal", + "detached", + "separated", + "disjoined", + "separate", + "exploded", + "unattached", + "uncoupled", + "conquerable", + "beatable", + "vanquishable", + "vincible", + "subduable", + "subjugable", + "unconquerable", + "impregnable", + "inexpugnable", + "indomitable", + "never-say-die", + "unsubduable", + "insuperable", + "insurmountable", + "invincible", + "unbeatable", + "unvanquishable", + "all-victorious", + "conscious", + "self-conscious", + "self-aware", + "semiconscious", + "sentient", + "unconscious", + "cold", + "comatose", + "innocent", + "insensible", + "senseless", + "knocked out", + "kayoed", + "KO'd", + "out", + "stunned", + "nonconscious", + "semicomatose", + "subconscious", + "consecrated", + "consecrate", + "dedicated", + "ordained", + "votive", + "desecrated", + "deconsecrated", + "profaned", + "violated", + "priestly", + "priestlike", + "unpriestly", + "conservative", + "blimpish", + "buttoned-up", + "fusty", + "standpat", + "unprogressive", + "nonprogressive", + "hidebound", + "traditionalist", + "ultraconservative", + "liberal", + "civil-libertarian", + "liberalistic", + "neoliberal", + "progressive", + "reformist", + "reform-minded", + "socialized", + "socialised", + "welfarist", + "welfare-statist", + "consistent", + "accordant", + "agreeable", + "conformable", + "consonant", + "concordant", + "pursuant", + "reconciled", + "self-consistent", + "unchanging", + "inconsistent", + "at odds", + "conflicting", + "contradictory", + "self-contradictory", + "discrepant", + "incompatible", + "spotty", + "uneven", + "scratchy", + "unconformable", + "unreconciled", + "conspicuous", + "attention-getting", + "eye-catching", + "big", + "large", + "prominent", + "bold", + "crying", + "egregious", + "flagrant", + "glaring", + "gross", + "rank", + "featured", + "in evidence", + "marked", + "outstanding", + "prominent", + "salient", + "spectacular", + "striking", + "inconspicuous", + "invisible", + "obscure", + "unnoticeable", + "discernible", + "discernable", + "indiscernible", + "distinguishable", + "differentiable", + "discriminable", + "indistinguishable", + "undistinguishable", + "constant", + "steadfast", + "staunch", + "unswerving", + "unfailing", + "unflagging", + "inconstant", + "false", + "untrue", + "fickle", + "volatile", + "constructive", + "creative", + "formative", + "shaping", + "plastic", + "formative", + "inferential", + "reconstructive", + "rehabilitative", + "structural", + "destructive", + "annihilative", + "annihilating", + "devastating", + "withering", + "blasting", + "ruinous", + "cataclysmal", + "cataclysmic", + "caustic", + "corrosive", + "erosive", + "vitriolic", + "mordant", + "crushing", + "devastating", + "damaging", + "negative", + "erosive", + "iconoclastic", + "ravaging", + "soul-destroying", + "wasteful", + "contented", + "content", + "complacent", + "self-satisfied", + "self-complacent", + "satisfied", + "smug", + "self-satisfied", + "discontented", + "discontent", + "disaffected", + "ill-affected", + "malcontent", + "rebellious", + "disgruntled", + "dissatisfied", + "restless", + "ungratified", + "unsatisfied", + "contestable", + "challengeable", + "debatable", + "disputable", + "shakable", + "shakeable", + "incontestable", + "incontestible", + "demonstrable", + "incontrovertible", + "demonstrated", + "inarguable", + "unarguable", + "unassailable", + "unshakable", + "watertight", + "bulletproof", + "unanswerable", + "continent", + "incontinent", + "leaky", + "continual", + "insistent", + "repetitive", + "running", + "perennial", + "recurrent", + "repeated", + "persistent", + "relentless", + "unrelenting", + "recurring", + "revenant", + "sporadic", + "fitful", + "spasmodic", + "intermittent", + "periodic", + "occasional", + "irregular", + "unpredictable", + "isolated", + "stray", + "continuous", + "uninterrupted", + "around-the-clock", + "day-and-night", + "nonstop", + "round-the-clock", + "ceaseless", + "constant", + "incessant", + "never-ending", + "perpetual", + "unceasing", + "unremitting", + "continual", + "dogging", + "persisting", + "endless", + "free burning", + "sustained", + "straight", + "consecutive", + "sustained", + "discontinuous", + "noncontinuous", + "disrupted", + "disjunct", + "continuous", + "discontinuous", + "continued", + "continuing", + "discontinued", + "interrupted", + "out of print", + "controlled", + "contained", + "disciplined", + "dominated", + "harnessed", + "obsessed", + "possessed", + "price-controlled", + "regimented", + "uncontrolled", + "anarchic", + "anarchical", + "lawless", + "errant", + "irrepressible", + "uncontrollable", + "loose", + "lordless", + "masterless", + "rampant", + "runaway", + "torrential", + "undisciplined", + "ungoverned", + "wild", + "controversial", + "arguable", + "debatable", + "disputable", + "moot", + "contentious", + "disputed", + "polemic", + "polemical", + "uncontroversial", + "noncontroversial", + "unchallengeable", + "undisputed", + "unchallenged", + "unquestioned", + "agreed upon", + "stipulatory", + "argumentative", + "quarrelsome", + "contentious", + "combative", + "disputatious", + "disputative", + "litigious", + "eristic", + "eristical", + "unargumentative", + "noncontentious", + "convenient", + "handy", + "favorable", + "favourable", + "inconvenient", + "awkward", + "conventional", + "received", + "customary", + "formulaic", + "stodgy", + "stuffy", + "unconventional", + "bohemian", + "go-as-you-please", + "irregular", + "maverick", + "unorthodox", + "conventional", + "button-down", + "buttoned-down", + "conservative", + "square", + "straight", + "stereotyped", + "stereotypic", + "stereotypical", + "unimaginative", + "white-bread", + "unconventional", + "alternative", + "bizarre", + "eccentric", + "freakish", + "freaky", + "flaky", + "flakey", + "gonzo", + "off-the-wall", + "outlandish", + "outre", + "devil-may-care", + "raffish", + "rakish", + "far-out", + "kinky", + "offbeat", + "quirky", + "way-out", + "funky", + "spaced-out", + "spacy", + "spacey", + "conformist", + "nonconformist", + "unconformist", + "nuclear", + "atomic", + "thermonuclear", + "conventional", + "traditional", + "conventional", + "handed-down", + "tralatitious", + "traditionalistic", + "nontraditional", + "untraditional", + "convergent", + "confluent", + "merging", + "focused", + "focussed", + "divergent", + "diverging", + "branching", + "radiating", + "branchy", + "arboreal", + "arboreous", + "arborescent", + "arboresque", + "arboriform", + "dendriform", + "dendroid", + "dendroidal", + "treelike", + "tree-shaped", + "brachiate", + "branched", + "branching", + "ramose", + "ramous", + "ramate", + "bushy", + "long-branched", + "maplelike", + "maple-like", + "mop-headed", + "stiff-branched", + "thick-branched", + "well-branched", + "branchless", + "palmlike", + "unbranched", + "unbranching", + "convincing", + "credible", + "disenchanting", + "disillusioning", + "unconvincing", + "flimsy", + "unpersuasive", + "cooked", + "au gratin", + "baked", + "barbecued", + "grilled", + "batter-fried", + "boiled", + "poached", + "stewed", + "braised", + "broiled", + "grilled", + "burned", + "burnt", + "candy-like", + "done", + "fried", + "deep-fried", + "hard-baked", + "hard-boiled", + "lyonnaise", + "medium", + "overdone", + "pancake-style", + "parched", + "rare-roasted", + "ready-cooked", + "roast", + "roasted", + "saute", + "sauteed", + "seared", + "soft-boiled", + "souffle-like", + "steamed", + "sunny-side up", + "toasted", + "wafer-like", + "well-done", + "raw", + "half-baked", + "underdone", + "rare", + "uncooked", + "untoasted", + "cooperative", + "collaborative", + "synergetic", + "synergistic", + "uncooperative", + "corrupt", + "corrupted", + "debased", + "vitiated", + "corruptible", + "bribable", + "dishonest", + "purchasable", + "venal", + "depraved", + "perverse", + "perverted", + "reprobate", + "dirty", + "sordid", + "Praetorian", + "Pretorian", + "putrid", + "sold-out", + "incorrupt", + "antiseptic", + "incorruptible", + "uncorrupted", + "uncorrupted", + "unspoiled", + "synergistic", + "interactive", + "antagonistic", + "incompatible", + "antacid", + "antiphlogistic", + "considerable", + "appreciable", + "goodly", + "goodish", + "healthy", + "hefty", + "respectable", + "sizable", + "sizeable", + "tidy", + "right smart", + "significant", + "substantial", + "inconsiderable", + "substantial", + "real", + "material", + "insubstantial", + "unsubstantial", + "unreal", + "aeriform", + "aerial", + "airy", + "aery", + "ethereal", + "shadowy", + "wraithlike", + "stringy", + "material", + "physical", + "physical", + "immaterial", + "nonmaterial", + "intangible", + "nonphysical", + "bodied", + "incarnate", + "lithe-bodied", + "long-bodied", + "narrow-bodied", + "oval-bodied", + "short-bodied", + "silver-bodied", + "silvery-bodied", + "slim-bodied", + "thin-bodied", + "slender-bodied", + "smooth-bodied", + "thick-bodied", + "unbodied", + "bodiless", + "bodyless", + "formless", + "brainwashed", + "unbrainwashed", + "corporeal", + "material", + "bodily", + "bodied", + "corporal", + "corporate", + "embodied", + "incarnate", + "reincarnate", + "incorporeal", + "immaterial", + "discorporate", + "unembodied", + "bodiless", + "unbodied", + "disembodied", + "spiritual", + "correct", + "right", + "accurate", + "exact", + "precise", + "letter-perfect", + "word-perfect", + "straight", + "incorrect", + "wrong", + "erroneous", + "fallacious", + "false", + "mistaken", + "right", + "correct", + "right-minded", + "wrong", + "wrongheaded", + "corrected", + "aplanatic", + "apochromatic", + "rectified", + "uncorrected", + "unremedied", + "corrigible", + "amendable", + "correctable", + "improvable", + "redeemable", + "reformable", + "incorrigible", + "unreformable", + "unregenerate", + "uncontrollable", + "uncorrectable", + "unmanageable", + "cosmopolitan", + "traveled", + "travelled", + "provincial", + "bumpkinly", + "hick", + "rustic", + "unsophisticated", + "corn-fed", + "insular", + "parochial", + "jerkwater", + "one-horse", + "pokey", + "poky", + "stay-at-home", + "costive", + "laxative", + "aperient", + "cathartic", + "evacuant", + "purgative", + "constipated", + "bound", + "unconstipated", + "regular", + "diarrheal", + "diarrhoeal", + "diarrhetic", + "diarrhoetic", + "diarrheic", + "diarrhoeic", + "lax", + "loose", + "considerate", + "thoughtful", + "inconsiderate", + "thoughtless", + "uncaring", + "unthinking", + "courteous", + "chivalrous", + "gallant", + "knightly", + "discourteous", + "abrupt", + "brusque", + "brusk", + "curt", + "short", + "caddish", + "unchivalrous", + "ungallant", + "unceremonious", + "polite", + "mannerly", + "well-mannered", + "courteous", + "gracious", + "nice", + "impolite", + "bratty", + "brattish", + "ill-mannered", + "bad-mannered", + "rude", + "unmannered", + "unmannerly", + "discourteous", + "ungracious", + "unparliamentary", + "civil", + "polite", + "uncivil", + "rude", + "civil", + "sidereal", + "creative", + "originative", + "fanciful", + "notional", + "fictive", + "imaginative", + "inventive", + "yeasty", + "uncreative", + "sterile", + "unimaginative", + "uninspired", + "uninventive", + "credible", + "believable", + "likely", + "presumptive", + "incredible", + "unbelievable", + "astounding", + "dumbfounding", + "dumfounding", + "fabulous", + "improbable", + "marvelous", + "marvellous", + "tall", + "undreamed", + "undreamed of", + "undreamt", + "undreamt of", + "unimagined", + "credulous", + "credible", + "overcredulous", + "unquestioning", + "incredulous", + "disbelieving", + "skeptical", + "sceptical", + "unbelieving", + "critical", + "captious", + "faultfinding", + "censorious", + "deprecative", + "hypercritical", + "overcritical", + "searing", + "scathing", + "vituperative", + "uncritical", + "judgmental", + "faultfinding", + "nonjudgmental", + "critical", + "appraising", + "evaluative", + "discriminative", + "judicial", + "uncritical", + "noncritical", + "critical", + "acute", + "dangerous", + "grave", + "grievous", + "serious", + "severe", + "life-threatening", + "desperate", + "dire", + "noncritical", + "noncrucial", + "acritical", + "critical", + "supercritical", + "noncritical", + "crossed", + "crosstown", + "cross-town", + "decussate", + "intersectant", + "intersecting", + "uncrossed", + "crossed", + "uncrossed", + "cross-eyed", + "boss-eyed", + "walleyed", + "crowned", + "capped", + "chapleted", + "comate", + "comose", + "high-crowned", + "royal", + "uncrowned", + "crownless", + "quasi-royal", + "crowned", + "capped", + "uncrowned", + "uncapped", + "crucial", + "important", + "critical", + "decisive", + "life-and-death", + "life-or-death", + "pivotal", + "polar", + "noncrucial", + "crystallized", + "crystallised", + "uncrystallized", + "uncrystallised", + "cubic", + "three-dimensional", + "blockish", + "blocky", + "boxlike", + "boxy", + "box-shaped", + "brick-shaped", + "cubelike", + "cube-shaped", + "cubical", + "cubiform", + "cuboid", + "cuboidal", + "isometric", + "solid", + "linear", + "one-dimensional", + "collinear", + "lineal", + "linelike", + "rectilinear", + "rectilineal", + "planar", + "two-dimensional", + "coplanar", + "flat", + "placoid", + "platelike", + "planate", + "flattened", + "tabular", + "unidimensional", + "one-dimensional", + "multidimensional", + "dimensional", + "two-dimensional", + "2-dimensional", + "flat", + "three-dimensional", + "3-dimensional", + "third-dimensional", + "three-d", + "four-dimensional", + "4-dimensional", + "cut", + "chopped", + "shredded", + "sliced", + "cut up", + "incised", + "perforated", + "pierced", + "perforated", + "perforate", + "punctured", + "severed", + "cut off", + "split", + "uncut", + "imperforate", + "unpierced", + "cut", + "uncut", + "cut", + "cut out", + "hewn", + "hand-hewn", + "sheared", + "slashed", + "uncut", + "rough", + "unsheared", + "curious", + "inquisitive", + "speculative", + "questioning", + "wondering", + "nosy", + "nosey", + "prying", + "snoopy", + "overcurious", + "incurious", + "uninterested", + "uninquiring", + "uninquisitive", + "current", + "actual", + "afoot", + "underway", + "circulating", + "contemporary", + "present-day", + "incumbent", + "live", + "live", + "occurrent", + "ongoing", + "on-going", + "on-line", + "online", + "topical", + "up-to-date", + "up-to-the-minute", + "latest", + "noncurrent", + "back", + "dead", + "disused", + "obsolete", + "outdated", + "out-of-date", + "superannuated", + "obsolescent", + "cursed", + "curst", + "accursed", + "accurst", + "maledict", + "blasted", + "blame", + "blamed", + "blessed", + "damn", + "damned", + "darned", + "deuced", + "goddam", + "goddamn", + "goddamned", + "infernal", + "cursed with", + "stuck with", + "damn", + "goddamn", + "damnable", + "execrable", + "blessed", + "blest", + "fortunate", + "golden", + "endowed", + "dowered", + "unendowed", + "dowerless", + "unblessed", + "curtained", + "draped", + "curtainless", + "uncurtained", + "custom-made", + "custom", + "bespoke", + "bespoken", + "made-to-order", + "tailored", + "tailor-made", + "custom-built", + "made-to-order", + "ready-made", + "made", + "off-the-rack", + "off-the-shelf", + "off-the-peg", + "ready-to-wear", + "prefab", + "ready-to-eat", + "handmade", + "hand-crafted", + "camp-made", + "hand-loomed", + "handwoven", + "handsewn", + "handstitched", + "overhand", + "oversewn", + "machine-made", + "homemade", + "do-it-yourself", + "home-baked", + "home-brewed", + "home-cured", + "homespun", + "factory-made", + "boughten", + "store-bought", + "manufactured", + "mass-produced", + "ready-made", + "cyclic", + "cyclical", + "alternate", + "alternating", + "alternate", + "circular", + "rotary", + "orbitual", + "noncyclic", + "noncyclical", + "cyclic", + "bicyclic", + "closed-chain", + "closed-ring", + "heterocyclic", + "homocyclic", + "isocyclic", + "acyclic", + "open-chain", + "aliphatic", + "cyclic", + "verticillate", + "verticillated", + "whorled", + "acyclic", + "annual", + "one-year", + "biennial", + "two-year", + "perennial", + "diurnal", + "nocturnal", + "damaged", + "battered", + "beat-up", + "beaten-up", + "bedraggled", + "broken-down", + "derelict", + "dilapidated", + "ramshackle", + "tatterdemalion", + "tumble-down", + "bent", + "crumpled", + "dented", + "broken", + "busted", + "broken-backed", + "hurt", + "weakened", + "knocked-out", + "riddled", + "storm-beaten", + "undamaged", + "intact", + "datable", + "dateable", + "undatable", + "dateless", + "undated", + "dateless", + "deaf", + "deaf-and-dumb", + "deaf-mute", + "deafened", + "hard-of-hearing", + "hearing-impaired", + "profoundly deaf", + "stone-deaf", + "deaf as a post", + "unhearing", + "tone-deaf", + "hearing", + "sharp-eared", + "quick-eared", + "decent", + "indecent", + "crude", + "earthy", + "gross", + "vulgar", + "Hollywood", + "indelicate", + "obscene", + "suggestive", + "decisive", + "deciding", + "determinant", + "determinative", + "determining", + "fateful", + "fatal", + "peremptory", + "indecisive", + "decisive", + "unhesitating", + "resolute", + "indecisive", + "on the fence", + "undecided", + "hesitant", + "hesitating", + "suspensive", + "declarative", + "declaratory", + "asserting", + "interrogative", + "interrogatory", + "declared", + "alleged", + "announced", + "proclaimed", + "asserted", + "avowed", + "professed", + "professed", + "self-proclaimed", + "undeclared", + "unacknowledged", + "unavowed", + "decorous", + "in good taste", + "sedate", + "staid", + "indecorous", + "indelicate", + "deductible", + "allowable", + "nondeductible", + "deep", + "abysmal", + "abyssal", + "unfathomable", + "bottomless", + "deep-water", + "profound", + "unfathomed", + "unplumbed", + "unsounded", + "walk-in", + "shallow", + "ankle-deep", + "knee-deep", + "fordable", + "neritic", + "reefy", + "shelfy", + "shelvy", + "shoaly", + "deep", + "heavy", + "profound", + "sound", + "wakeless", + "profound", + "shallow", + "light", + "wakeful", + "de facto", + "de jure", + "defeasible", + "indefeasible", + "unforfeitable", + "inalienable", + "defeated", + "licked", + "subjugated", + "undefeated", + "triumphant", + "victorious", + "unbeaten", + "unconquered", + "unvanquished", + "unbowed", + "defiant", + "noncompliant", + "insubordinate", + "resistant", + "resistive", + "obstreperous", + "recalcitrant", + "compliant", + "amenable", + "conformable", + "lamblike", + "nonresistant", + "defined", + "undefined", + "vague", + "indefinable", + "undefinable", + "well-defined", + "clear", + "ill-defined", + "unclear", + "derived", + "derivable", + "derivative", + "plagiaristic", + "plagiarized", + "plagiarised", + "underived", + "original", + "primary", + "inflected", + "uninflected", + "inflected", + "modulated", + "uninflected", + "definite", + "certain", + "decisive", + "distinct", + "decided", + "indefinite", + "coy", + "indecisive", + "nebulous", + "unfixed", + "noncommittal", + "one", + "dehiscent", + "indehiscent", + "dejected", + "amort", + "chapfallen", + "chopfallen", + "crestfallen", + "deflated", + "gloomy", + "grim", + "blue", + "depressed", + "dispirited", + "down", + "downcast", + "downhearted", + "down in the mouth", + "low", + "low-spirited", + "glum", + "lonely", + "lonesome", + "elated", + "exultant", + "exulting", + "jubilant", + "prideful", + "rejoicing", + "triumphal", + "triumphant", + "gladdened", + "exhilarated", + "high", + "in high spirits", + "sublime", + "uplifted", + "delicate", + "dainty", + "exquisite", + "ethereal", + "gossamer", + "fragile", + "light-handed", + "overdelicate", + "pastel", + "tender", + "rugged", + "knockabout", + "sturdy", + "tough", + "breakable", + "brittle", + "brickle", + "brickly", + "crumbly", + "friable", + "short", + "delicate", + "fragile", + "frail", + "frangible", + "splintery", + "unbreakable", + "infrangible", + "shatterproof", + "splinterless", + "splinterproof", + "demanding", + "exigent", + "exacting", + "hard-to-please", + "hard to please", + "needy", + "rigorous", + "stringent", + "tight", + "stern", + "strict", + "exacting", + "undemanding", + "lenient", + "easygoing", + "light", + "unexacting", + "imperative", + "adjuratory", + "clamant", + "crying", + "exigent", + "insistent", + "instant", + "peremptory", + "desperate", + "pressing", + "urgent", + "strident", + "shrill", + "beseeching", + "pleading", + "imploring", + "adjuratory", + "importunate", + "mendicant", + "petitionary", + "precatory", + "precative", + "suppliant", + "supplicant", + "supplicatory", + "democratic", + "antiauthoritarian", + "classless", + "egalitarian", + "parliamentary", + "parliamentary", + "participatory", + "popular", + "representative", + "republican", + "undemocratic", + "authoritarian", + "autocratic", + "dictatorial", + "despotic", + "tyrannic", + "tyrannical", + "despotic", + "monarchal", + "monarchical", + "monarchic", + "totalitarian", + "arbitrary", + "absolute", + "capricious", + "impulsive", + "whimsical", + "discretionary", + "discretional", + "nonarbitrary", + "unarbitrary", + "prescribed", + "demonstrative", + "effusive", + "gushing", + "gushy", + "epideictic", + "epideictical", + "undemonstrative", + "restrained", + "reticent", + "unemotional", + "deniable", + "disavowable", + "questionable", + "refutable", + "confutable", + "confutative", + "undeniable", + "incontestable", + "indisputable", + "undisputable", + "incontrovertible", + "irrefutable", + "positive", + "denotative", + "denotive", + "appellative", + "naming", + "designative", + "extensional", + "referent", + "referential", + "connotative", + "connotational", + "connotative of", + "implicative", + "suggestive", + "inferential", + "intensional", + "reliable", + "dependable", + "certain", + "sure", + "tested", + "time-tested", + "tried", + "tried and true", + "undeviating", + "unreliable", + "undependable", + "erratic", + "temperamental", + "uncertain", + "unsound", + "dependent", + "babelike", + "helpless", + "interdependent", + "mutualist", + "mutually beneficial", + "myrmecophilous", + "parasitic", + "parasitical", + "leechlike", + "bloodsucking", + "reliant", + "symbiotic", + "underage", + "independent", + "autarkic", + "autarkical", + "autonomous", + "self-directed", + "self-reliant", + "autonomous", + "breakaway", + "fissiparous", + "separatist", + "commutative", + "free-living", + "nonparasitic", + "nonsymbiotic", + "indie", + "individual", + "case-by-case", + "item-by-item", + "self-sufficient", + "self-sufficing", + "self-sustaining", + "self-supporting", + "single-handed", + "strong-minded", + "unaffiliated", + "unconditional", + "independent", + "main", + "dependent", + "subordinate", + "partisan", + "partizan", + "party-spirited", + "tendentious", + "tendencious", + "nonpartisan", + "nonpartizan", + "bipartisan", + "bipartizan", + "two-party", + "two-way", + "independent", + "unbiased", + "unbiassed", + "aligned", + "allied", + "nonaligned", + "neutral", + "descriptive", + "prescriptive", + "normative", + "descriptive", + "undescriptive", + "desirable", + "coveted", + "desired", + "in demand", + "sought after", + "delectable", + "sexually attractive", + "enviable", + "plummy", + "preferable", + "preferred", + "undesirable", + "unwanted", + "unenviable", + "destroyed", + "annihilated", + "exterminated", + "wiped out", + "blighted", + "spoilt", + "blotted out", + "obliterate", + "obliterated", + "broken", + "wiped out", + "impoverished", + "burned", + "burnt", + "burned-over", + "burned-out", + "burnt-out", + "demolished", + "dismantled", + "razed", + "despoiled", + "pillaged", + "raped", + "ravaged", + "sacked", + "done for", + "kaput", + "gone", + "extinguished", + "fallen", + "finished", + "ruined", + "scorched", + "shattered", + "tattered", + "totaled", + "war-torn", + "war-worn", + "wrecked", + "preserved", + "conserved", + "kept up", + "maintained", + "well-kept", + "preservable", + "protected", + "saved", + "retained", + "maintained", + "destructible", + "abolishable", + "destroyable", + "indestructible", + "undestroyable", + "determinable", + "ascertainable", + "discoverable", + "definable", + "judicable", + "indeterminable", + "undeterminable", + "indeterminate", + "unascertainable", + "undiscoverable", + "unpredictable", + "determinate", + "fixed", + "indeterminate", + "undetermined", + "cost-plus", + "open-ended", + "determinate", + "cymose", + "indeterminate", + "racemose", + "developed", + "formulated", + "mature", + "matured", + "undeveloped", + "budding", + "vestigial", + "rudimentary", + "dextral", + "dexter", + "dextrorse", + "dextrorsal", + "sinistral", + "sinister", + "sinistrorse", + "sinistrorsal", + "diabatic", + "adiabatic", + "differentiated", + "undifferentiated", + "uniform", + "dedifferentiated", + "difficult", + "hard", + "ambitious", + "challenging", + "arduous", + "awkward", + "embarrassing", + "sticky", + "unenviable", + "baffling", + "elusive", + "knotty", + "problematic", + "problematical", + "tough", + "catchy", + "tricky", + "delicate", + "ticklish", + "touchy", + "fractious", + "hard-fought", + "herculean", + "nasty", + "tight", + "rocky", + "rough", + "rugged", + "tough", + "serious", + "tall", + "thorny", + "troublesome", + "trying", + "vexed", + "easy", + "casual", + "effortless", + "clean", + "cushy", + "soft", + "easygoing", + "elementary", + "simple", + "uncomplicated", + "unproblematic", + "hands-down", + "painless", + "simplified", + "smooth", + "user-friendly", + "digitigrade", + "plantigrade", + "dignified", + "courtly", + "formal", + "stately", + "distinguished", + "grand", + "imposing", + "magisterial", + "undignified", + "demeaning", + "humbling", + "humiliating", + "mortifying", + "infra dig", + "pathetic", + "ridiculous", + "silly", + "statesmanlike", + "statesmanly", + "unstatesmanlike", + "presidential", + "unpresidential", + "dicotyledonous", + "monocotyledonous", + "diligent", + "assiduous", + "sedulous", + "hardworking", + "industrious", + "tireless", + "untiring", + "negligent", + "derelict", + "delinquent", + "neglectful", + "remiss", + "lax", + "slack", + "hit-and-run", + "inattentive", + "neglectful", + "diluted", + "dilute", + "cut", + "thinned", + "weakened", + "watery", + "washy", + "weak", + "white", + "undiluted", + "black", + "concentrated", + "neat", + "straight", + "full-strength", + "saturated", + "unsaturated", + "monounsaturated", + "polyunsaturated", + "saturated", + "concentrated", + "supersaturated", + "unsaturated", + "diplomatic", + "diplomatical", + "politic", + "smooth", + "suave", + "bland", + "tactful", + "kid-glove", + "undiplomatic", + "conciliatory", + "conciliative", + "appeasing", + "placating", + "placative", + "placatory", + "pacific", + "propitiative", + "propitiatory", + "soft", + "antagonistic", + "alienating", + "direct", + "door-to-door", + "nonstop", + "point-blank", + "straightforward", + "undeviating", + "unswerving", + "through", + "indirect", + "askance", + "askant", + "asquint", + "squint", + "squint-eyed", + "squinty", + "sidelong", + "devious", + "circuitous", + "roundabout", + "diversionary", + "meandering", + "rambling", + "wandering", + "winding", + "direct", + "alternating", + "direct", + "bluff", + "blunt", + "candid", + "forthright", + "frank", + "free-spoken", + "outspoken", + "plainspoken", + "point-blank", + "straight-from-the-shoulder", + "brutal", + "flat-footed", + "man-to-man", + "no-nonsense", + "plain", + "unvarnished", + "pointed", + "square", + "straightforward", + "straight", + "upfront", + "indirect", + "allusive", + "backhanded", + "circuitous", + "roundabout", + "circumlocutious", + "circumlocutory", + "periphrastic", + "ambagious", + "devious", + "oblique", + "digressive", + "discursive", + "excursive", + "rambling", + "hearsay", + "mealymouthed", + "mealy-mouthed", + "tortuous", + "direct", + "inverse", + "reciprocal", + "direct", + "retrograde", + "immediate", + "direct", + "unmediated", + "mediate", + "indirect", + "mediated", + "discerning", + "clear", + "percipient", + "clear-eyed", + "clear-sighted", + "perspicacious", + "prescient", + "undiscerning", + "obtuse", + "purblind", + "uncomprehending", + "discreet", + "indiscreet", + "bigmouthed", + "blabbermouthed", + "blabby", + "talkative", + "imprudent", + "discriminate", + "indiscriminate", + "promiscuous", + "sweeping", + "wholesale", + "discriminating", + "appreciative", + "diacritic", + "diacritical", + "discerning", + "discriminative", + "discriminatory", + "eclectic", + "good", + "selective", + "undiscriminating", + "indiscriminating", + "indiscriminate", + "scattershot", + "unperceptive", + "unselective", + "disposable", + "throwaway", + "nondisposable", + "returnable", + "revertible", + "nonreturnable", + "disposable", + "available", + "usable", + "useable", + "expendable", + "spendable", + "fluid", + "liquid", + "nondisposable", + "frozen", + "distal", + "proximal", + "distal", + "lateral", + "mesial", + "medial", + "median", + "sagittal", + "distinct", + "chiseled", + "well-defined", + "clear", + "clean-cut", + "clear-cut", + "crisp", + "sharp", + "crystalline", + "defined", + "outlined", + "knifelike", + "razor-sharp", + "indistinct", + "bedimmed", + "bleary", + "blurred", + "blurry", + "foggy", + "fuzzy", + "hazy", + "muzzy", + "cloudy", + "nebulose", + "nebulous", + "dim", + "faint", + "shadowy", + "vague", + "wispy", + "faint", + "veiled", + "focused", + "focussed", + "unfocused", + "unfocussed", + "diversified", + "varied", + "wide-ranging", + "undiversified", + "general", + "monolithic", + "solid", + "unanimous", + "whole", + "undistributed", + "divisible", + "cleavable", + "dissociable", + "separable", + "severable", + "dissociative", + "dividable", + "partible", + "indivisible", + "indiscrete", + "undividable", + "indivisible by", + "inseparable", + "documented", + "referenced", + "registered", + "undocumented", + "unregistered", + "domineering", + "authoritarian", + "dictatorial", + "overbearing", + "autocratic", + "bossy", + "dominating", + "high-and-mighty", + "magisterial", + "peremptory", + "blustery", + "bullying", + "cavalier", + "high-handed", + "heavy-handed", + "roughshod", + "oppressive", + "tyrannical", + "tyrannous", + "submissive", + "abject", + "bowed", + "bowing", + "meek", + "spiritless", + "cringing", + "groveling", + "grovelling", + "wormlike", + "wormy", + "dominated", + "henpecked", + "servile", + "bootlicking", + "fawning", + "sycophantic", + "toadyish", + "obsequious", + "slavish", + "subservient", + "submissive", + "slavelike", + "unservile", + "unsubmissive", + "dominant", + "ascendant", + "ascendent", + "dominating", + "controlling", + "governing", + "overriding", + "paramount", + "predominant", + "predominate", + "preponderant", + "preponderating", + "possessive", + "sovereign", + "supreme", + "superior", + "subordinate", + "low-level", + "adjunct", + "assistant", + "associate", + "secondary", + "under", + "dominant", + "recessive", + "single-barreled", + "single-barrelled", + "double-barreled", + "double-barrelled", + "double-breasted", + "single-breasted", + "dramatic", + "melodramatic", + "spectacular", + "hammy", + "undramatic", + "unspectacular", + "actable", + "unactable", + "theatrical", + "histrionic", + "melodramatic", + "showy", + "stagy", + "stagey", + "untheatrical", + "drinkable", + "potable", + "undrinkable", + "intoxicated", + "drunk", + "inebriated", + "bacchanalian", + "bacchanal", + "bacchic", + "carousing", + "orgiastic", + "beery", + "besotted", + "blind drunk", + "blotto", + "crocked", + "cockeyed", + "fuddled", + "loaded", + "pie-eyed", + "pissed", + "pixilated", + "plastered", + "slopped", + "sloshed", + "smashed", + "soaked", + "soused", + "sozzled", + "squiffy", + "stiff", + "tight", + "wet", + "potty", + "tiddly", + "tipsy", + "bibulous", + "boozy", + "drunken", + "sottish", + "doped", + "drugged", + "narcotized", + "narcotised", + "half-seas-over", + "high", + "mellow", + "hopped-up", + "stoned", + "sober", + "cold sober", + "stone-sober", + "drug-free", + "dry", + "teetotal", + "uninebriated", + "unintoxicated", + "dull", + "blunt", + "blunted", + "dulled", + "edgeless", + "unsharpened", + "sharp", + "carnassial", + "chisel-like", + "dagger-like", + "drill-like", + "edged", + "fang-like", + "file-like", + "incisive", + "keen", + "knifelike", + "metal-cutting", + "penetrative", + "penetrating", + "razor-sharp", + "sharpened", + "sharp-toothed", + "sharp", + "acute", + "intense", + "cutting", + "keen", + "knifelike", + "piercing", + "stabbing", + "lancinate", + "lancinating", + "fulgurating", + "salt", + "dull", + "deadened", + "eventful", + "lively", + "uneventful", + "lively", + "alive", + "bouncing", + "bouncy", + "peppy", + "spirited", + "zippy", + "breezy", + "bubbly", + "bubbling", + "effervescent", + "frothy", + "scintillating", + "sparkly", + "burbling", + "burbly", + "effusive", + "gushing", + "live", + "warm", + "dull", + "arid", + "desiccate", + "desiccated", + "bovine", + "drab", + "dreary", + "heavy", + "leaden", + "humdrum", + "monotonous", + "lackluster", + "lacklustre", + "lusterless", + "lustreless", + "dynamic", + "dynamical", + "can-do", + "changing", + "ever-changing", + "driving", + "impulsive", + "energizing", + "energising", + "kinetic", + "high-octane", + "high-powered", + "high-power", + "high-voltage", + "high-energy", + "projectile", + "propellant", + "propellent", + "propelling", + "propulsive", + "self-propelled", + "self-propelling", + "slashing", + "undynamic", + "adynamic", + "backward", + "stagnant", + "moribund", + "eager", + "anxious", + "dying", + "hot", + "impatient", + "raring", + "overeager", + "uneager", + "reluctant", + "eared", + "auriculate", + "auriculated", + "lop-eared", + "mouse-eared", + "short-eared", + "small-eared", + "earless", + "early", + "aboriginal", + "primal", + "primeval", + "primaeval", + "primordial", + "advance", + "beforehand", + "archean", + "archaean", + "archeozoic", + "archaeozoic", + "azoic", + "earlier", + "earliest", + "earlyish", + "premature", + "untimely", + "previous", + "premature", + "proterozoic", + "proto", + "wee", + "middle", + "intervening", + "mid", + "late", + "advanced", + "ripe", + "after-hours", + "latish", + "posthumous", + "early", + "archaic", + "primitive", + "new", + "young", + "crude", + "primitive", + "rude", + "embryonic", + "embryotic", + "incipient", + "inchoate", + "precocious", + "late", + "later", + "advanced", + "tardive", + "early", + "Old", + "middle", + "late", + "Modern", + "New", + "New", + "earned", + "attained", + "unearned", + "honorary", + "easy", + "uneasy", + "apprehensive", + "worried", + "precarious", + "unstable", + "east", + "eastbound", + "eastward", + "easterly", + "eastern", + "easterly", + "eastern", + "eastern", + "easternmost", + "eastmost", + "eastside", + "west", + "westbound", + "westerly", + "westward", + "western", + "westerly", + "western", + "westernmost", + "westmost", + "westside", + "western", + "occidental", + "Hesperian", + "eastern", + "oriental", + "western", + "southwestern", + "midwestern", + "northwestern", + "west-central", + "eastern", + "east-central", + "middle Atlantic", + "mid-Atlantic", + "northeastern", + "southeastern", + "ectomorphic", + "asthenic", + "endomorphic", + "pyknic", + "mesomorphic", + "muscular", + "athletic", + "edible", + "comestible", + "eatable", + "killable", + "nonpoisonous", + "non-poisonous", + "nontoxic", + "pareve", + "parve", + "inedible", + "uneatable", + "poisonous", + "educated", + "knowing", + "knowledgeable", + "learned", + "lettered", + "well-educated", + "well-read", + "literate", + "self-educated", + "semiliterate", + "uneducated", + "ignorant", + "illiterate", + "ignorant", + "nescient", + "unlearned", + "unlettered", + "undereducated", + "unschooled", + "untaught", + "untutored", + "unstudied", + "numerate", + "innumerate", + "operative", + "operant", + "effective", + "good", + "in effect", + "in force", + "operational", + "in operation", + "operating", + "working", + "inoperative", + "down", + "dead", + "defunct", + "effective", + "effectual", + "efficacious", + "hard-hitting", + "trenchant", + "impelling", + "impressive", + "telling", + "rough-and-ready", + "ineffective", + "uneffective", + "ineffectual", + "toothless", + "unproductive", + "effortful", + "arduous", + "backbreaking", + "grueling", + "gruelling", + "hard", + "heavy", + "laborious", + "operose", + "punishing", + "toilsome", + "dragging", + "exhausting", + "tiring", + "wearing", + "wearying", + "heavy", + "labored", + "laboured", + "labor-intensive", + "labour-intensive", + "leaden", + "plodding", + "Sisyphean", + "arduous", + "straining", + "strenuous", + "effortless", + "facile", + "unforced", + "unstrained", + "efficacious", + "effective", + "inefficacious", + "efficient", + "businesslike", + "cost-efficient", + "cost-effective", + "economic", + "economical", + "expeditious", + "high-octane", + "streamlined", + "inefficient", + "uneconomical", + "wasteful", + "forceful", + "bruising", + "drastic", + "emphatic", + "exclamatory", + "firm", + "strong", + "forcible", + "physical", + "strong-arm", + "impellent", + "impetuous", + "sharp", + "forceless", + "unforceful", + "wimpish", + "wimpy", + "elastic", + "bouncy", + "live", + "lively", + "resilient", + "springy", + "chewy", + "elasticized", + "elasticised", + "expandable", + "expandible", + "expansible", + "expansile", + "fictile", + "moldable", + "plastic", + "flexible", + "whippy", + "rubbery", + "rubberlike", + "springlike", + "stretch", + "stretchable", + "stretchy", + "viscoelastic", + "inelastic", + "dead", + "nonresilient", + "springless", + "elective", + "elected", + "electoral", + "nonappointive", + "appointive", + "appointed", + "nominated", + "nominative", + "nonelective", + "non-elective", + "nonelected", + "assigned", + "allotted", + "appointed", + "unassigned", + "optional", + "elective", + "ex gratia", + "facultative", + "nonmandatory", + "nonobligatory", + "obligatory", + "bounden", + "compulsory", + "mandatory", + "required", + "de rigueur", + "imposed", + "incumbent on", + "indispensable", + "prerequisite", + "elegant", + "dandified", + "dandyish", + "foppish", + "deluxe", + "de luxe", + "luxe", + "fine", + "high-class", + "high-toned", + "exquisite", + "recherche", + "neat", + "refined", + "tasteful", + "ritzy", + "soigne", + "soignee", + "inelegant", + "gauche", + "graceless", + "unpolished", + "homely", + "eligible", + "bailable", + "desirable", + "suitable", + "worthy", + "entitled", + "in line", + "legal", + "pensionable", + "ineligible", + "disqualified", + "disqualified", + "undesirable", + "unsuitable", + "unentitled", + "unqualified", + "emotional", + "affectional", + "affective", + "emotive", + "bathetic", + "drippy", + "hokey", + "maudlin", + "mawkish", + "kitschy", + "mushy", + "schmaltzy", + "schmalzy", + "sentimental", + "soppy", + "soupy", + "slushy", + "cathartic", + "releasing", + "charged", + "supercharged", + "funky", + "low-down", + "het up", + "hot-blooded", + "little", + "lyric", + "lyrical", + "mind-blowing", + "moody", + "temperamental", + "overemotional", + "sloppy", + "soulful", + "warm-toned", + "unemotional", + "chilly", + "dry", + "impassive", + "stolid", + "philosophical", + "philosophic", + "phlegmatic", + "phlegmatical", + "stoic", + "stoical", + "unblinking", + "empirical", + "empiric", + "a posteriori", + "confirmable", + "verifiable", + "falsifiable", + "experiential", + "existential", + "experimental", + "data-based", + "observational", + "experimental", + "semiempirical", + "trial-and-error", + "theoretical", + "theoretic", + "abstractive", + "a priori", + "conjectural", + "divinatory", + "hypothetical", + "hypothetic", + "supposed", + "suppositional", + "suppositious", + "supposititious", + "notional", + "speculative", + "metaphysical", + "theory-based", + "theoretical", + "abstract", + "academic", + "pure", + "applied", + "forensic", + "practical", + "salaried", + "freelance", + "free-lance", + "self-employed", + "employed", + "engaged", + "hired", + "working", + "on the job", + "unemployed", + "discharged", + "dismissed", + "fired", + "laid-off", + "pink-slipped", + "idle", + "jobless", + "out of work", + "employable", + "unemployable", + "enchanted", + "beguiled", + "captivated", + "charmed", + "delighted", + "enthralled", + "entranced", + "bewitched", + "ensorcelled", + "fascinated", + "hypnotized", + "hypnotised", + "mesmerized", + "mesmerised", + "spellbound", + "spell-bound", + "transfixed", + "disenchanted", + "disabused", + "undeceived", + "disillusioned", + "encouraging", + "exhortative", + "exhortatory", + "hortative", + "hortatory", + "heartening", + "inspiriting", + "promotive", + "rallying", + "discouraging", + "daunting", + "intimidating", + "demoralizing", + "demoralising", + "disheartening", + "dispiriting", + "frustrating", + "unencouraging", + "encumbered", + "burdened", + "heavy-laden", + "loaded down", + "clogged", + "involved", + "mired", + "mortgaged", + "unencumbered", + "burdenless", + "unburdened", + "clear", + "unmortgaged", + "burdened", + "bowed down", + "loaded down", + "overburdened", + "weighed down", + "laden", + "oppressed", + "saddled", + "unburdened", + "unencumbered", + "endocentric", + "exocentric", + "endogamous", + "endogamic", + "exogamous", + "exogamic", + "autogamous", + "autogamic", + "self-fertilized", + "self-fertilised", + "self-pollinated", + "endogamous", + "endogamic", + "exogamous", + "exogamic", + "endoergic", + "energy-absorbing", + "exoergic", + "energy-releasing", + "endothermic", + "endothermal", + "heat-absorbing", + "decalescent", + "exothermic", + "exothermal", + "heat-releasing", + "endogenous", + "endogenic", + "exogenous", + "exogenic", + "end-stopped", + "run-on", + "energetic", + "physical", + "alert", + "brisk", + "lively", + "merry", + "rattling", + "snappy", + "spanking", + "zippy", + "canty", + "driving", + "high-energy", + "indefatigable", + "tireless", + "unflagging", + "unwearying", + "strenuous", + "vigorous", + "lethargic", + "unenrgetic", + "dazed", + "foggy", + "groggy", + "logy", + "stuporous", + "dreamy", + "lackadaisical", + "languid", + "languorous", + "listless", + "enfranchised", + "disenfranchised", + "disfranchised", + "voiceless", + "voteless", + "exportable", + "marketable", + "unexportable", + "exploratory", + "explorative", + "alpha", + "beta", + "preliminary", + "searching", + "wildcat", + "nonexploratory", + "nonexplorative", + "unexploratory", + "unexplorative", + "inquiring", + "fact-finding", + "investigative", + "investigatory", + "inquisitive", + "inquisitorial", + "inquisitorial", + "inquisitory", + "probing", + "searching", + "uninquiring", + "uninquisitive", + "increased", + "accrued", + "accumulated", + "augmented", + "enhanced", + "hyperbolic", + "inflated", + "exaggerated", + "magnified", + "enlarged", + "multiplied", + "raised", + "elevated", + "redoubled", + "decreased", + "reduced", + "ablated", + "attenuate", + "attenuated", + "faded", + "weakened", + "attenuated", + "bated", + "belittled", + "diminished", + "small", + "cut", + "slashed", + "diminished", + "minimized", + "remittent", + "shriveled", + "shrivelled", + "shrunken", + "reducible", + "irreducible", + "enlightened", + "edified", + "unenlightened", + "benighted", + "dark", + "enterprising", + "energetic", + "gumptious", + "industrious", + "up-and-coming", + "entrepreneurial", + "unenterprising", + "nonenterprising", + "slowgoing", + "unenergetic", + "enthusiastic", + "ardent", + "warm", + "avid", + "zealous", + "crazy", + "wild", + "dotty", + "gaga", + "evangelical", + "evangelistic", + "glowing", + "gung ho", + "overenthusiastic", + "unenthusiastic", + "cold", + "halfhearted", + "half-hearted", + "tepid", + "lukewarm", + "desirous", + "wishful", + "appetent", + "athirst", + "hungry", + "thirsty", + "avid", + "devouring", + "esurient", + "greedy", + "covetous", + "envious", + "jealous", + "nostalgic", + "homesick", + "undesirous", + "undesiring", + "entozoic", + "entozoan", + "endozoic", + "epizoic", + "equal", + "equivalent", + "tantamount", + "close", + "tight", + "coequal", + "coordinate", + "equidistant", + "equilateral", + "even", + "fifty-fifty", + "half-and-half", + "isochronal", + "isochronous", + "isoclinal", + "isoclinic", + "isometric", + "isometrical", + "isothermal", + "quits", + "tied", + "even", + "level", + "unequal", + "anisometric", + "unsymmetrical", + "mismatched", + "uneven", + "nonequivalent", + "odds-on", + "unbalanced", + "unequalized", + "unequalised", + "balanced", + "counterbalanced", + "counterpoised", + "harmonious", + "proportionate", + "symmetrical", + "poised", + "self-balancing", + "stable", + "well-balanced", + "unbalanced", + "imbalanced", + "labile", + "isotonic", + "isosmotic", + "hypertonic", + "hypotonic", + "equivocal", + "ambiguous", + "double", + "forked", + "evasive", + "indeterminate", + "unequivocal", + "univocal", + "unambiguous", + "absolute", + "straightforward", + "unquestionable", + "eradicable", + "delible", + "effaceable", + "erasable", + "exterminable", + "extirpable", + "obliterable", + "removable", + "ineradicable", + "indelible", + "unerasable", + "inexpungible", + "inexpungeable", + "inexterminable", + "inextirpable", + "esoteric", + "abstruse", + "deep", + "recondite", + "arcane", + "cabalistic", + "kabbalistic", + "qabalistic", + "cryptic", + "cryptical", + "sibylline", + "mysterious", + "mystic", + "mystical", + "occult", + "secret", + "orphic", + "exoteric", + "essential", + "basal", + "primary", + "biogenic", + "constituent", + "constitutional", + "constitutive", + "organic", + "must", + "no-frills", + "staple", + "substantial", + "substantive", + "virtual", + "vital", + "life-sustaining", + "inessential", + "unessential", + "accessorial", + "adscititious", + "incidental", + "nonessential", + "dispensable", + "indispensable", + "critical", + "vital", + "estimable", + "admirable", + "contemptible", + "abject", + "low", + "low-down", + "miserable", + "scummy", + "scurvy", + "bastardly", + "mean", + "pathetic", + "pitiable", + "pitiful", + "ethical", + "unethical", + "complimentary", + "encomiastic", + "eulogistic", + "panegyric", + "panegyrical", + "laudatory", + "praiseful", + "praising", + "uncomplimentary", + "belittling", + "deprecating", + "deprecative", + "deprecatory", + "depreciative", + "depreciatory", + "slighting", + "derogative", + "derogatory", + "disparaging", + "dyslogistic", + "dislogistic", + "pejorative", + "supercilious", + "sneering", + "snide", + "flattering", + "adulatory", + "becoming", + "ingratiating", + "insinuating", + "ingratiatory", + "unflattering", + "uncomplimentary", + "euphemistic", + "inoffensive", + "dysphemistic", + "offensive", + "euphoric", + "euphoriant", + "expansive", + "dysphoric", + "distressed", + "unhappy", + "even", + "flat", + "level", + "plane", + "flatbottom", + "flatbottomed", + "flush", + "justified", + "lap-jointed", + "straight-grained", + "level", + "true", + "straight", + "uneven", + "crinkled", + "crinkly", + "rippled", + "wavy", + "wavelike", + "curly-grained", + "cross-grained", + "wavy-grained", + "irregular", + "jagged", + "jaggy", + "scraggy", + "lumpy", + "out of true", + "untrue", + "patchy", + "pebble-grained", + "ragged", + "unparallel", + "even", + "odd", + "uneven", + "evergreen", + "coniferous", + "cone-bearing", + "semi-evergreen", + "half-evergreen", + "deciduous", + "broadleaf", + "broad-leafed", + "broad-leaved", + "exact", + "direct", + "verbatim", + "literal", + "mathematical", + "perfect", + "photographic", + "rigorous", + "strict", + "inexact", + "approximate", + "approximative", + "rough", + "free", + "loose", + "liberal", + "odd", + "round", + "convertible", + "exchangeable", + "cashable", + "redeemable", + "inconvertible", + "unconvertible", + "unexchangeable", + "irredeemable", + "exchangeable", + "commutable", + "substitutable", + "fungible", + "transposable", + "permutable", + "vicarious", + "unexchangeable", + "incommutable", + "excitable", + "high-keyed", + "quick", + "warm", + "skittish", + "flighty", + "spooky", + "nervous", + "unexcitable", + "steady", + "excited", + "aflutter", + "nervous", + "agog", + "crazy", + "fevered", + "intoxicated", + "drunk", + "overexcited", + "stimulated", + "stirred", + "stirred up", + "aroused", + "teased", + "titillated", + "thrilled", + "thrillful", + "unexcited", + "exciting", + "breathless", + "breathtaking", + "elating", + "exhilarating", + "electric", + "galvanic", + "galvanizing", + "galvanising", + "electrifying", + "thrilling", + "glamorous", + "glamourous", + "heady", + "intoxicating", + "titillating", + "tickling", + "tingling", + "titillating", + "unexciting", + "commonplace", + "humdrum", + "prosaic", + "unglamorous", + "unglamourous", + "uninspired", + "tame", + "exculpatory", + "absolvitory", + "exonerative", + "forgiving", + "extenuating", + "justificative", + "justificatory", + "vindicatory", + "inculpatory", + "inculpative", + "accusative", + "accusatory", + "accusing", + "accusive", + "comminatory", + "denunciative", + "denunciatory", + "condemnatory", + "condemning", + "criminative", + "criminatory", + "incriminating", + "incriminatory", + "damnatory", + "damning", + "recriminative", + "recriminatory", + "exhaustible", + "depletable", + "inexhaustible", + "renewable", + "unfailing", + "exhausted", + "spent", + "unexhausted", + "leftover", + "left over", + "left", + "odd", + "remaining", + "unexpended", + "unconsumed", + "unspent", + "unexpended", + "existent", + "existing", + "active", + "alive", + "nonexistent", + "lacking", + "absent", + "missing", + "wanting", + "barren", + "destitute", + "devoid", + "free", + "innocent", + "nonextant", + "vanished", + "extant", + "living", + "surviving", + "living", + "extinct", + "nonextant", + "dead", + "expected", + "anticipated", + "awaited", + "hoped-for", + "due", + "expectable", + "matter-of-course", + "unexpected", + "unannounced", + "unheralded", + "unpredicted", + "unanticipated", + "unforeseen", + "unlooked-for", + "out of the blue", + "unhoped", + "unhoped-for", + "unthought", + "unthought-of", + "unprovided for", + "upset", + "expedient", + "advantageous", + "opportunist", + "opportunistic", + "timeserving", + "carpetbag", + "carpetbagging", + "inexpedient", + "inadvisable", + "expendable", + "consumable", + "sacrificeable", + "unexpendable", + "expensive", + "big-ticket", + "high-ticket", + "costly", + "dear", + "high-priced", + "pricey", + "pricy", + "dearly-won", + "costly", + "overpriced", + "cheap", + "inexpensive", + "bargain-priced", + "cut-rate", + "cut-price", + "catchpenny", + "dirt cheap", + "low-budget", + "low-cost", + "low-priced", + "affordable", + "nickel-and-dime", + "sixpenny", + "threepenny", + "twopenny", + "tuppeny", + "two-a-penny", + "twopenny-halfpenny", + "experienced", + "experient", + "full-fledged", + "fully fledged", + "intimate", + "knowledgeable", + "versed", + "old", + "older", + "practiced", + "practised", + "seasoned", + "veteran", + "inexperienced", + "inexperient", + "fledgling", + "unfledged", + "callow", + "raw", + "new", + "uninitiate", + "uninitiated", + "naive", + "unpracticed", + "unpractised", + "unversed", + "unseasoned", + "untested", + "untried", + "young", + "expired", + "invalid", + "terminated", + "unexpired", + "valid", + "explicable", + "explainable", + "interpretable", + "inexplicable", + "incomprehensible", + "cryptic", + "cryptical", + "deep", + "inscrutable", + "mysterious", + "mystifying", + "paradoxical", + "self-contradictory", + "unaccountable", + "unexplainable", + "unexplained", + "explicit", + "expressed", + "declared", + "stated", + "definitive", + "unequivocal", + "express", + "graphic", + "hard-core", + "hardcore", + "implicit", + "inexplicit", + "implicit in", + "inherent", + "underlying", + "silent", + "tacit", + "understood", + "unexpressed", + "unsaid", + "unstated", + "unuttered", + "unverbalized", + "unverbalised", + "unvoiced", + "unspoken", + "exploited", + "employed", + "unexploited", + "undeveloped", + "fallow", + "untapped", + "expressible", + "describable", + "representable", + "speakable", + "utterable", + "inexpressible", + "unexpressible", + "indefinable", + "indescribable", + "ineffable", + "unspeakable", + "untellable", + "unutterable", + "extensile", + "extensible", + "protractile", + "protractible", + "protrusile", + "protrusible", + "nonextensile", + "inextensible", + "nonprotractile", + "extricable", + "inextricable", + "unresolvable", + "bowed", + "arco", + "plucked", + "pizzicato", + "fingered", + "digitate", + "fingerlike", + "fingerless", + "expansive", + "distensible", + "erectile", + "cavernous", + "expandable", + "expandible", + "expansible", + "inflatable", + "unexpansive", + "extinguishable", + "inextinguishable", + "external", + "outer", + "outside", + "internal", + "inner", + "interior", + "internecine", + "intrinsic", + "outer", + "out", + "outermost", + "outmost", + "outside", + "satellite", + "inner", + "inmost", + "innermost", + "inside", + "outward", + "external", + "outer", + "inward", + "indwelling", + "inmost", + "innermost", + "inner", + "interior", + "internal", + "secret", + "private", + "self-whispered", + "exterior", + "out", + "outside", + "interior", + "indoor", + "inside", + "eyed", + "almond-eyed", + "blue-eyed", + "eyelike", + "keen-eyed", + "sharp-eyed", + "left-eyed", + "one-eyed", + "ox-eyed", + "popeyed", + "purple-eyed", + "right-eyed", + "saucer-eyed", + "round-eyed", + "skew-eyed", + "eyeless", + "playable", + "unplayable", + "fair", + "in-bounds", + "foul", + "out-of-bounds", + "fair", + "just", + "antimonopoly", + "antitrust", + "clean", + "sporting", + "sporty", + "sportsmanlike", + "fair-minded", + "fair-and-square", + "unfair", + "unjust", + "below the belt", + "cheating", + "dirty", + "foul", + "unsporting", + "unsportsmanlike", + "raw", + "equitable", + "just", + "honest", + "fair", + "evenhanded", + "inequitable", + "unjust", + "faithful", + "firm", + "loyal", + "truehearted", + "fast", + "true", + "unfaithful", + "apostate", + "punic", + "perfidious", + "treacherous", + "untrue", + "faithful", + "true to", + "unfaithful", + "adulterous", + "cheating", + "two-timing", + "loyal", + "allegiant", + "doglike", + "hard-core", + "hardcore", + "leal", + "liege", + "true-blue", + "disloyal", + "faithless", + "traitorous", + "unfaithful", + "treasonable", + "treasonous", + "insurgent", + "seditious", + "subversive", + "mutinous", + "rebellious", + "recreant", + "renegade", + "fallible", + "errant", + "erring", + "error-prone", + "undependable", + "unreliable", + "weak", + "infallible", + "foolproof", + "unfailing", + "inerrable", + "inerrant", + "unerring", + "familiar", + "acquainted", + "beaten", + "long-familiar", + "well-known", + "old", + "unfamiliar", + "strange", + "unknown", + "unacquainted", + "unacquainted with", + "unfamiliar with", + "strange", + "unusual", + "antic", + "fantastic", + "fantastical", + "grotesque", + "crazy", + "curious", + "funny", + "odd", + "peculiar", + "queer", + "rum", + "rummy", + "singular", + "eerie", + "eery", + "exotic", + "freaky", + "gothic", + "oddish", + "other", + "quaint", + "quaint", + "weird", + "familiar", + "common", + "usual", + "common or garden", + "everyday", + "fashionable", + "stylish", + "latest", + "a la mode", + "in style", + "in vogue", + "modish", + "cool", + "dapper", + "dashing", + "jaunty", + "natty", + "raffish", + "rakish", + "spiffy", + "snappy", + "spruce", + "faddish", + "faddy", + "groovy", + "swagger", + "in", + "up-to-date", + "cutting-edge", + "with-it", + "mod", + "modern", + "modernistic", + "old-time", + "quaint", + "olde worlde", + "swank", + "swanky", + "trendsetting", + "trend-setting", + "trendy", + "voguish", + "unfashionable", + "unstylish", + "antique", + "demode", + "ex", + "old-fashioned", + "old-hat", + "outmoded", + "passe", + "passee", + "dated", + "dowdy", + "frumpy", + "frumpish", + "fogyish", + "moss-grown", + "mossy", + "stick-in-the-mud", + "stodgy", + "out", + "prehistoric", + "stylish", + "fashionable", + "chic", + "smart", + "voguish", + "chichi", + "classy", + "posh", + "swish", + "snazzy", + "styleless", + "unstylish", + "dowdy", + "fast", + "accelerated", + "alacritous", + "blistering", + "hot", + "red-hot", + "double-quick", + "express", + "fast-breaking", + "fast-paced", + "fleet", + "swift", + "high-speed", + "high-velocity", + "hurrying", + "scurrying", + "immediate", + "prompt", + "quick", + "straightaway", + "instantaneous", + "instant", + "meteoric", + "quick", + "speedy", + "rapid", + "rapid", + "speedy", + "smart", + "winged", + "windy", + "slow", + "bumper-to-bumper", + "dilatory", + "laggard", + "poky", + "pokey", + "drawn-out", + "lazy", + "long-play", + "long-playing", + "slow-moving", + "sluggish", + "sulky", + "fast", + "allegro", + "allegretto", + "andantino", + "presto", + "prestissimo", + "vivace", + "slow", + "adagio", + "andante", + "lento", + "lentissimo", + "largo", + "larghetto", + "larghissimo", + "moderato", + "fast", + "slow", + "fastidious", + "choosy", + "choosey", + "dainty", + "nice", + "overnice", + "prissy", + "squeamish", + "finical", + "finicky", + "fussy", + "particular", + "picky", + "meticulous", + "pernickety", + "persnickety", + "old-maidish", + "old-womanish", + "unfastidious", + "fastidious", + "exacting", + "unfastidious", + "fat", + "abdominous", + "paunchy", + "potbellied", + "blubbery", + "chubby", + "embonpoint", + "plump", + "buxom", + "zaftig", + "zoftig", + "corpulent", + "obese", + "weighty", + "rotund", + "double-chinned", + "jowly", + "loose-jowled", + "dumpy", + "podgy", + "pudgy", + "tubby", + "roly-poly", + "fattish", + "fleshy", + "heavy", + "overweight", + "gross", + "porcine", + "portly", + "stout", + "thin", + "lean", + "anorexic", + "anorectic", + "bony", + "cadaverous", + "emaciated", + "gaunt", + "haggard", + "pinched", + "skeletal", + "wasted", + "deep-eyed", + "hollow-eyed", + "sunken-eyed", + "gangling", + "gangly", + "lanky", + "lank", + "spindly", + "rawboned", + "reedy", + "reedlike", + "twiggy", + "twiglike", + "scarecrowish", + "scraggy", + "boney", + "scrawny", + "skinny", + "underweight", + "weedy", + "shriveled", + "shrivelled", + "shrunken", + "withered", + "wizen", + "wizened", + "slender", + "slight", + "slim", + "svelte", + "slender-waisted", + "slim-waisted", + "wasp-waisted", + "spare", + "trim", + "spindle-legged", + "spindle-shanked", + "stringy", + "wiry", + "wisplike", + "wispy", + "fatty", + "fat", + "adipose", + "buttery", + "greasy", + "oily", + "sebaceous", + "oleaginous", + "suety", + "superfatted", + "nonfat", + "fat-free", + "fatless", + "light", + "lite", + "low-cal", + "calorie-free", + "skim", + "skimmed", + "fatal", + "deadly", + "deathly", + "mortal", + "deadly", + "lethal", + "terminal", + "nonfatal", + "nonlethal", + "curable", + "incurable", + "fathomable", + "plumbable", + "soundable", + "unfathomable", + "unsoundable", + "favorable", + "favourable", + "following", + "unfavorable", + "unfavourable", + "adverse", + "contrary", + "favorable", + "favourable", + "approving", + "affirmative", + "approbative", + "approbatory", + "plausive", + "indulgent", + "unfavorable", + "unfavourable", + "admonitory", + "admonishing", + "reproachful", + "reproving", + "adverse", + "inauspicious", + "untoward", + "disapproving", + "discriminatory", + "invidious", + "feathered", + "aftershafted", + "feathery", + "featherlike", + "feathery", + "fledged", + "vaned", + "flighted", + "pennate", + "plumaged", + "plumate", + "plumed", + "plumose", + "plumed", + "plumy", + "plumelike", + "plumy", + "velvety-plumaged", + "unfeathered", + "featherless", + "plucked", + "unfledged", + "fledgeless", + "unvaned", + "felicitous", + "congratulatory", + "gratulatory", + "happy", + "well-chosen", + "well-turned", + "well-wishing", + "infelicitous", + "awkward", + "clumsy", + "cumbersome", + "inapt", + "inept", + "ill-chosen", + "unfortunate", + "fertile", + "conceptive", + "impregnable", + "fecund", + "fertilizable", + "rank", + "sterile", + "unfertile", + "infertile", + "barren", + "sterilized", + "sterilised", + "unfertilized", + "unfertilised", + "unimpregnated", + "finished", + "complete", + "concluded", + "ended", + "over", + "all over", + "terminated", + "done", + "through", + "through with", + "done with", + "through with", + "fin de siecle", + "up", + "unfinished", + "incomplete", + "uncompleted", + "pending", + "undone", + "unended", + "finished", + "dressed", + "polished", + "fattened", + "fattening", + "unfinished", + "raw", + "unsanded", + "roughhewn", + "rough-cut", + "undressed", + "unfattened", + "unhewn", + "finite", + "bounded", + "delimited", + "exhaustible", + "impermanent", + "limited", + "infinite", + "boundless", + "unbounded", + "limitless", + "dateless", + "endless", + "sempiternal", + "endless", + "inexhaustible", + "unlimited", + "finite", + "tensed", + "infinite", + "non-finite", + "opening", + "beginning", + "first", + "inaugural", + "initiative", + "initiatory", + "first", + "maiden", + "introductory", + "starting", + "closing", + "concluding", + "final", + "last", + "terminal", + "terminative", + "year-end", + "first", + "archetypal", + "archetypical", + "prototypal", + "prototypic", + "prototypical", + "basic", + "introductory", + "initial", + "firstborn", + "eldest", + "freshman", + "first-year", + "original", + "premier", + "premiere", + "premier", + "prime", + "prime", + "last", + "senior", + "fourth-year", + "sunset", + "ultimate", + "intermediate", + "grey", + "gray", + "halfway", + "in-between", + "mediate", + "middle", + "junior", + "third-year", + "next-to-last", + "penultimate", + "next-to-last", + "sophomore", + "second-year", + "subterminal", + "antepenultimate", + "terminal", + "first", + "second", + "fissile", + "nonfissile", + "fissionable", + "fissile", + "nonfissionable", + "fit", + "able", + "able-bodied", + "conditioned", + "in condition", + "unfit", + "afflicted", + "impaired", + "apractic", + "apraxic", + "bandy", + "bandy-legged", + "bowed", + "bowleg", + "bowlegged", + "broken-backed", + "crippled", + "halt", + "halting", + "lame", + "gimpy", + "game", + "crookback", + "crookbacked", + "humped", + "humpbacked", + "hunchbacked", + "gibbous", + "kyphotic", + "disabled", + "handicapped", + "gammy", + "knock-kneed", + "soft", + "flabby", + "flaccid", + "spavined", + "dipped", + "lordotic", + "swayback", + "swaybacked", + "maimed", + "mutilated", + "fit", + "acceptable", + "suitable", + "suited", + "worthy", + "unfit", + "subhuman", + "unsuitable", + "flat", + "contrasty", + "flexible", + "flexile", + "bendable", + "pliable", + "pliant", + "waxy", + "double-jointed", + "limber", + "supple", + "limber", + "spinnable", + "spinnbar", + "stretched", + "inflexible", + "muscle-bound", + "rigid", + "stiff", + "semirigid", + "flexible", + "limber", + "supple", + "negotiable", + "on the table", + "inflexible", + "adamant", + "adamantine", + "inexorable", + "intransigent", + "die-hard", + "rock-ribbed", + "fossilized", + "fossilised", + "ossified", + "hard-core", + "ironclad", + "brassbound", + "uncompromising", + "sturdy", + "inflexible", + "hard-line", + "hardline", + "compromising", + "conciliatory", + "flexible", + "yielding", + "rigid", + "semirigid", + "nonrigid", + "adaptable", + "adjustable", + "all-mains", + "convertible", + "elastic", + "flexible", + "pliable", + "pliant", + "filmable", + "universal", + "variable", + "unadaptable", + "inflexible", + "rigid", + "unbending", + "campylotropous", + "orthotropous", + "anatropous", + "inverted", + "amphitropous", + "curly", + "curled", + "curling", + "crisp", + "frizzly", + "frizzy", + "kinky", + "nappy", + "permed", + "ringleted", + "wavy", + "straight", + "uncurled", + "unpermed", + "footed", + "flat-footed", + "pedate", + "swift-footed", + "fast-footed", + "web-footed", + "web-toed", + "footless", + "apodal", + "apodous", + "toed", + "pointy-toed", + "pointed-toe", + "square-toed", + "squared-toe", + "two-toed", + "two-toe", + "toeless", + "pigeon-toed", + "splayfooted", + "splayfoot", + "flat-footed", + "splay", + "fore", + "foremost", + "aft", + "after", + "aftermost", + "forehand", + "forehanded", + "backhand", + "backhanded", + "native", + "connatural", + "inborn", + "inbred", + "adopted", + "adoptive", + "foreign", + "strange", + "adventive", + "alien", + "exotic", + "nonnative", + "established", + "naturalized", + "foreign-born", + "nonnative", + "imported", + "tramontane", + "unnaturalized", + "unnaturalised", + "native", + "autochthonal", + "autochthonic", + "autochthonous", + "endemic", + "indigenous", + "domestic", + "homegrown", + "native-born", + "native", + "aboriginal", + "nonnative", + "foreign", + "abroad", + "overseas", + "external", + "international", + "outside", + "domestic", + "home", + "interior", + "internal", + "national", + "municipal", + "domestic", + "domesticated", + "home-loving", + "home-style", + "housewifely", + "husbandly", + "undomestic", + "undomesticated", + "forgettable", + "unmemorable", + "unforgettable", + "haunting", + "persistent", + "memorable", + "red-letter", + "forgiving", + "kind", + "tolerant", + "unvindictive", + "unforgiving", + "revengeful", + "vindictive", + "vengeful", + "formal", + "ceremonial", + "ceremonious", + "conventional", + "dress", + "full-dress", + "form-only", + "full-dress", + "dress", + "nominal", + "titular", + "positive", + "prescribed", + "pro forma", + "perfunctory", + "semiformal", + "semi-formal", + "black-tie", + "starchy", + "stiff", + "buckram", + "white-tie", + "informal", + "casual", + "everyday", + "daily", + "free-and-easy", + "casual", + "folksy", + "unceremonious", + "unceremonial", + "formal", + "literary", + "informal", + "colloquial", + "conversational", + "common", + "vernacular", + "vulgar", + "epistolary", + "epistolatory", + "slangy", + "subliterary", + "unliterary", + "nonliterary", + "former", + "latter", + "last mentioned", + "fortunate", + "better off", + "felicitous", + "happy", + "fortuitous", + "good", + "well", + "heaven-sent", + "providential", + "miraculous", + "lucky", + "well-off", + "unfortunate", + "abject", + "black", + "calamitous", + "disastrous", + "fatal", + "fateful", + "dispossessed", + "homeless", + "roofless", + "hapless", + "miserable", + "misfortunate", + "pathetic", + "piteous", + "pitiable", + "pitiful", + "poor", + "wretched", + "doomed", + "ill-fated", + "ill-omened", + "ill-starred", + "unlucky", + "downtrodden", + "infelicitous", + "unhappy", + "regrettable", + "too bad", + "fragrant", + "aromatic", + "redolent", + "odoriferous", + "odorous", + "perfumed", + "scented", + "sweet", + "sweet-scented", + "sweet-smelling", + "perfumed", + "scented", + "musky", + "malodorous", + "malodourous", + "unpleasant-smelling", + "ill-smelling", + "stinky", + "bilgy", + "fetid", + "foetid", + "foul", + "foul-smelling", + "funky", + "noisome", + "smelly", + "stinking", + "ill-scented", + "fusty", + "musty", + "frowsty", + "gamey", + "gamy", + "high", + "miasmic", + "mephitic", + "niffy", + "odoriferous", + "odorous", + "putrid-smelling", + "rank-smelling", + "reeking", + "sour", + "rancid", + "odorous", + "alliaceous", + "almond-scented", + "anise-scented", + "apple-scented", + "balsam-scented", + "candy-scented", + "cedar-scented", + "cinnamon-scented", + "clove-scented", + "ginger-scented", + "honey-scented", + "lemon-scented", + "mint-scented", + "musk-scented", + "musky-scented", + "pleasant-smelling", + "redolent", + "smelling", + "scented", + "spice-scented", + "strong-smelling", + "strong-scented", + "tansy-scented", + "tansy-smelling", + "tea-scented", + "vanilla-scented", + "violet-scented", + "odorless", + "odourless", + "inodorous", + "non-aromatic", + "scentless", + "scented", + "scentless", + "free", + "liberated", + "unbound", + "bound", + "conjugate", + "conjugated", + "conjugate", + "conjugated", + "fixed", + "fast", + "firm", + "immobile", + "geostationary", + "geosynchronous", + "leaded", + "stationary", + "taped", + "unadjustable", + "unfixed", + "detached", + "free", + "floating", + "unfirm", + "unsteady", + "free", + "at large", + "escaped", + "loose", + "on the loose", + "autonomous", + "independent", + "self-governing", + "sovereign", + "available", + "uncommitted", + "aweigh", + "atrip", + "clear", + "emancipated", + "liberated", + "footloose", + "out-of-school", + "unconfined", + "unimprisoned", + "unconstrained", + "unhampered", + "unrestricted", + "unfree", + "adscript", + "adscripted", + "apprenticed", + "articled", + "bound", + "indentured", + "at bay", + "cornered", + "trapped", + "treed", + "captive", + "confined", + "imprisoned", + "jailed", + "entangled", + "nonautonomous", + "nonsovereign", + "prisonlike", + "serflike", + "free", + "freeborn", + "free-soil", + "slaveless", + "non-slave", + "unfree", + "servile", + "slaveholding", + "frequent", + "prevailing", + "prevalent", + "predominant", + "dominant", + "rife", + "regular", + "steady", + "infrequent", + "occasional", + "rare", + "fresh", + "caller", + "crisp", + "fresh-cut", + "good", + "undecomposed", + "unspoiled", + "unspoilt", + "hot", + "new-made", + "strong", + "warm", + "stale", + "addled", + "bad", + "spoiled", + "spoilt", + "cold", + "day-old", + "hard", + "flyblown", + "maggoty", + "limp", + "wilted", + "moldy", + "mouldy", + "musty", + "rancid", + "rotten", + "corrupt", + "tainted", + "putrid", + "putrescent", + "fresh", + "unprocessed", + "preserved", + "aged", + "cured", + "candied", + "crystalized", + "crystalised", + "glace", + "canned", + "tinned", + "corned", + "cured", + "cured", + "dried", + "dehydrated", + "desiccated", + "flash-frozen", + "quick-frozen", + "frozen", + "freeze-dried", + "lyophilized", + "lyophilised", + "freeze-dried", + "pickled", + "potted", + "salted", + "salt-cured", + "brine-cured", + "smoked", + "smoke-cured", + "smoke-dried", + "sun-dried", + "sundried", + "fresh", + "sweet", + "salty", + "brackish", + "briny", + "saliferous", + "saline", + "saltish", + "friendly", + "affable", + "amiable", + "cordial", + "genial", + "chummy", + "matey", + "pally", + "palsy-walsy", + "companionate", + "comradely", + "hail-fellow", + "hail-fellow-well-met", + "couthie", + "couthy", + "cozy", + "intimate", + "informal", + "neighborly", + "neighbourly", + "social", + "unfriendly", + "beetle-browed", + "scowling", + "chilly", + "uncordial", + "unneighborly", + "unneighbourly", + "friendly", + "hostile", + "friendly", + "unfriendly", + "frozen", + "frostbitten", + "frost-bound", + "glaciated", + "icebound", + "ice-clogged", + "icy", + "sleety", + "unthawed", + "unfrozen", + "ice-free", + "liquescent", + "melting", + "slushy", + "thawed", + "fruitful", + "berried", + "baccate", + "bacciferous", + "blue-fruited", + "bountiful", + "plentiful", + "breeding", + "dark-fruited", + "fat", + "fertile", + "productive", + "rich", + "generative", + "procreative", + "reproductive", + "high-yield", + "oval-fruited", + "prolific", + "fertile", + "red-fruited", + "round-fruited", + "small-fruited", + "unfruitful", + "abortive", + "stillborn", + "unsuccessful", + "acarpous", + "childless", + "full", + "afloat", + "awash", + "flooded", + "inundated", + "overflowing", + "air-filled", + "brimful", + "brimfull", + "brimming", + "chockablock", + "chock-full", + "chockful", + "choke-full", + "chuck-full", + "cram full", + "congested", + "engorged", + "egg-filled", + "filled", + "fraught", + "pregnant", + "gas-filled", + "glutted", + "overfull", + "heavy", + "weighed down", + "instinct", + "replete", + "laden", + "loaded", + "ladened", + "overladen", + "overloaded", + "riddled", + "sperm-filled", + "stuffed", + "stuffed", + "untouched", + "untasted", + "well-lined", + "empty", + "bare", + "stripped", + "blank", + "clean", + "white", + "empty-handed", + "glassy", + "glazed", + "lifeless", + "looted", + "pillaged", + "plundered", + "ransacked", + "vacant", + "vacant", + "vacuous", + "void", + "drained", + "empty", + "exhausted", + "undrained", + "full-time", + "regular", + "part-time", + "parttime", + "half-time", + "irregular", + "temporary", + "odd-job", + "underemployed", + "functional", + "structural", + "utilitarian", + "useful", + "nonfunctional", + "nonstructural", + "cosmetic", + "decorative", + "ornamental", + "functioning", + "running", + "operative", + "functional", + "working", + "up", + "malfunctioning", + "nonfunctional", + "amiss", + "awry", + "haywire", + "wrong", + "bad", + "defective", + "out of whack", + "run-down", + "functional", + "organic", + "rigged", + "lateen", + "lateen-rigged", + "outrigged", + "square-rigged", + "unrigged", + "equipped", + "equipt", + "accoutered", + "accoutred", + "armored", + "panoplied", + "helmeted", + "outfitted", + "prepared", + "transistorized", + "transistorised", + "visored", + "unequipped", + "ill-equipped", + "fledged", + "mature", + "fledgling", + "fledgeling", + "full-fledged", + "fully fledged", + "unfledged", + "immature", + "unfeathered", + "framed", + "unframed", + "furnished", + "equipped", + "appointed", + "fitted out", + "outfitted", + "stocked", + "stocked with", + "volumed", + "well-appointed", + "well-found", + "unfurnished", + "funded", + "unfunded", + "fueled", + "clean-burning", + "coal-fired", + "coal-burning", + "wood-fired", + "wood-burning", + "liquid-fueled", + "oil-fired", + "unfueled", + "self-sustained", + "unfed", + "specified", + "mere", + "nominative", + "nominal", + "specific", + "unspecified", + "geared", + "back-geared", + "double-geared", + "double-geared", + "engaged", + "meshed", + "intermeshed", + "in gear", + "ungeared", + "out of gear", + "general", + "broad", + "unspecific", + "general-purpose", + "all-purpose", + "generic", + "gross", + "overall", + "pandemic", + "universal", + "widespread", + "specific", + "ad hoc", + "circumstantial", + "limited", + "special", + "particular", + "peculiar", + "special", + "particular", + "particularized", + "particularised", + "proper", + "unique", + "specific", + "nonspecific", + "national", + "federal", + "local", + "cosmopolitan", + "widely distributed", + "endemic", + "branchiate", + "gilled", + "abranchiate", + "abranchial", + "abranchious", + "gill-less", + "federal", + "unitary", + "centralized", + "centralised", + "decentralized", + "decentralised", + "localized", + "localised", + "redistributed", + "suburbanized", + "suburbanised", + "technical", + "nontechnical", + "untechnical", + "nonproprietary", + "generic", + "unpatented", + "proprietary", + "branded", + "copyrighted", + "patented", + "trademarked", + "generous", + "benevolent", + "freehearted", + "big", + "bighearted", + "bounteous", + "bountiful", + "freehanded", + "handsome", + "giving", + "liberal", + "openhanded", + "lavish", + "munificent", + "overgenerous", + "too-generous", + "unsparing", + "unstinted", + "unstinting", + "unselfish", + "stingy", + "ungenerous", + "beggarly", + "mean", + "cheap", + "chinchy", + "chintzy", + "cheeseparing", + "close", + "near", + "penny-pinching", + "skinny", + "closefisted", + "hardfisted", + "tightfisted", + "grudging", + "niggardly", + "scrimy", + "mean", + "mingy", + "miserly", + "tight", + "parsimonious", + "penurious", + "generous", + "big", + "large", + "magnanimous", + "ungrudging", + "ungenerous", + "meanspirited", + "genuine", + "echt", + "authentic", + "bona fide", + "unquestionable", + "veritable", + "attested", + "authenticated", + "documented", + "good", + "honest", + "honest-to-god", + "honest-to-goodness", + "old", + "sure-enough", + "counterfeit", + "imitative", + "assumed", + "false", + "fictitious", + "fictive", + "pretended", + "put on", + "sham", + "bad", + "forged", + "base", + "bogus", + "fake", + "phony", + "phoney", + "bastard", + "inauthentic", + "unauthentic", + "spurious", + "mock", + "ostensible", + "ostensive", + "pinchbeck", + "pseudo", + "synthetic", + "geocentric", + "Ptolemaic", + "heliocentric", + "Copernican", + "talented", + "gifted", + "untalented", + "talentless", + "glazed", + "shiny", + "glassy", + "vitreous", + "vitrified", + "glass-like", + "glossy", + "calendered", + "icy", + "unglazed", + "unvitrified", + "glazed", + "glassed", + "unglazed", + "glassless", + "glorious", + "bright", + "celebrated", + "historied", + "storied", + "divine", + "elysian", + "inspired", + "empyreal", + "empyrean", + "sublime", + "illustrious", + "incandescent", + "lustrous", + "inglorious", + "obscure", + "unknown", + "unsung", + "go", + "a-ok", + "a-okay", + "no-go", + "good", + "bang-up", + "bully", + "corking", + "cracking", + "dandy", + "great", + "groovy", + "keen", + "neat", + "nifty", + "not bad", + "peachy", + "slap-up", + "swell", + "smashing", + "good enough", + "goodish", + "hot", + "redeeming", + "satisfactory", + "acceptable", + "solid", + "superb", + "well-behaved", + "well behaved", + "bad", + "atrocious", + "abominable", + "awful", + "dreadful", + "painful", + "terrible", + "unspeakable", + "corked", + "corky", + "deplorable", + "distressing", + "lamentable", + "pitiful", + "sad", + "sorry", + "fearful", + "frightful", + "hard", + "tough", + "hopeless", + "horrid", + "icky", + "crappy", + "lousy", + "rotten", + "shitty", + "stinking", + "stinky", + "ill", + "incompetent", + "unskilled", + "mediocre", + "naughty", + "negative", + "poor", + "pretty", + "rubber", + "no-good", + "severe", + "swingeing", + "uncool", + "unfavorable", + "unfavourable", + "unsuitable", + "good", + "angelic", + "angelical", + "beatific", + "saintlike", + "saintly", + "sainted", + "goody-goody", + "redemptive", + "redeeming", + "saving", + "white", + "evil", + "atrocious", + "flagitious", + "grievous", + "monstrous", + "bad", + "black", + "dark", + "sinister", + "corruptive", + "perversive", + "pestiferous", + "demonic", + "diabolic", + "diabolical", + "fiendish", + "hellish", + "infernal", + "satanic", + "unholy", + "despicable", + "ugly", + "vile", + "slimy", + "unworthy", + "worthless", + "wretched", + "devilish", + "diabolic", + "diabolical", + "mephistophelian", + "mephistophelean", + "evil-minded", + "good-natured", + "amiable", + "good-humored", + "good-humoured", + "equable", + "even-tempered", + "good-tempered", + "placid", + "ill-natured", + "atrabilious", + "bilious", + "dyspeptic", + "liverish", + "bristly", + "prickly", + "splenetic", + "waspish", + "cantankerous", + "crotchety", + "ornery", + "choleric", + "irascible", + "hotheaded", + "hot-tempered", + "quick-tempered", + "short-tempered", + "churlish", + "crabbed", + "crabby", + "cross", + "fussy", + "grouchy", + "grumpy", + "bad-tempered", + "ill-tempered", + "cranky", + "fractious", + "irritable", + "nettlesome", + "peevish", + "peckish", + "pettish", + "petulant", + "scratchy", + "testy", + "tetchy", + "techy", + "crusty", + "curmudgeonly", + "gruff", + "ill-humored", + "ill-humoured", + "currish", + "dark", + "dour", + "glowering", + "glum", + "moody", + "morose", + "saturnine", + "sour", + "sullen", + "disagreeable", + "huffish", + "sulky", + "misanthropic", + "misanthropical", + "misogynous", + "misogynistic", + "shirty", + "snorty", + "shrewish", + "nagging", + "snappish", + "snappy", + "spoiled", + "spoilt", + "surly", + "ugly", + "vinegary", + "vinegarish", + "graceful", + "elegant", + "fluent", + "fluid", + "liquid", + "smooth", + "gainly", + "gracile", + "willowy", + "lissome", + "lissom", + "lithe", + "lithesome", + "slender", + "supple", + "svelte", + "sylphlike", + "awkward", + "gawky", + "clumsy", + "clunky", + "ungainly", + "unwieldy", + "graceless", + "ungraceful", + "labored", + "laboured", + "strained", + "wooden", + "gracious", + "elegant", + "graceful", + "refined", + "merciful", + "ungracious", + "churlish", + "graceless", + "unpleasing", + "gradual", + "bit-by-bit", + "in small stages", + "piecemeal", + "step-by-step", + "stepwise", + "gradational", + "gradatory", + "graduated", + "sudden", + "abrupt", + "choppy", + "jerky", + "emergent", + "explosive", + "fulminant", + "sharp", + "gradual", + "easy", + "gentle", + "sloping", + "steep", + "abrupt", + "precipitous", + "sharp", + "bluff", + "bold", + "sheer", + "heavy", + "perpendicular", + "steepish", + "steep-sided", + "grammatical", + "well-formed", + "ungrammatical", + "ill-formed", + "incorrect", + "grateful", + "thankful", + "appreciative", + "glad", + "ungrateful", + "thankless", + "unthankful", + "unappreciative", + "haploid", + "haploidic", + "monoploid", + "diploid", + "polyploid", + "triploid", + "happy", + "blessed", + "blissful", + "bright", + "golden", + "halcyon", + "prosperous", + "laughing", + "riant", + "unhappy", + "lovesick", + "miserable", + "suffering", + "wretched", + "regretful", + "sorry", + "bad", + "unregretful", + "unregretting", + "hard", + "adamantine", + "al dente", + "corneous", + "hornlike", + "horny", + "tumid", + "erect", + "firm", + "solid", + "granitic", + "granitelike", + "rocklike", + "stony", + "hardened", + "set", + "woody", + "petrous", + "stonelike", + "semihard", + "steely", + "unyielding", + "soft", + "brushed", + "fleecy", + "napped", + "cheeselike", + "compressible", + "squeezable", + "cottony", + "cushioned", + "cushiony", + "padded", + "demulcent", + "emollient", + "salving", + "softening", + "downy", + "downlike", + "flossy", + "fluffy", + "flaccid", + "flocculent", + "woolly", + "wooly", + "yielding", + "mushy", + "overstuffed", + "softish", + "semisoft", + "spongy", + "squashy", + "squishy", + "spongelike", + "velvet", + "velvety", + "hard", + "calculating", + "calculative", + "conniving", + "scheming", + "shrewd", + "case-hardened", + "hardened", + "hard-boiled", + "steely", + "soft", + "mellow", + "hard", + "velar", + "soft", + "fricative", + "continuant", + "sibilant", + "spirant", + "strident", + "palatal", + "palatalized", + "palatalised", + "hard", + "concentrated", + "soft", + "diffuse", + "diffused", + "hardhearted", + "heartless", + "flinty", + "flint", + "granitic", + "obdurate", + "stony", + "softhearted", + "soft-boiled", + "alcoholic", + "dry", + "hard", + "strong", + "intoxicant", + "intoxicating", + "spirituous", + "spiritous", + "wet", + "nonalcoholic", + "harmless", + "innocent", + "innocuous", + "harmful", + "abusive", + "bad", + "bruising", + "deleterious", + "hurtful", + "injurious", + "calumniatory", + "calumnious", + "defamatory", + "denigrative", + "denigrating", + "denigratory", + "libellous", + "libelous", + "slanderous", + "catastrophic", + "ruinous", + "counterproductive", + "damaging", + "detrimental", + "prejudicial", + "prejudicious", + "ill", + "insidious", + "pernicious", + "subtle", + "mischievous", + "nocent", + "stabbing", + "wounding", + "harmonious", + "consonant", + "harmonic", + "harmonical", + "harmonized", + "harmonised", + "harmonic", + "sympathetic", + "on-key", + "true", + "pure", + "symphonic", + "symphonious", + "inharmonious", + "unharmonious", + "discordant", + "disharmonious", + "dissonant", + "inharmonic", + "false", + "off-key", + "sour", + "unresolved", + "dissonant", + "healthful", + "anthelmintic", + "anthelminthic", + "helminthic", + "parasiticidal", + "antimicrobial", + "antimicrobic", + "carminative", + "flatus-relieving", + "cathartic", + "psychotherapeutic", + "curative", + "healing", + "alterative", + "remedial", + "sanative", + "therapeutic", + "drugless", + "good", + "salutary", + "medicative", + "medicinal", + "organic", + "orthomolecular", + "preventive", + "preventative", + "prophylactic", + "recuperative", + "restorative", + "unhealthful", + "crippling", + "disabling", + "incapacitating", + "cytopathogenic", + "infective", + "morbific", + "pathogenic", + "unmedicinal", + "unmedicative", + "unmedical", + "nonmedicinal", + "unhealthy", + "medical", + "surgical", + "operative", + "preoperative", + "postoperative", + "operable", + "inoperable", + "pyretic", + "antipyretic", + "healthy", + "flushed", + "rose-cheeked", + "rosy", + "rosy-cheeked", + "bouncing", + "firm", + "good", + "sound", + "hale", + "whole", + "hearty", + "hearty", + "full-blooded", + "lusty", + "red-blooded", + "anicteric", + "rock-loving", + "rubicund", + "ruddy", + "florid", + "sanguine", + "sun-loving", + "water-loving", + "well-preserved", + "wholesome", + "unhealthy", + "angry", + "arthritic", + "creaky", + "rheumatic", + "rheumatoid", + "rheumy", + "asthmatic", + "wheezing", + "wheezy", + "bad", + "unfit", + "unsound", + "blebby", + "blistery", + "puffy", + "intumescent", + "tumescent", + "tumid", + "turgid", + "bloodshot", + "cankerous", + "ulcerated", + "ulcerous", + "carbuncled", + "carbuncular", + "carious", + "caseous", + "chilblained", + "colicky", + "flatulent", + "gassy", + "cytomegalic", + "dehydrated", + "diseased", + "morbid", + "pathologic", + "pathological", + "edematous", + "dropsical", + "enlarged", + "foaming", + "foamy", + "frothing", + "gangrenous", + "mortified", + "inflamed", + "inflammatory", + "ingrowing", + "ingrown", + "jaundiced", + "icteric", + "yellow", + "membranous", + "membrane-forming", + "mental", + "proinflammatory", + "pro-inflammatory", + "sallow", + "sickly", + "sore-eyed", + "sunburned", + "sunburnt", + "varicose", + "windburned", + "windburnt", + "dry", + "phlegmy", + "heavenly", + "ambrosial", + "ambrosian", + "celestial", + "ethereal", + "supernal", + "divine", + "godly", + "divine", + "godlike", + "paradisiacal", + "paradisiac", + "paradisaical", + "paradisaic", + "paradisal", + "providential", + "divine", + "translunar", + "translunary", + "superlunar", + "superlunary", + "earthly", + "earthborn", + "earthbound", + "earthlike", + "mundane", + "terrene", + "sublunar", + "sublunary", + "terrestrial", + "temporal", + "digestible", + "assimilable", + "light", + "predigested", + "indigestible", + "flatulent", + "heavy", + "nondigestible", + "undigested", + "stodgy", + "headed", + "bicephalous", + "burr-headed", + "headlike", + "large-headed", + "headless", + "acephalous", + "beheaded", + "decapitated", + "headed", + "unheaded", + "heavy", + "dense", + "doughy", + "soggy", + "heavier-than-air", + "hefty", + "massive", + "non-buoyant", + "ponderous", + "light", + "lightweight", + "airy", + "buoyant", + "floaty", + "lighter-than-air", + "low-density", + "weighty", + "weightless", + "light-duty", + "light", + "heavy-duty", + "heavy", + "industrial", + "heavy", + "burdensome", + "onerous", + "taxing", + "distressing", + "distressful", + "disturbing", + "perturbing", + "troubling", + "worrisome", + "worrying", + "leaden", + "weighted", + "oppressive", + "weighty", + "light", + "fooling", + "casual", + "heavy", + "harsh", + "light", + "heavy", + "light", + "heavy", + "big", + "light", + "easy", + "gentle", + "soft", + "light-footed", + "light", + "lightsome", + "tripping", + "heavy-footed", + "heavy", + "lumbering", + "ponderous", + "light", + "light-armed", + "lightly-armed", + "heavy", + "heedless", + "unheeding", + "careless", + "regardless", + "deaf", + "indifferent", + "heedful", + "attentive", + "thoughtful", + "paying attention", + "enabling", + "facultative", + "sanctionative", + "sanctioning", + "disabling", + "disqualifying", + "helpful", + "accommodating", + "adjuvant", + "assistive", + "face-saving", + "facilitative", + "facilitatory", + "implemental", + "instrumental", + "subservient", + "laborsaving", + "laboursaving", + "ministrant", + "reformative", + "reformatory", + "right-hand", + "stabilizing", + "stabilising", + "steadying", + "unhelpful", + "unaccommodating", + "unconstructive", + "heterodactyl", + "zygodactyl", + "heterogeneous", + "heterogenous", + "assorted", + "miscellaneous", + "mixed", + "motley", + "sundry", + "disparate", + "inhomogeneous", + "nonuniform", + "homogeneous", + "homogenous", + "consistent", + "uniform", + "solid", + "solid", + "self-colored", + "self-coloured", + "homogenized", + "homogenised", + "homozygous", + "heterozygous", + "heterosexual", + "straight", + "homosexual", + "butch", + "gay", + "queer", + "homophile", + "homoerotic", + "lesbian", + "sapphic", + "pederastic", + "paederastic", + "transgender", + "transgendered", + "transsexual", + "transvestic", + "transvestite", + "tribadistic", + "bisexual", + "hierarchical", + "hierarchal", + "hierarchic", + "class-conscious", + "stratified", + "gradable", + "graded", + "ranked", + "stratified", + "vertical", + "nonhierarchical", + "nonhierarchic", + "ungraded", + "unordered", + "unranked", + "high", + "altitudinous", + "commanding", + "dominating", + "overlooking", + "eminent", + "lofty", + "soaring", + "towering", + "high-level", + "high-altitude", + "high-stepped", + "high-stepping", + "high-top", + "high-topped", + "steep", + "upper", + "low", + "deep", + "low-growing", + "flat-growing", + "ground-hugging", + "low-level", + "low-altitude", + "low-lying", + "lowset", + "low-set", + "nether", + "under", + "squat", + "underslung", + "raised", + "elevated", + "up", + "upraised", + "lifted", + "lowered", + "down", + "high-tech", + "hi-tech", + "advanced", + "sophisticated", + "low-tech", + "necked", + "decollete", + "low-cut", + "low-necked", + "high-necked", + "necklike", + "throated", + "neckless", + "ceilinged", + "high-ceilinged", + "low-ceilinged", + "raftered", + "floored", + "low-sudsing", + "high-sudsing", + "low-interest", + "high-interest", + "high", + "advanced", + "broad", + "full", + "graduate", + "postgraduate", + "higher", + "higher", + "last", + "utmost", + "soaring", + "low", + "debased", + "devalued", + "degraded", + "depressed", + "down", + "low-level", + "reduced", + "rock-bottom", + "high", + "high-pitched", + "adenoidal", + "pinched", + "nasal", + "altissimo", + "alto", + "countertenor", + "alto", + "falsetto", + "peaky", + "spiky", + "shrill", + "sharp", + "screaky", + "screechy", + "squeaking", + "squeaky", + "squealing", + "soprano", + "treble", + "sopranino", + "tenor", + "tenor", + "low", + "low-pitched", + "alto", + "contralto", + "baritone", + "bass", + "deep", + "contrabass", + "double-bass", + "throaty", + "imitative", + "apish", + "apelike", + "mimetic", + "mimic", + "parrotlike", + "simulated", + "nonimitative", + "echoic", + "imitative", + "onomatopoeic", + "onomatopoeical", + "onomatopoetic", + "nonechoic", + "high-resolution", + "low-resolution", + "high-rise", + "multistory", + "multistorey", + "multistoried", + "storied", + "storeyed", + "low-rise", + "walk-up", + "upland", + "highland", + "alpestrine", + "subalpine", + "alpine", + "mountainous", + "lowland", + "low-lying", + "sea-level", + "home", + "away", + "homologous", + "heterologous", + "autologous", + "homologous", + "homologic", + "homological", + "heterologous", + "heterologic", + "heterological", + "analogous", + "gabled", + "hipped", + "mansard", + "hipped", + "hipless", + "honest", + "honorable", + "downright", + "dishonest", + "dishonorable", + "ambidextrous", + "deceitful", + "double-dealing", + "duplicitous", + "Janus-faced", + "two-faced", + "double-faced", + "double-tongued", + "beguiling", + "deceitful", + "fallacious", + "fraudulent", + "deceptive", + "misleading", + "shoddy", + "false", + "picaresque", + "rascally", + "roguish", + "scoundrelly", + "blackguardly", + "thieving", + "thievish", + "truthful", + "true", + "honest", + "veracious", + "untruthful", + "mendacious", + "honorable", + "honourable", + "august", + "revered", + "venerable", + "laureate", + "time-honored", + "time-honoured", + "dishonorable", + "dishonourable", + "black", + "disgraceful", + "ignominious", + "inglorious", + "opprobrious", + "shameful", + "debasing", + "degrading", + "shabby", + "unprincipled", + "yellow", + "hopeful", + "anticipant", + "anticipative", + "expectant", + "hopeless", + "abject", + "unhopeful", + "black", + "bleak", + "dim", + "despairing", + "desperate", + "despondent", + "heartsick", + "forlorn", + "futureless", + "helpless", + "lost", + "insoluble", + "institutionalized", + "institutionalised", + "noninstitutionalized", + "noninstitutionalised", + "institutional", + "institutionalized", + "institutionalised", + "uninteresting", + "noninstitutional", + "iodinating", + "de-iodinating", + "consolable", + "inconsolable", + "disconsolate", + "unconsolable", + "desolate", + "horizontal", + "crosswise", + "flat", + "level", + "naiant", + "swimming", + "vertical", + "perpendicular", + "plumb", + "upended", + "upright", + "unsloped", + "inclined", + "atilt", + "canted", + "leaning", + "tilted", + "tipped", + "aslant", + "aslope", + "diagonal", + "slanted", + "slanting", + "sloped", + "sloping", + "high-pitched", + "low-pitched", + "monoclinal", + "pitched", + "salient", + "sidelong", + "skew", + "skewed", + "erect", + "vertical", + "upright", + "erectile", + "fastigiate", + "orthostatic", + "passant", + "rampant", + "rearing", + "semi-climbing", + "semi-erect", + "semi-upright", + "standing", + "stand-up", + "statant", + "straight", + "unbent", + "unbowed", + "unerect", + "accumbent", + "decumbent", + "recumbent", + "bended", + "bent", + "cernuous", + "drooping", + "nodding", + "pendulous", + "weeping", + "couchant", + "dormant", + "sleeping", + "flat", + "prostrate", + "hunched", + "round-backed", + "round-shouldered", + "stooped", + "stooping", + "crooked", + "procumbent", + "prone", + "prostrate", + "semi-prostrate", + "supine", + "resupine", + "standing", + "seated", + "sitting", + "standing", + "running", + "running", + "gushing", + "pouring", + "jetting", + "spouting", + "spurting", + "squirting", + "standing", + "dead", + "stagnant", + "slack", + "still", + "running", + "passing", + "pass", + "hospitable", + "kind", + "genial", + "inhospitable", + "bare", + "barren", + "bleak", + "desolate", + "stark", + "godforsaken", + "waste", + "wild", + "hostile", + "uncongenial", + "unfriendly", + "water-washed", + "windswept", + "hospitable", + "welcoming", + "inhospitable", + "hostile", + "aggressive", + "belligerent", + "antagonistic", + "antipathetic", + "antipathetical", + "at loggerheads", + "bitter", + "dirty", + "head-on", + "ill", + "opponent", + "opposing", + "unfriendly", + "inimical", + "amicable", + "friendly", + "favorable", + "well-disposed", + "well-meaning", + "unthreatening", + "hot", + "baking", + "baking hot", + "blistering", + "blistery", + "calefacient", + "warming", + "calefactory", + "calefactive", + "calorifacient", + "calorific", + "fervent", + "fervid", + "fiery", + "igneous", + "heatable", + "heated", + "heated up", + "het", + "het up", + "hottish", + "overheated", + "red-hot", + "scorching", + "sizzling", + "sultry", + "stifling", + "sulfurous", + "sulphurous", + "sweltering", + "sweltry", + "thermal", + "torrid", + "tropical", + "tropic", + "white", + "white-hot", + "cold", + "acold", + "algid", + "arctic", + "frigid", + "gelid", + "glacial", + "icy", + "polar", + "bleak", + "cutting", + "raw", + "chilly", + "parky", + "crisp", + "frosty", + "nipping", + "nippy", + "snappy", + "frigorific", + "frore", + "frosty", + "rimed", + "rimy", + "heatless", + "ice-cold", + "refrigerant", + "refrigerating", + "refrigerated", + "shivery", + "stone-cold", + "unheated", + "unwarmed", + "vernal", + "spring-flowering", + "early-flowering", + "spring-blooming", + "early-blooming", + "late-spring-blooming", + "summery", + "aestival", + "estival", + "summer-flowering", + "summer-blooming", + "autumnal", + "autumn-flowering", + "autumn-blooming", + "fall-flowering", + "fall-blooming", + "late-flowering", + "late-blooming", + "late-ripening", + "wintry", + "wintery", + "brumal", + "hibernal", + "hiemal", + "winter-blooming", + "winter-flowering", + "hot", + "fiery", + "flaming", + "heated", + "red-hot", + "sizzling", + "sensual", + "sultry", + "torrid", + "white-hot", + "cold", + "emotionless", + "passionless", + "frigid", + "frosty", + "frozen", + "glacial", + "icy", + "wintry", + "human", + "anthropoid", + "manlike", + "anthropomorphic", + "anthropomorphous", + "humanlike", + "earthborn", + "fallible", + "frail", + "imperfect", + "weak", + "hominal", + "hominian", + "hominid", + "hominine", + "nonhuman", + "anthropoid", + "anthropoidal", + "apelike", + "bloodless", + "dehumanized", + "dehumanised", + "unhuman", + "inhuman", + "superhuman", + "divine", + "godlike", + "herculean", + "powerful", + "subhuman", + "infrahuman", + "humane", + "child-centered", + "human-centered", + "human-centred", + "humanist", + "humanistic", + "humanitarian", + "inhumane", + "barbarous", + "brutal", + "cruel", + "fell", + "roughshod", + "savage", + "vicious", + "beastly", + "bestial", + "brute", + "brutish", + "brutal", + "cannibalic", + "cold", + "cold-blooded", + "inhuman", + "insensate", + "pitiless", + "unkind", + "humorous", + "humourous", + "bantering", + "facetious", + "tongue-in-cheek", + "buffoonish", + "clownish", + "clownlike", + "zany", + "amusing", + "comic", + "comical", + "funny", + "laughable", + "mirthful", + "risible", + "droll", + "dry", + "ironic", + "ironical", + "wry", + "farcical", + "ludicrous", + "ridiculous", + "Gilbertian", + "hilarious", + "screaming", + "uproarious", + "jesting", + "jocose", + "jocular", + "joking", + "killing", + "sidesplitting", + "seriocomic", + "seriocomical", + "slapstick", + "tragicomic", + "tragicomical", + "waggish", + "witty", + "humorless", + "humourless", + "unhumorous", + "sobersided", + "po-faced", + "unfunny", + "hungry", + "empty", + "empty-bellied", + "famished", + "ravenous", + "sharp-set", + "starved", + "esurient", + "peckish", + "supperless", + "thirsty", + "hurried", + "flying", + "quick", + "fast", + "hasty", + "headlong", + "hasty", + "overhasty", + "precipitate", + "precipitant", + "precipitous", + "helter-skelter", + "pell-mell", + "rush", + "rushed", + "unhurried", + "careful", + "deliberate", + "measured", + "easy", + "easygoing", + "leisurely", + "identifiable", + "acknowledgeable", + "classifiable", + "distinctive", + "diagnosable", + "recognizable", + "recognisable", + "placeable", + "specifiable", + "unidentifiable", + "elusive", + "intangible", + "unclassifiable", + "undiagnosable", + "unrecognizable", + "unrecognisable", + "immanent", + "subjective", + "transeunt", + "transient", + "impaired", + "anosmic", + "broken", + "dicky", + "dickey", + "diminished", + "lessened", + "vitiated", + "weakened", + "dysfunctional", + "dyslectic", + "dyslexic", + "unimpaired", + "important", + "of import", + "all-important", + "all important", + "crucial", + "essential", + "of the essence", + "alpha", + "beta", + "big", + "burning", + "cardinal", + "central", + "fundamental", + "key", + "primal", + "chief", + "main", + "primary", + "principal", + "master", + "consequential", + "eventful", + "Copernican", + "distinguished", + "grand", + "grave", + "grievous", + "heavy", + "weighty", + "great", + "outstanding", + "historic", + "in-chief", + "measurable", + "most-valuable", + "serious", + "strategic", + "unimportant", + "inconsequent", + "inconsequential", + "immaterial", + "indifferent", + "fiddling", + "footling", + "lilliputian", + "little", + "niggling", + "piddling", + "piffling", + "petty", + "picayune", + "trivial", + "lightweight", + "nickel-and-dime", + "small-time", + "potty", + "impressive", + "amazing", + "awe-inspiring", + "awesome", + "awful", + "awing", + "arresting", + "sensational", + "stunning", + "astonishing", + "astounding", + "staggering", + "stupefying", + "baronial", + "imposing", + "noble", + "stately", + "dazzling", + "eye-popping", + "fulgurant", + "fulgurous", + "dramatic", + "spectacular", + "striking", + "expansive", + "grand", + "heroic", + "formidable", + "gallant", + "lofty", + "majestic", + "proud", + "brilliant", + "glorious", + "magnificent", + "splendid", + "grandiose", + "important-looking", + "mind-boggling", + "palatial", + "signal", + "thundering", + "unimpressive", + "unimposing", + "noticeable", + "broad", + "detectable", + "perceptible", + "discernible", + "evident", + "observable", + "marked", + "pronounced", + "noted", + "unnoticeable", + "insignificant", + "undistinguished", + "improved", + "built", + "reinforced", + "developed", + "landscaped", + "unimproved", + "dirt", + "ungraded", + "scrub", + "cleared", + "clear-cut", + "improved", + "uncleared", + "unimproved", + "inaugural", + "exaugural", + "valedictory", + "inboard", + "outboard", + "portable", + "inbred", + "interbred", + "outbred", + "inclined", + "apt", + "disposed", + "given", + "minded", + "tending", + "fond", + "partial", + "prone", + "accident-prone", + "disinclined", + "afraid", + "antipathetic", + "antipathetical", + "averse", + "indisposed", + "loath", + "loth", + "reluctant", + "incoming", + "outgoing", + "incoming", + "inbound", + "inward", + "designate", + "elect", + "future", + "next", + "succeeding", + "in", + "inflowing", + "influent", + "inpouring", + "outgoing", + "outbound", + "outward", + "outward-bound", + "effluent", + "outflowing", + "out", + "past", + "preceding", + "retiring", + "inductive", + "deductive", + "deducible", + "illative", + "illative", + "inferential", + "inferential", + "indulgent", + "decadent", + "effete", + "dissipated", + "betting", + "card-playing", + "sporting", + "epicurean", + "luxurious", + "luxuriant", + "sybaritic", + "voluptuary", + "voluptuous", + "gay", + "hedonic", + "hedonistic", + "epicurean", + "intemperate", + "hard", + "heavy", + "overindulgent", + "pampering", + "self-indulgent", + "nonindulgent", + "strict", + "austere", + "stern", + "blue", + "puritanic", + "puritanical", + "corrective", + "disciplinary", + "disciplinal", + "monkish", + "renunciant", + "renunciative", + "self-abnegating", + "self-denying", + "self-disciplined", + "self-restraining", + "severe", + "spartan", + "industrial", + "developed", + "highly-developed", + "industrialized", + "industrialised", + "postindustrial", + "nonindustrial", + "developing", + "underdeveloped", + "unindustrialized", + "unindustrialised", + "infectious", + "catching", + "communicable", + "contagious", + "contractable", + "transmissible", + "transmittable", + "contagious", + "corrupting", + "contaminating", + "noninfectious", + "noncommunicable", + "noncontagious", + "nontransmissible", + "infernal", + "chthonian", + "chthonic", + "nether", + "Hadean", + "Plutonian", + "Tartarean", + "Stygian", + "supernal", + "informative", + "informatory", + "advisory", + "consultative", + "consultatory", + "consultive", + "exemplifying", + "illustrative", + "newsy", + "revealing", + "telling", + "telltale", + "uninformative", + "newsless", + "gnostic", + "agnostic", + "agnostical", + "nescient", + "unbelieving", + "informed", + "abreast", + "au courant", + "au fait", + "up on", + "advised", + "conversant", + "familiar", + "educated", + "enlightened", + "hep", + "hip", + "hip to", + "knowing", + "wise", + "wise to", + "knowledgeable", + "knowing", + "privy", + "well-read", + "uninformed", + "clueless", + "ignorant", + "unknowledgeable", + "unknowing", + "unwitting", + "innocent", + "unacquainted", + "newsless", + "unadvised", + "uninstructed", + "unenlightened", + "naive", + "unread", + "ingenuous", + "artless", + "candid", + "open", + "heart-to-heart", + "undistorted", + "disingenuous", + "artful", + "distorted", + "misrepresented", + "perverted", + "twisted", + "inhabited", + "colonized", + "colonised", + "settled", + "haunted", + "occupied", + "tenanted", + "owner-occupied", + "peopled", + "populated", + "populous", + "thickly settled", + "rock-inhabiting", + "underpopulated", + "uninhabited", + "abandoned", + "derelict", + "deserted", + "depopulated", + "unoccupied", + "untenanted", + "unpeopled", + "unpopulated", + "lonely", + "solitary", + "unfrequented", + "unsettled", + "inheritable", + "heritable", + "ancestral", + "hereditary", + "patrimonial", + "transmissible", + "familial", + "genetic", + "hereditary", + "inherited", + "transmitted", + "transmissible", + "monogenic", + "polygenic", + "inheriting", + "nee", + "noninheritable", + "nonheritable", + "acquired", + "congenital", + "inborn", + "innate", + "nonhereditary", + "nontransmissible", + "nurtural", + "inhibited", + "pent-up", + "repressed", + "smothered", + "stifled", + "strangled", + "suppressed", + "uninhibited", + "abandoned", + "earthy", + "unrepressed", + "unsuppressed", + "injectable", + "uninjectable", + "injured", + "battle-scarred", + "black-and-blue", + "livid", + "disjointed", + "dislocated", + "separated", + "eviscerate", + "hurt", + "wounded", + "lacerate", + "lacerated", + "mangled", + "torn", + "raw", + "uninjured", + "intact", + "inviolate", + "uncut", + "unharmed", + "unhurt", + "unscathed", + "whole", + "unwounded", + "innocent", + "guiltless", + "clean-handed", + "absolved", + "clear", + "cleared", + "exculpated", + "exonerated", + "vindicated", + "acquitted", + "not guilty", + "blameless", + "inculpable", + "irreproachable", + "unimpeachable", + "guilty", + "at fault", + "blameworthy", + "blamable", + "blameable", + "blameful", + "censurable", + "culpable", + "bloodguilty", + "chargeable", + "indictable", + "conscience-smitten", + "criminal", + "delinquent", + "finable", + "fineable", + "guilt-ridden", + "punishable", + "red-handed", + "inspiring", + "ennobling", + "exalting", + "uninspiring", + "instructive", + "informative", + "clarifying", + "elucidative", + "demonstrative", + "illustrative", + "didactic", + "didactical", + "doctrinaire", + "educative", + "educational", + "explanatory", + "expository", + "expositive", + "interpretative", + "interpretive", + "ostensive", + "preachy", + "uninstructive", + "edifying", + "enlightening", + "unedifying", + "unenlightening", + "enlightening", + "informative", + "illuminating", + "unenlightening", + "unilluminating", + "integrated", + "co-ed", + "coeducational", + "desegrated", + "nonsegregated", + "unsegregated", + "interracial", + "mixed", + "mainstreamed", + "segregated", + "unintegrated", + "isolated", + "quarantined", + "separate", + "sequestered", + "white", + "lily-white", + "integrated", + "coordinated", + "co-ordinated", + "interconnected", + "unified", + "embedded", + "incorporated", + "introjected", + "tight-knit", + "tightly knit", + "nonintegrated", + "unintegrated", + "blended", + "alloyed", + "homogenized", + "homogenised", + "unblended", + "unhomogenized", + "unhomogenised", + "combined", + "compounded", + "conglomerate", + "occluded", + "sorbed", + "one", + "rolled into one", + "uncombined", + "uncompounded", + "unmixed", + "integrative", + "combinative", + "combinatory", + "combinatorial", + "compositional", + "consolidative", + "unifying", + "endogenic", + "endogenetic", + "disintegrative", + "clastic", + "decompositional", + "intellectual", + "highbrow", + "highbrowed", + "rational", + "reflective", + "good", + "serious", + "sophisticated", + "nonintellectual", + "anti-intellectual", + "philistine", + "lowbrow", + "lowbrowed", + "uncultivated", + "mindless", + "intelligent", + "agile", + "nimble", + "apt", + "clever", + "brainy", + "brilliant", + "smart as a whip", + "bright", + "smart", + "natural", + "born", + "innate", + "quick", + "ready", + "prehensile", + "scintillating", + "searching", + "trenchant", + "unintelligent", + "stupid", + "brainless", + "headless", + "intelligible", + "unintelligible", + "slurred", + "thick", + "intended", + "conscious", + "witting", + "deliberate", + "calculated", + "measured", + "intentional", + "knowing", + "well-intentioned", + "well-meaning", + "well-meant", + "unintended", + "accidental", + "inadvertent", + "causeless", + "fortuitous", + "uncaused", + "unintentional", + "unplanned", + "unwitting", + "designed", + "intentional", + "fashioned", + "undesigned", + "intensifying", + "aggravating", + "exacerbating", + "exasperating", + "augmentative", + "enhancive", + "deepening", + "thickening", + "heightening", + "moderating", + "alleviative", + "alleviatory", + "lenitive", + "mitigative", + "mitigatory", + "palliative", + "analgesic", + "analgetic", + "anodyne", + "tempering", + "weakening", + "interspecies", + "interspecific", + "intraspecies", + "intraspecific", + "interested", + "curious", + "uninterested", + "apathetic", + "indifferent", + "blase", + "bored", + "dismissive", + "dulled", + "benumbed", + "interesting", + "absorbing", + "engrossing", + "fascinating", + "gripping", + "riveting", + "entertaining", + "amusing", + "amusive", + "diverting", + "intriguing", + "newsworthy", + "uninteresting", + "boring", + "deadening", + "dull", + "ho-hum", + "irksome", + "slow", + "tedious", + "tiresome", + "wearisome", + "insipid", + "jejune", + "narcotic", + "soporiferous", + "soporific", + "pedestrian", + "prosaic", + "prosy", + "earthbound", + "ponderous", + "putdownable", + "intramural", + "internal", + "intragroup", + "extramural", + "intercollegiate", + "intermural", + "interscholastic", + "interschool", + "outside", + "intra vires", + "ultra vires", + "intrinsic", + "intrinsical", + "built-in", + "constitutional", + "inbuilt", + "inherent", + "integral", + "inner", + "internal", + "intimate", + "extrinsic", + "adventitious", + "adscititious", + "alien", + "foreign", + "external", + "extraneous", + "outside", + "extraneous", + "introspective", + "introverted", + "self-examining", + "extrospective", + "extroverted", + "introversive", + "introvertive", + "introvertish", + "shut-in", + "extroversive", + "extraversive", + "extrovert", + "extravert", + "extroverted", + "extraverted", + "extrovertive", + "extravertive", + "extrovertish", + "ambiversive", + "intrusive", + "encroaching", + "invasive", + "trespassing", + "interfering", + "meddlesome", + "meddling", + "officious", + "busy", + "busybodied", + "unintrusive", + "not intrusive", + "intrusive", + "intruding", + "protrusive", + "beetle", + "beetling", + "bellied", + "bellying", + "bulbous", + "bulging", + "bulgy", + "protuberant", + "obtrusive", + "jutting", + "projected", + "projecting", + "protruding", + "relieved", + "sticking", + "sticking out", + "overshot", + "starting", + "underhung", + "undershot", + "underslung", + "ventricose", + "ventricous", + "igneous", + "eruptive", + "aqueous", + "sedimentary", + "intrusive", + "irruptive", + "plutonic", + "extrusive", + "volcanic", + "invasive", + "aggressive", + "fast-growing", + "strong-growing", + "confined", + "invasive", + "noninvasive", + "invigorating", + "animating", + "enlivening", + "bracing", + "brisk", + "fresh", + "refreshing", + "refreshful", + "tonic", + "corroborant", + "exhilarating", + "stimulating", + "life-giving", + "vitalizing", + "renewing", + "restorative", + "reviving", + "revitalizing", + "revitalising", + "debilitating", + "debilitative", + "enervating", + "enfeebling", + "weakening", + "draining", + "exhausting", + "inviting", + "invitatory", + "tantalizing", + "tantalising", + "tempting", + "tantalizing", + "tantalising", + "uninviting", + "unattractive", + "untempting", + "in vitro", + "ex vivo", + "in vivo", + "ironed", + "pressed", + "smoothed", + "smoothened", + "unironed", + "wrinkled", + "drip-dry", + "permanent-press", + "roughdried", + "unpressed", + "wrinkled", + "wrinkly", + "unsmoothed", + "unwrinkled", + "wrinkleless", + "isotropic", + "isotropous", + "identical", + "anisotropic", + "aeolotropic", + "eolotropic", + "glad", + "gladsome", + "sad", + "bittersweet", + "doleful", + "mournful", + "heavyhearted", + "melancholy", + "melancholic", + "pensive", + "wistful", + "tragic", + "tragical", + "tragicomic", + "tragicomical", + "joyful", + "beatific", + "overjoyed", + "sorrowful", + "anguished", + "tormented", + "tortured", + "bereaved", + "bereft", + "grief-stricken", + "grieving", + "mourning", + "sorrowing", + "bitter", + "brokenhearted", + "heartbroken", + "heartsick", + "dolorous", + "dolourous", + "lachrymose", + "tearful", + "weeping", + "elegiac", + "grievous", + "heartbreaking", + "heartrending", + "lamenting", + "wailing", + "wailful", + "lugubrious", + "mournful", + "plaintive", + "sad", + "woebegone", + "woeful", + "joyous", + "ecstatic", + "enraptured", + "rapturous", + "rapt", + "rhapsodic", + "elated", + "gleeful", + "joyful", + "jubilant", + "gay", + "festal", + "festive", + "merry", + "gay", + "jocund", + "jolly", + "jovial", + "merry", + "mirthful", + "joyless", + "funereal", + "sepulchral", + "mirthless", + "unsmiling", + "juicy", + "au jus", + "lush", + "succulent", + "sappy", + "juiceless", + "sapless", + "just", + "conscionable", + "fitting", + "meet", + "retributive", + "retributory", + "vindicatory", + "rightful", + "unjust", + "actionable", + "wrongful", + "merited", + "deserved", + "condign", + "unmerited", + "gratuitous", + "undeserved", + "keyed", + "keyless", + "kind", + "benignant", + "gracious", + "benign", + "charitable", + "benevolent", + "kindly", + "sympathetic", + "good-hearted", + "openhearted", + "large-hearted", + "gentle", + "kindhearted", + "kind-hearted", + "unkind", + "cutting", + "edged", + "stinging", + "harsh", + "rough", + "hurtful", + "unkindly", + "unsympathetic", + "knowable", + "cognizable", + "cognisable", + "cognoscible", + "unknowable", + "transcendent", + "known", + "best-known", + "better-known", + "celebrated", + "famed", + "far-famed", + "famous", + "illustrious", + "notable", + "noted", + "renowned", + "identified", + "legendary", + "proverbial", + "well-known", + "unknown", + "chartless", + "uncharted", + "unmapped", + "little-known", + "unbeknown", + "unbeknownst", + "undiagnosed", + "undiscovered", + "unexplored", + "unheard-of", + "unidentified", + "understood", + "appreciated", + "apprehended", + "comprehended", + "interpreted", + "taken", + "ununderstood", + "misunderstood", + "uncomprehended", + "undigested", + "ungrasped", + "labeled", + "labelled", + "tagged", + "unlabeled", + "unlabelled", + "untagged", + "lamented", + "unlamented", + "unmourned", + "aerial", + "free-flying", + "marine", + "deep-sea", + "oceangoing", + "seafaring", + "seagoing", + "oceanic", + "offshore", + "oversea", + "overseas", + "suboceanic", + "subocean", + "laureled", + "laurelled", + "crowned", + "unlaureled", + "unlaurelled", + "large", + "big", + "ample", + "sizable", + "sizeable", + "astronomic", + "astronomical", + "galactic", + "bear-sized", + "bigger", + "larger", + "biggish", + "largish", + "blown-up", + "enlarged", + "bouffant", + "puffy", + "broad", + "spacious", + "wide", + "bulky", + "capacious", + "colossal", + "prodigious", + "stupendous", + "deep", + "double", + "enormous", + "tremendous", + "cosmic", + "elephantine", + "gargantuan", + "giant", + "jumbo", + "epic", + "heroic", + "larger-than-life", + "extensive", + "extended", + "gigantic", + "mammoth", + "great", + "grand", + "huge", + "immense", + "vast", + "Brobdingnagian", + "hulking", + "hulky", + "humongous", + "banging", + "thumping", + "whopping", + "walloping", + "king-size", + "king-sized", + "large-mouthed", + "large-scale", + "large-scale", + "life-size", + "lifesize", + "life-sized", + "full-size", + "macroscopic", + "macroscopical", + "macro", + "man-sized", + "massive", + "monolithic", + "monumental", + "massive", + "medium-large", + "monstrous", + "mountainous", + "outsize", + "outsized", + "oversize", + "oversized", + "overlarge", + "too large", + "plumping", + "queen-size", + "queen-sized", + "rangy", + "super", + "titanic", + "volumed", + "voluminous", + "whacking", + "wide-ranging", + "small", + "little", + "atomic", + "subatomic", + "bantam", + "diminutive", + "lilliputian", + "midget", + "petite", + "tiny", + "flyspeck", + "bitty", + "bittie", + "teensy", + "teentsy", + "teeny", + "wee", + "weeny", + "weensy", + "teensy-weensy", + "teeny-weeny", + "itty-bitty", + "itsy-bitsy", + "dinky", + "dwarfish", + "elfin", + "elflike", + "gnomish", + "half-size", + "infinitesimal", + "minute", + "lesser", + "microscopic", + "microscopical", + "micro", + "miniature", + "minuscule", + "miniscule", + "olive-sized", + "pocket-size", + "pocket-sized", + "pocketable", + "puny", + "runty", + "shrimpy", + "slender", + "slim", + "smaller", + "littler", + "smallish", + "small-scale", + "undersize", + "undersized", + "greater", + "lesser", + "lawful", + "law-abiding", + "observant", + "unlawful", + "lawless", + "outlaw", + "wide-open", + "lawless", + "wrongful", + "leaded", + "antiknock", + "antiknocking", + "unleaded", + "leadless", + "lead-free", + "nonleaded", + "leaky", + "drafty", + "draughty", + "drippy", + "oozing", + "oozy", + "seeping", + "holey", + "porous", + "tight", + "airtight", + "air-tight", + "gas-tight", + "dripless", + "hermetic", + "leakproof", + "rainproof", + "waterproof", + "waterproofed", + "snug", + "watertight", + "caulked", + "chinked", + "stopped-up", + "weather-stripped", + "uncaulked", + "leavened", + "unleavened", + "unraised", + "leeward", + "downwind", + "lee", + "windward", + "upwind", + "weather", + "legal", + "court-ordered", + "judicial", + "jural", + "juristic", + "lawful", + "legitimate", + "licit", + "ratified", + "sanctioned", + "statutory", + "sub judice", + "illegal", + "amerciable", + "banned", + "prohibited", + "bootleg", + "black", + "black-market", + "contraband", + "smuggled", + "criminal", + "felonious", + "dirty", + "ill-gotten", + "embezzled", + "misappropriated", + "extrajudicial", + "extralegal", + "nonlegal", + "hot", + "illegitimate", + "illicit", + "outlaw", + "outlawed", + "unlawful", + "ineligible", + "misbranded", + "mislabeled", + "penal", + "punishable", + "under-the-counter", + "unratified", + "legible", + "clean", + "fair", + "clear", + "decipherable", + "readable", + "illegible", + "dirty", + "foul", + "marked-up", + "indecipherable", + "unclear", + "undecipherable", + "unreadable", + "deciphered", + "undeciphered", + "biological", + "begotten", + "natural", + "adoptive", + "foster", + "surrogate", + "legitimate", + "lawfully-begotten", + "morganatic", + "left-handed", + "true", + "lawful", + "rightful", + "illegitimate", + "adulterine", + "base", + "baseborn", + "bastardly", + "misbegot", + "misbegotten", + "spurious", + "fatherless", + "left-handed", + "unlawful", + "wrongful", + "leptorrhine", + "leptorhine", + "leptorrhinian", + "leptorrhinic", + "catarrhine", + "catarrhinian", + "platyrrhine", + "platyrrhinian", + "platyrhine", + "platyrhinian", + "platyrrhinic", + "broadnosed", + "leptosporangiate", + "eusporangiate", + "like", + "similar", + "like-minded", + "look-alike", + "suchlike", + "unlike", + "dissimilar", + "different", + "alike", + "similar", + "like", + "unalike", + "dissimilar", + "like", + "same", + "unlike", + "likely", + "apt", + "liable", + "probable", + "promising", + "unlikely", + "farfetched", + "implausible", + "last", + "outside", + "remote", + "probable", + "likely", + "equiprobable", + "presumptive", + "verisimilar", + "improbable", + "unlikely", + "supposed", + "limbed", + "boughed", + "flipper-like", + "heavy-limbed", + "sharp-limbed", + "limbless", + "boughless", + "limited", + "minor", + "modest", + "small", + "small-scale", + "pocket-size", + "pocket-sized", + "narrow", + "unlimited", + "limitless", + "bottomless", + "oceanic", + "untrammeled", + "untrammelled", + "lineal", + "direct", + "matrilineal", + "matrilinear", + "patrilineal", + "patrilinear", + "unilateral", + "collateral", + "indirect", + "linear", + "additive", + "bilinear", + "nonlinear", + "lined", + "silk-lined", + "unlined", + "listed", + "unlisted", + "ex-directory", + "over-the-counter", + "otc", + "literal", + "denotative", + "explicit", + "figurative", + "nonliteral", + "analogical", + "extended", + "metaphorical", + "metaphoric", + "metonymic", + "metonymical", + "poetic", + "synecdochic", + "synecdochical", + "tropical", + "literate", + "belletristic", + "literary", + "illiterate", + "literate", + "illiterate", + "analphabetic", + "unlettered", + "functionally illiterate", + "preliterate", + "semiliterate", + "semiliterate", + "live", + "unrecorded", + "unfilmed", + "untaped", + "recorded", + "canned", + "transcribed", + "filmed", + "prerecorded", + "taped", + "tape-recorded", + "livable", + "liveable", + "habitable", + "inhabitable", + "unlivable", + "unliveable", + "uninhabitable", + "liveried", + "unliveried", + "loaded", + "live", + "undischarged", + "unexploded", + "unloaded", + "blank", + "dud", + "loamy", + "loamless", + "local", + "localized", + "localised", + "topical", + "general", + "systemic", + "epidemic", + "epiphytotic", + "epizootic", + "pandemic", + "pestilent", + "pestilential", + "pestiferous", + "plaguey", + "ecdemic", + "endemic", + "endemical", + "enzootic", + "gloved", + "gauntleted", + "gloveless", + "hatted", + "turbaned", + "hatless", + "guided", + "radio-controlled", + "target-hunting", + "unguided", + "legged", + "leglike", + "straight-legged", + "three-legged", + "legless", + "logical", + "dianoetic", + "discursive", + "formal", + "ratiocinative", + "illogical", + "unlogical", + "absurd", + "inconsequential", + "intuitive", + "nonrational", + "visceral", + "extended", + "outspread", + "spread", + "outstretched", + "sprawly", + "spread-eagle", + "stretched", + "unextended", + "mini", + "midi", + "maxi", + "lossy", + "lossless", + "long", + "elongate", + "elongated", + "elongated", + "extended", + "lengthened", + "prolonged", + "extendible", + "extendable", + "far", + "lank", + "long-handled", + "pole-handled", + "long-range", + "long-snouted", + "long-staple", + "long-wool", + "long-wooled", + "oblong", + "polysyllabic", + "sesquipedalian", + "stretch", + "short", + "abbreviated", + "brief", + "close", + "curtal", + "sawed-off", + "sawn-off", + "shortened", + "shortish", + "short-range", + "short-snouted", + "snub", + "stubby", + "telescoped", + "shortened", + "truncate", + "truncated", + "long", + "agelong", + "bimestrial", + "chronic", + "continuing", + "daylong", + "drawn-out", + "extended", + "lengthy", + "prolonged", + "protracted", + "durable", + "lasting", + "long-lasting", + "long-lived", + "eight-day", + "endless", + "eternal", + "interminable", + "hourlong", + "lifelong", + "womb-to-tomb", + "long-acting", + "long-dated", + "longish", + "long-life", + "longitudinal", + "long-range", + "long-run", + "long-term", + "semipermanent", + "longstanding", + "monthlong", + "nightlong", + "all-night", + "overnight", + "perennial", + "time-consuming", + "weeklong", + "seven-day", + "yearlong", + "short", + "abbreviated", + "shortened", + "truncated", + "brief", + "clipped", + "fleeting", + "fugitive", + "momentaneous", + "momentary", + "short and sweet", + "short-dated", + "short-range", + "short-run", + "short-term", + "long", + "short", + "long", + "short", + "lengthwise", + "lengthways", + "axial", + "end-to-end", + "fore-and-aft", + "linear", + "running", + "longitudinal", + "crosswise", + "cross", + "transverse", + "transversal", + "thwartwise", + "cross-section", + "cross-sectional", + "lidded", + "lidless", + "loose", + "baggy", + "loose-fitting", + "sloppy", + "flyaway", + "tight", + "choky", + "clenched", + "clinched", + "close", + "snug", + "close-fitting", + "skintight", + "skin-tight", + "tight-fitting", + "tightfitting", + "tight fitting", + "tightly fitting", + "skinny", + "viselike", + "constricted", + "narrowed", + "pinched", + "stenosed", + "stenotic", + "unconstricted", + "open", + "lost", + "mislaid", + "misplaced", + "gone", + "missing", + "squandered", + "wasted", + "stray", + "straying", + "found", + "recovered", + "lost", + "cursed", + "damned", + "doomed", + "unredeemed", + "unsaved", + "destroyed", + "ruined", + "saved", + "blessed", + "ransomed", + "rescued", + "reclaimed", + "ransomed", + "redeemed", + "salvageable", + "lost", + "confiscate", + "forfeit", + "forfeited", + "won", + "loud", + "big", + "blaring", + "blasting", + "clarion", + "deafening", + "earsplitting", + "thunderous", + "thundery", + "earthshaking", + "harsh-voiced", + "loud-mouthed", + "loud-voiced", + "shattering", + "shouted", + "yelled", + "trumpet-like", + "vocal", + "soft", + "dull", + "muffled", + "muted", + "softened", + "euphonious", + "gentle", + "hushed", + "muted", + "subdued", + "quiet", + "little", + "small", + "low", + "low-toned", + "murmuring", + "susurrant", + "whispering", + "murmurous", + "rustling", + "soughing", + "susurrous", + "soft-footed", + "soft-spoken", + "full", + "booming", + "stentorian", + "grumbling", + "rumbling", + "plangent", + "rich", + "orotund", + "rotund", + "round", + "pear-shaped", + "heavy", + "sonorous", + "sounding", + "thin", + "pale", + "piano", + "soft", + "pianissimo", + "pianissimo assai", + "forte", + "loud", + "fortemente", + "fortissimo", + "hardened", + "soft", + "lovable", + "loveable", + "adorable", + "endearing", + "lovely", + "angelic", + "angelical", + "cherubic", + "seraphic", + "sweet", + "cuddlesome", + "cuddly", + "hateful", + "abominable", + "detestable", + "execrable", + "odious", + "unlovable", + "liked", + "likable", + "likeable", + "disliked", + "dislikable", + "unlikable", + "unlikeable", + "loved", + "admired", + "adored", + "idolized", + "idolised", + "worshipped", + "beloved", + "darling", + "dear", + "blue-eyed", + "fair-haired", + "white-haired", + "cherished", + "precious", + "treasured", + "wanted", + "favored", + "favorite", + "favourite", + "best-loved", + "pet", + "preferred", + "preferent", + "unloved", + "alienated", + "estranged", + "bereft", + "lovelorn", + "unbeloved", + "despised", + "detested", + "hated", + "scorned", + "disinherited", + "jilted", + "rejected", + "spurned", + "loveless", + "loving", + "adoring", + "doting", + "fond", + "affectionate", + "fond", + "lovesome", + "tender", + "warm", + "amative", + "amorous", + "amatory", + "amorous", + "romantic", + "attached", + "captivated", + "charmed", + "enamored", + "infatuated", + "in love", + "potty", + "smitten", + "soft on", + "taken with", + "idolatrous", + "loverlike", + "loverly", + "overfond", + "tenderhearted", + "touchy-feely", + "uxorious", + "unloving", + "cold", + "frigid", + "loveless", + "detached", + "unaffectionate", + "uncaring", + "unromantic", + "lowercase", + "little", + "minuscule", + "small", + "uppercase", + "capital", + "great", + "majuscule", + "lucky", + "apotropaic", + "hot", + "serendipitous", + "unlucky", + "luckless", + "hexed", + "jinxed", + "lyric", + "dramatic", + "made", + "unmade", + "magnetic", + "magnetized", + "magnetised", + "attractable", + "antimagnetic", + "magnetic", + "geographic", + "geographical", + "true", + "magnetic", + "nonmagnetic", + "major", + "better", + "minor", + "major", + "minor", + "major", + "minor", + "nonaged", + "underage", + "major", + "minor", + "major", + "minor", + "major", + "leading", + "prima", + "star", + "starring", + "stellar", + "minor", + "insignificant", + "peanut", + "secondary", + "major", + "minor", + "majuscule", + "majuscular", + "minuscule", + "minuscular", + "manageable", + "administrable", + "controllable", + "governable", + "directed", + "steerable", + "dirigible", + "unmanageable", + "difficult", + "indocile", + "uncontrollable", + "ungovernable", + "unruly", + "uncheckable", + "manly", + "manful", + "manlike", + "man-sized", + "unmanly", + "unmanful", + "unmanlike", + "effeminate", + "emasculate", + "epicene", + "cissy", + "sissified", + "sissyish", + "sissy", + "womanish", + "male", + "male", + "antheral", + "staminate", + "phallic", + "priapic", + "priapic", + "young-begetting", + "female", + "female", + "egg-producing", + "young-bearing", + "pistillate", + "androgynous", + "bisexual", + "epicene", + "gynandromorphic", + "gynandromorphous", + "hermaphroditic", + "hermaphrodite", + "intersexual", + "pseudohermaphroditic", + "pseudohermaphrodite", + "unisex", + "manned", + "unmanned", + "remote-controlled", + "pilotless", + "marked", + "asterisked", + "starred", + "barred", + "scarred", + "well-marked", + "masked", + "unmarked", + "unasterisked", + "unstarred", + "branded", + "unbranded", + "married", + "joined", + "united", + "mated", + "ringed", + "wed", + "wedded", + "unmarried", + "single", + "divorced", + "mateless", + "unwed", + "unwedded", + "widowed", + "mated", + "paired", + "unmated", + "mateless", + "masculine", + "butch", + "macho", + "male", + "manful", + "manlike", + "manly", + "virile", + "mannish", + "feminine", + "fair", + "female", + "distaff", + "maidenlike", + "maidenly", + "powder-puff", + "womanly", + "feminine", + "matronly", + "womanlike", + "unwomanly", + "hoydenish", + "tomboyish", + "mannish", + "unfeminine", + "masculine", + "feminine", + "neuter", + "matched", + "coordinated", + "co-ordinated", + "matching", + "duplicate", + "matching", + "twin", + "twinned", + "mated", + "paired", + "one-to-one", + "mismatched", + "ill-sorted", + "incompatible", + "mismated", + "unsuited", + "odd", + "unmatched", + "unmated", + "unpaired", + "material", + "crucial", + "immaterial", + "mature", + "adult", + "big", + "full-grown", + "fully grown", + "grown", + "grownup", + "abloom", + "efflorescent", + "fruiting", + "full-blown", + "matured", + "headed", + "marriageable", + "nubile", + "overblown", + "prime", + "meridian", + "immature", + "adolescent", + "embryonic", + "embryologic", + "embryonal", + "inchoative", + "larval", + "prepubescent", + "prepubertal", + "prepupal", + "pubescent", + "pupal", + "underdeveloped", + "mature", + "autumnal", + "mellow", + "mellowed", + "ripe", + "immature", + "adolescent", + "jejune", + "juvenile", + "puerile", + "babyish", + "childish", + "infantile", + "ripe", + "mature", + "aged", + "ripened", + "mellow", + "mellowed", + "overripe", + "green", + "unripe", + "unripened", + "immature", + "unaged", + "seasonal", + "year-round", + "year-around", + "seasonable", + "unseasonable", + "seasoned", + "cured", + "unseasoned", + "uncured", + "full-term", + "premature", + "maximal", + "maximum", + "supreme", + "minimal", + "minimum", + "borderline", + "marginal", + "negligible", + "nominal", + "token", + "tokenish", + "stripped", + "stripped-down", + "meaningful", + "meaty", + "substantive", + "meaning", + "pregnant", + "significant", + "purposeful", + "meaningless", + "nonmeaningful", + "empty", + "hollow", + "vacuous", + "insignificant", + "mindless", + "nonsense", + "nonsensical", + "measurable", + "mensurable", + "immeasurable", + "unmeasurable", + "immensurable", + "unmeasured", + "abysmal", + "illimitable", + "limitless", + "measureless", + "meaty", + "meatless", + "mechanical", + "automatic", + "automatonlike", + "machinelike", + "robotlike", + "robotic", + "mechanic", + "mechanistic", + "mechanized", + "mechanised", + "windup", + "nonmechanical", + "nonmechanistic", + "unmechanized", + "unmechanised", + "melodious", + "melodic", + "musical", + "ariose", + "songlike", + "canorous", + "songful", + "cantabile", + "singing", + "dulcet", + "honeyed", + "mellifluous", + "mellisonant", + "sweet", + "lyrical", + "unmelodious", + "unmelodic", + "unmusical", + "tuneful", + "melodious", + "tuneless", + "untuneful", + "unmelodious", + "membered", + "three-membered", + "3-membered", + "four-membered", + "4-membered", + "five-membered", + "5-membered", + "six-membered", + "6-membered", + "seven-membered", + "7-membered", + "eight-membered", + "8-membered", + "nine-membered", + "9-membered", + "ten-membered", + "10-membered", + "memberless", + "mined", + "deep-mined", + "well-mined", + "strip-mined", + "unmined", + "musical", + "chanted", + "liquid", + "singable", + "unmusical", + "nonmusical", + "musical", + "philharmonic", + "unmusical", + "nonmusical", + "melted", + "liquid", + "liquified", + "dissolved", + "fusible", + "molten", + "liquefied", + "liquified", + "thawed", + "unmelted", + "frozen", + "undissolved", + "merciful", + "merciless", + "unmerciful", + "cutthroat", + "fierce", + "bowelless", + "mortal", + "pitiless", + "remorseless", + "ruthless", + "unpitying", + "tigerish", + "metabolic", + "metabolous", + "ametabolic", + "ametabolous", + "mild", + "gentle", + "soft", + "mild-mannered", + "moderate", + "temperate", + "intense", + "aggravated", + "bad", + "big", + "blood-and-guts", + "brutal", + "unrelenting", + "cold", + "concentrated", + "consuming", + "overwhelming", + "deep", + "exquisite", + "keen", + "extreme", + "utmost", + "uttermost", + "fierce", + "tearing", + "vehement", + "violent", + "trigger-happy", + "intensified", + "intensive", + "main", + "profound", + "raging", + "screaming", + "severe", + "terrible", + "wicked", + "smart", + "strong", + "terrific", + "thick", + "deep", + "unabated", + "violent", + "wild", + "intensive", + "extensive", + "involved", + "active", + "participating", + "caught up", + "concerned", + "interested", + "embroiled", + "entangled", + "engaged", + "implicated", + "concerned", + "neck-deep", + "up to my neck", + "up to your neck", + "up to her neck", + "up to his neck", + "up to our necks", + "up to their necks", + "uninvolved", + "unconcerned", + "military", + "expeditionary", + "martial", + "combatant", + "noncombatant", + "civilian", + "civil", + "noncombatant", + "military", + "militaristic", + "soldierly", + "soldierlike", + "warriorlike", + "martial", + "warlike", + "martial", + "unmilitary", + "nonmilitary", + "unsoldierly", + "mitigated", + "alleviated", + "eased", + "relieved", + "lessened", + "quenched", + "satisfied", + "slaked", + "unmitigated", + "arrant", + "complete", + "consummate", + "double-dyed", + "everlasting", + "gross", + "perfect", + "pure", + "sodding", + "stark", + "staring", + "thoroughgoing", + "utter", + "unadulterated", + "bally", + "blinking", + "bloody", + "blooming", + "crashing", + "flaming", + "fucking", + "bodacious", + "undiminished", + "unrelieved", + "tempered", + "untempered", + "unmoderated", + "tempered", + "treated", + "hardened", + "toughened", + "curable", + "sunbaked", + "untempered", + "unhardened", + "brittle", + "unannealed", + "mobile", + "airborne", + "ambulant", + "ambulatory", + "floating", + "maneuverable", + "manoeuvrable", + "mechanized", + "mechanised", + "motorized", + "motile", + "movable", + "moveable", + "transferable", + "transferrable", + "transportable", + "perambulating", + "racy", + "raisable", + "raiseable", + "rangy", + "rotatable", + "seaborne", + "transplantable", + "versatile", + "waterborne", + "immobile", + "immovable", + "immoveable", + "stabile", + "unmovable", + "nonmotile", + "immotile", + "stiff", + "portable", + "man-portable", + "movable", + "takeout", + "take-away", + "unportable", + "removable", + "dismissible", + "extractable", + "extractible", + "irremovable", + "tenured", + "metallic", + "metal", + "all-metal", + "aluminiferous", + "antimonial", + "argentiferous", + "auriferous", + "gold-bearing", + "bimetal", + "bimetallic", + "bronze", + "gold", + "golden", + "gilded", + "metallike", + "metal-looking", + "metallic-looking", + "silver", + "tinny", + "nonmetallic", + "nonmetal", + "metalloid", + "metamorphic", + "epimorphic", + "hemimetabolous", + "hemimetabolic", + "hemimetamorphous", + "hemimetamorphic", + "heterometabolous", + "heterometabolic", + "holometabolic", + "holometabolous", + "metamorphous", + "changed", + "nonmetamorphic", + "ametabolic", + "moderate", + "average", + "intermediate", + "medium", + "cautious", + "conservative", + "fair", + "fairish", + "reasonable", + "indifferent", + "limited", + "middle-of-the-road", + "minimalist", + "modest", + "small", + "immoderate", + "abnormal", + "all-fired", + "exaggerated", + "overdone", + "overstated", + "excessive", + "inordinate", + "undue", + "unreasonable", + "exorbitant", + "extortionate", + "outrageous", + "steep", + "unconscionable", + "usurious", + "extraordinary", + "over-the-top", + "sinful", + "extreme", + "extreme", + "extremist", + "radical", + "ultra", + "far", + "stark", + "modern", + "contemporary", + "modern-day", + "neo", + "red-brick", + "redbrick", + "ultramodern", + "moderne", + "nonmodern", + "antebellum", + "horse-and-buggy", + "medieval", + "mediaeval", + "gothic", + "old-world", + "Victorian", + "modest", + "coy", + "demure", + "overmodest", + "decent", + "decent", + "shamefaced", + "immodest", + "indecent", + "modest", + "retiring", + "unassuming", + "immodest", + "important", + "overweening", + "uppity", + "modified", + "adapted", + "altered", + "restricted", + "qualified", + "unmodified", + "unadapted", + "unrestricted", + "modulated", + "softened", + "unmodulated", + "flat", + "monotone", + "monotonic", + "monotonous", + "molar", + "molecular", + "monoclinous", + "hermaphroditic", + "diclinous", + "monoecious", + "monecious", + "monoicous", + "autoicous", + "heteroicous", + "polyoicous", + "polygamous", + "synoicous", + "synoecious", + "paroicous", + "dioecious", + "dioecian", + "monophonic", + "homophonic", + "monodic", + "monodical", + "polyphonic", + "contrapuntal", + "monogamous", + "monandrous", + "monogynous", + "monogynic", + "polygamous", + "bigamous", + "polyandrous", + "polygynous", + "monolingual", + "multilingual", + "bilingual", + "polyglot", + "trilingual", + "monovalent", + "univalent", + "polyvalent", + "multivalent", + "univalent", + "bivalent", + "double", + "multivalent", + "monotonic", + "monotone", + "decreasing monotonic", + "increasing monotonic", + "nonmonotonic", + "monovalent", + "polyvalent", + "moral", + "chaste", + "clean", + "clean-living", + "moralistic", + "righteous", + "incorrupt", + "immoral", + "debauched", + "degenerate", + "degraded", + "dissipated", + "dissolute", + "libertine", + "profligate", + "riotous", + "fast", + "disgraceful", + "scandalous", + "shameful", + "shocking", + "scrofulous", + "licit", + "illicit", + "adulterous", + "extramarital", + "extracurricular", + "unlawful", + "principled", + "high-principled", + "unprincipled", + "many", + "galore", + "many a", + "many an", + "many another", + "numerous", + "legion", + "some", + "umpteen", + "umteen", + "few", + "a few", + "a couple of", + "hardly a", + "much", + "overmuch", + "some", + "such", + "untold", + "little", + "slight", + "small", + "more", + "more than", + "less", + "most", + "least", + "more", + "fewer", + "less", + "most", + "fewest", + "mortal", + "earthborn", + "immortal", + "amaranthine", + "unfading", + "deathless", + "undying", + "deific", + "motivated", + "actuated", + "driven", + "impelled", + "unmotivated", + "causeless", + "reasonless", + "motiveless", + "unprovoked", + "wanton", + "motorized", + "motorised", + "motored", + "bimotored", + "trimotored", + "unmotorized", + "unmotorised", + "motorless", + "moved", + "affected", + "stirred", + "touched", + "sick", + "unmoved", + "unaffected", + "untouched", + "moving", + "affecting", + "poignant", + "touching", + "haunting", + "heartwarming", + "stirring", + "soul-stirring", + "unmoving", + "unaffecting", + "moving", + "afoot", + "ahorse", + "ahorseback", + "oncoming", + "automotive", + "self-propelled", + "self-propelling", + "awheel", + "blown", + "fast-flying", + "flying", + "aflare", + "flaring", + "kinetic", + "mobile", + "restless", + "wiggly", + "wriggling", + "wriggly", + "writhing", + "vibratory", + "nonmoving", + "unmoving", + "inactive", + "motionless", + "static", + "still", + "becalmed", + "fixed", + "set", + "rigid", + "frozen", + "rooted", + "stock-still", + "inert", + "sitting", + "stationary", + "moving", + "animated", + "still", + "mown", + "cut", + "new-mown", + "unmown", + "uncut", + "seamanlike", + "seamanly", + "unseamanlike", + "lubberly", + "landlubberly", + "continental", + "continent-wide", + "transcontinental", + "intercontinental", + "worldwide", + "world-wide", + "national", + "nationalist", + "nationalistic", + "international", + "global", + "planetary", + "world", + "worldwide", + "world-wide", + "internationalist", + "internationalistic", + "multinational", + "transnational", + "supranational", + "interstate", + "intrastate", + "natural", + "earthy", + "unnatural", + "violent", + "natural", + "unbleached", + "uncolored", + "undyed", + "artificial", + "unreal", + "arranged", + "staged", + "bionic", + "bleached", + "colored", + "coloured", + "dyed", + "cardboard", + "unlifelike", + "celluloid", + "synthetic", + "conventionalized", + "conventionalised", + "stylized", + "stylised", + "dummy", + "ersatz", + "substitute", + "factitious", + "fake", + "false", + "faux", + "imitation", + "simulated", + "man-made", + "semisynthetic", + "synthetic", + "near", + "painted", + "natural", + "physical", + "supernatural", + "apparitional", + "ghostlike", + "ghostly", + "phantasmal", + "spectral", + "spiritual", + "eerie", + "eldritch", + "weird", + "uncanny", + "unearthly", + "elfin", + "fey", + "charming", + "magic", + "magical", + "sorcerous", + "witching", + "wizard", + "wizardly", + "marvelous", + "marvellous", + "miraculous", + "metaphysical", + "necromantic", + "nonnatural", + "otherworldly", + "preternatural", + "transcendental", + "talismanic", + "transmundane", + "witchlike", + "natural", + "sharp", + "flat", + "ultimate", + "crowning", + "eventual", + "final", + "last", + "net", + "last-ditch", + "supreme", + "proximate", + "immediate", + "necessary", + "essential", + "indispensable", + "incumbent", + "needed", + "needful", + "required", + "requisite", + "obligatory", + "unnecessary", + "unneeded", + "excess", + "extra", + "redundant", + "spare", + "supererogatory", + "superfluous", + "supernumerary", + "surplus", + "gratuitous", + "needless", + "uncalled-for", + "inessential", + "spare", + "net", + "nett", + "clear", + "take-home", + "gross", + "overall", + "neurotic", + "psychoneurotic", + "abulic", + "aboulic", + "compulsive", + "delusional", + "disturbed", + "maladjusted", + "hypochondriac", + "hypochondriacal", + "hysteric", + "hysterical", + "megalomaniacal", + "megalomanic", + "monomaniacal", + "nymphomaniacal", + "nymphomaniac", + "obsessional", + "obsessive", + "obsessive-compulsive", + "pathological", + "phobic", + "psychosomatic", + "schizoid", + "unneurotic", + "together", + "nice", + "good", + "pleasant", + "nasty", + "awful", + "dirty", + "filthy", + "lousy", + "grotty", + "hateful", + "mean", + "nidicolous", + "nidifugous", + "noble", + "dignifying", + "ennobling", + "exalted", + "elevated", + "sublime", + "grand", + "high-flown", + "high-minded", + "lofty", + "rarefied", + "rarified", + "idealistic", + "noble-minded", + "greathearted", + "magnanimous", + "ignoble", + "base", + "mean", + "meanspirited", + "currish", + "noble", + "aristocratic", + "aristocratical", + "blue", + "blue-blooded", + "gentle", + "patrician", + "august", + "grand", + "lordly", + "coroneted", + "highborn", + "titled", + "imperial", + "majestic", + "purple", + "regal", + "royal", + "kingly", + "kinglike", + "monarchal", + "monarchical", + "princely", + "queenly", + "queenlike", + "royal", + "lowborn", + "base", + "baseborn", + "humble", + "lowly", + "common", + "plebeian", + "vulgar", + "unwashed", + "ignoble", + "ungentle", + "untitled", + "normal", + "average", + "mean", + "median", + "average", + "modal", + "average", + "natural", + "regular", + "typical", + "abnormal", + "unnatural", + "aberrant", + "deviant", + "deviate", + "anomalous", + "antidromic", + "atypical", + "irregular", + "brachydactylic", + "brachydactylous", + "defective", + "freakish", + "kinky", + "perverted", + "subnormal", + "supernormal", + "vicarious", + "normal", + "abnormal", + "exceptional", + "hypertensive", + "hypotensive", + "normotensive", + "normal", + "paranormal", + "parapsychological", + "psychic", + "psychical", + "psychokinetic", + "supernormal", + "supranormal", + "north", + "northbound", + "northward", + "north-central", + "northerly", + "northern", + "northerly", + "northern", + "northernmost", + "northmost", + "northeastern", + "northeasterly", + "northeast", + "northeasterly", + "northeast", + "northeastward", + "northwestern", + "northwesterly", + "northwest", + "northwesterly", + "northwest", + "northwestward", + "south", + "southbound", + "southward", + "south-central", + "southerly", + "southern", + "southerly", + "southern", + "southernmost", + "southmost", + "southeast", + "southeastern", + "southeasterly", + "southeasterly", + "southeast", + "southeastward", + "southwest", + "southwestern", + "southwesterly", + "southwesterly", + "southwest", + "southwestward", + "northern", + "boreal", + "circumboreal", + "north-central", + "septrional", + "southern", + "austral", + "meridional", + "south-central", + "northern", + "blue", + "Union", + "Federal", + "Yankee", + "southern", + "Confederate", + "grey", + "gray", + "nosed", + "hook-nosed", + "pug-nosed", + "pug-nose", + "short-nosed", + "snub-nosed", + "sharp-nosed", + "tube-nosed", + "noseless", + "noticed", + "detected", + "unnoticed", + "disregarded", + "forgotten", + "ignored", + "neglected", + "unheeded", + "overlooked", + "unmarked", + "unnoted", + "unobserved", + "unperceived", + "unremarked", + "detected", + "perceived", + "sensed", + "perceived", + "heard", + "undetected", + "undiscovered", + "unobserved", + "unseen", + "determined", + "ascertained", + "discovered", + "observed", + "undetermined", + "unexplained", + "noxious", + "baneful", + "deadly", + "pernicious", + "pestilent", + "corrupting", + "degrading", + "vesicatory", + "vesicant", + "innocuous", + "innoxious", + "obedient", + "acquiescent", + "biddable", + "conformable", + "dutiful", + "duteous", + "Y2K compliant", + "disobedient", + "contrary", + "obstinate", + "perverse", + "wayward", + "fractious", + "refractory", + "recalcitrant", + "froward", + "headstrong", + "self-willed", + "willful", + "wilful", + "recusant", + "obtrusive", + "noticeable", + "unobtrusive", + "unnoticeable", + "objective", + "nonsubjective", + "clinical", + "impersonal", + "neutral", + "verifiable", + "subjective", + "personal", + "prejudiced", + "unobjective", + "unverifiable", + "obligated", + "beholden", + "duty-bound", + "obliged", + "indebted", + "indebted", + "supposed", + "tributary", + "unobligated", + "unbeholden", + "obligate", + "facultative", + "obvious", + "apparent", + "evident", + "manifest", + "patent", + "plain", + "unmistakable", + "axiomatic", + "self-evident", + "taken for granted", + "demonstrable", + "provable", + "frank", + "open-and-shut", + "self-explanatory", + "transparent", + "writ large", + "unobvious", + "unapparent", + "unprovable", + "obstructed", + "barricaded", + "barred", + "blockaded", + "blocked", + "plugged", + "choked", + "clogged", + "deadlocked", + "stalemated", + "impeded", + "occluded", + "stopped", + "stopped-up", + "stopped up", + "stuffy", + "thrombosed", + "unobstructed", + "clear", + "open", + "patent", + "unimpeded", + "unclogged", + "occupied", + "busy", + "engaged", + "in use", + "filled", + "unoccupied", + "free", + "spare", + "free", + "occupied", + "unoccupied", + "relinquished", + "offensive", + "abhorrent", + "detestable", + "obscene", + "repugnant", + "repulsive", + "charnel", + "ghastly", + "sepulchral", + "creepy", + "disgusting", + "disgustful", + "distasteful", + "foul", + "loathly", + "loathsome", + "repellent", + "repellant", + "repelling", + "revolting", + "skanky", + "wicked", + "yucky", + "ghoulish", + "morbid", + "hideous", + "horrid", + "horrific", + "outrageous", + "objectionable", + "obnoxious", + "rank", + "scrimy", + "verminous", + "inoffensive", + "innocuous", + "unobjectionable", + "savory", + "savoury", + "unsavory", + "unsavoury", + "offensive", + "odoriferous", + "offensive", + "abusive", + "opprobrious", + "scurrilous", + "inoffensive", + "unoffending", + "offenseless", + "offenceless", + "offensive", + "antipersonnel", + "assaultive", + "attacking", + "hit-and-run", + "tip-and-run", + "incursive", + "invading", + "invasive", + "marauding", + "predatory", + "raiding", + "on the offensive", + "defensive", + "antiaircraft", + "antisubmarine", + "antitank", + "defending", + "en garde", + "offending", + "sinning", + "offensive", + "violative", + "unoffending", + "apologetic", + "excusatory", + "defensive", + "justificative", + "justificatory", + "self-deprecating", + "unapologetic", + "official", + "authoritative", + "authorized", + "authorised", + "ex officio", + "formal", + "formalized", + "formalised", + "semiofficial", + "unofficial", + "drumhead", + "summary", + "informal", + "loose", + "unauthorized", + "unauthorised", + "wildcat", + "unsanctioned", + "confirmed", + "official", + "unconfirmed", + "unofficial", + "established", + "constituted", + "deep-rooted", + "deep-seated", + "implanted", + "ingrained", + "planted", + "entrenched", + "grooved", + "well-grooved", + "legitimate", + "official", + "recognized", + "recognised", + "self-constituted", + "self-established", + "unestablished", + "unrecognized", + "unrecognised", + "conditioned", + "learned", + "unconditioned", + "innate", + "unlearned", + "naive", + "on-site", + "on-the-spot", + "on-the-scene", + "off-site", + "offstage", + "onstage", + "off-street", + "on-street", + "old", + "age-old", + "antique", + "antediluvian", + "antiquated", + "archaic", + "antique", + "auld", + "hand-me-down", + "hand-down", + "hoary", + "rusty", + "immemorial", + "long-ago", + "longtime", + "patched", + "secondhand", + "used", + "sunset", + "yellow", + "yellowed", + "new", + "brand-new", + "bran-new", + "spic-and-span", + "spick-and-span", + "fresh", + "hot", + "red-hot", + "newborn", + "new-sprung", + "newfound", + "novel", + "refreshing", + "parvenu", + "parvenue", + "recent", + "revolutionary", + "radical", + "rising", + "sunrise", + "untested", + "untried", + "unused", + "virgin", + "young", + "old", + "aged", + "elderly", + "older", + "senior", + "aged", + "of age", + "aging", + "ageing", + "senescent", + "ancient", + "anile", + "centenarian", + "darkened", + "doddering", + "doddery", + "gaga", + "senile", + "emeritus", + "grey", + "gray", + "grey-haired", + "gray-haired", + "grey-headed", + "gray-headed", + "grizzly", + "hoar", + "hoary", + "white-haired", + "middle-aged", + "nonagenarian", + "octogenarian", + "oldish", + "overage", + "overaged", + "superannuated", + "over-the-hill", + "sexagenarian", + "venerable", + "young", + "immature", + "one-year-old", + "two-year-old", + "three-year-old", + "four-year-old", + "five-year-old", + "adolescent", + "teen", + "teenage", + "teenaged", + "infantile", + "boyish", + "boylike", + "schoolboyish", + "childlike", + "childly", + "early", + "girlish", + "schoolgirlish", + "junior", + "little", + "small", + "newborn", + "preteen", + "preadolescent", + "puppyish", + "puppylike", + "tender", + "youngish", + "youthful", + "vernal", + "young", + "one-piece", + "two-piece", + "three-piece", + "on-line", + "online", + "machine-accessible", + "connected", + "off-line", + "on-line", + "online", + "off-line", + "on", + "connected", + "off", + "disconnected", + "on", + "off", + "cancelled", + "onside", + "offside", + "offsides", + "open", + "unfastened", + "ajar", + "wide-open", + "shut", + "unopen", + "closed", + "open", + "opened", + "unstoppered", + "yawning", + "closed", + "blocked", + "out of use", + "drawn", + "stoppered", + "nonopening", + "open", + "opened", + "agape", + "gaping", + "agaze", + "staring", + "wide-eyed", + "wide", + "yawning", + "closed", + "shut", + "blinking", + "winking", + "compressed", + "tight", + "squinched", + "squinting", + "spaced", + "double-spaced", + "leaded", + "single-spaced", + "unspaced", + "unleaded", + "enclosed", + "basined", + "besieged", + "boxed", + "boxed-in", + "boxed in", + "capsulate", + "capsulated", + "clathrate", + "closed", + "closed in", + "coarctate", + "embedded", + "fencelike", + "included", + "involved", + "self-enclosed", + "surrounded", + "encircled", + "unenclosed", + "hypaethral", + "hypethral", + "open", + "unfenced", + "tanned", + "untanned", + "tapped", + "abroach", + "broached", + "untapped", + "open", + "closed", + "operational", + "active", + "combat-ready", + "fighting", + "effective", + "nonoperational", + "inactive", + "opportune", + "good", + "right", + "ripe", + "timely", + "seasonable", + "well-timed", + "well timed", + "inopportune", + "ill-timed", + "unseasonable", + "untimely", + "wrong", + "inconvenient", + "opposable", + "apposable", + "unopposable", + "opposed", + "conflicting", + "unopposed", + "opposite", + "paired", + "alternate", + "optimistic", + "bullish", + "cheerful", + "pollyannaish", + "upbeat", + "rose-colored", + "rosy", + "starry-eyed", + "sanguine", + "pessimistic", + "bearish", + "demoralized", + "demoralised", + "discouraged", + "disheartened", + "oral", + "buccal", + "buccal", + "aboral", + "actinal", + "abactinal", + "orderly", + "disorderly", + "boisterous", + "rambunctious", + "robustious", + "rumbustious", + "unruly", + "mobbish", + "moblike", + "raucous", + "rowdy", + "rough-and-tumble", + "bare-knuckle", + "bare-knuckled", + "ordered", + "consecutive", + "sequent", + "sequential", + "serial", + "successive", + "progressive", + "disordered", + "unordered", + "organized", + "methodical", + "well-conducted", + "disorganized", + "disorganised", + "broken", + "confused", + "disordered", + "upset", + "chaotic", + "helter-skelter", + "fucked-up", + "snafu", + "scrambled", + "unmethodical", + "unstuck", + "undone", + "organized", + "arranged", + "configured", + "corporate", + "incorporated", + "re-formed", + "reorganized", + "reorganised", + "unorganized", + "unorganised", + "uncoordinated", + "unformed", + "unincorporated", + "structured", + "unstructured", + "ambiguous", + "unregulated", + "ordinary", + "average", + "fair", + "mediocre", + "middling", + "banausic", + "characterless", + "nondescript", + "common", + "commonplace", + "cut-and-dried", + "cut-and-dry", + "everyday", + "mundane", + "quotidian", + "routine", + "unremarkable", + "workaday", + "indifferent", + "so-so", + "run-of-the-mill", + "run-of-the-mine", + "mine run", + "unexceptional", + "extraordinary", + "bonzer", + "exceeding", + "exceptional", + "olympian", + "prodigious", + "surpassing", + "extraordinaire", + "fantastic", + "grand", + "howling", + "marvelous", + "marvellous", + "rattling", + "terrific", + "tremendous", + "wonderful", + "wondrous", + "phenomenal", + "frightful", + "terrible", + "awful", + "tremendous", + "great", + "one", + "preternatural", + "uncanny", + "pyrotechnic", + "rare", + "uncommon", + "remarkable", + "singular", + "some", + "special", + "wonderworking", + "organic", + "inorganic", + "organic", + "integrated", + "structured", + "nonsynthetic", + "inorganic", + "amorphous", + "unstructured", + "artificial", + "mineral", + "holistic", + "atomistic", + "atomistical", + "arranged", + "ordered", + "laid", + "set", + "placed", + "disarranged", + "disarrayed", + "disturbed", + "misplaced", + "oriented", + "orientated", + "adjusted", + "familiarized", + "familiarised", + "bound", + "destined", + "directed", + "headed", + "homeward", + "homeward-bound", + "minded", + "unoriented", + "alienated", + "anomic", + "disoriented", + "confused", + "disoriented", + "lost", + "orienting", + "orientating", + "aligning", + "positioning", + "dimensioning", + "familiarizing", + "familiarising", + "homing", + "disorienting", + "confusing", + "estranging", + "stunning", + "stupefying", + "original", + "avant-garde", + "daring", + "freehand", + "freehanded", + "fresh", + "new", + "novel", + "germinal", + "originative", + "seminal", + "innovative", + "innovational", + "groundbreaking", + "newfangled", + "new", + "underivative", + "unoriginal", + "banal", + "commonplace", + "hackneyed", + "old-hat", + "shopworn", + "stock", + "threadbare", + "timeworn", + "tired", + "trite", + "well-worn", + "bromidic", + "corny", + "platitudinal", + "platitudinous", + "cliched", + "ready-made", + "cold", + "stale", + "dusty", + "moth-eaten", + "slavish", + "orthodox", + "antiheretical", + "canonic", + "canonical", + "sanctioned", + "conforming", + "conformist", + "conventional", + "established", + "traditional", + "unreformed", + "unorthodox", + "dissentient", + "recusant", + "dissident", + "heretical", + "heterodox", + "iconoclastic", + "nonconforming", + "nonconformist", + "Reformed", + "outdoor", + "out-of-door", + "outside", + "alfresco", + "open-air", + "outdoorsy", + "indoor", + "outside", + "after-school", + "extracurricular", + "extracurricular", + "right", + "inside", + "wrong", + "covered", + "ariled", + "arillate", + "awninged", + "beaded", + "blanketed", + "canopied", + "cloaked", + "clothed", + "draped", + "mantled", + "wrapped", + "crusted", + "encrusted", + "crusty", + "crustlike", + "dabbled", + "spattered", + "splashed", + "splattered", + "drenched", + "drenched in", + "dusty", + "dust-covered", + "moon-splashed", + "moss-grown", + "mossy", + "mud-beplastered", + "muffled", + "peritrichous", + "plastered", + "sealed", + "overgrown", + "sealed", + "smothered", + "snow-clad", + "snow-covered", + "snowy", + "splashy", + "sun-drenched", + "thickspread", + "tiled", + "white", + "snowy", + "bare", + "bald", + "denuded", + "denudate", + "naked", + "undraped", + "unroofed", + "coated", + "backed", + "black-coated", + "glazed", + "oily", + "uncoated", + "roofed", + "roofless", + "leafy", + "bifoliate", + "bowery", + "curly-leaved", + "curly-leafed", + "fan-leaved", + "fan-leafed", + "fine-leaved", + "fine-leafed", + "foliaceous", + "foliose", + "foliaged", + "foliate", + "foliolate", + "grassy-leaved", + "grassy-leafed", + "ivied", + "ivy-covered", + "large-leaved", + "large-leafed", + "leafed", + "leaved", + "leaflike", + "leaf-like", + "leather-leaved", + "leather-leafed", + "petallike", + "petal-like", + "pinnate-leaved", + "pinnate-leafed", + "prickly-leaved", + "prickly-leafed", + "silky-leaved", + "silky-leafed", + "silver-leaved", + "silvery-leaved", + "silver-leafed", + "silvery-leafed", + "spiny-leaved", + "spiny-leafed", + "two-leaved", + "two-leafed", + "unifoliate", + "leafless", + "aphyllous", + "defoliate", + "defoliated", + "scapose", + "lipped", + "bilabiate", + "two-lipped", + "labiate", + "liplike", + "thick-lipped", + "three-lipped", + "lipless", + "unlipped", + "overt", + "open", + "bald", + "barefaced", + "naked", + "raw", + "undisguised", + "visible", + "covert", + "backstair", + "backstairs", + "furtive", + "black", + "clandestine", + "cloak-and-dagger", + "hole-and-corner", + "hugger-mugger", + "hush-hush", + "secret", + "surreptitious", + "undercover", + "underground", + "secret", + "collusive", + "conniving", + "cloaked", + "disguised", + "masked", + "secret", + "sub-rosa", + "under-the-table", + "behind-the-scenes", + "subterranean", + "subterraneous", + "ulterior", + "under wraps", + "undisclosed", + "unrevealed", + "paid", + "cashed", + "compensable", + "paying", + "remunerative", + "salaried", + "stipendiary", + "compensated", + "remunerated", + "salaried", + "stipendiary", + "mercenary", + "free-lance", + "freelance", + "paid-up", + "post-free", + "postpaid", + "prepaid", + "reply-paid", + "square", + "unpaid", + "buckshee", + "complimentary", + "costless", + "free", + "gratis", + "gratuitous", + "non-paying", + "outstanding", + "owing", + "undischarged", + "pro bono", + "rent-free", + "uncompensated", + "unsalaried", + "painful", + "aching", + "achy", + "agonized", + "agonised", + "agonizing", + "agonising", + "excruciating", + "harrowing", + "torturing", + "torturous", + "torturesome", + "biting", + "bitter", + "chafed", + "galled", + "poignant", + "itchy", + "racking", + "wrenching", + "saddle-sore", + "sensitive", + "sore", + "raw", + "tender", + "traumatic", + "painless", + "pain-free", + "unpainful", + "painted", + "finished", + "stained", + "varnished", + "whitewashed", + "unpainted", + "bare", + "unfinished", + "unoiled", + "unstained", + "unvarnished", + "painted", + "rouged", + "unpainted", + "unrouged", + "delineated", + "represented", + "delineate", + "depicted", + "pictured", + "portrayed", + "described", + "diagrammatic", + "diagrammatical", + "undelineated", + "undepicted", + "unpictured", + "undrawn", + "paintable", + "unpaintable", + "palatable", + "toothsome", + "unpalatable", + "brackish", + "distasteful", + "unsavory", + "unsavoury", + "palpable", + "tangible", + "perceptible", + "impalpable", + "elusive", + "subtle", + "parallel", + "antiparallel", + "collateral", + "nonconvergent", + "nonintersecting", + "oblique", + "bias", + "catacorner", + "cata-cornered", + "catercorner", + "cater-cornered", + "catty-corner", + "catty-cornered", + "kitty-corner", + "kitty-cornered", + "crabwise", + "sideways", + "diagonal", + "nonparallel", + "oblique-angled", + "perpendicular", + "normal", + "orthogonal", + "rectangular", + "right", + "pardonable", + "excusable", + "forgivable", + "venial", + "expiable", + "minor", + "venial", + "unpardonable", + "deadly", + "mortal", + "inexcusable", + "unforgivable", + "inexpiable", + "excusable", + "justifiable", + "inexcusable", + "indefensible", + "insupportable", + "unjustifiable", + "unwarrantable", + "unwarranted", + "parental", + "maternal", + "paternal", + "filial", + "daughterly", + "partial", + "biased", + "colored", + "coloured", + "one-sided", + "slanted", + "impartial", + "disinterested", + "dispassionate", + "cold-eyed", + "indifferent", + "unbiased", + "unbiassed", + "indifferent", + "particulate", + "nonparticulate", + "passable", + "navigable", + "negotiable", + "surmountable", + "climbable", + "traversable", + "travelable", + "impassable", + "unpassable", + "unsurmountable", + "unclimbable", + "unnavigable", + "untraversable", + "passionate", + "ablaze", + "aflame", + "aroused", + "ardent", + "fervent", + "fervid", + "fiery", + "impassioned", + "perfervid", + "torrid", + "choleric", + "demon-ridden", + "fanatic", + "fanatical", + "overzealous", + "rabid", + "lustful", + "lusty", + "concupiscent", + "wild", + "passionless", + "platonic", + "unimpassioned", + "past", + "ago", + "agone", + "ancient", + "bygone", + "bypast", + "departed", + "foregone", + "gone", + "chivalric", + "knightly", + "medieval", + "early", + "former", + "other", + "erstwhile", + "former", + "old", + "onetime", + "one-time", + "quondam", + "sometime", + "former", + "late", + "previous", + "historic", + "historical", + "last", + "late", + "recent", + "olden", + "other", + "prehistoric", + "prehistorical", + "then", + "ultimo", + "ult", + "present", + "existing", + "immediate", + "instant", + "inst", + "latter-day", + "future", + "approaching", + "coming", + "forthcoming", + "upcoming", + "future day", + "early", + "emerging", + "rising", + "in store", + "proximo", + "prox", + "born", + "hatched", + "unborn", + "unhatched", + "parented", + "unparented", + "parentless", + "orphaned", + "fatherless", + "motherless", + "paternal", + "fatherly", + "fatherlike", + "paternalistic", + "maternal", + "maternalistic", + "motherlike", + "motherly", + "wifely", + "wifelike", + "uxorial", + "husbandly", + "patient", + "diligent", + "persevering", + "enduring", + "long-suffering", + "forbearing", + "longanimous", + "tolerant", + "patient of", + "unhurried", + "impatient", + "restive", + "unforbearing", + "patriarchal", + "patriarchic", + "patricentric", + "matriarchal", + "matriarchic", + "matricentric", + "patronized", + "patronised", + "unpatronized", + "unpatronised", + "patronless", + "briefless", + "packaged", + "prepackaged", + "prepacked", + "unpackaged", + "loose", + "paved", + "made-up", + "sealed", + "unpaved", + "caliche-topped", + "patriotic", + "loyal", + "chauvinistic", + "flag-waving", + "jingoistic", + "nationalistic", + "ultranationalistic", + "superpatriotic", + "unpatriotic", + "disloyal", + "un-American", + "peaceful", + "peaceable", + "halcyon", + "irenic", + "nonbelligerent", + "pacific", + "peaceable", + "pacifist", + "pacifistic", + "dovish", + "peaceable", + "peace-loving", + "unpeaceful", + "belligerent", + "militant", + "war-ridden", + "warring", + "militant", + "hawkish", + "warlike", + "stormy", + "tempestuous", + "unpeaceable", + "penitent", + "repentant", + "contrite", + "remorseful", + "rueful", + "ruthful", + "penitential", + "penitentiary", + "impenitent", + "unrepentant", + "unremorseful", + "perceptive", + "acute", + "discriminating", + "incisive", + "keen", + "knifelike", + "penetrating", + "penetrative", + "piercing", + "sharp", + "apprehensive", + "discerning", + "apperceptive", + "insightful", + "observant", + "observing", + "quick-sighted", + "sharp-sighted", + "sharp-eyed", + "subtle", + "understanding", + "unperceptive", + "unperceiving", + "blind", + "unobservant", + "unseeing", + "perceptible", + "detectable", + "noticeable", + "discernible", + "faint", + "weak", + "palpable", + "perceivable", + "recognizable", + "sensible", + "imperceptible", + "unperceivable", + "impalpable", + "incognizable", + "incognoscible", + "indiscernible", + "insensible", + "undetectable", + "subliminal", + "unobservable", + "perfect", + "clean", + "clear", + "cold", + "complete", + "consummate", + "down", + "down pat", + "mastered", + "errorless", + "faultless", + "immaculate", + "impeccable", + "flawless", + "unflawed", + "ideal", + "idealized", + "idealised", + "idyllic", + "mint", + "perfectible", + "pluperfect", + "uncorrupted", + "undefiled", + "imperfect", + "blemished", + "flawed", + "broken", + "corrupt", + "corrupted", + "defective", + "faulty", + "imperfectible", + "irregular", + "perishable", + "biodegradable", + "decayable", + "putrescible", + "putrefiable", + "spoilable", + "imperishable", + "durable", + "indestructible", + "perdurable", + "undestroyable", + "imputrescible", + "permanent", + "lasting", + "abiding", + "enduring", + "imperishable", + "ageless", + "aeonian", + "eonian", + "eternal", + "everlasting", + "perpetual", + "unending", + "unceasing", + "indissoluble", + "standing", + "impermanent", + "temporary", + "acting", + "ephemeral", + "passing", + "short-lived", + "transient", + "transitory", + "fugacious", + "episodic", + "evanescent", + "fly-by-night", + "improvised", + "jury-rigged", + "makeshift", + "interim", + "pro tem", + "pro tempore", + "shipboard", + "temporal", + "terminable", + "working", + "persistent", + "lasting", + "caducous", + "shed", + "deciduous", + "reversible", + "correctable", + "rechargeable", + "irreversible", + "permanent", + "reversible", + "two-sided", + "double-faced", + "nonreversible", + "one-sided", + "revocable", + "revokable", + "rescindable", + "voidable", + "reversible", + "irrevocable", + "irrevokable", + "sealed", + "permissible", + "allowable", + "impermissible", + "forbidden", + "out", + "prohibited", + "proscribed", + "taboo", + "tabu", + "verboten", + "unmentionable", + "untouchable", + "admissible", + "admittable", + "admittible", + "allowable", + "permissible", + "inadmissible", + "impermissible", + "permissive", + "indulgent", + "lenient", + "soft", + "unpermissive", + "permissive", + "bailable", + "preventive", + "preventative", + "blockading", + "clogging", + "hindering", + "impeding", + "obstructive", + "deterrent", + "frustrating", + "frustrative", + "thwarting", + "precautionary", + "precautional", + "preclusive", + "obviating", + "preemptive", + "pre-emptive", + "prohibitive", + "prohibitory", + "perplexed", + "at a loss", + "nonplused", + "nonplussed", + "puzzled", + "baffled", + "befuddled", + "bemused", + "bewildered", + "confounded", + "confused", + "lost", + "mazed", + "mixed-up", + "at sea", + "metagrobolized", + "metagrobolised", + "metagrabolized", + "metagrabolised", + "mystified", + "questioning", + "quizzical", + "stuck", + "unperplexed", + "unbaffled", + "unconfused", + "personal", + "ad hominem", + "face-to-face", + "individual", + "private", + "individualized", + "individualised", + "personalized", + "personalised", + "in-person", + "in the flesh", + "own", + "ain", + "personalized", + "person-to-person", + "private", + "impersonal", + "nonpersonal", + "persuasive", + "coaxing", + "ingratiatory", + "cogent", + "telling", + "weighty", + "compelling", + "glib", + "glib-tongued", + "smooth-tongued", + "dissuasive", + "admonitory", + "cautionary", + "exemplary", + "monitory", + "warning", + "discouraging", + "penetrable", + "impenetrable", + "dense", + "thick", + "permeable", + "porous", + "semipermeable", + "impermeable", + "retentive", + "water-repellent", + "water-resistant", + "pervious", + "receptive", + "impervious", + "imperviable", + "fast", + "acid-fast", + "colorfast", + "greaseproof", + "mothproof", + "moth-resistant", + "proof", + "resistant", + "corrosion-resistant", + "rot-resistant", + "runproof", + "ladder-proof", + "run-resistant", + "soundproof", + "petalous", + "petaled", + "petalled", + "four-petaled", + "four-petalled", + "five-petaled", + "five-petalled", + "gamopetalous", + "sympetalous", + "polypetalous", + "salverform", + "three-petaled", + "three-petalled", + "apetalous", + "petalless", + "puncturable", + "punctureless", + "self-sealing", + "psychoactive", + "psychotropic", + "hallucinogenic", + "mind-altering", + "mind-expanding", + "mind-bending", + "mind-blowing", + "psychedelic", + "nonpsychoactive", + "physical", + "animal", + "carnal", + "fleshly", + "sensual", + "bodily", + "corporal", + "corporeal", + "somatic", + "material", + "personal", + "physiologic", + "physiological", + "somatogenic", + "somatogenetic", + "mental", + "intellectual", + "rational", + "noetic", + "moral", + "psychic", + "psychical", + "psychogenic", + "psychological", + "monotheistic", + "polytheistic", + "pious", + "devotional", + "godly", + "reverent", + "worshipful", + "holier-than-thou", + "pietistic", + "pietistical", + "pharisaic", + "pharisaical", + "sanctimonious", + "self-righteous", + "prayerful", + "impious", + "godless", + "irreverent", + "secular", + "religious", + "religious", + "churchgoing", + "churchly", + "devout", + "god-fearing", + "interfaith", + "irreligious", + "atheistic", + "atheistical", + "unbelieving", + "heathen", + "heathenish", + "pagan", + "ethnic", + "lapsed", + "nonchurchgoing", + "nonobservant", + "placable", + "appeasable", + "conciliable", + "mitigable", + "implacable", + "grim", + "inexorable", + "relentless", + "stern", + "unappeasable", + "unforgiving", + "unrelenting", + "unmitigable", + "plain", + "unpatterned", + "solid-colored", + "solid-coloured", + "patterned", + "banded", + "black-and-tan", + "black-barred", + "black-marked", + "blotched", + "blotchy", + "splotched", + "brindled", + "brindle", + "brinded", + "tabby", + "brown-speckled", + "brownish-speckled", + "brown-striped", + "brownish-striped", + "burled", + "checked", + "checkered", + "chequered", + "cross-banded", + "dappled", + "mottled", + "dark-spotted", + "dotted", + "flecked", + "specked", + "speckled", + "stippled", + "figured", + "floral", + "flowered", + "freckled", + "lentiginous", + "lentiginose", + "laced", + "marbled", + "marbleized", + "marbleised", + "maroon-spotted", + "moire", + "watered", + "patched", + "spotty", + "spotted", + "pointillist", + "pointillistic", + "pinstriped", + "purple-veined", + "purple-spotted", + "red-striped", + "reddish-striped", + "red-streaked", + "ringed", + "slashed", + "sprigged", + "streaked", + "streaky", + "striped", + "stripy", + "tessellated", + "tiger-striped", + "veined", + "venose", + "veinlike", + "violet-streaked", + "white-blotched", + "white-ribbed", + "white-streaked", + "yellow-banded", + "yellow-marked", + "yellow-spotted", + "yellow-striped", + "plain", + "austere", + "severe", + "stark", + "stern", + "bare", + "mere", + "simple", + "chaste", + "dry", + "dry", + "featureless", + "homely", + "inelaborate", + "unelaborate", + "literal", + "simple", + "tailored", + "trim", + "vanilla", + "fancy", + "aureate", + "florid", + "flamboyant", + "baroque", + "churrigueresque", + "churrigueresco", + "busy", + "fussy", + "dressy", + "crackle", + "damascene", + "damask", + "elaborate", + "luxuriant", + "embattled", + "battlemented", + "castled", + "castellated", + "fanciful", + "fantastic", + "lacy", + "lacelike", + "puff", + "puffed", + "rococo", + "vermicular", + "vermiculate", + "vermiculated", + "planned", + "contrived", + "deep-laid", + "preset", + "predetermined", + "put-up", + "unplanned", + "casual", + "chance", + "ad hoc", + "casual", + "unpremeditated", + "studied", + "unstudied", + "uncontrived", + "candid", + "plausible", + "arguable", + "glib", + "pat", + "slick", + "implausible", + "improbable", + "unbelievable", + "unconvincing", + "unlikely", + "pleasant", + "beautiful", + "dulcet", + "enjoyable", + "gratifying", + "pleasurable", + "grateful", + "idyllic", + "unpleasant", + "acerb", + "acerbic", + "acid", + "acrid", + "bitter", + "blistering", + "caustic", + "sulfurous", + "sulphurous", + "virulent", + "vitriolic", + "beastly", + "hellish", + "god-awful", + "dour", + "forbidding", + "grim", + "dreadful", + "embarrassing", + "mortifying", + "harsh", + "rough", + "harsh", + "hot", + "afflictive", + "painful", + "sore", + "rebarbative", + "repellent", + "repellant", + "sharp", + "sharp-worded", + "tart", + "ungrateful", + "unhappy", + "pleased", + "amused", + "diverted", + "entertained", + "bucked up", + "encouraged", + "chuffed", + "delighted", + "gratified", + "displeased", + "annoyed", + "irritated", + "miffed", + "nettled", + "peeved", + "pissed", + "pissed off", + "riled", + "roiled", + "steamed", + "stung", + "exasperated", + "cheesed off", + "browned off", + "disgusted", + "fed up", + "sick", + "sick of", + "tired of", + "frowning", + "offended", + "pained", + "pleasing", + "admirable", + "charming", + "delightful", + "delicious", + "easy", + "fabulous", + "fab", + "good", + "gratifying", + "sweet", + "ingratiating", + "sweet", + "displeasing", + "disconcerting", + "upsetting", + "exasperating", + "infuriating", + "maddening", + "vexing", + "off-putting", + "pointed", + "acanthoid", + "acanthous", + "spinous", + "acuate", + "acute", + "sharp", + "needlelike", + "barreled", + "barrelled", + "bristle-pointed", + "five-pointed", + "fusiform", + "spindle-shaped", + "cigar-shaped", + "nibbed", + "peaked", + "pyramidal", + "pyramidic", + "pyramidical", + "sharpened", + "six-pointed", + "spiked", + "spikelike", + "pointless", + "unpointed", + "blunt", + "acute", + "obtuse", + "polished", + "bright", + "burnished", + "lustrous", + "shining", + "shiny", + "finished", + "unpolished", + "raw", + "rough", + "unburnished", + "politic", + "expedient", + "sagacious", + "impolitic", + "inexpedient", + "unwise", + "political", + "governmental", + "policy-making", + "semipolitical", + "nonpolitical", + "apolitical", + "unpolitical", + "ponderable", + "assessable", + "imponderable", + "popular", + "best-selling", + "fashionable", + "favorite", + "favourite", + "hot", + "touristed", + "touristy", + "unpopular", + "less-traveled", + "pro", + "anti", + "positive", + "affirmative", + "optimistic", + "constructive", + "negative", + "antagonistic", + "counter", + "perverse", + "neutral", + "neutralized", + "neutralised", + "viewless", + "plus", + "nonnegative", + "positive", + "minus", + "negative", + "positive", + "negative", + "positive", + "confirming", + "Gram-positive", + "negative", + "disconfirming", + "Gram-negative", + "possible", + "accomplishable", + "achievable", + "doable", + "manageable", + "realizable", + "affirmable", + "assertable", + "attainable", + "come-at-able", + "contingent", + "feasible", + "executable", + "practicable", + "viable", + "workable", + "mathematical", + "impossible", + "hopeless", + "impracticable", + "infeasible", + "unfeasible", + "unworkable", + "out", + "unachievable", + "unattainable", + "undoable", + "unrealizable", + "potent", + "strong", + "stiff", + "equipotent", + "multipotent", + "impotent", + "ineffective", + "ineffectual", + "unable", + "impuissant", + "potent", + "virile", + "impotent", + "powerful", + "almighty", + "all-powerful", + "omnipotent", + "coercive", + "compelling", + "mighty", + "muscular", + "potent", + "strong", + "puissant", + "regent", + "regnant", + "reigning", + "ruling", + "powerless", + "feeble", + "nerveless", + "helpless", + "incapacitated", + "low-powered", + "weak", + "powered", + "battery-powered", + "high-powered", + "hopped-up", + "power-driven", + "steam-powered", + "supercharged", + "unpowered", + "high-tension", + "high-voltage", + "high-potential", + "low-tension", + "low-voltage", + "influential", + "authoritative", + "important", + "potent", + "powerful", + "prestigious", + "uninfluential", + "placental", + "transplacental", + "aplacental", + "planted", + "cropped", + "naturalized", + "naturalised", + "potbound", + "rootbound", + "quickset", + "seeded", + "sown", + "self-seeded", + "self-sown", + "self-sowed", + "soil-building", + "unplanted", + "uncropped", + "unseeded", + "unsown", + "plowed", + "ploughed", + "tilled", + "unplowed", + "unploughed", + "unbroken", + "fallow", + "untilled", + "cultivated", + "uncultivated", + "uncultivable", + "uncultivatable", + "potted", + "unpotted", + "practical", + "applicative", + "applicatory", + "functional", + "interoperable", + "matter-of-fact", + "pragmatic", + "pragmatical", + "operable", + "practicable", + "serviceable", + "unimaginative", + "working", + "impractical", + "crazy", + "half-baked", + "screwball", + "softheaded", + "meshugge", + "meshugga", + "meshuga", + "meshuggeneh", + "meshuggener", + "quixotic", + "romantic", + "wild-eyed", + "unfunctional", + "unwieldy", + "precise", + "dead", + "fine", + "finespun", + "hairsplitting", + "meticulous", + "punctilious", + "microscopic", + "nice", + "skillful", + "on the nose", + "on the button", + "very", + "imprecise", + "general", + "precocious", + "advanced", + "retarded", + "backward", + "half-witted", + "slow-witted", + "feebleminded", + "imbecile", + "imbecilic", + "idiotic", + "moronic", + "cretinous", + "delayed", + "dim-witted", + "simple", + "simple-minded", + "predictable", + "foreseeable", + "inevitable", + "unpredictable", + "aleatory", + "capricious", + "freakish", + "episodic", + "occasional", + "unforeseeable", + "premeditated", + "aforethought", + "planned", + "plotted", + "unpremeditated", + "impulsive", + "prepared", + "braced", + "embattled", + "equipped", + "fitted out", + "oven-ready", + "preconditioned", + "precooked", + "processed", + "ready", + "spread", + "up", + "unprepared", + "ad-lib", + "extemporaneous", + "extemporary", + "extempore", + "impromptu", + "offhand", + "offhanded", + "off-the-cuff", + "unrehearsed", + "spur-of-the-moment", + "prescription", + "nonprescription", + "over-the-counter", + "present", + "attendant", + "ever-present", + "existing", + "here", + "naturally occurring", + "omnipresent", + "ubiquitous", + "absent", + "away", + "introuvable", + "truant", + "awol", + "ostentatious", + "pretentious", + "flaunty", + "flamboyant", + "showy", + "splashy", + "unostentatious", + "unpretentious", + "unpretending", + "quiet", + "restrained", + "pretentious", + "arty", + "artsy-craftsy", + "arty-crafty", + "grandiloquent", + "overblown", + "pompous", + "pontifical", + "portentous", + "grandiose", + "hifalutin", + "highfalutin", + "highfaluting", + "hoity-toity", + "la-di-da", + "high-flown", + "high-sounding", + "inflated", + "jumped-up", + "nouveau-riche", + "parvenu", + "parvenue", + "upstart", + "sententious", + "sesquipedalian", + "unpretentious", + "honest", + "modest", + "unpompous", + "primary", + "capital", + "direct", + "firsthand", + "first-string", + "original", + "particular", + "special", + "secondary", + "alternate", + "alternative", + "substitute", + "auxiliary", + "subsidiary", + "supplemental", + "supplementary", + "collateral", + "indirect", + "secondhand", + "second-string", + "standby", + "thirdhand", + "tributary", + "utility", + "substitute", + "vicarious", + "basic", + "basal", + "base", + "elementary", + "elemental", + "primary", + "fundamental", + "rudimentary", + "underlying", + "grassroots", + "radical", + "incidental", + "incident", + "omissible", + "parenthetic", + "parenthetical", + "peripheral", + "secondary", + "private", + "clannish", + "cliquish", + "clubby", + "snobbish", + "snobby", + "cloistered", + "reclusive", + "secluded", + "sequestered", + "close", + "closed-door", + "confidential", + "secret", + "confidential", + "insular", + "nonpublic", + "offstage", + "backstage", + "one-on-one", + "privy", + "secluded", + "secret", + "semiprivate", + "tete-a-tete", + "head-to-head", + "toffee-nosed", + "public", + "in the public eye", + "national", + "open", + "semipublic", + "state-supported", + "unexclusive", + "unrestricted", + "exclusive", + "alone", + "only", + "inner", + "inside", + "inner", + "privileged", + "selective", + "white-shoe", + "inclusive", + "comprehensive", + "privileged", + "sweetheart", + "underprivileged", + "deprived", + "disadvantaged", + "underclass", + "productive", + "amentiferous", + "amentaceous", + "arable", + "cultivable", + "cultivatable", + "tillable", + "fecund", + "fertile", + "prolific", + "fur-bearing", + "nut-bearing", + "oil-bearing", + "rich", + "unproductive", + "bootless", + "fruitless", + "futile", + "sleeveless", + "vain", + "dry", + "nonproductive", + "generative", + "productive", + "consumptive", + "exploitative", + "exploitatory", + "exploitive", + "reproducible", + "consistent", + "duplicable", + "duplicatable", + "unreproducible", + "irreproducible", + "inimitable", + "unrepeatable", + "professional", + "nonrecreational", + "paid", + "professed", + "nonprofessional", + "amateur", + "recreational", + "unpaid", + "lay", + "professional", + "unprofessional", + "amateurish", + "amateur", + "inexpert", + "unskilled", + "profitable", + "bankable", + "fat", + "juicy", + "gainful", + "paid", + "paying", + "economic", + "lucrative", + "moneymaking", + "remunerative", + "unprofitable", + "dead", + "idle", + "lean", + "marginal", + "unremunerative", + "profound", + "deep", + "thoughtful", + "superficial", + "apparent", + "ostensible", + "seeming", + "dilettante", + "dilettantish", + "dilettanteish", + "sciolistic", + "facile", + "glib", + "looking", + "sounding", + "shallow", + "skin-deep", + "prognathous", + "prognathic", + "hypognathous", + "lantern-jawed", + "opisthognathous", + "chinless", + "progressive", + "advanced", + "forward-looking", + "innovative", + "modern", + "advancing", + "forward", + "forward-moving", + "modernized", + "modernised", + "state-of-the-art", + "regressive", + "atavistic", + "throwback", + "retrograde", + "retrogressive", + "returning", + "reverting", + "unmodernized", + "unmodernised", + "progressive", + "degressive", + "regressive", + "pronounceable", + "rolled", + "rolling", + "trilled", + "unpronounceable", + "proper", + "becoming", + "comely", + "comme il faut", + "decent", + "decorous", + "seemly", + "correct", + "right", + "correct", + "right", + "fitting", + "halal", + "kosher", + "priggish", + "prim", + "prissy", + "prudish", + "puritanical", + "square-toed", + "straitlaced", + "strait-laced", + "straightlaced", + "straight-laced", + "tight-laced", + "victorian", + "improper", + "indecent", + "indecorous", + "unbecoming", + "uncomely", + "unseemly", + "untoward", + "out-of-the-way", + "wrong", + "incorrect", + "prophetic", + "prophetical", + "adumbrative", + "foreshadowing", + "prefigurative", + "apocalyptic", + "apocalyptical", + "revelatory", + "clairvoyant", + "precognitive", + "second-sighted", + "Delphic", + "oracular", + "divinatory", + "mantic", + "sibylline", + "sibyllic", + "vatic", + "vatical", + "fateful", + "foreboding", + "portentous", + "precursory", + "premonitory", + "predictive", + "prognostic", + "prognosticative", + "unprophetic", + "nonprognosticative", + "unpredictive", + "prospective", + "likely", + "potential", + "future", + "retrospective", + "ex post facto", + "retroactive", + "retro", + "protected", + "bastioned", + "fortified", + "battlemented", + "burglarproof", + "covert", + "moated", + "shielded", + "snug", + "stormproof", + "weatherproof", + "unprotected", + "exposed", + "open", + "naked", + "defenseless", + "unshielded", + "protective", + "cautionary", + "prophylactic", + "contraceptive", + "prophylactic", + "antifertility", + "custodial", + "tutelary", + "tutelar", + "evasive", + "overprotective", + "preservative", + "protecting", + "restrictive", + "safety-related", + "unprotective", + "proud", + "arrogant", + "chesty", + "self-important", + "beaming", + "big", + "swelled", + "vainglorious", + "bigheaded", + "persnickety", + "snooty", + "snot-nosed", + "snotty", + "stuck-up", + "too big for one's breeches", + "uppish", + "boastful", + "braggart", + "bragging", + "braggy", + "big", + "cock-a-hoop", + "crowing", + "self-aggrandizing", + "self-aggrandising", + "dignified", + "self-respecting", + "self-respectful", + "disdainful", + "haughty", + "imperious", + "lordly", + "overbearing", + "prideful", + "sniffy", + "supercilious", + "swaggering", + "conceited", + "egotistic", + "egotistical", + "self-conceited", + "swollen", + "swollen-headed", + "vain", + "house-proud", + "overproud", + "pleased", + "proud of", + "purse-proud", + "shabby-genteel", + "humble", + "broken", + "crushed", + "humbled", + "humiliated", + "low", + "meek", + "mild", + "modest", + "proved", + "proven", + "established", + "evidenced", + "tested", + "tried", + "well-tried", + "verified", + "unproved", + "unproven", + "on trial", + "unverified", + "provident", + "careful", + "thrifty", + "farseeing", + "farsighted", + "foresighted", + "foresightful", + "prospicient", + "long", + "longsighted", + "forehanded", + "forethoughtful", + "improvident", + "short", + "shortsighted", + "unforesightful", + "myopic", + "thriftless", + "unforethoughtful", + "provocative", + "agitative", + "agitating", + "provoking", + "challenging", + "intriguing", + "charged", + "incendiary", + "incitive", + "inflammatory", + "instigative", + "rabble-rousing", + "seditious", + "rousing", + "unprovocative", + "unprovoking", + "disarming", + "noninflammatory", + "prudent", + "circumspect", + "discreet", + "judicious", + "wise", + "heady", + "provident", + "prudential", + "imprudent", + "ill-considered", + "ill-judged", + "improvident", + "shortsighted", + "injudicious", + "rash", + "punctual", + "prompt", + "timely", + "unpunctual", + "behindhand", + "belated", + "late", + "tardy", + "benighted", + "nighted", + "last-minute", + "punished", + "tarred-and-feathered", + "unpunished", + "uncorrected", + "undisciplined", + "punitive", + "punitory", + "correctional", + "penal", + "penitentiary", + "retaliatory", + "relatiative", + "retributive", + "retributory", + "vindicatory", + "rehabilitative", + "purebred", + "full-blooded", + "full-blood", + "blooded", + "pedigree", + "pedigreed", + "pureblood", + "pureblooded", + "thoroughbred", + "crossbred", + "bigeneric", + "hybrid", + "intercrossed", + "underbred", + "half-blooded", + "half-bred", + "half-breed", + "pure", + "immaculate", + "undefiled", + "white", + "impure", + "defiled", + "maculate", + "pure", + "axenic", + "clean", + "fresh", + "clean", + "clear", + "light", + "unclouded", + "fine", + "native", + "plain", + "sheer", + "unmingled", + "unmixed", + "pristine", + "sublimate", + "unadulterated", + "unalloyed", + "uncontaminated", + "unpolluted", + "virginal", + "impure", + "technical-grade", + "technical grade", + "adulterate", + "adulterated", + "debased", + "alloyed", + "bastardized", + "bastardised", + "contaminated", + "polluted", + "dirty", + "dingy", + "muddied", + "muddy", + "unpurified", + "contaminated", + "mercury-contaminated", + "uncontaminated", + "purposeful", + "businesslike", + "earnest", + "goal-directed", + "purposive", + "purpose-built", + "purpose-made", + "purposeless", + "adrift", + "afloat", + "aimless", + "directionless", + "planless", + "rudderless", + "undirected", + "desultory", + "qualified", + "well-qualified", + "unqualified", + "quack", + "trained", + "disciplined", + "drilled", + "housebroken", + "house-trained", + "potty-trained", + "pot-trained", + "toilet-trained", + "untrained", + "primitive", + "naive", + "undisciplined", + "qualified", + "conditional", + "hedged", + "weasel-worded", + "limited", + "modified", + "unqualified", + "categoric", + "categorical", + "flat", + "unconditional", + "clean", + "clear", + "cool", + "outright", + "straight-out", + "unlimited", + "qualitative", + "soft", + "quantitative", + "decimal", + "denary", + "duodecimal", + "numeric", + "numerical", + "quantifiable", + "three-figure", + "valued", + "vicenary", + "questionable", + "alleged", + "so-called", + "supposed", + "apocryphal", + "debatable", + "problematic", + "problematical", + "doubtful", + "dubious", + "dubitable", + "in question", + "equivocal", + "fishy", + "funny", + "shady", + "suspect", + "suspicious", + "impugnable", + "self-styled", + "soi-disant", + "unquestionable", + "acknowledged", + "beyond doubt", + "indubitable", + "for sure", + "mathematical", + "unimpeachable", + "quiet", + "noiseless", + "silent", + "soundless", + "still", + "stilly", + "tiptoe", + "noisy", + "blatant", + "clamant", + "clamorous", + "strident", + "vociferous", + "abuzz", + "buzzing", + "clangorous", + "clanging", + "clanking", + "clattery", + "creaky", + "screaky", + "rackety", + "rip-roaring", + "uproarious", + "reedy", + "wheezy", + "stertorous", + "swishy", + "thundering", + "whirring", + "restful", + "reposeful", + "relaxing", + "slumberous", + "slumbrous", + "restless", + "uneasy", + "quiet", + "quiescent", + "untroubled", + "unquiet", + "disruptive", + "riotous", + "troubled", + "tumultuous", + "turbulent", + "squally", + "squalling", + "random", + "ergodic", + "haphazard", + "hit-or-miss", + "stochastic", + "nonrandom", + "purposive", + "rational", + "coherent", + "logical", + "lucid", + "demythologized", + "demythologised", + "intelligent", + "reasoning", + "thinking", + "reasonable", + "sane", + "irrational", + "blind", + "unreasoning", + "reasonless", + "nonrational", + "superstitious", + "emotional", + "cerebral", + "intellectual", + "racial", + "biracial", + "interracial", + "multiracial", + "racist", + "nonracial", + "reactive", + "activated", + "excited", + "labile", + "oxidizable", + "thermolabile", + "unstable", + "unreactive", + "inactive", + "inert", + "indifferent", + "neutral", + "noble", + "stable", + "ready", + "at the ready", + "fit", + "primed", + "set", + "in order", + "prompt", + "ripe", + "waiting", + "ready and waiting", + "unready", + "flat-footed", + "napping", + "off-guard", + "off guard", + "off one's guard", + "off his guard", + "off her guard", + "off your guard", + "unripe", + "real", + "existent", + "actual", + "actual", + "factual", + "objective", + "documentary", + "historical", + "unreal", + "dreamed", + "envisioned", + "pictured", + "visualized", + "visualised", + "eye-deceiving", + "trompe-l'oeil", + "fabled", + "legendary", + "fabricated", + "fancied", + "fictional", + "fictitious", + "fabulous", + "mythic", + "mythical", + "mythologic", + "mythological", + "fanciful", + "imaginary", + "notional", + "fantastic", + "fantastical", + "hallucinatory", + "illusional", + "illusionary", + "illusive", + "illusory", + "make-believe", + "pretend", + "real", + "proper", + "true", + "unreal", + "deceptive", + "delusory", + "dreamlike", + "surreal", + "phantom", + "real", + "nominal", + "realistic", + "down-to-earth", + "earthy", + "hardheaded", + "hard-nosed", + "practical", + "pragmatic", + "graphic", + "lifelike", + "pictorial", + "vivid", + "living", + "true-to-life", + "true to life", + "veridical", + "real", + "virtual", + "practical", + "unrealistic", + "chimerical", + "delusive", + "false", + "fantastic", + "wild", + "kafkaesque", + "phantasmagoric", + "phantasmagorical", + "surreal", + "surrealistic", + "reasonable", + "sensible", + "commonsense", + "commonsensible", + "commonsensical", + "healthy", + "intelligent", + "levelheaded", + "level-headed", + "sound", + "tenable", + "well-founded", + "unreasonable", + "counterintuitive", + "indefensible", + "untenable", + "mindless", + "reasonless", + "senseless", + "undue", + "unjustified", + "unwarranted", + "reciprocal", + "mutual", + "bilateral", + "trilateral", + "correlative", + "interactional", + "interactive", + "reciprocative", + "reciprocatory", + "reciprocative", + "reciprocatory", + "nonreciprocal", + "nonreciprocating", + "unanswered", + "unreciprocated", + "unrequited", + "refined", + "civilized", + "civilised", + "cultivated", + "cultured", + "genteel", + "polite", + "couth", + "dainty", + "mincing", + "niminy-piminy", + "prim", + "twee", + "debonair", + "debonaire", + "debonnaire", + "suave", + "finespun", + "delicate", + "gentlemanlike", + "gentlemanly", + "ladylike", + "patrician", + "overrefined", + "superfine", + "well-bred", + "well-mannered", + "unrefined", + "agrestic", + "artless", + "uncultivated", + "uncultured", + "boorish", + "loutish", + "neanderthal", + "neandertal", + "oafish", + "swinish", + "coarse", + "common", + "rough-cut", + "uncouth", + "vulgar", + "crass", + "ill-bred", + "bounderish", + "lowbred", + "rude", + "underbred", + "yokelish", + "low", + "robust", + "rough", + "rough-spoken", + "ungentlemanly", + "ungentlemanlike", + "unladylike", + "processed", + "cured", + "vulcanized", + "vulcanised", + "milled", + "polished", + "semi-processed", + "unprocessed", + "natural", + "raw", + "rude", + "streaming", + "unvulcanized", + "unvulcanised", + "refined", + "processed", + "unrefined", + "unprocessed", + "crude", + "treated", + "activated", + "aerated", + "burned", + "burnt", + "doped", + "fumed", + "proofed", + "untreated", + "raw", + "oiled", + "unoiled", + "treated", + "bandaged", + "bound", + "dosed", + "dressed", + "untreated", + "recoverable", + "redeemable", + "retrievable", + "unrecoverable", + "irrecoverable", + "irretrievable", + "unretrievable", + "lost", + "regenerate", + "born-again", + "converted", + "reborn", + "reformed", + "unregenerate", + "unregenerated", + "cussed", + "obdurate", + "obstinate", + "unrepentant", + "impenitent", + "unconverted", + "unpersuaded", + "registered", + "certified", + "qualified", + "recorded", + "unregistered", + "unlisted", + "registered", + "unregistered", + "regular", + "first-string", + "lawful", + "rule-governed", + "official", + "prescribed", + "standard", + "stock", + "timed", + "uniform", + "weak", + "well-ordered", + "irregular", + "asymmetrical", + "crooked", + "casual", + "occasional", + "improper", + "unconventional", + "unlawful", + "randomized", + "randomised", + "strong", + "regular", + "irregular", + "regulated", + "unregulated", + "remediable", + "irremediable", + "renewable", + "unrenewable", + "nonrenewable", + "rentable", + "unrentable", + "reparable", + "rectifiable", + "maintainable", + "irreparable", + "repeatable", + "quotable", + "unrepeatable", + "unquotable", + "repetitive", + "repetitious", + "iterative", + "reiterative", + "nonrepetitive", + "printable", + "unprintable", + "requested", + "unrequested", + "unasked", + "unsolicited", + "rhymed", + "rhyming", + "riming", + "alliterative", + "assonant", + "end-rhymed", + "unrhymed", + "unrimed", + "rhymeless", + "rimeless", + "uniform", + "unvarying", + "single", + "multiform", + "polymorphic", + "polymorphous", + "periodic", + "periodical", + "cyclic", + "oscillatory", + "oscillating", + "diurnal", + "daily", + "day-to-day", + "day-by-day", + "day-after-day", + "nightly", + "weekly", + "hebdomadal", + "hebdomadary", + "semiweekly", + "biweekly", + "hourly", + "half-hourly", + "fortnightly", + "biweekly", + "annual", + "yearly", + "semiannual", + "biannual", + "biyearly", + "half-yearly", + "biennial", + "biyearly", + "triennial", + "monthly", + "bimonthly", + "bimestrial", + "semimonthly", + "bimonthly", + "semestral", + "semestrial", + "midweekly", + "aperiodic", + "nonperiodic", + "noncyclic", + "nonoscillatory", + "regular", + "standing", + "irregular", + "related", + "affinal", + "affine", + "agnate", + "agnatic", + "paternal", + "akin", + "blood-related", + "cognate", + "consanguine", + "consanguineous", + "consanguineal", + "kin", + "allied", + "descendant", + "descendent", + "enate", + "enatic", + "maternal", + "kindred", + "unrelated", + "unconnected", + "related", + "related to", + "affiliated", + "attached", + "connected", + "age-related", + "bound up", + "cognate", + "connate", + "cognate", + "coreferent", + "correlative", + "correlate", + "correlated", + "corresponding", + "side by side", + "unrelated", + "misrelated", + "orthogonal", + "uncorrelated", + "relevant", + "applicable", + "germane", + "pertinent", + "irrelevant", + "digressive", + "tangential", + "extraneous", + "immaterial", + "impertinent", + "orthogonal", + "inapplicable", + "unsuitable", + "moot", + "mindful", + "aware", + "careful", + "heedful", + "evocative", + "redolent", + "remindful", + "reminiscent", + "resonant", + "unmindful", + "forgetful", + "mindless", + "amnesic", + "amnesiac", + "replaceable", + "exchangeable", + "interchangeable", + "similar", + "standardized", + "standardised", + "irreplaceable", + "unreplaceable", + "representational", + "delineative", + "depictive", + "eidetic", + "figural", + "figurative", + "mimetic", + "naturalistic", + "realistic", + "nonrepresentational", + "abstract", + "abstractionist", + "nonfigurative", + "nonobjective", + "conventional", + "formal", + "schematic", + "geometric", + "geometrical", + "hieratic", + "protogeometric", + "semiabstract", + "representative", + "allegorical", + "allegoric", + "emblematic", + "emblematical", + "symbolic", + "symbolical", + "nonrepresentative", + "unsymbolic", + "reputable", + "esteemed", + "honored", + "prestigious", + "estimable", + "good", + "honorable", + "respectable", + "redoubtable", + "respected", + "well-thought-of", + "time-honored", + "time-honoured", + "disreputable", + "discreditable", + "discredited", + "damaged", + "ill-famed", + "infamous", + "notorious", + "louche", + "shady", + "seamy", + "seedy", + "sleazy", + "sordid", + "squalid", + "receptive", + "open", + "acceptive", + "acceptant", + "admissive", + "assimilative", + "hospitable", + "unreceptive", + "closed", + "unsympathetic", + "reconcilable", + "harmonizable", + "resolvable", + "irreconcilable", + "unreconcilable", + "hostile", + "inconsistent", + "reserved", + "aloof", + "distant", + "upstage", + "diffident", + "indrawn", + "withdrawn", + "unreserved", + "reserved", + "booked", + "engaged", + "set-aside", + "bookable", + "unreserved", + "first-come-first-serve", + "rush", + "unbooked", + "resistible", + "irresistible", + "resistless", + "overpowering", + "overwhelming", + "resolute", + "bent", + "bent on", + "dead set", + "out to", + "determined", + "desperate", + "do-or-die", + "firm", + "steadfast", + "steady", + "stiff", + "unbendable", + "unfaltering", + "unshakable", + "unwavering", + "foursquare", + "hell-bent", + "single-minded", + "resolved", + "spartan", + "stalwart", + "stout", + "undaunted", + "undismayed", + "unshaken", + "undeterred", + "undiscouraged", + "irresolute", + "discouraged", + "infirm", + "unstable", + "vacillant", + "vacillating", + "wavering", + "weak-kneed", + "respectable", + "decent", + "nice", + "presentable", + "upstanding", + "solid", + "unrespectable", + "respectful", + "deferent", + "deferential", + "regardful", + "honorific", + "disrespectful", + "annihilating", + "devastating", + "withering", + "contemptuous", + "disdainful", + "insulting", + "scornful", + "contumelious", + "derisive", + "gibelike", + "jeering", + "mocking", + "taunting", + "impious", + "undutiful", + "impudent", + "insolent", + "snotty-nosed", + "flip", + "undeferential", + "responsible", + "accountable", + "answerable", + "amenable", + "liable", + "trustworthy", + "irresponsible", + "carefree", + "devil-may-care", + "freewheeling", + "happy-go-lucky", + "harum-scarum", + "slaphappy", + "do-nothing", + "feckless", + "idle", + "loose", + "trigger-happy", + "unaccountable", + "unreliable", + "responsive", + "answering", + "respondent", + "unresponsive", + "refractory", + "restrained", + "close", + "low-key", + "low-keyed", + "subdued", + "unexpansive", + "unrestrained", + "excessive", + "extravagant", + "exuberant", + "overweening", + "freewheeling", + "highflying", + "unbridled", + "unchecked", + "uncurbed", + "ungoverned", + "unbuttoned", + "unlaced", + "unhampered", + "unhindered", + "restricted", + "circumscribed", + "limited", + "closed", + "off-limits", + "out-of-bounds", + "unrestricted", + "all-weather", + "discretionary", + "open", + "open-plan", + "open-ended", + "restrictive", + "confining", + "constraining", + "constrictive", + "limiting", + "restricting", + "inhibitory", + "repressive", + "repressing", + "limiting", + "regulative", + "regulatory", + "sumptuary", + "suppressive", + "unrestrictive", + "emancipative", + "nonrestrictive", + "retentive", + "recollective", + "long", + "tenacious", + "unretentive", + "forgetful", + "short", + "reticulate", + "reticular", + "cancellate", + "cancellated", + "clathrate", + "crisscross", + "crisscrossed", + "fretted", + "interlaced", + "latticed", + "latticelike", + "interconnected", + "interrelated", + "lacy", + "netlike", + "netted", + "webbed", + "weblike", + "webby", + "meshed", + "networklike", + "nonreticulate", + "retractile", + "retractable", + "nonretractile", + "nonretractable", + "reflective", + "mirrorlike", + "specular", + "reflecting", + "nonreflective", + "nonreflecting", + "echoless", + "reflected", + "echoic", + "echolike", + "mirrored", + "unreflected", + "absorbed", + "reverberant", + "bright", + "brilliant", + "clinking", + "echoing", + "reechoing", + "hollow", + "jingling", + "jingly", + "live", + "resonant", + "resonating", + "resounding", + "reverberating", + "reverberative", + "tinkling", + "tinkly", + "vibrant", + "unreverberant", + "nonresonant", + "anechoic", + "dead", + "dull", + "thudding", + "reverent", + "adoring", + "worshipful", + "awed", + "awful", + "respectful", + "reverential", + "venerating", + "irreverent", + "blasphemous", + "profane", + "sacrilegious", + "aweless", + "awless", + "disrespectful", + "revived", + "recrudescent", + "redux", + "renewed", + "resurgent", + "renascent", + "resuscitated", + "revitalized", + "revitalised", + "unrevived", + "unrenewed", + "awakened", + "aroused", + "unawakened", + "awed", + "awestruck", + "awestricken", + "overawed", + "unawed", + "aweless", + "awless", + "revolutionary", + "counterrevolutionary", + "rewarding", + "bountied", + "rewardful", + "unrewarding", + "thankless", + "unappreciated", + "ungratifying", + "profitless", + "rhetorical", + "bombastic", + "declamatory", + "large", + "orotund", + "tumid", + "turgid", + "flowery", + "ornate", + "empurpled", + "over-embellished", + "purple", + "forensic", + "grandiloquent", + "magniloquent", + "tall", + "oratorical", + "poetic", + "poetical", + "stylistic", + "unrhetorical", + "matter-of-fact", + "prosaic", + "plainspoken", + "rhythmical", + "rhythmic", + "Adonic", + "cadenced", + "cadent", + "danceable", + "jazzy", + "lilting", + "swinging", + "swingy", + "tripping", + "measured", + "metrical", + "metric", + "Sapphic", + "chantlike", + "intoned", + "singsong", + "syncopated", + "throbbing", + "unrhythmical", + "unrhythmic", + "arrhythmic", + "arrhythmical", + "nonrhythmic", + "unmeasured", + "ribbed", + "costate", + "riblike", + "ribless", + "rich", + "affluent", + "flush", + "loaded", + "moneyed", + "wealthy", + "comfortable", + "easy", + "prosperous", + "well-fixed", + "well-heeled", + "well-off", + "well-situated", + "well-to-do", + "poor", + "broke", + "bust", + "skint", + "stone-broke", + "stony-broke", + "destitute", + "impoverished", + "indigent", + "necessitous", + "needy", + "poverty-stricken", + "hard up", + "impecunious", + "in straitened circumstances", + "penniless", + "penurious", + "pinched", + "moneyless", + "unprovided for", + "rich", + "poor", + "resourceless", + "rich", + "deluxe", + "gilded", + "grand", + "luxurious", + "opulent", + "princely", + "sumptuous", + "lavish", + "lucullan", + "lush", + "plush", + "plushy", + "poor", + "beggarly", + "mean", + "slummy", + "moneyed", + "monied", + "moneyless", + "solvent", + "insolvent", + "bankrupt", + "belly-up", + "rich", + "lean", + "rimmed", + "horn-rimmed", + "red-rimmed", + "rimless", + "handed", + "one-handed", + "two-handed", + "bimanual", + "handless", + "handled", + "handleless", + "right-handed", + "dextral", + "right", + "right-hand", + "left-handed", + "left", + "left-hand", + "sinistral", + "ambidextrous", + "two-handed", + "equipoised", + "right", + "conservative", + "oldline", + "old-line", + "reactionary", + "reactionist", + "far-right", + "rightish", + "rightist", + "right-wing", + "left", + "far left", + "leftish", + "leftist", + "left-of-center", + "left-wing", + "liberal", + "center", + "centrist", + "middle-of-the-road", + "right", + "far", + "rightmost", + "right-hand", + "starboard", + "left", + "left-hand", + "leftmost", + "near", + "nigh", + "port", + "larboard", + "horned", + "antlered", + "antler-like", + "bicorn", + "bicorned", + "bicornate", + "bicornuate", + "bicornuous", + "hollow-horned", + "horny", + "hornless", + "right", + "ethical", + "honorable", + "honourable", + "wrong", + "condemnable", + "criminal", + "deplorable", + "reprehensible", + "vicious", + "base", + "immoral", + "misguided", + "mistaken", + "righteous", + "good", + "just", + "upright", + "sound", + "unrighteous", + "sinful", + "unholy", + "wicked", + "robust", + "beefy", + "burly", + "husky", + "strapping", + "buirdly", + "big-boned", + "big-chested", + "chesty", + "big-shouldered", + "broad-shouldered", + "square-shouldered", + "cast-iron", + "iron", + "hardy", + "stalwart", + "stout", + "sturdy", + "hardy", + "half-hardy", + "heavy-armed", + "square-built", + "vigorous", + "frail", + "decrepit", + "debile", + "feeble", + "infirm", + "rickety", + "sapless", + "weak", + "weakly", + "light-boned", + "round", + "circular", + "apple-shaped", + "ball-shaped", + "global", + "globose", + "globular", + "orbicular", + "spheric", + "spherical", + "barrel-shaped", + "bulblike", + "bulbous", + "bulb-shaped", + "capitate", + "coccoid", + "cumuliform", + "discoid", + "discoidal", + "disklike", + "disclike", + "disk-shaped", + "disc-shaped", + "goblet-shaped", + "moonlike", + "moon-round", + "nutlike", + "pancake-like", + "pear-shaped", + "pinwheel-shaped", + "ringlike", + "roundish", + "wheel-like", + "square", + "quadrate", + "right-angled", + "squared", + "squarish", + "rounded", + "allantoid", + "sausage-shaped", + "almond-shaped", + "amygdaliform", + "amygdaloid", + "amygdaloidal", + "annular", + "annulate", + "annulated", + "circinate", + "ringed", + "ring-shaped", + "doughnut-shaped", + "aspheric", + "aspherical", + "auriform", + "ear-shaped", + "ear-like", + "bean-shaped", + "bowfront", + "crescent", + "crescent-shaped", + "semilunar", + "lunate", + "cycloid", + "cycloidal", + "cylindrical", + "cylindric", + "disciform", + "domed", + "vaulted", + "dome-shaped", + "egg-shaped", + "elliptic", + "elliptical", + "oval", + "oval-shaped", + "ovate", + "oviform", + "ovoid", + "prolate", + "ellipsoid", + "ellipsoidal", + "spheroidal", + "hyperboloidal", + "lingulate", + "tongue-shaped", + "olivelike", + "olive-like", + "parabolic", + "parabolical", + "paraboloidal", + "pillar-shaped", + "pineal", + "plumlike", + "rod-shaped", + "rodlike", + "rotund", + "terete", + "umbrellalike", + "angular", + "angulate", + "angled", + "asteroid", + "star-shaped", + "bicuspid", + "bicuspidate", + "cuspate", + "cuspated", + "cusped", + "cuspidal", + "cuspidate", + "cuspidated", + "equiangular", + "isogonic", + "rectangular", + "sharp-cornered", + "sharp-angled", + "square-shaped", + "three-cornered", + "triangular", + "tricuspid", + "tricuspidate", + "unicuspid", + "oblate", + "pumpkin-shaped", + "prolate", + "watermelon-shaped", + "cucumber-shaped", + "rural", + "agrarian", + "agricultural", + "farming", + "agrestic", + "rustic", + "arcadian", + "bucolic", + "pastoral", + "campestral", + "countrified", + "countryfied", + "rustic", + "country-bred", + "country-style", + "cracker-barrel", + "folksy", + "homespun", + "hobnailed", + "urban", + "citified", + "cityfied", + "city-bred", + "city-born", + "city-like", + "urbanized", + "urbanised", + "rusted", + "rusty", + "rustless", + "rust-free", + "rustproof", + "rustproofed", + "rust-resistant", + "undercoated", + "undersealed", + "holy", + "beatified", + "blessed", + "Blessed", + "consecrated", + "sacred", + "sanctified", + "hallowed", + "sacred", + "unholy", + "unhallowed", + "profane", + "unconsecrated", + "unsanctified", + "sacred", + "divine", + "ineffable", + "unnameable", + "unspeakable", + "unutterable", + "inspirational", + "inviolable", + "inviolate", + "sacrosanct", + "numinous", + "quasi-religious", + "religious", + "spiritual", + "reverend", + "sublime", + "sacral", + "taboo", + "tabu", + "profane", + "secular", + "laic", + "lay", + "secular", + "profanatory", + "sadistic", + "masochistic", + "safe", + "fail-safe", + "off the hook", + "risk-free", + "riskless", + "unhazardous", + "safe and sound", + "unhurt", + "dangerous", + "unsafe", + "breakneck", + "chancy", + "chanceful", + "dicey", + "dodgy", + "desperate", + "hazardous", + "risky", + "wild", + "insidious", + "mordacious", + "on the hook", + "parlous", + "perilous", + "precarious", + "touch-and-go", + "self-destructive", + "suicidal", + "treacherous", + "unreliable", + "safe", + "out", + "down", + "salable", + "saleable", + "marketable", + "marketable", + "merchantable", + "sellable", + "vendable", + "vendible", + "unsalable", + "unsaleable", + "unmarketable", + "unmarketable", + "unmerchantable", + "unvendible", + "same", + "assonant", + "comparable", + "corresponding", + "like", + "cookie-cutter", + "duplicate", + "homophonic", + "identical", + "indistinguishable", + "one", + "synoptic", + "synoptical", + "different", + "antithetic", + "antithetical", + "assorted", + "various", + "contrary", + "contrasting", + "contrastive", + "diametric", + "diametrical", + "opposite", + "polar", + "divergent", + "disparate", + "distinct", + "distinguishable", + "diverse", + "various", + "divers", + "diverse", + "opposite", + "several", + "variant", + "same", + "aforesaid", + "aforementioned", + "said", + "identical", + "selfsame", + "very", + "other", + "different", + "another", + "some other", + "different", + "new", + "opposite", + "opposite", + "opposite", + "otherwise", + "similar", + "akin", + "kindred", + "analogous", + "correspondent", + "confusable", + "mistakable", + "connatural", + "corresponding", + "quasi", + "sympathetic", + "dissimilar", + "sane", + "compos mentis", + "of sound mind", + "in his right mind", + "in her right mind", + "in their right minds", + "lucid", + "insane", + "amuck", + "amok", + "berserk", + "demoniac", + "demoniacal", + "possessed", + "balmy", + "barmy", + "bats", + "batty", + "bonkers", + "buggy", + "cracked", + "crackers", + "daft", + "dotty", + "fruity", + "haywire", + "kooky", + "kookie", + "loco", + "loony", + "loopy", + "nuts", + "nutty", + "round the bend", + "around the bend", + "wacky", + "whacky", + "brainsick", + "crazy", + "demented", + "disturbed", + "mad", + "sick", + "unbalanced", + "unhinged", + "certifiable", + "certified", + "crackbrained", + "idiotic", + "crazed", + "deranged", + "half-crazed", + "fey", + "touched", + "hebephrenic", + "lunatic", + "moonstruck", + "maniacal", + "maniac", + "manic-depressive", + "maniclike", + "mentally ill", + "unsound", + "unstable", + "non compos mentis", + "of unsound mind", + "paranoid", + "psychopathic", + "psychopathologic", + "psychopathological", + "psychotic", + "raving mad", + "wild", + "schizophrenic", + "screw-loose", + "screwy", + "satiate", + "satiated", + "jaded", + "satiable", + "satisfiable", + "insatiate", + "insatiable", + "unsatiable", + "quenchless", + "unquenchable", + "unsated", + "unsatiated", + "unsatisfied", + "unsatisfiable", + "sarcastic", + "barbed", + "biting", + "nipping", + "pungent", + "mordacious", + "black", + "grim", + "mordant", + "corrosive", + "sardonic", + "satirical", + "satiric", + "saturnine", + "unsarcastic", + "satisfactory", + "adequate", + "passable", + "fair to middling", + "tolerable", + "all right", + "fine", + "o.k.", + "ok", + "okay", + "hunky-dory", + "alright", + "comforting", + "cheering", + "satisfying", + "copacetic", + "copasetic", + "copesetic", + "copesettic", + "passing", + "right", + "unsatisfactory", + "disappointing", + "dissatisfactory", + "unsatisfying", + "failing", + "off", + "unacceptable", + "scalable", + "ascendable", + "ascendible", + "climbable", + "unscalable", + "unclimbable", + "scholarly", + "academic", + "donnish", + "pedantic", + "bookish", + "studious", + "erudite", + "learned", + "unscholarly", + "unlearned", + "unstudious", + "scientific", + "technological", + "unscientific", + "pseudoscientific", + "scrupulous", + "religious", + "unscrupulous", + "conscientious", + "unconscientious", + "conscienceless", + "unconscionable", + "sealed", + "unopened", + "unsealed", + "open", + "opened", + "sealed", + "certain", + "unsealed", + "uncertain", + "wrapped", + "unwrapped", + "seaworthy", + "unseaworthy", + "airworthy", + "unairworthy", + "concealed", + "bushwhacking", + "dark", + "furtive", + "sneak", + "sneaky", + "stealthy", + "surreptitious", + "hidden", + "obscure", + "hidden", + "secret", + "incognito", + "lying in wait", + "sealed", + "secret", + "sneaking", + "unavowed", + "unconcealed", + "blatant", + "blazing", + "conspicuous", + "exhibitionistic", + "concealing", + "revealing", + "indicative", + "indicatory", + "revelatory", + "significative", + "suggestive", + "sectarian", + "denominational", + "narrow-minded", + "nonsectarian", + "unsectarian", + "ecumenic", + "oecumenic", + "ecumenical", + "oecumenical", + "interchurch", + "interdenominational", + "nondenominational", + "undenominational", + "secure", + "unafraid", + "untroubled", + "insecure", + "overanxious", + "unassured", + "secure", + "assured", + "firm", + "fail-safe", + "sure", + "insecure", + "unsafe", + "precarious", + "shaky", + "unguaranteed", + "unsecured", + "secure", + "steady", + "tight", + "insecure", + "fastened", + "pegged-down", + "unfastened", + "unbarred", + "unbolted", + "unlatched", + "unlocked", + "unsecured", + "undone", + "insured", + "insurable", + "uninsured", + "uninsurable", + "seductive", + "alluring", + "beguiling", + "enticing", + "tempting", + "corrupting", + "insidious", + "teasing", + "unseductive", + "uninviting", + "untempting", + "selfish", + "egotistic", + "egotistical", + "narcissistic", + "self-loving", + "self-serving", + "self-seeking", + "unselfish", + "public-spirited", + "self-denying", + "self-giving", + "self-sacrificing", + "self-forgetful", + "sharing", + "senior", + "elder", + "older", + "sr.", + "major", + "precedential", + "ranking", + "superior", + "higher-ranking", + "junior", + "junior-grade", + "lower-ranking", + "lowly", + "petty", + "secondary", + "subaltern", + "minor", + "younger", + "jr.", + "sensational", + "lurid", + "shocking", + "scandalmongering", + "sensationalistic", + "yellow", + "screaming", + "unsensational", + "sensible", + "sensitive", + "insensible", + "anesthetic", + "anaesthetic", + "asleep", + "benumbed", + "numb", + "sensitive", + "delicate", + "erogenous", + "excitable", + "irritable", + "highly sensitive", + "irritable", + "light-sensitive", + "photosensitive", + "radiosensitive", + "nociceptive", + "reactive", + "responsive", + "insensitive", + "dead", + "deadened", + "unreactive", + "sensitive", + "alive", + "huffy", + "thin-skinned", + "feisty", + "touchy", + "oversensitive", + "insensitive", + "callous", + "indurate", + "pachydermatous", + "dead", + "numb", + "dull", + "insensible", + "unaffected", + "soulless", + "thick-skinned", + "tough-skinned", + "sensitizing", + "sensitising", + "desensitizing", + "desensitising", + "numbing", + "sensory", + "sensorial", + "extrasensory", + "paranormal", + "clairvoyant", + "telegnostic", + "telepathic", + "sent", + "unsent", + "separate", + "apart", + "asunder", + "detached", + "isolated", + "separated", + "set-apart", + "discrete", + "distinct", + "disjoint", + "disjunct", + "isolated", + "isolable", + "unaccompanied", + "joint", + "clannish", + "concerted", + "conjunct", + "conjunctive", + "cooperative", + "conjoined", + "conjoint", + "corporate", + "collective", + "cosignatory", + "sanitary", + "healthful", + "hygienic", + "hygienical", + "unsanitary", + "insanitary", + "unhealthful", + "unhygienic", + "septic", + "infected", + "abscessed", + "dirty", + "pestiferous", + "contaminative", + "purulent", + "pussy", + "infectious", + "infective", + "putrefactive", + "putrefacient", + "septicemic", + "antiseptic", + "aseptic", + "sterile", + "bactericidal", + "disinfectant", + "germicidal", + "cleansing", + "purifying", + "nonpurulent", + "uninfected", + "clean", + "germfree", + "axenic", + "germy", + "unsterilized", + "unsterilised", + "adulterating", + "adulterant", + "extraneous", + "foreign", + "purifying", + "ablutionary", + "cleansing", + "antiseptic", + "detergent", + "detersive", + "serious", + "earnest", + "sincere", + "solemn", + "grave", + "sedate", + "sober", + "solemn", + "overserious", + "real", + "thoughtful", + "serious-minded", + "sobering", + "solid", + "frivolous", + "airheaded", + "dizzy", + "empty-headed", + "featherbrained", + "giddy", + "light-headed", + "lightheaded", + "silly", + "flighty", + "flyaway", + "head-in-the-clouds", + "scatterbrained", + "flippant", + "light-minded", + "idle", + "light", + "light", + "trivial", + "playful", + "coltish", + "frolicsome", + "frolicky", + "rollicking", + "sportive", + "devilish", + "rascally", + "roguish", + "elfin", + "elfish", + "elvish", + "arch", + "impish", + "implike", + "mischievous", + "pixilated", + "prankish", + "puckish", + "wicked", + "kittenish", + "frisky", + "mocking", + "teasing", + "quizzical", + "unplayful", + "serious", + "sober", + "selected", + "elect", + "elite", + "unselected", + "serviceable", + "durable", + "long-wearing", + "functional", + "usable", + "useable", + "operable", + "operational", + "unserviceable", + "broken-down", + "burned-out", + "burnt-out", + "inoperable", + "unrepaired", + "resident", + "nonresident", + "settled", + "based", + "built-up", + "located", + "placed", + "set", + "situated", + "nonnomadic", + "relocated", + "resettled", + "unsettled", + "aimless", + "drifting", + "floating", + "vagabond", + "vagrant", + "erratic", + "planetary", + "wandering", + "homeless", + "stateless", + "migrant", + "migratory", + "mobile", + "nomadic", + "peregrine", + "roving", + "wandering", + "peripatetic", + "wayfaring", + "itinerant", + "rootless", + "vagabond", + "unlocated", + "migratory", + "nonmigratory", + "resident", + "settled", + "accomplished", + "effected", + "established", + "appointed", + "decreed", + "ordained", + "prescribed", + "determined", + "dictated", + "set", + "deterministic", + "firm", + "preconcerted", + "unsettled", + "doubtful", + "tentative", + "open", + "undecided", + "undetermined", + "unresolved", + "sexy", + "aroused", + "horny", + "randy", + "ruttish", + "steamy", + "turned on", + "autoerotic", + "coquettish", + "flirtatious", + "erotic", + "titillating", + "blue", + "gamy", + "gamey", + "juicy", + "naughty", + "racy", + "risque", + "spicy", + "hot", + "intimate", + "sexual", + "juicy", + "luscious", + "red-hot", + "toothsome", + "voluptuous", + "lascivious", + "lewd", + "libidinous", + "lustful", + "lecherous", + "leering", + "lubricious", + "lustful", + "prurient", + "salacious", + "orgiastic", + "oversexed", + "highly-sexed", + "pornographic", + "adult", + "provocative", + "raunchy", + "sexed", + "sex-starved", + "unsexy", + "sexless", + "sexless", + "undersexed", + "sexual", + "intersexual", + "sexed", + "unisexual", + "asexual", + "nonsexual", + "agamic", + "agamous", + "agamogenetic", + "apomictic", + "parthenogenetic", + "fissiparous", + "neuter", + "sexless", + "vegetal", + "vegetative", + "castrated", + "unsexed", + "altered", + "neutered", + "cut", + "emasculated", + "gelded", + "spayed", + "uncastrated", + "entire", + "intact", + "aphrodisiac", + "aphrodisiacal", + "sexy", + "anaphrodisiac", + "estrous", + "monestrous", + "monoestrous", + "polyestrous", + "polyoestrous", + "anestrous", + "diestrous", + "dioestrous", + "diestrual", + "dioestrual", + "shapely", + "bosomy", + "busty", + "buxom", + "curvaceous", + "curvy", + "full-bosomed", + "sonsie", + "sonsy", + "stacked", + "voluptuous", + "well-endowed", + "callipygian", + "callipygous", + "clean-limbed", + "full-fashioned", + "fully fashioned", + "Junoesque", + "statuesque", + "modeled", + "sculptural", + "sculptured", + "sculpturesque", + "retrousse", + "tip-tilted", + "upturned", + "well-proportioned", + "well-turned", + "unshapely", + "acromegalic", + "chunky", + "lumpy", + "clubfooted", + "taliped", + "deformed", + "distorted", + "ill-shapen", + "malformed", + "misshapen", + "ill-proportioned", + "knobby", + "knobbly", + "nodular", + "nodulated", + "noduled", + "nodulose", + "pigeon-breasted", + "chicken-breasted", + "shapeless", + "torulose", + "breasted", + "bosomed", + "breastless", + "formed", + "ductile", + "malleable", + "pliable", + "pliant", + "tensile", + "tractile", + "acorn-shaped", + "awl-shaped", + "bacillar", + "bacillary", + "bacilliform", + "baculiform", + "rod-shaped", + "bag-shaped", + "bar-shaped", + "basket-shaped", + "belt-shaped", + "biform", + "boot-shaped", + "bottle-shaped", + "botuliform", + "butterfly-shaped", + "button-shaped", + "catenulate", + "chainlike", + "claw-shaped", + "club-shaped", + "club-shaped", + "cowl-shaped", + "cross-shaped", + "die-cast", + "drum-shaped", + "drum-like", + "eel-shaped", + "fan-shaped", + "fig-shaped", + "foot-shaped", + "football-shaped", + "funnel-shaped", + "guitar-shaped", + "hammer-shaped", + "harp-shaped", + "hook-shaped", + "horn-shaped", + "hourglass-shaped", + "H-shaped", + "keel-shaped", + "lance-shaped", + "lancet-shaped", + "lip-shaped", + "L-shaped", + "lyre-shaped", + "navicular", + "scaphoid", + "nutmeg-shaped", + "oven-shaped", + "paddle-shaped", + "perfected", + "phylliform", + "pitcher-shaped", + "precast", + "ribbon-shaped", + "rudder-like", + "saddle-shaped", + "slipper-shaped", + "shaped", + "molded", + "wrought", + "spade-shaped", + "spade-like", + "spider-shaped", + "spoon-shaped", + "s-shaped", + "stirrup-shaped", + "tassel-shaped", + "T-shaped", + "tadpole-shaped", + "thimble-shaped", + "trumpet-shaped", + "turnip-shaped", + "umbrella-shaped", + "U-shaped", + "vase-shaped", + "vermiform", + "worm-shaped", + "v-shaped", + "W-shaped", + "Y-shaped", + "unformed", + "amorphous", + "formless", + "shapeless", + "unshaped", + "unshapen", + "shared", + "common", + "mutual", + "joint", + "unshared", + "exclusive", + "sole", + "individual", + "single", + "undivided", + "shaven", + "shaved", + "beardless", + "whiskerless", + "clean-shaven", + "smooth-shaven", + "well-shaven", + "unshaven", + "unshaved", + "bearded", + "barbate", + "bewhiskered", + "whiskered", + "whiskery", + "bestubbled", + "stubbled", + "stubbly", + "goateed", + "mustachioed", + "mustached", + "sheared", + "shorn", + "unsheared", + "unshorn", + "sheathed", + "cased", + "encased", + "incased", + "clad", + "ironclad", + "podlike", + "unsheathed", + "bare", + "shockable", + "narrow-minded", + "unshockable", + "broad-minded", + "shod", + "shodden", + "shoed", + "booted", + "ironshod", + "roughshod", + "sandaled", + "sandalled", + "slippered", + "unshod", + "unshoed", + "barefoot", + "barefooted", + "shoeless", + "stockinged", + "calced", + "shod", + "discalced", + "discalceate", + "unshod", + "nearsighted", + "shortsighted", + "myopic", + "farsighted", + "presbyopic", + "eagle-eyed", + "keen-sighted", + "farseeing", + "longsighted", + "hyperopic", + "hypermetropic", + "telescopic", + "shrinkable", + "unshrinkable", + "sighted", + "argus-eyed", + "hawk-eyed", + "keen-sighted", + "lynx-eyed", + "quick-sighted", + "sharp-eyed", + "sharp-sighted", + "clear-sighted", + "seeing", + "blind", + "unsighted", + "blinded", + "blindfold", + "blindfolded", + "color-blind", + "colour-blind", + "dazzled", + "deuteranopic", + "green-blind", + "dim-sighted", + "near-blind", + "purblind", + "sand-blind", + "visually impaired", + "visually challenged", + "eyeless", + "sightless", + "unseeing", + "protanopic", + "red-blind", + "snow-blind", + "snow-blinded", + "stone-blind", + "tritanopic", + "blue-blind", + "signed", + "autographed", + "subscribed", + "unsigned", + "significant", + "important", + "momentous", + "epochal", + "epoch-making", + "earthshaking", + "world-shaking", + "world-shattering", + "evidential", + "evidentiary", + "fundamental", + "profound", + "large", + "monumental", + "noteworthy", + "remarkable", + "probative", + "probatory", + "operative", + "portentous", + "prodigious", + "insignificant", + "unimportant", + "hole-and-corner", + "hole-in-corner", + "flimsy", + "fragile", + "slight", + "tenuous", + "thin", + "inappreciable", + "light", + "superficial", + "trivial", + "significant", + "nonsignificant", + "silenced", + "suppressed", + "unsilenced", + "simple", + "unsubdivided", + "acerate", + "acerose", + "acicular", + "needle-shaped", + "acuminate", + "apiculate", + "caudate", + "cordate", + "heart-shaped", + "cordiform", + "cuneate", + "wedge-shaped", + "deltoid", + "dolabriform", + "dolabrate", + "elliptic", + "ensiform", + "sword-shaped", + "swordlike", + "bladelike", + "hastate", + "spearhead-shaped", + "lanceolate", + "lancelike", + "linear", + "elongate", + "lyrate", + "needled", + "two-needled", + "three-needled", + "four-needled", + "five-needled", + "obtuse", + "oblanceolate", + "oblong", + "obovate", + "orbiculate", + "orbicular", + "ovate", + "pandurate", + "panduriform", + "fiddle-shaped", + "peltate", + "shield-shaped", + "perfoliate", + "reniform", + "kidney-shaped", + "sagittate", + "sagittiform", + "arrow-shaped", + "spatulate", + "spatula-shaped", + "unlobed", + "compound", + "bilobate", + "bilobated", + "bilobed", + "binate", + "bipartite", + "bipinnate", + "bipinnatifid", + "cleft", + "dissected", + "conjugate", + "decompound", + "even-pinnate", + "abruptly-pinnate", + "paripinnate", + "incised", + "lobed", + "lobate", + "odd-pinnate", + "imparipinnate", + "palmate", + "palm-shaped", + "palmatifid", + "parted", + "pedate", + "pinnate", + "pinnated", + "pinnatifid", + "pinnatisect", + "quinquefoliate", + "radiate", + "ternate", + "trifoliate", + "trifoliolate", + "trifoliated", + "trilobate", + "trilobated", + "trilobed", + "three-lobed", + "tripinnate", + "tripinnated", + "tripinnatifid", + "simple", + "simplex", + "simplistic", + "unanalyzable", + "undecomposable", + "uncomplicated", + "unsophisticated", + "complex", + "analyzable", + "decomposable", + "Byzantine", + "convoluted", + "involved", + "knotty", + "tangled", + "tortuous", + "colonial", + "compound", + "complicated", + "composite", + "compound", + "daedal", + "Gordian", + "interlacing", + "interlinking", + "interlocking", + "interwoven", + "intricate", + "labyrinthine", + "labyrinthian", + "mazy", + "multifactorial", + "multiplex", + "thickening", + "sincere", + "bona fide", + "cordial", + "dear", + "devout", + "earnest", + "heartfelt", + "honest", + "genuine", + "true", + "unfeigned", + "heart-whole", + "wholehearted", + "whole-souled", + "insincere", + "bootlicking", + "fawning", + "obsequious", + "sycophantic", + "toadyish", + "buttery", + "fulsome", + "oily", + "oleaginous", + "smarmy", + "soapy", + "unctuous", + "dissimulative", + "false", + "feigned", + "gilded", + "meretricious", + "specious", + "hypocritical", + "plausible", + "singular", + "plural", + "dual", + "singular", + "plural", + "cardinal", + "zero", + "0", + "non-zero", + "one", + "1", + "i", + "ane", + "two", + "2", + "ii", + "three", + "3", + "iii", + "four", + "4", + "iv", + "five", + "5", + "v", + "six", + "6", + "vi", + "half dozen", + "half-dozen", + "seven", + "7", + "vii", + "eight", + "8", + "viii", + "nine", + "9", + "ix", + "ten", + "10", + "x", + "eleven", + "11", + "xi", + "twelve", + "12", + "xii", + "dozen", + "thirteen", + "13", + "xiii", + "fourteen", + "14", + "xiv", + "fifteen", + "15", + "xv", + "sixteen", + "16", + "xvi", + "seventeen", + "17", + "xvii", + "eighteen", + "18", + "xviii", + "nineteen", + "19", + "xix", + "twenty", + "20", + "xx", + "twenty-one", + "21", + "xxi", + "twenty-two", + "22", + "xxii", + "twenty-three", + "23", + "xxiii", + "twenty-four", + "24", + "xxiv", + "twenty-five", + "25", + "xxv", + "twenty-six", + "26", + "xxvi", + "twenty-seven", + "27", + "xxvii", + "twenty-eight", + "28", + "xxviii", + "twenty-nine", + "29", + "xxix", + "thirty", + "30", + "xxx", + "thirty-one", + "31", + "xxxi", + "thirty-two", + "32", + "xxxii", + "thirty-three", + "33", + "xxxiii", + "thirty-four", + "34", + "xxxiv", + "thirty-five", + "35", + "xxxv", + "thirty-six", + "36", + "xxxvi", + "thirty-seven", + "37", + "xxxvii", + "thirty-eight", + "38", + "xxxviii", + "thirty-nine", + "39", + "ixl", + "forty", + "40", + "xl", + "twoscore", + "forty-one", + "41", + "xli", + "forty-two", + "42", + "xlii", + "forty-three", + "43", + "xliii", + "forty-four", + "44", + "xliv", + "forty-five", + "45", + "xlv", + "forty-six", + "46", + "xlvi", + "forty-seven", + "47", + "xlvii", + "forty-eight", + "48", + "xlviii", + "forty-nine", + "49", + "il", + "fifty", + "50", + "l", + "fifty-one", + "51", + "li", + "fifty-two", + "52", + "lii", + "fifty-three", + "53", + "liii", + "fifty-four", + "54", + "liv", + "fifty-five", + "55", + "lv", + "fifty-six", + "56", + "lvi", + "fifty-seven", + "57", + "lvii", + "fifty-eight", + "58", + "lviii", + "fifty-nine", + "59", + "ilx", + "sixty", + "60", + "lx", + "threescore", + "sixty-one", + "61", + "lxi", + "sixty-two", + "62", + "lxii", + "sixty-three", + "63", + "lxiii", + "sixty-four", + "64", + "lxiv", + "sixty-five", + "65", + "lxv", + "sixty-six", + "66", + "lxvi", + "sixty-seven", + "67", + "lxvii", + "sixty-eight", + "68", + "lxviii", + "sixty-nine", + "69", + "ilxx", + "seventy", + "70", + "lxx", + "seventy-one", + "71", + "lxxi", + "seventy-two", + "72", + "lxxii", + "seventy-three", + "73", + "lxxiii", + "seventy-four", + "74", + "lxxiv", + "seventy-five", + "75", + "lxxv", + "seventy-six", + "76", + "lxxvi", + "seventy-seven", + "77", + "lxxvii", + "seventy-eight", + "78", + "lxxviii", + "seventy-nine", + "79", + "ilxxx", + "eighty", + "80", + "lxxx", + "fourscore", + "eighty-one", + "81", + "lxxxi", + "eighty-two", + "82", + "lxxxii", + "eighty-three", + "83", + "lxxxiii", + "eighty-four", + "84", + "lxxxiv", + "eighty-five", + "85", + "lxxxv", + "eighty-six", + "86", + "lxxxvi", + "eighty-seven", + "87", + "lxxxvii", + "eighty-eight", + "88", + "lxxxviii", + "eighty-nine", + "89", + "ixc", + "ninety", + "90", + "xc", + "ninety-one", + "91", + "xci", + "ninety-two", + "92", + "xcii", + "ninety-three", + "93", + "xciii", + "ninety-four", + "94", + "xciv", + "ninety-five", + "95", + "xcv", + "ninety-six", + "96", + "xcvi", + "ninety-seven", + "97", + "xcvii", + "ninety-eight", + "98", + "xcviii", + "ninety-nine", + "99", + "ic", + "hundred", + "one hundred", + "100", + "c", + "hundred and one", + "one hundred one", + "101", + "ci", + "one hundred five", + "105", + "cv", + "one hundred ten", + "110", + "cx", + "one hundred fifteen", + "115", + "cxv", + "one hundred twenty", + "120", + "cxx", + "one hundred twenty-five", + "125", + "cxxv", + "one hundred thirty", + "130", + "cxxx", + "one hundred thirty-five", + "135", + "cxxxv", + "one hundred forty", + "140", + "cxl", + "one hundred forty-five", + "145", + "cxlv", + "one hundred fifty", + "150", + "cl", + "one hundred fifty-five", + "155", + "clv", + "one hundred sixty", + "160", + "clx", + "one hundred sixty-five", + "165", + "clxv", + "one hundred seventy", + "170", + "clxx", + "one hundred seventy-five", + "175", + "clxxv", + "one hundred eighty", + "180", + "clxxx", + "one hundred ninety", + "190", + "xcl", + "two hundred", + "200", + "cc", + "three hundred", + "300", + "ccc", + "four hundred", + "400", + "cd", + "five hundred", + "500", + "d", + "thousand", + "one thousand", + "1000", + "m", + "k", + "ten thousand", + "hundred thousand", + "million", + "billion", + "billion", + "trillion", + "trillion", + "zillion", + "ordinal", + "zero", + "zeroth", + "first", + "1st", + "second", + "2nd", + "2d", + "third", + "3rd", + "tertiary", + "fourth", + "4th", + "quaternary", + "fifth", + "5th", + "sixth", + "6th", + "seventh", + "7th", + "eighth", + "8th", + "ninth", + "9th", + "tenth", + "10th", + "eleventh", + "11th", + "twelfth", + "12th", + "thirteenth", + "13th", + "fourteenth", + "14th", + "fifteenth", + "15th", + "sixteenth", + "16th", + "seventeenth", + "17th", + "eighteenth", + "18th", + "nineteenth", + "19th", + "umpteenth", + "umteenth", + "umptieth", + "twentieth", + "20th", + "twenty-first", + "21st", + "twenty-second", + "22nd", + "twenty-third", + "23rd", + "twenty-fourth", + "24th", + "twenty-fifth", + "25th", + "twenty-sixth", + "26th", + "twenty-seventh", + "27th", + "twenty-eighth", + "28th", + "twenty-ninth", + "29th", + "thirtieth", + "30th", + "thirty-first", + "31st", + "thirty-second", + "32nd", + "thirty-third", + "33rd", + "thirty-fourth", + "34th", + "thirty-fifth", + "35th", + "thirty-sixth", + "36th", + "thirty-seventh", + "37th", + "thirty-eighth", + "38th", + "thirty-ninth", + "39th", + "fortieth", + "40th", + "forty-first", + "41st", + "forty-second", + "42nd", + "forty-third", + "43rd", + "forty-fourth", + "44th", + "forty-fifth", + "45th", + "forty-sixth", + "46th", + "forty-seventh", + "47th", + "forty-eighth", + "48th", + "forty-ninth", + "49th", + "fiftieth", + "50th", + "fifty-fifth", + "55th", + "sixtieth", + "60th", + "sixty-fourth", + "64th", + "sixty-fifth", + "65th", + "seventieth", + "70th", + "seventy-fifth", + "75th", + "eightieth", + "80th", + "eighty-fifth", + "85th", + "ninetieth", + "90th", + "ninety-fifth", + "95th", + "hundredth", + "centesimal", + "100th", + "hundred-and-first", + "101st", + "hundred-and-fifth", + "105th", + "hundred-and-tenth", + "110th", + "hundred-and-fifteenth", + "115th", + "hundred-and-twentieth", + "120th", + "hundred-and-twenty-fifth", + "125th", + "hundred-and-thirtieth", + "130th", + "hundred-and-thirty-fifth", + "135th", + "hundred-and-fortieth", + "140th", + "hundred-and-forty-fifth", + "145th", + "hundred-and-fiftieth", + "150th", + "hundred-and-fifty-fifth", + "155th", + "hundred-and-sixtieth", + "160th", + "hundred-and-sixty-fifth", + "165th", + "hundred-and-seventieth", + "170th", + "hundred-and-seventy-fifth", + "175th", + "hundred-and-eightieth", + "180th", + "hundred-and-ninetieth", + "190th", + "two-hundredth", + "200th", + "three-hundredth", + "300th", + "four-hundredth", + "400th", + "five-hundredth", + "500th", + "thousandth", + "1000th", + "millionth", + "billionth", + "trillionth", + "quadrillionth", + "quintillionth", + "nth", + "n-th", + "scripted", + "written", + "unscripted", + "ad-lib", + "spontaneous", + "unwritten", + "sinkable", + "unsinkable", + "single", + "azygous", + "azygos", + "one-man", + "one-person", + "one-woman", + "lone", + "lonesome", + "only", + "sole", + "solitary", + "singular", + "unique", + "sui generis", + "unary", + "uninominal", + "one-member", + "multiple", + "aggregate", + "bigeminal", + "binary", + "double", + "doubled", + "twofold", + "two-fold", + "double", + "dual", + "duple", + "double", + "dual", + "twofold", + "two-fold", + "treble", + "threefold", + "three-fold", + "duplex", + "manifold", + "multiplex", + "ternary", + "treble", + "triple", + "triplex", + "treble", + "threefold", + "three-fold", + "triple", + "triune", + "quadruple", + "fourfold", + "four-fold", + "quadruple", + "quadruplicate", + "quadruplex", + "fourfold", + "four-fold", + "quaternate", + "quaternary", + "quintuple", + "fivefold", + "five-fold", + "sextuple", + "sixfold", + "six-fold", + "septuple", + "sevenfold", + "seven-fold", + "octuple", + "eightfold", + "eight-fold", + "nonuple", + "ninefold", + "nine-fold", + "tenfold", + "ten-fold", + "denary", + "double", + "single", + "multiple-choice", + "true-false", + "single-lane", + "multilane", + "divided", + "dual-lane", + "two-lane", + "three-lane", + "four-lane", + "sized", + "apple-sized", + "cherry-sized", + "cookie-sized", + "crow-sized", + "dog-sized", + "eightpenny", + "ferret-sized", + "fourpenny", + "grape-sized", + "human-sized", + "kiwi-sized", + "medium-sized", + "medium-size", + "moderate-sized", + "moderate-size", + "mouse-sized", + "ninepenny", + "orange-sized", + "pig-sized", + "rabbit-sized", + "shrew-sized", + "size", + "sorted", + "sparrow-sized", + "squirrel-sized", + "threepenny", + "turkey-sized", + "wolf-sized", + "unsized", + "unsorted", + "sized", + "unsized", + "skilled", + "accomplished", + "complete", + "adept", + "expert", + "good", + "practiced", + "proficient", + "skillful", + "skilful", + "arch", + "ball-hawking", + "consummate", + "masterful", + "masterly", + "virtuoso", + "delicate", + "hot", + "mean", + "sure-handed", + "technical", + "expert", + "versatile", + "unskilled", + "artless", + "botchy", + "butcherly", + "unskillful", + "bungled", + "botched", + "bungling", + "clumsy", + "fumbling", + "incompetent", + "crude", + "rough", + "hopeless", + "humble", + "menial", + "lowly", + "lubberly", + "out of practice", + "rusty", + "semiskilled", + "weak", + "verbal", + "numerical", + "mathematical", + "coarse", + "harsh", + "coarse-grained", + "large-grained", + "farinaceous", + "coarse-grained", + "grainy", + "granular", + "granulose", + "gritty", + "mealy", + "granulated", + "plushy", + "plush-like", + "loose", + "open", + "fine", + "close", + "tight", + "close-grained", + "fine-grained", + "dustlike", + "floury", + "nongranular", + "powdered", + "powdery", + "pulverized", + "pulverised", + "small-grained", + "fine-grained", + "small", + "superfine", + "smoky", + "blackened", + "smoking", + "smoke-filled", + "smokeless", + "smoke-free", + "slippery", + "slippy", + "lubricious", + "nonstick", + "slick", + "sliding", + "slimed", + "slimy", + "slipping", + "slithering", + "slithery", + "nonslippery", + "nonskid", + "nonslip", + "lubricated", + "greased", + "unlubricated", + "ungreased", + "smooth", + "creaseless", + "uncreased", + "even-textured", + "fast", + "fine-textured", + "smooth-textured", + "glassy", + "seamless", + "unlined", + "unseamed", + "streamlined", + "aerodynamic", + "flowing", + "sleek", + "velvet", + "velvety", + "velvet-textured", + "rough", + "unsmooth", + "abrasive", + "scratchy", + "alligatored", + "cracked", + "barky", + "broken", + "rugged", + "bullate", + "bumpy", + "chapped", + "cracked", + "roughened", + "corded", + "twilled", + "costate", + "ribbed", + "cragged", + "craggy", + "hilly", + "mountainous", + "crushed", + "homespun", + "nubby", + "nubbly", + "slubbed", + "tweedy", + "imbricate", + "imbricated", + "lepidote", + "leprose", + "scabrous", + "scaly", + "scurfy", + "squamulose", + "lined", + "seamed", + "pocked", + "pockmarked", + "potholed", + "rock-ribbed", + "rockbound", + "rocky", + "bouldery", + "bouldered", + "stony", + "gravelly", + "pebbly", + "shingly", + "roughish", + "rugose", + "sandpapery", + "saw-like", + "scabby", + "shagged", + "shaggy", + "textured", + "rough-textured", + "coarse-textured", + "verrucose", + "warty", + "wartlike", + "smooth", + "rough", + "rocky", + "bumpy", + "jolty", + "jolting", + "jumpy", + "furrowed", + "rugged", + "canaliculate", + "corrugated", + "rutted", + "rutty", + "unfurrowed", + "smooth", + "entire", + "repand", + "sinuate", + "undulate", + "unnotched", + "untoothed", + "rough", + "bidentate", + "biserrate", + "ciliate", + "ciliated", + "crenate", + "crenated", + "scalloped", + "crenulate", + "crenulated", + "crispate", + "dentate", + "denticulate", + "emarginate", + "erose", + "jagged", + "jaggy", + "notched", + "toothed", + "fimbriate", + "fringed", + "laciniate", + "lacerate", + "lacerated", + "pectinate", + "rimose", + "runcinate", + "serrate", + "serrated", + "saw-toothed", + "toothed", + "notched", + "serrulate", + "spinose", + "rifled", + "unrifled", + "smoothbore", + "social", + "cultural", + "ethnic", + "ethnical", + "gregarious", + "interpersonal", + "multiethnic", + "multi-ethnic", + "unsocial", + "alone", + "antisocial", + "asocial", + "asocial", + "lone", + "lonely", + "solitary", + "recluse", + "reclusive", + "withdrawn", + "accompanied", + "unaccompanied", + "alone", + "lone", + "lonely", + "solitary", + "isolated", + "marooned", + "stranded", + "tod", + "unattended", + "accompanied", + "attended", + "unaccompanied", + "a cappella", + "solo", + "gregarious", + "social", + "ungregarious", + "nongregarious", + "nonsocial", + "solitary", + "gregarious", + "clustered", + "ungregarious", + "caespitose", + "cespitose", + "tufted", + "seamed", + "seamy", + "sewed", + "sewn", + "stitched", + "seamless", + "broadloom", + "circular-knit", + "unseamed", + "seeded", + "unseeded", + "seedy", + "black-seeded", + "multi-seeded", + "several-seeded", + "seeded", + "seeded", + "single-seeded", + "one-seeded", + "one-seed", + "small-seeded", + "three-seeded", + "white-seeded", + "seedless", + "seeded", + "stoneless", + "shuttered", + "closed", + "unshuttered", + "sleeved", + "sleeveless", + "sociable", + "clubbable", + "clubable", + "clubbish", + "clubby", + "companionable", + "convivial", + "good-time", + "extroverted", + "forthcoming", + "outgoing", + "social", + "unsociable", + "antisocial", + "ungregarious", + "sold", + "oversubscribed", + "sold-out", + "unsold", + "soled", + "soleless", + "solid", + "coagulated", + "solidified", + "concrete", + "congealed", + "jelled", + "jellied", + "dry", + "semisolid", + "solid-state", + "solid-state", + "liquid", + "fluid", + "runny", + "liquefiable", + "liquifiable", + "liquefied", + "liquified", + "semiliquid", + "watery", + "gaseous", + "aeriform", + "airlike", + "aerosolized", + "aerosolised", + "evaporated", + "gasified", + "vaporized", + "vapourised", + "volatilized", + "volatilised", + "gassy", + "vaporific", + "vapourific", + "vaporish", + "vapourish", + "vaporous", + "vapourous", + "solid", + "massive", + "hollow", + "cavernous", + "deep-set", + "sunken", + "recessed", + "fistular", + "fistulate", + "fistulous", + "tubular", + "cannular", + "tubelike", + "tube-shaped", + "vasiform", + "soluble", + "alcohol-soluble", + "dissolvable", + "dissoluble", + "fat-soluble", + "meltable", + "disintegrable", + "oil-soluble", + "water-soluble", + "insoluble", + "indissoluble", + "water-insoluble", + "non-water-soluble", + "soluble", + "answerable", + "solvable", + "resolvable", + "insoluble", + "insolvable", + "unsoluble", + "unsolvable", + "unresolvable", + "solved", + "resolved", + "unsolved", + "unresolved", + "some", + "any", + "whatever", + "whatsoever", + "both", + "several", + "no", + "nary", + "none", + "zero", + "all", + "each", + "every", + "every last", + "every", + "sophisticated", + "blase", + "worldly", + "intelligent", + "well-informed", + "polished", + "refined", + "svelte", + "urbane", + "worldly-wise", + "naive", + "naif", + "childlike", + "wide-eyed", + "round-eyed", + "dewy-eyed", + "simple", + "credulous", + "fleeceable", + "green", + "gullible", + "innocent", + "ingenuous", + "simple-minded", + "unsophisticated", + "unworldly", + "sound", + "dependable", + "good", + "safe", + "secure", + "healthy", + "solid", + "stable", + "unsound", + "bad", + "risky", + "high-risk", + "speculative", + "long", + "wildcat", + "sound", + "solid", + "strong", + "substantial", + "unsound", + "corroded", + "decayed", + "rotten", + "rotted", + "effervescent", + "bubbling", + "bubbly", + "foaming", + "foamy", + "frothy", + "effervescing", + "spumy", + "aerated", + "charged", + "fizzing", + "fizzy", + "carbonated", + "noneffervescent", + "flat", + "noncarbonated", + "uncarbonated", + "sparkling", + "effervescent", + "still", + "noneffervescent", + "specialized", + "specialised", + "differentiated", + "special", + "specialistic", + "unspecialized", + "unspecialised", + "generalized", + "generalised", + "spinous", + "spiny", + "spineless", + "spirited", + "boisterous", + "knockabout", + "con brio", + "dashing", + "gallant", + "ebullient", + "exuberant", + "high-spirited", + "feisty", + "plucky", + "spunky", + "impertinent", + "irreverent", + "pert", + "saucy", + "lively", + "racy", + "mettlesome", + "resilient", + "snappy", + "whipping", + "sprightly", + "vibrant", + "vivacious", + "zestful", + "yeasty", + "zesty", + "barmy", + "spiritless", + "apathetic", + "bloodless", + "dispirited", + "listless", + "heartless", + "thin", + "spontaneous", + "self-generated", + "impulsive", + "unprompted", + "intuitive", + "natural", + "instinctive", + "induced", + "elicited", + "evoked", + "iatrogenic", + "spoken", + "expressed", + "uttered", + "verbalized", + "verbalised", + "oral", + "unwritten", + "verbal", + "viva-voce", + "word-of-mouth", + "written", + "backhand", + "left-slanting", + "cursive", + "engrossed", + "graphic", + "graphical", + "in writing", + "handwritten", + "holographic", + "inscribed", + "longhand", + "scrivened", + "shorthand", + "voiced", + "sonant", + "soft", + "unvoiced", + "voiceless", + "surd", + "hard", + "whispered", + "written", + "codified", + "statute", + "unwritten", + "common-law", + "vocalic", + "vowellike", + "consonantal", + "stoppable", + "abatable", + "unstoppable", + "unbeatable", + "syllabic", + "nonsyllabic", + "syllabic", + "disyllabic", + "monosyllabic", + "octosyllabic", + "pentasyllabic", + "polysyllabic", + "decasyllabic", + "syllabled", + "nonsyllabic", + "unsyllabic", + "unsyllabled", + "syllabic", + "accentual", + "quantitative", + "stable", + "firm", + "steady", + "unfluctuating", + "lasting", + "stabile", + "stabilized", + "stabilised", + "unstable", + "coseismic", + "coseismal", + "crank", + "cranky", + "tender", + "tippy", + "explosive", + "volatile", + "rickety", + "shaky", + "wobbly", + "wonky", + "rocky", + "seismic", + "seismal", + "tipsy", + "top-heavy", + "tottering", + "volcanic", + "staccato", + "disconnected", + "abrupt", + "disconnected", + "legato", + "smooth", + "staged", + "unstaged", + "unperformed", + "standard", + "authoritative", + "classical", + "classic", + "definitive", + "basic", + "canonic", + "canonical", + "casebook", + "textbook", + "criterial", + "criterional", + "nonstandard", + "standard", + "modular", + "regular", + "regulation", + "standardized", + "standardised", + "stock", + "nonstandard", + "deficient", + "inferior", + "substandard", + "nonnormative", + "standard", + "received", + "acceptable", + "classical", + "nonstandard", + "bad", + "unacceptable", + "unaccepted", + "starchy", + "starchlike", + "amylaceous", + "amyloid", + "amyloidal", + "farinaceous", + "starchless", + "starry", + "comet-like", + "sparkling", + "starlike", + "starlit", + "starless", + "nourished", + "corn-fed", + "full", + "replete", + "well-fed", + "well-nourished", + "overfed", + "stall-fed", + "malnourished", + "foodless", + "ill-fed", + "underfed", + "undernourished", + "starved", + "starving", + "unfed", + "unnourished", + "steady", + "dependable", + "rock-steady", + "steady-going", + "even", + "regular", + "firm", + "level", + "unwavering", + "steadied", + "sure", + "surefooted", + "sure-footed", + "footsure", + "unsteady", + "arrhythmic", + "jerking", + "jerky", + "convulsive", + "spasmodic", + "spastic", + "faltering", + "flickering", + "aflicker", + "fluctuating", + "palpitant", + "palpitating", + "shaky", + "shivering", + "trembling", + "quavering", + "tremulous", + "shifting", + "shifty", + "shuddering", + "tottering", + "tottery", + "uneven", + "wobbling", + "stemmed", + "stemless", + "stemmed", + "stimulating", + "challenging", + "thought-provoking", + "exciting", + "piquant", + "salty", + "rousing", + "stirring", + "thrilling", + "unstimulating", + "unexciting", + "bland", + "flat", + "dry", + "juiceless", + "vapid", + "depressant", + "ataractic", + "ataraxic", + "sedative", + "tranquilizing", + "tranquillizing", + "tranquilising", + "tranquillising", + "narcotic", + "narcotizing", + "narcotising", + "relaxant", + "soporific", + "soporiferous", + "somniferous", + "somnific", + "hypnogogic", + "hypnagogic", + "stimulative", + "adrenocorticotropic", + "adrenocorticotrophic", + "analeptic", + "excitant", + "excitative", + "excitatory", + "irritating", + "irritative", + "stimulant", + "stimulating", + "stomatous", + "mouthlike", + "astomatous", + "mouthless", + "straight", + "aligned", + "unbent", + "untwisted", + "crooked", + "akimbo", + "anfractuous", + "aquiline", + "hooked", + "askew", + "awry", + "cockeyed", + "lopsided", + "wonky", + "skew-whiff", + "contorted", + "writhed", + "writhen", + "deflective", + "refractive", + "geniculate", + "gnarled", + "gnarly", + "knotted", + "knotty", + "knobbed", + "malposed", + "reflexed", + "squiggly", + "tortuous", + "twisting", + "twisty", + "winding", + "voluminous", + "warped", + "windblown", + "wry", + "zigzag", + "zig-zag", + "straight", + "trabeated", + "trabeate", + "uncurved", + "uncurving", + "curved", + "curving", + "arced", + "arched", + "arching", + "arciform", + "arcuate", + "bowed", + "curvilineal", + "curvilinear", + "eellike", + "falcate", + "falciform", + "sickle-shaped", + "curvy", + "curvey", + "flexuous", + "hooklike", + "hooked", + "incurvate", + "incurved", + "recurved", + "recurvate", + "semicircular", + "serpentine", + "snaky", + "snakelike", + "sinuate", + "sinuous", + "wiggly", + "sinusoidal", + "upcurved", + "coiled", + "coiling", + "helical", + "spiral", + "spiraling", + "volute", + "voluted", + "whorled", + "turbinate", + "convolute", + "convoluted", + "involute", + "involute", + "rolled", + "wound", + "uncoiled", + "straight", + "uncurled", + "straight", + "square", + "aboveboard", + "straightforward", + "guileless", + "transparent", + "straightarrow", + "crooked", + "corrupt", + "sneaky", + "underhand", + "underhanded", + "stressed", + "accented", + "emphatic", + "emphasized", + "emphasised", + "masculine", + "unstressed", + "feminine", + "unaccented", + "light", + "weak", + "unemphatic", + "tonic", + "accented", + "atonic", + "unaccented", + "strong", + "beardown", + "beefed-up", + "brawny", + "hefty", + "muscular", + "powerful", + "sinewy", + "bullnecked", + "bullocky", + "fortified", + "hard", + "knockout", + "severe", + "industrial-strength", + "weapons-grade", + "ironlike", + "knock-down", + "powerful", + "noticeable", + "reinforced", + "strengthened", + "robust", + "stiff", + "vehement", + "virile", + "well-knit", + "well-set", + "weak", + "anemic", + "anaemic", + "adynamic", + "asthenic", + "debilitated", + "enervated", + "faint", + "feeble", + "feeble", + "lame", + "flimsy", + "jerry-built", + "shoddy", + "namby-pamby", + "gutless", + "spineless", + "wishy-washy", + "pale", + "pallid", + "wan", + "sick", + "puny", + "vulnerable", + "weakened", + "stubborn", + "obstinate", + "unregenerate", + "bloody-minded", + "cantankerous", + "bolshy", + "stroppy", + "bullheaded", + "bullet-headed", + "pigheaded", + "dogged", + "dour", + "persistent", + "pertinacious", + "tenacious", + "unyielding", + "contrarious", + "cross-grained", + "determined", + "hardheaded", + "mulish", + "stiff-necked", + "strong-minded", + "strong-willed", + "docile", + "meek", + "tame", + "sheeplike", + "sheepish", + "yielding", + "subordinate", + "feudatory", + "ruled", + "subject", + "dependent", + "subservient", + "insubordinate", + "contumacious", + "disobedient", + "unruly", + "mutinous", + "rebellious", + "successful", + "boffo", + "booming", + "flourishing", + "palmy", + "prospering", + "prosperous", + "roaring", + "thriving", + "in", + "made", + "no-hit", + "productive", + "self-made", + "sure-fire", + "triple-crown", + "triple-crown", + "victorious", + "winning", + "unsuccessful", + "attempted", + "defeated", + "disappointed", + "discomfited", + "foiled", + "frustrated", + "thwarted", + "done for", + "ruined", + "sunk", + "undone", + "washed-up", + "down-and-out", + "empty-handed", + "unrewarded", + "hitless", + "no-win", + "out", + "scoreless", + "goalless", + "hitless", + "self-defeating", + "unfulfilled", + "unrealized", + "unrealised", + "unplaced", + "winless", + "sufficient", + "adequate", + "decent", + "enough", + "comfortable", + "insufficient", + "deficient", + "depleted", + "low", + "inadequate", + "poor", + "short", + "lean", + "skimpy", + "light", + "scant", + "short", + "shy", + "sugary", + "candied", + "sugar-coated", + "honeyed", + "honied", + "syrupy", + "honeylike", + "sugared", + "sweetened", + "sweet", + "sweet-flavored", + "sugarless", + "nonsweet", + "unsugared", + "unsweetened", + "superior", + "arch", + "condescending", + "patronizing", + "patronising", + "eminent", + "high", + "leading", + "preeminent", + "high-level", + "high-ranking", + "upper-level", + "majestic", + "olympian", + "superordinate", + "upper", + "inferior", + "humble", + "low", + "lowly", + "modest", + "small", + "indifferent", + "low-level", + "middle-level", + "outclassed", + "superior", + "ace", + "A-one", + "crack", + "first-rate", + "super", + "tiptop", + "topnotch", + "top-notch", + "tops", + "banner", + "blue-ribbon", + "select", + "boss", + "brag", + "brilliant", + "superb", + "capital", + "choice", + "prime", + "prize", + "quality", + "select", + "excellent", + "first-class", + "fantabulous", + "splendid", + "gilt-edged", + "greatest", + "sterling", + "superlative", + "high-performance", + "outstanding", + "premium", + "pukka", + "pucka", + "shining", + "spiffing", + "supreme", + "top-flight", + "top-hole", + "topping", + "transcendent", + "surpassing", + "weapons-grade", + "well-made", + "inferior", + "bad", + "base", + "bum", + "cheap", + "cheesy", + "chintzy", + "crummy", + "punk", + "sleazy", + "tinny", + "bush-league", + "bush", + "cheapjack", + "shoddy", + "tawdry", + "coarse", + "common", + "coarsened", + "commercial", + "commercial-grade", + "deplorable", + "execrable", + "miserable", + "woeful", + "wretched", + "less", + "low-grade", + "mediocre", + "second-rate", + "ropey", + "ropy", + "scrawny", + "scrubby", + "stunted", + "second-class", + "third-rate", + "utility", + "utility-grade", + "superior", + "inferior", + "superjacent", + "incumbent", + "overlying", + "superimposed", + "superincumbent", + "subjacent", + "underlying", + "superscript", + "superior", + "subscript", + "inferior", + "adscript", + "supervised", + "unsupervised", + "unattended", + "supported", + "based", + "braced", + "buttressed", + "gimbaled", + "pendent", + "pendant", + "dependent", + "supernatant", + "suspended", + "underhung", + "underslung", + "unsupported", + "strapless", + "unbraced", + "supported", + "subsidized", + "subsidised", + "unsupported", + "baseless", + "groundless", + "idle", + "unfounded", + "unwarranted", + "wild", + "single-handed", + "unassisted", + "unbacked", + "uncorroborated", + "unsubstantiated", + "assisted", + "aided", + "motor-assisted", + "power-assisted", + "unassisted", + "naked", + "unaided", + "supportive", + "accessory", + "adjunct", + "ancillary", + "adjuvant", + "appurtenant", + "auxiliary", + "accessary", + "accessory", + "certificatory", + "collateral", + "confirmative", + "confirming", + "confirmatory", + "corroborative", + "corroboratory", + "substantiating", + "substantiative", + "validating", + "validatory", + "verificatory", + "verifying", + "demonstrative of", + "encouraging", + "supporting", + "unsupportive", + "confounding", + "contradictory", + "disconfirming", + "invalidating", + "surmountable", + "conquerable", + "superable", + "insurmountable", + "unsurmountable", + "insuperable", + "unconquerable", + "surprised", + "amazed", + "astonied", + "astonished", + "astounded", + "stunned", + "dumbfounded", + "dumfounded", + "flabbergasted", + "stupefied", + "thunderstruck", + "dumbstruck", + "dumbstricken", + "gobsmacked", + "goggle-eyed", + "openmouthed", + "popeyed", + "jiggered", + "startled", + "unsurprised", + "not surprised", + "surprising", + "amazing", + "astonishing", + "startling", + "stunning", + "unsurprising", + "susceptible", + "allergic", + "hypersensitive", + "hypersensitized", + "hypersensitised", + "sensitized", + "sensitised", + "supersensitive", + "supersensitized", + "supersensitised", + "amenable", + "capable", + "open", + "subject", + "convincible", + "persuadable", + "persuasible", + "suasible", + "fictile", + "pliable", + "liable", + "nonimmune", + "nonresistant", + "unresistant", + "predisposed", + "amenable", + "tractable", + "suggestible", + "temptable", + "unvaccinated", + "vulnerable", + "unsusceptible", + "insusceptible", + "immune", + "resistant", + "immunized", + "immunised", + "vaccinated", + "immunogenic", + "incapable", + "unpersuadable", + "unsuasible", + "unresponsive", + "impressionable", + "waxy", + "impressible", + "easy", + "spinnable", + "plastic", + "pliant", + "susceptible", + "unimpressionable", + "exempt", + "excused", + "immune", + "privileged", + "nonexempt", + "liable", + "taxpaying", + "unexcused", + "scheduled", + "regular", + "unscheduled", + "extra", + "special", + "forced", + "sweet", + "dry", + "brut", + "medium-dry", + "sec", + "unsweet", + "sweet", + "cloying", + "saccharine", + "syrupy", + "treacly", + "sweetish", + "sour", + "acerb", + "acerbic", + "astringent", + "acetose", + "acetous", + "vinegary", + "vinegarish", + "acidic", + "acid", + "acidulent", + "acidulous", + "lemony", + "lemonlike", + "sourish", + "tangy", + "tart", + "subacid", + "soured", + "off", + "sour", + "turned", + "unsoured", + "fresh", + "sweet", + "unfermented", + "suspected", + "unsuspected", + "unknown", + "swept", + "sweptback", + "sweptwing", + "unswept", + "sworn", + "bound", + "unsworn", + "symmetrical", + "symmetric", + "bilateral", + "isobilateral", + "bilaterally symmetrical", + "bilaterally symmetric", + "biradial", + "cruciate", + "cruciform", + "even", + "regular", + "interchangeable", + "isosceles", + "radial", + "stellate", + "radiate", + "radially symmetrical", + "centrosymmetric", + "rhombohedral", + "trigonal", + "asymmetrical", + "asymmetric", + "lopsided", + "noninterchangeable", + "unsymmetric", + "unsymmetrical", + "actinomorphic", + "actinomorphous", + "actinoid", + "zygomorphic", + "bilaterally symmetrical", + "zygomorphous", + "sympathetic", + "commiserative", + "condolent", + "empathic", + "empathetic", + "unsympathetic", + "unsympathizing", + "unsympathising", + "sympathetic", + "appealing", + "likeable", + "likable", + "unsympathetic", + "unappealing", + "unlikeable", + "unlikable", + "sympatric", + "allopatric", + "synchronic", + "diachronic", + "historical", + "synchronous", + "synchronal", + "synchronic", + "coetaneous", + "coeval", + "contemporaneous", + "coexistent", + "coexisting", + "coincident", + "coincidental", + "coinciding", + "concurrent", + "co-occurrent", + "cooccurring", + "simultaneous", + "contemporaneous", + "contemporary", + "parallel", + "synchronic", + "synchronized", + "synchronised", + "asynchronous", + "allochronic", + "anachronic", + "anachronous", + "anachronistic", + "nonsynchronous", + "unsynchronized", + "unsynchronised", + "unsynchronous", + "serial", + "in series", + "nonparallel", + "synchronous", + "asynchronous", + "syndetic", + "asyndetic", + "synonymous", + "similar", + "substitutable", + "antonymous", + "complementary", + "contradictory", + "contrary", + "contrastive", + "incompatible", + "converse", + "systematic", + "unsystematic", + "taciturn", + "buttoned-up", + "reticent", + "untalkative", + "voluble", + "chatty", + "gabby", + "garrulous", + "loquacious", + "talkative", + "talky", + "tactful", + "discerning", + "discreet", + "tactless", + "untactful", + "tall", + "gangling", + "gangly", + "lanky", + "rangy", + "in height", + "leggy", + "long-legged", + "long-shanked", + "leggy", + "tall-growing", + "long", + "long-stalked", + "tall-stalked", + "stately", + "statuesque", + "tallish", + "short", + "little", + "chunky", + "dumpy", + "low-set", + "squat", + "squatty", + "stumpy", + "compact", + "heavyset", + "stocky", + "thick", + "thickset", + "half-length", + "pint-size", + "pint-sized", + "runty", + "sawed-off", + "sawn-off", + "short-stalked", + "squab", + "squabby", + "tame", + "tamed", + "broken", + "broken in", + "cultivated", + "docile", + "gentle", + "domestic", + "domesticated", + "tamed", + "wild", + "untamed", + "feral", + "ferine", + "savage", + "semi-wild", + "unbroken", + "undomesticated", + "tame", + "subdued", + "wild", + "chaotic", + "disorderly", + "delirious", + "excited", + "frantic", + "mad", + "unrestrained", + "frenzied", + "manic", + "unsubdued", + "tangible", + "touchable", + "tactile", + "tactual", + "intangible", + "impalpable", + "tangible", + "real", + "realizable", + "intangible", + "tasteful", + "aesthetic", + "esthetic", + "artistic", + "understated", + "unostentatious", + "unpretentious", + "tasteless", + "barbaric", + "brassy", + "cheap", + "flash", + "flashy", + "garish", + "gaudy", + "gimcrack", + "loud", + "meretricious", + "tacky", + "tatty", + "tawdry", + "trashy", + "Brummagem", + "camp", + "campy", + "indelicate", + "off-color", + "off-colour", + "ostentatious", + "pretentious", + "tasty", + "acid-tasting", + "sour-tasting", + "ambrosial", + "ambrosian", + "nectarous", + "bitter", + "bitterish", + "sharp-tasting", + "bittersweet", + "semisweet", + "choice", + "dainty", + "delectable", + "delicious", + "luscious", + "pleasant-tasting", + "scrumptious", + "toothsome", + "yummy", + "flavorful", + "flavourful", + "flavorous", + "flavourous", + "flavorsome", + "flavoursome", + "sapid", + "saporous", + "fruity", + "full-bodied", + "racy", + "rich", + "robust", + "peppery", + "gingery", + "hot", + "spicy", + "grapey", + "grapy", + "mild-tasting", + "nippy", + "nutty", + "nutlike", + "piquant", + "savory", + "savoury", + "spicy", + "zesty", + "pungent", + "acrid", + "salty", + "smoky", + "sour", + "strong-flavored", + "winy", + "winey", + "tasteless", + "bland", + "flat", + "flavorless", + "flavourless", + "insipid", + "savorless", + "savourless", + "vapid", + "unflavored", + "unflavoured", + "nonflavored", + "nonflavoured", + "unsalted", + "unseasoned", + "taxable", + "nonexempt", + "assessable", + "dutiable", + "ratable", + "rateable", + "nontaxable", + "exempt", + "duty-free", + "tax-exempt", + "tax-free", + "untaxed", + "unratable", + "temperate", + "abstemious", + "light", + "moderate", + "restrained", + "intemperate", + "big", + "heavy", + "temperate", + "cold-temperate", + "equable", + "intemperate", + "tense", + "overstrung", + "taut", + "tight", + "lax", + "drooping", + "droopy", + "sagging", + "limp", + "floppy", + "loose", + "slack", + "loose-jointed", + "tensionless", + "tense", + "constricted", + "lax", + "tense", + "aroused", + "wound up", + "cliff-hanging", + "suspenseful", + "suspensive", + "nail-biting", + "taut", + "antsy", + "fidgety", + "fretful", + "itchy", + "edgy", + "high-strung", + "highly strung", + "jittery", + "jumpy", + "nervy", + "overstrung", + "restive", + "uptight", + "electric", + "isotonic", + "nervous", + "strained", + "unrelaxed", + "pumped-up", + "pumped up", + "pumped", + "wired", + "relaxed", + "degage", + "laid-back", + "mellow", + "unstrained", + "hypertonic", + "hypotonic", + "territorial", + "jurisdictional", + "regional", + "sectional", + "extraterritorial", + "exterritorial", + "territorial", + "nonterritorial", + "thermoplastic", + "thermosetting", + "thermoset", + "thick", + "deep", + "deep-chested", + "fat", + "four-ply", + "heavy", + "heavy", + "quilted", + "thickened", + "three-ply", + "two-ply", + "thin", + "bladed", + "capillary", + "hairlike", + "compressed", + "flat", + "depressed", + "diaphanous", + "filmy", + "gauzy", + "gauze-like", + "gossamer", + "see-through", + "sheer", + "transparent", + "vaporous", + "vapourous", + "cobwebby", + "filamentous", + "filiform", + "filamentlike", + "threadlike", + "thready", + "fine", + "light", + "hyperfine", + "paper thin", + "papery", + "ribbonlike", + "ribbony", + "sleazy", + "slender", + "tenuous", + "wafer-thin", + "thick", + "clogged", + "clotted", + "coagulable", + "coagulate", + "coagulated", + "curdled", + "grumous", + "grumose", + "creamy", + "dense", + "heavy", + "impenetrable", + "gelatinous", + "gelatinlike", + "jellylike", + "ropy", + "ropey", + "stringy", + "thready", + "soupy", + "syrupy", + "viscous", + "thickened", + "thin", + "tenuous", + "rare", + "rarefied", + "rarified", + "thinkable", + "cogitable", + "ponderable", + "conceivable", + "imaginable", + "presumable", + "supposable", + "surmisable", + "unthinkable", + "impossible", + "inconceivable", + "out of the question", + "unimaginable", + "thoughtful", + "bemused", + "deep in thought", + "lost", + "preoccupied", + "brooding", + "broody", + "contemplative", + "meditative", + "musing", + "pensive", + "pondering", + "reflective", + "ruminative", + "cogitative", + "well thought out", + "deliberative", + "excogitative", + "thoughtless", + "inconsiderate", + "unconsidered", + "unreflective", + "unthinking", + "unthoughtful", + "thrifty", + "economical", + "frugal", + "scotch", + "sparing", + "stinting", + "penny-wise", + "saving", + "wasteful", + "extravagant", + "prodigal", + "profligate", + "spendthrift", + "pound-foolish", + "uneconomical", + "uneconomic", + "tidy", + "clean-cut", + "trig", + "trim", + "neat", + "orderly", + "neat", + "ruly", + "shipshape", + "trim", + "well-kept", + "slicked up", + "straight", + "uncluttered", + "unlittered", + "untidy", + "blowsy", + "blowzy", + "slatternly", + "sluttish", + "cluttered", + "littered", + "disheveled", + "dishevelled", + "frowzled", + "rumpled", + "tousled", + "disorderly", + "higgledy-piggledy", + "hugger-mugger", + "jumbled", + "topsy-turvy", + "frowsy", + "frowzy", + "slovenly", + "messy", + "mussy", + "scraggly", + "sloppy", + "slouchy", + "sprawling", + "straggling", + "rambling", + "straggly", + "unkempt", + "groomed", + "brushed", + "kempt", + "tidy", + "plastered", + "slicked", + "pomaded", + "sleek", + "well-groomed", + "well-groomed", + "well-dressed", + "ungroomed", + "bushy", + "shaggy", + "shaggy-haired", + "shaggy-coated", + "ill-dressed", + "unbrushed", + "combed", + "uncombed", + "uncombable", + "unkempt", + "timbered", + "half-timber", + "half-timbered", + "timber-framed", + "untimbered", + "toned", + "toneless", + "tongued", + "tonguelike", + "tongueless", + "tipped", + "filter-tipped", + "pink-tipped", + "plume-tipped", + "spine-tipped", + "thorn-tipped", + "yellow-tipped", + "untipped", + "tired", + "all in", + "beat", + "bushed", + "dead", + "aweary", + "weary", + "bleary", + "blear", + "bleary-eyed", + "blear-eyed", + "bored", + "world-weary", + "burned-out", + "burnt-out", + "careworn", + "drawn", + "haggard", + "raddled", + "worn", + "drooping", + "flagging", + "exhausted", + "dog-tired", + "fagged", + "fatigued", + "played out", + "spent", + "washed-out", + "worn-out", + "worn out", + "footsore", + "jaded", + "wearied", + "knackered", + "drained", + "ragged", + "travel-worn", + "unrefreshed", + "unrested", + "whacked", + "rested", + "fresh", + "invigorated", + "refreshed", + "reinvigorated", + "untired", + "unwearied", + "unweary", + "tolerable", + "bearable", + "endurable", + "sufferable", + "supportable", + "tolerant", + "resistant", + "intolerable", + "unbearable", + "unendurable", + "bitter", + "impossible", + "insufferable", + "unacceptable", + "unsufferable", + "unsupportable", + "tolerant", + "unbigoted", + "intolerant", + "bigoted", + "rigid", + "strict", + "tonal", + "keyed", + "diatonic", + "polytonal", + "toned", + "tonic", + "atonal", + "unkeyed", + "toothed", + "buck-toothed", + "cogged", + "fine-toothed", + "fine-tooth", + "gap-toothed", + "saber-toothed", + "sabertoothed", + "sabre-toothed", + "small-toothed", + "toothlike", + "toothy", + "tusked", + "toothless", + "edental", + "edentate", + "edentulate", + "edentulous", + "top", + "apical", + "crowning", + "topmost", + "uppermost", + "upmost", + "upper", + "bottom", + "bottommost", + "lowermost", + "nethermost", + "inferior", + "nether", + "side", + "broadside", + "lateral", + "sidelong", + "topped", + "flat-topped", + "flat-top", + "lidded", + "screw-topped", + "topless", + "lidless", + "bottomed", + "bell-bottomed", + "bell-bottom", + "bellbottom", + "copper-bottomed", + "flat-bottomed", + "flat-bottom", + "round-bottomed", + "round-bottom", + "bottomless", + "top-down", + "bottom-up", + "equatorial", + "pantropical", + "pantropic", + "tropical", + "tropic", + "polar", + "circumpolar", + "north-polar", + "Arctic", + "south-polar", + "Antarctic", + "testate", + "intestate", + "touched", + "brushed", + "grazed", + "untouched", + "tough", + "cartilaginous", + "gristly", + "rubbery", + "chewy", + "coriaceous", + "leathered", + "leatherlike", + "leathery", + "fibrous", + "sinewy", + "stringy", + "unchewable", + "hempen", + "fibrous", + "tough-skinned", + "tender", + "chewable", + "cuttable", + "crisp", + "crispy", + "flaky", + "flakey", + "tenderized", + "tenderised", + "tough", + "toughened", + "calloused", + "callous", + "thickened", + "enured", + "inured", + "hardened", + "weather-beaten", + "tender", + "untoughened", + "delicate", + "soft", + "tough", + "hard-bitten", + "hard-boiled", + "pugnacious", + "tough-minded", + "unsentimental", + "tender", + "protective", + "sentimental", + "toxic", + "cyanogenetic", + "cyanogenic", + "deadly", + "venomous", + "virulent", + "hepatotoxic", + "nephrotoxic", + "ototoxic", + "poisonous", + "toxicant", + "nontoxic", + "atoxic", + "antitoxic", + "nonpoisonous", + "non-poisonous", + "nonvenomous", + "tractable", + "manipulable", + "ductile", + "malleable", + "docile", + "teachable", + "tamable", + "tameable", + "intractable", + "balking", + "balky", + "refractory", + "stubborn", + "uncontrollable", + "unmanageable", + "unmalleable", + "table d'hote", + "prix fixe", + "a la carte", + "traceable", + "trackable", + "untraceable", + "tracked", + "caterpillar-tracked", + "half-track", + "half-tracked", + "trackless", + "traveled", + "heavily traveled", + "untraveled", + "untravelled", + "untraversed", + "trimmed", + "cut", + "clipped", + "untrimmed", + "uncut", + "unclipped", + "troubled", + "annoyed", + "harassed", + "harried", + "pestered", + "vexed", + "anxious", + "nervous", + "queasy", + "uneasy", + "unquiet", + "buffeted", + "storm-tossed", + "tempest-tossed", + "tempest-tost", + "tempest-swept", + "careful", + "care-laden", + "heavy-laden", + "clouded", + "disquieted", + "distressed", + "disturbed", + "upset", + "worried", + "distressed", + "hard-pressed", + "hard put", + "in a bad way", + "fraught", + "hag-ridden", + "hagridden", + "tormented", + "haunted", + "mothy", + "stressed", + "distressed", + "struggling", + "suffering", + "troublous", + "untroubled", + "carefree", + "unworried", + "clear", + "dreamless", + "trouble-free", + "unconcerned", + "undisturbed", + "unmolested", + "true", + "actual", + "genuine", + "literal", + "real", + "apodictic", + "apodeictic", + "truthful", + "sure", + "false", + "mendacious", + "specious", + "spurious", + "trumped-up", + "untrue", + "trustful", + "trusting", + "confiding", + "unsuspecting", + "unsuspicious", + "distrustful", + "cynical", + "misanthropic", + "misanthropical", + "doubting", + "questioning", + "skeptical", + "sceptical", + "jealous", + "green-eyed", + "overjealous", + "leery", + "mistrustful", + "suspicious", + "untrusting", + "wary", + "misogynic", + "oversuspicious", + "trustworthy", + "trusty", + "authentic", + "reliable", + "creditworthy", + "responsible", + "dependable", + "honest", + "reliable", + "true", + "fiducial", + "sure", + "trusted", + "untrustworthy", + "untrusty", + "devious", + "shifty", + "fly-by-night", + "shady", + "slippery", + "tricky", + "tubed", + "tubeless", + "tucked", + "untucked", + "turned", + "inverted", + "upside-down", + "overturned", + "upset", + "upturned", + "reversed", + "rotated", + "revolved", + "wrong-side-out", + "inside-out", + "unturned", + "right-side-out", + "right-side-up", + "typical", + "emblematic", + "exemplary", + "typic", + "representative", + "regular", + "veritable", + "true", + "atypical", + "untypical", + "unrepresentative", + "underhand", + "underhanded", + "underarm", + "overhand", + "overhanded", + "overarm", + "round-arm", + "surface", + "aboveground", + "grade-constructed", + "opencast", + "opencut", + "subsurface", + "belowground", + "underground", + "submarine", + "undersea", + "submerged", + "submersed", + "underwater", + "subterranean", + "subterraneous", + "overhead", + "submersible", + "submergible", + "nonsubmersible", + "nonsubmergible", + "tearful", + "liquid", + "swimming", + "misty-eyed", + "teary", + "teary-eyed", + "watery-eyed", + "sniffly", + "snuffling", + "snuffly", + "weepy", + "tearless", + "dry-eyed", + "dry", + "union", + "closed", + "organized", + "organised", + "unionized", + "unionised", + "nonunion", + "open", + "unorganized", + "unorganised", + "nonunionized", + "nonunionised", + "uniparous", + "multiparous", + "biparous", + "twinning", + "unipolar", + "bipolar", + "Janus-faced", + "united", + "agreed", + "in agreement", + "allied", + "confederate", + "confederative", + "amalgamate", + "amalgamated", + "coalesced", + "consolidated", + "fused", + "coalescent", + "coalescing", + "cohesive", + "conjugate", + "conjugated", + "coupled", + "conjunct", + "federate", + "federated", + "incorporate", + "incorporated", + "integrated", + "merged", + "unified", + "in league", + "one", + "unitary", + "suprasegmental", + "tied", + "undivided", + "unpartitioned", + "unsegmented", + "nonsegmental", + "divided", + "bicameral", + "two-chambered", + "bifid", + "bifurcate", + "biramous", + "branched", + "forked", + "fork-like", + "forficate", + "pronged", + "prongy", + "bifurcated", + "bilocular", + "biloculate", + "black-and-white", + "chambered", + "cloven", + "bisulcate", + "dichotomous", + "disconnected", + "disunited", + "fragmented", + "split", + "disjointed", + "disjunct", + "episodic", + "four-pronged", + "many-chambered", + "metameric", + "segmental", + "segmented", + "mullioned", + "pentamerous", + "pronged", + "tined", + "sectional", + "sectioned", + "segmental", + "three-pronged", + "torn", + "trifid", + "two-pronged", + "adnate", + "connate", + "univalve", + "single-shelled", + "bivalve", + "bivalved", + "lamellibranch", + "pelecypod", + "pelecypodous", + "ascending", + "acclivitous", + "rising", + "uphill", + "ascendant", + "ascendent", + "ascensive", + "assurgent", + "assurgent", + "scandent", + "highflying", + "up", + "upward", + "descending", + "declivitous", + "downhill", + "downward-sloping", + "degressive", + "descendant", + "descendent", + "down", + "downward", + "downward-arching", + "drizzling", + "dropping", + "falling", + "raining", + "rising", + "improving", + "up", + "falling", + "down", + "soft", + "climactic", + "anticlimactic", + "upmarket", + "upscale", + "downmarket", + "downscale", + "transitive", + "intransitive", + "translatable", + "untranslatable", + "ungulate", + "ungulated", + "hoofed", + "hooved", + "solid-hoofed", + "unguiculate", + "unguiculated", + "clawed", + "clawlike", + "up", + "ahead", + "in the lead", + "leading", + "aweigh", + "dormie", + "dormy", + "heavenward", + "skyward", + "risen", + "sprouted", + "upbound", + "upfield", + "upward", + "down", + "behind", + "downbound", + "downcast", + "downfield", + "downward", + "fallen", + "set", + "thrown", + "weak", + "upstage", + "downstage", + "upstairs", + "upstair", + "downstairs", + "downstair", + "ground-floor", + "upstream", + "downstream", + "uptown", + "downtown", + "used", + "in use", + "utilized", + "utilised", + "misused", + "abused", + "exploited", + "ill-used", + "put-upon", + "used", + "victimized", + "victimised", + "useful", + "utile", + "multipurpose", + "reclaimable", + "recyclable", + "reusable", + "serviceable", + "useable", + "usable", + "utilitarian", + "utilizable", + "useless", + "futile", + "ineffectual", + "otiose", + "unavailing", + "inutile", + "unserviceable", + "unusable", + "unuseable", + "utopian", + "airy", + "impractical", + "visionary", + "Laputan", + "windy", + "dystopian", + "valid", + "binding", + "legal", + "sound", + "effectual", + "legitimate", + "logical", + "reasoned", + "sound", + "well-grounded", + "validated", + "invalid", + "bad", + "uncollectible", + "fallacious", + "unsound", + "false", + "invalidated", + "nullified", + "null", + "void", + "sophistic", + "sophistical", + "valuable", + "blue-chip", + "invaluable", + "priceless", + "precious", + "rich", + "semiprecious", + "worth", + "worthless", + "chaffy", + "good-for-nothing", + "good-for-naught", + "meritless", + "no-account", + "no-count", + "no-good", + "sorry", + "manky", + "negligible", + "paltry", + "trifling", + "nugatory", + "otiose", + "pointless", + "purposeless", + "senseless", + "superfluous", + "wasted", + "rubbishy", + "trashy", + "tinpot", + "valueless", + "variable", + "changeable", + "uncertain", + "unsettled", + "covariant", + "multivariate", + "protean", + "shifting", + "variant", + "versatile", + "invariable", + "changeless", + "constant", + "invariant", + "unvarying", + "hard-and-fast", + "strict", + "invariant", + "varied", + "many-sided", + "multifaceted", + "miscellaneous", + "multifarious", + "omnifarious", + "varicolored", + "varicoloured", + "variegated", + "variform", + "varying", + "variable", + "versatile", + "various", + "unvaried", + "unvarying", + "veiled", + "unveiled", + "disclosed", + "undraped", + "ventilated", + "aired", + "airy", + "louvered", + "vented", + "unventilated", + "airless", + "close", + "stuffy", + "unaired", + "fuggy", + "unaerated", + "unoxygenated", + "unvented", + "vertebrate", + "invertebrate", + "spineless", + "violable", + "inviolable", + "unassailable", + "untouchable", + "violent", + "convulsive", + "ferocious", + "fierce", + "furious", + "savage", + "hot", + "raging", + "knockdown-dragout", + "knock-down-and-drag-out", + "lashing", + "lurid", + "rampageous", + "ruffianly", + "tough", + "slam-bang", + "nonviolent", + "passive", + "peaceful", + "virtuous", + "impeccable", + "impeccant", + "innocent", + "sinless", + "wicked", + "evil", + "vicious", + "heavy", + "flagitious", + "heinous", + "iniquitous", + "sinful", + "ungodly", + "irreclaimable", + "irredeemable", + "unredeemable", + "unreformable", + "nefarious", + "villainous", + "peccable", + "peccant", + "visible", + "seeable", + "circumpolar", + "in sight", + "ocular", + "visual", + "macroscopic", + "macroscopical", + "megascopic", + "gross", + "microscopic", + "microscopical", + "subgross", + "panoptic", + "panoptical", + "telescopic", + "viewable", + "invisible", + "unseeable", + "camouflaged", + "concealed", + "hidden", + "out of sight", + "infrared", + "lightless", + "nonvisual", + "occult", + "ultraviolet", + "undetectable", + "unseeyn", + "viviparous", + "live-bearing", + "oviparous", + "broody", + "ovoviviparous", + "volatile", + "evaporable", + "vaporific", + "vapourific", + "vaporizable", + "vapourisable", + "volatilizable", + "volatilisable", + "nonvolatile", + "nonvolatilizable", + "nonvolatilisable", + "voluntary", + "willful", + "wilful", + "freewill", + "self-imposed", + "uncoerced", + "unforced", + "willing", + "unpaid", + "volunteer", + "involuntary", + "nonvoluntary", + "unvoluntary", + "driven", + "goaded", + "forced", + "unconscious", + "unwilled", + "unwilling", + "voluntary", + "involuntary", + "automatic", + "reflex", + "reflexive", + "autonomic", + "vegetative", + "vulnerable", + "assailable", + "undefendable", + "undefended", + "open", + "compromising", + "defenseless", + "defenceless", + "endangered", + "indefensible", + "insecure", + "unsafe", + "penetrable", + "threatened", + "under attack", + "under fire", + "unguarded", + "invulnerable", + "airtight", + "air-tight", + "bombproof", + "shellproof", + "defendable", + "defensible", + "entrenched", + "impregnable", + "inviolable", + "secure", + "strong", + "unassailable", + "unattackable", + "tight", + "sheltered", + "untouchable", + "wanted", + "craved", + "desired", + "hot", + "longed-for", + "wished-for", + "yearned-for", + "sought", + "sought-after", + "unwanted", + "abdicable", + "cast-off", + "discarded", + "throwaway", + "thrown-away", + "friendless", + "outcast", + "outcaste", + "casteless", + "uncalled-for", + "unclaimed", + "undesired", + "unsought", + "unwelcome", + "unwished", + "unwished-for", + "warm", + "lukewarm", + "tepid", + "warmed", + "warming", + "cool", + "air-conditioned", + "air-cooled", + "caller", + "precooled", + "water-cooled", + "warm", + "cordial", + "hearty", + "cool", + "unresponsive", + "warm", + "hot", + "cool", + "cold", + "warm-blooded", + "homoiothermic", + "homeothermic", + "homothermic", + "cold-blooded", + "poikilothermic", + "poikilothermous", + "heterothermic", + "ectothermic", + "warmhearted", + "coldhearted", + "brittle", + "washable", + "wash-and-wear", + "drip-dry", + "nonwashable", + "waxed", + "unwaxed", + "waxing", + "waning", + "increasing", + "accelerative", + "acceleratory", + "accretionary", + "accretive", + "augmentative", + "incorporative", + "maximizing", + "maximising", + "multiplicative", + "profit-maximizing", + "profit-maximising", + "progressive", + "raising", + "decreasing", + "depreciating", + "depreciative", + "depreciatory", + "detractive", + "diminishing", + "dwindling", + "tapering", + "tapering off", + "falling", + "increasing", + "accelerando", + "crescendo", + "decreasing", + "allargando", + "calando", + "decrescendo", + "diminuendo", + "rallentando", + "ritardando", + "ritenuto", + "rit.", + "inflationary", + "deflationary", + "weaned", + "unweaned", + "wearable", + "unwearable", + "weedy", + "weedless", + "welcome", + "unwelcome", + "uninvited", + "well", + "asymptomatic", + "symptomless", + "cured", + "healed", + "recovered", + "ill", + "sick", + "afflicted", + "stricken", + "aguish", + "ailing", + "indisposed", + "peaked", + "poorly", + "sickly", + "unwell", + "under the weather", + "seedy", + "airsick", + "air sick", + "carsick", + "seasick", + "autistic", + "bedfast", + "bedridden", + "bedrid", + "sick-abed", + "bilious", + "liverish", + "livery", + "bronchitic", + "consumptive", + "convalescent", + "recovering", + "delirious", + "hallucinating", + "diabetic", + "dizzy", + "giddy", + "woozy", + "vertiginous", + "dyspeptic", + "faint", + "light", + "swooning", + "light-headed", + "lightheaded", + "feverish", + "feverous", + "funny", + "gouty", + "green", + "laid low", + "stricken", + "laid up", + "milk-sick", + "nauseated", + "nauseous", + "queasy", + "sick", + "sickish", + "palsied", + "paralytic", + "paralyzed", + "paraplegic", + "rickety", + "rachitic", + "scrofulous", + "sneezy", + "spastic", + "tubercular", + "tuberculous", + "unhealed", + "upset", + "wet", + "bedewed", + "dewy", + "besprent", + "boggy", + "marshy", + "miry", + "mucky", + "muddy", + "quaggy", + "sloppy", + "sloughy", + "soggy", + "squashy", + "swampy", + "waterlogged", + "clammy", + "dank", + "damp", + "dampish", + "moist", + "sodden", + "soppy", + "drippy", + "drizzly", + "humid", + "misty", + "muggy", + "steamy", + "sticky", + "reeking", + "watery", + "rheumy", + "sloppy", + "showery", + "rainy", + "steaming", + "steamy", + "sticky", + "tacky", + "undried", + "washed", + "watery", + "dry", + "adust", + "baked", + "parched", + "scorched", + "sunbaked", + "air-dried", + "air-dry", + "arid", + "waterless", + "bone-dry", + "bone dry", + "desiccated", + "dried-out", + "dried", + "dried-up", + "dried-up", + "sere", + "sear", + "shriveled", + "shrivelled", + "withered", + "dry-shod", + "kiln-dried", + "rainless", + "semiarid", + "semi-dry", + "thirsty", + "wet", + "lactating", + "fresh", + "dry", + "milkless", + "wet", + "dry", + "wet", + "dry", + "hydrous", + "hydrated", + "anhydrous", + "wheeled", + "wheelless", + "white-collar", + "clerical", + "professional", + "pink-collar", + "blue-collar", + "industrial", + "manual", + "wage-earning", + "working-class", + "wholesome", + "alimentary", + "alimental", + "nourishing", + "nutrient", + "nutritious", + "nutritive", + "heart-healthy", + "healthy", + "salubrious", + "good for you", + "hearty", + "satisfying", + "solid", + "square", + "substantial", + "organic", + "salubrious", + "unwholesome", + "insalubrious", + "unhealthful", + "unhealthy", + "insubstantial", + "jejune", + "morbid", + "nauseating", + "nauseous", + "noisome", + "queasy", + "loathsome", + "offensive", + "sickening", + "vile", + "rich", + "wide", + "broad", + "beamy", + "bird's-eye", + "panoramic", + "broad-brimmed", + "deep", + "fanlike", + "sweeping", + "wide-screen", + "narrow", + "constricting", + "constrictive", + "narrowing", + "narrowed", + "narrow-mouthed", + "slender", + "thin", + "strait", + "straplike", + "tapered", + "tapering", + "narrowing", + "wide", + "comfortable", + "narrow", + "bare", + "marginal", + "wieldy", + "unwieldy", + "unmanageable", + "awkward", + "bunglesome", + "clumsy", + "ungainly", + "cumbersome", + "cumbrous", + "wigged", + "peruked", + "periwigged", + "toupeed", + "wigless", + "willing", + "consenting", + "disposed", + "fain", + "inclined", + "prepared", + "glad", + "happy", + "ready", + "volitional", + "willing and able", + "unwilling", + "grudging", + "loath", + "loth", + "reluctant", + "unintentional", + "unwilled", + "winged", + "alar", + "alary", + "aliform", + "wing-shaped", + "alate", + "alated", + "batwing", + "brachypterous", + "short-winged", + "one-winged", + "pinioned", + "slender-winged", + "small-winged", + "volant", + "winglike", + "wingless", + "apterous", + "apteral", + "flightless", + "wired", + "bugged", + "connected", + "wireless", + "wise", + "all-knowing", + "omniscient", + "perspicacious", + "sagacious", + "sapient", + "owlish", + "sapiential", + "sage", + "foolish", + "absurd", + "cockeyed", + "derisory", + "idiotic", + "laughable", + "ludicrous", + "nonsensical", + "preposterous", + "ridiculous", + "asinine", + "fatuous", + "inane", + "mindless", + "vacuous", + "cockamamie", + "cockamamy", + "goofy", + "sappy", + "silly", + "wacky", + "whacky", + "zany", + "fond", + "harebrained", + "insane", + "mad", + "ill-conceived", + "misguided", + "rattlebrained", + "rattlepated", + "scatterbrained", + "scatty", + "unwise", + "wooded", + "arboraceous", + "arboreous", + "woodsy", + "woody", + "bosky", + "brushy", + "braky", + "brambly", + "forested", + "jungly", + "overgrown", + "rushy", + "scrabbly", + "scrubby", + "sylvan", + "silvan", + "thicket-forming", + "timbered", + "woodsy", + "unwooded", + "treeless", + "unforested", + "untimbered", + "woody", + "ashen", + "beechen", + "birch", + "birchen", + "birken", + "cedarn", + "ligneous", + "oaken", + "suffrutescent", + "wooden", + "nonwoody", + "herbaceous", + "pulpy", + "squashy", + "worldly", + "secular", + "temporal", + "economic", + "material", + "materialistic", + "mercenary", + "worldly-minded", + "mundane", + "terrestrial", + "unworldly", + "anchoritic", + "eremitic", + "eremitical", + "hermitic", + "hermitical", + "cloistered", + "cloistral", + "conventual", + "monastic", + "monastical", + "spiritual", + "unearthly", + "unmercenary", + "woven", + "braided", + "plain-woven", + "unwoven", + "felted", + "knitted", + "worn", + "aged", + "attrited", + "battered", + "clapped out", + "creaky", + "decrepit", + "derelict", + "flea-bitten", + "run-down", + "woebegone", + "dog-eared", + "eared", + "eroded", + "scoured", + "frayed", + "mangy", + "mangey", + "moth-eaten", + "mothy", + "played out", + "ragged", + "raddled", + "worn-out", + "moth-eaten", + "ratty", + "shabby", + "tatty", + "scruffy", + "seedy", + "shopworn", + "shopsoiled", + "tattered", + "tatterdemalion", + "threadbare", + "thumbed", + "vermiculate", + "worm-eaten", + "wormy", + "waterworn", + "weather-beaten", + "weatherworn", + "weathered", + "well-worn", + "new", + "unweathered", + "worthy", + "applaudable", + "commendable", + "laudable", + "praiseworthy", + "creditable", + "cum laude", + "deserving", + "worth", + "exemplary", + "model", + "magna cum laude", + "meritorious", + "meritable", + "noteworthy", + "notable", + "quotable", + "sacred", + "summa cum laude", + "valued", + "precious", + "valuable", + "worthful", + "worthwhile", + "unworthy", + "undeserving", + "unworthy", + "unmerited", + "unmeritorious", + "xeric", + "xerophytic", + "hydric", + "hydrophytic", + "hygrophytic", + "mesic", + "mesophytic", + "zonal", + "azonal", + "azonic", + "acrocarpous", + "pleurocarpous", + "cursorial", + "fossorial", + "homocercal", + "heterocercal", + "webbed", + "palmate", + "unwebbed", + "faceted", + "unfaceted", + "ipsilateral", + "contralateral", + "salient", + "re-entrant", + "reentrant", + "proactive", + "retroactive", + "rh-positive", + "rh-negative", + "categorematic", + "autosemantic", + "syncategorematic", + "synsemantic", + "idiographic", + "nomothetic", + "pro-choice", + "pro-life", + "baptized", + "baptised", + "unbaptized", + "unbaptised", + "benign", + "malignant", + "cancerous", + "calcicolous", + "calcifugous", + "invertible", + "non-invertible", + "immunocompetent", + "immunodeficient", + "allogeneic", + "xenogeneic", + "long-spurred", + "short-spurred", + "shelled", + "hard-shelled", + "smooth-shelled", + "spiral-shelled", + "thin-shelled", + "unshelled", + "shell-less", + "jawed", + "long-jawed", + "square-jawed", + "jawless", + "skinned", + "smooth-skinned", + "velvety-skinned", + "skinless", + "flowering", + "flowerless", + "nonflowering", + "spore-bearing", + "vegetal", + "vegetational", + "vegetative", + "asphaltic", + "abasic", + "abatic", + "abbatial", + "abdominovesical", + "Aberdonian", + "Abkhaz", + "Abkhazian", + "Abnaki", + "Aboriginal", + "abient", + "abiogenetic", + "academic", + "acanthotic", + "acapnic", + "acapnial", + "acapnotic", + "acervate", + "acetonic", + "acetylenic", + "acetylic", + "Achaean", + "Aeolian", + "achenial", + "achlorhydric", + "achondritic", + "aciculate", + "acidimetric", + "acidotic", + "acinar", + "acinar", + "acinous", + "acinose", + "acinic", + "acneiform", + "adolescent", + "acrogenic", + "acrogenous", + "actinometric", + "actinometrical", + "actinomycetal", + "actinomycetous", + "actinomycotic", + "aculeate", + "aculeated", + "adactylous", + "adamantine", + "adenocarcinomatous", + "adenoid", + "adenoidal", + "adient", + "adjudicative", + "adjudicatory", + "adnexal", + "annexal", + "Adonic", + "adrenal", + "adrenal", + "adrenergic", + "sympathomimetic", + "agnostic", + "Aleutian", + "ancestral", + "antheridial", + "antiadrenergic", + "antiapartheid", + "antidotal", + "antiferromagnetic", + "antipollution", + "antisatellite", + "ASAT", + "antiviral", + "adrenocortical", + "advective", + "adventitial", + "adventuristic", + "aecial", + "Aeolian", + "aeriferous", + "aerological", + "aerolitic", + "aeromechanic", + "aeromedical", + "aeronautical", + "aeronautic", + "aesculapian", + "medical", + "affine", + "affixal", + "affixial", + "agential", + "agonal", + "agonistic", + "agranulocytic", + "agraphic", + "agrobiologic", + "agrobiological", + "agrologic", + "agrological", + "agronomic", + "agronomical", + "agrypnotic", + "air-breathing", + "alabaster", + "alabastrine", + "Alaskan", + "Albigensian", + "Albanian", + "albinal", + "albinotic", + "albinic", + "albinistic", + "albitic", + "albuminous", + "albuminuric", + "alchemic", + "alchemical", + "alchemistic", + "alchemistical", + "aldehydic", + "aleuronic", + "algoid", + "algolagnic", + "algometric", + "algometrical", + "Algonquian", + "Algonkian", + "Algonquin", + "alimentative", + "alkahestic", + "alkaloidal", + "alkalotic", + "alkylic", + "allantoic", + "allelic", + "allelomorphic", + "allergenic", + "allergic", + "Allied", + "Allied", + "allogamous", + "allographic", + "allomerous", + "allometric", + "allomorphic", + "allophonic", + "allotropic", + "allotropical", + "allylic", + "alopecic", + "alphabetic", + "alphabetical", + "analphabetic", + "alphanumeric", + "alphanumerical", + "alphameric", + "alphamerical", + "Altaic", + "altitudinal", + "alular", + "aluminous", + "alveolar", + "alveolar", + "amalgamative", + "amaranthine", + "amaurotic", + "amblyopic", + "Ambrosian", + "ambulacral", + "ambulatory", + "ameboid", + "amoeboid", + "amenorrheic", + "amenorrhoeic", + "amenorrheal", + "amenorrhoeal", + "amethystine", + "Amharic", + "amino", + "aminic", + "amitotic", + "ammino", + "ammoniac", + "ammoniacal", + "ammonitic", + "amnestic", + "amnesic", + "amniotic", + "amnionic", + "amnic", + "amoristic", + "amphitheatric", + "amphitheatrical", + "amphoric", + "ampullar", + "ampullary", + "amygdaline", + "amylolytic", + "anabiotic", + "anabolic", + "anaclitic", + "anacoluthic", + "anaglyphic", + "anaglyphical", + "anaglyptic", + "anaglyptical", + "anagogic", + "anagogical", + "anagrammatic", + "anagrammatical", + "anal", + "analytic", + "anamnestic", + "anamorphic", + "anamorphic", + "anaphasic", + "anaplastic", + "anarchistic", + "anasarcous", + "anastigmatic", + "stigmatic", + "Andalusian", + "androgenetic", + "androgenous", + "androgenic", + "androgynous", + "anemographic", + "anemometric", + "anemometrical", + "anencephalic", + "anencephalous", + "anestrous", + "anestric", + "anoestrous", + "anginal", + "anginose", + "anginous", + "angiocarpic", + "angiocarpous", + "angiomatous", + "angiospermous", + "Anglophilic", + "Anglophobic", + "anguine", + "anicteric", + "animalistic", + "animatistic", + "animist", + "animistic", + "aniseikonic", + "anisogamic", + "anisogamous", + "anisogametic", + "anisometropic", + "ankylotic", + "annalistic", + "Bayesian", + "Arminian", + "Armenian", + "Biedermeier", + "annelid", + "annelidan", + "annexational", + "hermeneutic", + "Middle Eastern", + "annunciatory", + "alliaceous", + "anodic", + "anodal", + "cathodic", + "anoperineal", + "anopheline", + "anorectal", + "anorthitic", + "anosmic", + "anosmatic", + "anoxemic", + "anoxic", + "anserine", + "antecubital", + "antennal", + "antennary", + "anthracitic", + "anthropic", + "anthropical", + "anthropogenetic", + "anthropogenic", + "anthropometric", + "anthropometrical", + "anthropophagous", + "antibiotic", + "anticancer", + "antineoplastic", + "antitumor", + "antitumour", + "anticlimactic", + "anticlimactical", + "anticoagulative", + "anticyclonic", + "antigenic", + "antimonic", + "antimonious", + "antinomian", + "antiphonary", + "antiphonal", + "antipodal", + "antipodean", + "antistrophic", + "antitypic", + "antitypical", + "anuran", + "batrachian", + "salientian", + "anuretic", + "anuric", + "anxiolytic", + "aoristic", + "aortal", + "aortic", + "aphaeretic", + "apheretic", + "aphakic", + "aphanitic", + "aphasic", + "aphetic", + "apian", + "apiarian", + "apicultural", + "aplitic", + "apneic", + "apnoeic", + "apocalyptic", + "Apocryphal", + "apocynaceous", + "apogamic", + "apogametic", + "apogamous", + "apogean", + "apomictic", + "apomictical", + "aponeurotic", + "apophatic", + "apophyseal", + "apoplectic", + "apoplectiform", + "apoplectoid", + "aposiopetic", + "apostrophic", + "apothecial", + "apothegmatic", + "apothegmatical", + "Appalachian", + "appellative", + "appendicular", + "appointive", + "appositional", + "appositive", + "appropriative", + "apsidal", + "aptitudinal", + "aqueous", + "aquatic", + "aquiferous", + "arachnoid", + "arachnidian", + "spidery", + "spiderlike", + "spiderly", + "Aramaic", + "Aramean", + "Aramaean", + "araneidal", + "araneidan", + "Arawakan", + "arbitral", + "arbitrational", + "arbitrative", + "arborical", + "arboreal", + "arborary", + "arborous", + "archaeological", + "archeological", + "archaeologic", + "archeologic", + "archaistic", + "archangelic", + "archangelical", + "arched", + "archdiocesan", + "archducal", + "archegonial", + "archegoniate", + "archesporial", + "archidiaconal", + "archiepiscopal", + "archepiscopal", + "archipelagic", + "archival", + "archosaurian", + "areal", + "arenicolous", + "areolar", + "areolate", + "argentic", + "argentous", + "armillary", + "aroid", + "araceous", + "aromatic", + "arsenical", + "arsenious", + "arterial", + "venous", + "arteriovenous", + "arthralgic", + "arthromeric", + "arthropodal", + "arthropodan", + "arthropodous", + "arthrosporic", + "arthrosporous", + "Arthurian", + "articular", + "articulary", + "articulatory", + "articulative", + "artiodactyl", + "artiodactylous", + "even-toed", + "arundinaceous", + "ascensional", + "ascetic", + "ascetical", + "ascitic", + "asclepiadaceous", + "ascocarpous", + "ascosporic", + "ascosporous", + "associational", + "asteriated", + "asterismal", + "stoloniferous", + "stomatal", + "stomatous", + "stomatal", + "stomatous", + "astomatal", + "stored-program", + "astragalar", + "astrocytic", + "astronautic", + "astronautical", + "astronomic", + "astronomical", + "asynergic", + "ataxic", + "atactic", + "atherosclerotic", + "atonalistic", + "atonic", + "atrial", + "atrioventricular", + "auriculoventricular", + "attentional", + "attitudinal", + "attritional", + "audiometric", + "audiovisual", + "augitic", + "aural", + "aural", + "auricular", + "auricular", + "autoimmune", + "biauricular", + "auroral", + "aurorean", + "auroral", + "aurous", + "auric", + "auscultatory", + "austenitic", + "Australasian", + "australopithecine", + "autacoidal", + "autarchic", + "autarchical", + "autarkical", + "authorial", + "auctorial", + "autobiographical", + "autobiographic", + "autobiographical", + "autobiographic", + "autocatalytic", + "autogenetic", + "autographic", + "autolytic", + "autoplastic", + "autoradiographic", + "autotelic", + "autotomic", + "autotrophic", + "autophytic", + "heterotrophic", + "autotypic", + "auxetic", + "auxinic", + "axiomatic", + "axiomatical", + "postulational", + "axiomatic", + "aphoristic", + "avellan", + "avellane", + "avian", + "avifaunal", + "avifaunistic", + "avionic", + "avitaminotic", + "avocational", + "avuncular", + "avuncular", + "award-winning", + "axial", + "axile", + "axial", + "axillary", + "axiological", + "axonal", + "Azerbaijani", + "azido", + "azimuthal", + "azo", + "diazo", + "zoic", + "azotemic", + "uremic", + "uraemic", + "baboonish", + "Babylonian", + "baccate", + "berrylike", + "bacchantic", + "bacillar", + "bacillary", + "back-channel", + "bacteremic", + "bacteriolytic", + "bacteriophagic", + "bacteriophagous", + "bacteriostatic", + "bacteroidal", + "bacteroid", + "bacterioidal", + "bacterioid", + "Bahai", + "balletic", + "ballistic", + "balsamic", + "balsamy", + "baric", + "barographic", + "barometric", + "barometrical", + "barytic", + "basaltic", + "basidial", + "basidiomycetous", + "basidiosporous", + "basilar", + "basilary", + "basilican", + "basinal", + "batholithic", + "batholitic", + "bathymetric", + "bathymetrical", + "bauxitic", + "behavioristic", + "behaviorist", + "behaviouristic", + "behaviourist", + "Belarusian", + "belemnitic", + "benedictory", + "benedictive", + "beneficiary", + "benevolent", + "benthic", + "benthal", + "benthonic", + "bentonitic", + "benzenoid", + "benzoic", + "benzylic", + "betulaceous", + "biaxial", + "biaxal", + "biaxate", + "bibliographic", + "bibliographical", + "bibliolatrous", + "bibliomaniacal", + "bibliophilic", + "bibliopolic", + "bibliothecal", + "bibliothecarial", + "bibliotic", + "bicapsular", + "bichromated", + "bicipital", + "bignoniaceous", + "biliary", + "bilious", + "biliary", + "billiard", + "bimetallistic", + "bimetallic", + "bimillenial", + "binary", + "biocatalytic", + "biochemical", + "bioclimatic", + "biogenetic", + "biogenous", + "biogenic", + "biogeographic", + "biogeographical", + "biological", + "biologic", + "biologistic", + "sociobiologic", + "sociobiological", + "neurobiological", + "bionic", + "biosynthetic", + "biosystematic", + "biotitic", + "biotypic", + "black-and-white", + "blastogenetic", + "bodily", + "Bohemian", + "bolographic", + "bolometric", + "Boolean", + "borated", + "boronic", + "boskopoid", + "botanic", + "botanical", + "botryoid", + "botryoidal", + "boytrose", + "Botswanan", + "bottom-dwelling", + "bottom-feeding", + "boustrophedonic", + "brachial", + "brachiopod", + "brachiopodous", + "brachyurous", + "bracteal", + "bracteate", + "bracted", + "bracteolate", + "brahminic", + "brahminical", + "branchial", + "branchiopod", + "branchiopodan", + "branchiopodous", + "brassy", + "brasslike", + "breech-loading", + "bregmatic", + "brimless", + "brisant", + "broadband", + "wideband", + "broadband", + "Brobdingnagian", + "bromic", + "bromidic", + "buccal", + "bulimic", + "burrlike", + "bursal", + "buteonine", + "butyraceous", + "butyric", + "cachectic", + "cacodemonic", + "cacodaemonic", + "cacodylic", + "cadastral", + "cadaverous", + "cadaveric", + "caducean", + "caecilian", + "caesural", + "caffeinic", + "cairned", + "calcaneal", + "calcareous", + "chalky", + "calceolate", + "calceiform", + "calcic", + "calciferous", + "calcitic", + "calculous", + "calendric", + "calendrical", + "calico", + "calisthenic", + "callithumpian", + "caloric", + "noncaloric", + "calorimetric", + "calyceal", + "calycine", + "calycinal", + "calycular", + "calicular", + "calyculate", + "calycled", + "calyptrate", + "calyptrate", + "cambial", + "campanulate", + "campanular", + "campanulated", + "camphoraceous", + "camphoric", + "canalicular", + "cancroid", + "canicular", + "canicular", + "canine", + "canine", + "laniary", + "capacitive", + "Capetian", + "capitular", + "capitulary", + "Cappadocian", + "caprine", + "capsular", + "capsular", + "carangid", + "carbocyclic", + "carbolated", + "carbonyl", + "carbonylic", + "carboxyl", + "carboxylic", + "carcinogenic", + "carcinomatous", + "cardiographic", + "cardiopulmonary", + "cardiorespiratory", + "carinal", + "carnivorous", + "Caroline", + "Carolean", + "Carolingian", + "carotid", + "carpellary", + "carpetbag", + "carposporic", + "carposporous", + "cartilaginous", + "cartographic", + "cartographical", + "Carthusian", + "caruncular", + "carunculous", + "carunculate", + "carunculated", + "caryophyllaceous", + "cash-and-carry", + "catabolic", + "katabolic", + "catachrestic", + "catachrestical", + "catalatic", + "cataphatic", + "cataplastic", + "catapultic", + "catapultian", + "catarrhal", + "categorial", + "categorical", + "categoric", + "cathectic", + "cathedral", + "catkinate", + "catoptric", + "catoptrical", + "cecal", + "caecal", + "celebratory", + "celestial", + "heavenly", + "celestial", + "heavenly", + "cellular", + "extracellular", + "integral", + "integumentary", + "integumental", + "intercellular", + "interest-bearing", + "intracellular", + "cellulosid", + "cementitious", + "cenobitic", + "coenobitic", + "cenobitical", + "coenobitical", + "eremitic", + "eremitical", + "cenogenetic", + "Cenozoic", + "palingenetic", + "censorial", + "centesimal", + "centigrade", + "centralist", + "centralistic", + "centroidal", + "centrosomic", + "cephalopod", + "cephalopodan", + "cercarial", + "cereal", + "cerebellar", + "cerebral", + "cerebrospinal", + "cerebrovascular", + "cervical", + "ceric", + "cerous", + "ceruminous", + "cervine", + "cetacean", + "cetaceous", + "chaetal", + "chaetognathan", + "chaetognathous", + "chaffy", + "chafflike", + "Chaldean", + "Chaldaean", + "Chaldee", + "chalybeate", + "chancroidal", + "chancrous", + "chaotic", + "charitable", + "chartaceous", + "papery", + "paperlike", + "chauvinistic", + "Chechen", + "chelate", + "cheliferous", + "chelate", + "chelated", + "cheliceral", + "chelicerate", + "chelicerous", + "chelonian", + "chemical", + "chemic", + "photochemical", + "chemical", + "physicochemical", + "chemiluminescent", + "chemoreceptive", + "chemotherapeutic", + "chemotherapeutical", + "cherty", + "Chian", + "chiasmal", + "chiasmic", + "chiasmatic", + "childbearing", + "chimeric", + "chimerical", + "chimeral", + "Chippendale", + "chirpy", + "chitinous", + "chlamydial", + "chlorophyllose", + "chlorophyllous", + "chlorotic", + "greensick", + "choleraic", + "choragic", + "chordal", + "chordate", + "Christological", + "chromatinic", + "Churchillian", + "Wilsonian", + "achromatinic", + "cinematic", + "civil", + "civic", + "civil", + "civic", + "municipal", + "clamatorial", + "cleistogamous", + "cleistogamic", + "clerical", + "clerical", + "classical", + "clonal", + "closed-circuit", + "cloven-hoofed", + "cloven-footed", + "cloze", + "coastal", + "coccal", + "coccygeal", + "coin-operated", + "collagenous", + "collagenic", + "collarless", + "collegiate", + "collegial", + "collegial", + "colonial", + "colonial", + "colonic", + "colorectal", + "colorimetric", + "colorimetrical", + "commensal", + "communal", + "composite", + "conceptualistic", + "concretistic", + "condylar", + "configurational", + "confrontational", + "congregational", + "conjunctival", + "consonantal", + "constitutional", + "consubstantial", + "contractual", + "cosmic", + "cosmologic", + "cosmological", + "cosmologic", + "cosmological", + "cosmogonic", + "cosmogonical", + "cosmogenic", + "cordless", + "coreferential", + "co-referent", + "cormous", + "cormose", + "corneal", + "Cornish", + "correlational", + "corymbose", + "corinthian", + "costal", + "intercostal", + "intertidal", + "covalent", + "cross-ply", + "cross-pollinating", + "croupy", + "crural", + "crustal", + "crustaceous", + "crustaceous", + "crustacean", + "crustose", + "cryogenic", + "cryonic", + "cryptanalytic", + "cryptographic", + "cryptographical", + "cryptologic", + "cryptological", + "cryptogamic", + "cryptogamous", + "cryptobiotic", + "ctenoid", + "comb-like", + "cubital", + "cucurbitaceous", + "culinary", + "cuneiform", + "cupric", + "cuprous", + "curricular", + "custard-like", + "cyclic", + "cytoarchitectural", + "cytoarchitectonic", + "cytolytic", + "cytophotometric", + "cytoplasmic", + "cytoplasmatic", + "cytoplastic", + "bicylindrical", + "cystic", + "cystic", + "cytogenetic", + "cytogenetical", + "cytokinetic", + "cytological", + "cytologic", + "cytotoxic", + "czarist", + "czaristic", + "tsarist", + "tsaristic", + "tzarist", + "deductive", + "deliverable", + "Democratic", + "Demotic", + "denominational", + "denominational", + "dental", + "dental", + "despotic", + "despotical", + "diagonalizable", + "diamagnetic", + "diamantine", + "diametral", + "diametric", + "diametrical", + "diaphoretic", + "sudorific", + "diastolic", + "dicarboxylic", + "Dickensian", + "dictatorial", + "differentiable", + "differential", + "digital", + "digital", + "dimorphic", + "dimorphous", + "Dionysian", + "diplomatic", + "dipterous", + "directional", + "omnidirectional", + "directional", + "discomycetous", + "distributional", + "dithyrambic", + "dramatic", + "drupaceous", + "dumpy", + "dural", + "dynastic", + "dysgenic", + "cacogenic", + "dysplastic", + "Ephesian", + "Eucharistic", + "eugenic", + "Eurocentric", + "Europocentric", + "eutrophic", + "Ebionite", + "ebracteate", + "economic", + "economic", + "economical", + "socioeconomic", + "ectopic", + "editorial", + "editorial", + "electoral", + "electrocardiographic", + "electrochemical", + "electroencephalographic", + "electrolytic", + "electrolytic", + "electromechanical", + "electromotive", + "electronic", + "electronic", + "electrophoretic", + "cataphoretic", + "electrostatic", + "static", + "elegiac", + "elemental", + "elemental", + "elementary", + "elfin", + "empyrean", + "empyreal", + "emulous", + "eonian", + "aeonian", + "epenthetic", + "parasitic", + "epidural", + "extradural", + "epigastric", + "epigastric", + "epilithic", + "episcopal", + "pontifical", + "equestrian", + "equestrian", + "equine", + "equine", + "equinoctial", + "equinoctial", + "ergonomic", + "ergotic", + "ergotropic", + "eruptive", + "erythematous", + "erythroid", + "erythropoietic", + "eschatological", + "esophageal", + "Essene", + "essential", + "Estonian", + "estrogenic", + "estuarine", + "estuarial", + "ethical", + "evidentiary", + "excrescent", + "excretory", + "exegetic", + "exegetical", + "exilic", + "existential", + "existential", + "existentialist", + "extropic", + "facial", + "factor analytical", + "factor analytic", + "factorial", + "facultative", + "Fahrenheit", + "fanged", + "federal", + "femoral", + "fenestral", + "fenestral", + "fermentable", + "ferric", + "ferrous", + "feudal", + "feudalistic", + "febrile", + "feverish", + "afebrile", + "fiber-optic", + "fiberoptic", + "fibre-optic", + "fibreoptic", + "fibrillose", + "fibrinous", + "fibrocartilaginous", + "fictile", + "fictional", + "nonfictional", + "field-crop", + "filar", + "bifilar", + "unifilar", + "filarial", + "filariid", + "fisheye", + "wide-angle", + "fishy", + "fistulous", + "flaky", + "flakey", + "fleshy", + "sarcoid", + "flinty", + "floricultural", + "flowery", + "fluvial", + "foliate", + "foliated", + "foliaceous", + "forcipate", + "formalistic", + "formalized", + "formalised", + "formic", + "formic", + "formulary", + "fossil", + "fossiliferous", + "three-wheel", + "three-wheeled", + "fourhanded", + "four-wheel", + "four-wheeled", + "Frankish", + "fraternal", + "fretted", + "unfretted", + "frictional", + "frictionless", + "Frisian", + "Galilean", + "Galilaean", + "Galilean", + "Gallican", + "garlicky", + "gastric", + "stomachic", + "stomachal", + "gastroduodenal", + "gastroesophageal", + "pneumogastric", + "gemmiferous", + "generational", + "generic", + "genetic", + "genetical", + "genetic", + "genic", + "genetic", + "genetical", + "genial", + "mental", + "mental", + "gentile", + "geometric", + "geometrical", + "geophytic", + "geostrategic", + "geothermal", + "geothermic", + "gingival", + "glabellar", + "glacial", + "glial", + "gluteal", + "glycogenic", + "granuliferous", + "granulomatous", + "grapelike", + "graphic", + "graphical", + "graphic", + "gravitational", + "gravitative", + "grubby", + "guttural", + "hair-shirt", + "hair-shirted", + "harmonic", + "nonharmonic", + "harmonic", + "harmonic", + "Hasidic", + "Hassidic", + "Chasidic", + "Chassidic", + "Hawaiian", + "heathlike", + "Hebridean", + "heliacal", + "heliac", + "hematopoietic", + "haematopoietic", + "hemopoietic", + "haemopoietic", + "hematogenic", + "haematogenic", + "hemodynamic", + "hemispherical", + "hemorrhagic", + "haemorrhagic", + "hepatic", + "heroic", + "heterodyne", + "heterosporous", + "Hollywood", + "homeostatic", + "homonymic", + "homonymous", + "homosporous", + "homostylous", + "homostylic", + "homostyled", + "horse-drawn", + "hexadecimal", + "hex", + "hexangular", + "hexagonal", + "hidrotic", + "hieratic", + "hieroglyphic", + "hieroglyphical", + "hieroglyphic", + "hieroglyphical", + "high-energy", + "hircine", + "home", + "hooflike", + "horary", + "human", + "human", + "humanist", + "humanistic", + "humane", + "humanistic", + "humanist", + "humanist", + "humanistic", + "humic", + "humified", + "hyaloplasmic", + "hydrocephalic", + "hydrographic", + "hydrographical", + "hydrolyzable", + "hydroxy", + "hymenopterous", + "hypnotic", + "ideal", + "idealistic", + "ideographic", + "ideological", + "idiopathic", + "immune", + "immunochemical", + "immunocompromised", + "immunological", + "immunologic", + "immunosuppressed", + "immunosuppressive", + "immunotherapeutic", + "imperial", + "imperial", + "imperial", + "impetiginous", + "impressionist", + "impressionistic", + "impressionistic", + "Incan", + "incendiary", + "incestuous", + "incestuous", + "inductive", + "indusial", + "industrial", + "inertial", + "infantile", + "inferential", + "illative", + "informational", + "inguinal", + "inhalant", + "ink-jet", + "inscriptive", + "insecticidal", + "institutional", + "interlinear", + "interlineal", + "intracerebral", + "intracranial", + "intraventricular", + "intervertebral", + "insular", + "intuitionist", + "ionic", + "Ionic", + "Ionic", + "Ionian", + "nonionic", + "nonpolar", + "iridaceous", + "iritic", + "ischemic", + "ischaemic", + "isentropic", + "Ismaili", + "isthmian", + "Jamesian", + "Jamesian", + "Jeffersonian", + "jet-propelled", + "jihadi", + "jittery", + "judicial", + "juridical", + "juridic", + "judicial", + "jumentous", + "Jurassic", + "pre-Jurassic", + "juridical", + "juridic", + "jurisprudential", + "leaden", + "legal", + "legal", + "labial", + "labial", + "lactogenic", + "large-capitalization", + "large-capitalisation", + "large-cap", + "lathery", + "sudsy", + "Latin-American", + "leguminous", + "leonine", + "Levitical", + "lexicalized", + "lexicalised", + "life-support", + "liliaceous", + "limacine", + "limacoid", + "limnological", + "living", + "lobeliaceous", + "local", + "locker-room", + "logogrammatic", + "logographic", + "long-distance", + "loopy", + "lucifugous", + "lucifugal", + "lunar", + "sublunar", + "sublunary", + "cislunar", + "translunar", + "translunary", + "superlunar", + "superlunary", + "lung-like", + "lunisolar", + "lupine", + "luteal", + "macaronic", + "macroeconomic", + "Malayo-Polynesian", + "Mandaean", + "Mandean", + "mandibulate", + "Manichaean", + "Manichean", + "Manichee", + "manual", + "Maoist", + "maternal", + "matutinal", + "paternal", + "patriarchal", + "mealy", + "mecopterous", + "medical", + "biomedical", + "premedical", + "medicolegal", + "medullary", + "medullary", + "medullary", + "medusoid", + "meningeal", + "menopausal", + "Merovingian", + "Prakritic", + "Procrustean", + "provencal", + "pre-Christian", + "prejudicial", + "prejudicious", + "premenopausal", + "presocratic", + "pre-Socratic", + "postdiluvian", + "postdoctoral", + "postexilic", + "postglacial", + "postmenopausal", + "postpositive", + "pouched", + "pteridological", + "meiotic", + "mercuric", + "mercurous", + "meretricious", + "meridional", + "metrological", + "micaceous", + "microeconomic", + "military", + "paramilitary", + "minimalist", + "ministerial", + "ministerial", + "minty", + "Mishnaic", + "omissive", + "miotic", + "myotic", + "missionary", + "missional", + "monocarboxylic", + "monoclonal", + "Monophysite", + "Monophysitic", + "monotypic", + "moraceous", + "morbilliform", + "motivational", + "mousy", + "mousey", + "myalgic", + "myelinated", + "medullated", + "unmyelinated", + "myopathic", + "narcoleptic", + "nasopharyngeal", + "natal", + "natal", + "natriuretic", + "naval", + "Nazarene", + "Nazarene", + "neonatal", + "neoplastic", + "neotenic", + "neotenous", + "Nestorian", + "New Caledonian", + "Noachian", + "nominal", + "nominal", + "nominalistic", + "nominative", + "North Vietnamese", + "nosocomial", + "numeral", + "numerical", + "numeric", + "numerological", + "Numidian", + "numinous", + "oleaceous", + "olfactory", + "olfactive", + "oligarchic", + "oligarchical", + "one-humped", + "single-humped", + "oneiric", + "onomastic", + "on-the-job", + "oral", + "orb-weaving", + "oropharyngeal", + "Orphic", + "Orwellian", + "pachydermatous", + "pachydermal", + "pachydermic", + "pachydermous", + "packable", + "palatoglossal", + "paleontological", + "palaeontological", + "Palladian", + "palmar", + "volar", + "palpatory", + "palpebrate", + "panicled", + "papilliform", + "paradigmatic", + "paramedical", + "paranasal", + "parhelic", + "parheliacal", + "parliamentary", + "parous", + "parotid", + "paroxysmal", + "paschal", + "passerine", + "nonpasserine", + "Pauline", + "peacekeeping", + "peaty", + "perigonal", + "perithelial", + "monetary", + "pecuniary", + "pedal", + "pectineal", + "pemphigous", + "petaloid", + "phagocytic", + "phalangeal", + "Pharaonic", + "Phoenician", + "phonogramic", + "phonological", + "phonologic", + "photomechanical", + "photometric", + "photometrical", + "photosynthetic", + "nonphotosynthetic", + "phreatic", + "phrenological", + "pictographic", + "plagioclastic", + "pilar", + "pilosebaceous", + "planetal", + "planetary", + "planktonic", + "planographic", + "plantar", + "interplanetary", + "penal", + "penicillin-resistant", + "penumbral", + "physical", + "plane-polarized", + "planetary", + "terrestrial", + "extraterrestrial", + "Platonistic", + "Platonic", + "pleomorphic", + "plumbaginaceous", + "plumbic", + "plumbous", + "plutocratic", + "plutocratical", + "polarographic", + "polemoniaceous", + "politically correct", + "politically incorrect", + "polydactyl", + "polydactylous", + "polyhedral", + "polymeric", + "pompous", + "ceremonious", + "popliteal", + "positionable", + "positional", + "positivist", + "positivistic", + "positive", + "pragmatic", + "pragmatical", + "prandial", + "preanal", + "preclinical", + "presymptomatic", + "precancerous", + "precordial", + "predestinarian", + "prelapsarian", + "premenstrual", + "presentational", + "pressor", + "prodromal", + "prodromic", + "professorial", + "prolusory", + "propagative", + "prostate", + "prostatic", + "prosthetic", + "prosthetic", + "prosthodontic", + "proteinaceous", + "provincial", + "pubertal", + "pupillary", + "Puranic", + "putrid", + "rabid", + "radial-ply", + "radiological", + "radiotelephonic", + "radiophonic", + "rationalistic", + "ratty", + "realistic", + "real-time", + "recoilless", + "recombinant", + "recreational", + "refractive", + "refractile", + "refractory-lined", + "republican", + "resinlike", + "revenant", + "Rhodesian", + "rocket-propelled", + "Romansh", + "Rumansh", + "romantic", + "romanticist", + "romanticistic", + "ropy", + "ropey", + "royal", + "royal", + "ruminant", + "nonruminant", + "agricultural", + "aquicultural", + "aquacultural", + "hydroponic", + "rural", + "Ruritanian", + "Sabine", + "saccadic", + "sacculated", + "sacculate", + "sadomasochistic", + "Sadducean", + "Saharan", + "sapiens", + "sarcolemmic", + "sarcolemnous", + "sartorial", + "sartorial", + "scalene", + "scalene", + "scapular", + "scapulohumeral", + "scenic", + "scholastic", + "scholastic", + "scientific", + "sclerotic", + "sclerotic", + "sclerosed", + "scurfy", + "Scythian", + "secular", + "secretarial", + "secretory", + "sectarian", + "sectorial", + "self", + "self-aggrandizing", + "self-aggrandising", + "self-induced", + "self-limited", + "self-pollinating", + "self-renewing", + "self-service", + "semiautobiographical", + "seminal", + "seminiferous", + "semiotic", + "semiotical", + "semiparasitic", + "senatorial", + "sensational", + "sensory", + "sepaloid", + "sepaline", + "septal", + "septate", + "sepulchral", + "serial", + "serial", + "sidereal", + "Sikh", + "siliceous", + "silicious", + "single-stranded", + "Siouan", + "Sisyphean", + "snow-capped", + "social", + "societal", + "social", + "soft-finned", + "soft-nosed", + "solar", + "sociopathic", + "solanaceous", + "Solomonic", + "somatosensory", + "soteriological", + "squint-eyed", + "squinty", + "specialistic", + "spectral", + "spectrographic", + "spermicidal", + "spermous", + "spermatic", + "spherical", + "nonspherical", + "sphingine", + "splashy", + "splenic", + "splenetic", + "lienal", + "splintery", + "slivery", + "sporogenous", + "sportive", + "sporting", + "spousal", + "spring-loaded", + "stagflationary", + "stainable", + "Stalinist", + "stannic", + "stannous", + "staphylococcal", + "statutory", + "stellar", + "astral", + "interstellar", + "stemmatic", + "stenographic", + "stenographical", + "steroidal", + "nonsteroidal", + "stoichiometric", + "stovepiped", + "subarctic", + "subcortical", + "subdural", + "sublingual", + "suburban", + "sub-Saharan", + "suctorial", + "Sufi", + "sulfurous", + "sulphurous", + "Sumerian", + "superficial", + "suppurative", + "nonsuppurative", + "supraorbital", + "supraocular", + "surficial", + "sustainable", + "sustentacular", + "syllabic", + "syllabic", + "symbolic", + "symbolical", + "symbolic", + "symptomatic", + "syncretic", + "syncretical", + "syncretistic", + "syncretistical", + "syncretic", + "syncretical", + "syncretistic", + "syncretistical", + "synesthetic", + "synaesthetic", + "synoptic", + "synovial", + "syntagmatic", + "tangential", + "Tasmanian", + "taurine", + "technical", + "proficient", + "technophilic", + "technophobic", + "technical", + "technological", + "telemetered", + "tellurian", + "telluric", + "terrestrial", + "terrene", + "semiterrestrial", + "telluric", + "temperamental", + "temporal", + "temporal", + "spatiotemporal", + "tendinous", + "sinewy", + "tendril-climbing", + "tensile", + "tensional", + "tentacular", + "tentacled", + "teratogenic", + "terminal", + "terminal", + "territorial", + "testaceous", + "testamentary", + "testimonial", + "testimonial", + "theatrical", + "Theban", + "Theban", + "thematic", + "unthematic", + "thematic", + "thenal", + "thenar", + "thermal", + "thermal", + "thermic", + "caloric", + "nonthermal", + "thermoelectric", + "thermoelectrical", + "threaded", + "tibial", + "tidal", + "tiered", + "time-release", + "Timorese", + "tinny", + "titular", + "titular", + "titular", + "titular", + "titulary", + "toll-free", + "tonic", + "tonal", + "tonic", + "clonic", + "topical", + "topological", + "topologic", + "toroidal", + "torrential", + "tortious", + "totalitarian", + "totalistic", + "totipotent", + "tubercular", + "tubercular", + "tubercular", + "tuberculate", + "tuberculoid", + "turbinate", + "two-humped", + "double-humped", + "two-wheel", + "two-wheeled", + "umbelliform", + "umbelliferous", + "uncial", + "Uniate", + "unicellular", + "uniovular", + "uniovulate", + "unitary", + "unitary", + "unpigmented", + "urban", + "urceolate", + "urethral", + "urogenital", + "usufructuary", + "uveal", + "uveous", + "vacuolate", + "vacuolated", + "vagal", + "pneumogastric", + "valedictory", + "apopemptic", + "valent", + "valetudinarian", + "valetudinary", + "valved", + "vanilla", + "variolar", + "variolic", + "variolous", + "Vedic", + "ventilatory", + "ventricular", + "verbal", + "verbal", + "vertical", + "viatical", + "vibrational", + "vicarial", + "vicennial", + "vigesimal", + "virginal", + "vitreous", + "vitreous", + "vocal", + "vocal", + "instrumental", + "vocalic", + "volcanic", + "atheist", + "atheistic", + "atheistical", + "electrical", + "electric", + "electrical", + "voltaic", + "galvanic", + "photoconductive", + "photoemissive", + "photovoltaic", + "photoelectric", + "photoelectrical", + "hydroelectric", + "hydrostatic", + "hydrokinetic", + "interlocutory", + "interstitial", + "isomeric", + "isometric", + "isomorphous", + "isomorphic", + "isotonic", + "lapidary", + "legislative", + "legislative", + "leprous", + "lingual", + "Linnaean", + "Linnean", + "long-chain", + "longitudinal", + "literary", + "critical", + "lithic", + "lithic", + "lymphatic", + "lymphocytic", + "lymphoid", + "lysogenic", + "lysogenic", + "magisterial", + "atmospheric", + "atmospherical", + "amphibious", + "amphibian", + "insectan", + "mammalian", + "piscine", + "reptilian", + "algal", + "fungal", + "fungous", + "fungicidal", + "antifungal", + "fungoid", + "funguslike", + "infectious", + "plantal", + "vegetative", + "vegetive", + "bacterial", + "parasitic", + "parasitical", + "antibacterial", + "cyanobacterial", + "cyanophyte", + "moneran", + "triangulate", + "quadrangular", + "tetragonal", + "tetrametric", + "pentangular", + "pentagonal", + "octangular", + "octagonal", + "neoclassicist", + "neoclassicistic", + "expressionist", + "expressionistic", + "postmodernist", + "postmodern", + "revolutionary", + "residual", + "residuary", + "relativistic", + "relativistic", + "raptorial", + "radical", + "radial", + "radial", + "radial", + "ulnar", + "radiographic", + "birefringent", + "bisectional", + "bismuthal", + "bismuthic", + "bisontine", + "bistered", + "bistred", + "bistroic", + "polar", + "bipolar", + "bipolar", + "transpolar", + "photographic", + "photic", + "pneumatic", + "pneumococcal", + "phallic", + "feminist", + "professional", + "professional", + "vulpine", + "vulpecular", + "wolflike", + "wolfish", + "vulvar", + "vulval", + "clitoral", + "clitoric", + "vocational", + "ungual", + "succinic", + "umbilical", + "spatial", + "spacial", + "nonspatial", + "sigmoid", + "sigmoidal", + "sigmoid", + "sciatic", + "sciatic", + "semantic", + "bovine", + "bovid", + "crinoid", + "linguistic", + "lingual", + "nonlinguistic", + "intralinguistic", + "sociolinguistic", + "cross-linguistic", + "linguistic", + "bridal", + "bridal", + "nuptial", + "spousal", + "cardiac", + "caudal", + "Caucasian", + "Caucasic", + "cephalic", + "cranial", + "craniometric", + "craniometrical", + "comatose", + "conic", + "conical", + "conelike", + "cone-shaped", + "corinthian", + "corvine", + "ciliary", + "ciliate", + "ciliary", + "ciliate", + "cilial", + "ciliary", + "counterinsurgent", + "counterrevolutionary", + "counterterror", + "counterterrorist", + "cyprinid", + "cyprinoid", + "dietary", + "dietetic", + "dietetical", + "diluvian", + "diluvial", + "antediluvian", + "antediluvial", + "dominical", + "dominical", + "Donatist", + "Dorian", + "doric", + "dot-com", + "floral", + "floral", + "fiscal", + "financial", + "nonfinancial", + "fiducial", + "fiduciary", + "fiducial", + "funicular", + "lactic", + "lacteal", + "galactic", + "extragalactic", + "intergalactic", + "gnomic", + "Gnostic", + "gymnastic", + "gyral", + "alvine", + "epistemic", + "epistemological", + "hemal", + "haemal", + "hematal", + "haematal", + "hemic", + "haemic", + "hematic", + "haematic", + "hemiparasitic", + "haemophilic", + "hemophilic", + "humoral", + "chylaceous", + "chylous", + "chylific", + "chylifactive", + "chylifactory", + "chyliferous", + "iconic", + "ichorous", + "sanious", + "icosahedral", + "icterogenic", + "ictal", + "ictic", + "igneous", + "pyrogenic", + "pyrogenous", + "iridic", + "iridic", + "jugular", + "marital", + "matrimonial", + "married", + "resinated", + "sulphuretted", + "sulfurized", + "sulfuretted", + "mastoid", + "mastoidal", + "mastoid", + "phocine", + "saurian", + "lacertilian", + "stearic", + "vinous", + "vinaceous", + "tegular", + "dyadic", + "algebraic", + "algebraical", + "biblical", + "scriptural", + "biblical", + "postbiblical", + "Koranic", + "polymorphic", + "polymorphous", + "polymorphous", + "polymorphic", + "polyphonic", + "polyphonous", + "contrapuntal", + "polyphonic", + "lyric", + "lyric", + "perianal", + "pericardial", + "pericardiac", + "perineal", + "peroneal", + "poetic", + "poetical", + "poetic", + "political", + "political", + "phonetic", + "phonetic", + "phonic", + "phonemic", + "philosophic", + "philosophical", + "Rousseauan", + "personal", + "personal", + "intensive", + "infernal", + "litigious", + "acronymic", + "acronymous", + "apostolic", + "apostolical", + "phenomenal", + "eudemonic", + "eudaemonic", + "eukaryotic", + "eucaryotic", + "prokaryotic", + "procaryotic", + "pectoral", + "thoracic", + "pastoral", + "particularistic", + "parturient", + "patellar", + "pathological", + "pathologic", + "palatine", + "palatine", + "pictorial", + "pictural", + "optical", + "objective", + "accusative", + "possessive", + "genitive", + "nuclear", + "nuclear", + "nucleated", + "nucleate", + "visceral", + "splanchnic", + "narcotic", + "mystic", + "mystical", + "mystic", + "mystical", + "carbonaceous", + "carbonous", + "carbonic", + "carboniferous", + "Melanesian", + "melodic", + "monumental", + "modal", + "modal", + "millenary", + "millennial", + "millennian", + "millenarian", + "chiliastic", + "metropolitan", + "meteoric", + "meteorologic", + "meteorological", + "meteoric", + "metaphysical", + "metastable", + "meridian", + "mercurial", + "Mercurial", + "Mercurial", + "Mesoamerican", + "mesoblastic", + "mesodermal", + "Mesozoic", + "messianic", + "muciferous", + "mucosal", + "murine", + "musical", + "musicological", + "exteroceptive", + "proprioceptive", + "interoceptive", + "perceptive", + "acoustic", + "acoustical", + "auditory", + "audile", + "auditive", + "gustatory", + "gustative", + "gustatorial", + "haptic", + "tactile", + "tactual", + "ocellated", + "octal", + "ocular", + "optic", + "optical", + "visual", + "ocular", + "optic", + "optical", + "opthalmic", + "orbital", + "suborbital", + "subocular", + "kinesthetic", + "kinaesthetic", + "angelic", + "angelical", + "seraphic", + "seraphical", + "ethereal", + "firmamental", + "elysian", + "diocesan", + "eparchial", + "parochial", + "regional", + "vicinal", + "conjugal", + "connubial", + "binocular", + "cultural", + "cultural", + "sociocultural", + "multicultural", + "cross-cultural", + "transcultural", + "transactinide", + "transcendental", + "transuranic", + "burlesque", + "vascular", + "avascular", + "cardiovascular", + "choral", + "choric", + "chorionic", + "communist", + "communistic", + "post-communist", + "Marxist", + "Marxist-Leninist", + "Bolshevik", + "Bolshevist", + "Bolshevistic", + "cutaneous", + "cutaneal", + "dermal", + "dermal", + "dermic", + "cuticular", + "epidermal", + "epidermic", + "dermal", + "ectodermal", + "ectodermic", + "encysted", + "endermic", + "endermatic", + "endogenous", + "hypodermal", + "hypodermic", + "subcutaneous", + "hypoglycemic", + "hypoglycaemic", + "hypovolemic", + "hypovolaemic", + "intradermal", + "intradermic", + "intracutaneous", + "facial", + "mandibular", + "inframaxillary", + "mandibulofacial", + "maxillary", + "maxillodental", + "maxillofacial", + "maxillomandibular", + "interfacial", + "lacrimal", + "lachrymal", + "lacrimal", + "lachrymal", + "lacrimatory", + "lachrymatory", + "menstrual", + "catamenial", + "mural", + "extralinguistic", + "papal", + "apostolic", + "apostolical", + "pontifical", + "Peloponnesian", + "pubic", + "viral", + "grammatical", + "grammatic", + "syntactic", + "syntactical", + "glossopharyngeal", + "glottal", + "glottochronological", + "lexicostatistic", + "focal", + "genital", + "venereal", + "genitourinary", + "GU", + "feline", + "laryngeal", + "laryngopharyngeal", + "zygotic", + "uninucleate", + "multinucleate", + "muscular", + "musculoskeletal", + "intramuscular", + "neuroendocrine", + "neurogenic", + "neuroglial", + "neuromatous", + "neuromuscular", + "nephritic", + "renal", + "nephritic", + "neurotoxic", + "neurotropic", + "parental", + "filial", + "spinal", + "atomic", + "monatomic", + "monoatomic", + "diatomic", + "polyatomic", + "subatomic", + "client-server", + "clinical", + "subclinical", + "postal", + "continental", + "Continental", + "continental", + "lexical", + "nonlexical", + "lexical", + "psychosexual", + "sexagesimal", + "sex-limited", + "sex-linked", + "sexual", + "coital", + "copulatory", + "marine", + "marine", + "multilevel", + "multiphase", + "polyphase", + "muzzle-loading", + "littoral", + "sublittoral", + "surgical", + "nonsurgical", + "open-hearth", + "ophthalmic", + "ophthalmic", + "physiotherapeutic", + "nautical", + "maritime", + "marine", + "thalassic", + "oceanic", + "pelagic", + "transoceanic", + "ursine", + "intravenous", + "endovenous", + "montane", + "mechanical", + "mechanical", + "mechanically skillful", + "zoological", + "zoological", + "protozoological", + "protozoal", + "protozoan", + "protozoic", + "rental", + "rental", + "rickettsial", + "ritual", + "ritual", + "fetal", + "foetal", + "juvenile", + "herbal", + "doctoral", + "doctorial", + "pediatric", + "paediatric", + "kinetic", + "mammary", + "neural", + "neuronal", + "neuronic", + "sensorineural", + "sensorimotor", + "occupational", + "pelvic", + "frontal", + "bucolic", + "pastoral", + "Masonic", + "masonic", + "Masoretic", + "masted", + "migrational", + "mnemonic", + "mnemotechnic", + "mnemotechnical", + "parietal", + "statuary", + "tubal", + "velar", + "documentary", + "documental", + "iambic", + "structural", + "structural", + "anatomic", + "anatomical", + "anatomic", + "anatomical", + "architectural", + "tectonic", + "architectonic", + "organizational", + "organisational", + "cogitative", + "cognitive", + "mental", + "cultural", + "factual", + "achondroplastic", + "ateleiotic", + "ecclesiastical", + "ecclesiastic", + "priestly", + "hieratic", + "hieratical", + "sacerdotal", + "sacerdotal", + "molar", + "molar", + "molal", + "molar", + "molecular", + "bimolecular", + "intramolecular", + "intermolecular", + "macerative", + "macrencephalic", + "macrencephalous", + "macrocephalic", + "macrocephalous", + "microcephalic", + "microcephalous", + "nanocephalic", + "microelectronic", + "machine readable", + "computer readable", + "macromolecular", + "isotopic", + "isothermic", + "microcosmic", + "micrometeoric", + "micropylar", + "macrocosmic", + "mucinous", + "mucinoid", + "mucocutaneous", + "mucopurulent", + "mucous", + "mucose", + "mucoid", + "mucoidal", + "colloidal", + "administrative", + "managerial", + "supervisory", + "nervous", + "neural", + "latinate", + "latitudinal", + "Florentine", + "earthen", + "earthy", + "monometallic", + "brazen", + "geological", + "geologic", + "psychological", + "psychogenetic", + "psychogenetic", + "psychogenic", + "sociological", + "demographic", + "ecological", + "ecologic", + "bionomical", + "bionomic", + "ecological", + "ecologic", + "theological", + "anthropological", + "paleoanthropological", + "computational", + "athletic", + "astrophysical", + "geopolitical", + "thermodynamic", + "thermodynamical", + "geophysical", + "seismological", + "seismologic", + "peptic", + "duodenal", + "neuropsychological", + "neurophysiological", + "navigational", + "differential", + "deconstructionist", + "rationalist", + "calligraphic", + "calligraphical", + "lexicographic", + "lexicographical", + "orthographic", + "telegraphic", + "typographic", + "typographical", + "astrological", + "syllogistic", + "necromantic", + "necromantical", + "lithomantic", + "mechanistic", + "chiromantic", + "parametric", + "nonparametric", + "statistical", + "nihilistic", + "spiritualistic", + "spiritualist", + "supernaturalist", + "supernaturalistic", + "operationalist", + "operatic", + "trigonometric", + "pharmacological", + "pharmacologic", + "toxicological", + "toxicologic", + "psychiatric", + "psychiatrical", + "oncological", + "oncologic", + "psychoanalytical", + "psychoanalytic", + "psychometric", + "psychomotor", + "psychotherapeutic", + "therapeutic", + "therapeutical", + "neuroanatomic", + "neuroanatomical", + "virological", + "bacteriological", + "bacteriologic", + "cardiologic", + "endocrine", + "endocrinal", + "enolic", + "exocrine", + "endodontic", + "endoparasitic", + "orthodontic", + "periodontic", + "periodontal", + "dermatologic", + "dermatological", + "exodontic", + "geriatric", + "gerontological", + "geriatric", + "German-American", + "gynecological", + "gynaecological", + "gynecologic", + "gymnosophical", + "gymnospermous", + "hematologic", + "haematological", + "hematological", + "obstetric", + "obstetrical", + "neurological", + "neurologic", + "spectrometric", + "spectroscopic", + "spectroscopical", + "mass spectroscopic", + "mass-spectrometric", + "electron microscopic", + "microscopic", + "microscopical", + "insurrectional", + "insurrectionary", + "conspiratorial", + "conspirative", + "domestic", + "econometric", + "criminological", + "classicistic", + "historical", + "ahistorical", + "ontological", + "pietistic", + "pietistical", + "fascist", + "fascistic", + "Catholic", + "Anglo-catholic", + "Anglo-Indian", + "Roman", + "Romanic", + "Roman", + "Roman", + "R.C.", + "Romanist", + "romish", + "Roman Catholic", + "popish", + "papist", + "papistic", + "papistical", + "Roman", + "Jewish", + "Judaic", + "Judaic", + "Judaical", + "Anglo-Jewish", + "evangelical", + "evangelical", + "evangelistic", + "Muslim", + "Moslem", + "Islamic", + "Hindu", + "Hindi", + "Hindoo", + "Hmong", + "Buddhist", + "Buddhistic", + "sculptural", + "evaporative", + "Confucian", + "Shinto", + "Shintoist", + "Shintoistic", + "Kokka", + "Shuha", + "Rastafarian", + "Jain", + "Jainist", + "Taoist", + "Taoist", + "textual", + "Tantric", + "Tantrik", + "magnetic", + "electromagnetic", + "Avestan", + "Zoroastrian", + "capillary", + "automotive", + "horticultural", + "cervical", + "American", + "American", + "anti-American", + "pro-American", + "Indian", + "Amerind", + "Amerindic", + "Native American", + "Indian", + "North American", + "South American", + "South African", + "asymptotic", + "subtropical", + "subtropic", + "semitropical", + "semitropic", + "tropical", + "equatorial", + "equatorial", + "rational", + "irrational", + "anionic", + "cationic", + "Satanic", + "angular", + "rabbinical", + "rabbinic", + "arteriosclerotic", + "idolatrous", + "sacramental", + "theist", + "theistical", + "theistic", + "deist", + "deistic", + "pantheist", + "pantheistic", + "nocturnal", + "mensural", + "measured", + "mensurable", + "mensural", + "mensal", + "epicarpal", + "epithelial", + "epitheliod", + "pancreatic", + "ovarian", + "ovine", + "ovular", + "ovular", + "uterine", + "intrauterine", + "testicular", + "rectal", + "rectosigmoid", + "monozygotic", + "dizygotic", + "dizygous", + "synaptic", + "dendritic", + "iliac", + "lobar", + "lobate", + "lobated", + "abdominal", + "hormonal", + "hemispheric", + "occipital", + "pneumonic", + "pulmonary", + "pulmonic", + "pneumonic", + "intrapulmonary", + "intestinal", + "enteric", + "enteral", + "skeletal", + "skinny", + "adjectival", + "adjective", + "adverbial", + "morphemic", + "bimorphemic", + "monomorphemic", + "polymorphemic", + "morphophonemic", + "clausal", + "phrasal", + "infinitival", + "pronominal", + "indexical", + "indexless", + "cruciferous", + "mathematical", + "choreographic", + "runic", + "scriptural", + "pentatonic", + "anaphoric", + "anapestic", + "anapaestic", + "rhetorical", + "tectonic", + "riparian", + "Martian", + "actuarial", + "psycholinguistic", + "robotic", + "rotatory", + "revolutionary", + "epicyclic", + "epicyclical", + "expansionist", + "experimental", + "expiatory", + "expiative", + "propitiatory", + "familial", + "etiological", + "etiologic", + "aetiological", + "aetiologic", + "etiological", + "etiologic", + "aetiological", + "aetiologic", + "exuvial", + "behavioral", + "behavioural", + "African", + "East African", + "East Indian", + "Afro-Asian", + "phenotypical", + "phenotypic", + "genotypical", + "genotypic", + "ontogenetic", + "phylogenetic", + "phyletic", + "environmental", + "environmental", + "methodological", + "cross-sectional", + "sectional", + "trabecular", + "trabeculate", + "tracheal", + "tractive", + "transdermal", + "transdermic", + "percutaneous", + "transcutaneous", + "transitional", + "traumatic", + "trophic", + "tympanic", + "tympanic", + "tympanitic", + "perceptual", + "libidinal", + "epileptic", + "developmental", + "pedagogical", + "pedagogic", + "educational", + "prehistoric", + "Atlantic", + "Pacific", + "transatlantic", + "synergistic", + "monistic", + "dualistic", + "Manichaean", + "pluralistic", + "pleural", + "hilar", + "labyrinthine", + "lobular", + "interlobular", + "intralobular", + "anastomotic", + "bronchial", + "arteriolar", + "bronchiolar", + "rhombic", + "trapezoidal", + "physiological", + "morphologic", + "morphological", + "structural", + "geomorphologic", + "geomorphological", + "morphologic", + "morphological", + "structural", + "morphologic", + "morphological", + "occlusive", + "ohmic", + "mortuary", + "mortuary", + "funerary", + "strategic", + "strategical", + "tactical", + "cinerary", + "circulatory", + "veinal", + "circulative", + "circulatory", + "euphonic", + "euphonical", + "metamorphic", + "metamorphous", + "sedimentary", + "Christian", + "Judeo-Christian", + "Protestant", + "universalistic", + "universalist", + "Calvinist", + "Calvinistic", + "Calvinistical", + "fundamentalist", + "fundamentalistic", + "Orthodox", + "Jewish-Orthodox", + "Orthodox", + "Eastern Orthodox", + "Russian Orthodox", + "Greek Orthodox", + "radio", + "dipolar", + "deformational", + "totemic", + "Anglican", + "Baptistic", + "Congregational", + "Congregationalist", + "Episcopal", + "Episcopalian", + "revivalistic", + "Lutheran", + "Methodist", + "Wesleyan", + "Mormon", + "Unitarian", + "orchestral", + "orchestrated", + "communicative", + "autosomal", + "chromatic", + "chromosomal", + "chronological", + "Italian", + "Russian", + "German", + "East German", + "Celtic", + "Gaelic", + "Britannic", + "Teutonic", + "Germanic", + "French", + "Gallic", + "Spanish", + "Iberian", + "Lusitanian", + "Portuguese", + "Lusitanian", + "Sicilian", + "Soviet", + "Finnish", + "Swedish", + "Norwegian", + "Norse", + "Scandinavian", + "Norse", + "Danish", + "Belgian", + "Dutch", + "Luxembourgian", + "Swiss", + "Austrian", + "Polish", + "Polynesian", + "Hungarian", + "Magyar", + "Czech", + "Czechoslovakian", + "Yugoslavian", + "Yugoslav", + "Romanian", + "Rumanian", + "Roumanian", + "Baltic", + "Baltic", + "Latvian", + "Lithuanian", + "Moldovan", + "Kyrgyzstani", + "Tajikistani", + "Turkmen", + "Ukrainian", + "Uzbekistani", + "Serbian", + "Croatian", + "Slovenian", + "Slovakian", + "Bosnian", + "Chinese", + "Sinitic", + "Japanese", + "Nipponese", + "exponential", + "paradigmatic", + "paradigmatic", + "Tibetan", + "Himalayan", + "Chilean", + "Peruvian", + "Ecuadorian", + "Panamanian", + "Venezuelan", + "Brazilian", + "Argentine", + "Argentinian", + "Paraguayan", + "Uruguayan", + "Bolivian", + "Colombian", + "Korean", + "North Korean", + "South Korean", + "European", + "Asian", + "Asiatic", + "Cambodian", + "Kampuchean", + "Manchurian", + "Honduran", + "Salvadoran", + "Salvadorean", + "Cuban", + "Bavarian", + "Byzantine", + "Byzantine", + "Ottoman", + "Seljuk", + "Neapolitan", + "Milanese", + "Tuscan", + "Venetian", + "Tyrolean", + "Tyrolese", + "Viennese", + "Glaswegian", + "Egyptian", + "Hindustani", + "Nepalese", + "Nepali", + "Indonesian", + "Alsatian", + "Athenian", + "Spartan", + "Thracian", + "Israeli", + "Genoese", + "Genovese", + "tragic", + "comic", + "tragicomic", + "abyssal", + "neritic", + "baroque", + "Baroque", + "bathyal", + "hadal", + "operculate", + "operculated", + "Palestinian", + "infernal", + "cortical", + "metabolic", + "metastatic", + "gonadal", + "agonadal", + "diagnostic", + "gastrointestinal", + "GI", + "gastronomic", + "gastronomical", + "carnal", + "cross-modal", + "functional", + "neurotic", + "epidemiologic", + "epidemiological", + "qualitative", + "quantal", + "quantized", + "quantitative", + "Quebecois", + "Assamese", + "Austronesian", + "Algerian", + "Andorran", + "Monacan", + "Monegasque", + "Galwegian", + "Calcuttan", + "circadian", + "rhinal", + "nasal", + "perinasal", + "perirhinal", + "otic", + "auricular", + "retinal", + "orbital", + "suborbital", + "reductionist", + "maturational", + "dynamic", + "hydrodynamic", + "aerodynamic", + "rheologic", + "rheological", + "meteoritic", + "meteoritical", + "micrometeoritic", + "cometary", + "cometic", + "asteroidal", + "piezoelectric", + "thyroid", + "thyrotoxic", + "thyroid", + "thyroidal", + "antithyroid", + "congressional", + "instructional", + "catechismal", + "catechetical", + "catechetic", + "catechistic", + "catechetic", + "Canadian", + "necrotic", + "hypothalamic", + "cortico-hypothalamic", + "thalamocortical", + "gestational", + "progestational", + "progestational", + "emotional", + "macrobiotic", + "biotic", + "gubernatorial", + "presidential", + "vice-presidential", + "copular", + "coronary", + "corporate", + "corporatist", + "corpuscular", + "dimensional", + "volumed", + "volumetric", + "volumetrical", + "hypothermic", + "hyperthermal", + "yogistic", + "yogic", + "botulinal", + "logistic", + "logistical", + "organicistic", + "organismal", + "organismic", + "artifactual", + "artefactual", + "mutafacient", + "mutagenic", + "mutational", + "mutative", + "mutant", + "incident", + "serologic", + "serological", + "chromatographic", + "chromatographical", + "national", + "national", + "national", + "nativist", + "nativistic", + "nativist", + "nativistic", + "naturistic", + "congeneric", + "congenerical", + "congenerous", + "specific", + "conspecific", + "experiential", + "medieval", + "mediaeval", + "mediatorial", + "mediatory", + "curatorial", + "proverbial", + "epiphyseal", + "epiphysial", + "diaphyseal", + "diaphysial", + "theocratic", + "comparative", + "artistic", + "aesthetic", + "esthetic", + "official", + "teleological", + "sentential", + "intrasentential", + "cross-sentential", + "scopal", + "simian", + "bubaline", + "embolic", + "falconine", + "ferial", + "faucal", + "future", + "futuristic", + "futurist", + "gallinaceous", + "geodetic", + "geodesic", + "geodesical", + "heraldic", + "heraldist", + "humanitarian", + "homophonous", + "hyperbolic", + "lacustrine", + "liturgical", + "locomotive", + "locomotor", + "logarithmic", + "Markovian", + "marmorean", + "marmoreal", + "marly", + "mesonic", + "mesic", + "marsupial", + "mercantile", + "metric", + "metrical", + "non-metric", + "mythic", + "nacreous", + "normative", + "North African", + "ordinal", + "palatal", + "palatine", + "Paleozoic", + "parabolic", + "parabolical", + "pharyngeal", + "phrenic", + "prosodic", + "appetitive", + "aversive", + "promissory", + "quartan", + "quarterly", + "quartzose", + "quintessential", + "roentgenographic", + "rotary", + "septic", + "semicentennial", + "semicentenary", + "centennial", + "centenary", + "bicentennial", + "bicentenary", + "tricentenary", + "tricentennial", + "sophistic", + "national socialist", + "Nazi", + "Nazi", + "capitalist", + "capitalistic", + "zymotic", + "zymotic", + "zymolytic", + "osmotic", + "evolutionary", + "oracular", + "peritoneal", + "Epicurean", + "holographic", + "holographical", + "holographic", + "canonic", + "canonical", + "canonic", + "canonical", + "canonist", + "symphonic", + "contextual", + "nutritional", + "nutritionary", + "paramagnetic", + "motional", + "hydrometric", + "gravimetric", + "thermohydrometric", + "thermogravimetric", + "ferromagnetic", + "English", + "English", + "Irish", + "Afghani", + "Afghan", + "Afghanistani", + "Central American", + "idiomatic", + "idiomatical", + "dialectal", + "percussive", + "waxen", + "waxy", + "enzymatic", + "nonenzymatic", + "iodinated", + "iodized", + "iodised", + "dramaturgic", + "dramaturgical", + "autodidactic", + "aneuploid", + "aneurysmal", + "aneurismal", + "aneurysmatic", + "aneurismatic", + "alluvial", + "doctrinal", + "dogmatic", + "providential", + "philanthropic", + "philatelic", + "philatelical", + "aerophilatelic", + "pleochroic", + "sternal", + "congestive", + "hemolytic", + "haemolytic", + "sarcolemmal", + "sarcosomal", + "sternutatory", + "sympathetic", + "urinary", + "urinary", + "atheromatous", + "atheromatic", + "basophilic", + "intimal", + "coeliac", + "celiac", + "celiac", + "emphysematous", + "granulocytic", + "atrophic", + "mesenteric", + "glomerular", + "calcific", + "fibrocalcific", + "pyknotic", + "pycnotic", + "eosinophilic", + "papillary", + "papillose", + "papillate", + "vesicular", + "vestibular", + "vertebral", + "neocortical", + "paleocortical", + "limbic", + "fugal", + "parasympathetic", + "parasympathomimetic", + "hypophyseal", + "hypophysial", + "hyperemic", + "neuropsychiatric", + "psychopharmacological", + "salivary", + "prime", + "nilpotent", + "megakaryocytic", + "megaloblastic", + "myelic", + "myelinic", + "myeloid", + "myeloid", + "myocardial", + "myoid", + "myotonic", + "triumphal", + "Darwinian", + "neo-Darwinian", + "Lamarckian", + "neo-Lamarckian", + "larval", + "operational", + "microbial", + "microbic", + "cochlear", + "lumbar", + "lumbosacral", + "flagellate", + "flagellated", + "whiplike", + "lash-like", + "biflagellate", + "ceramic", + "epic", + "epical", + "Hellenic", + "Hellenistic", + "Hellenistical", + "Panhellenic", + "Pan-Hellenic", + "Greek", + "Grecian", + "Hellenic", + "Syrian", + "Minoan", + "Mycenaean", + "Aegean", + "Aegean", + "Attic", + "Boeotian", + "Dipylon", + "Argive", + "executive", + "topographical", + "topographic", + "endothelial", + "taxonomic", + "taxonomical", + "systematic", + "classificatory", + "eutherian", + "proteolytic", + "microsomal", + "mithraic", + "mithraistic", + "mitotic", + "mitral", + "mitral", + "follicular", + "philological", + "dystopian", + "utopian", + "Utopian", + "Stoic", + "patristic", + "patristical", + "sapphirine", + "saprophytic", + "saprobic", + "katharobic", + "cubist", + "cubistic", + "tomentose", + "hyoid", + "geographic", + "geographical", + "shouldered", + "shrubby", + "fruticose", + "fruticulose", + "etymological", + "British", + "epiphytic", + "lithophytic", + "budgetary", + "propagandist", + "propagandistic", + "isolationist", + "isolationistic", + "ascomycetous", + "pianistic", + "pianistic", + "Parisian", + "dialectic", + "dialectical", + "Turkish", + "Eurafrican", + "Eurasian", + "Eurasiatic", + "Moroccan", + "Maroc", + "Scots", + "Scottish", + "Scotch", + "Corsican", + "Sardinian", + "Alpine", + "alpine", + "Andean", + "myrmecophytic", + "tuberous", + "semi-tuberous", + "saponaceous", + "soapy", + "umbellate", + "umbellar", + "narial", + "Cartesian", + "Mexican", + "Tudor", + "Shavian", + "Shakespearian", + "Shakespearean", + "Skinnerian", + "Falstaffian", + "Victorian", + "Gaussian", + "Aeschylean", + "Alexandrian", + "Aristotelian", + "Aristotelean", + "Aristotelic", + "peripatetic", + "Audenesque", + "Balzacian", + "Beethovenian", + "Bismarckian", + "Bogartian", + "Caesarian", + "Caesarean", + "cesarean", + "cesarian", + "caesarean", + "caesarian", + "Coleridgian", + "Coleridgean", + "Columbian", + "pre-Columbian", + "Cromwellian", + "Dantean", + "Dantesque", + "Demosthenic", + "Deweyan", + "Donnean", + "Donnian", + "Dostoevskian", + "Dostoyevskian", + "Draconian", + "Einsteinian", + "Elizabethan", + "Erasmian", + "Freudian", + "Frostian", + "Gandhian", + "Gauguinesque", + "Goethean", + "Goethian", + "Handelian", + "Hegelian", + "Hemingwayesque", + "Hitlerian", + "Hittite", + "Hugoesque", + "Huxleyan", + "Huxleian", + "Ibsenian", + "Proustian", + "Ptolemaic", + "Socratic", + "Jungian", + "Kantian", + "Keynesian", + "Kiplingesque", + "Leibnizian", + "Leibnitzian", + "Leonardesque", + "Lincolnesque", + "Lincolnian", + "Lutheran", + "Marian", + "Michelangelesque", + "Muhammadan", + "Mohammedan", + "Mosaic", + "most-favored-nation", + "Mozartian", + "Mozartean", + "Napoleonic", + "Newtonian", + "Pasteurian", + "Pavlovian", + "Piagetian", + "eponymous", + "eponymic", + "Pythagorean", + "Wagnerian", + "Washingtonian", + "Washingtonian", + "Washingtonian", + "Washingtonian", + "Rembrandtesque", + "Riemannian", + "Rooseveltian", + "Senecan", + "Stravinskyan", + "Stravinskian", + "Thoreauvian", + "Voltarian", + "Voltarean", + "Wordsworthian", + "Wittgensteinian", + "Yeatsian", + "Zolaesque", + "Hebraic", + "Hebraical", + "Hebrew", + "Hebraic", + "Hebraical", + "Hebrew", + "monocarpic", + "puerperal", + "acetic", + "actinic", + "aldermanic", + "aldermanly", + "alexic", + "word-blind", + "dyslexic", + "monochromatic", + "Moravian", + "dichromatic", + "ambassadorial", + "amoebic", + "amebic", + "amoeban", + "ameban", + "amoebous", + "amebous", + "anemic", + "anaemic", + "anaesthetic", + "anesthetic", + "ablative", + "accusatorial", + "inquisitorial", + "West African", + "Afrikaans", + "Afrikaner", + "aneroid", + "Angolan", + "Anguillan", + "prenuptial", + "premarital", + "antenuptial", + "postnuptial", + "anti-semitic", + "antisemitic", + "Antiguan", + "antiquarian", + "antiquarian", + "appellate", + "appellant", + "anecdotal", + "Arabian", + "Arabian", + "Arabic", + "arithmetical", + "arithmetic", + "armorial", + "aspectual", + "asphyxiated", + "audio-lingual", + "Augustan", + "Australian", + "Bahamian", + "Bahraini", + "Bangladeshi", + "East Pakistani", + "Bantoid", + "Bantu", + "Bantu-speaking", + "baptismal", + "Barbadian", + "bardic", + "Benedictine", + "Benedictine", + "Bengali", + "Beninese", + "Bermudan", + "Bhutanese", + "bilabial", + "binomial", + "biographic", + "biographical", + "bituminous", + "bituminoid", + "bitumenoid", + "bivalent", + "divalent", + "bivariate", + "bladdery", + "bladderlike", + "bladed", + "bladed", + "blastemal", + "blastematic", + "blastemic", + "blastocoelic", + "blastodermatic", + "blastodermic", + "blastomeric", + "blastomycotic", + "blastoporal", + "blastoporic", + "blastospheric", + "blastular", + "boric", + "boracic", + "Bruneian", + "bubonic", + "Bulgarian", + "bungaloid", + "bureaucratic", + "burglarious", + "Burmese", + "Burundi", + "Burundian", + "Californian", + "Cameroonian", + "cannibalistic", + "cantonal", + "carboniferous", + "Carmelite", + "carpal", + "casuistic", + "casuistical", + "casuistic", + "casuistical", + "Catalan", + "Catalan", + "cataleptic", + "catalytic", + "catatonic", + "Chadian", + "citric", + "citrous", + "citrous", + "climatic", + "climatical", + "Cockney", + "cockney", + "commemorative", + "commemorating", + "concessive", + "Congolese", + "consular", + "Coptic", + "Costa Rican", + "creaseproof", + "wrinkleproof", + "crease-resistant", + "wrinkle-resistant", + "creedal", + "credal", + "Creole", + "Creole", + "Cretaceous", + "cretaceous", + "cybernetic", + "cyclonic", + "cyclonal", + "cyclonical", + "cyclonic", + "cyclonal", + "cyclonical", + "cyclopean", + "cyclothymic", + "Cyprian", + "Cypriote", + "Cypriot", + "Cyrillic", + "dacitic", + "dactylic", + "daisylike", + "Dalmatian", + "damascene", + "defervescent", + "departmental", + "interdepartmental", + "intradepartmental", + "digestive", + "Delphic", + "Delphian", + "demagogic", + "demagogical", + "diabetic", + "disciplinary", + "interdisciplinary", + "disciplinary", + "divisional", + "Djiboutian", + "dogmatic", + "dolomitic", + "domiciliary", + "Dominican", + "Dominican", + "ducal", + "ductless", + "Edwardian", + "elocutionary", + "empiric", + "empirical", + "endometrial", + "endoscopic", + "enteric", + "enteral", + "entomological", + "entomologic", + "entozoan", + "endozoan", + "epizoan", + "ectozoan", + "entrepreneurial", + "Eritrean", + "Ethiopian", + "ethnographic", + "ethnographical", + "ethnological", + "ethnologic", + "euclidian", + "euclidean", + "Fabian", + "fatalist", + "fatalistic", + "faecal", + "fecal", + "feudatory", + "Fijian", + "Filipino", + "Philippine", + "Flemish", + "Franciscan", + "Gabonese", + "Gallic", + "Gambian", + "genealogic", + "genealogical", + "Georgian", + "Georgian", + "Georgian", + "Georgian", + "Germanic", + "Ghanaian", + "Ghanese", + "Ghanian", + "Gibraltarian", + "Gilbertian", + "gladiatorial", + "glandular", + "gonadotropic", + "gonadotrophic", + "Gothic", + "Gothic", + "Gothic", + "green", + "greenhouse", + "greenside", + "Gregorian", + "Gregorian", + "Grenadian", + "growing", + "Guatemalan", + "Guinean", + "Guyanese", + "gyroscopic", + "Haitian", + "Hanoverian", + "Hispaniolan", + "Hispanic", + "Latino", + "histological", + "histologic", + "Hertzian", + "hiplength", + "hip-length", + "Hippocratic", + "homeopathic", + "allopathic", + "Homeric", + "homiletic", + "homiletical", + "homiletic", + "homiletical", + "hydraulic", + "hydraulic", + "hydropathic", + "Icelandic", + "imperialistic", + "imperialist", + "Indo-European", + "Indo-Aryan", + "Aryan", + "Indo-European", + "Indo-Germanic", + "tribal", + "intertribal", + "Iranian", + "Persian", + "Iraqi", + "Iraki", + "Italic", + "italic", + "Jacksonian", + "Jacobean", + "Jacobinic", + "Jacobinical", + "Jamaican", + "Javanese", + "Javan", + "Jesuitical", + "Jesuitic", + "Jesuit", + "Jordanian", + "journalistic", + "Jovian", + "Jovian", + "Julian", + "karyokinetic", + "Kashmiri", + "Kazakhstani", + "Kenyan", + "knee-length", + "Kurdish", + "Kuwaiti", + "Kuwaiti", + "Lancastrian", + "Lancastrian", + "Laotian", + "Lao", + "Laputan", + "Latin", + "Latin", + "Romance", + "Latin", + "Latin", + "Lebanese", + "lenten", + "Levantine", + "Liberian", + "Libyan", + "Liechtensteiner", + "Lilliputian", + "lithographic", + "Liverpudlian", + "Luxemburger", + "Luxemburger", + "Macedonian", + "Machiavellian", + "Madagascan", + "malarial", + "Malawian", + "Malay", + "Malayan", + "Malaysian", + "Malayan", + "Malian", + "Maltese", + "Malthusian", + "Mancunian", + "manorial", + "Manx", + "Mauritanian", + "Mauritian", + "mayoral", + "Mediterranean", + "megalithic", + "membranous", + "Mendelian", + "mentholated", + "meritocratic", + "metacarpal", + "metallurgical", + "metallurgic", + "metatarsal", + "methylated", + "milch", + "millenary", + "mineral", + "Mongol", + "Mongolian", + "Mongolian", + "mongoloid", + "Mongoloid", + "mongoloid", + "Montserratian", + "Moorish", + "Moresque", + "Mozambican", + "Mozambican", + "Muscovite", + "Namibian", + "Nauruan", + "Neanderthal", + "Neanderthalian", + "Neandertal", + "nebular", + "nebulous", + "nectariferous", + "nectar-rich", + "eolithic", + "mesolithic", + "neolithic", + "paleolithic", + "palaeolithic", + "neuralgic", + "neurasthenic", + "Nicaean", + "Nicene", + "Nicaraguan", + "Nigerian", + "Nigerien", + "Nigerian", + "Nilotic", + "Nilotic", + "nitrogen-fixing", + "nitrogenous", + "nitrogen-bearing", + "azotic", + "nitric", + "nitrous", + "nodular", + "nontranslational", + "Nordic", + "Nordic", + "Norman", + "Norman", + "Olympic", + "Olympian", + "Olympian", + "Olympic", + "Omani", + "open-source", + "optative", + "optative", + "subjunctive", + "implicational", + "imperative", + "indicative", + "declarative", + "interrogative", + "ornithological", + "orthopedic", + "orthopaedic", + "orthopedical", + "orthoptic", + "outdoor", + "Oxonian", + "Oxonian", + "Pakistani", + "palatial", + "Papuan", + "paralytic", + "paralytical", + "parenteral", + "parenteral", + "Parthian", + "participial", + "partitive", + "partitive", + "patronymic", + "pectic", + "penile", + "penial", + "scrotal", + "peninsular", + "pentavalent", + "pentecostal", + "pentecostal", + "pharmaceutical", + "pharmaceutic", + "pharmaceutical", + "philharmonic", + "Philistine", + "phonic", + "phonic", + "phosphorous", + "phosphoric", + "pineal", + "piratical", + "piratical", + "piscatorial", + "piscatory", + "pituitary", + "polygonal", + "polynomial", + "multinomial", + "porcine", + "porphyritic", + "postganglionic", + "postictal", + "postmillennial", + "postural", + "praetorian", + "praetorial", + "pretorian", + "pretorial", + "Pre-Raphaelite", + "prepositional", + "primiparous", + "prismatic", + "prefectural", + "probabilistic", + "probabilistic", + "procedural", + "processional", + "processional", + "proconsular", + "promotional", + "promotional", + "propulsive", + "Prussian", + "pudendal", + "puerile", + "pugilistic", + "Carthaginian", + "Punic", + "purgatorial", + "purgatorial", + "purging", + "purifying", + "puritanical", + "pyemic", + "pyaemic", + "pyloric", + "pyogenic", + "pyrectic", + "pyrochemical", + "pyroelectric", + "pyroelectrical", + "pyrogallic", + "pyrogenic", + "pyrogenous", + "pyrogenetic", + "pyrographic", + "pyroligneous", + "pyrolignic", + "pyrolytic", + "pyrotechnic", + "pyrotechnical", + "pyrrhic", + "pyrrhic", + "pyrrhic", + "Qatari", + "Katari", + "quadratic", + "biquadratic", + "quadratic", + "quadraphonic", + "quadriphonic", + "quadrasonic", + "quadrisonic", + "quincentennial", + "quincentenary", + "Quechuan", + "Kechuan", + "Rabelaisian", + "rayless", + "recessionary", + "recessive", + "recessional", + "redemptive", + "redemptional", + "redemptory", + "regimental", + "residential", + "residuary", + "resistive", + "respiratory", + "inspiratory", + "expiratory", + "responsive", + "antiphonal", + "retentive", + "reversionary", + "Rhenish", + "rhizomatous", + "rhizoidal", + "rhomboid", + "rhomboidal", + "ritualistic", + "romaic", + "Romany", + "Romani", + "rotational", + "Rwandan", + "Ruandan", + "Sabahan", + "Sabbatarian", + "sabbatical", + "sabbatical", + "sabbatic", + "sacral", + "sacrificial", + "Samoan", + "San Marinese", + "Sarawakian", + "satyric", + "satyrical", + "Saudi-Arabian", + "Saudi", + "saxicolous", + "saxatile", + "saxicoline", + "Saxon", + "Anglo-Saxon", + "schismatic", + "schismatical", + "schizoid", + "schizophrenic", + "scorbutic", + "scotomatous", + "Semite", + "Semitic", + "Semitic", + "Senegalese", + "sericultural", + "serous", + "Seychellois", + "Thai", + "Tai", + "Siamese", + "Thai", + "Tai", + "Siamese", + "Thai", + "Tai", + "Siamese", + "Siberian", + "Sierra Leonean", + "Singaporean", + "Singaporean", + "Singhalese", + "Sinhalese", + "Sinhala", + "Singhalese", + "Sinhalese", + "Sri Lankan", + "Ceylonese", + "Slav", + "Slavonic", + "Slavic", + "small-capitalization", + "small-capitalisation", + "small-cap", + "Somalian", + "Somali", + "Sotho", + "spastic", + "spicate", + "spiny-finned", + "spondaic", + "stereoscopic", + "stereoscopic", + "stigmatic", + "stingless", + "stipendiary", + "substantival", + "gerundial", + "Sudanese", + "sulphuric", + "sulfuric", + "Sumatran", + "Swazi", + "syphilitic", + "systolic", + "extrasystolic", + "Tahitian", + "Taiwanese", + "Chinese", + "Formosan", + "tabular", + "Tamil", + "tannic", + "Tanzanian", + "tarsal", + "tartaric", + "telephonic", + "terminological", + "terpsichorean", + "tertian", + "tertian", + "tetanic", + "tetanic", + "tetravalent", + "Texan", + "textile", + "theosophical", + "thermionic", + "thermometric", + "thermostatic", + "thespian", + "Tobagonian", + "Togolese", + "Tongan", + "tonsorial", + "translational", + "Triassic", + "Trinidadian", + "trihydroxy", + "trivalent", + "trochaic", + "Trojan", + "trophoblastic", + "trophotropic", + "Tunisian", + "Tunisian", + "Turkic", + "tutorial", + "Ugandan", + "uric", + "uricosuric", + "uvular", + "vaginal", + "valvular", + "vehicular", + "vestal", + "vestiary", + "vestmental", + "veterinary", + "vibrionic", + "viceregal", + "Vietnamese", + "vocative", + "voyeuristic", + "voyeuristical", + "weatherly", + "Welsh", + "Cambrian", + "wheaten", + "whole-wheat", + "wholemeal", + "Wiccan", + "oaten", + "woolen", + "woollen", + "xerographic", + "Yemeni", + "Zairean", + "Zairese", + "Zambian", + "New Zealander", + "zenithal", + "Zimbabwean", + "Zionist", + "Zionist", + "zonal", + "zonary", + "bizonal", + "zodiacal", + "ammoniated", + "Briton", + "carroty", + "philhellenic", + "philhellene", + "Graecophile", + "Graecophilic", + "boreal", + "boreal", + "axillary", + "alar", + "paniculate", + "phyllodial", + "rupestral", + "rupicolous", + "Kafkaesque", + "Faustian", + "invitational", + "involucrate", + "scalar", + "scalar", + "anthropocentric", + "ethnocentric", + "deictic", + "shallow-draft", + "shallow-draught", + "shamanist", + "shamanistic", + "shambolic", + "shaped", + "sharp-pointed", + "shelflike", + "Shona", + "short-handled", + "short-order", + "side-to-side", + "striate", + "sulcate", + "hymenal", + "hymeneal", + "servomechanical", + "servo", + "onomatopoeic", + "onomatopoetic", + "commercial", + "dictyopteran", + "isopteran", + "obligational", + "oscine", + "osseous", + "osteal", + "bony", + "ossicular", + "ossiculate", + "ossiferous", + "osteal", + "abolitionary", + "abomasal", + "absolutist", + "absolutistic", + "accentual", + "accessional", + "accipitrine", + "accommodational", + "acculturational", + "acculturative", + "centromeric", + "acentric", + "acrocentric", + "metacentric", + "metacentric", + "mud-brick", + "telocentric", + "anaphylactic", + "bronchoscopic", + "bryophytic", + "bulbaceous", + "bulbed", + "bulbar", + "racial", + "scalic", + "rosaceous", + "Rosicrucian", + "streptococcal", + "streptococcic", + "strep", + "subclavian", + "thalloid", + "thallophytic", + "ulcerative", + "ultramicroscopic", + "ultramontane", + "undescended", + "undulatory", + "undulant", + "universalistic", + "point-of-sale", + "vasomotor", + "vesical", + "viscometric", + "viscosimetric", + "viricidal", + "virucidal", + "vitiliginous", + "ratlike", + "salamandriform", + "salvific", + "shakedown", + "sidearm", + "varicelliform", + "wedge-shaped", + "cuneal", + "cuneiform", + "wiry", + "WYSIWYG", + "X-linked", + "yeasty", + "yeastlike", + "Yuman", + "Zapotec", + "zero", + "zoonotic", + "zygomatic", + "zymoid", + ".22 caliber", + ".22-caliber", + ".22 calibre", + ".22-calibre", + ".38 caliber", + ".38-caliber", + ".38 calibre", + ".38-calibre", + ".45 caliber", + ".45-caliber", + ".45 calibre", + ".45-calibre", + "nosohusial", + "avenged", + "unavenged", + "beaten", + "calibrated", + "graduated", + "cantering", + "collected", + "gathered", + "uncollected", + "ungathered", + "contested", + "uncontested", + "corbelled", + "elapsed", + "forced", + "hammered", + "hand-held", + "handheld", + "held", + "streaming", + "surmounted", + "filled", + "unfilled", + "fitted", + "hypophysectomized", + "hypophysectomised", + "malted", + "unmalted", + "marched upon", + "mercerized", + "mercerised", + "mounded over", + "operating", + "oxidized", + "oxidised", + "parked", + "pasteurized", + "pasteurised", + "unpasteurized", + "unpasteurised", + "penciled", + "pencilled", + "pitched", + "played", + "plugged", + "posed", + "unposed", + "posted", + "preconceived", + "punishing", + "pursued", + "ranging", + "re-created", + "regenerating", + "ridged", + "carinate", + "carinated", + "keeled", + "sanitized", + "sanitised", + "shrieked", + "sintered", + "sluicing", + "spray-dried", + "squashed", + "stacked", + "strung", + "sublimed", + "sublimated", + "thoriated", + "tittering", + "transpiring", + "sought", + "closed-captioned", + "saponified", + "unsaponified" +] \ No newline at end of file diff --git a/static/data/en/adverbs.json b/static/data/en/adverbs.json new file mode 100644 index 0000000..b3a9af5 --- /dev/null +++ b/static/data/en/adverbs.json @@ -0,0 +1,5582 @@ +[ + "a cappella", + "AD", + "A.D.", + "anno Domini", + "CE", + "C.E.", + "Common Era", + "BC", + "B.C.", + "before Christ", + "BCE", + "B.C.E.", + "horseback", + "ahorse", + "ahorseback", + "barely", + "hardly", + "just", + "scarcely", + "scarce", + "just", + "hardly", + "scarcely", + "anisotropically", + "annoyingly", + "basically", + "fundamentally", + "essentially", + "blessedly", + "boiling", + "enviably", + "pointedly", + "negatively", + "negatively", + "kindly", + "unkindly", + "merely", + "simply", + "just", + "only", + "but", + "simply", + "plainly", + "simply", + "anciently", + "arguably", + "unabashedly", + "automatically", + "alarmingly", + "vastly", + "immensely", + "grossly", + "largely", + "mostly", + "for the most part", + "significantly", + "insignificantly", + "appreciably", + "ultrasonically", + "smartly", + "modishly", + "sprucely", + "approximately", + "about", + "close to", + "just about", + "some", + "roughly", + "more or less", + "around", + "or so", + "absolutely", + "partially", + "partly", + "part", + "half", + "wholly", + "entirely", + "completely", + "totally", + "all", + "altogether", + "whole", + "entirely", + "exclusively", + "solely", + "alone", + "only", + "absolutely", + "perfectly", + "utterly", + "dead", + "clean", + "plumb", + "plum", + "plumb", + "plum", + "perfectly", + "pat", + "please", + "imperfectly", + "amiss", + "amiss", + "fully", + "to the full", + "full", + "only", + "only", + "only", + "well", + "good", + "ill", + "badly", + "poorly", + "ill", + "isotropically", + "well", + "badly", + "well", + "easily", + "well", + "well", + "ill", + "badly", + "well", + "well", + "comfortably", + "well", + "advantageously", + "badly", + "disadvantageously", + "well", + "considerably", + "substantially", + "well", + "badly", + "well", + "well", + "intimately", + "well", + "satisfactorily", + "okay", + "O.K.", + "all right", + "alright", + "unsatisfactorily", + "prosperously", + "badly", + "severely", + "gravely", + "seriously", + "badly", + "bad", + "badly", + "bad", + "badly", + "mischievously", + "naughtily", + "badly", + "worse", + "worst", + "even", + "even", + "yet", + "still", + "even as", + "just as", + "even", + "even", + "e'en", + "rather", + "kind of", + "kinda", + "sort of", + "quite", + "quite", + "rather", + "quite", + "quite a", + "quite an", + "quite", + "always", + "ever", + "e'er", + "always", + "always", + "con brio", + "conjecturally", + "consecutively", + "constantly", + "always", + "forever", + "perpetually", + "incessantly", + "constantly", + "invariably", + "always", + "coterminously", + "never", + "ne'er", + "never", + "occasionally", + "on occasion", + "once in a while", + "now and then", + "now and again", + "at times", + "from time to time", + "sometime", + "sometimes", + "equally", + "as", + "every bit", + "long ago", + "long since", + "lang syne", + "pretty much", + "much", + "practically", + "that much", + "palmately", + "paradoxically", + "parasitically", + "conformably", + "conventionally", + "unconventionally", + "pathogenically", + "pictorially", + "not", + "non", + "nothing", + "no", + "any", + "no", + "none", + "either", + "bloody", + "damn", + "all-fired", + "anywhere", + "anyplace", + "nowhere", + "somewhere", + "someplace", + "everywhere", + "everyplace", + "all over", + "high and low", + "somehow", + "someway", + "someways", + "in some way", + "in some manner", + "somehow", + "anyhow", + "anyway", + "anyways", + "in any case", + "at any rate", + "in any event", + "as it is", + "anyhow", + "anyway", + "however", + "nevertheless", + "withal", + "still", + "yet", + "all the same", + "even so", + "nonetheless", + "notwithstanding", + "yet", + "so far", + "thus far", + "up to now", + "hitherto", + "heretofore", + "as yet", + "yet", + "til now", + "until now", + "so far", + "yet", + "only", + "however", + "however", + "however", + "lightly", + "besides", + "in any case", + "fugally", + "furthermore", + "moreover", + "what is more", + "farther", + "further", + "further", + "farther", + "further", + "farthest", + "furthest", + "furthest", + "farthest", + "futilely", + "still", + "no longer", + "no more", + "anymore", + "any longer", + "already", + "very", + "really", + "real", + "rattling", + "fabulously", + "fantastically", + "incredibly", + "mighty", + "mightily", + "powerful", + "right", + "good and", + "fucking", + "much", + "henceforth", + "henceforward", + "hereafter", + "hereafter", + "hereunder", + "just", + "just now", + "instantaneously", + "outright", + "instantly", + "in a flash", + "mildly", + "a bit", + "a little", + "a trifle", + "anon", + "soon", + "shortly", + "presently", + "before long", + "ASAP", + "shortly", + "shortly", + "momentarily", + "momently", + "shoulder-to-shoulder", + "soonest", + "earliest", + "spiritedly", + "sportively", + "stormily", + "turbulently", + "passionately", + "frequently", + "often", + "oftentimes", + "oft", + "ofttimes", + "oftener", + "anon", + "rarely", + "seldom", + "curiously", + "oddly", + "peculiarly", + "reasonably", + "moderately", + "pretty", + "jolly", + "somewhat", + "fairly", + "middling", + "passably", + "unreasonably", + "immoderately", + "slightly", + "somewhat", + "more or less", + "movingly", + "extensively", + "intrinsically", + "per se", + "as such", + "in and of itself", + "decidedly", + "unquestionably", + "emphatically", + "definitely", + "in spades", + "by all odds", + "truly", + "genuinely", + "really", + "indeed", + "indeed", + "so", + "in the lurch", + "in truth", + "really", + "truly", + "forsooth", + "in utero", + "in vacuo", + "in vacuo", + "naturally", + "of course", + "course", + "unnaturally", + "clearly", + "unclearly", + "obviously", + "evidently", + "manifestly", + "patently", + "apparently", + "plainly", + "plain", + "apparently", + "seemingly", + "ostensibly", + "on the face of it", + "again", + "once again", + "once more", + "over again", + "withal", + "by chance", + "accidentally", + "circumstantially", + "unexpectedly", + "unexpectedly", + "out of the blue", + "out of the way", + "out of the way", + "out of the way", + "out of the way", + "out of the way", + "out of the way", + "in the way", + "in someone's way", + "specifically", + "generally", + "in general", + "in the main", + "nonspecifically", + "fortunately", + "fortuitously", + "luckily", + "as luck would have it", + "happily", + "sadly", + "unhappily", + "unfortunately", + "unluckily", + "regrettably", + "alas", + "therefore", + "hence", + "thence", + "thus", + "so", + "ergo", + "hence", + "hence", + "thence", + "therefrom", + "thence", + "therefrom", + "thereof", + "therefor", + "vocationally", + "face to face", + "one-on-one", + "person-to-person", + "face-to-face", + "face-to-face", + "opposite", + "vis-a-vis", + "tete a tete", + "if not", + "beyond", + "beyond", + "beyond", + "otherwise", + "additionally", + "to boot", + "extremely", + "exceedingly", + "super", + "passing", + "drop-dead", + "beyond measure", + "madly", + "insanely", + "deadly", + "deucedly", + "devilishly", + "inordinately", + "extraordinarily", + "by far", + "far and away", + "out and away", + "head and shoulders above", + "excessively", + "overly", + "to a fault", + "too", + "besides", + "too", + "also", + "likewise", + "as well", + "yet", + "in time", + "ultimately", + "finally", + "in the end", + "at last", + "at long last", + "finally", + "eventually", + "presently", + "currently", + "nowadays", + "now", + "today", + "immediately", + "instantly", + "straightaway", + "straight off", + "directly", + "now", + "right away", + "at once", + "forthwith", + "like a shot", + "now", + "now", + "at present", + "now", + "now", + "now", + "now now", + "aggressively", + "sharply", + "shrilly", + "piercingly", + "steadily", + "happily", + "merrily", + "mirthfully", + "gayly", + "blithely", + "jubilantly", + "unhappily", + "no", + "no more", + "firm", + "firmly", + "steadfastly", + "unwaveringly", + "squarely", + "foursquare", + "straightforwardly", + "squarely", + "square", + "squarely", + "square", + "squarely", + "forthrightly", + "forthright", + "directly", + "straight", + "direct", + "squarely", + "square", + "due", + "variously", + "diversely", + "multifariously", + "indefatigably", + "tirelessly", + "inexhaustibly", + "biradially", + "bitterly", + "bitterly", + "very well", + "fine", + "alright", + "all right", + "OK", + "all right", + "alright", + "swiftly", + "fleetly", + "openly", + "practically", + "practically", + "presumably", + "presumptively", + "pyramidically", + "next", + "for the moment", + "for the time being", + "easily", + "by hand", + "by machine", + "hand to hand", + "hand to mouth", + "terribly", + "awfully", + "awful", + "frightfully", + "terribly", + "atrociously", + "awfully", + "abominably", + "abysmally", + "rottenly", + "acceptably", + "tolerably", + "so-so", + "unacceptably", + "intolerably", + "abusively", + "admiringly", + "adoringly", + "adroitly", + "maladroitly", + "dreadfully", + "awfully", + "horribly", + "greatly", + "drastically", + "at all", + "in the least", + "the least bit", + "by all means", + "by no means", + "not by a long sight", + "not by a blame sight", + "thoroughly", + "exhaustively", + "thoroughly", + "soundly", + "good", + "through", + "through and through", + "soundly", + "right", + "flop", + "directly", + "flat", + "straight", + "indirectly", + "indigenously", + "individualistically", + "intractably", + "man-to-man", + "secondhand", + "thirdhand", + "much", + "a lot", + "lots", + "a good deal", + "a great deal", + "much", + "very much", + "much", + "a great deal", + "often", + "often", + "better", + "increasingly", + "progressively", + "more and more", + "effectively", + "in effect", + "de facto", + "for all practical purposes", + "to all intents and purposes", + "for all intents and purposes", + "reproducibly", + "previously", + "antecedently", + "earlier", + "before", + "subsequently", + "later", + "afterwards", + "afterward", + "after", + "later on", + "abruptly", + "suddenly", + "short", + "dead", + "suddenly", + "all of a sudden", + "of a sudden", + "presto", + "presto", + "inscriptively", + "inscrutably", + "insecticidally", + "insensately", + "intentionally", + "deliberately", + "designedly", + "on purpose", + "purposely", + "advisedly", + "by choice", + "by design", + "unintentionally", + "accidentally", + "consequently", + "accordingly", + "accordingly", + "alternatively", + "instead", + "or else", + "let alone", + "not to mention", + "a fortiori", + "altogether", + "all told", + "in all", + "all together", + "anatomically", + "blindly", + "chromatically", + "chronologically", + "clinically", + "punctually", + "duly", + "mathematically", + "meanwhile", + "meantime", + "in the meantime", + "meanwhile", + "twice", + "largely", + "largo", + "lengthily", + "at length", + "last", + "last", + "lastly", + "in conclusion", + "finally", + "last but not least", + "last not least", + "lastingly", + "absently", + "abstractedly", + "inattentively", + "absentmindedly", + "accusingly", + "affectedly", + "affectingly", + "poignantly", + "touchingly", + "ahead", + "in front", + "before", + "ahead", + "in advance", + "beforehand", + "ahead", + "onward", + "onwards", + "forward", + "forwards", + "forrader", + "ahead", + "out front", + "in the lead", + "ahead", + "ahead", + "all along", + "right along", + "along", + "on", + "along", + "along", + "along", + "along", + "on", + "on", + "alike", + "alike", + "likewise", + "aloud", + "out loud", + "loudly", + "loud", + "aloud", + "softly", + "quietly", + "faintly", + "analogously", + "randomly", + "indiscriminately", + "haphazardly", + "willy-nilly", + "arbitrarily", + "at random", + "every which way", + "around", + "about", + "around", + "nearby", + "round", + "around", + "around", + "around", + "about", + "around", + "around", + "about", + "around", + "about", + "around", + "here and there", + "urgently", + "desperately", + "about", + "almost", + "most", + "nearly", + "near", + "nigh", + "virtually", + "well-nigh", + "asexually", + "asymptotically", + "scantily", + "barely", + "chiefly", + "principally", + "primarily", + "mainly", + "in the main", + "ago", + "back", + "backward", + "back", + "backward", + "backwards", + "rearward", + "rearwards", + "forward", + "forwards", + "frontward", + "frontwards", + "forrad", + "forrard", + "back", + "back", + "back", + "back", + "ahead", + "forward", + "aback", + "aback", + "abeam", + "backward", + "backwards", + "back and forth", + "backward and forward", + "to and fro", + "up and down", + "aurally", + "axially", + "brazenly", + "brilliantly", + "brilliantly", + "brightly", + "bright", + "catalytically", + "commercially", + "dearly", + "dear", + "dearly", + "affectionately", + "dear", + "dearly", + "in a heartfelt way", + "conversely", + "cosmetically", + "decoratively", + "covertly", + "overtly", + "microscopically", + "microscopically", + "undoubtedly", + "doubtless", + "doubtlessly", + "statistically", + "thermodynamically", + "tonight", + "this evening", + "this night", + "actively", + "passively", + "below", + "above", + "supra", + "below", + "at a lower place", + "to a lower place", + "beneath", + "above", + "higher up", + "in a higher place", + "to a higher place", + "in the bargain", + "into the bargain", + "contemptibly", + "contemptuously", + "disdainfully", + "scornfully", + "contumeliously", + "contractually", + "insanely", + "crazily", + "dementedly", + "madly", + "sanely", + "comically", + "daily", + "hebdomadally", + "weekly", + "every week", + "each week", + "annually", + "yearly", + "every year", + "each year", + "curiously", + "inquisitively", + "interrogatively", + "dazzlingly", + "deceptively", + "deceivingly", + "misleadingly", + "yonder", + "yon", + "deprecatively", + "depressingly", + "dichotomously", + "digitately", + "disruptively", + "dizzily", + "giddily", + "light-headedly", + "dorsally", + "dorsoventrally", + "ventrally", + "doubly", + "double", + "twice", + "singly", + "multiply", + "multiplicatively", + "doubly", + "in two ways", + "empirically", + "through empirical observation", + "by trial and error", + "particularly", + "peculiarly", + "especially", + "specially", + "ex cathedra", + "extra", + "elaborately", + "intricately", + "in an elaborate way", + "elsewhere", + "eschatologically", + "exasperatingly", + "experimentally", + "by experimentation", + "through an experiment", + "expressly", + "facetiously", + "jokingly", + "tongue-in-cheek", + "quickly", + "rapidly", + "speedily", + "chop-chop", + "apace", + "fast", + "flat out", + "like blue murder", + "fast", + "tight", + "quicker", + "faster", + "slower", + "quickest", + "fastest", + "slowest", + "permissively", + "permissibly", + "allowably", + "impermissibly", + "flatly", + "categorically", + "unconditionally", + "flush", + "flush", + "everlastingly", + "eternally", + "forever", + "evermore", + "ad infinitum", + "permanently", + "for good", + "in perpetuity", + "in perpetuity", + "temporarily", + "ad interim", + "ad lib", + "ad libitum", + "spontaneously", + "impromptu", + "provisionally", + "continually", + "forever", + "forever and a day", + "highly", + "highly", + "extremely", + "highly", + "histologically", + "magnetically", + "marginally", + "geometrically", + "perilously", + "hazardously", + "dangerously", + "tiredly", + "wearily", + "vitally", + "energetically", + "strenuously", + "intently", + "dingdong", + "mightily", + "reluctantly", + "hard", + "hard", + "hard", + "hard", + "severely", + "hard", + "firmly", + "hard", + "hard", + "hard", + "hard", + "tightly", + "briefly", + "momentarily", + "momently", + "conclusively", + "once and for all", + "inconclusively", + "deplorably", + "lamentably", + "sadly", + "woefully", + "denominationally", + "cortically", + "focally", + "hypothalamically", + "intradermally", + "intramuscularly", + "amusingly", + "divertingly", + "downstairs", + "down the stairs", + "on a lower floor", + "below", + "upstairs", + "up the stairs", + "on a higher floor", + "upstairs", + "downwind", + "upwind", + "against the wind", + "into the wind", + "windward", + "downwind", + "leeward", + "upwind", + "down", + "downwards", + "downward", + "downwardly", + "down", + "down", + "down", + "down", + "down", + "up", + "upwards", + "upward", + "upwardly", + "up", + "upwards", + "upward", + "up", + "up", + "up", + "upriver", + "upstream", + "downriver", + "downstream", + "downfield", + "downright", + "outright", + "outright", + "home", + "at home", + "at home", + "home", + "home", + "homeward", + "homewards", + "rather", + "instead", + "insofar", + "in so far", + "so far", + "to that extent", + "to that degree", + "mordaciously", + "more", + "to a greater extent", + "less", + "to a lesser extent", + "more", + "less", + "little", + "early", + "ahead of time", + "too soon", + "late", + "belatedly", + "tardily", + "early", + "betimes", + "early on", + "early", + "for that matter", + "afar", + "far", + "far", + "far", + "far", + "far", + "way", + "right smart", + "far and wide", + "far and near", + "fictitiously", + "fictitiously", + "finely", + "fine", + "delicately", + "exquisitely", + "finely", + "first", + "firstly", + "foremost", + "first of all", + "first off", + "second", + "secondly", + "third", + "thirdly", + "throughout", + "end-to-end", + "initially", + "ab initio", + "at first sight", + "at first glance", + "at first blush", + "when first seen", + "first", + "for the first time", + "and so forth", + "and so on", + "etcetera", + "etc.", + "forth", + "forth", + "forward", + "onward", + "abroad", + "at heart", + "at bottom", + "deep down", + "inside", + "in spite of appearance", + "at large", + "in a broad way", + "at least", + "at the least", + "at most", + "at the most", + "at least", + "leastways", + "leastwise", + "at any rate", + "at leisure", + "leisurely", + "right", + "just then", + "promptly", + "readily", + "pronto", + "promptly", + "right away", + "promptly", + "quickly", + "quick", + "at best", + "at the best", + "at worst", + "at the worst", + "demoniacally", + "frenetically", + "furtively", + "on the sly", + "unanimously", + "nem con", + "nemine contradicente", + "responsibly", + "irresponsibly", + "fairly", + "fair", + "evenhandedly", + "normally", + "usually", + "unremarkably", + "commonly", + "ordinarily", + "as usual", + "unusually", + "remarkably", + "outstandingly", + "unco", + "recently", + "late", + "lately", + "of late", + "latterly", + "erratically", + "unpredictably", + "girlishly", + "gradually", + "bit by bit", + "step by step", + "grimly", + "hell-for-leather", + "hereabout", + "hereabouts", + "here", + "here", + "hither", + "here", + "herein", + "here", + "there", + "at that place", + "in that location", + "there", + "thither", + "there", + "in that respect", + "on that point", + "historically", + "historically", + "peacefully", + "scientifically", + "unscientifically", + "humbly", + "meekly", + "meekly", + "inside", + "indoors", + "outside", + "outdoors", + "out of doors", + "alfresco", + "inside", + "within", + "outside", + "militarily", + "macroscopically", + "literally", + "virtually", + "most", + "to the highest degree", + "least", + "to the lowest degree", + "least of all", + "most", + "mutely", + "wordlessly", + "silently", + "taciturnly", + "internationally", + "inevitably", + "necessarily", + "of necessity", + "needs", + "newly", + "freshly", + "fresh", + "new", + "afresh", + "anew", + "de novo", + "differently", + "otherwise", + "other than", + "organically", + "inorganically", + "organically", + "organically", + "unfailingly", + "mechanically", + "mechanically", + "automatically", + "metabolically", + "officially", + "unofficially", + "painfully", + "distressingly", + "centrally", + "peripherally", + "phylogenetically", + "physically", + "physiologically", + "preferably", + "sooner", + "rather", + "politically", + "politically", + "pornographically", + "self-indulgently", + "symbiotically", + "symbolically", + "toe-to-toe", + "together", + "together", + "unitedly", + "in concert", + "together", + "together", + "in on", + "together", + "jointly", + "collectively", + "conjointly", + "together with", + "outrageously", + "atrociously", + "outrageously", + "then", + "so", + "and so", + "and then", + "then", + "then", + "volumetrically", + "so", + "regardless", + "irrespective", + "disregardless", + "no matter", + "disregarding", + "irregardless", + "once", + "one time", + "in one case", + "once", + "formerly", + "at one time", + "erstwhile", + "erst", + "though", + "as far as possible", + "as much as possible", + "on the coattails", + "one one's coattails", + "on the other hand", + "then again", + "but then", + "on the one hand", + "on one hand", + "successfully", + "simultaneously", + "at the same time", + "concurrently", + "at the same time", + "systematically", + "consistently", + "unsystematically", + "inconsistently", + "thereby", + "thus", + "thusly", + "so", + "academically", + "appositively", + "in apposition", + "astronomically", + "axiomatically", + "photoelectrically", + "photographically", + "photometrically", + "constitutionally", + "unconstitutionally", + "democratically", + "undemocratically", + "aloof", + "digitally", + "digitally", + "economically", + "economically", + "economically", + "electronically", + "ethnically", + "federally", + "genetically", + "graphically", + "ideographically", + "idyllically", + "industrially", + "injuriously", + "irrevocably", + "legally", + "manually", + "medically", + "medicinally", + "nominally", + "predicatively", + "professorially", + "provincially", + "realistically", + "red-handed", + "reversibly", + "rewardingly", + "royally", + "like kings", + "like royalty", + "sacrilegiously", + "scenically", + "scholastically", + "serially", + "socially", + "socially", + "symbolically", + "technically", + "technically", + "technically", + "temporally", + "terminally", + "terrestrially", + "territorially", + "thematically", + "therapeutically", + "geothermally", + "thermally", + "typically", + "atypically", + "untypically", + "verbally", + "verbally", + "vocally", + "nonverbally", + "non-verbally", + "globally", + "electrically", + "chemically", + "chemically", + "legislatively", + "bilingually", + "linearly", + "longitudinally", + "magically", + "as if by magic", + "bacterially", + "relativistically", + "racially", + "municipally", + "governmentally", + "professionally", + "spatially", + "semantically", + "limitedly", + "linguistically", + "lingually", + "sociolinguistically", + "linguistically", + "cross-linguistically", + "fiscally", + "in fiscal matters", + "algebraically", + "polyphonically", + "poetically", + "phonetically", + "phonemic", + "personally", + "personally", + "in person", + "personally", + "philosophically", + "infernally", + "hellishly", + "pathologically", + "graphically", + "catastrophically", + "optically", + "visually", + "viscerally", + "cerebrally", + "cerebrally", + "mystically", + "biologically", + "sociobiologically", + "neurobiological", + "biochemically", + "musicologically", + "morally", + "meteorologically", + "metaphysically", + "metonymically", + "melodically", + "harmonically", + "acoustically", + "adulterously", + "metaphorically", + "allegorically", + "locally", + "locally", + "topically", + "regionally", + "nationally", + "culturally", + "interracially", + "chorally", + "subcutaneously", + "facially", + "syntactically", + "spinally", + "sexually", + "sexually", + "lexically", + "nonlexically", + "materially", + "materially", + "surgically", + "operatively", + "postoperatively", + "chromatographically", + "alternately", + "transversely", + "transversally", + "respectively", + "severally", + "similarly", + "likewise", + "secondarily", + "primarily", + "in the first place", + "probably", + "likely", + "in all likelihood", + "in all probability", + "belike", + "bannerlike", + "dramatically", + "undramatically", + "ashore", + "notably", + "intensively", + "appropriately", + "suitably", + "fittingly", + "befittingly", + "fitly", + "inappropriately", + "unsuitably", + "inalienably", + "offshore", + "onshore", + "thousand-fold", + "thousand times", + "naturally", + "artificially", + "unnaturally", + "by artificial means", + "acutely", + "chronically", + "chronically", + "inveterate", + "contradictorily", + "electrostatically", + "episodically", + "feverishly", + "feudally", + "frontally", + "geometrically", + "glacially", + "glaringly", + "gravitationally", + "gutturally", + "hieroglyphically", + "homeostatically", + "horticulturally", + "humanly", + "imperially", + "incestuously", + "inconceivably", + "insistently", + "institutionally", + "judicially", + "nasally", + "nocturnally", + "rurally", + "spherically", + "superficially", + "syllabically", + "monosyllabically", + "polysyllabically", + "symptomatically", + "tangentially", + "volcanically", + "awhile", + "for a while", + "wickedly", + "evilly", + "surely", + "certainly", + "sure", + "for sure", + "for certain", + "sure enough", + "sure as shooting", + "surprisingly", + "technologically", + "temperamentally", + "sufficiently", + "enough", + "plenty", + "insufficiently", + "unhesitatingly", + "hesitantly", + "hesitatingly", + "thereafter", + "thenceforth", + "ever", + "of all time", + "sic", + "so", + "so", + "so", + "so", + "so", + "such", + "hand and foot", + "hand in hand", + "hand over fist", + "handily", + "hands down", + "easily", + "easy", + "easy", + "soft", + "in hand", + "out of hand", + "beyond control", + "in a way", + "factually", + "in fact", + "in point of fact", + "as a matter of fact", + "actually", + "in reality", + "actually", + "really", + "actually", + "actually", + "to be sure", + "without doubt", + "no doubt", + "sure enough", + "right", + "right on", + "in toto", + "in the least", + "even a little", + "above all", + "most importantly", + "most especially", + "in absentia", + "across the board", + "after a fashion", + "after all", + "after all", + "after hours", + "against the clock", + "against time", + "ahead of the game", + "all in all", + "on the whole", + "altogether", + "tout ensemble", + "all of a sudden", + "all at once", + "all the way", + "the whole way", + "all the way", + "from start to finish", + "and how", + "you bet", + "you said it", + "and then some", + "around the clock", + "for 24 hours", + "round the clock", + "as follows", + "as it were", + "so to speak", + "as we say", + "so to speak", + "as the crow flies", + "at all costs", + "at any cost", + "at any expense", + "at a time", + "at once", + "at one time", + "at will", + "loosely", + "carefully", + "mindfully", + "heedfully", + "advertently", + "unmindfully", + "excitedly", + "vociferously", + "safely", + "allegedly", + "purportedly", + "supposedly", + "illegally", + "illicitly", + "lawlessly", + "originally", + "unoriginally", + "comfortably", + "comfortably", + "uncomfortably", + "by a long shot", + "by and by", + "later", + "by and large", + "generally", + "more often than not", + "mostly", + "by hook or by crook", + "by any means", + "by heart", + "by memory", + "by inches", + "little by little", + "by small degrees", + "by fits and starts", + "by the way", + "by the bye", + "incidentally", + "apropos", + "by the piece", + "one by one", + "orally", + "by word of mouth", + "orally", + "come hell or high water", + "no matter what happens", + "whatever may come", + "day in and day out", + "all the time", + "dead ahead", + "deadpan", + "en masse", + "en bloc", + "as a group", + "every so often", + "every now and then", + "every inch", + "completely", + "incompletely", + "alone", + "solo", + "unaccompanied", + "first and last", + "above all", + "precisely", + "exactly", + "just", + "for a song", + "for a bargain price", + "at a low price", + "for dear life", + "at stake", + "at stake", + "for example", + "for instance", + "e.g.", + "for good measure", + "for keeps", + "for love or money", + "for anything", + "for any price", + "for all the world", + "for one", + "for short", + "for the asking", + "on request", + "from scratch", + "sincerely", + "sincerely yours", + "from way back", + "since a long time ago", + "close to the wind", + "closely", + "closely", + "intimately", + "nearly", + "relatively", + "comparatively", + "predominantly", + "preponderantly", + "readily", + "markedly", + "palpably", + "crudely", + "slowly", + "slow", + "easy", + "tardily", + "publicly", + "publically", + "in public", + "privately", + "in private", + "in camera", + "secretly", + "privately", + "publicly", + "communally", + "reprovingly", + "reproachfully", + "gaily", + "hand in glove", + "hand and glove", + "cooperatively", + "cheek by jowl", + "helter-skelter", + "every which way", + "head over heels", + "heels over head", + "topsy-turvy", + "topsy-turvily", + "in great confusion", + "fecklessly", + "harum-scarum", + "pell-mell", + "carelessly", + "heedlessly", + "heart and soul", + "body and soul", + "hook line and sinker", + "in circles", + "in a pig's eye", + "in case", + "just in case", + "coldly", + "in cold blood", + "seriously", + "earnestly", + "in earnest", + "in due course", + "in due season", + "in good time", + "in due time", + "when the time comes", + "in full swing", + "in full action", + "in kind", + "in a similar way", + "in line", + "in name", + "in name only", + "in no time", + "very fast", + "long", + "long", + "in passing", + "en passant", + "in practice", + "secretly", + "in secret", + "on the Q.T.", + "on the QT", + "in short order", + "inside out", + "inside out", + "in the air", + "in everyone's thoughts", + "in the first place", + "earlier", + "in the beginning", + "to begin with", + "originally", + "in the long run", + "in the end", + "in the nick of time", + "just in time", + "in the same breath", + "in time", + "soon enough", + "vainly", + "in vain", + "unsuccessfully", + "just so", + "lickety split", + "lickety cut", + "like clockwork", + "like hell", + "like mad", + "like crazy", + "like sin", + "like thunder", + "like the devil", + "like hell", + "no end", + "off and on", + "on and off", + "off the cuff", + "confidentially", + "off the record", + "on all fours", + "on the average", + "on average", + "on approval", + "on faith", + "hypothetically", + "theoretically", + "theoretically", + "oppositely", + "contrarily", + "to the contrary", + "contrariwise", + "on the contrary", + "on the fly", + "on the spot", + "on the spot", + "on the spot", + "on the spur of the moment", + "suddenly", + "on the way", + "en route", + "on time", + "out of thin air", + "out of nothing", + "from nowhere", + "out of wedlock", + "outside marriage", + "to advantage", + "to a man", + "to a T", + "to the letter", + "just right", + "to perfection", + "up to now", + "to date", + "to order", + "tooth and nail", + "to that effect", + "to the hilt", + "to the limit", + "under the circumstances", + "orad", + "aborad", + "bravely", + "courageously", + "overboard", + "upstate", + "profoundly", + "deeply", + "impatiently", + "patiently", + "tensely", + "methodically", + "blindly", + "apologetically", + "unsteadily", + "falteringly", + "uncertainly", + "steadily", + "steady", + "haughtily", + "wildly", + "wild", + "wildly", + "wildly", + "bleakly", + "stupidly", + "doltishly", + "uniquely", + "unambiguously", + "symmetrically", + "asymmetrically", + "unsymmetrically", + "inversely", + "reciprocally", + "creatively", + "distally", + "heavily", + "to a great extent", + "heavily", + "intemperately", + "hard", + "heavily", + "lightly", + "repeatedly", + "over and over", + "again and again", + "over and over again", + "time and again", + "time and time again", + "adamantly", + "strongly", + "weakly", + "vice versa", + "the other way around", + "contrariwise", + "day by day", + "daily", + "day in day out", + "day after day", + "week after week", + "week by week", + "month by month", + "radically", + "religiously", + "sacredly", + "scrupulously", + "conscientiously", + "religiously", + "exceptionally", + "amply", + "fully", + "strictly", + "purely", + "tentatively", + "in other words", + "put differently", + "loosely", + "slackly", + "fussily", + "unnecessarily", + "gracefully", + "gracelessly", + "neatly", + "lightly", + "lightly", + "softly", + "gently", + "successively", + "in turn", + "independently", + "apart", + "aside", + "apart", + "asunder", + "apart", + "apart", + "once", + "as needed", + "as required", + "pro re nata", + "PRN", + "gently", + "overseas", + "abroad", + "vigorously", + "smartly", + "distinctly", + "clearly", + "in vivo", + "positively", + "excellently", + "magnificently", + "splendidly", + "famously", + "healthily", + "hilariously", + "uproariously", + "considerately", + "inconsiderately", + "wonderfully", + "wondrous", + "wondrously", + "superbly", + "toppingly", + "marvellously", + "terrifically", + "marvelously", + "gratifyingly", + "satisfyingly", + "impeccably", + "blandly", + "gravely", + "soberly", + "staidly", + "helpfully", + "unhelpfully", + "true", + "admittedly", + "avowedly", + "confessedly", + "preferentially", + "rationally", + "irrationally", + "critically", + "uncritically", + "boldly", + "competently", + "aptly", + "ably", + "capably", + "incompetently", + "displaying incompetence", + "emotionally", + "emotionally", + "unemotionally", + "anxiously", + "uneasily", + "apprehensively", + "stiffly", + "stiff", + "informally", + "formally", + "formally", + "officially", + "irritably", + "calmly", + "tranquilly", + "nicely", + "cozily", + "cosily", + "correspondingly", + "studiously", + "cleverly", + "smartly", + "lavishly", + "richly", + "extravagantly", + "uptown", + "downtown", + "best of all", + "best", + "best", + "theatrically", + "dramatically", + "namely", + "viz.", + "that is to say", + "to wit", + "videlicet", + "much as", + "very much like", + "popularly", + "enthusiastically", + "unenthusiastically", + "intellectually", + "professedly", + "someday", + "hyperbolically", + "exaggeratedly", + "agilely", + "nimbly", + "proudly", + "solemnly", + "divinely", + "God knows how", + "clumsily", + "diffusely", + "irregularly", + "coarsely", + "finely", + "intensely", + "et al.", + "et al", + "et alibi", + "et al.", + "et al", + "et alii", + "et aliae", + "et alia", + "cf.", + "cf", + "i.e.", + "ie", + "id est", + "continuously", + "reflexly", + "spontaneously", + "sympathetically", + "sympathetically", + "empathetically", + "unsympathetically", + "convincingly", + "unconvincingly", + "weirdly", + "mercifully", + "stealthily", + "thievishly", + "off", + "snugly", + "snugly", + "snugly", + "visibly", + "conceivably", + "strikingly", + "meticulously", + "graciously", + "gracefully", + "ungraciously", + "ungracefully", + "gracelessly", + "woodenly", + "rigidly", + "stiffly", + "bolt", + "awkwardly", + "bewilderedly", + "triumphantly", + "regularly", + "on a regular basis", + "irregularly", + "on an irregular basis", + "universally", + "ideally", + "mistakenly", + "erroneously", + "childishly", + "needlessly", + "tantalizingly", + "invitingly", + "improperly", + "properly", + "decently", + "decent", + "in good order", + "right", + "the right way", + "attentively", + "enormously", + "tremendously", + "hugely", + "staggeringly", + "liberally", + "munificently", + "generously", + "liberally", + "effortlessly", + "o'clock", + "in detail", + "handily", + "conveniently", + "inconveniently", + "jointly", + "concretely", + "abstractly", + "all over", + "over", + "kinesthetically", + "kinaesthetically", + "tactually", + "haptically", + "convulsively", + "rebelliously", + "contumaciously", + "defiantly", + "stubbornly", + "pig-headedly", + "obdurately", + "mulishly", + "obstinately", + "cussedly", + "wrongheadedly", + "drunkenly", + "raucously", + "victoriously", + "fearfully", + "fearlessly", + "dauntlessly", + "intrepidly", + "thankfully", + "thankfully", + "gratefully", + "hopefully", + "hopefully", + "hopelessly", + "hopelessly", + "eagerly", + "thirstily", + "reportedly", + "maliciously", + "viciously", + "brutally", + "savagely", + "spitefully", + "savagely", + "wisely", + "sagely", + "foolishly", + "unwisely", + "fatuously", + "inanely", + "intelligently", + "unintelligently", + "intelligibly", + "clearly", + "understandably", + "unintelligibly", + "ununderstandably", + "aerially", + "alphabetically", + "aristocratically", + "autocratically", + "diplomatically", + "undiplomatically", + "socioeconomically", + "stoutly", + "indefinitely", + "correctly", + "right", + "aright", + "incorrectly", + "wrongly", + "wrong", + "inaccessibly", + "accurately", + "inaccurately", + "accurately", + "wrongly", + "right", + "right", + "justly", + "right", + "rightly", + "justly", + "justifiedly", + "unjustly", + "charitably", + "aimlessly", + "sluggishly", + "trustfully", + "darkly", + "in darkness", + "darkly", + "astray", + "hurriedly", + "hastily", + "in haste", + "unhurriedly", + "hotfoot", + "restlessly", + "financially", + "psychically", + "today", + "ornamentally", + "ornately", + "individually", + "separately", + "singly", + "severally", + "one by one", + "on an individual basis", + "binaurally", + "to both ears", + "in both ears", + "monaurally", + "to one ear", + "in one ear", + "busily", + "prominently", + "conspicuously", + "inescapably", + "ineluctably", + "inevitably", + "unavoidably", + "helplessly", + "impotently", + "unable to help", + "imaginatively", + "unimaginatively", + "bewilderingly", + "confusingly", + "heartily", + "unashamedly", + "shamelessly", + "barefacedly", + "monolingually", + "passionately", + "spectacularly", + "stunningly", + "understandingly", + "soulfully", + "satirically", + "smoothly", + "swimmingly", + "freely", + "habitually", + "routinely", + "customarily", + "humiliatingly", + "demeaningly", + "protectively", + "spiritually", + "sharply", + "crisply", + "dimly", + "indistinctly", + "dimly", + "murkily", + "unmistakably", + "determinedly", + "unfalteringly", + "unshakably", + "incidentally", + "accidentally", + "ever", + "ever so", + "confidently", + "retroactively", + "sporadically", + "periodically", + "haltingly", + "half-and-half", + "amazingly", + "surprisingly", + "astonishingly", + "impressively", + "imposingly", + "unimpressively", + "productively", + "fruitfully", + "profitably", + "unproductively", + "fruitlessly", + "unprofitably", + "expertly", + "like an expert", + "amateurishly", + "abundantly", + "copiously", + "profusely", + "extravagantly", + "interestingly", + "uninterestingly", + "boringly", + "tediously", + "tiresomely", + "moderately", + "immoderately", + "realistically", + "unrealistically", + "sanely", + "sensibly", + "reasonably", + "unreasonably", + "stepwise", + "step by step", + "stolidly", + "supremely", + "testily", + "irritably", + "petulantly", + "pettishly", + "thoughtfully", + "thoughtlessly", + "thoughtfully", + "thoughtlessly", + "unthinkingly", + "unthinking", + "auspiciously", + "propitiously", + "inauspiciously", + "unpropitiously", + "relentlessly", + "unrelentingly", + "ruefully", + "contritely", + "remorsefully", + "head-on", + "head-on", + "inexorably", + "politely", + "courteously", + "impolitely", + "discourteously", + "rudely", + "admirably", + "laudably", + "praiseworthily", + "commendable", + "pleasantly", + "agreeably", + "enjoyably", + "pleasantly", + "cheerily", + "sunnily", + "unpleasantly", + "upside down", + "breathlessly", + "heartily", + "cordially", + "warmly", + "affably", + "amiably", + "genially", + "laughingly", + "ambiguously", + "equivocally", + "unambiguously", + "unequivocally", + "ceremonially", + "ritually", + "unceremoniously", + "ceremoniously", + "ceremonially", + "rakishly", + "raffishly", + "carelessly", + "rollickingly", + "boisterously", + "narrowly", + "broadly", + "loosely", + "broadly speaking", + "generally", + "broadly", + "twirlingly", + "behind", + "behind", + "behind", + "behindhand", + "in arrears", + "behind", + "behind", + "slow", + "rightfully", + "truly", + "in one's own right", + "in his own right", + "in her own right", + "in its own right", + "faithfully", + "dependably", + "reliably", + "unfaithfully", + "undependably", + "unreliably", + "violently", + "nonviolently", + "furiously", + "furiously", + "furiously", + "up and down", + "securely", + "firmly", + "wryly", + "infinitely", + "endlessly", + "finitely", + "boundlessly", + "immeasurably", + "infinitely", + "rigorously", + "strictly", + "plastically", + "boastfully", + "vauntingly", + "big", + "large", + "big", + "big", + "small", + "big", + "warily", + "unwarily", + "bodily", + "over", + "o'er", + "over", + "over", + "over", + "editorially", + "properly speaking", + "strictly speaking", + "to be precise", + "abnormally", + "angrily", + "exultantly", + "exultingly", + "sedulously", + "tenuously", + "perennially", + "perpetually", + "anachronistically", + "ineptly", + "fecklessly", + "ineptly", + "deliciously", + "pleasurably", + "mentally", + "roundly", + "shyly", + "timidly", + "bashfully", + "fondly", + "lovingly", + "abed", + "noisily", + "quietly", + "quietly", + "quiet", + "unquietly", + "unqualifiedly", + "outwardly", + "inwardly", + "inside", + "outwardly", + "externally", + "favorably", + "favourably", + "unfavorably", + "unfavourably", + "cheerfully", + "cheerlessly", + "flawlessly", + "cleanly", + "solidly", + "foursquare", + "solidly", + "laconically", + "dryly", + "drily", + "obligingly", + "accommodatingly", + "voluntarily", + "involuntarily", + "unerringly", + "geographically", + "gloomily", + "cruelly", + "cruelly", + "vaguely", + "mistily", + "pompously", + "out", + "away", + "off", + "forth", + "away", + "out", + "out", + "out of", + "aside", + "by", + "away", + "aside", + "aside", + "away", + "aside", + "apart", + "apart", + "away", + "away", + "away", + "aside", + "away", + "off", + "away", + "away", + "away", + "seriatim", + "doggedly", + "tenaciously", + "efficiently", + "expeditiously", + "inefficiently", + "discordantly", + "unharmoniously", + "dully", + "dully", + "in stride", + "in good spirits", + "atonally", + "charmingly", + "winsomely", + "engagingly", + "tragically", + "fascinatingly", + "curvaceously", + "buxomly", + "ominously", + "restively", + "wittingly", + "knowingly", + "unwittingly", + "inadvertently", + "unknowingly", + "scienter", + "contentedly", + "pityingly", + "compassionately", + "glibly", + "slickly", + "callously", + "unfeelingly", + "justifiably", + "unjustifiably", + "inexcusably", + "under way", + "afoot", + "modestly", + "immodestly", + "frowningly", + "overwhelmingly", + "overpoweringly", + "irresistibly", + "each", + "to each one", + "for each one", + "from each one", + "apiece", + "next door", + "in the adjacent house", + "in the adjacent apartment", + "in unison", + "in unison", + "in chorus", + "analytically", + "therein", + "in this", + "in that", + "anarchically", + "lopsidedly", + "crookedly", + "sternly", + "severely", + "suspiciously", + "authoritatively", + "magisterially", + "resolutely", + "irresolutely", + "speculatively", + "beautifully", + "attractively", + "unattractively", + "dourly", + "sullenly", + "glumly", + "belligerently", + "hostilely", + "consciously", + "unconsciously", + "greenly", + "casually", + "nonchalantly", + "commensally", + "competitively", + "noncompetitively", + "compulsively", + "obsessively", + "obsessionally", + "structurally", + "south", + "to the south", + "in the south", + "north", + "northerly", + "northwards", + "northward", + "unofficially", + "on the side", + "overnight", + "overnight", + "willy-nilly", + "believably", + "unbelievably", + "underfoot", + "underfoot", + "hand in hand", + "feetfirst", + "ferociously", + "fiercely", + "fiercely", + "subconsciously", + "vividly", + "artfully", + "expectantly", + "lustily", + "just", + "simply", + "tenfold", + "quantitatively", + "on paper", + "in writing", + "dramatically", + "classically", + "obscurely", + "decently", + "indecently", + "horrifyingly", + "characteristically", + "uncharacteristically", + "perversely", + "perversely", + "contrarily", + "contrariwise", + "dialectically", + "prophetically", + "artistically", + "peculiarly", + "particularly", + "particularly", + "in particular", + "instinctively", + "internally", + "externally", + "overhead", + "at arm's length", + "overhead", + "aboard", + "on base", + "aboard", + "on board", + "aboard", + "aboard", + "alongside", + "uniformly", + "all too", + "only too", + "enduringly", + "abreast", + "per annum", + "p.a.", + "per year", + "each year", + "annually", + "per diem", + "by the day", + "between", + "'tween", + "ad hoc", + "ad nauseam", + "ad val", + "ad valorem", + "ante meridiem", + "A.M.", + "post meridiem", + "P.M.", + "a posteriori", + "a priori", + "cap-a-pie", + "from head to toe", + "legally", + "lawfully", + "de jure", + "unlawfully", + "jurisprudentially", + "doggo", + "out of sight", + "in hiding", + "en clair", + "en famille", + "ex officio", + "by right of office", + "full-time", + "half-time", + "part-time", + "bilaterally", + "bilaterally", + "unilaterally", + "one-sidedly", + "multilaterally", + "blatantly", + "chock", + "chock-a-block", + "cloyingly", + "collect", + "C.O.D.", + "COD", + "cash on delivery", + "counterclockwise", + "anticlockwise", + "counterintuitively", + "clockwise", + "deathly", + "foremost", + "first", + "fortnightly", + "biweekly", + "semiweekly", + "biweekly", + "monthly", + "bimonthly", + "semimonthly", + "bimonthly", + "semiannually", + "biyearly", + "halfway", + "midway", + "ceteris paribus", + "hereby", + "herewith", + "hierarchically", + "higgledy-piggledy", + "topsy-turvy", + "ibid.", + "ib.", + "ibidem", + "in loco parentis", + "in situ", + "in place", + "inter alia", + "ipso facto", + "item", + "give or take", + "mutatis mutandis", + "par excellence", + "pari passu", + "at an equal rate", + "passim", + "throughout", + "pro tem", + "pro tempore", + "sine die", + "sotto voce", + "in a low voice", + "sub rosa", + "tandem", + "in tandem", + "thrice", + "verbatim", + "word for word", + "a la carte", + "by word of mouth", + "viva voce", + "gratis", + "for free", + "free of charge", + "below", + "infra", + "inland", + "inshore", + "inward", + "inwards", + "outward", + "outwards", + "knee-deep", + "knee-high", + "breast-deep", + "breast-high", + "live", + "sooner", + "earlier", + "in extremis", + "midmost", + "in the midst", + "off-hand", + "ex tempore", + "offstage", + "offstage", + "onstage", + "off-the-clock", + "overtime", + "perforce", + "post-haste", + "prima facie", + "perfunctorily", + "as a formality", + "pro forma", + "proportionately", + "pro rata", + "rent-free", + "wholesale", + "in large quantities", + "scot free", + "skyward", + "skywards", + "up here", + "over here", + "adversely", + "aesthetically", + "esthetically", + "agonizingly", + "excruciatingly", + "torturously", + "appallingly", + "appealingly", + "unappealingly", + "approvingly", + "disapprovingly", + "ambitiously", + "determinedly", + "unambitiously", + "amicably", + "anonymously", + "at a loss", + "afield", + "afield", + "afield", + "abroad", + "animatedly", + "offhand", + "offhanded", + "offhandedly", + "offhand", + "offhanded", + "offhandedly", + "casually", + "upstage", + "downstage", + "abjectly", + "resignedly", + "abortively", + "abstemiously", + "temperately", + "abstrusely", + "accelerando", + "adagio", + "administratively", + "adorably", + "endearingly", + "antagonistically", + "anteriorly", + "apathetically", + "ardently", + "arrogantly", + "ascetically", + "ashamedly", + "assertively", + "unassertively", + "assuredly", + "audaciously", + "avidly", + "adjectively", + "adverbially", + "adrift", + "adrift", + "andante", + "amorously", + "angelically", + "architecturally", + "articulately", + "eloquently", + "inarticulately", + "attributively", + "audibly", + "inaudibly", + "beastly", + "authentically", + "genuinely", + "bloodlessly", + "bloodily", + "bombastically", + "grandiosely", + "turgidly", + "bombastically", + "boyishly", + "boylike", + "aground", + "akimbo", + "alee", + "alertly", + "alias", + "a.k.a.", + "also known as", + "allegretto", + "allegro", + "alliteratively", + "altruistically", + "selflessly", + "anomalously", + "appreciatively", + "gratefully", + "ungratefully", + "unappreciatively", + "arithmetically", + "askance", + "askance", + "awry", + "amiss", + "askew", + "awry", + "skew-whiff", + "assiduously", + "perseveringly", + "persistently", + "astutely", + "shrewdly", + "sagaciously", + "sapiently", + "acutely", + "across", + "crosswise", + "crossways", + "across", + "amain", + "amain", + "amidship", + "amok", + "amuck", + "murderously", + "amok", + "amuck", + "antithetically", + "seasonably", + "timely", + "well-timed", + "apropos", + "seasonably", + "unseasonably", + "archly", + "arduously", + "artlessly", + "ingenuously", + "artlessly", + "crudely", + "inexpertly", + "obliquely", + "aslant", + "athwart", + "blissfully", + "aslant", + "asleep", + "asleep", + "astern", + "aft", + "abaft", + "astern", + "fore", + "forward", + "astern", + "astride", + "astraddle", + "astride", + "athwart", + "atop", + "austerely", + "avariciously", + "covetously", + "greedily", + "avowedly", + "professedly", + "backstage", + "backstage", + "privily", + "baldly", + "balefully", + "banefully", + "perniciously", + "bang", + "slap", + "slapdash", + "smack", + "bolt", + "banteringly", + "tongue-in-cheek", + "barbarously", + "bareback", + "barebacked", + "barefooted", + "barefoot", + "bawdily", + "becomingly", + "beneficially", + "benignly", + "benignantly", + "beseechingly", + "importunately", + "imploringly", + "pleadingly", + "entreatingly", + "bewitchingly", + "captivatingly", + "enchantingly", + "enthrallingly", + "biennially", + "biyearly", + "biannually", + "blankly", + "blasphemously", + "bluffly", + "bluntly", + "brusquely", + "flat out", + "roundly", + "boorishly", + "bountifully", + "bounteously", + "plentifully", + "plenteously", + "breadthwise", + "breadthways", + "broadwise", + "breezily", + "briskly", + "bestially", + "brutishly", + "in a beastly manner", + "bumptiously", + "buoyantly", + "chirpily", + "on air", + "bureaucratically", + "bureaucratically", + "cagily", + "circumspectly", + "cantankerously", + "capriciously", + "capriciously", + "freakishly", + "captiously", + "caustically", + "vitriolically", + "cautiously", + "carefully", + "charily", + "incautiously", + "carelessly", + "disdainfully", + "cavalierly", + "endlessly", + "ceaselessly", + "incessantly", + "unceasingly", + "unendingly", + "continuously", + "interminably", + "endlessly", + "centennially", + "chaotically", + "chaotically", + "chastely", + "virtuously", + "chattily", + "volubly", + "cheaply", + "inexpensively", + "cheekily", + "nervily", + "brashly", + "gallantly", + "chivalrously", + "churlishly", + "surlily", + "circularly", + "clannishly", + "cliquishly", + "fairly", + "fair", + "clean", + "unfairly", + "below the belt", + "cleanly", + "cleanly", + "clearly", + "clear", + "clear", + "all the way", + "climatically", + "coastwise", + "coaxingly", + "cajolingly", + "coherently", + "incoherently", + "colloquially", + "conversationally", + "informally", + "collectedly", + "composedly", + "colloidally", + "combatively", + "scrappily", + "comfortingly", + "consolingly", + "compactly", + "compatibly", + "incompatibly", + "complacently", + "uncomplainingly", + "complainingly", + "comprehensively", + "noncomprehensively", + "compulsorily", + "obligatorily", + "mandatorily", + "computationally", + "brotherly", + "pro", + "con", + "conceitedly", + "self-conceitedly", + "conceptually", + "concernedly", + "concisely", + "briefly", + "shortly", + "in brief", + "in short", + "in a nutshell", + "succinctly", + "compactly", + "conically", + "cynically", + "cytophotometrically", + "cytoplasmically", + "cursorily", + "quickly", + "cumulatively", + "cum laude", + "magna cum laude", + "summa cum laude", + "criminally", + "criminally", + "reprehensively", + "coyly", + "cross-legged", + "condescendingly", + "patronizingly", + "patronisingly", + "consecutive", + "sequentially", + "conservatively", + "cautiously", + "guardedly", + "conditionally", + "unconditionally", + "crucially", + "crosswise", + "crisscross", + "counter", + "counteractively", + "cross-country", + "cross-country", + "crossly", + "grouchily", + "grumpily", + "crosstown", + "craftily", + "cunningly", + "foxily", + "knavishly", + "slyly", + "trickily", + "artfully", + "confusedly", + "consequently", + "therefore", + "consequentially", + "inconsequentially", + "inconsequently", + "constructively", + "contemporaneously", + "contrastingly", + "coolly", + "nervelessly", + "nonchalantly", + "incredibly", + "improbably", + "implausibly", + "unbelievably", + "credibly", + "believably", + "plausibly", + "probably", + "incredulously", + "unbelievingly", + "disbelievingly", + "credulously", + "believingly", + "cryptically", + "enigmatically", + "mysteriously", + "cryptographically", + "cunningly", + "cutely", + "curtly", + "short", + "shortly", + "damned", + "damnably", + "cursedly", + "damply", + "moistly", + "dauntingly", + "dazedly", + "torpidly", + "decisively", + "decisively", + "indecisively", + "decisively", + "resolutely", + "indecisively", + "deftly", + "dejectedly", + "in low spirits", + "delightedly", + "delightfully", + "demurely", + "densely", + "thickly", + "compactly", + "tightly", + "possibly", + "perchance", + "perhaps", + "maybe", + "mayhap", + "peradventure", + "possibly", + "impossibly", + "potentially", + "absurdly", + "derisively", + "scoffingly", + "derisorily", + "mockingly", + "descriptively", + "deservedly", + "undeservedly", + "despairingly", + "despondently", + "developmentally", + "devilishly", + "devilish", + "congenially", + "contagiously", + "infectiously", + "controversially", + "polemically", + "uncontroversially", + "convivially", + "coquettishly", + "flirtatiously", + "enviously", + "covetously", + "jealously", + "creakily", + "creakingly", + "screakily", + "crushingly", + "reprehensibly", + "culpably", + "currishly", + "ignobly", + "daftly", + "dottily", + "balmily", + "nuttily", + "wackily", + "daintily", + "daintily", + "daringly", + "daringly", + "dashingly", + "daylong", + "all day long", + "deadly", + "lifelessly", + "decorously", + "indecorously", + "unbecomingly", + "willingly", + "volitionally", + "unwillingly", + "deeply", + "deep", + "deep", + "deep", + "late", + "late", + "defenseless", + "defenceless", + "defenselessly", + "defencelessly", + "defensively", + "defensively", + "offensively", + "offensively", + "objectionably", + "obnoxiously", + "inoffensively", + "offensively", + "distinctly", + "distinctly", + "distractedly", + "deferentially", + "deferentially", + "submissively", + "deliriously", + "deliriously", + "delusively", + "demonstrably", + "provably", + "incontrovertibly", + "desolately", + "disconsolately", + "diabolically", + "devilishly", + "fiendishly", + "diffidently", + "despicably", + "despitefully", + "spitefully", + "destructively", + "detestably", + "repulsively", + "abominably", + "odiously", + "detrimentally", + "harmfully", + "noxiously", + "harmlessly", + "deviously", + "devotedly", + "devoutly", + "piously", + "dexterously", + "dextrously", + "deftly", + "diagonally", + "diagrammatically", + "graphically", + "diametrically", + "dictatorially", + "autocratically", + "magisterially", + "didactically", + "pedagogically", + "differentially", + "diligently", + "direfully", + "dirtily", + "filthily", + "dirtily", + "disagreeably", + "disappointedly", + "disappointingly", + "disastrously", + "disconcertingly", + "discontentedly", + "disgracefully", + "ingloriously", + "ignominiously", + "discreditably", + "shamefully", + "dishonorably", + "dishonourably", + "disgustedly", + "disgustingly", + "distastefully", + "revoltingly", + "sickeningly", + "honestly", + "aboveboard", + "dishonestly", + "venally", + "deceitfully", + "honestly", + "candidly", + "frankly", + "hypocritically", + "dishonorably", + "honorably", + "honourably", + "disingenuously", + "artfully", + "disinterestedly", + "disjointedly", + "loyally", + "disloyally", + "dismally", + "dreadfully", + "dismally", + "drearily", + "obediently", + "yieldingly", + "disobediently", + "dispassionately", + "disparagingly", + "slightingly", + "dispiritedly", + "hopelessly", + "displeasingly", + "disproportionately", + "proportionately", + "proportionally", + "disproportionately", + "proportionately", + "disputatiously", + "argumentatively", + "disquietingly", + "disreputably", + "reputably", + "respectfully", + "disrespectfully", + "distantly", + "distastefully", + "distressfully", + "distributively", + "distributively", + "distrustfully", + "mistrustfully", + "trustfully", + "trustingly", + "confidingly", + "disturbingly", + "doctrinally", + "dogmatically", + "dolefully", + "sorrowfully", + "domestically", + "domestically", + "domineeringly", + "double", + "double", + "double time", + "double quick", + "doubtfully", + "dubiously", + "dowdily", + "frumpily", + "frumpishly", + "downhill", + "downhill", + "drably", + "dreamily", + "moonily", + "dreamfully", + "droopingly", + "drowsily", + "somnolently", + "dumbly", + "dumbly", + "densely", + "obtusely", + "dutifully", + "dynamically", + "east", + "west", + "westward", + "westwards", + "eastward", + "eastwards", + "easterly", + "westerly", + "westerly", + "ebulliently", + "exuberantly", + "expansively", + "ecclesiastically", + "ecologically", + "ecstatically", + "rapturously", + "rhapsodically", + "edgeways", + "edgewise", + "edgewise", + "edgeways", + "educationally", + "eerily", + "spookily", + "effectually", + "ineffectually", + "efficaciously", + "effectively", + "inefficaciously", + "ineffectively", + "elementarily", + "effusively", + "demonstratively", + "egotistically", + "selfishly", + "unselfishly", + "elegantly", + "elegantly", + "inelegantly", + "eloquently", + "articulately", + "ineloquently", + "inarticulately", + "embarrassingly", + "eminently", + "emulously", + "encouragingly", + "discouragingly", + "endways", + "endwise", + "end on", + "endways", + "endwise", + "endways", + "endwise", + "enterprisingly", + "entertainingly", + "environmentally", + "equably", + "equitably", + "inequitably", + "erectly", + "straight-backed", + "eruditely", + "learnedly", + "ethically", + "unethically", + "euphemistically", + "evasively", + "evenly", + "evolutionarily", + "regularly", + "unevenly", + "irregularly", + "regularly", + "irregularly", + "evenly", + "equally", + "unevenly", + "unequally", + "evermore", + "forevermore", + "excitingly", + "unexcitingly", + "excusably", + "forgivably", + "pardonably", + "inexcusably", + "unpardonably", + "unforgivably", + "exorbitantly", + "extortionately", + "usuriously", + "expediently", + "inadvisably", + "inexpediently", + "expensively", + "cheaply", + "tattily", + "inexpensively", + "explosively", + "explosively", + "exponentially", + "express", + "expressively", + "inexpressively", + "extemporaneously", + "extemporarily", + "extempore", + "extravagantly", + "lavishly", + "exuberantly", + "riotously", + "faddishly", + "faddily", + "faithlessly", + "traitorously", + "treacherously", + "treasonably", + "false", + "falsely", + "incorrectly", + "falsely", + "familiarly", + "famously", + "fanatically", + "fancifully", + "whimsically", + "farcically", + "fashionably", + "unfashionably", + "fastidiously", + "civilly", + "uncivilly", + "fatefully", + "faultily", + "faultlessly", + "fearsomely", + "feebly", + "feebly", + "feelingly", + "unfeelingly", + "felicitously", + "infelicitously", + "fierily", + "fervently", + "fervidly", + "fifthly", + "figuratively", + "literally", + "first class", + "firsthand", + "at first hand", + "first-rate", + "very well", + "fitfully", + "fixedly", + "flabbily", + "flagrantly", + "flamboyantly", + "showily", + "flashily", + "flat", + "flexibly", + "inflexibly", + "flimsily", + "flip-flap", + "flippantly", + "airily", + "flop", + "fluently", + "forbiddingly", + "forcefully", + "cold-bloodedly", + "forcibly", + "forgetfully", + "forgivingly", + "unforgivingly", + "forlornly", + "formidably", + "formlessly", + "piano", + "softly", + "forte", + "loudly", + "pianissimo", + "very softly", + "fortissimo", + "very loudly", + "foully", + "foully", + "insultingly", + "fourfold", + "four times", + "millionfold", + "a million times", + "fourthly", + "fourth", + "fractiously", + "fraternally", + "fraudulently", + "frenziedly", + "hectically", + "frugally", + "functionally", + "frighteningly", + "scarily", + "frostily", + "frigidly", + "fretfully", + "friskily", + "frivolously", + "frothily", + "gainfully", + "gamely", + "garishly", + "tawdrily", + "gaudily", + "genealogically", + "generically", + "generically", + "genteelly", + "geologically", + "jeeringly", + "mockingly", + "gibingly", + "gingerly", + "gladly", + "lief", + "fain", + "gleefully", + "joyously", + "joyfully", + "joylessly", + "glissando", + "gloatingly", + "gloriously", + "gloriously", + "glossily", + "piggyback", + "pickaback", + "pig-a-back", + "piggyback", + "pickaback", + "pig-a-back", + "gloweringly", + "glowingly", + "gluttonously", + "goddam", + "goddamn", + "goddamned", + "good-naturedly", + "gorgeously", + "splendidly", + "resplendently", + "magnificently", + "grandly", + "gratingly", + "raspingly", + "harshly", + "gratuitously", + "greasily", + "gregariously", + "sociably", + "grayly", + "greyly", + "grievously", + "gropingly", + "grotesquely", + "monstrously", + "grudgingly", + "ungrudgingly", + "gruesomely", + "gruffly", + "guiltily", + "gushingly", + "half-heartedly", + "half-hourly", + "half-yearly", + "handsomely", + "handsomely", + "haphazard", + "haphazardly", + "haply", + "by chance", + "by luck", + "harmoniously", + "harshly", + "roughly", + "rough", + "roughly", + "rough", + "hatefully", + "hazily", + "hazily", + "headlong", + "headfirst", + "headlong", + "rashly", + "unadvisedly", + "recklessly", + "headlong", + "precipitately", + "heaps", + "heartlessly", + "heatedly", + "hotly", + "heavenward", + "heavenwards", + "heavenwardly", + "heavy", + "heavily", + "heinously", + "monstrously", + "hereinafter", + "hereafter", + "hereunder", + "hereinbefore", + "hereof", + "hereto", + "hereupon", + "hermetically", + "heroically", + "hideously", + "horridly", + "monstrously", + "high", + "high up", + "high", + "high", + "high", + "richly", + "luxuriously", + "high-handedly", + "high-mindedly", + "questioningly", + "wonderingly", + "insolently", + "loose", + "free", + "about", + "hoarsely", + "huskily", + "horizontally", + "vertically", + "hospitably", + "inhospitably", + "hourly", + "huffily", + "hugger-mugger", + "humanely", + "inhumanely", + "humorously", + "humorlessly", + "humourlessly", + "hundredfold", + "a hundred times", + "hungrily", + "ravenously", + "hydraulically", + "hydraulicly", + "hygienically", + "unhygienically", + "hysterically", + "icily", + "identically", + "identifiably", + "ideologically", + "idiomatically", + "idiotically", + "idly", + "lazily", + "idolatrously", + "ignorantly", + "legibly", + "decipherably", + "readably", + "illegibly", + "undecipherably", + "unreadably", + "illegitimately", + "out of wedlock", + "legitimately", + "illegitimately", + "illicitly", + "legitimately", + "lawfully", + "licitly", + "logically", + "illogically", + "logically", + "illustriously", + "immaculately", + "immovably", + "impartially", + "morally", + "virtuously", + "immorally", + "amorally", + "impassively", + "impenitently", + "unrepentantly", + "penitently", + "penitentially", + "repentantly", + "imperatively", + "peremptorily", + "imperceptibly", + "unnoticeably", + "perceptibly", + "noticeably", + "observably", + "imperiously", + "impersonally", + "impersonally", + "personally", + "personally", + "impertinently", + "saucily", + "pertly", + "freshly", + "impudently", + "impetuously", + "impulsively", + "impiously", + "impishly", + "puckishly", + "implicitly", + "explicitly", + "implicitly", + "importantly", + "importantly", + "significantly", + "impracticably", + "precisely", + "incisively", + "exactly", + "imprecisely", + "inexactly", + "precisely", + "exactly", + "on the nose", + "on the dot", + "on the button", + "impregnably", + "improvidently", + "providently", + "prudently", + "providentially", + "imprudently", + "adequately", + "inadequately", + "incisively", + "cuttingly", + "incognito", + "incomparably", + "uncomparably", + "comparably", + "incongruously", + "conspicuously", + "inconspicuously", + "incriminatingly", + "incurably", + "incurably", + "indelibly", + "ineffably", + "indescribably", + "unutterably", + "unspeakably", + "indeterminably", + "indifferently", + "indignantly", + "discreetly", + "indiscreetly", + "indolently", + "indubitably", + "beyond doubt", + "beyond a doubt", + "beyond a shadow of a doubt", + "indulgently", + "industriously", + "inextricably", + "influentially", + "informatively", + "instructively", + "uninformatively", + "uninstructively", + "infrequently", + "ingeniously", + "ingratiatingly", + "inherently", + "inimitably", + "unreproducibly", + "iniquitously", + "innately", + "innocently", + "innocently", + "inopportunely", + "malapropos", + "opportunely", + "inquiringly", + "enquiringly", + "insatiably", + "unsatiably", + "insatiably", + "unsatiably", + "securely", + "securely", + "insecurely", + "securely", + "insecurely", + "sensitively", + "insensitively", + "insidiously", + "perniciously", + "sincerely", + "unfeignedly", + "truly", + "insincerely", + "from the heart", + "insinuatingly", + "insipidly", + "insomuch", + "inspirationally", + "substantially", + "insubstantially", + "impalpably", + "insultingly", + "insuperably", + "interchangeably", + "interdepartmental", + "intermediately", + "endlessly", + "intermittently", + "interrogatively", + "intolerantly", + "illiberally", + "tolerantly", + "intolerantly", + "transitively", + "intransitively", + "intravenously", + "intuitively", + "inventively", + "invidiously", + "invincibly", + "invisibly", + "visibly", + "irately", + "ironically", + "ironically", + "irrelevantly", + "irretrievably", + "irreverently", + "irreverently", + "irreversibly", + "jarringly", + "jealously", + "immaturely", + "jejunely", + "maturely", + "jerkily", + "jokingly", + "jestingly", + "jocosely", + "jocular", + "journalistically", + "jovially", + "judiciously", + "injudiciously", + "keenly", + "killingly", + "sidesplittingly", + "laboriously", + "lackadaisically", + "lamely", + "landward", + "landwards", + "langsyne", + "languidly", + "languorously", + "large", + "large", + "lasciviously", + "salaciously", + "laterally", + "laterally", + "laughably", + "ridiculously", + "ludicrously", + "preposterously", + "laxly", + "leniently", + "under arms", + "lazily", + "left", + "right", + "legato", + "staccato", + "lengthways", + "lengthwise", + "longwise", + "longways", + "longitudinally", + "longitudinally", + "lento", + "slowly", + "lethargically", + "unenergetically", + "lewdly", + "obscenely", + "licentiously", + "wantonly", + "promiscuously", + "lifelessly", + "lifelessly", + "longingly", + "yearningly", + "lucidly", + "pellucidly", + "limpidly", + "perspicuously", + "lukewarmly", + "tepidly", + "luxuriantly", + "luxuriantly", + "manageably", + "unmanageably", + "manfully", + "manly", + "unmanfully", + "unmanly", + "lightly", + "light", + "light-handedly", + "light-heartedly", + "lightsomely", + "lightsomely", + "trippingly", + "limnologically", + "limply", + "lineally", + "matrilineally", + "patrilineally", + "lingeringly", + "protractedly", + "lispingly", + "listlessly", + "lividly", + "loftily", + "logarithmically", + "longer", + "longest", + "loquaciously", + "garrulously", + "talkatively", + "talkily", + "low", + "lowest", + "lugubriously", + "luridly", + "lusciously", + "deliciously", + "scrumptiously", + "lustfully", + "lyrically", + "magnanimously", + "grandiloquently", + "magniloquently", + "majestically", + "benevolently", + "malevolently", + "malignantly", + "malignly", + "managerially", + "mangily", + "maniacally", + "manipulatively", + "masochistically", + "massively", + "masterfully", + "materialistically", + "maternally", + "motherly", + "mawkishly", + "drippily", + "maximally", + "minimally", + "meagerly", + "sparingly", + "slenderly", + "meagrely", + "amply", + "richly", + "meanderingly", + "meaningfully", + "meanly", + "humbly", + "meanly", + "meanly", + "scurvily", + "basely", + "meanspiritedly", + "immeasurably", + "measurably", + "mechanistically", + "medially", + "meditatively", + "mellowly", + "mellow", + "melodiously", + "tunefully", + "unmelodiously", + "melodramatically", + "melodramatically", + "memorably", + "unforgettably", + "unmemorably", + "menacingly", + "threateningly", + "mendaciously", + "untruthfully", + "truthfully", + "menially", + "mercilessly", + "pitilessly", + "unmercifully", + "remorselessly", + "meretriciously", + "flashily", + "meritoriously", + "messily", + "untidily", + "tidily", + "methodologically", + "metrically", + "rhythmically", + "mindlessly", + "senselessly", + "mindlessly", + "amidships", + "amidship", + "midships", + "midweek", + "mincingly", + "ministerially", + "minutely", + "circumstantially", + "miraculously", + "miserably", + "mistily", + "molto", + "momentously", + "monotonously", + "moodily", + "morbidly", + "morosely", + "morphologically", + "mortally", + "motionlessly", + "sadly", + "mournfully", + "mundanely", + "mundanely", + "terrestrially", + "murderously", + "murkily", + "musically", + "unmusically", + "musingly", + "mutually", + "reciprocally", + "in return", + "reciprocally", + "naively", + "nakedly", + "nakedly", + "narrow-mindedly", + "small-mindedly", + "broad-mindedly", + "nastily", + "meanly", + "nationally", + "nationwide", + "across the nation", + "across the country", + "nattily", + "jauntily", + "nay", + "nearer", + "nigher", + "closer", + "nearest", + "nighest", + "closest", + "necessarily", + "needfully", + "necessarily", + "unnecessarily", + "neck and neck", + "head-to-head", + "nip and tuck", + "nefariously", + "neglectfully", + "negligently", + "nervously", + "neurotically", + "nervously", + "nevermore", + "never again", + "near", + "nigh", + "close", + "close up", + "at close range", + "nightly", + "every night", + "ninefold", + "nine times", + "nobly", + "nohow", + "nonstop", + "nostalgically", + "notoriously", + "nutritionally", + "numerically", + "numbly", + "insensibly", + "nowise", + "to no degree", + "northeast", + "north-east", + "nor'-east", + "northwest", + "north-west", + "nor'-west", + "north-northeast", + "nor'-nor'-east", + "north-northwest", + "nor'-nor'-west", + "objectively", + "subjectively", + "obscenely", + "obsequiously", + "subserviently", + "servilely", + "observantly", + "observingly", + "obstreperously", + "loudly", + "clamorously", + "obtrusively", + "unobtrusively", + "officiously", + "obstructively", + "hinderingly", + "offside", + "onerously", + "opaquely", + "operationally", + "oppressively", + "optimally", + "optimistically", + "pessimistically", + "optionally", + "obligatorily", + "sumptuously", + "opulently", + "organizationally", + "osmotically", + "ostentatiously", + "showily", + "outlandishly", + "outspokenly", + "overbearingly", + "overleaf", + "overmuch", + "too much", + "oversea", + "overseas", + "overside", + "owlishly", + "pacifistically", + "painstakingly", + "fastidiously", + "palatably", + "unpalatably", + "palely", + "pallidly", + "palely", + "dimly", + "parentally", + "parenterally", + "parenthetically", + "parochially", + "by", + "past", + "patchily", + "paternally", + "pathetically", + "pathetically", + "pitiably", + "patriotically", + "unpatriotically", + "peaceably", + "pacifically", + "pedantically", + "peevishly", + "querulously", + "fractiously", + "pejoratively", + "penetratingly", + "penetratively", + "pensively", + "penuriously", + "perceptively", + "perceptually", + "perchance", + "by chance", + "perfidiously", + "perkily", + "perpendicularly", + "perplexedly", + "confoundedly", + "persistently", + "persuasively", + "pertinaciously", + "pertinently", + "pervasively", + "pettily", + "pharmacologically", + "phenomenally", + "philanthropically", + "philatelically", + "phlegmatically", + "picturesquely", + "piecemeal", + "little by little", + "bit by bit", + "in stages", + "piercingly", + "bitterly", + "bitingly", + "bitter", + "piggishly", + "pinnately", + "piping", + "steaming", + "piquantly", + "spicily", + "placidly", + "placidly", + "pizzicato", + "point-blank", + "posthumously", + "prestissimo", + "rallentando", + "recognizably", + "unrecognizably", + "unrecognisable", + "regretfully", + "piratically", + "pit-a-pat", + "pitty-patty", + "pitty-pat", + "pitter-patter", + "pit-a-pat", + "pitty-patty", + "pitty-pat", + "pitter-patter", + "piteously", + "pithily", + "sententiously", + "pitifully", + "placatingly", + "plaguey", + "plaguy", + "plaguily", + "plaintively", + "playfully", + "pleasingly", + "plenarily", + "ploddingly", + "plop", + "plunk", + "plump", + "pneumatically", + "pointlessly", + "poisonously", + "venomously", + "pluckily", + "plumb", + "ponderously", + "ponderously", + "pop", + "popishly", + "portentously", + "possessively", + "post-free", + "post-paid", + "potently", + "powerfully", + "poutingly", + "powerfully", + "strongly", + "powerlessly", + "practicably", + "feasibly", + "pragmatically", + "pre-eminently", + "preeminently", + "precariously", + "precious", + "preciously", + "precipitously", + "precipitously", + "sharply", + "precociously", + "predictably", + "prematurely", + "untimely", + "prematurely", + "presciently", + "cannily", + "carnally", + "presentably", + "pressingly", + "presumptuously", + "pretentiously", + "unpretentiously", + "preternaturally", + "supernaturally", + "prettily", + "priggishly", + "primly", + "prissily", + "primitively", + "primitively", + "originally", + "in the beginning", + "probabilistically", + "problematically", + "warmly", + "warm", + "wastefully", + "prodigally", + "prodigiously", + "profanely", + "profanely", + "proficiently", + "profitlessly", + "unprofitably", + "gainlessly", + "prohibitively", + "promiscuously", + "indiscriminately", + "promisingly", + "prosaically", + "unimaginatively", + "prosily", + "proverbially", + "providentially", + "providentially", + "provocatively", + "provokingly", + "prudishly", + "puritanically", + "pruriently", + "pryingly", + "psychologically", + "psychologically", + "pugnaciously", + "punctiliously", + "pungently", + "pungently", + "punily", + "punishingly", + "punitively", + "punitorily", + "penally", + "purposefully", + "purposelessly", + "quaintly", + "quaintly", + "qualitatively", + "quarterly", + "every quarter", + "quarterly", + "queasily", + "queerly", + "fishily", + "queerly", + "strangely", + "oddly", + "funnily", + "unquestionably", + "unimpeachably", + "questionably", + "dubiously", + "questioningly", + "quizzically", + "restfully", + "quietly", + "quixotically", + "racily", + "radially", + "radiantly", + "raggedly", + "jaggedly", + "raggedly", + "stragglingly", + "raggedly", + "unevenly", + "rampantly", + "wild", + "rapaciously", + "raving", + "ravingly", + "ravishingly", + "reassuringly", + "rebukingly", + "receptively", + "reflectively", + "refreshingly", + "refreshingly", + "refreshfully", + "regally", + "relevantly", + "reminiscently", + "remotely", + "remotely", + "repellently", + "repellingly", + "repetitively", + "reputedly", + "resentfully", + "reservedly", + "resignedly", + "ripely", + "resoundingly", + "resourcefully", + "respectably", + "respectably", + "creditably", + "restrictively", + "retail", + "wholesale", + "retentively", + "reticently", + "retrospectively", + "revengefully", + "vengefully", + "vindictively", + "reverentially", + "reverently", + "reversely", + "rhetorically", + "right-down", + "righteously", + "unrighteously", + "riskily", + "roaring", + "robustly", + "roguishly", + "roguishly", + "romantically", + "roomily", + "spaciously", + "rotationally", + "sonorously", + "rotundly", + "round-arm", + "rowdily", + "raucously", + "ruinously", + "ruthlessly", + "sarcastically", + "sardonically", + "sanctimoniously", + "self-righteously", + "scandalously", + "scathingly", + "unsparingly", + "sceptically", + "skeptically", + "schematically", + "scorching", + "screamingly", + "scurrilously", + "searchingly", + "seasonally", + "coastward", + "seaward", + "seawards", + "asea", + "second-best", + "second class", + "secretively", + "sedately", + "calmly", + "seductively", + "temptingly", + "selectively", + "self-consciously", + "unselfconsciously", + "self-evidently", + "sensationally", + "senselessly", + "sensuously", + "voluptuously", + "sensually", + "sultrily", + "sentimentally", + "unsentimentally", + "separably", + "inseparably", + "serenely", + "sevenfold", + "seventhly", + "independently", + "severally", + "shabbily", + "shabbily", + "shaggily", + "shakily", + "shakily", + "shallowly", + "shambolically", + "shamefacedly", + "shapelessly", + "sheepishly", + "sheer", + "sheer", + "perpendicularly", + "shiftily", + "shockingly", + "shockingly", + "shoddily", + "short", + "unawares", + "short", + "short", + "short", + "short", + "shudderingly", + "sidesaddle", + "broadside", + "sidelong", + "sideways", + "obliquely", + "sidelong", + "sidelong", + "sideward", + "sidewards", + "sideways", + "sideway", + "sidewise", + "sideway", + "sideways", + "sidewise", + "sideways", + "sideway", + "sidewise", + "signally", + "unmistakably", + "remarkably", + "signally", + "silkily", + "pusillanimously", + "simperingly", + "single-handed", + "single-handedly", + "single-mindedly", + "singularly", + "sixfold", + "six times", + "sixthly", + "sketchily", + "skillfully", + "skilfully", + "skimpily", + "skittishly", + "sky-high", + "sky-high", + "enthusiastically", + "sky-high", + "slanderously", + "calumniously", + "slangily", + "slantingly", + "slopingly", + "slantwise", + "slantways", + "slam-bang", + "slap-bang", + "slam-bang", + "slapdash", + "slam-bang", + "slap-bang", + "slavishly", + "sleekly", + "sleepily", + "sleeplessly", + "slenderly", + "slimly", + "slightly", + "smoothly", + "sloppily", + "slouchingly", + "slouchily", + "smash", + "smashingly", + "smilingly", + "unsmilingly", + "smugly", + "smuttily", + "vulgarly", + "snappishly", + "sneakingly", + "sneeringly", + "superciliously", + "snidely", + "snobbishly", + "snootily", + "uppishly", + "sobbingly", + "sociably", + "unsociably", + "sociologically", + "solicitously", + "solitarily", + "somberly", + "sombrely", + "soothingly", + "soaking", + "sopping", + "dripping", + "sordidly", + "squalidly", + "sorely", + "sorrowfully", + "all together", + "all at once", + "sottishly", + "southeast", + "south-east", + "sou'-east", + "southwest", + "south-west", + "sou'west", + "south-southeast", + "sou'-sou'-east", + "south-southwest", + "sou'-sou'-west", + "soullessly", + "noiselessly", + "soundlessly", + "sourly", + "southerly", + "southerly", + "southward", + "southwards", + "sparely", + "sparsely", + "spasmodically", + "spasmodically", + "jerkily", + "speciously", + "spectrographically", + "speechlessly", + "spirally", + "sportingly", + "unsportingly", + "unsuspectingly", + "spotlessly", + "trimly", + "spuriously", + "squeamishly", + "stagily", + "theatrically", + "standoffishly", + "stark", + "starkly", + "starkly", + "starkly", + "startlingly", + "statutorily", + "staunchly", + "stanchly", + "steeply", + "stereotypically", + "stertorously", + "stickily", + "viscidly", + "stiff", + "stiltedly", + "stingily", + "cheaply", + "chintzily", + "stirringly", + "stochastically", + "still", + "stock-still", + "straightway", + "straightway", + "thereabout", + "thereabouts", + "thereabout", + "thereabouts", + "thereinafter", + "thereof", + "thereon", + "on it", + "on that", + "thereto", + "to it", + "to that", + "thereunder", + "under that", + "under it", + "therewith", + "therewithal", + "stockily", + "stoically", + "stonily", + "strategically", + "stridently", + "strictly", + "stringently", + "stuffily", + "stodgily", + "stupendously", + "sturdily", + "stylishly", + "stylistically", + "suavely", + "sublimely", + "subtly", + "romantically", + "unromantically", + "sulkily", + "summarily", + "superfluously", + "superlatively", + "superstitiously", + "supinely", + "supinely", + "surreptitiously", + "sneakily", + "surpassingly", + "surprisedly", + "sweepingly", + "sweetly", + "sweet", + "synchronously", + "synthetically", + "tacitly", + "tactfully", + "tactlessly", + "tactically", + "tamely", + "tangibly", + "tartly", + "tastefully", + "tastily", + "tastelessly", + "tastily", + "tauntingly", + "teasingly", + "tautly", + "tearfully", + "telegraphically", + "tersely", + "telescopically", + "tellingly", + "temperately", + "temperately", + "tendentiously", + "tenderly", + "tenthly", + "tetchily", + "theologically", + "theologically", + "thermostatically", + "threefold", + "three times", + "traditionally", + "thick", + "thickly", + "thinly", + "thickly", + "thickly", + "thinly", + "lightly", + "thinly", + "thin", + "thinly", + "thickly", + "thick", + "thirstily", + "thriftily", + "thriftlessly", + "through", + "through", + "through", + "through", + "timorously", + "trepidly", + "tip-top", + "tiptoe", + "tomorrow", + "tonelessly", + "topographically", + "tortuously", + "tortuously", + "touchily", + "toughly", + "transcendentally", + "transiently", + "transitionally", + "transitorily", + "transparently", + "transparently", + "tremulously", + "trenchantly", + "tritely", + "trivially", + "trivially", + "tropically", + "truculently", + "truculently", + "tumultuously", + "riotously", + "turbulently", + "tutorially", + "twofold", + "two times", + "typographically", + "ultra vires", + "unaccountably", + "unalterably", + "unchangeably", + "unassailably", + "immutably", + "unarguably", + "undisputedly", + "unassumingly", + "unattainably", + "unachievably", + "unawares", + "unawares", + "unbearably", + "unbeknown", + "unbeknownst", + "unblushingly", + "uncannily", + "uncertainly", + "unchivalrously", + "uncommonly", + "uncompromisingly", + "undesirably", + "unwantedly", + "uninvitedly", + "unwontedly", + "unconcernedly", + "uncontrollably", + "uncouthly", + "unctuously", + "smarmily", + "fulsomely", + "undeniably", + "under", + "below", + "under", + "under", + "under", + "under", + "under", + "under", + "under", + "underarm", + "underhand", + "underground", + "underground", + "underhandedly", + "underhand", + "underneath", + "underneath", + "unduly", + "uneventfully", + "ungrammatically", + "grammatically", + "unimaginably", + "unthinkably", + "uninterruptedly", + "unnaturally", + "naturally", + "precedentedly", + "unprecedentedly", + "unreservedly", + "unrestrainedly", + "unscrupulously", + "unstintingly", + "unswervingly", + "unswervingly", + "untruly", + "unwarrantably", + "unworthily", + "up-country", + "uphill", + "uphill", + "uppermost", + "uppermost", + "uprightly", + "honorably", + "uprightly", + "dishonorably", + "urbanely", + "usefully", + "uselessly", + "uxoriously", + "vacantly", + "vacuously", + "valiantly", + "valorously", + "validly", + "vapidly", + "variably", + "vehemently", + "verbosely", + "windily", + "long-windedly", + "wordily", + "verily", + "vicariously", + "vigilantly", + "watchfully", + "vilely", + "virulently", + "vivace", + "vivaciously", + "voluptuously", + "voraciously", + "voyeuristically", + "vulnerably", + "waggishly", + "waist-deep", + "waist-high", + "wanly", + "wantonly", + "wealthily", + "weightily", + "weightily", + "whacking", + "wheezily", + "wheezingly", + "wholeheartedly", + "wholesomely", + "whence", + "wherever", + "wheresoever", + "whopping", + "wide", + "widely", + "widely", + "wide", + "wide", + "astray", + "wide", + "willfully", + "wilfully", + "wishfully", + "wistfully", + "witheringly", + "wittily", + "wolfishly", + "worryingly", + "worriedly", + "worthily", + "worthlessly", + "wrathfully", + "wretchedly", + "yea", + "yeah", + "youthfully", + "zealously", + "zestfully", + "zestily", + "zigzag", + "a la mode", + "between decks", + "'tween decks", + "between", + "betwixt", + "aloft", + "aloft", + "irreproachably", + "blamelessly", + "bonnily", + "aloft", + "aloft", + "circumstantially", + "circumstantially", + "clammily", + "conjugally", + "connubial", + "constrainedly", + "convexly", + "concavely", + "coordinately", + "corruptly", + "corruptedly", + "defectively", + "dingily", + "grubbily", + "grungily", + "discursively", + "ramblingly", + "profligately", + "dissolutely", + "floridly", + "half-price", + "imminently", + "integrally", + "martially", + "ruggedly", + "shrewishly", + "in principle", + "in theory", + "in essence", + "per capita", + "for each person", + "of each person", + "distinctively", + "philosophically", + "vanishingly", + "inaugurally", + "in", + "inwards", + "inward", + "unquestioningly", + "theretofore", + "acutely", + "demandingly", + "heavily", + "specially", + "especially", + "gently", + "mildly", + "haggardly", + "sharply", + "sharp", + "acutely", + "madly", + "frantically", + "smolderingly", + "smoulderingly", + "dandily", + "in common", + "softly", + "immediately", + "immediately", + "directly", + "second hand", + "in full", + "fully", + "expansively", + "homogeneously", + "in flight", + "on the wing", + "only", + "only if", + "only when", + "close", + "closely", + "tight", + "naturally", + "by nature", + "by rights", + "properly", + "caudally", + "caudal", + "causally", + "fearfully", + "one by one", + "one after another", + "one at a time", + "calculatingly", + "magnetically", + "redly", + "widely", + "insignificantly", + "fatally", + "overboard", + "desperately", + "first", + "outstandingly", + "tunelessly", + "measuredly", + "deliberately", + "heavily", + "mellowingly", + "yesterday", + "yesterday", + "together", + "after", + "later", + "on earth", + "unblinkingly", + "luxuriously", + "heavily", + "loweringly", + "aggravatingly", + "lightly", + "quaveringly", + "from pillar to post", + "hither and thither", + "straight", + "painfully", + "sorely", + "painlessly", + "better", + "best", + "significantly", + "out of sight", + "out of view", + "out of place", + "baby-wise", + "baby-like", + "soughingly", + "coincidentally", + "coincidently", + "very", + "contextually", + "departmentally", + "polygonally", + "regimentally", + "residentially", + "schismatically", + "viscerally", + "unreasoningly", + "loosely", + "positively", + "literatim", + "nebulously", + "northeastward", + "northeastwardly", + "northwestward", + "northwestwardly", + "southeastward", + "southeastwardly", + "southwestward", + "southwestwardly", + "abaxially", + "adaxially", + "adjectivally", + "affirmatively", + "canonically", + "cognitively", + "complexly", + "cursively", + "dolce", + "draggingly", + "eccentrically", + "eccentrically", + "endogenously", + "erotically", + "hypnotically", + "immunologically", + "in vitro", + "ex vivo", + "irreparably", + "irritatingly", + "judicially", + "logogrammatically", + "on camera", + "prepositionally", + "presidentially", + "radioactively", + "recurrently", + "sidearm", + "sinuously", + "sinusoidally", + "spaceward", + "spacewards", + "stably", + "stably", + "suggestively", + "synergistically", + "synergistically", + "synonymously", + "taxonomically", + "topologically", + "ulteriorly", + "vexatiously", + "wafer-thin", + "wrongfully" +] \ No newline at end of file diff --git a/static/data/en/nouns.json b/static/data/en/nouns.json new file mode 100644 index 0000000..cffb3b1 --- /dev/null +++ b/static/data/en/nouns.json @@ -0,0 +1,146349 @@ +[ + "entity", + "physical entity", + "abstraction", + "abstract entity", + "thing", + "object", + "physical object", + "whole", + "unit", + "congener", + "living thing", + "animate thing", + "organism", + "being", + "benthos", + "dwarf", + "heterotroph", + "parent", + "life", + "biont", + "cell", + "causal agent", + "cause", + "causal agency", + "person", + "individual", + "someone", + "somebody", + "mortal", + "soul", + "animal", + "animate being", + "beast", + "brute", + "creature", + "fauna", + "plant", + "flora", + "plant life", + "native", + "natural object", + "substance", + "substance", + "matter", + "food", + "nutrient", + "nutrient", + "artifact", + "artefact", + "article", + "psychological feature", + "cognition", + "knowledge", + "noesis", + "motivation", + "motive", + "need", + "attribute", + "state", + "feeling", + "location", + "shape", + "form", + "time", + "space", + "infinite", + "absolute space", + "phase space", + "event", + "process", + "physical process", + "act", + "deed", + "human action", + "human activity", + "group", + "grouping", + "relation", + "possession", + "social relation", + "communication", + "measure", + "quantity", + "amount", + "phenomenon", + "thing", + "kindness", + "benignity", + "abdominoplasty", + "tummy tuck", + "abort", + "accomplishment", + "achievement", + "agon", + "alienation", + "application", + "beachhead", + "foothold", + "cakewalk", + "feat", + "effort", + "exploit", + "masterpiece", + "masterstroke", + "credit", + "action", + "res gestae", + "course", + "course of action", + "blind alley", + "collision course", + "interaction", + "interplay", + "contact", + "brush", + "eye contact", + "fetch", + "placement", + "interchange", + "reciprocation", + "give-and-take", + "reciprocity", + "cross-fertilization", + "cross-fertilisation", + "dealings", + "traffic", + "relation", + "playing", + "play", + "swordplay", + "boondoggle", + "bowling", + "acquiring", + "getting", + "causing", + "causation", + "delivery", + "obstetrical delivery", + "departure", + "going", + "going away", + "leaving", + "derring-do", + "discovery", + "find", + "uncovering", + "disposal", + "disposition", + "hit", + "implementation", + "effectuation", + "egress", + "egression", + "emergence", + "equalization", + "equalisation", + "leveling", + "exhumation", + "disinterment", + "digging up", + "mitzvah", + "mitsvah", + "propulsion", + "actuation", + "rally", + "rallying", + "recovery", + "retrieval", + "running away", + "stunt", + "touch", + "touching", + "tour de force", + "performance", + "overachievement", + "underachievement", + "record", + "track record", + "fait accompli", + "accomplished fact", + "going", + "sledding", + "arrival", + "reaching", + "arrival", + "attainment", + "advent", + "coming", + "entrance", + "entering", + "entry", + "ingress", + "incoming", + "incursion", + "intrusion", + "irruption", + "entree", + "entail", + "registration", + "enrollment", + "enrolment", + "appearance", + "apparition", + "emergence", + "emersion", + "reappearance", + "return", + "comeback", + "return", + "homecoming", + "repatriation", + "penetration", + "interpenetration", + "permeation", + "market penetration", + "anchorage", + "docking", + "moorage", + "dockage", + "tying up", + "landing", + "landing", + "forced landing", + "emergency landing", + "breaking away", + "farewell", + "leave", + "leave-taking", + "parting", + "French leave", + "valediction", + "disappearance", + "disappearing", + "vanishing", + "withdrawal", + "effacement", + "self-effacement", + "retreat", + "retirement", + "retreat", + "evacuation", + "medical evacuation", + "medevac", + "medivac", + "decampment", + "desertion", + "abandonment", + "defection", + "abscondment", + "decampment", + "absence without leave", + "unauthorized absence", + "deviationism", + "emigration", + "out-migration", + "expatriation", + "immigration", + "in-migration", + "aliyah", + "pullback", + "retreat", + "standdown", + "stand-down", + "disengagement", + "fallback", + "pullout", + "receding", + "recession", + "sailing", + "amphibious landing", + "debarkation", + "disembarkation", + "disembarkment", + "going ashore", + "boarding", + "embarkation", + "embarkment", + "exit", + "elopement", + "escape", + "flight", + "evasion", + "slip", + "elusion", + "eluding", + "maneuver", + "manoeuvre", + "evasive action", + "clinch", + "dodge", + "break", + "breakout", + "jailbreak", + "gaolbreak", + "prisonbreak", + "prison-breaking", + "getaway", + "lam", + "exodus", + "hegira", + "hejira", + "Hegira", + "Hejira", + "skedaddle", + "Underground Railroad", + "Underground Railway", + "close call", + "close shave", + "squeak", + "squeaker", + "narrow escape", + "surfacing", + "dispatch", + "despatch", + "shipment", + "reshipment", + "consummation", + "consummation", + "realization", + "realisation", + "fruition", + "orgasm", + "climax", + "sexual climax", + "coming", + "male orgasm", + "fulfillment", + "fulfilment", + "self-fulfillment", + "self-realization", + "self-realisation", + "attainment", + "record", + "track record", + "world record", + "success", + "winning", + "blockbuster", + "megahit", + "smash hit", + "sleeper", + "hit", + "smash", + "smasher", + "strike", + "bang", + "bell ringer", + "bull's eye", + "mark", + "home run", + "ennoblement", + "conquest", + "coup", + "flying colors", + "flying colours", + "passing", + "pass", + "qualifying", + "credit", + "course credit", + "semester hour", + "credit hour", + "nonaccomplishment", + "nonachievement", + "failure", + "failure", + "failing", + "flunk", + "naught", + "cut", + "default", + "loss", + "capitulation", + "fall", + "surrender", + "frustration", + "thwarting", + "foiling", + "overturn", + "upset", + "backsliding", + "lapse", + "lapsing", + "relapse", + "relapsing", + "reversion", + "reverting", + "recidivism", + "disappointment", + "dashing hopes", + "breach", + "copout", + "breach of contract", + "anticipatory breach", + "constructive breach", + "breach of duty", + "breach of the covenant of warranty", + "breach of promise", + "breach of trust", + "breach of trust with fraudulent intent", + "breach of warranty", + "leaning", + "material breach", + "motivation", + "motivating", + "partial breach", + "mistake", + "error", + "fault", + "double fault", + "footfault", + "bobble", + "error", + "misplay", + "blot", + "smear", + "smirch", + "spot", + "stain", + "confusion", + "mix-up", + "incursion", + "miscalculation", + "misreckoning", + "misestimation", + "backfire", + "boomerang", + "rounding", + "rounding error", + "truncation error", + "distortion", + "slip", + "slip-up", + "miscue", + "parapraxis", + "Freudian slip", + "offside", + "oversight", + "lapse", + "omission", + "skip", + "blunder", + "blooper", + "bloomer", + "bungle", + "pratfall", + "foul-up", + "fuckup", + "flub", + "botch", + "boner", + "boo-boo", + "snafu", + "spectacle", + "ballup", + "balls-up", + "cockup", + "mess-up", + "bull", + "fumble", + "muff", + "fluff", + "faux pas", + "gaffe", + "solecism", + "slip", + "gaucherie", + "howler", + "clanger", + "trip", + "trip-up", + "stumble", + "misstep", + "spill", + "tumble", + "fall", + "pratfall", + "wipeout", + "acquisition", + "obtainment", + "obtention", + "catching", + "contracting", + "incurring", + "moneymaking", + "annexation", + "pork-barreling", + "purchase", + "redemption", + "repurchase", + "buyback", + "trading", + "bond trading", + "bond-trading activity", + "program trading", + "short sale", + "short selling", + "short covering", + "insider trading", + "naked option", + "covered option", + "call option", + "call", + "put option", + "put", + "straddle", + "incentive option", + "incentive stock option", + "buying", + "purchasing", + "shopping", + "marketing", + "mail-order buying", + "catalog buying", + "viatication", + "viaticus", + "acceptance", + "succession", + "taking over", + "assumption", + "laying claim", + "assumption", + "position", + "inheritance", + "heritage", + "procurement", + "procurance", + "procural", + "appropriation", + "borrowing", + "adoption", + "naturalization", + "naturalisation", + "misappropriation", + "preemption", + "pre-emption", + "seizure", + "usurpation", + "confiscation", + "arrogation", + "distress", + "distraint", + "expropriation", + "impoundment", + "impounding", + "internment", + "poundage", + "drug bust", + "drugs bust", + "impress", + "impressment", + "occupation", + "occupancy", + "moving in", + "preoccupancy", + "preoccupation", + "sequestration", + "requisition", + "grant", + "subsidization", + "subsidisation", + "award", + "awarding", + "addiction", + "block grant", + "grant-in-aid", + "capture", + "gaining control", + "seizure", + "apprehension", + "arrest", + "catch", + "collar", + "pinch", + "taking into custody", + "conquest", + "conquering", + "subjection", + "subjugation", + "enslavement", + "restitution", + "return", + "restoration", + "regaining", + "clawback", + "repossession", + "foreclosure", + "reception", + "receipt", + "appointment", + "comb-out", + "giving", + "abandonment", + "discard", + "throwing away", + "staging", + "discard", + "mine disposal", + "minesweeping", + "sewage disposal", + "bait and switch", + "private treaty", + "auction", + "auction sale", + "vendue", + "bootlegging", + "bootlegging", + "capitalization", + "capitalisation", + "overcapitalization", + "overcapitalisation", + "reclamation", + "rescue", + "deliverance", + "delivery", + "saving", + "lifesaving", + "redemption", + "salvation", + "absolution", + "remission", + "remittal", + "remission of sin", + "indulgence", + "conversion", + "rebirth", + "spiritual rebirth", + "proselytism", + "expiation", + "atonement", + "propitiation", + "reparation", + "amends", + "liberation", + "release", + "freeing", + "jail delivery", + "reclamation", + "reformation", + "salvage", + "salvage", + "salvation", + "search and rescue mission", + "ransom", + "recapture", + "retaking", + "recapture", + "invocation", + "instrumentation", + "performance", + "execution", + "carrying out", + "carrying into action", + "specific performance", + "linguistic performance", + "mechanism", + "mechanics", + "service", + "curb service", + "self-service", + "valet parking", + "dramatic production", + "dramatic performance", + "encore", + "extemporization", + "extemporisation", + "improvisation", + "juggle", + "juggling", + "magic trick", + "conjuring trick", + "trick", + "magic", + "legerdemain", + "conjuration", + "thaumaturgy", + "illusion", + "deception", + "musical performance", + "one-night stand", + "rendition", + "rendering", + "interpretation", + "reinterpretation", + "spin", + "playing", + "bowing", + "spiccato", + "spiccato bowing", + "piping", + "stopping", + "double stopping", + "transposition", + "jam session", + "automation", + "mechanization", + "mechanisation", + "computerization", + "cybernation", + "motorization", + "motorisation", + "launching", + "launch", + "launching", + "rocket firing", + "rocket launching", + "blastoff", + "shot", + "moon shot", + "drive", + "thrust", + "driving force", + "firewall", + "impulse", + "impulsion", + "impetus", + "roll", + "bowl", + "throw", + "bowling", + "fling", + "heave", + "heaving", + "hurl", + "cast", + "leaner", + "pass", + "toss", + "flip", + "pitch", + "pitch", + "delivery", + "ringer", + "shy", + "slinging", + "throw-in", + "balk", + "ball", + "beanball", + "beaner", + "change-up", + "change-of-pace", + "change-of-pace ball", + "off-speed pitch", + "curve", + "curve ball", + "breaking ball", + "bender", + "duster", + "fastball", + "heater", + "smoke", + "hummer", + "bullet", + "knuckleball", + "knuckler", + "overhand pitch", + "passed ball", + "screwball", + "sinker", + "slider", + "spitball", + "spitter", + "strike", + "submarine ball", + "submarine pitch", + "wild pitch", + "basketball shot", + "bank shot", + "dunk", + "dunk shot", + "stuff shot", + "slam dunk", + "finger-roll", + "foul shot", + "free throw", + "penalty free throw", + "charity toss", + "charity throw", + "charity shot", + "one-and-one", + "hook shot", + "hook", + "jumper", + "jump shot", + "lay-up", + "layup", + "pivot shot", + "set shot", + "scoop shot", + "tip in", + "push", + "pushing", + "depression", + "click", + "mouse click", + "nudge", + "jog", + "press", + "pressure", + "pressing", + "impression", + "shove", + "bundling", + "jostle", + "jostling", + "elbowing", + "pull", + "pulling", + "drag", + "draw", + "haul", + "haulage", + "tow", + "towage", + "tug", + "jerk", + "draft", + "draught", + "drawing", + "extirpation", + "excision", + "deracination", + "pluck", + "traction", + "lift", + "raise", + "heave", + "expulsion", + "projection", + "ejection", + "forcing out", + "defenestration", + "accommodation reflex", + "Babinski", + "Babinski reflex", + "Babinski sign", + "belch", + "belching", + "burp", + "burping", + "eructation", + "belching", + "blink", + "eye blink", + "blinking", + "wink", + "winking", + "nictitation", + "nictation", + "blush", + "flush", + "coughing up", + "spit", + "spitting", + "expectoration", + "vomit", + "vomiting", + "emesis", + "regurgitation", + "disgorgement", + "puking", + "rumination", + "hematemesis", + "haematemesis", + "hyperemesis", + "hyperemesis gravidarum", + "jump", + "jumping", + "header", + "hop", + "leap", + "leaping", + "spring", + "saltation", + "bound", + "bounce", + "vault", + "hurdle", + "jumping up and down", + "lob", + "centering", + "snap", + "sending", + "transmission", + "transmittal", + "transmitting", + "forwarding", + "referral", + "remission", + "remitment", + "remit", + "mailing", + "posting", + "wheeling", + "rolling", + "shooting", + "shot", + "shoot", + "countershot", + "discharge", + "firing", + "firing off", + "gun", + "fire control", + "gunfire", + "gunshot", + "enfilade", + "enfilade fire", + "snipe", + "headshot", + "skeet", + "skeet shooting", + "trapshooting", + "shellfire", + "gunfight", + "gunplay", + "shootout", + "potshot", + "contact", + "physical contact", + "rub", + "wipe", + "scuff", + "tap", + "pat", + "dab", + "hit", + "hitting", + "striking", + "contusion", + "crash", + "smash", + "impingement", + "impaction", + "batting", + "fielding", + "catching", + "golfing", + "pitching", + "base on balls", + "walk", + "pass", + "best", + "worst", + "fair ball", + "foul ball", + "snick", + "bunt", + "fly", + "fly ball", + "blast", + "pop fly", + "pop-fly", + "pop-up", + "grounder", + "ground ball", + "groundball", + "hopper", + "chop", + "chopper", + "roller", + "out", + "force out", + "force-out", + "force play", + "force", + "putout", + "strikeout", + "whiff", + "fielder's choice", + "sacrifice", + "sacrifice fly", + "base hit", + "safety", + "daisy cutter", + "header", + "liner", + "line drive", + "scorcher", + "screamer", + "line-drive single", + "line single", + "line-drive double", + "line double", + "line-drive triple", + "line triple", + "plunk", + "plunker", + "homer", + "home run", + "solo homer", + "solo blast", + "single", + "bingle", + "double", + "two-base hit", + "two-bagger", + "two-baser", + "triple", + "three-base hit", + "three-bagger", + "backhander", + "clip", + "knock", + "belt", + "rap", + "whack", + "whang", + "thwack", + "smack", + "smacking", + "slap", + "smacker", + "knockdown", + "knockout", + "KO", + "kayo", + "technical knockout", + "TKO", + "swat", + "spank", + "whip", + "lash", + "whiplash", + "punch", + "clout", + "poke", + "lick", + "biff", + "slug", + "box", + "dig", + "jab", + "counterpunch", + "parry", + "counter", + "haymaker", + "knockout punch", + "KO punch", + "Sunday punch", + "hook", + "jab", + "rabbit punch", + "sucker punch", + "roundhouse", + "kick", + "boot", + "kicking", + "goal-kick", + "goal-kick", + "punt", + "punting", + "place kick", + "place-kicking", + "free kick", + "corner kick", + "dropkick", + "kiss", + "kiss", + "buss", + "osculation", + "laying on", + "smack", + "smooch", + "smacker", + "soul kiss", + "deep kiss", + "French kiss", + "catch", + "grab", + "snatch", + "snap", + "fair catch", + "interception", + "reception", + "rebound", + "shoestring catch", + "mesh", + "meshing", + "interlock", + "interlocking", + "handling", + "manipulation", + "fingering", + "grope", + "audit", + "autopsy", + "necropsy", + "postmortem", + "post-mortem", + "PM", + "postmortem examination", + "post-mortem examination", + "check-in", + "check", + "checkout", + "check-out procedure", + "spot check", + "checkup", + "medical checkup", + "medical examination", + "medical exam", + "medical", + "health check", + "comparison", + "comparing", + "fine-tooth comb", + "fine-toothed comb", + "follow-up", + "followup", + "reexamination", + "review", + "going-over", + "once-over", + "look-over", + "ophthalmoscopy", + "palpation", + "tactual exploration", + "ballottement", + "tickle", + "tickling", + "titillation", + "stroke", + "stroking", + "caress", + "tag", + "joining", + "connection", + "connexion", + "hit", + "interconnection", + "intersection", + "approximation", + "bringing close together", + "concatenation", + "convergence", + "converging", + "convergency", + "merging", + "meeting", + "coming together", + "concourse", + "confluence", + "encounter", + "coming upon", + "articulation", + "junction", + "adjunction", + "fastening", + "attachment", + "loosening", + "laxation", + "tightening", + "ligation", + "tubal ligation", + "bonding", + "soldering", + "doweling", + "grounding", + "earthing", + "linkage", + "tying", + "ligature", + "untying", + "undoing", + "unfastening", + "welding", + "butt welding", + "butt-welding", + "spot welding", + "spot-welding", + "flare", + "Texas leaguer", + "flash welding", + "flash butt welding", + "lick", + "lap", + "grazing", + "shaving", + "skimming", + "tracing", + "detection", + "catching", + "espial", + "spying", + "spotting", + "self-discovery", + "breakthrough", + "determination", + "finding", + "rediscovery", + "designation", + "identification", + "Bertillon system", + "fingerprinting", + "genetic profiling", + "genetic fingerprinting", + "diagnosis", + "diagnosing", + "blood typing", + "medical diagnosis", + "prenatal diagnosis", + "differential diagnosis", + "prognosis", + "prospect", + "medical prognosis", + "resolution", + "solving", + "validation", + "proof", + "substantiation", + "authentication", + "certification", + "documentation", + "support", + "monetization", + "monetisation", + "probate", + "demonetization", + "demonetisation", + "falsification", + "falsifying", + "disproof", + "refutation", + "refutal", + "localization", + "localisation", + "location", + "locating", + "fix", + "echolocation", + "echo sounding", + "predetermination", + "rectification", + "redetermination", + "trigger", + "induction", + "initiation", + "fomentation", + "instigation", + "compulsion", + "coercion", + "influence", + "cross-pollination", + "exposure", + "overexposure", + "underexposure", + "impingement", + "encroachment", + "impact", + "manipulation", + "use", + "mind game", + "autosuggestion", + "auto-suggestion", + "self-suggestion", + "hypnotism", + "mesmerism", + "suggestion", + "inducement", + "inducing", + "corruption", + "enticement", + "temptation", + "blandishment", + "wheedling", + "ingratiation", + "insinuation", + "leading astray", + "leading off", + "seduction", + "seduction", + "conquest", + "sexual conquest", + "score", + "cuckoldry", + "solicitation", + "allurement", + "choice", + "selection", + "option", + "pick", + "casting", + "coloration", + "colouration", + "sampling", + "random sampling", + "lucky dip", + "stratified sampling", + "representative sampling", + "proportional sampling", + "decision", + "determination", + "conclusion", + "volition", + "willing", + "intention", + "about-face", + "volte-face", + "reversal", + "policy change", + "adulteration", + "appointment", + "assignment", + "designation", + "naming", + "nomination", + "assignment", + "assigning", + "allocation", + "storage allocation", + "call", + "co-option", + "co-optation", + "delegacy", + "ordination", + "ordinance", + "recognition", + "laying on of hands", + "move", + "move", + "chess move", + "castle", + "castling", + "capture", + "en passant", + "exchange", + "exchange", + "check", + "discovered check", + "checkmate", + "mate", + "gambit", + "demarche", + "maneuver", + "manoeuvre", + "tactical maneuver", + "tactical manoeuvre", + "parking", + "move", + "relocation", + "flit", + "downshift", + "downshift", + "bank", + "vertical bank", + "chandelle", + "loop", + "loop-the-loop", + "inside loop", + "outside loop", + "roll", + "barrel roll", + "snap roll", + "slip", + "sideslip", + "flight maneuver", + "airplane maneuver", + "straight-arm", + "device", + "gimmick", + "twist", + "mnemonic", + "trick", + "fast one", + "shtik", + "schtik", + "shtick", + "schtick", + "feint", + "juke", + "fake", + "footwork", + "ploy", + "gambit", + "stratagem", + "ruse", + "artifice", + "means", + "agency", + "way", + "dint", + "escape", + "fast track", + "instrument", + "tool", + "road", + "royal road", + "stepping stone", + "measure", + "step", + "countermeasure", + "bear hug", + "proxy fight", + "leveraged buyout", + "bust-up takeover", + "shark repellent", + "porcupine provision", + "golden parachute", + "greenmail", + "pac-man strategy", + "poison pill", + "suicide pill", + "safe harbor", + "scorched-earth policy", + "diagnostic procedure", + "diagnostic technique", + "expedient", + "backstop", + "emergency procedure", + "experimental procedure", + "double-blind procedure", + "double-blind experiment", + "double-blind study", + "makeshift", + "stopgap", + "make-do", + "crutch", + "improvisation", + "temporary expedient", + "pis aller", + "last resort", + "desperate measure", + "open sesame", + "salvation", + "tooth", + "voice", + "wings", + "casting lots", + "drawing lots", + "sortition", + "resolution", + "adoption", + "acceptance", + "acceptation", + "espousal", + "embrace", + "bosom", + "election", + "co-option", + "co-optation", + "reelection", + "plebiscite", + "referendum", + "election", + "vote", + "general election", + "primary", + "primary election", + "direct primary", + "closed primary", + "open primary", + "by-election", + "bye-election", + "runoff", + "vote", + "ballot", + "voting", + "balloting", + "block vote", + "cumulative vote", + "secret ballot", + "split ticket", + "straight ticket", + "multiple voting", + "casting vote", + "reconciliation", + "balancing", + "equation", + "equating", + "breech delivery", + "breech birth", + "breech presentation", + "frank breech", + "frank breech delivery", + "cesarean delivery", + "caesarean delivery", + "caesarian delivery", + "cesarean section", + "cesarian section", + "caesarean section", + "caesarian section", + "C-section", + "cesarean", + "cesarian", + "caesarean", + "caesarian", + "abdominal delivery", + "forceps delivery", + "midwifery", + "score", + "bowling score", + "bull's eye", + "goal", + "own goal", + "strike", + "ten-strike", + "spare", + "open frame", + "break", + "audible", + "football score", + "touchback", + "safety", + "touchdown", + "field goal", + "conversion", + "point after", + "point after touchdown", + "extra point", + "baseball score", + "run", + "tally", + "earned run", + "unearned run", + "run batted in", + "rbi", + "basketball score", + "basket", + "field goal", + "hat trick", + "solution", + "Russian roulette", + "change", + "filtration", + "percolation", + "reduction", + "simplification", + "schematization", + "schematisation", + "economy", + "saving", + "retrenchment", + "curtailment", + "downsizing", + "economy of scale", + "accommodation", + "adaptation", + "dark adaptation", + "light adaptation", + "take-up", + "readjustment", + "domestication", + "decimalization", + "decimalisation", + "metrification", + "metrication", + "habituation", + "variation", + "variance", + "variation", + "turning", + "diversification", + "variegation", + "flux", + "switch", + "switching", + "shift", + "switcheroo", + "substitution", + "exchange", + "commutation", + "novation", + "pitching change", + "superannuation", + "supersedure", + "supersession", + "supplanting", + "displacement", + "replacement", + "replacing", + "subrogation", + "weaning", + "ablactation", + "promotion", + "preferment", + "demotion", + "investment", + "investiture", + "change of state", + "alteration", + "modification", + "adjustment", + "distraction", + "misdirection", + "aeration", + "modulation", + "qualification", + "reorganization", + "passage", + "transition", + "fossilization", + "fossilisation", + "segue", + "meddling", + "tampering", + "transfer", + "transference", + "prohibition", + "inhibition", + "forbiddance", + "resistance", + "opposition", + "lockout", + "reaction", + "backlash", + "whitelash", + "white backlash", + "rejection", + "brush-off", + "avoidance", + "turning away", + "shunning", + "dodging", + "aversion", + "averting", + "escape", + "near thing", + "abandonment", + "forsaking", + "desertion", + "exposure", + "apostasy", + "tergiversation", + "bolt", + "renunciation", + "forgoing", + "forswearing", + "nonacceptance", + "turndown", + "forsaking", + "giving up", + "abnegation", + "self-abnegation", + "denial", + "self-denial", + "self-renunciation", + "forfeit", + "forfeiture", + "sacrifice", + "boycott", + "banishment", + "proscription", + "anathematization", + "anathematisation", + "disbarment", + "ejection", + "exclusion", + "expulsion", + "riddance", + "deportation", + "ostracism", + "barring", + "blackball", + "exile", + "deportation", + "expatriation", + "transportation", + "Babylonian Captivity", + "excommunication", + "excision", + "relegation", + "rustication", + "ouster", + "ousting", + "deposition", + "dethronement", + "suspension", + "temporary removal", + "rustication", + "displacement", + "veto", + "pocket veto", + "write-in", + "termination", + "ending", + "conclusion", + "finish", + "finishing", + "finale", + "close", + "closing curtain", + "finis", + "release", + "tone ending", + "completion", + "culmination", + "closing", + "windup", + "mop up", + "finalization", + "finalisation", + "follow-through", + "follow-through", + "graduation", + "retirement", + "hibernation", + "rustication", + "swan song", + "last hurrah", + "relinquishment", + "relinquishing", + "cession", + "ceding", + "handover", + "surrender", + "extradition", + "release", + "waiver", + "discharge", + "exemption", + "immunity", + "granting immunity", + "fix", + "official immunity", + "sovereign immunity", + "transactional immunity", + "use immunity", + "testimonial immunity", + "dissolution", + "breakup", + "splitsville", + "overthrow", + "subversion", + "subversive activity", + "adjournment", + "dissolution", + "dismissal", + "dismission", + "discharge", + "firing", + "liberation", + "release", + "sack", + "sacking", + "conge", + "congee", + "removal", + "purge", + "destruction", + "devastation", + "disaster", + "kill", + "laying waste", + "ruin", + "ruining", + "ruination", + "wrecking", + "razing", + "leveling", + "tearing down", + "demolishing", + "annihilation", + "obliteration", + "decimation", + "atomization", + "atomisation", + "pulverization", + "pulverisation", + "vaporization", + "vaporisation", + "killing", + "kill", + "putting to death", + "deathblow", + "coup de grace", + "death", + "drive-by killing", + "euthanasia", + "mercy killing", + "homicide", + "honor killing", + "manslaughter", + "murder", + "slaying", + "execution", + "assassination", + "bloodshed", + "gore", + "chance-medley", + "contract killing", + "parricide", + "mariticide", + "matricide", + "patricide", + "fratricide", + "uxoricide", + "filicide", + "dispatch", + "despatch", + "fell", + "suicide", + "self-destruction", + "self-annihilation", + "self-destruction", + "assisted suicide", + "physician-assisted suicide", + "felo-de-se", + "harakiri", + "hara-kiri", + "harikari", + "seppuku", + "suttee", + "elimination", + "liquidation", + "slaughter", + "slaughter", + "massacre", + "mass murder", + "carnage", + "butchery", + "bloodbath", + "bloodletting", + "bloodshed", + "battue", + "lynching", + "poisoning", + "gassing", + "regicide", + "shooting", + "drive-by shooting", + "wing shooting", + "suffocation", + "asphyxiation", + "choking", + "strangling", + "strangulation", + "throttling", + "spasm", + "squeeze", + "bronchospasm", + "cardiospasm", + "heave", + "retch", + "laryngismus", + "strangulation", + "carjacking", + "sacrifice", + "ritual killing", + "hecatomb", + "immolation", + "electrocution", + "decapitation", + "beheading", + "abolition", + "abolishment", + "liquidation", + "settlement", + "viatical settlement", + "viaticus settlement", + "withdrawal", + "drug withdrawal", + "cold turkey", + "closure", + "closedown", + "closing", + "shutdown", + "plant closing", + "bank closing", + "layoff", + "extinction", + "extinguishing", + "quenching", + "fade", + "disappearance", + "abortion", + "spontaneous abortion", + "miscarriage", + "stillbirth", + "habitual abortion", + "imminent abortion", + "threatened abortion", + "incomplete abortion", + "partial abortion", + "induced abortion", + "aborticide", + "feticide", + "therapeutic abortion", + "nullification", + "override", + "abrogation", + "repeal", + "annulment", + "derogation", + "cancellation", + "write-off", + "attainder", + "civil death", + "recission", + "rescission", + "vitiation", + "neutralization", + "neutralisation", + "counteraction", + "deactivation", + "defusing", + "deactivation", + "inactivation", + "honorable discharge", + "dishonorable discharge", + "Section Eight", + "neutralization", + "neutralisation", + "neutralization", + "neutralisation", + "reversal", + "undoing", + "regression", + "regress", + "reversion", + "retrogression", + "retroversion", + "beginning", + "start", + "commencement", + "springboard", + "jumping-off point", + "point of departure", + "accession", + "rise to power", + "activation", + "attack", + "tone-beginning", + "constitution", + "establishment", + "formation", + "organization", + "organisation", + "re-establishment", + "Creation", + "introduction", + "debut", + "first appearance", + "launching", + "unveiling", + "entry", + "induction of labor", + "induction", + "hypnogenesis", + "product introduction", + "face-off", + "first step", + "initiative", + "opening move", + "opening", + "groundbreaking", + "groundbreaking ceremony", + "housing start", + "icebreaker", + "inauguration", + "startup", + "initiation", + "founding", + "foundation", + "institution", + "origination", + "creation", + "innovation", + "introduction", + "instauration", + "authorship", + "paternity", + "installation", + "installing", + "installment", + "instalment", + "jump ball", + "kickoff", + "start", + "starting", + "resumption", + "recommencement", + "scrum", + "scrummage", + "startup", + "unionization", + "unionisation", + "arousal", + "rousing", + "reveille", + "ushering in", + "inauguration", + "inaugural", + "curtain raiser", + "first base", + "peace initiative", + "cooking", + "cookery", + "preparation", + "baking", + "shirring", + "toasting", + "browning", + "broil", + "broiling", + "grilling", + "frying", + "sauteing", + "fusion cooking", + "braising", + "poaching", + "roasting", + "barbecuing", + "boiling", + "stewing", + "simmering", + "basting", + "tenderization", + "tenderisation", + "percolation", + "seasoning", + "salting", + "sweetening", + "infusion", + "improvement", + "advancement", + "progress", + "forwarding", + "furtherance", + "promotion", + "stride", + "work flow", + "workflow", + "development", + "broadening", + "elaboration", + "working out", + "product development", + "cleaning", + "cleansing", + "cleanup", + "disinfestation", + "spring-cleaning", + "scrub", + "scrubbing", + "scouring", + "swabbing", + "mopping", + "dry cleaning", + "sweeping", + "purge", + "purging", + "purge", + "purging", + "purgation", + "purification", + "purification", + "purgation", + "purification", + "catharsis", + "katharsis", + "abreaction", + "catharsis", + "katharsis", + "purgation", + "high colonic", + "sterilization", + "sterilisation", + "pasteurization", + "pasteurisation", + "sanitation", + "sanitization", + "sanitisation", + "depilation", + "epilation", + "shave", + "shaving", + "tonsure", + "electrolysis", + "washup", + "bathing", + "ablution", + "dishwashing", + "washup", + "wash", + "washing", + "lavation", + "washing-up", + "window-washing", + "rinse", + "rinse", + "soak", + "soaking", + "brush", + "brushing", + "comb", + "combing", + "comb-out", + "teasing", + "shampoo", + "hair care", + "haircare", + "hairdressing", + "hairweaving", + "shower", + "shower bath", + "bath", + "bubble bath", + "mikvah", + "mud bath", + "sponge bath", + "Turkish bath", + "steam bath", + "vapor bath", + "vapour bath", + "rubdown", + "correction", + "rectification", + "redress", + "remedy", + "remediation", + "salve", + "retribution", + "recompense", + "compensation", + "indemnification", + "optimization", + "optimisation", + "perfection", + "reform", + "land reform", + "amelioration", + "melioration", + "betterment", + "self-improvement", + "self-reformation", + "reform", + "beautification", + "beauty treatment", + "glamorization", + "glamorisation", + "glamourization", + "glamourisation", + "decoration", + "adornment", + "ornamentation", + "embellishment", + "window dressing", + "trimming", + "tessellation", + "figuration", + "tattoo", + "titivation", + "tittivation", + "marking", + "lineation", + "mottling", + "striping", + "clearing", + "clarification", + "enrichment", + "fortification", + "humanization", + "humanisation", + "modernization", + "modernisation", + "renovation", + "redevelopment", + "overhaul", + "face lift", + "facelift", + "face lifting", + "moralization", + "moralisation", + "enhancement", + "sweetening", + "upturn", + "worsening", + "downturn", + "downswing", + "downspin", + "ventilation", + "airing", + "repair", + "fix", + "fixing", + "fixture", + "mend", + "mending", + "reparation", + "darning", + "patching", + "care", + "maintenance", + "upkeep", + "camera care", + "car care", + "oil change", + "overhaul", + "inspection and repair", + "service", + "interim overhaul", + "band aid", + "quick fix", + "quickie", + "quicky", + "restoration", + "gentrification", + "reclamation", + "renewal", + "rehabilitation", + "reconstruction", + "anastylosis", + "makeover", + "reassembly", + "refabrication", + "re-formation", + "regeneration", + "rebuilding", + "restitution", + "pump priming", + "scheduled maintenance", + "steam fitting", + "coaching", + "coaching job", + "engagement", + "booking", + "gig", + "degradation", + "debasement", + "dehumanization", + "dehumanisation", + "brutalization", + "brutalisation", + "animalization", + "animalisation", + "barbarization", + "barbarisation", + "bastardization", + "bastardisation", + "corruption", + "subversion", + "demoralization", + "demoralisation", + "stultification", + "constipation", + "impairment", + "deadening", + "popularization", + "popularisation", + "vulgarization", + "vulgarisation", + "profanation", + "humiliation", + "abasement", + "comedown", + "change of color", + "whitening", + "lightening", + "bleach", + "etiolation", + "blackening", + "darkening", + "obfuscation", + "discoloration", + "discolouration", + "coloring", + "colouring", + "tinting", + "hair coloring", + "dyeing", + "staining", + "Gram's method", + "Gram method", + "Gram's procedure", + "Gram's stain", + "Gram stain", + "environmentalism", + "fixation", + "fixing", + "soiling", + "soilure", + "dirtying", + "staining", + "spotting", + "maculation", + "contamination", + "pollution", + "dust contamination", + "wetting", + "submersion", + "immersion", + "ducking", + "dousing", + "drenching", + "soaking", + "souse", + "sousing", + "moistening", + "dampening", + "splash", + "splashing", + "watering", + "sprinkle", + "sprinkling", + "sparge", + "chew", + "chewing", + "mastication", + "manduction", + "chomping", + "mumbling", + "gumming", + "rumination", + "bruxism", + "defoliation", + "motion", + "movement", + "move", + "movement", + "approach", + "approaching", + "coming", + "access", + "back door", + "backdoor", + "closing", + "closure", + "landing approach", + "overshoot", + "wave-off", + "go-around", + "progress", + "progression", + "procession", + "advance", + "advancement", + "forward motion", + "onward motion", + "push", + "career", + "life history", + "march", + "plain sailing", + "clear sailing", + "easy going", + "locomotion", + "travel", + "brachiation", + "walk", + "walking", + "ambulation", + "amble", + "promenade", + "saunter", + "stroll", + "perambulation", + "ramble", + "meander", + "constitutional", + "foot", + "walk", + "sleepwalking", + "somnambulism", + "somnambulation", + "noctambulism", + "noctambulation", + "sleep talking", + "somniloquy", + "somniloquism", + "step", + "pace", + "stride", + "tread", + "pas", + "trip", + "sidestep", + "gait", + "hitch", + "hobble", + "limp", + "gait", + "walk", + "rack", + "single-foot", + "jog trot", + "trot", + "rising trot", + "sitting trot", + "dressage", + "curvet", + "vaulting", + "piaffe", + "canter", + "lope", + "gallop", + "footstep", + "hike", + "hiking", + "tramp", + "trudge", + "flounce", + "lurch", + "stumble", + "stagger", + "pacing", + "roll", + "saunter", + "skip", + "stalk", + "angry walk", + "strut", + "prance", + "swagger", + "lurch", + "lunge", + "waddle", + "march", + "marching", + "countermarch", + "goose step", + "last mile", + "lockstep", + "promenade", + "quick march", + "routemarch", + "plodding", + "plod", + "prowl", + "moonwalk", + "perambulation", + "turn", + "shamble", + "shambling", + "shuffle", + "shuffling", + "space walk", + "moonwalk", + "wading", + "walkabout", + "walkabout", + "walkabout", + "walk-through", + "run", + "running", + "jog", + "trot", + "lope", + "dogtrot", + "dash", + "sprint", + "fast break", + "break", + "crawl", + "crawling", + "creep", + "creeping", + "lap", + "circle", + "circuit", + "pace lap", + "victory lap", + "lap of honour", + "travel", + "traveling", + "travelling", + "circumnavigation", + "peregrination", + "procession", + "traversal", + "traverse", + "wandering", + "roving", + "vagabondage", + "wayfaring", + "drifting", + "crossing", + "ford", + "fording", + "shallow fording", + "deep fording", + "traversal", + "traverse", + "tourism", + "touristry", + "ecotourism", + "driving", + "motoring", + "riding", + "horseback riding", + "roping", + "bronco busting", + "endurance riding", + "pack riding", + "trail riding", + "calf roping", + "steer roping", + "air travel", + "aviation", + "air", + "flight", + "connecting flight", + "direct flight", + "domestic flight", + "international flight", + "nonstop flight", + "nonstop", + "redeye", + "redeye flight", + "flight", + "flying", + "acrobatics", + "aerobatics", + "stunting", + "stunt flying", + "blind flying", + "blind landing", + "ballooning", + "flyover", + "fly-by", + "flypast", + "glide", + "gliding", + "sailplaning", + "soaring", + "sailing", + "hang gliding", + "jump", + "parachuting", + "skydiving", + "maiden flight", + "parasailing", + "paragliding", + "overflight", + "pass", + "solo", + "sortie", + "touchdown", + "aircraft landing", + "airplane landing", + "ground-controlled approach", + "GCA", + "crash landing", + "three-point landing", + "instrument landing", + "splashdown", + "takeoff", + "tailspin", + "spin", + "terrain flight", + "low level flight", + "journey", + "journeying", + "stage", + "leg", + "staging", + "leg", + "fare-stage", + "commute", + "drive", + "ride", + "long haul", + "mush", + "odyssey", + "trip", + "junket", + "round trip", + "run", + "run", + "passage", + "transit", + "lift", + "joyride", + "spin", + "expedition", + "scouting trip", + "campaign", + "hunting expedition", + "safari", + "exploration", + "geographic expedition", + "digression", + "excursion", + "trek", + "schlep", + "shlep", + "trek", + "tour", + "circuit", + "grand tour", + "grand tour", + "itineration", + "on the road", + "on tour", + "pilgrimage", + "pilgrim's journey", + "excursion", + "jaunt", + "outing", + "junket", + "pleasure trip", + "expedition", + "sashay", + "junketing", + "airing", + "field trip", + "voyage", + "way", + "ocean trip", + "voyage", + "cruise", + "sail", + "maiden voyage", + "crossing", + "lockage", + "spaceflight", + "space travel", + "spacefaring", + "water travel", + "seafaring", + "sailing", + "luff", + "beat", + "ministry", + "tack", + "seafaring", + "navigation", + "sailing", + "cabotage", + "boating", + "yachting", + "bareboating", + "commutation", + "commuting", + "displacement", + "deracination", + "transportation", + "transport", + "transfer", + "transferral", + "conveyance", + "transshipment", + "airlift", + "lift", + "Berlin airlift", + "connection", + "connexion", + "delivery", + "bringing", + "cattle drive", + "drive", + "airdrop", + "consignment", + "passage", + "handing over", + "post", + "service", + "serving", + "service of process", + "relay", + "carry", + "pickup", + "packing", + "backpacking", + "piggyback", + "fireman's carry", + "portage", + "porterage", + "pursuit", + "chase", + "pursual", + "following", + "trailing", + "tracking", + "shadowing", + "tailing", + "stalk", + "stalking", + "wild-goose chase", + "insertion", + "introduction", + "intromission", + "cannulation", + "canulation", + "cannulization", + "cannulisation", + "canulization", + "canulisation", + "intubation", + "catheterization", + "catheterisation", + "instillation", + "instillment", + "instilment", + "enclosure", + "enclosing", + "envelopment", + "inclosure", + "packing", + "boxing", + "bundling", + "encasement", + "incasement", + "injection", + "epidural injection", + "intradermal injection", + "intramuscular injection", + "intravenous injection", + "fix", + "subcutaneous injection", + "infusion", + "exchange transfusion", + "transfusion", + "transfusion", + "blood transfusion", + "perfusion", + "rise", + "ascent", + "ascension", + "ascending", + "levitation", + "heave", + "heaving", + "funambulism", + "tightrope walking", + "climb", + "mount", + "scaling", + "clamber", + "escalade", + "mountain climbing", + "mountaineering", + "Alpinism", + "rock climbing", + "soar", + "zoom", + "descent", + "dive", + "nose dive", + "nosedive", + "rappel", + "abseil", + "swoop", + "power dive", + "crash dive", + "drop", + "flop", + "collapse", + "lowering", + "letting down", + "swing", + "swinging", + "vacillation", + "return", + "reentry", + "remand", + "slide", + "glide", + "coast", + "slippage", + "skid", + "slip", + "sideslip", + "flow", + "stream", + "snowboarding", + "spill", + "spillage", + "release", + "flood", + "overflow", + "outpouring", + "effusion", + "crawl", + "speed", + "speeding", + "hurrying", + "acceleration", + "quickening", + "speedup", + "deceleration", + "scud", + "scudding", + "translation", + "displacement", + "transplant", + "transplantation", + "transplanting", + "troop movement", + "shift", + "shifting", + "motion", + "movement", + "move", + "motility", + "abduction", + "adduction", + "agitation", + "body English", + "circumduction", + "disturbance", + "fetal movement", + "foetal movement", + "flit", + "dart", + "gesture", + "headshake", + "headshaking", + "jab", + "jabbing", + "poke", + "poking", + "thrust", + "thrusting", + "mudra", + "inclination", + "inclining", + "inversion", + "eversion", + "everting", + "inversion", + "upending", + "jerk", + "jerking", + "jolt", + "saccade", + "bob", + "nod", + "nutation", + "stoop", + "kick", + "kicking", + "kneel", + "kneeling", + "lurch", + "pitch", + "pitching", + "eye movement", + "nystagmus", + "physiological nystagmus", + "rotational nystagmus", + "saccade", + "post-rotational nystagmus", + "opening", + "rearrangement", + "juggle", + "juggling", + "musical chairs", + "reordering", + "permutation", + "transposition", + "reversal", + "transposition", + "passing", + "overtaking", + "shuffle", + "shuffling", + "make", + "reshuffle", + "reshuffling", + "riffle", + "twiddle", + "prostration", + "reach", + "reaching", + "stretch", + "reciprocation", + "reclining", + "retraction", + "retroflection", + "retroflexion", + "rotation", + "rotary motion", + "circumvolution", + "feather", + "feathering", + "gyration", + "whirling", + "pivot", + "pronation", + "spin", + "twirl", + "twist", + "twisting", + "whirl", + "spiral", + "pirouette", + "birling", + "logrolling", + "shutting", + "closing", + "sitting", + "sitting", + "posing", + "snap", + "squat", + "squatting", + "sweep", + "supination", + "twist", + "turn", + "wind", + "winding", + "twist", + "toss", + "vibration", + "quiver", + "quivering", + "wave", + "change of direction", + "reorientation", + "turn", + "reversion", + "reverse", + "reversal", + "turnabout", + "turnaround", + "about-face", + "about turn", + "u-turn", + "shaking", + "joggle", + "jiggle", + "stirring", + "wag", + "waggle", + "shake", + "worrying", + "rock", + "careen", + "sway", + "tilt", + "upset", + "overturn", + "turnover", + "waver", + "flutter", + "flicker", + "tremor", + "shudder", + "outreach", + "standing", + "straddle", + "span", + "stroke", + "keystroke", + "key stroke", + "wiggle", + "wriggle", + "squirm", + "change of course", + "turn", + "turning", + "diversion", + "deviation", + "digression", + "deflection", + "deflexion", + "divagation", + "red herring", + "right", + "left", + "tack", + "tacking", + "change of magnitude", + "decrease", + "diminution", + "reduction", + "step-down", + "cut", + "budget cut", + "pay cut", + "salary cut", + "cost cutting", + "price cutting", + "price cut", + "spending cut", + "tax cut", + "moderation", + "mitigation", + "lowering", + "tapering", + "cutback", + "service cutback", + "devaluation", + "devitalization", + "devitalisation", + "evisceration", + "extenuation", + "mitigation", + "palliation", + "spasmolysis", + "easing", + "easement", + "alleviation", + "relief", + "de-escalation", + "detente", + "palliation", + "liberalization", + "liberalisation", + "relaxation", + "minimization", + "minimisation", + "depletion", + "consumption", + "using up", + "expenditure", + "burnup", + "exhaustion", + "compression", + "compressing", + "squeeze", + "squeezing", + "pinch", + "tweak", + "decompression", + "decompressing", + "condensing", + "condensation", + "thickening", + "inspissation", + "crush", + "crunch", + "compaction", + "grind", + "mill", + "pulverization", + "pulverisation", + "expression", + "extrusion", + "expulsion", + "shortening", + "abbreviation", + "cut", + "cutting", + "cutting off", + "severance", + "severing", + "clip", + "clipping", + "snip", + "haircut", + "trim", + "trimming", + "clipping", + "pruning", + "shearing", + "sheepshearing", + "shrinking", + "miniaturization", + "miniaturisation", + "subtraction", + "deduction", + "bite", + "withholding", + "abatement", + "abatement of a nuisance", + "nuisance abatement", + "asbestos abatement", + "attrition", + "deflation", + "discount", + "price reduction", + "deduction", + "rollback", + "weakening", + "wilt", + "wilting", + "dilution", + "etiolation", + "cutting", + "thinning", + "increase", + "step-up", + "addition", + "retrofit", + "advance", + "rise", + "appreciation", + "depreciation", + "surge", + "upsurge", + "fluoridation", + "fluoridization", + "fluoridisation", + "augmentation", + "amplification", + "contraction", + "expansion", + "enlargement", + "dilation", + "dilatation", + "vasodilation", + "distention", + "distension", + "stretching", + "tension", + "escalation", + "maximization", + "maximisation", + "maximation", + "inflation", + "magnification", + "exaggeration", + "extension", + "spread", + "spreading", + "circulation", + "recirculation", + "dispersion", + "dispersal", + "dissemination", + "diffusion", + "crop-dusting", + "spraying", + "scatter", + "scattering", + "strewing", + "contracture", + "extension", + "hyperextension", + "contraction", + "muscular contraction", + "muscle contraction", + "tetanus", + "truncation", + "uterine contraction", + "Braxton-Hicks contraction", + "false labor", + "vaginismus", + "stretch", + "expansion", + "expanding upon", + "amplification", + "elaboration", + "annotation", + "annotating", + "supplementation", + "subjunction", + "subjoining", + "accumulation", + "accrual", + "accruement", + "buildup", + "deposit", + "deposition", + "repositing", + "reposition", + "storage", + "warehousing", + "stockpiling", + "inclusion", + "incorporation", + "annexation", + "appropriation", + "aggrandizement", + "aggrandisement", + "elevation", + "self-aggrandizement", + "self-aggrandisement", + "ego trip", + "strengthening", + "intensification", + "roughness", + "intensification", + "aggravation", + "exacerbation", + "concentration", + "pervaporation", + "focalization", + "focalisation", + "focusing", + "refocusing", + "change of integrity", + "breakage", + "break", + "breaking", + "rupture", + "smashing", + "shattering", + "fracture", + "crack", + "cracking", + "chip", + "chipping", + "splintering", + "explosion", + "burst", + "detonation", + "percussion", + "fulmination", + "burning", + "combustion", + "arson", + "incendiarism", + "fire-raising", + "ignition", + "firing", + "lighting", + "kindling", + "inflammation", + "incineration", + "cremation", + "combination", + "combining", + "compounding", + "attachment", + "affixation", + "graft", + "grafting", + "confusion", + "babel", + "mix", + "commixture", + "admixture", + "mixture", + "intermixture", + "mixing", + "fusion", + "blend", + "blending", + "confluence", + "conflux", + "merging", + "homogenization", + "homogenisation", + "interspersion", + "interspersal", + "temperance", + "union", + "unification", + "uniting", + "conjugation", + "jointure", + "coalescence", + "coalescency", + "coalition", + "concretion", + "conglutination", + "reunion", + "reunification", + "tribalization", + "tribalisation", + "detribalization", + "detribalisation", + "umbrella", + "homecoming", + "opening", + "separation", + "break", + "interruption", + "disruption", + "gap", + "cut-in", + "insert", + "cut-in", + "insert", + "avulsion", + "dissociation", + "secession", + "withdrawal", + "Secession", + "breakaway", + "breaking away", + "disunion", + "disconnection", + "disjunction", + "division", + "parcellation", + "cleavage", + "bisection", + "quartering", + "schism", + "split", + "cut", + "cutting", + "dissection", + "scission", + "slicing", + "undercut", + "cut", + "cutting", + "notch", + "nick", + "snick", + "slash", + "gash", + "atomization", + "atomisation", + "fragmentation", + "branching", + "ramification", + "fork", + "forking", + "bifurcation", + "trifurcation", + "divarication", + "fibrillation", + "dichotomization", + "dichotomisation", + "quantization", + "quantisation", + "fractionation", + "pairing", + "buddy system", + "match-up", + "matchup", + "punctuation", + "hyphenation", + "syllabication", + "syllabification", + "word division", + "hyphenation", + "detachment", + "disengagement", + "tear", + "laceration", + "rent", + "rip", + "split", + "removal", + "remotion", + "drawing", + "drawing off", + "derivation", + "derivation", + "derivation", + "abscission", + "cutting off", + "abstraction", + "extraction", + "threshing", + "ablation", + "extirpation", + "cutting out", + "excision", + "autotomy", + "decontamination", + "deletion", + "denudation", + "stripping", + "uncovering", + "baring", + "husking", + "dermabrasion", + "dislodgment", + "dislodgement", + "elimination", + "riddance", + "elimination", + "circumcision", + "emptying", + "voidance", + "evacuation", + "drain", + "drainage", + "bank withdrawal", + "bank run", + "disinvestment", + "rinse", + "rinsing", + "bowdlerization", + "bowdlerisation", + "expurgation", + "castration", + "bowdlerization", + "bowdlerisation", + "censoring", + "censorship", + "Bowdlerism", + "Comstockery", + "expunction", + "expunging", + "erasure", + "division", + "partition", + "partitioning", + "segmentation", + "sectionalization", + "sectionalisation", + "subdivision", + "septation", + "transformation", + "translation", + "transformation", + "permutation", + "revision", + "alteration", + "transfiguration", + "transmogrification", + "conversion", + "afforestation", + "reforestation", + "re-afforestation", + "rehabilitation", + "correctional rehabilitation", + "physical rehabilitation", + "physical restoration", + "therapeutic rehabilitation", + "urban renewal", + "vocational rehabilitation", + "reinstatement", + "rejuvenation", + "refreshment", + "recreation", + "metamorphosis", + "transfiguration", + "metamorphosis", + "filling", + "saturation", + "hardening", + "annealing", + "tempering", + "damage", + "harm", + "hurt", + "scathe", + "impairment", + "defacement", + "disfigurement", + "disfiguration", + "wound", + "wounding", + "burn", + "scald", + "updating", + "change of shape", + "contortion", + "deformation", + "convolution", + "angulation", + "bending", + "flexion", + "flexure", + "flex", + "crouch", + "dorsiflexion", + "elongation", + "hunch", + "incurvation", + "involution", + "enfolding", + "corrugation", + "fold", + "folding", + "plication", + "pleating", + "indentation", + "protrusion", + "projection", + "jut", + "jutting", + "widening", + "broadening", + "narrowing", + "activity", + "domesticity", + "operation", + "operation", + "rescue operation", + "undercover operation", + "buy-and-bust operation", + "practice", + "pattern", + "practice", + "praxis", + "biologism", + "cooperation", + "featherbedding", + "formalism", + "mycophagy", + "one-upmanship", + "pluralism", + "symbolism", + "symbolization", + "symbolisation", + "modernism", + "occult", + "occult arts", + "ornamentalism", + "cannibalism", + "anthropophagy", + "careerism", + "custom", + "usage", + "usance", + "Americanism", + "Anglicism", + "Britishism", + "consuetude", + "couvade", + "Germanism", + "habit", + "use", + "hijab", + "ritual", + "second nature", + "habitude", + "round", + "daily round", + "fashion", + "lobbyism", + "slavery", + "slaveholding", + "peonage", + "way", + "path", + "way of life", + "ambages", + "primrose path", + "straight and narrow", + "strait and narrow", + "Sunnah", + "Sunna", + "hadith", + "warpath", + "line of least resistance", + "path of least resistance", + "unwritten law", + "lynch law", + "chokehold", + "choke hold", + "embrace", + "embracing", + "embracement", + "cuddle", + "nestle", + "snuggle", + "hug", + "clinch", + "squeeze", + "mistreatment", + "nonconformism", + "annoyance", + "annoying", + "irritation", + "vexation", + "disregard", + "neglect", + "despite", + "exploitation", + "victimization", + "victimisation", + "using", + "blaxploitation", + "sexploitation", + "harassment", + "molestation", + "maltreatment", + "ill-treatment", + "ill-usage", + "abuse", + "child abuse", + "child neglect", + "persecution", + "repression", + "impalement", + "oppression", + "subjugation", + "pogrom", + "rendition", + "torture", + "torturing", + "bastinado", + "falanga", + "boot", + "burning", + "crucifixion", + "excruciation", + "genital torture", + "judicial torture", + "kia quen", + "kittee", + "nail pulling", + "nail removal", + "picket", + "piquet", + "prolonged interrogation", + "rack", + "sensory deprivation", + "sleep deprivation", + "strappado", + "strapado", + "cruelty", + "inhuman treatment", + "atrocity", + "inhumanity", + "brutality", + "barbarity", + "barbarism", + "savagery", + "outrage", + "baiting", + "badgering", + "worrying", + "torment", + "bedevilment", + "exasperation", + "red flag", + "sexual harassment", + "tease", + "teasing", + "ribbing", + "tantalization", + "witch-hunt", + "McCarthyism", + "colonialism", + "neocolonialism", + "diversion", + "recreation", + "antic", + "joke", + "prank", + "trick", + "caper", + "put-on", + "bathing", + "celebration", + "festivity", + "dancing", + "dance", + "terpsichore", + "saltation", + "entertainment", + "amusement", + "escapade", + "lark", + "escape", + "escapism", + "eurythmy", + "eurhythmy", + "eurythmics", + "eurhythmics", + "fun", + "merriment", + "playfulness", + "gambling", + "gaming", + "play", + "game", + "jest", + "joke", + "jocularity", + "nightlife", + "night life", + "pastime", + "interest", + "pursuit", + "play", + "child's play", + "house", + "doctor", + "fireman", + "avocation", + "by-line", + "hobby", + "pursuit", + "sideline", + "spare-time activity", + "cup of tea", + "bag", + "dish", + "confectionery", + "sport", + "contact sport", + "outdoor sport", + "field sport", + "gymnastics", + "gymnastic exercise", + "acrobatics", + "tumbling", + "backbend", + "back circle", + "walkover", + "cartwheel", + "crucifix", + "dip", + "double leg circle", + "grand circle", + "cardiopulmonary exercise", + "gymnastic exercise", + "handstand", + "hang", + "bent hang", + "inverted hang", + "lever hang", + "reverse hang", + "straight hang", + "piked reverse hang", + "kick up", + "handspring", + "headstand", + "tumble", + "split", + "acrobatic stunt", + "acrobatic feat", + "kip", + "upstart", + "long fly", + "scissors", + "straddle", + "split", + "stock split", + "split up", + "reverse split", + "reverse stock split", + "split down", + "somersault", + "somerset", + "summersault", + "summerset", + "somersaulting", + "flip", + "flip-flop", + "track and field", + "track", + "running", + "jumping", + "broad jump", + "long jump", + "high jump", + "Fosbury flop", + "skiing", + "cross-country skiing", + "ski jumping", + "kick turn", + "stem turn", + "stem", + "telemark", + "water sport", + "aquatics", + "swimming", + "swim", + "bathe", + "sea bathing", + "skinny-dip", + "sun bathing", + "dip", + "plunge", + "dive", + "diving", + "floating", + "natation", + "dead-man's float", + "prone float", + "belly flop", + "belly flopper", + "belly whop", + "belly whopper", + "cliff diving", + "flip", + "gainer", + "full gainer", + "half gainer", + "jackknife", + "swan dive", + "swallow dive", + "skin diving", + "skin-dive", + "scuba diving", + "snorkeling", + "snorkel diving", + "surfing", + "surfboarding", + "surfriding", + "water-skiing", + "rowing", + "row", + "crab", + "sculling", + "boxing", + "pugilism", + "fisticuffs", + "professional boxing", + "in-fighting", + "fight", + "rope-a-dope", + "spar", + "sparring", + "archery", + "sledding", + "tobogganing", + "luging", + "bobsledding", + "wrestling", + "rassling", + "grappling", + "flying mare", + "Greco-Roman wrestling", + "professional wrestling", + "sumo", + "skating", + "ice skating", + "figure skating", + "rollerblading", + "roller skating", + "skateboarding", + "speed skating", + "racing", + "auto racing", + "car racing", + "boat racing", + "hydroplane racing", + "camel racing", + "greyhound racing", + "horse racing", + "thoroughbred racing", + "riding", + "horseback riding", + "equitation", + "equestrian sport", + "pony-trekking", + "showjumping", + "stadium jumping", + "cross-country riding", + "cross-country jumping", + "cycling", + "bicycling", + "motorcycling", + "dune cycling", + "blood sport", + "bullfighting", + "tauromachy", + "cockfighting", + "hunt", + "hunting", + "battue", + "beagling", + "canned hunt", + "coursing", + "deer hunting", + "deer hunt", + "ducking", + "duck hunting", + "fox hunting", + "foxhunt", + "pigsticking", + "farming", + "land", + "fishing", + "sportfishing", + "fishing", + "angling", + "fly-fishing", + "troll", + "trolling", + "casting", + "cast", + "bait casting", + "fly casting", + "overcast", + "surf casting", + "surf fishing", + "follow-up", + "followup", + "game", + "game", + "day game", + "night game", + "away game", + "road game", + "home game", + "exhibition game", + "practice game", + "follow-on", + "innings", + "turn", + "play", + "attack", + "opening", + "chess opening", + "counterattack", + "counterplay", + "down", + "bat", + "at-bat", + "catch", + "party game", + "computer game", + "video game", + "virtual reality", + "pinball", + "pinball game", + "pachinko", + "guessing game", + "charades", + "ducks and drakes", + "mind game", + "paper chase", + "hare and hounds", + "ring-around-the-rosy", + "ring-around-a-rosy", + "ring-a-rosy", + "prisoner's base", + "treasure hunt", + "nightcap", + "twin bill", + "doubleheader", + "double feature", + "playoff game", + "cup tie", + "war game", + "curling", + "bowling", + "frame", + "tenpins", + "tenpin bowling", + "ninepins", + "skittles", + "duckpins", + "candlepins", + "candlepin bowling", + "lawn bowling", + "bowls", + "bocce", + "bocci", + "boccie", + "pall-mall", + "athletic game", + "ice hockey", + "hockey", + "hockey game", + "goalkeeper", + "goalie", + "goaltender", + "netkeeper", + "tetherball", + "water polo", + "outdoor game", + "golf", + "golf game", + "professional golf", + "round of golf", + "round", + "medal play", + "stroke play", + "match play", + "miniature golf", + "croquet", + "paintball", + "quoits", + "horseshoes", + "shuffleboard", + "shovelboard", + "field game", + "field hockey", + "hockey", + "shinny", + "shinney", + "football", + "football game", + "American football", + "American football game", + "professional football", + "touch football", + "hurling", + "rugby", + "rugby football", + "rugger", + "knock on", + "ball game", + "ballgame", + "baseball", + "baseball game", + "ball", + "professional baseball", + "hardball", + "perfect game", + "no-hit game", + "no-hitter", + "one-hitter", + "1-hitter", + "two-hitter", + "2-hitter", + "three-hitter", + "3-hitter", + "four-hitter", + "4-hitter", + "five-hitter", + "5-hitter", + "softball", + "softball game", + "rounders", + "stickball", + "stickball game", + "cricket", + "run-up", + "Chinaman", + "googly", + "wrong 'un", + "bosie", + "bosie ball", + "no ball", + "lacrosse", + "polo", + "pushball", + "ultimate frisbee", + "soccer", + "association football", + "dribble", + "dribbling", + "double dribble", + "court game", + "handball", + "racquetball", + "fives", + "squash", + "squash racquets", + "squash rackets", + "volleyball", + "volleyball game", + "jai alai", + "pelota", + "badminton", + "battledore", + "battledore and shuttlecock", + "basketball", + "basketball game", + "hoops", + "tip-off", + "tap-off", + "professional basketball", + "deck tennis", + "netball", + "tennis", + "lawn tennis", + "break", + "break of serve", + "equalizer", + "professional tennis", + "singles", + "singles", + "doubles", + "doubles", + "royal tennis", + "real tennis", + "court tennis", + "pallone", + "child's game", + "blindman's bluff", + "blindman's buff", + "cat and mouse", + "cat and rat", + "cat's cradle", + "hide-and-seek", + "hide and go seek", + "hopscotch", + "jacks", + "jackstones", + "knucklebones", + "jackstraws", + "spillikins", + "jump rope", + "double Dutch", + "leapfrog", + "leapfrog", + "marbles", + "mumblety-peg", + "mumble-the-peg", + "musical chairs", + "going to Jerusalem", + "peekaboo", + "bopeep", + "pillow fight", + "post office", + "spin the bottle", + "spin the plate", + "spin the platter", + "tag", + "tiddlywinks", + "card game", + "cards", + "cut", + "cutting", + "all fours", + "high-low-jack", + "baccarat", + "chemin de fer", + "beggar-my-neighbor", + "beggar-my-neighbour", + "strip-Jack-naked", + "blackjack", + "twenty-one", + "vingt-et-un", + "bridge", + "bridge whist", + "auction", + "auction bridge", + "contract", + "contract bridge", + "no-trump", + "casino", + "cassino", + "cribbage", + "crib", + "crib", + "ecarte", + "euchre", + "five hundred", + "fantan", + "sevens", + "parliament", + "faro", + "Go Fish", + "monte", + "four-card monte", + "three-card monte", + "Michigan", + "Chicago", + "Newmarket", + "boodle", + "stops", + "Napoleon", + "nap", + "old maid", + "pinochle", + "pinocle", + "penuchle", + "bezique", + "piquet", + "pisha paysha", + "poker", + "poker game", + "rouge et noir", + "trente-et-quarante", + "rummy", + "rum", + "solitaire", + "patience", + "canfield", + "klondike", + "whist", + "long whist", + "short whist", + "dummy whist", + "hearts", + "Black Maria", + "Russian bank", + "crapette", + "gin", + "gin rummy", + "knock rummy", + "canasta", + "basket rummy", + "meld", + "bolivia", + "samba", + "draw", + "draw poker", + "high-low", + "penny ante", + "penny ante poker", + "straight poker", + "strip poker", + "stud", + "stud poker", + "cinch", + "pitch", + "auction pitch", + "seven-up", + "old sledge", + "royal casino", + "spade casino", + "table game", + "table tennis", + "Ping-Pong", + "dominoes", + "dominos", + "nim", + "billiards", + "break", + "carom", + "cannon", + "masse", + "masse shot", + "miscue", + "pool", + "pocket billiards", + "snooker", + "bagatelle", + "bar billiards", + "parlor game", + "parlour game", + "word game", + "anagrams", + "Scrabble", + "board game", + "backgammon", + "checkers", + "draughts", + "chess", + "chess game", + "Chinese checkers", + "Chinese chequers", + "darts", + "go", + "go game", + "halma", + "lotto", + "bingo", + "beano", + "keno", + "tombola", + "ludo", + "Mah-Jongg", + "mahjong", + "Monopoly", + "pachisi", + "parchesi", + "parchisi", + "Parcheesi", + "shogi", + "shovel board", + "shove-halfpenny", + "shove-ha'penny", + "snakes and ladders", + "ticktacktoe", + "ticktacktoo", + "tick-tack-toe", + "tic-tac-toe", + "tit-tat-toe", + "noughts and crosses", + "sporting life", + "bet", + "wager", + "daily double", + "exacta", + "perfecta", + "parimutuel", + "parlay", + "place bet", + "superfecta", + "game of chance", + "gambling game", + "fantan", + "fan tan", + "lottery", + "drawing", + "lucky dip", + "numbers pool", + "numbers game", + "numbers racket", + "numbers", + "raffle", + "sweepstakes", + "craps", + "crap shooting", + "crapshoot", + "crap game", + "roulette", + "banking game", + "zero-sum game", + "merrymaking", + "conviviality", + "jollification", + "jinks", + "high jinks", + "hijinks", + "high jinx", + "revel", + "revelry", + "sexcapade", + "spree", + "fling", + "spending spree", + "bust", + "tear", + "binge", + "bout", + "piss-up", + "carouse", + "carousal", + "bender", + "toot", + "booze-up", + "orgy", + "debauch", + "debauchery", + "saturnalia", + "riot", + "bacchanal", + "bacchanalia", + "drunken revelry", + "carnival", + "Dionysia", + "Bacchanalia", + "play", + "frolic", + "romp", + "gambol", + "caper", + "caper", + "capriole", + "capriole", + "flirt", + "flirting", + "flirtation", + "coquetry", + "dalliance", + "toying", + "folly", + "foolery", + "tomfoolery", + "craziness", + "lunacy", + "indulgence", + "game", + "meshugaas", + "mishegaas", + "mishegoss", + "buffoonery", + "clowning", + "japery", + "frivolity", + "harlequinade", + "prank", + "shtik", + "schtik", + "shtick", + "schtick", + "horseplay", + "teasing", + "word play", + "dirty trick", + "practical joke", + "April fool", + "hotfoot", + "rag", + "snipe hunt", + "drollery", + "waggery", + "leg-pull", + "leg-pulling", + "pleasantry", + "beguilement", + "distraction", + "edutainment", + "extravaganza", + "militainment", + "nightlife", + "night life", + "celebration", + "solemnization", + "solemnisation", + "Isthmian Games", + "Nemean Games", + "Olympian Games", + "Olympic Games", + "Pythian Games", + "Royal National Eisteddfod", + "eisteddfod", + "film festival", + "feria", + "festival", + "fete", + "jazz festival", + "Kwanzaa", + "Kwanza", + "Oktoberfest", + "Saturnalia", + "sheepshearing", + "gala", + "gala affair", + "jamboree", + "blowout", + "Ludi Saeculares", + "secular games", + "victory celebration", + "whoopee", + "carnival", + "fair", + "funfair", + "dog show", + "horseshow", + "raree-show", + "circus", + "three-ring circus", + "Mardi Gras", + "Fat Tuesday", + "show", + "cabaret", + "floorshow", + "floor show", + "ice show", + "interlude", + "intermezzo", + "entr'acte", + "parade", + "display", + "exhibit", + "showing", + "light show", + "presentation", + "presentment", + "demonstration", + "demonstration", + "exhibition", + "repudiation", + "debunking", + "exposure", + "production", + "rodeo", + "road show", + "sideshow", + "Wild West Show", + "Buffalo Bill's Wild West Show", + "sport", + "athletics", + "adagio", + "break dancing", + "break dance", + "courante", + "nautch", + "nauch", + "nautch dance", + "pavane", + "pavan", + "phrase", + "saraband", + "skank", + "slam dancing", + "slam dance", + "step dancing", + "hoofing", + "tap dancing", + "tap dance", + "toe dancing", + "toe dance", + "soft-shoe", + "soft-shoe shuffle", + "soft-shoe dancing", + "buck-and-wing", + "stage dancing", + "choreography", + "ballet", + "concert dance", + "pas seul", + "variation", + "pas de deux", + "duet", + "pas de trois", + "pas de quatre", + "classical ballet", + "modern ballet", + "comedy ballet", + "modern dance", + "clog dance", + "clog dancing", + "clog", + "apache dance", + "belly dance", + "belly dancing", + "danse du ventre", + "bolero", + "cakewalk", + "cancan", + "nude dancing", + "fan dance", + "strip", + "striptease", + "strip show", + "bubble dance", + "interpretive dance", + "interpretive dancing", + "interpretative dance", + "interpretative dancing", + "social dancing", + "jitterbug", + "lindy", + "lindy hop", + "fandango", + "farandole", + "flamenco", + "gypsy dancing", + "gavotte", + "habanera", + "shag", + "shimmy", + "stomp", + "tarantella", + "tarantelle", + "dance step", + "step", + "chasse", + "sashay", + "glissade", + "turnout", + "twist", + "ballroom dancing", + "ballroom dance", + "beguine", + "carioca", + "cha-cha", + "cha-cha-cha", + "one-step", + "turkey trot", + "fox-trot", + "foxtrot", + "two-step", + "bunny hug", + "Charleston", + "conga", + "cotillion", + "cotilion", + "minuet", + "paso doble", + "quickstep", + "rumba", + "rhumba", + "samba", + "round dance", + "round dancing", + "tango", + "waltz", + "valse", + "folk dancing", + "folk dance", + "mazurka", + "polka", + "schottische", + "morris dance", + "morris dancing", + "sword dance", + "sword dancing", + "mambo", + "highland fling", + "hornpipe", + "jig", + "country-dance", + "country dancing", + "contredanse", + "contra danse", + "contradance", + "longways", + "longways dance", + "Virginia reel", + "reel", + "round dance", + "ring dance", + "square dance", + "square dancing", + "reel", + "Scottish reel", + "eightsome", + "quadrille", + "lancers", + "do-si-do", + "promenade", + "sashay", + "swing", + "landler", + "ritual dancing", + "ritual dance", + "ceremonial dance", + "rumba", + "rhumba", + "apache devil dance", + "corn dance", + "danse macabre", + "dance of death", + "ghost dance", + "hula", + "hula-hula", + "Hawaiian dancing", + "pyrrhic", + "rain dance", + "snake dance", + "sun dance", + "war dance", + "music", + "bell ringing", + "carillon", + "carillon playing", + "change ringing", + "instrumental music", + "intonation", + "percussion", + "drumming", + "vocal music", + "singing", + "vocalizing", + "a cappella singing", + "a capella singing", + "bel canto", + "coloratura", + "song", + "strain", + "carol", + "lullaby", + "cradlesong", + "caroling", + "crooning", + "crooning", + "scat", + "scat singing", + "whistling", + "beat", + "bow", + "down-bow", + "up-bow", + "officiation", + "acting", + "playing", + "playacting", + "performing", + "portrayal", + "characterization", + "enactment", + "personation", + "impression", + "impersonation", + "personation", + "apery", + "mimicry", + "parody", + "mockery", + "takeoff", + "method acting", + "method", + "mime", + "pantomime", + "dumb show", + "panto", + "business", + "stage business", + "byplay", + "shtik", + "schtik", + "shtick", + "schtick", + "performance", + "program", + "programme", + "bill", + "skit", + "hamming", + "overacting", + "heroics", + "reenactment", + "roleplaying", + "card trick", + "prestidigitation", + "sleight of hand", + "liveliness", + "animation", + "brouhaha", + "circus", + "carnival", + "disorganization", + "disorganisation", + "disruption", + "perturbation", + "dislocation", + "breakdown", + "surprise", + "surprisal", + "commotion", + "din", + "ruction", + "ruckus", + "rumpus", + "tumult", + "furor", + "furore", + "havoc", + "mayhem", + "melee", + "scrimmage", + "battle royal", + "agitation", + "excitement", + "turmoil", + "upheaval", + "hullabaloo", + "outburst", + "tumultuous disturbance", + "rampage", + "violent disorder", + "wilding", + "upset", + "derangement", + "overthrow", + "bustle", + "hustle", + "flurry", + "ado", + "fuss", + "stir", + "burst", + "fit", + "fits and starts", + "haste", + "hurry", + "rush", + "rushing", + "dash", + "bolt", + "scamper", + "scramble", + "scurry", + "maneuver", + "manoeuvre", + "play", + "takeaway", + "figure", + "figure eight", + "spread eagle", + "completion", + "pass completion", + "play", + "ball hawking", + "assist", + "icing", + "icing the puck", + "power play", + "football play", + "run", + "running", + "running play", + "running game", + "draw", + "draw play", + "end run", + "sweep", + "return", + "reverse", + "double reverse", + "rush", + "rushing", + "pass", + "passing play", + "passing game", + "passing", + "power play", + "handoff", + "forward pass", + "aerial", + "flare pass", + "flare", + "screen pass", + "lateral pass", + "lateral", + "spot pass", + "tackle", + "jugglery", + "obstruction", + "blocking", + "block", + "interference", + "trap block", + "check", + "crosscheck", + "poke check", + "razzle-dazzle", + "razzle", + "razzmatazz", + "razmataz", + "basketball play", + "pick", + "switch", + "give-and-go", + "baseball play", + "double play", + "triple play", + "pick-off", + "squeeze play", + "suicide squeeze play", + "suicide squeeze", + "safety squeeze play", + "safety squeeze", + "footwork", + "stroke", + "shot", + "cut", + "undercut", + "swipe", + "tennis stroke", + "tennis shot", + "return", + "backhand", + "backhand stroke", + "backhand shot", + "chop", + "chop shot", + "drive", + "drop shot", + "dink", + "forehand", + "forehand stroke", + "forehand shot", + "forehand drive", + "get", + "backhand drive", + "two-handed backhand", + "ground stroke", + "serve", + "service", + "ace", + "fault", + "let", + "net ball", + "half volley", + "lob", + "overhead", + "smash", + "passing shot", + "volley", + "stroke", + "swimming stroke", + "crawl", + "front crawl", + "Australian crawl", + "dog paddle", + "sidestroke", + "butterfly", + "butterfly stroke", + "breaststroke", + "backstroke", + "baseball swing", + "swing", + "cut", + "golf stroke", + "golf shot", + "swing", + "downswing", + "slice", + "fade", + "slicing", + "hook", + "draw", + "hooking", + "drive", + "driving", + "explosion", + "putt", + "putting", + "clock golf", + "approach", + "approach shot", + "chip", + "chip shot", + "pitch", + "pitch shot", + "sclaff", + "shank", + "teeoff", + "swimming kick", + "flutter kick", + "frog kick", + "dolphin kick", + "scissors kick", + "thrash", + "treading water", + "cinch", + "breeze", + "picnic", + "snap", + "duck soup", + "child's play", + "pushover", + "walkover", + "piece of cake", + "doddle", + "work", + "action", + "job", + "job", + "operation", + "procedure", + "works", + "deeds", + "service", + "consulting service", + "advisory service", + "attestation service", + "attestation report", + "financial audit", + "facility", + "laundering", + "shining", + "polishing", + "shoeshine", + "national service", + "utility", + "service", + "socage", + "military service", + "knight's service", + "heavy lifting", + "housecleaning", + "housecleaning", + "housewifery", + "housework", + "housekeeping", + "ironing", + "workload", + "work load", + "case load", + "piecework", + "busywork", + "make-work", + "logging", + "loose end", + "unfinished business", + "nightwork", + "paperwork", + "welfare work", + "social service", + "occupation", + "business", + "job", + "line of work", + "line", + "occupation", + "game", + "biz", + "career", + "calling", + "vocation", + "specialization", + "specialisation", + "specialty", + "speciality", + "specialism", + "specialization", + "specialisation", + "spiritualization", + "spiritualisation", + "lifework", + "walk of life", + "walk", + "employment", + "work", + "job", + "service", + "telecommuting", + "teleworking", + "services", + "facility", + "public service", + "minister", + "cabinet minister", + "appointment", + "position", + "post", + "berth", + "office", + "spot", + "billet", + "place", + "situation", + "academicianship", + "accountantship", + "admiralty", + "ambassadorship", + "apostleship", + "apprenticeship", + "associateship", + "attorneyship", + "bailiffship", + "baronetage", + "bishopry", + "episcopate", + "cadetship", + "caliphate", + "captainship", + "captaincy", + "cardinalship", + "chairmanship", + "chancellorship", + "chaplaincy", + "chaplainship", + "chieftaincy", + "chieftainship", + "clerkship", + "commandership", + "commandery", + "comptrollership", + "consulship", + "controllership", + "councillorship", + "councilorship", + "counselorship", + "counsellorship", + "curacy", + "curatorship", + "custodianship", + "deanship", + "deanery", + "directorship", + "discipleship", + "editorship", + "eldership", + "emirate", + "fatherhood", + "fatherhood", + "foremanship", + "generalship", + "generalcy", + "governorship", + "headmastership", + "headmistressship", + "headship", + "headship", + "hot seat", + "incumbency", + "inspectorship", + "instructorship", + "internship", + "judgeship", + "judicature", + "khanate", + "lectureship", + "legation", + "legateship", + "legislatorship", + "librarianship", + "lieutenancy", + "magistracy", + "magistrature", + "managership", + "manhood", + "marshalship", + "mastership", + "mayoralty", + "messiahship", + "moderatorship", + "overlordship", + "pastorship", + "pastorate", + "peasanthood", + "plum", + "praetorship", + "precentorship", + "preceptorship", + "prefecture", + "prelacy", + "prelature", + "premiership", + "presidency", + "presidentship", + "President of the United States", + "President", + "Chief Executive", + "primateship", + "principalship", + "priorship", + "proconsulship", + "proconsulate", + "proctorship", + "professorship", + "chair", + "protectorship", + "public office", + "bully pulpit", + "rabbinate", + "receivership", + "rectorship", + "rectorate", + "regency", + "residency", + "rulership", + "sainthood", + "secretaryship", + "Attorney General", + "Attorney General of the United States", + "Secretary of Agriculture", + "Agriculture Secretary", + "Secretary of Commerce", + "Commerce Secretary", + "Secretary of Defense", + "Defense Secretary", + "Secretary of Education", + "Education Secretary", + "Secretary of Energy", + "Energy Secretary", + "Secretary of Health and Human Services", + "Secretary of Housing and Urban Development", + "Secretary of Labor", + "Labor Secretary", + "Secretary of State", + "Secretary of the Interior", + "Interior Secretary", + "Secretary of the Treasury", + "Treasury Secretary", + "Secretary of Transportation", + "Transportation Secretary", + "Secretary of Veterans Affairs", + "Secretary of War", + "War Secretary", + "Secretary of the Navy", + "Navy Secretary", + "Secretary of Commerce and Labor", + "Secretary of Health Education and Welfare", + "seigniory", + "seigneury", + "feudal lordship", + "seismography", + "senatorship", + "sinecure", + "solicitorship", + "speakership", + "stewardship", + "studentship", + "teachership", + "thaneship", + "throne", + "treasurership", + "tribuneship", + "trusteeship", + "vice-presidency", + "viceroyship", + "viziership", + "wardenship", + "wardership", + "womanhood", + "treadmill", + "salt mine", + "business life", + "professional life", + "trade", + "craft", + "airplane mechanics", + "auto mechanics", + "basketry", + "bookbinding", + "bricklaying", + "cabinetwork", + "cabinetry", + "carpentry", + "woodworking", + "woodwork", + "drafting", + "mechanical drawing", + "dressmaking", + "electrical work", + "interior decoration", + "interior design", + "furnishing", + "lighting", + "lumbering", + "masonry", + "oculism", + "painting", + "house painting", + "papermaking", + "piloting", + "pilotage", + "plumbing", + "plumbery", + "pottery", + "profession", + "metier", + "medium", + "learned profession", + "literature", + "architecture", + "law", + "practice of law", + "education", + "journalism", + "newspapering", + "politics", + "medicine", + "practice of medicine", + "preventive medicine", + "alternative medicine", + "herbal medicine", + "complementary medicine", + "theology", + "writing", + "committal to writing", + "cryptography", + "coding", + "secret writing", + "steganography", + "handwriting", + "inscription", + "notation", + "superscription", + "stenography", + "subscription", + "encoding", + "encryption", + "compression", + "image compression", + "MPEG", + "decompression", + "data encryption", + "recoding", + "decoding", + "decryption", + "decipherment", + "triangulation", + "cabinetmaking", + "joinery", + "pyrotechnics", + "pyrotechny", + "shoemaking", + "shoe repairing", + "cobbling", + "roofing", + "sheet-metal work", + "shingling", + "tailoring", + "tool-and-die work", + "couture", + "accountancy", + "accounting", + "cost accounting", + "costing", + "bookkeeping", + "clerking", + "single entry", + "single-entry bookkeeping", + "double entry", + "double-entry bookkeeping", + "inventory accounting", + "inventory control", + "first in first out", + "FIFO", + "last in first out", + "LIFO", + "butchery", + "butchering", + "photography", + "labor", + "labour", + "toil", + "strikebreaking", + "corvee", + "drudgery", + "plodding", + "grind", + "donkeywork", + "effort", + "elbow grease", + "exertion", + "travail", + "sweat", + "struggle", + "wrestle", + "wrestling", + "grapple", + "grappling", + "hand-to-hand struggle", + "hunt", + "hunting", + "hackwork", + "haymaking", + "haymaking", + "manual labor", + "manual labour", + "overwork", + "overworking", + "slavery", + "subbing", + "substituting", + "trouble", + "difficulty", + "the devil", + "tsuris", + "least effort", + "least resistance", + "strain", + "straining", + "exercise", + "exercising", + "physical exercise", + "physical exertion", + "workout", + "pull", + "conditioner", + "set", + "exercise set", + "aerobics", + "aerobic exercise", + "bodybuilding", + "anaerobic exercise", + "muscle building", + "musclebuilding", + "weightlift", + "weightlifting", + "jerk", + "bench press", + "incline bench press", + "clean and jerk", + "clean", + "press", + "military press", + "snatch", + "weight gaining", + "calisthenics", + "callisthenics", + "calisthenics", + "callisthenics", + "isometrics", + "isometric exercise", + "isotonic exercise", + "jogging", + "Kegel exercises", + "pubococcygeus exercises", + "stretch", + "stretching", + "pandiculation", + "power walking", + "arm exercise", + "pushup", + "press-up", + "widegrip pushup", + "pull-up", + "chin-up", + "back exercise", + "leg exercise", + "knee bend", + "squat", + "squatting", + "leg curl", + "leg curling", + "leg extensor", + "neck exercise", + "stomach exercise", + "tummy crunch", + "sit-up", + "yoga", + "hatha yoga", + "practice", + "consultancy", + "cosmetology", + "dental practice", + "law practice", + "medical practice", + "family practice", + "family medicine", + "group practice", + "optometry", + "private practice", + "quackery", + "empiricism", + "application", + "diligence", + "overkill", + "supererogation", + "overexertion", + "investigation", + "investigating", + "analysis", + "count", + "counting", + "numeration", + "enumeration", + "reckoning", + "tally", + "police work", + "police investigation", + "detection", + "detecting", + "detective work", + "sleuthing", + "forensics", + "roundup", + "empiricism", + "examination", + "scrutiny", + "examination", + "testing", + "inquiry", + "enquiry", + "research", + "eleven-plus", + "11-plus", + "search", + "operations research", + "means test", + "inquest", + "big science", + "biological research", + "cloning", + "reproductive cloning", + "human reproductive cloning", + "somatic cell nuclear transplantation", + "somatic cell nuclear transfer", + "SCNT", + "nuclear transplantation", + "therapeutic cloning", + "biomedical cloning", + "stem-cell research", + "embryonic stem-cell research", + "experiment", + "experimentation", + "field work", + "testing", + "marketing research", + "market research", + "market analysis", + "product research", + "consumer research", + "microscopy", + "electron microscopy", + "electron spin resonance", + "ESR", + "electron paramagnetic resonance", + "trial and error", + "probe", + "Human Genome Project", + "scientific research", + "research project", + "endoscopy", + "celioscopy", + "colonoscopy", + "culdoscopy", + "gastroscopy", + "hysteroscopy", + "proctoscopy", + "sigmoidoscopy", + "flexible sigmoidoscopy", + "gonioscopy", + "keratoscopy", + "rhinoscopy", + "scan", + "scanning", + "search", + "survey", + "study", + "testing", + "screening", + "genetic screening", + "time and motion study", + "time-and-motion study", + "time-motion study", + "motion study", + "time study", + "work study", + "dark ground illumination", + "dark field illumination", + "fluorescence microscopy", + "indirect immunofluorescence", + "anatomy", + "urinalysis", + "uranalysis", + "scatology", + "case study", + "chemical analysis", + "qualitative analysis", + "polarography", + "quantitative analysis", + "quantitative chemical analysis", + "colorimetry", + "colorimetric analysis", + "volumetric analysis", + "acidimetry", + "alkalimetry", + "titration", + "volumetric analysis", + "gravimetric analysis", + "cost analysis", + "dissection", + "fundamental analysis", + "fundamentals analysis", + "technical analysis", + "technical analysis of stock trends", + "spectroscopy", + "spectrometry", + "spectroscopic analysis", + "spectrum analysis", + "spectrographic analysis", + "dialysis", + "apheresis", + "pheresis", + "plasmapheresis", + "plateletpheresis", + "hemodialysis", + "haemodialysis", + "mass spectroscopy", + "microwave spectroscopy", + "likening", + "analogy", + "collation", + "confrontation", + "contrast", + "lighterage", + "visitation", + "site visit", + "surveillance", + "tabulation", + "blood count", + "complete blood count", + "CBC", + "blood profile", + "differential blood count", + "census", + "nose count", + "nosecount", + "countdown", + "miscount", + "poll", + "recount", + "sperm count", + "spying", + "undercover work", + "wiretap", + "tap", + "espionage", + "counterespionage", + "electronic surveillance", + "care", + "attention", + "aid", + "tending", + "maternalism", + "babysitting", + "baby sitting", + "pet sitting", + "primary care", + "aftercare", + "dental care", + "brush", + "brushing", + "first aid", + "eyedrop", + "eye-drop", + "adrenergic agonist eyedrop", + "beta blocker eyedrop", + "miotic eyedrop", + "topical prostaglandin eyedrop", + "medical care", + "medical aid", + "treatment", + "intervention", + "hospitalization", + "hospitalisation", + "hospital care", + "incubation", + "livery", + "massage", + "cardiac massage", + "heart massage", + "effleurage", + "petrissage", + "reflexology", + "Swedish massage", + "tapotement", + "makeover", + "manicure", + "pedicure", + "therapy", + "modality", + "diathermy", + "aromatherapy", + "chemotherapy", + "correction", + "electrotherapy", + "galvanism", + "electric healing", + "electrical healing", + "heliotherapy", + "insolation", + "hormone replacement therapy", + "hormone-replacement therapy", + "HRT", + "immunotherapy", + "infrared therapy", + "inflation therapy", + "iontophoresis", + "ionic medication", + "iontotherapy", + "electromotive drug administration", + "EMDA", + "medication", + "antipyresis", + "megavitamin therapy", + "occupational therapy", + "nourishment", + "nursing care", + "nursing", + "tender loving care", + "TLC", + "nurturance", + "personal care", + "skin care", + "skincare", + "facial", + "adenoidectomy", + "adrenalectomy", + "suprarenalectomy", + "appendectomy", + "appendicectomy", + "amputation", + "angioplasty", + "arthrodesis", + "arthroplasty", + "arthroscopy", + "autoplasty", + "brain surgery", + "psychosurgery", + "split-brain technique", + "castration", + "cautery", + "cauterization", + "cauterisation", + "chemosurgery", + "colostomy", + "craniotomy", + "cryosurgery", + "cholecystectomy", + "clitoridectomy", + "female circumcision", + "laparoscopic cholecystectomy", + "lap choly", + "curettage", + "curettement", + "suction curettage", + "vacuum aspiration", + "debridement", + "decortication", + "dilation and curettage", + "dilatation and curettage", + "D and C", + "disembowelment", + "evisceration", + "electrosurgery", + "enterostomy", + "enterotomy", + "enucleation", + "operation", + "surgery", + "surgical operation", + "surgical procedure", + "surgical process", + "wrong-site surgery", + "embolectomy", + "endarterectomy", + "enervation", + "evisceration", + "exenteration", + "eye operation", + "eye surgery", + "face lift", + "facelift", + "lift", + "face lifting", + "cosmetic surgery", + "rhytidectomy", + "rhytidoplasty", + "nip and tuck", + "fenestration", + "gastrectomy", + "gastroenterostomy", + "gastrostomy", + "heart surgery", + "closed-heart surgery", + "open-heart surgery", + "coronary bypass", + "coronary bypass surgery", + "coronary artery bypass graft", + "CABG", + "port-access coronary bypass surgery", + "minimally invasive coronary bypass surgery", + "hemorrhoidectomy", + "haemorrhoidectomy", + "hemostasis", + "haemostasis", + "hemostasia", + "haemostasia", + "hypophysectomy", + "hysterectomy", + "hysterotomy", + "radical hysterectomy", + "panhysterectomy", + "total hysterectomy", + "gastromy", + "implantation", + "incision", + "section", + "surgical incision", + "cataract surgery", + "intracapsular surgery", + "extracapsular surgery", + "cyclodestructive surgery", + "phacoemulsification", + "filtration surgery", + "iridectomy", + "iridotomy", + "keratotomy", + "radial keratotomy", + "laser-assisted subepithelial keratomileusis", + "LASEK", + "laser trabecular surgery", + "laser-assisted in situ keratomileusis", + "LASIK", + "vitrectomy", + "perineotomy", + "episiotomy", + "ileostomy", + "intestinal bypass", + "jejunostomy", + "keratoplasty", + "corneal graft", + "corneal transplant", + "epikeratophakia", + "lipectomy", + "selective lipectomy", + "liposuction", + "suction lipectomy", + "mastopexy", + "neuroplasty", + "otoplasty", + "laminectomy", + "laparotomy", + "laparoscopy", + "laryngectomy", + "lithotomy", + "cholelithotomy", + "lobectomy", + "amygdalotomy", + "callosotomy", + "callosectomy", + "lobotomy", + "leukotomy", + "leucotomy", + "prefrontal lobotomy", + "prefrontal leukotomy", + "prefrontal leucotomy", + "frontal lobotomy", + "transorbital lobotomy", + "lumpectomy", + "major surgery", + "microsurgery", + "robotic telesurgery", + "minor surgery", + "mastectomy", + "modified radical mastectomy", + "radical mastectomy", + "simple mastectomy", + "mastoidectomy", + "meniscectomy", + "nephrectomy", + "neurectomy", + "oophorectomy", + "ovariectomy", + "oophorosalpingectomy", + "ophthalmectomy", + "orchidectomy", + "orchiectomy", + "pancreatectomy", + "pneumonectomy", + "prostatectomy", + "salpingectomy", + "septectomy", + "sigmoidectomy", + "splenectomy", + "stapedectomy", + "sympathectomy", + "thrombectomy", + "thyroidectomy", + "tonsillectomy", + "myotomy", + "myringectomy", + "myringoplasty", + "myringotomy", + "neurosurgery", + "nose job", + "rhinoplasty", + "orchiopexy", + "orchotomy", + "osteotomy", + "ostomy", + "palatopharyngoplasty", + "PPP", + "uvulopalatopharyngoplasty", + "UPPP", + "phalloplasty", + "phlebectomy", + "photocoagulation", + "plastic surgery", + "reconstructive surgery", + "anaplasty", + "polypectomy", + "proctoplasty", + "rectoplasty", + "resection", + "rhinotomy", + "rhizotomy", + "sclerotomy", + "sex-change operation", + "transsexual surgery", + "Shirodkar's operation", + "purse-string operation", + "sterilization", + "sterilisation", + "castration", + "emasculation", + "neutering", + "fixing", + "altering", + "spaying", + "strabotomy", + "taxis", + "Michelson-Morley experiment", + "tracheostomy", + "tracheotomy", + "transplant", + "transplantation", + "organ transplant", + "transurethral resection of the prostate", + "TURP", + "trephination", + "tympanoplasty", + "uranoplasty", + "justice", + "administration", + "judicature", + "administration", + "giving medication", + "drip feed", + "sedation", + "drugging", + "irrigation", + "douche", + "enema", + "clyster", + "colonic irrigation", + "colonic", + "barium enema", + "lavage", + "gastric lavage", + "dressing", + "bandaging", + "binding", + "holistic medicine", + "hospice", + "injection", + "shot", + "cryocautery", + "electrocautery", + "thermocautery", + "bloodletting", + "nephrotomy", + "thoracotomy", + "valvotomy", + "valvulotomy", + "venesection", + "phlebotomy", + "cupping", + "defibrillation", + "detoxification", + "detoxification", + "fusion", + "spinal fusion", + "faith healing", + "faith cure", + "laying on of hands", + "physical therapy", + "physiotherapy", + "physiatrics", + "rehabilitation", + "phytotherapy", + "herbal therapy", + "botanical medicine", + "psychotherapy", + "behavior therapy", + "behavior modification", + "assertiveness training", + "aversion therapy", + "desensitization technique", + "desensitisation technique", + "desensitization procedure", + "desensitisation procedure", + "systematic desensitization", + "systematic desensitisation", + "exposure therapy", + "implosion therapy", + "flooding", + "reciprocal inhibition", + "reciprocal-inhibition therapy", + "token economy", + "client-centered therapy", + "crisis intervention", + "group therapy", + "group psychotherapy", + "family therapy", + "hypnotherapy", + "play therapy", + "psychoanalysis", + "analysis", + "depth psychology", + "hypnoanalysis", + "self-analysis", + "radiotherapy", + "radiation therapy", + "radiation", + "actinotherapy", + "irradiation", + "phototherapy", + "radium therapy", + "Curietherapy", + "X-ray therapy", + "chrysotherapy", + "shock therapy", + "shock treatment", + "electroconvulsive therapy", + "electroshock", + "electroshock therapy", + "ECT", + "insulin shock", + "insulin shock therapy", + "insulin shock treatment", + "metrazol shock", + "metrazol shock therapy", + "metrazol shock treatment", + "speech therapy", + "refrigeration", + "thermotherapy", + "thrombolytic therapy", + "chiropractic", + "fomentation", + "naturopathy", + "naprapathy", + "orthodontic treatment", + "orthoptics", + "osteopathy", + "osteoclasis", + "disinfection", + "chlorination", + "digitalization", + "digitalisation", + "anticoagulation", + "acupuncture", + "stylostixis", + "acupressure", + "G-Jo", + "shiatsu", + "autogenic therapy", + "autogenic training", + "autogenics", + "allopathy", + "homeopathy", + "homoeopathy", + "hydropathy", + "hydrotherapy", + "intensive care", + "rest-cure", + "stalk", + "stalking", + "still hunt", + "deerstalking", + "birdnesting", + "predation", + "friction", + "detrition", + "rubbing", + "application", + "coating", + "covering", + "anointing", + "anointment", + "fumigation", + "foliation", + "galvanization", + "galvanisation", + "bodywork", + "handling", + "materials handling", + "loading", + "unloading", + "picking", + "pickings", + "taking", + "planking", + "wiring", + "handicraft", + "sewing", + "stitching", + "baking", + "blind stitching", + "suturing", + "vasectomy", + "vasotomy", + "vasosection", + "vasovasostomy", + "vulvectomy", + "vivisection", + "lubrication", + "paving", + "pavage", + "painting", + "spraying", + "spray painting", + "spatter", + "spattering", + "splash", + "splashing", + "splattering", + "finger-painting", + "tinning", + "tin-plating", + "tinning", + "papering", + "paperhanging", + "pargeting", + "pargetting", + "plastering", + "daubing", + "plating", + "scumble", + "tiling", + "waxing", + "duty", + "job", + "task", + "chore", + "ball-buster", + "ball-breaker", + "paper route", + "stint", + "function", + "office", + "part", + "role", + "capacity", + "hat", + "portfolio", + "stead", + "position", + "place", + "lieu", + "behalf", + "second fiddle", + "role", + "gender role", + "position", + "pitcher", + "mound", + "catcher", + "first base", + "first", + "second base", + "second", + "shortstop", + "short", + "third base", + "third", + "left field", + "leftfield", + "center field", + "centerfield", + "right field", + "rightfield", + "steal", + "forward", + "center", + "guard", + "back", + "lineman", + "linebacker", + "line backer", + "quarterback", + "signal caller", + "field general", + "fullback", + "halfback", + "tailback", + "wingback", + "center", + "guard", + "tackle", + "end", + "mid-off", + "mid-on", + "center", + "school assignment", + "schoolwork", + "classroom project", + "classwork", + "homework", + "prep", + "preparation", + "lesson", + "language lesson", + "French lesson", + "German lesson", + "Hebrew lesson", + "exercise", + "example", + "reading assignment", + "assignment", + "duty assignment", + "guard duty", + "guard", + "sentry duty", + "sentry go", + "fatigue duty", + "fatigue", + "mission", + "missionary work", + "da'wah", + "dawah", + "mission", + "charge", + "commission", + "fool's errand", + "mission impossible", + "suicide mission", + "martyr operation", + "sacrifice operation", + "errand", + "reassignment", + "secondment", + "sea-duty", + "service abroad", + "shipboard duty", + "shore duty", + "scut work", + "shitwork", + "wrongdoing", + "wrongful conduct", + "misconduct", + "actus reus", + "brutalization", + "brutalisation", + "trespass", + "encroachment", + "violation", + "intrusion", + "usurpation", + "inroad", + "tort", + "civil wrong", + "alienation of affection", + "invasion of privacy", + "trespass", + "continuing trespass", + "trespass de bonis asportatis", + "trespass on the case", + "trespass quare clausum fregit", + "trespass viet armis", + "malversation", + "misbehavior", + "misbehaviour", + "misdeed", + "delinquency", + "juvenile delinquency", + "mischief", + "mischief-making", + "mischievousness", + "deviltry", + "devilry", + "devilment", + "rascality", + "roguery", + "roguishness", + "shenanigan", + "hell", + "blaze", + "monkey business", + "ruffianism", + "familiarity", + "impropriety", + "indecorum", + "liberty", + "abnormality", + "irregularity", + "deviation", + "deviance", + "indecency", + "impropriety", + "paraphilia", + "exhibitionism", + "immodesty", + "fetishism", + "fetichism", + "pedophilia", + "paedophilia", + "voyeurism", + "zoophilia", + "zoophilism", + "obscenity", + "indiscretion", + "peccadillo", + "infantilism", + "dereliction", + "nonfeasance", + "negligence", + "carelessness", + "neglect", + "nonperformance", + "comparative negligence", + "concurrent negligence", + "contributory negligence", + "criminal negligence", + "culpable negligence", + "neglect of duty", + "evasion", + "escape", + "dodging", + "escape mechanism", + "malingering", + "skulking", + "shirking", + "slacking", + "soldiering", + "goofing off", + "goldbricking", + "circumvention", + "tax evasion", + "malfeasance", + "misfeasance", + "malpractice", + "malpractice", + "perversion", + "waste", + "wastefulness", + "dissipation", + "waste of effort", + "waste of energy", + "waste of material", + "waste of money", + "waste of time", + "extravagance", + "prodigality", + "lavishness", + "highlife", + "high life", + "squandering", + "squandermania", + "wrong", + "legal injury", + "damage", + "injury", + "injury", + "injustice", + "unfairness", + "iniquity", + "shabbiness", + "infliction", + "transgression", + "transgression", + "evildoing", + "abomination", + "evil", + "immorality", + "wickedness", + "iniquity", + "villainy", + "deviltry", + "devilry", + "enormity", + "foul play", + "irreverence", + "violation", + "sexual immorality", + "profanation", + "desecration", + "blasphemy", + "sacrilege", + "depravity", + "turpitude", + "vice", + "pornography", + "porno", + "porn", + "erotica", + "smut", + "child pornography", + "kiddie porn", + "kiddy porn", + "intemperance", + "intemperateness", + "self-indulgence", + "intemperance", + "intemperateness", + "prostitution", + "harlotry", + "whoredom", + "profligacy", + "dissipation", + "dissolution", + "licentiousness", + "looseness", + "drink", + "drinking", + "boozing", + "drunkenness", + "crapulence", + "drinking bout", + "package tour", + "package holiday", + "pub crawl", + "whistle-stop tour", + "jag", + "dishonesty", + "knavery", + "treachery", + "betrayal", + "treason", + "perfidy", + "double cross", + "double-crossing", + "sellout", + "charlatanism", + "quackery", + "plagiarism", + "plagiarization", + "plagiarisation", + "piracy", + "trick", + "falsification", + "falsehood", + "falsification", + "misrepresentation", + "frame-up", + "setup", + "distortion", + "overrefinement", + "straining", + "torture", + "twisting", + "equivocation", + "tergiversation", + "lying", + "prevarication", + "fabrication", + "fibbing", + "paltering", + "fakery", + "deception", + "deceit", + "dissembling", + "dissimulation", + "indirection", + "trickery", + "chicanery", + "chicane", + "guile", + "wile", + "shenanigan", + "duplicity", + "double-dealing", + "sophistication", + "fraud", + "fraudulence", + "dupery", + "hoax", + "humbug", + "put-on", + "goldbrick", + "jugglery", + "scam", + "cozenage", + "cheat", + "cheating", + "gerrymander", + "delusion", + "illusion", + "head game", + "pretense", + "pretence", + "pretending", + "simulation", + "feigning", + "appearance", + "show", + "make-believe", + "pretend", + "affectation", + "mannerism", + "pose", + "affectedness", + "attitude", + "radical chic", + "masquerade", + "imposture", + "impersonation", + "obscurantism", + "bluff", + "four flush", + "take-in", + "fall", + "sin", + "sinning", + "actual sin", + "original sin", + "mortal sin", + "deadly sin", + "venial sin", + "pride", + "superbia", + "envy", + "invidia", + "avarice", + "greed", + "covetousness", + "rapacity", + "avaritia", + "sloth", + "laziness", + "acedia", + "wrath", + "anger", + "ire", + "ira", + "gluttony", + "overeating", + "gula", + "lust", + "luxuria", + "terror", + "terrorism", + "act of terrorism", + "terrorist act", + "bioterrorism", + "biological terrorism", + "chemical terrorism", + "cyber-terrorism", + "cyberwar", + "domestic terrorism", + "ecoterrorism", + "ecological terrorism", + "eco-warfare", + "ecological warfare", + "international terrorism", + "narcoterrorism", + "nuclear terrorism", + "state-sponsored terrorism", + "theoterrorism", + "terrorization", + "terrorisation", + "barratry", + "champerty", + "maintenance", + "criminal maintenance", + "crime", + "offense", + "criminal offense", + "criminal offence", + "offence", + "law-breaking", + "crime", + "inside job", + "assault", + "aggravated assault", + "battery", + "assault and battery", + "capital offense", + "cybercrime", + "felony", + "forgery", + "fraud", + "barratry", + "Had crime", + "hijack", + "highjack", + "mayhem", + "misdemeanor", + "misdemeanour", + "infraction", + "violation", + "infringement", + "violation", + "infringement", + "copyright infringement", + "infringement of copyright", + "foul", + "personal foul", + "technical foul", + "technical", + "patent infringement", + "disorderly conduct", + "disorderly behavior", + "disturbance of the peace", + "breach of the peace", + "false pretense", + "false pretence", + "indecent exposure", + "public nudity", + "perjury", + "bearing false witness", + "lying under oath", + "resisting arrest", + "sedition", + "molestation", + "perpetration", + "commission", + "committal", + "rape", + "violation", + "assault", + "ravishment", + "date rape", + "attack", + "attempt", + "mugging", + "sexual assault", + "sexual abuse", + "sex crime", + "sex offense", + "Tazir crime", + "statutory offense", + "statutory offence", + "regulatory offense", + "regulatory offence", + "thuggery", + "bigamy", + "capture", + "seizure", + "abduction", + "kidnapping", + "snatch", + "racket", + "fraudulent scheme", + "illegitimate enterprise", + "racketeering", + "bribery", + "graft", + "barratry", + "commercial bribery", + "embezzlement", + "peculation", + "defalcation", + "misapplication", + "misappropriation", + "identity theft", + "raid", + "plunderage", + "mail fraud", + "election fraud", + "constructive fraud", + "legal fraud", + "extrinsic fraud", + "collateral fraud", + "fraud in fact", + "positive fraud", + "fraud in law", + "fraud in the factum", + "fraud in the inducement", + "intrinsic fraud", + "bunco", + "bunco game", + "bunko", + "bunko game", + "con", + "confidence trick", + "confidence game", + "con game", + "gyp", + "hustle", + "sting", + "flimflam", + "sting operation", + "pyramiding", + "swindle", + "cheat", + "rig", + "holdout", + "swiz", + "shell game", + "thimblerig", + "larceny", + "theft", + "thievery", + "thieving", + "stealing", + "pilferage", + "shoplifting", + "shrinkage", + "robbery", + "armed robbery", + "heist", + "holdup", + "stickup", + "treason", + "high treason", + "lese majesty", + "vice crime", + "victimless crime", + "war crime", + "biopiracy", + "caper", + "job", + "dacoity", + "dakoity", + "heist", + "rip-off", + "highjacking", + "hijacking", + "highway robbery", + "piracy", + "buccaneering", + "rolling", + "grand larceny", + "grand theft", + "petit larceny", + "petty larceny", + "petty", + "skimming", + "extortion", + "blackmail", + "protection", + "tribute", + "shakedown", + "burglary", + "housebreaking", + "break-in", + "breaking and entering", + "home invasion", + "joint venture", + "foreign direct investment", + "experiment", + "forlorn hope", + "attempt", + "effort", + "endeavor", + "endeavour", + "try", + "bid", + "play", + "crack", + "fling", + "go", + "pass", + "whirl", + "offer", + "essay", + "foray", + "contribution", + "part", + "share", + "end", + "liberation", + "mug's game", + "power play", + "squeeze play", + "squeeze", + "seeking", + "shot", + "stab", + "shot", + "striving", + "nisus", + "pains", + "strain", + "struggle", + "battle", + "duel", + "scramble", + "scuffle", + "buyout", + "strategic buyout", + "takeover", + "anti-takeover defense", + "takeover attempt", + "takeover bid", + "two-tier bid", + "any-and-all bid", + "hostile takeover", + "friendly takeover", + "test", + "trial", + "run", + "assay", + "enzyme-linked-immunosorbent serologic assay", + "ELISA", + "immunohistochemistry", + "clinical trial", + "clinical test", + "phase I clinical trial", + "phase I", + "phase II clinical trial", + "phase II", + "phase III clinical trial", + "phase III", + "phase IV clinical trial", + "phase IV", + "double blind", + "preclinical trial", + "preclinical test", + "preclinical phase", + "test", + "trial", + "audition", + "tryout", + "screen test", + "field trial", + "fitting", + "try-on", + "trying on", + "MOT", + "MOT test", + "Ministry of Transportation test", + "pilot project", + "pilot program", + "spadework", + "timework", + "undertaking", + "project", + "task", + "labor", + "written assignment", + "writing assignment", + "adventure", + "escapade", + "risky venture", + "dangerous undertaking", + "assignment", + "baby", + "enterprise", + "endeavor", + "endeavour", + "labor of love", + "labour of love", + "marathon", + "endurance contest", + "no-brainer", + "proposition", + "tall order", + "large order", + "venture", + "speleology", + "spelaeology", + "campaign", + "cause", + "crusade", + "drive", + "movement", + "effort", + "advertising campaign", + "ad campaign", + "ad blitz", + "anti-war movement", + "charm campaign", + "consumerism", + "campaigning", + "candidacy", + "candidature", + "electioneering", + "political campaign", + "front-porch campaigning", + "front-porch campaign", + "hustings", + "fund-raising campaign", + "fund-raising drive", + "fund-raising effort", + "feminist movement", + "feminism", + "women's liberation movement", + "women's lib", + "gay liberation movement", + "gay lib", + "lost cause", + "reform", + "war", + "youth movement", + "youth crusade", + "whispering campaign", + "stumping", + "sales campaign", + "public-relations campaign", + "sally", + "sallying forth", + "self-help", + "risk", + "peril", + "danger", + "chance", + "crapshoot", + "gamble", + "long shot", + "raise", + "doubling", + "double", + "control", + "crowd control", + "damage control", + "federalization", + "federalisation", + "flight control", + "flood control", + "imperialism", + "regulation", + "regulating", + "deregulation", + "deregulating", + "devaluation", + "gun control", + "indexation", + "internal control", + "management control", + "quality control", + "acceptance sampling", + "regulation", + "regularization", + "regularisation", + "timing", + "coordination", + "synchronization", + "synchronisation", + "synchronizing", + "load-shedding", + "proration", + "limitation", + "restriction", + "arms control", + "hold-down", + "freeze", + "clampdown", + "hire", + "hiring freeze", + "price freeze", + "wage freeze", + "possession", + "ownership", + "possession", + "actual possession", + "constructive possession", + "criminal possession", + "illegal possession", + "retention", + "keeping", + "holding", + "withholding", + "power trip", + "defecation reflex", + "rectal reflex", + "storage", + "filing", + "storage", + "cold storage", + "stowage", + "stowing", + "tankage", + "riot control", + "riot control operation", + "grasping", + "taking hold", + "seizing", + "prehension", + "clasp", + "clench", + "clutch", + "clutches", + "grasp", + "grip", + "hold", + "wrestling hold", + "bear hug", + "nelson", + "full nelson", + "half nelson", + "hammerlock", + "headlock", + "Japanese stranglehold", + "lock", + "scissors", + "scissors hold", + "scissor hold", + "scissor grip", + "scissors grip", + "stranglehold", + "toehold", + "steering", + "steerage", + "steering", + "guidance", + "direction", + "aim", + "navigation", + "pilotage", + "piloting", + "instrument flying", + "celestial navigation", + "astronavigation", + "celestial guidance", + "inertial guidance", + "inertial navigation", + "command guidance", + "terrestrial guidance", + "dead reckoning", + "fire watching", + "protection", + "air cover", + "shielding", + "guardianship", + "keeping", + "safekeeping", + "hands", + "custody", + "preservation", + "saving", + "conservation", + "conservancy", + "soil conservation", + "oil conservation", + "water conservation", + "self-preservation", + "reservation", + "Manhattan Project", + "embalmment", + "mummification", + "momism", + "overprotection", + "overshielding", + "security intelligence", + "censoring", + "censorship", + "security review", + "military censorship", + "civil censorship", + "field press censorship", + "prisoner of war censorship", + "armed forces censorship", + "primary censorship", + "secondary censorship", + "national censorship", + "precaution", + "safeguard", + "guard", + "security", + "security measures", + "defense", + "defence", + "defense", + "defence", + "inoculation", + "vaccination", + "inoculating", + "vaccinating", + "ring vaccination", + "variolation", + "variolization", + "patrol", + "airborne patrol", + "round-the-clock patrol", + "self-defense", + "self-defence", + "self-protection", + "aikido", + "martial art", + "judo", + "jujutsu", + "jujitsu", + "jiujitsu", + "ninjutsu", + "ninjitsu", + "karate", + "kung fu", + "tae kwon do", + "taekwondo", + "t'ai chi", + "tai chi", + "t'ai chi chuan", + "tai chi chuan", + "taichi", + "taichichuan", + "insulation", + "lining", + "lining", + "facing", + "babbitting", + "locking", + "lockup", + "escort", + "accompaniment", + "convoy", + "covering", + "dressing", + "grooming", + "investment", + "primping", + "toilet", + "toilette", + "dressing", + "immunization", + "immunisation", + "sensitizing", + "sensitising", + "sensitization", + "sensitisation", + "care", + "charge", + "tutelage", + "guardianship", + "ruggedization", + "ruggedisation", + "umbrella", + "waterproofing", + "sealing", + "wear", + "wearing", + "control", + "motor control", + "respiration", + "internal respiration", + "cellular respiration", + "breathing", + "external respiration", + "respiration", + "ventilation", + "respiration", + "artificial respiration", + "cardiography", + "electrocardiography", + "echocardiography", + "echoencephalography", + "cardiopulmonary resuscitation", + "CPR", + "cardiac resuscitation", + "mouth-to-mouth resuscitation", + "kiss of life", + "Heimlich maneuver", + "Heimlich manoeuvere", + "abdominal breathing", + "eupnea", + "eupnoea", + "hyperpnea", + "hypopnea", + "hyperventilation", + "panting", + "heaving", + "periodic breathing", + "Cheyne-Stokes respiration", + "puffing", + "huffing", + "snorting", + "smoke", + "smoking", + "puffing", + "breath", + "exhalation", + "expiration", + "breathing out", + "blow", + "puff", + "insufflation", + "snore", + "snoring", + "stertor", + "snuffle", + "sniffle", + "snivel", + "wheeze", + "wind", + "second wind", + "inhalation", + "inspiration", + "aspiration", + "intake", + "breathing in", + "gasp", + "pant", + "yawn", + "yawning", + "oscitance", + "oscitancy", + "puff", + "drag", + "pull", + "toke", + "consumption", + "ingestion", + "intake", + "uptake", + "eating", + "feeding", + "bite", + "chomp", + "browse", + "browsing", + "coprophagy", + "coprophagia", + "electric shock", + "electrical shock", + "shock", + "fart", + "farting", + "flatus", + "wind", + "breaking wind", + "swallow", + "drink", + "deglutition", + "aerophagia", + "gulp", + "draft", + "draught", + "swig", + "gulp", + "gulping", + "dining", + "engorgement", + "feasting", + "banqueting", + "geophagy", + "geophagia", + "graze", + "grazing", + "lunching", + "munch", + "Dutch treat", + "repletion", + "surfeit", + "supping", + "tasting", + "savoring", + "savouring", + "relishing", + "degustation", + "nibble", + "nip", + "pinch", + "necrophagia", + "necrophagy", + "omophagia", + "scatophagy", + "sucking", + "suck", + "suction", + "suckling", + "lactation", + "drinking", + "imbibing", + "imbibition", + "gulping", + "swilling", + "guzzling", + "sip", + "potation", + "bondage", + "outercourse", + "safe sex", + "sexual activity", + "sexual practice", + "sex", + "sex activity", + "conception", + "defloration", + "insemination", + "artificial insemination", + "AI", + "sexual intercourse", + "intercourse", + "sex act", + "copulation", + "coitus", + "coition", + "sexual congress", + "congress", + "sexual relation", + "relation", + "carnal knowledge", + "fuck", + "fucking", + "screw", + "screwing", + "ass", + "nooky", + "nookie", + "piece of ass", + "piece of tail", + "roll in the hay", + "shag", + "shtup", + "pleasure", + "hank panky", + "sexual love", + "lovemaking", + "making love", + "love", + "love life", + "penetration", + "statutory rape", + "carnal abuse", + "carnal abuse", + "coupling", + "mating", + "pairing", + "conjugation", + "union", + "sexual union", + "assortative mating", + "disassortative mating", + "unlawful carnal knowledge", + "criminal congress", + "extramarital sex", + "free love", + "adultery", + "criminal conversation", + "fornication", + "fornication", + "incest", + "coitus interruptus", + "withdrawal method", + "withdrawal", + "pulling out", + "onanism", + "sodomy", + "buggery", + "anal sex", + "anal intercourse", + "reproduction", + "procreation", + "breeding", + "facts of life", + "miscegenation", + "crossbreeding", + "interbreeding", + "generation", + "multiplication", + "propagation", + "biogenesis", + "biogeny", + "hybridization", + "hybridisation", + "crossbreeding", + "crossing", + "cross", + "interbreeding", + "hybridizing", + "dihybrid cross", + "monohybrid cross", + "reciprocal cross", + "reciprocal", + "testcross", + "test-cross", + "inbreeding", + "natural family planning", + "birth control", + "birth prevention", + "family planning", + "contraception", + "contraceptive method", + "oral contraception", + "basal body temperature method of family planning", + "basal body temperature method", + "ovulation method of family planning", + "ovulation method", + "rhythm method of birth control", + "rhythm method", + "rhythm", + "calendar method of birth control", + "calendar method", + "surgical contraception", + "servicing", + "service", + "foreplay", + "arousal", + "stimulation", + "caressing", + "cuddling", + "fondling", + "hugging", + "kissing", + "necking", + "petting", + "smooching", + "snuggling", + "snogging", + "feel", + "perversion", + "sexual perversion", + "oral sex", + "head", + "cunnilingus", + "cunnilinctus", + "fellatio", + "fellation", + "cock sucking", + "blowjob", + "soixante-neuf", + "sixty-nine", + "autoeroticism", + "autoerotism", + "masturbation", + "onanism", + "self-stimulation", + "self-abuse", + "frottage", + "jacking off", + "jerking off", + "hand job", + "wank", + "promiscuity", + "promiscuousness", + "sleeping around", + "one-night stand", + "lechery", + "homosexuality", + "homosexualism", + "homoeroticism", + "queerness", + "gayness", + "bisexuality", + "inversion", + "sexual inversion", + "lesbianism", + "sapphism", + "tribadism", + "heterosexuality", + "heterosexualism", + "straightness", + "pederasty", + "paederasty", + "bestiality", + "zooerastia", + "zooerasty", + "sleeping", + "nap", + "catnap", + "cat sleep", + "forty winks", + "short sleep", + "snooze", + "siesta", + "zizz", + "doze", + "drowse", + "reaction", + "response", + "automatism", + "rebound", + "overreaction", + "galvanic skin response", + "GSR", + "psychogalvanic response", + "electrodermal response", + "electrical skin response", + "Fere phenomenon", + "Tarchanoff phenomenon", + "immune response", + "immune reaction", + "immunologic response", + "anamnestic response", + "anamnestic reaction", + "humoral immune response", + "cell-mediated immune response", + "complement fixation", + "tropism", + "ergotropism", + "geotropism", + "heliotropism", + "meteortropism", + "neurotropism", + "phototropism", + "trophotropism", + "thermotropism", + "taxis", + "chemotaxis", + "negative chemotaxis", + "positive chemotaxis", + "kinesis", + "double take", + "reflex", + "reflex response", + "reflex action", + "instinctive reflex", + "innate reflex", + "inborn reflex", + "unconditioned reflex", + "physiological reaction", + "conditional reflex", + "conditioned reflex", + "acquired reflex", + "conditional reaction", + "conditioned reaction", + "conditional response", + "conditioned response", + "learned reaction", + "learned response", + "conditioned avoidance", + "conditioned avoidance response", + "knee jerk", + "knee-jerk reflex", + "patellar reflex", + "startle response", + "startle reaction", + "startle reflex", + "Moro reflex", + "wince", + "flinch", + "passage", + "passing", + "light reflex", + "pupillary reflex", + "miosis", + "myosis", + "mydriasis", + "micturition reflex", + "pharyngeal reflex", + "gag reflex", + "pilomotor reflex", + "gooseflesh", + "goose bump", + "goosebump", + "goose pimple", + "goose skin", + "horripilation", + "plantar reflex", + "rooting reflex", + "startle", + "jump", + "start", + "stretch reflex", + "myotactic reflex", + "suckling reflex", + "tremble", + "shiver", + "shake", + "crying", + "weeping", + "tears", + "snivel", + "sniveling", + "sob", + "sobbing", + "wailing", + "bawling", + "calculation", + "computation", + "computing", + "transposition", + "number crunching", + "mathematical process", + "mathematical operation", + "operation", + "recalculation", + "permutation", + "combination", + "differentiation", + "maximization", + "division", + "long division", + "short division", + "integration", + "multiplication", + "times", + "subtraction", + "minus", + "summation", + "addition", + "plus", + "exponentiation", + "involution", + "arithmetic operation", + "matrix operation", + "matrix addition", + "matrix multiplication", + "matrix inversion", + "matrix transposition", + "construction", + "quadrature", + "relaxation", + "relaxation method", + "judgment", + "judgement", + "assessment", + "adjudication", + "disapproval", + "evaluation", + "rating", + "marking", + "grading", + "scoring", + "estimate", + "estimation", + "appraisal", + "logistic assessment", + "value judgment", + "value judgement", + "moralism", + "percussion", + "pleximetry", + "succussion", + "auscultation", + "sensory activity", + "sensing", + "perception", + "look", + "looking", + "looking at", + "glance", + "glimpse", + "coup d'oeil", + "eye-beaming", + "side-glance", + "side-look", + "scrutiny", + "peek", + "peep", + "squint", + "stare", + "gaze", + "regard", + "glare", + "glower", + "contemplation", + "gape", + "evil eye", + "inspection", + "review", + "resurvey", + "sightseeing", + "rubber-necking", + "observation", + "observance", + "watching", + "monitoring", + "sighting", + "landfall", + "stargazing", + "watch", + "vigil", + "stakeout", + "surveillance of disease", + "listening watch", + "continuous receiver watch", + "spying", + "lookout", + "outlook", + "view", + "survey", + "sight", + "eyeful", + "dekko", + "listening", + "hearing", + "relistening", + "rehearing", + "lipreading", + "taste", + "tasting", + "smell", + "smelling", + "sniff", + "snuff", + "education", + "instruction", + "teaching", + "pedagogy", + "didactics", + "educational activity", + "coeducation", + "continuing education", + "course", + "course of study", + "course of instruction", + "class", + "coursework", + "adult education", + "art class", + "childbirth-preparation class", + "life class", + "elementary education", + "extension", + "extension service", + "university extension", + "extracurricular activity", + "dramatics", + "athletics", + "higher education", + "secondary education", + "spectator sport", + "teaching", + "instruction", + "pedagogy", + "team sport", + "team teaching", + "catechesis", + "catechetical instruction", + "language teaching", + "teaching reading", + "phonics", + "whole-word method", + "schooling", + "indoctrination", + "brainwashing", + "inculcation", + "ingraining", + "instilling", + "tutelage", + "tuition", + "tutorship", + "lesson", + "dance lesson", + "music lesson", + "piano lesson", + "violin lesson", + "tennis lesson", + "golf lesson", + "history lesson", + "correspondence course", + "course of lectures", + "directed study", + "elective course", + "elective", + "extension course", + "work-study program", + "home study", + "industrial arts", + "orientation course", + "orientation", + "propaedeutic", + "propaedeutics", + "refresher course", + "refresher", + "required course", + "seminar", + "shop class", + "shop", + "workshop", + "sleep-learning", + "hypnopedia", + "spoonfeeding", + "lecture", + "lecturing", + "lecture demonstration", + "talk", + "chalk talk", + "athletic training", + "fartlek", + "discipline", + "training", + "preparation", + "grooming", + "drill", + "exercise", + "practice", + "drill", + "practice session", + "recitation", + "fire drill", + "manual of arms", + "manual", + "order arms", + "military training", + "basic training", + "retraining", + "schooling", + "skull session", + "skull practice", + "toilet training", + "military drill", + "close-order drill", + "square-bashing", + "rehearsal", + "rehearsal", + "dry run", + "dress rehearsal", + "run-through", + "walk-through", + "review", + "brushup", + "rub up", + "scrimmage", + "shadowboxing", + "target practice", + "representation", + "model", + "modelling", + "modeling", + "simulation", + "dramatization", + "dramatisation", + "guerrilla theater", + "street theater", + "puppetry", + "pageant", + "pageantry", + "figuration", + "symbolizing", + "symbolising", + "schematization", + "schematisation", + "diagramming", + "pictorial representation", + "picturing", + "typification", + "depiction", + "delineation", + "portrayal", + "portraiture", + "imaging", + "tomography", + "X-raying", + "X-radiation", + "computerized tomography", + "computed tomography", + "CT", + "computerized axial tomography", + "computed axial tomography", + "CAT", + "sonography", + "ultrasonography", + "echography", + "ultrasound", + "A-scan ultrasonography", + "B-scan ultrasonography", + "positron emission tomography", + "PET", + "magnetic resonance imaging", + "MRI", + "functional magnetic resonance imaging", + "fMRI", + "blood-oxygenation level dependent functional magnetic resonance imaging", + "BOLD FMRI", + "fluoroscopy", + "radioscopy", + "radiology", + "photography", + "picture taking", + "radiography", + "roentgenography", + "X-ray photography", + "xerography", + "xeroradiography", + "angiography", + "lymphangiography", + "lymphography", + "arteriography", + "arthrography", + "venography", + "cholangiography", + "encephalography", + "myelography", + "pyelography", + "intravenous pyelography", + "IVP", + "telephotography", + "telephotography", + "radiophotography", + "exposure", + "overexposure", + "underexposure", + "time exposure", + "filming", + "cinematography", + "motion-picture photography", + "take", + "retake", + "animation", + "creation", + "creative activity", + "re-creation", + "creating from raw materials", + "spinning", + "weaving", + "netting", + "knitting", + "crocheting", + "lace making", + "tatting", + "mintage", + "molding", + "casting", + "needlework", + "needlecraft", + "recording", + "transcription", + "lip synchronization", + "lip synchronisation", + "lip synch", + "lip sync", + "mastering", + "construction", + "building", + "crenelation", + "crenellation", + "erecting", + "erection", + "house-raising", + "fabrication", + "assembly", + "dry walling", + "dismantling", + "dismantlement", + "disassembly", + "grading", + "leveling", + "road construction", + "shipbuilding", + "ship building", + "production", + "rustication", + "cottage industry", + "production", + "production", + "mass production", + "overproduction", + "overrun", + "underproduction", + "output", + "yield", + "capacity", + "breeding", + "brewing", + "autosexing", + "cattle breeding", + "dog breeding", + "horse breeding", + "cultivation", + "cultivation", + "aquaculture", + "beekeeping", + "apiculture", + "farming", + "agriculture", + "husbandry", + "animal husbandry", + "arboriculture", + "tree farming", + "culture", + "cranberry culture", + "monoculture", + "tillage", + "dairying", + "dairy farming", + "gardening", + "horticulture", + "plowing", + "ploughing", + "tilling", + "hydroponics", + "aquiculture", + "tank farming", + "drip culture", + "mixed farming", + "planting", + "insemination", + "stratification", + "ranching", + "strip cropping", + "subsistence farming", + "culture", + "starter", + "naturalization", + "naturalisation", + "landscaping", + "landscape gardening", + "market gardening", + "flower gardening", + "floriculture", + "tree surgery", + "roundup", + "harvest", + "harvest time", + "haying", + "haying time", + "rainmaking", + "generation", + "mining", + "excavation", + "placer mining", + "strip mining", + "opencast mining", + "quarrying", + "boring", + "drilling", + "oil production", + "sericulture", + "industry", + "manufacture", + "industrialization", + "industrialisation", + "industrial enterprise", + "devising", + "fashioning", + "making", + "foliation", + "mapmaking", + "cartography", + "moviemaking", + "movie making", + "film making", + "fabrication", + "manufacture", + "manufacturing", + "formation", + "shaping", + "filing", + "forging", + "metalworking", + "metalwork", + "granulation", + "grooving", + "rifling", + "turning", + "newspeak", + "prefabrication", + "confection", + "concoction", + "lamination", + "tanning", + "veneering", + "creating by mental acts", + "formation", + "affixation", + "prefixation", + "suffixation", + "design", + "designing", + "planning", + "city planning", + "town planning", + "urban planning", + "zoning", + "programming", + "programing", + "computer programming", + "computer programing", + "logic programming", + "logic programing", + "object-oriented programming", + "object-oriented programing", + "verbal creation", + "writing", + "authorship", + "composition", + "penning", + "adoxography", + "drafting", + "dramatization", + "dramatisation", + "fabrication", + "fictionalization", + "fictionalisation", + "historiography", + "metrification", + "novelization", + "novelisation", + "redaction", + "lexicography", + "realization", + "realisation", + "actualization", + "actualisation", + "objectification", + "depersonalization", + "depersonalisation", + "reification", + "externalization", + "externalisation", + "exteriorization", + "exteriorisation", + "hypostatization", + "hypostatisation", + "reification", + "embodiment", + "soul", + "personification", + "incarnation", + "art", + "artistic creation", + "artistic production", + "arts and crafts", + "ceramics", + "decalcomania", + "decantation", + "decoupage", + "drawing", + "draftsmanship", + "drafting", + "glyptography", + "gastronomy", + "origami", + "painting", + "distemper", + "fresco", + "impasto", + "perfumery", + "printmaking", + "sculpture", + "carving", + "modeling", + "modelling", + "molding", + "moulding", + "topiary", + "pyrography", + "tracing", + "oil painting", + "watercolor", + "water-color", + "watercolour", + "water-colour", + "engraving", + "etching", + "steel engraving", + "aquatint", + "serigraphy", + "lithography", + "composing", + "composition", + "arrangement", + "arranging", + "transcription", + "orchestration", + "instrumentation", + "realization", + "realisation", + "recapitulation", + "invention", + "neologism", + "neology", + "coinage", + "devisal", + "contrivance", + "conceptualization", + "conceptualisation", + "formulation", + "approach", + "attack", + "plan of attack", + "framing", + "avenue", + "creating by removal", + "excavation", + "digging", + "dig", + "carving", + "cutting", + "petroglyph", + "truncation", + "drilling", + "boring", + "gouge", + "puncture", + "centesis", + "abdominocentesis", + "paracentesis", + "amniocentesis", + "amnio", + "arthrocentesis", + "celiocentesis", + "lumbar puncture", + "spinal puncture", + "spinal tap", + "thoracocentesis", + "thoracentesis", + "fetoscopy", + "foetoscopy", + "perforation", + "prick", + "pricking", + "venipuncture", + "film editing", + "cutting", + "search", + "hunt", + "hunting", + "exploration", + "foraging", + "forage", + "frisk", + "frisking", + "strip search", + "looking", + "looking for", + "manhunt", + "quest", + "seeking", + "ransacking", + "rummage", + "probe", + "use", + "usage", + "utilization", + "utilisation", + "employment", + "exercise", + "play", + "misuse", + "abuse", + "substance abuse", + "drug abuse", + "habit", + "alcohol abuse", + "alcoholic abuse", + "alcoholism abuse", + "exploitation", + "development", + "land development", + "water development", + "water project", + "water program", + "recycling", + "bottle collection", + "application", + "practical application", + "misapplication", + "technology", + "engineering", + "aeronautical engineering", + "automotive technology", + "automotive engineering", + "chemical engineering", + "communications technology", + "digital communications technology", + "computer technology", + "high technology", + "high tech", + "rail technology", + "railroading", + "magnetic levitation", + "maglev", + "overexploitation", + "overuse", + "overutilization", + "overutilisation", + "capitalization", + "capitalisation", + "commercialization", + "commercialisation", + "capitalization", + "capitalisation", + "market capitalization", + "market capitalisation", + "electrification", + "unitization", + "unitisation", + "military action", + "action", + "limited war", + "psychological warfare", + "war of nerves", + "battle", + "conflict", + "fight", + "engagement", + "blockade", + "encirclement", + "defense", + "defence", + "defensive measure", + "electronic warfare", + "EW", + "operation", + "military operation", + "combined operation", + "police action", + "resistance", + "saber rattling", + "sabre rattling", + "Armageddon", + "pitched battle", + "naval battle", + "conflict", + "struggle", + "battle", + "brush", + "clash", + "encounter", + "skirmish", + "close-quarter fighting", + "contretemps", + "class struggle", + "class war", + "class warfare", + "maneuver", + "manoeuvre", + "simulated military operation", + "air defense", + "active air defense", + "passive air defense", + "civil defense", + "stand", + "repulsion", + "standoff", + "hasty defense", + "hasty defence", + "deliberate defense", + "deliberate defence", + "biological defense", + "biological defence", + "biodefense", + "biodefence", + "chemical defense", + "chemical defence", + "mining", + "minelaying", + "rebellion", + "insurrection", + "revolt", + "rising", + "uprising", + "civil war", + "revolution", + "counterrevolution", + "insurgency", + "insurgence", + "intifada", + "intifadah", + "pacification", + "counterinsurgency", + "mutiny", + "Peasant's Revolt", + "Great Revolt", + "combat", + "armed combat", + "aggression", + "hostility", + "hostilities", + "belligerency", + "trench warfare", + "meat grinder", + "violence", + "force", + "domestic violence", + "plundering", + "pillage", + "pillaging", + "banditry", + "rape", + "rapine", + "rustling", + "looting", + "robbery", + "defloration", + "spoil", + "spoliation", + "spoilation", + "despoilation", + "despoilment", + "despoliation", + "ravaging", + "devastation", + "depredation", + "predation", + "sack", + "chemical warfare", + "chemical operations", + "biological warfare", + "BW", + "biological attack", + "biologic attack", + "bioattack", + "biological warfare defense", + "biological warfare defence", + "BW defense", + "BW defence", + "campaign", + "military campaign", + "expedition", + "military expedition", + "hostile expedition", + "Crusade", + "First Crusade", + "Second Crusade", + "Third Crusade", + "Fourth Crusade", + "Fifth Crusade", + "Sixth Crusade", + "Seventh Crusade", + "naval campaign", + "mission", + "military mission", + "combat mission", + "search mission", + "search and destroy mission", + "sortie", + "sally", + "support", + "reinforcement", + "reenforcement", + "dogfight", + "close support", + "direct support", + "amphibious demonstration", + "diversionary landing", + "attack", + "onslaught", + "onset", + "onrush", + "war", + "warfare", + "air raid", + "air attack", + "dogfight", + "ground attack", + "assault", + "storm", + "charge", + "countercharge", + "banzai attack", + "banzai charge", + "diversion", + "diversionary attack", + "penetration", + "incursion", + "interpenetration", + "blitz", + "blitzkrieg", + "breakthrough", + "safety blitz", + "linebacker blitzing", + "blitz", + "mousetrap", + "trap play", + "invasion", + "infiltration", + "foray", + "raid", + "maraud", + "inroad", + "swoop", + "strike", + "first strike", + "surgical strike", + "preventive strike", + "preventive attack", + "counterattack", + "countermove", + "bombing", + "bombardment", + "bombardment", + "bombing run", + "carpet bombing", + "area bombing", + "saturation bombing", + "dive-bombing", + "loft bombing", + "toss bombing", + "over-the-shoulder bombing", + "bombing", + "suicide bombing", + "offense", + "offence", + "offensive", + "counteroffensive", + "dirty war", + "rollback", + "push back", + "peacekeeping", + "peacekeeping mission", + "peacekeeping operation", + "amphibious operation", + "amphibious assault", + "information gathering", + "intelligence", + "intelligence activity", + "intelligence operation", + "current intelligence", + "tactical intelligence", + "combat intelligence", + "terrain intelligence", + "strategic intelligence", + "signals intelligence", + "SIGINT", + "electronics intelligence", + "ELINT", + "communications intelligence", + "COMINT", + "telemetry intelligence", + "TELINT", + "clandestine operation", + "exfiltration operation", + "psychological operation", + "psyop", + "covert operation", + "black operation", + "overt operation", + "reconnaissance", + "reconnaissance mission", + "recce", + "recco", + "reccy", + "scouting", + "exploratory survey", + "reconnoitering", + "reconnoitring", + "air reconnaissance", + "reconnaissance by fire", + "reconnaissance in force", + "shufti", + "electronic reconnaissance", + "counterintelligence", + "countersubversion", + "counter-sabotage", + "fire", + "firing", + "antiaircraft fire", + "barrage", + "barrage fire", + "battery", + "bombardment", + "shelling", + "broadside", + "fusillade", + "salvo", + "volley", + "burst", + "call fire", + "close supporting fire", + "cover", + "covering fire", + "deep supporting fire", + "direct supporting fire", + "concentrated fire", + "massed fire", + "counterfire", + "counterbattery fire", + "counterbombardment", + "countermortar fire", + "counterpreparation fire", + "crossfire", + "destruction fire", + "direct fire", + "distributed fire", + "friendly fire", + "fratricide", + "hostile fire", + "grazing fire", + "harassing fire", + "indirect fire", + "interdiction fire", + "neutralization fire", + "observed fire", + "preparation fire", + "radar fire", + "dating", + "geological dating", + "potassium-argon dating", + "radiocarbon dating", + "carbon dating", + "carbon-14 dating", + "rubidium-strontium dating", + "registration fire", + "scheduled fire", + "scouring", + "searching fire", + "shakedown", + "supporting fire", + "suppressive fire", + "unobserved fire", + "artillery fire", + "cannon fire", + "cannonade", + "drumfire", + "high-angle fire", + "mortar fire", + "zone fire", + "electronic countermeasures", + "ECM", + "electronic counter-countermeasures", + "ECCM", + "electronic warfare-support measures", + "ESM", + "electromagnetic intrusion", + "germ warfare", + "bacteriological warfare", + "information warfare", + "IW", + "jihad", + "jehad", + "jihad", + "jehad", + "international jihad", + "world war", + "measurement", + "measuring", + "measure", + "mensuration", + "actinometry", + "algometry", + "anemography", + "anemometry", + "angulation", + "anthropometry", + "arterial blood gases", + "audiometry", + "bathymetry", + "plumbing", + "calibration", + "standardization", + "standardisation", + "tuning", + "adjustment", + "registration", + "readjustment", + "alignment", + "collimation", + "temperament", + "equal temperament", + "tune", + "tune-up", + "synchronization", + "synchronisation", + "synchronizing", + "synchronising", + "camber", + "toe-in", + "voicing", + "calorimetry", + "cephalometry", + "densitometry", + "dosimetry", + "fetometry", + "foetometry", + "hydrometry", + "gravimetry", + "hypsometry", + "hypsography", + "mental measurement", + "micrometry", + "observation", + "pelvimetry", + "photometry", + "cytophotometry", + "quantification", + "gradation", + "graduation", + "shading", + "blending", + "divergence", + "divergency", + "radioactive dating", + "reading", + "meter reading", + "sampling", + "sounding", + "sound ranging", + "scaling", + "spirometry", + "surveying", + "scalage", + "scalage", + "electromyography", + "mammography", + "thermography", + "mammothermography", + "test", + "mental test", + "mental testing", + "psychometric test", + "intelligence test", + "IQ test", + "Stanford-Binet test", + "Binet-Simon Scale", + "personality test", + "projective test", + "projective device", + "projective technique", + "Rorschach", + "Rorschach test", + "inkblot test", + "Thematic Apperception Test", + "TAT", + "sub-test", + "organization", + "organisation", + "orchestration", + "randomization", + "randomisation", + "systematization", + "systematisation", + "rationalization", + "rationalisation", + "codification", + "formalization", + "formalisation", + "order", + "ordering", + "rank order", + "scaling", + "grading", + "succession", + "sequence", + "alternation", + "layout", + "alphabetization", + "alphabetisation", + "listing", + "itemization", + "itemisation", + "inventory", + "inventorying", + "stocktaking", + "stock-taking", + "stocktake", + "stock-take", + "roll call", + "mail call", + "muster call", + "attendance check", + "grouping", + "phrasing", + "categorization", + "categorisation", + "classification", + "compartmentalization", + "compartmentalisation", + "assortment", + "indexing", + "reclassification", + "relegation", + "stratification", + "taxonomy", + "typology", + "collection", + "collecting", + "assembling", + "aggregation", + "agglomeration", + "collation", + "compilation", + "compiling", + "gather", + "gathering", + "centralization", + "centralisation", + "harvest", + "harvesting", + "harvest home", + "haying", + "bottle collection", + "conchology", + "shell collecting", + "garbage collection", + "garbage pickup", + "trash collection", + "trash pickup", + "numismatics", + "numismatology", + "coin collecting", + "coin collection", + "pickup", + "philately", + "stamp collecting", + "stamp collection", + "aerophilately", + "tax collection", + "sorting", + "territorialization", + "territorialisation", + "triage", + "support", + "supporting", + "shoring", + "shoring up", + "propping up", + "suspension", + "dangling", + "hanging", + "continuance", + "continuation", + "prolongation", + "protraction", + "perpetuation", + "lengthening", + "repetition", + "repeating", + "echolalia", + "iteration", + "redundancy", + "reduplication", + "reiteration", + "copying", + "duplication", + "gemination", + "reproduction", + "replication", + "replay", + "instant replay", + "action replay", + "sound reproduction", + "high fidelity", + "hi-fi", + "headroom", + "dynamic headroom", + "playback", + "imitation", + "echo", + "emulation", + "mimicry", + "perseverance", + "persistence", + "perseveration", + "abidance", + "pursuance", + "prosecution", + "survival", + "hangover", + "holdover", + "discontinuance", + "discontinuation", + "disfranchisement", + "disinheritance", + "phase-out", + "intervention", + "procedure", + "procedure", + "process", + "medical procedure", + "dental procedure", + "mapping", + "chromosome mapping", + "operating procedure", + "standing operating procedure", + "standard operating procedure", + "SOP", + "standard procedure", + "lockstep", + "stiffening", + "bureaucratic procedure", + "red tape", + "objection", + "recusation", + "indirection", + "rigmarole", + "rigamarole", + "routine", + "modus operandi", + "rat race", + "rut", + "groove", + "ceremony", + "tea ceremony", + "chanoyu", + "ceremony", + "lustrum", + "ritual", + "rite", + "religious ceremony", + "religious ritual", + "military ceremony", + "agape", + "love feast", + "worship", + "deification", + "exaltation", + "apotheosis", + "ancestor worship", + "rite", + "religious rite", + "vigil", + "watch", + "wake", + "viewing", + "agrypnia", + "last rites", + "orgy", + "popery", + "papism", + "quotation", + "ritual", + "ritualism", + "circumcision", + "Berith", + "Berit", + "Brith", + "Bris", + "Briss", + "nudism", + "naturism", + "systematism", + "transvestism", + "transvestitism", + "cross dressing", + "service", + "religious service", + "divine service", + "church service", + "church", + "devotional", + "prayer meeting", + "prayer service", + "chapel service", + "chapel", + "liturgy", + "Christian liturgy", + "office", + "Divine Office", + "Little Office", + "Office of the Dead", + "committal service", + "none", + "vesper", + "placebo", + "watch night", + "sacrament", + "Last Supper", + "Lord's Supper", + "Seder", + "Passover supper", + "Holy Eucharist", + "Eucharist", + "sacrament of the Eucharist", + "Holy Sacrament", + "Liturgy", + "Eucharistic liturgy", + "Lord's Supper", + "Offertory", + "Communion", + "Holy Communion", + "sacramental manduction", + "manduction", + "intercommunion", + "betrothal", + "espousal", + "matrimony", + "marriage", + "wedding", + "marriage ceremony", + "rite of passage", + "bridal", + "espousal", + "civil marriage", + "love match", + "baptism", + "affusion", + "aspersion", + "sprinkling", + "christening", + "immersion", + "trine immersion", + "confirmation", + "confirmation", + "penance", + "confession", + "shrift", + "anointing of the sick", + "extreme unction", + "last rites", + "holy order", + "sanctification", + "beatification", + "canonization", + "canonisation", + "consecration", + "communalism", + "consecration", + "Oblation", + "religious offering", + "oblation", + "offering", + "unction", + "inunction", + "libation", + "prayer", + "supplication", + "Mass", + "High Mass", + "Low Mass", + "Requiem", + "devotion", + "bhakti", + "novena", + "Stations", + "Stations of the Cross", + "blessing", + "benediction", + "idolization", + "idolisation", + "adoration", + "latria", + "idolatry", + "idol worship", + "bardolatry", + "iconolatry", + "idolatry", + "devotion", + "veneration", + "cultism", + "idiolatry", + "autolatry", + "self-worship", + "bibliolatry", + "Bible-worship", + "verbolatry", + "grammatolatry", + "word-worship", + "symbolatry", + "symbololatry", + "symbol-worship", + "anthropolatry", + "worship of man", + "gyneolatry", + "gynaeolatry", + "woman-worship", + "lordolatry", + "thaumatolatry", + "miracle-worship", + "topolatry", + "place-worship", + "arborolatry", + "tree-worship", + "astrolatry", + "worship of heavenly bodies", + "cosmolatry", + "diabolatry", + "demonolatry", + "devil-worship", + "pyrolatry", + "fire-worship", + "hagiolatry", + "hierolatry", + "heliolatry", + "sun-worship", + "zoolatry", + "animal-worship", + "ichthyolatry", + "fish-worship", + "monolatry", + "ophiolatry", + "serpent-worship", + "moon-worship", + "selenolatry", + "energizing", + "activating", + "activation", + "electrification", + "revival", + "resurgence", + "revitalization", + "revitalisation", + "revivification", + "rebirth", + "Renaissance", + "Renascence", + "regeneration", + "resurrection", + "resuscitation", + "vivification", + "invigoration", + "animation", + "presentation", + "concealment", + "concealing", + "hiding", + "disguise", + "camouflage", + "mask", + "cover", + "covering", + "screening", + "masking", + "cover", + "cover-up", + "blue wall of silence", + "blue wall", + "wall of silence", + "burying", + "burial", + "reburying", + "reburial", + "smoke screen", + "smokescreen", + "stealth", + "stealing", + "money laundering", + "placement", + "location", + "locating", + "position", + "positioning", + "emplacement", + "juxtaposition", + "apposition", + "collocation", + "tessellation", + "interposition", + "intervention", + "orientation", + "planting", + "implantation", + "repositioning", + "set", + "superposition", + "fingering", + "superposition", + "stay", + "residency", + "residence", + "abidance", + "lodging", + "occupancy", + "tenancy", + "inhabitancy", + "inhabitation", + "habitation", + "cohabitation", + "concubinage", + "camping", + "encampment", + "bivouacking", + "tenting", + "sojourn", + "visit", + "call", + "round", + "call", + "visiting", + "stop", + "stopover", + "layover", + "night-stop", + "pit stop", + "pit stop", + "stand", + "provision", + "supply", + "supplying", + "irrigation", + "feeding", + "alimentation", + "infant feeding", + "demand feeding", + "forced feeding", + "gavage", + "nasogastric feeding", + "gastrogavage", + "nursing", + "breast feeding", + "intravenous feeding", + "IV", + "overfeeding", + "spoonfeeding", + "schedule feeding", + "total parenteral nutrition", + "TPN", + "hyperalimentation", + "fueling", + "refueling", + "healthcare", + "health care", + "healthcare delivery", + "health care delivery", + "care delivery", + "issue", + "issuing", + "issuance", + "stock issue", + "logistics", + "purveyance", + "stocking", + "subvention", + "demand", + "exaction", + "extortion", + "claim", + "insurance claim", + "drain", + "brain drain", + "inactivity", + "pause", + "respite", + "recess", + "break", + "time out", + "spring break", + "hesitation", + "waver", + "falter", + "faltering", + "intermission", + "freeze", + "halt", + "wait", + "waiting", + "rest", + "ease", + "repose", + "relaxation", + "bedrest", + "bed rest", + "laziness", + "lie-in", + "quiescence", + "quiescency", + "dormancy", + "sleeping", + "vegetation", + "leisure", + "idleness", + "idling", + "loafing", + "dolce far niente", + "free time", + "spare time", + "vacationing", + "busman's holiday", + "caravanning", + "delay", + "holdup", + "demurrage", + "forbearance", + "postponement", + "deferment", + "deferral", + "adjournment", + "prorogation", + "procrastination", + "cunctation", + "shillyshally", + "slowdown", + "lag", + "retardation", + "dalliance", + "dawdling", + "trifling", + "filibuster", + "interjection", + "interposition", + "interpolation", + "interpellation", + "tarriance", + "lingering", + "breaking off", + "abruption", + "heckling", + "barracking", + "abstinence", + "asceticism", + "ascesis", + "chastity", + "celibacy", + "sexual abstention", + "mortification", + "self-denial", + "self-discipline", + "self-control", + "sobriety", + "temperance", + "teetotaling", + "teetotalism", + "fast", + "fasting", + "diet", + "dieting", + "traffic control", + "point duty", + "price-fixing", + "inhibition", + "suppression", + "tolerance", + "lenience", + "leniency", + "clemency", + "mercifulness", + "mercy", + "pleasure", + "luxuriation", + "enjoyment", + "delectation", + "lamentation", + "mourning", + "laughter", + "satisfaction", + "gratification", + "satiation", + "self-gratification", + "head trip", + "indulgence", + "indulging", + "pampering", + "humoring", + "pleasing", + "overindulgence", + "excess", + "orgy", + "binge", + "splurge", + "hindrance", + "hinderance", + "interference", + "antagonism", + "obstruction", + "blockage", + "closure", + "occlusion", + "naval blockade", + "siege", + "besieging", + "beleaguering", + "military blockade", + "relief", + "stall", + "stalling", + "stonewalling", + "stop", + "stoppage", + "complication", + "deterrence", + "discouragement", + "nuclear deterrence", + "countermine", + "prevention", + "bar", + "averting", + "debarment", + "disqualification", + "interception", + "nonproliferation", + "non-proliferation", + "obviation", + "forestalling", + "preclusion", + "prophylaxis", + "save", + "suppression", + "crushing", + "quelling", + "stifling", + "tax avoidance", + "recusation", + "recusal", + "group action", + "social activity", + "communalism", + "confederation", + "alliance", + "association", + "fraternization", + "fraternisation", + "affiliation", + "reaffiliation", + "mingling", + "decolonization", + "decolonisation", + "disbandment", + "disestablishment", + "distribution", + "redistribution", + "dispensation", + "allotment", + "apportionment", + "apportioning", + "allocation", + "parceling", + "parcelling", + "assignation", + "reallotment", + "reapportionment", + "reallocation", + "reshuffle", + "deal", + "new deal", + "rationing", + "parcel", + "portion", + "share", + "deal", + "misdeal", + "revenue sharing", + "sharing", + "share-out", + "generosity", + "unselfishness", + "giving", + "gift", + "bestowal", + "bestowment", + "conferral", + "conferment", + "accordance", + "accordance of rights", + "endowment", + "social welfare", + "welfare", + "public assistance", + "social insurance", + "national insurance", + "supplementary benefit", + "social assistance", + "national assistance", + "Social Security", + "relief", + "dole", + "pogy", + "pogey", + "unemployment compensation", + "old-age insurance", + "survivors insurance", + "disability insurance", + "health care", + "Medicare", + "Medicaid", + "primary health care", + "philanthropy", + "philanthropic gift", + "charity", + "contribution", + "donation", + "subscription", + "alms", + "alms-giving", + "almsgiving", + "handout", + "commerce", + "commercialism", + "mercantilism", + "trade", + "fair trade", + "fair trade", + "free trade", + "North American Free Trade Agreement", + "NAFTA", + "e-commerce", + "exchange", + "interchange", + "conversion", + "unitization", + "unitisation", + "lending", + "loaning", + "usury", + "arbitrage", + "risk arbitrage", + "takeover arbitrage", + "initial public offering", + "IPO", + "initial offering", + "commercial enterprise", + "business enterprise", + "business", + "business activity", + "commercial activity", + "operation", + "business", + "trade", + "patronage", + "wash", + "custom", + "land-office business", + "field", + "field of operation", + "line of business", + "market", + "marketplace", + "market place", + "black market", + "buyer's market", + "buyers' market", + "soft market", + "grey market", + "gray market", + "seller's market", + "sellers' market", + "labor market", + "employee-owned enterprise", + "employee-owned business", + "finance", + "corporate finance", + "financing", + "funding", + "high finance", + "investing", + "investment", + "foreign direct investment", + "leverage", + "leveraging", + "flotation", + "floatation", + "banking", + "home banking", + "banking", + "cooperative", + "co-op", + "discount business", + "real-estate business", + "advertising", + "publicizing", + "hard sell", + "soft sell", + "circularization", + "circularisation", + "publication", + "publishing", + "desktop publishing", + "publication", + "republication", + "republishing", + "contribution", + "serialization", + "serialisation", + "typography", + "printing", + "gravure", + "photogravure", + "rotogravure", + "issue", + "publication", + "packaging", + "meatpacking", + "meat packing", + "meat-packing business", + "unitization", + "unitisation", + "catering", + "agribusiness", + "agriculture", + "factory farm", + "truck farming", + "construction", + "building", + "jerry-building", + "slating", + "transportation", + "shipping", + "transport", + "air transportation", + "air transport", + "navigation", + "hauling", + "trucking", + "truckage", + "cartage", + "carting", + "freight", + "freightage", + "express", + "expressage", + "ferry", + "ferrying", + "carriage trade", + "transaction", + "dealing", + "dealings", + "affairs", + "world affairs", + "international affairs", + "operations", + "trading operations", + "transfer", + "transference", + "alienation", + "conveyance", + "conveyance of title", + "conveyancing", + "conveying", + "quitclaim", + "delivery", + "livery", + "legal transfer", + "bailment", + "lend-lease", + "lease-lend", + "secularization", + "secularisation", + "exchange", + "barter", + "swap", + "swop", + "trade", + "horse trade", + "horse trading", + "logrolling", + "deal", + "trade", + "business deal", + "arms deal", + "penny ante", + "downtick", + "uptick", + "borrowing", + "pawn", + "rental", + "renting", + "Seward's Folly", + "importing", + "importation", + "exporting", + "exportation", + "smuggling", + "gunrunning", + "marketing", + "direct marketing", + "distribution", + "selling", + "merchandising", + "marketing", + "distribution channel", + "channel", + "traffic", + "drug traffic", + "drug trafficking", + "narcotraffic", + "simony", + "barratry", + "slave trade", + "slave traffic", + "retail", + "wholesale", + "sale", + "divestiture", + "sell", + "syndication", + "dumping", + "dutch auction", + "retailing", + "telemarketing", + "teleselling", + "telecommerce", + "telemetry", + "thermometry", + "thermogravimetry", + "tonometry", + "telephone order", + "vending", + "peddling", + "hawking", + "vendition", + "venture", + "viscometry", + "viscosimetry", + "resale", + "sale", + "sale", + "cut-rate sale", + "sales event", + "bazaar", + "fair", + "book fair", + "bookfair", + "craft fair", + "car boot sale", + "boot sale", + "clearance sale", + "inventory-clearance sale", + "closeout", + "fire sale", + "fire sale", + "garage sale", + "yard sale", + "going-out-of-business sale", + "realization", + "realisation", + "rummage sale", + "jumble sale", + "selloff", + "white sale", + "undertaking", + "upholstery", + "payment", + "defrayal", + "defrayment", + "evasion", + "nonpayment", + "amortization", + "amortisation", + "fee splitting", + "overpayment", + "prepayment", + "ransom", + "refund", + "repayment", + "remuneration", + "rendering", + "spending", + "disbursement", + "disbursal", + "outlay", + "tribute", + "underpayment", + "expending", + "expenditure", + "deficit spending", + "compensatory spending", + "pump priming", + "amortization", + "amortisation", + "migration", + "gold rush", + "stampede", + "social control", + "auto limitation", + "sanction", + "population control", + "politics", + "government", + "governing", + "governance", + "government activity", + "administration", + "misgovernment", + "misrule", + "legislation", + "legislating", + "lawmaking", + "criminalization", + "criminalisation", + "decriminalization", + "decriminalisation", + "trust busting", + "winemaking", + "wine making", + "viticulture", + "viniculture", + "enactment", + "passage", + "enforcement", + "coercion", + "execution", + "implementation", + "carrying out", + "imposition", + "infliction", + "protection", + "trade protection", + "law enforcement", + "vigilantism", + "domination", + "bossism", + "mastery", + "subordination", + "monopolization", + "monopolisation", + "socialization", + "socialisation", + "acculturation", + "enculturation", + "cultivation", + "breeding", + "bringing up", + "fostering", + "fosterage", + "nurture", + "raising", + "rearing", + "upbringing", + "duty", + "responsibility", + "obligation", + "moral obligation", + "noblesse oblige", + "burden of proof", + "civic duty", + "civic responsibility", + "jury duty", + "filial duty", + "imperative", + "incumbency", + "legal duty", + "fiduciary duty", + "due care", + "ordinary care", + "reasonable care", + "foster care", + "great care", + "providence", + "slight care", + "line of duty", + "white man's burden", + "obedience", + "respect", + "occupation", + "military control", + "management", + "direction", + "conducting", + "database management", + "finance", + "homemaking", + "misconduct", + "mismanagement", + "misdirection", + "screwup", + "treatment", + "handling", + "bioremediation", + "dealing", + "supervision", + "supervising", + "superintendence", + "oversight", + "invigilation", + "administration", + "disposal", + "conducting", + "line management", + "organization", + "organisation", + "running", + "administrivia", + "polity", + "nonprofit organization", + "nonprofit", + "not-for-profit", + "rationalization", + "rationalisation", + "reorganization", + "reorganisation", + "shake-up", + "shakeup", + "self-organization", + "self-organisation", + "syndication", + "authorization", + "authorisation", + "empowerment", + "sanction", + "license", + "permission", + "permit", + "benefit of clergy", + "name", + "nihil obstat", + "certification", + "enfranchisement", + "disenfranchisement", + "accreditation", + "commission", + "commissioning", + "mandate", + "delegating", + "delegation", + "relegating", + "relegation", + "deputation", + "devolution", + "devolvement", + "loan approval", + "rubber stamp", + "clearance", + "conge", + "congee", + "allowance", + "dispensation", + "variance", + "toleration", + "channelization", + "channelisation", + "canalization", + "canalisation", + "canalization", + "canalisation", + "preparation", + "readying", + "deployment", + "groundwork", + "redeployment", + "redisposition", + "makeready", + "priming", + "planning", + "scheduling", + "programming", + "programing", + "turnaround", + "turnround", + "warm-up", + "tune-up", + "prolusion", + "guidance", + "steering", + "coup d'etat", + "coup", + "putsch", + "takeover", + "countercoup", + "restraint", + "collar", + "leash", + "damper", + "bridle", + "check", + "curb", + "immobilization", + "immobilisation", + "immobilizing", + "confinement", + "imprisonment", + "internment", + "lockdown", + "house arrest", + "false imprisonment", + "custody", + "containment", + "ring containment", + "suppression", + "curtailment", + "crackdown", + "regimentation", + "reimposition", + "restraint of trade", + "restriction", + "confinement", + "classification", + "declassification", + "stipulation", + "specification", + "circumscription", + "constraint", + "swaddling clothes", + "constriction", + "vasoconstriction", + "privation", + "deprivation", + "pauperization", + "pauperisation", + "impoverishment", + "starvation", + "starving", + "appeasement", + "calming", + "pacification", + "mollification", + "placation", + "conciliation", + "propitiation", + "internationalization", + "internationalisation", + "nationalization", + "nationalisation", + "communization", + "communisation", + "denationalization", + "denationalisation", + "privatization", + "privatisation", + "nationalization", + "nationalisation", + "nationalization", + "nationalisation", + "detribalization", + "detribalisation", + "collectivization", + "collectivisation", + "communization", + "communisation", + "communization", + "communisation", + "federation", + "discrimination", + "favoritism", + "favouritism", + "patronage", + "nomenklatura", + "ableism", + "ablism", + "able-bodiedism", + "able-bodism", + "ageism", + "agism", + "cronyism", + "fattism", + "fatism", + "heterosexism", + "nepotism", + "racism", + "racialism", + "racial discrimination", + "racial profiling", + "secularization", + "secularisation", + "rollover", + "sexism", + "male chauvinism", + "chauvinism", + "antifeminism", + "sexual discrimination", + "mobilization", + "mobilisation", + "militarization", + "militarisation", + "arming", + "armament", + "equipping", + "outfitting", + "refit", + "rearmament", + "disarming", + "disarmament", + "conscription", + "muster", + "draft", + "selective service", + "levy", + "levy en masse", + "demobilization", + "demobilisation", + "remilitarization", + "remilitarisation", + "standardization", + "standardisation", + "normalization", + "normalisation", + "stabilization", + "stabilisation", + "destabilization", + "destabilisation", + "stylization", + "stylisation", + "conventionalization", + "conventionalisation", + "taxation", + "punishment", + "penalty", + "penalization", + "penalisation", + "beating", + "thrashing", + "licking", + "drubbing", + "lacing", + "trouncing", + "whacking", + "castigation", + "chastisement", + "corporal punishment", + "cruel and unusual punishment", + "detention", + "discipline", + "correction", + "economic strangulation", + "self-flagellation", + "imprisonment", + "music", + "medicine", + "self-punishment", + "spanking", + "stick", + "whipping", + "tanning", + "flogging", + "lashing", + "flagellation", + "flagellation", + "horsewhipping", + "electric shock", + "execution", + "executing", + "capital punishment", + "death penalty", + "gauntlet", + "gantlet", + "kick in the butt", + "stoning", + "lapidation", + "burning", + "burning at the stake", + "auto-da-fe", + "hanging", + "electrocution", + "burning", + "decapitation", + "beheading", + "crucifixion", + "penance", + "self-mortification", + "self-abasement", + "commitment", + "committal", + "consignment", + "commutation", + "re-sentencing", + "corrections", + "exchange", + "interchange", + "rally", + "exchange", + "tradeoff", + "trade-off", + "submission", + "compliance", + "obedience", + "obeisance", + "truckling", + "prostration", + "strife", + "tug-of-war", + "turf war", + "countercurrent", + "crosscurrent", + "direct action", + "competition", + "contention", + "rivalry", + "battle of wits", + "contest", + "bidding contest", + "popularity contest", + "resistance", + "nonresistance", + "confrontation", + "opposition", + "sales resistance", + "discord", + "discordance", + "defiance", + "road rage", + "riot", + "public violence", + "race riot", + "dispute", + "contravention", + "fight", + "fighting", + "combat", + "scrap", + "fencing", + "in-fighting", + "set-to", + "shock", + "impact", + "hassle", + "scuffle", + "tussle", + "dogfight", + "rough-and-tumble", + "aggro", + "duel", + "affaire d'honneur", + "blow", + "counterblow", + "swing", + "fistfight", + "fisticuffs", + "slugfest", + "stab", + "thrust", + "knife thrust", + "lunge", + "straight thrust", + "passado", + "parry", + "remise", + "riposte", + "stinger", + "thump", + "uppercut", + "hammer", + "pound", + "hammering", + "pounding", + "shot", + "cheap shot", + "wallop", + "battering", + "banging", + "beating", + "whipping", + "affray", + "disturbance", + "fray", + "ruffle", + "brawl", + "free-for-all", + "knife fight", + "snickersnee", + "cut-and-thrust", + "rumble", + "gang fight", + "single combat", + "obstructionism", + "protest", + "objection", + "dissent", + "rebellion", + "punch-up", + "demonstration", + "manifestation", + "counterdemonstration", + "walkout", + "Boston Tea Party", + "peace march", + "sit-in", + "work-in", + "protest march", + "insubordination", + "rebelliousness", + "contumacy", + "disobedience", + "noncompliance", + "civil disobedience", + "contempt", + "contempt of Congress", + "contempt of court", + "civil contempt", + "contumacy", + "criminal contempt", + "obstruction of justice", + "due process", + "due process of law", + "legal action", + "action", + "action at law", + "action", + "lawsuit", + "suit", + "case", + "cause", + "causa", + "civil suit", + "class action", + "class-action suit", + "countersuit", + "criminal suit", + "moot", + "paternity suit", + "bastardy proceeding", + "antitrust case", + "civil action", + "counterclaim", + "custody case", + "lis pendens", + "proceeding", + "legal proceeding", + "proceedings", + "adoption", + "appeal", + "reversal", + "affirmation", + "bankruptcy", + "receivership", + "litigation", + "judicial proceeding", + "custody battle", + "vexatious litigation", + "presentment", + "notification", + "naturalization", + "naturalisation", + "judgment", + "judgement", + "judicial decision", + "confession of judgment", + "confession of judgement", + "cognovit judgment", + "cognovit judgement", + "default judgment", + "default judgement", + "judgment by default", + "judgement by default", + "non prosequitur", + "non pros", + "final judgment", + "final decision", + "conviction", + "judgment of conviction", + "condemnation", + "sentence", + "judgment in personam", + "judgement in personam", + "personal judgment", + "personal judgement", + "judgment in rem", + "judgement in rem", + "judgment of dismissal", + "judgement of dismissal", + "dismissal", + "judgment on the merits", + "judgement on the merits", + "summary judgment", + "summary judgement", + "judgment on the pleadings", + "judgement on the pleadings", + "arbitration", + "arbitrament", + "arbitrement", + "opinion", + "ruling", + "Bakke decision", + "fatwa", + "umpirage", + "officiation", + "officiating", + "refereeing", + "finding", + "verdict", + "finding of fact", + "finding of law", + "conclusion of law", + "compromise verdict", + "directed verdict", + "false verdict", + "general verdict", + "partial verdict", + "quotient verdict", + "special verdict", + "acquittal", + "murder conviction", + "rape conviction", + "robbery conviction", + "eviction", + "dispossession", + "legal ouster", + "ouster", + "actual eviction", + "eviction", + "constructive eviction", + "retaliatory eviction", + "legalization", + "legalisation", + "legitimation", + "legitimation", + "trial", + "court-martial", + "ordeal", + "trial by ordeal", + "Scopes trial", + "show trial", + "review", + "bill of review", + "judicial review", + "plea", + "double jeopardy", + "prosecution", + "criminal prosecution", + "test case", + "test suit", + "defense", + "defence", + "denial", + "demurrer", + "entrapment", + "mistrial", + "retrial", + "hearing", + "administrative hearing", + "competence hearing", + "fair hearing", + "quo warranto", + "separation", + "divorce", + "divorcement", + "legal separation", + "separation", + "quarantine", + "seclusion", + "cocooning", + "isolation", + "closing off", + "segregation", + "sequestration", + "integration", + "integrating", + "desegregation", + "separationism", + "separatism", + "withdrawal", + "cooperation", + "brainstorming", + "teamwork", + "conformity", + "conformation", + "compliance", + "abidance", + "formality", + "line", + "honoring", + "observance", + "punctilio", + "nonobservance", + "nonconformity", + "nonconformance", + "keeping", + "collaboration", + "coaction", + "collaboration", + "collaborationism", + "quislingism", + "compromise", + "via media", + "concurrence", + "concurrency", + "reconciliation", + "rapprochement", + "selflessness", + "self-sacrifice", + "commitment", + "allegiance", + "loyalty", + "dedication", + "devotion", + "cultism", + "hobbyism", + "enlistment", + "reenlistment", + "faith", + "fetish", + "fetich", + "party spirit", + "aid", + "assist", + "assistance", + "help", + "facilitation", + "hand", + "helping hand", + "recourse", + "resort", + "refuge", + "thanks", + "social work", + "casework", + "relief", + "succor", + "succour", + "ministration", + "lift", + "service", + "disservice", + "ill service", + "ill turn", + "childcare", + "child care", + "community service", + "community service", + "public service", + "daycare", + "day care", + "help desk", + "helpdesk", + "seating", + "accommodation", + "boost", + "encouragement", + "comfort", + "boost", + "morale building", + "morale booster", + "consolation", + "comfort", + "solace", + "simplification", + "oversimplification", + "simplism", + "rationalization", + "rationalisation", + "support", + "attachment", + "adherence", + "adhesion", + "ecclesiasticism", + "kabbalism", + "cabalism", + "royalism", + "traditionalism", + "backing", + "backup", + "championship", + "patronage", + "advocacy", + "protagonism", + "drumbeat", + "insistence", + "insistency", + "urging", + "auspices", + "protection", + "aegis", + "sponsorship", + "endorsement", + "indorsement", + "blessing", + "approval", + "approving", + "reassurance", + "support", + "sustenance", + "sustentation", + "sustainment", + "maintenance", + "upkeep", + "logistic support", + "logistic assistance", + "integrated logistic support", + "mutual aid", + "international logistic support", + "interdepartmental support", + "interagency support", + "inter-service support", + "representation", + "proportional representation", + "employment", + "engagement", + "shape-up", + "call-back", + "booking", + "reservation", + "admiration", + "appreciation", + "adoration", + "idolization", + "idolisation", + "glorification", + "idealization", + "idealisation", + "glorification", + "sentimentalization", + "sentimentalisation", + "romanticization", + "romanticisation", + "reward", + "reinforcement", + "carrot", + "disparagement", + "dispraise", + "belittling", + "deprecation", + "denigration", + "aspersion", + "calumny", + "slander", + "defamation", + "denigration", + "attack", + "detraction", + "behavior", + "behaviour", + "conduct", + "doings", + "behavior", + "behaviour", + "territoriality", + "aggression", + "aggravation", + "irritation", + "provocation", + "last straw", + "exacerbation", + "bitchery", + "bullying", + "intimidation", + "terrorization", + "terrorisation", + "frightening", + "twit", + "taunt", + "taunting", + "raising hell", + "hell raising", + "self-assertion", + "condemnation", + "stigmatization", + "stigmatisation", + "branding", + "bohemianism", + "dirty pool", + "dirty tricks", + "discourtesy", + "offense", + "offence", + "offensive activity", + "easiness", + "derision", + "ridicule", + "mock", + "indelicacy", + "insolence", + "insult", + "affront", + "indignity", + "scandalization", + "scandalisation", + "outrage", + "presumption", + "rebuff", + "slight", + "snub", + "cut", + "cold shoulder", + "silent treatment", + "the way of the world", + "the ways of the world", + "benevolence", + "benefaction", + "cupboard love", + "favor", + "favour", + "turn", + "good turn", + "forgiveness", + "pardon", + "condonation", + "mercy", + "exculpation", + "endearment", + "politeness", + "civility", + "reverence", + "courtesy", + "gesture", + "beau geste", + "attention", + "gallantry", + "deference", + "respect", + "court", + "homage", + "last respects", + "props", + "devoir", + "consideration", + "thoughtfulness", + "assembly", + "assemblage", + "gathering", + "mobilization", + "mobilisation", + "economic mobilization", + "economic mobilisation", + "rallying", + "convocation", + "calling together", + "meeting", + "coming together", + "service call", + "assignation", + "tryst", + "rendezvous", + "congregation", + "congregating", + "convention", + "convening", + "concentration", + "session", + "course session", + "class period", + "recitation", + "socialization", + "socialisation", + "socializing", + "socialising", + "visit", + "visit", + "flying visit", + "visit", + "attendance", + "attending", + "appearance", + "appearing", + "coming into court", + "presence", + "turnout", + "nonattendance", + "nonappearance", + "absence", + "absenteeism", + "truancy", + "hooky", + "return", + "paying back", + "getting even", + "answer", + "requital", + "payment", + "retaliation", + "revenge", + "vengeance", + "retribution", + "payback", + "reprisal", + "reciprocation", + "feud", + "war", + "warfare", + "drug war", + "trench warfare", + "vendetta", + "blood feud", + "tit for tat", + "aggression", + "democratization", + "democratisation", + "consolidation", + "integration", + "centralization", + "centralisation", + "decentralization", + "decentralisation", + "incorporation", + "amalgamation", + "merger", + "uniting", + "vertical integration", + "vertical combination", + "horizontal integration", + "horizontal combination", + "engagement", + "participation", + "involvement", + "involution", + "non-engagement", + "nonparticipation", + "non-involvement", + "isolation", + "commitment", + "incurrence", + "intervention", + "intercession", + "mediation", + "intermediation", + "matchmaking", + "group participation", + "neutrality", + "annulment", + "invalidation", + "dissolution of marriage", + "vindication", + "exoneration", + "whitewash", + "justification", + "rehabilitation", + "job action", + "go-slow", + "work to rule", + "passive resistance", + "nonviolent resistance", + "nonviolence", + "hunger strike", + "Ramadan", + "Satyagraha", + "recusancy", + "strike", + "work stoppage", + "sit-down", + "sit-down strike", + "sympathy strike", + "sympathetic strike", + "walkout", + "wildcat strike", + "unsnarling", + "untangling", + "disentanglement", + "extrication", + "sabotage", + "extermination", + "liquidation", + "genocide", + "race murder", + "racial extermination", + "holocaust", + "Holocaust", + "final solution", + "throw", + "cast", + "roll", + "natural", + "flip", + "toss", + "flip", + "strafe", + "surprise attack", + "coup de main", + "terrorist attack", + "ambush", + "ambuscade", + "lying in wait", + "trap", + "pre-emptive strike", + "dry-gulching", + "emancipation", + "clearing", + "manumission", + "radio observation", + "stupidity", + "betise", + "folly", + "foolishness", + "imbecility", + "admission", + "admittance", + "readmission", + "matriculation", + "matric", + "remarriage", + "renewal", + "self-renewal", + "replication", + "amnesty", + "pardon", + "free pardon", + "demolition", + "spoliation", + "vandalism", + "hooliganism", + "malicious mischief", + "recession", + "ceding back", + "amendment", + "emendation", + "hit", + "infanticide", + "shoot-down", + "tyrannicide", + "thuggee", + "transmutation", + "transubstantiation", + "barrage jamming", + "spot jamming", + "selective jamming", + "electronic deception", + "manipulative electronic deception", + "electronic manipulative deception", + "simulative electronic deception", + "electronic simulative deception", + "imitative electronic deception", + "electronic imitative deception", + "waste", + "permissive waste", + "colonization", + "colonisation", + "settlement", + "resettlement", + "relocation", + "dismount", + "radiation", + "emission", + "emanation", + "discharge", + "venting", + "jamming", + "electronic jamming", + "jam", + "vacation", + "harmonization", + "harmonisation", + "humming", + "winnow", + "winnowing", + "sifting", + "separation", + "teleportation", + "intonation", + "chanting", + "cantillation", + "intonation", + "fixed intonation", + "karaoke", + "part-singing", + "psalmody", + "hymnody", + "singalong", + "singsong", + "solfege", + "solfeggio", + "solmization", + "solfege", + "solfeggio", + "yodeling", + "lead", + "leadership", + "leading", + "helm", + "lead", + "trend setting", + "precession", + "precedence", + "precedency", + "solo", + "flood", + "flowage", + "parole", + "population", + "pounce", + "probation", + "quarter", + "recall", + "revocation", + "reprieve", + "respite", + "revoke", + "renege", + "ruff", + "trumping", + "trick", + "awakening", + "wakening", + "waking up", + "buzz", + "fixation", + "immobilization", + "immobilisation", + "fun", + "sin", + "hell", + "excitation", + "excitement", + "hair-raiser", + "chiller", + "thrill", + "incitation", + "incitement", + "inflammation", + "inflaming", + "inspiration", + "stirring", + "stimulation", + "galvanization", + "galvanisation", + "titillation", + "deforestation", + "disforestation", + "skimming", + "withdrawal", + "withdrawal", + "spoil", + "spoiling", + "spoilage", + "swerve", + "swerving", + "veering", + "three-point turn", + "face saver", + "face saving", + "recruitment", + "enlisting", + "smooth", + "reference", + "consultation", + "emphasizing", + "accenting", + "accentuation", + "release", + "outlet", + "vent", + "last", + "slapshot", + "headshot", + "cornhusking", + "palpebration", + "bank examination", + "beatification", + "equilibration", + "ethnic cleansing", + "jumpstart", + "jump-start", + "mystification", + "obfuscation", + "negotiation", + "proclamation", + "promulgation", + "socialization", + "socialisation", + "stabilization", + "stabilisation", + "stupefaction", + "transfusion reaction", + "upgrade", + "vampirism", + "version", + "vulgarization", + "vulgarisation", + "witching", + "xenotransplant", + "xenotransplantation", + "Actium", + "Aegates Isles", + "Aegadean Isles", + "Aegospotami", + "Aegospotamos", + "Agincourt", + "Alamo", + "Atlanta", + "battle of Atlanta", + "Austerlitz", + "battle of Austerlitz", + "Bannockburn", + "Bataan", + "Corregidor", + "Battle of Britain", + "Battle of Kerbala", + "Battle of the Ardennes Bulge", + "Battle of the Bulge", + "Ardennes counteroffensive", + "Battle of the Marne", + "Belleau Wood", + "Chateau-Thierry", + "Marne River", + "Bismarck Sea", + "battle of the Bismarck Sea", + "Blenheim", + "Borodino", + "Bosworth Field", + "Bouvines", + "Boyne", + "battle of Boyne", + "Brunanburh", + "battle of Brunanburh", + "Buena Vista", + "Bull Run", + "Battle of Bull Run", + "Bunker Hill", + "battle of Bunker Hill", + "Cannae", + "Caporetto", + "battle of Caporetto", + "Caudine Forks", + "Chaeronea", + "Chalons", + "Chalons-sur-Marne", + "Chancellorsville", + "Chapultepec", + "Chattanooga", + "battle of Chattanooga", + "Chickamauga", + "battle of Chickamauga", + "Chino-Japanese War", + "Sino-Japanese War", + "Coral Sea", + "battle of the Coral Sea", + "Cowpens", + "battle of Cowpens", + "Crecy", + "battle of Crecy", + "Cunaxa", + "battle of Cunaxa", + "Cynoscephalae", + "battle of Cynoscephalae", + "Dardanelles", + "Dardanelles campaign", + "Dien Bien Phu", + "Drogheda", + "Dunkirk", + "Dunkerque", + "El Alamein", + "Al Alamayn", + "Battle of El Alamein", + "Eniwetok", + "Flodden", + "Battle of Flodden Field", + "Fontenoy", + "Battle of Fontenoy", + "Fort Ticonderoga", + "Ticonderoga", + "Fredericksburg", + "Battle of Fredericksburg", + "Gettysburg", + "Battle of Gettysburg", + "Granicus", + "Battle of Granicus River", + "Guadalcanal", + "Battle of Guadalcanal", + "Hampton Roads", + "Hastings", + "battle of Hastings", + "Hohenlinden", + "battle of Hohenlinden", + "Inchon", + "Indian Mutiny", + "Sepoy Mutiny", + "Ipsus", + "battle of Ipsus", + "Issus", + "battle of Issus", + "Ivry", + "battle of Ivry", + "Ivry la Bataille", + "Iwo", + "Iwo Jima", + "invasion of Iwo", + "Jena", + "Battle of Jena", + "Jutland", + "battle of Jutland", + "Kennesaw Mountain", + "Kwajalein", + "Lake Trasimenus", + "Battle of Lake Trasimenus", + "Langside", + "battle of Langside", + "Lepanto", + "Battle of Lepanto", + "Leuctra", + "battle of Leuctra", + "Lexington", + "Concord", + "Lexington and Concord", + "Leyte", + "Leyte Island", + "Leyte invasion", + "Little Bighorn", + "Battle of Little Bighorn", + "Battle of the Little Bighorn", + "Custer's Last Stand", + "Lucknow", + "Lule Burgas", + "battle of Lule Burgas", + "Lutzen", + "battle of Lutzen", + "Macedonian War", + "Magenta", + "Battle of Magenta", + "Maldon", + "Battle of Maldon", + "Manila Bay", + "Mantinea", + "Mantineia", + "Marathon", + "battle of Marathon", + "Marengo", + "Marston Moor", + "battle of Marston Moor", + "Metaurus River", + "Meuse", + "Meuse River", + "Argonne", + "Argonne Forest", + "Meuse-Argonne", + "Meuse-Argonne operation", + "Midway", + "Battle of Midway", + "Minden", + "battle of Minden", + "Monmouth Court House", + "Battle of Monmouth Court House", + "Battle of Monmouth", + "Naseby", + "Battle of Naseby", + "Navarino", + "battle of Navarino", + "Okinawa", + "Okinawa campaign", + "Omdurman", + "battle of Omdurman", + "Operation Desert Storm", + "Orleans", + "siege of Orleans", + "Panipat", + "battle of Panipat", + "Passero", + "Cape Passero", + "Petersburg", + "Petersburg Campaign", + "Pharsalus", + "battle of Pharsalus", + "Philippi", + "battle of Philippi", + "Philippine Sea", + "battle of the Philippine Sea", + "Plassey", + "battle of Plassey", + "Plataea", + "battle of Plataea", + "Plevna", + "Pleven", + "Poitiers", + "battle of Poitiers", + "Port Arthur", + "Battle of Puebla", + "Pydna", + "Battle of Pydna", + "Ravenna", + "Battle of Ravenna", + "Rocroi", + "Battle of Rocroi", + "Rossbach", + "battle of Rossbach", + "Saint-Mihiel", + "St Mihiel", + "battle of St Mihiel", + "Saipan", + "Salerno", + "Santiago", + "Santiago de Cuba", + "Saratoga", + "battle of Saratoga", + "Sempatch", + "battle of Sempatch", + "Shiloh", + "battle of Shiloh", + "battle of Pittsburgh Landing", + "Soissons", + "battle of Soissons-Reims", + "battle of the Chemin-des-Dames", + "battle of the Aisne", + "Solferino", + "battle of Solferino", + "Somme", + "Somme River", + "Battle of the Somme", + "Somme", + "Somme River", + "Battle of the Somme", + "Battle of the Spanish Armada", + "Spotsylvania", + "battle of Spotsylvania Courthouse", + "Syracuse", + "siege of Syracuse", + "Syracuse", + "siege of Syracuse", + "Tannenberg", + "battle of Tannenberg", + "Tarawa", + "Makin", + "Tarawa-Makin", + "Tertry", + "battle of Tertry", + "Teutoburger Wald", + "battle of Teutoburger Wald", + "Tewkesbury", + "battle of Tewkesbury", + "Thermopylae", + "battle of Thermopylae", + "Trafalgar", + "battle of Trafalgar", + "Trasimeno", + "battle of Trasimeno", + "Tsushima", + "Valmy", + "battle of Valmy", + "Verdun", + "battle of Verdun", + "Vicksburg", + "siege of Vicksburg", + "Wagram", + "battle of Wagram", + "Battle of Wake", + "Battle of Wake Island", + "Waterloo", + "Battle of Waterloo", + "Wilderness Campaign", + "Yalu River", + "Yorktown", + "siege of Yorktown", + "Ypres", + "battle of Ypres", + "first battle of Ypres", + "Ypres", + "battle of Ypres", + "second battle of Ypres", + "Ypres", + "battle of Ypres", + "third battle of Ypres", + "Zama", + "battle of Zama", + "American Civil War", + "United States Civil War", + "War between the States", + "American Revolution", + "American Revolutionary War", + "War of American Independence", + "American War of Independence", + "Arab-Israeli War", + "Six-Day War", + "Six Day War", + "Arab-Israeli War", + "Yom Kippur War", + "Balkan Wars", + "Boer War", + "Chinese Revolution", + "Crimean War", + "Cuban Revolution", + "English Civil War", + "English Revolution", + "Glorious Revolution", + "Bloodless Revolution", + "Franco-Prussian War", + "French and Indian War", + "French Revolution", + "Hundred Years' War", + "Iran-Iraq War", + "Gulf War", + "Korean War", + "Mexican Revolution", + "Mexican War", + "Napoleonic Wars", + "Norman Conquest", + "Peloponnesian War", + "Persian Gulf War", + "Gulf War", + "Punic War", + "Restoration", + "Russian Revolution", + "February Revolution", + "Russian Revolution", + "October Revolution", + "Russo-Japanese War", + "Seven Years' War", + "Spanish-American War", + "Spanish War", + "Spanish Civil War", + "Thirty Years' War", + "Trojan War", + "Vietnam War", + "Vietnam", + "War of Greek Independence", + "War of the Austrian Succession", + "War of the Grand Alliance", + "War of the League of Augsburg", + "War of the Spanish Succession", + "War of the Roses", + "Wars of the Roses", + "War of 1812", + "World War I", + "World War 1", + "Great War", + "First World War", + "War to End War", + "World War II", + "World War 2", + "Second World War", + "Animalia", + "kingdom Animalia", + "animal kingdom", + "recombinant", + "conspecific", + "carrier", + "pest", + "critter", + "creepy-crawly", + "darter", + "denizen", + "peeper", + "homeotherm", + "homoiotherm", + "homotherm", + "poikilotherm", + "ectotherm", + "range animal", + "vermin", + "varmint", + "varment", + "scavenger", + "bottom-feeder", + "bottom-dweller", + "bottom-feeder", + "bottom lurkers", + "work animal", + "beast of burden", + "jument", + "draft animal", + "pack animal", + "sumpter", + "domestic animal", + "domesticated animal", + "feeder", + "feeder", + "stocker", + "hatchling", + "head", + "migrator", + "molter", + "moulter", + "pet", + "stayer", + "stunt", + "pollard", + "marine animal", + "marine creature", + "sea animal", + "sea creature", + "by-catch", + "bycatch", + "amphidiploid", + "diploid", + "haploid", + "heteroploid", + "polyploid", + "female", + "hen", + "male", + "adult", + "young", + "offspring", + "orphan", + "young mammal", + "baby", + "pup", + "whelp", + "wolf pup", + "wolf cub", + "puppy", + "cub", + "young carnivore", + "lion cub", + "bear cub", + "tiger cub", + "kit", + "suckling", + "sire", + "dam", + "thoroughbred", + "purebred", + "pureblood", + "giant", + "vent", + "animalcule", + "animalculum", + "survivor", + "mutant", + "carnivore", + "herbivore", + "insectivore", + "acrodont", + "pleurodont", + "form genus", + "horn", + "antler", + "tuft", + "horn", + "crest", + "topknot", + "microorganism", + "micro-organism", + "monad", + "aerobe", + "anaerobe", + "obligate anaerobe", + "hybrid", + "crossbreed", + "cross", + "dihybrid", + "monohybrid", + "polymorph", + "relative", + "congener", + "congenator", + "congeneric", + "intestinal flora", + "virus", + "arbovirus", + "arborvirus", + "capsid", + "virion", + "adenovirus", + "parainfluenza virus", + "arenavirus", + "Junin virus", + "Lassa virus", + "lymphocytic choriomeningitis virus", + "Machupo virus", + "Bunyaviridae", + "bunyavirus", + "Filoviridae", + "filovirus", + "Ebola virus", + "Marburg virus", + "Togaviridae", + "alphavirus", + "Flaviviridae", + "flavivirus", + "West Nile virus", + "West Nile encephalitis virus", + "Arenaviridae", + "Rhabdoviridae", + "vesiculovirus", + "Reoviridae", + "poxvirus", + "myxoma virus", + "variola virus", + "smallpox virus", + "variola major", + "variola major virus", + "variola minor", + "variola minor virus", + "tobacco mosaic virus", + "TMV", + "viroid", + "virusoid", + "bacteriophage", + "phage", + "coliphage", + "typhoid bacteriophage", + "plant virus", + "animal virus", + "hepadnavirus", + "retrovirus", + "human T-cell leukemia virus-1", + "HTLV-1", + "human immunodeficiency virus", + "HIV", + "myxovirus", + "orthomyxovirus", + "paramyxovirus", + "respiratory syncytial virus", + "picornavirus", + "poliovirus", + "hepatitis A virus", + "enterovirus", + "coxsackievirus", + "Coxsackie virus", + "echovirus", + "rhinovirus", + "herpes", + "herpes virus", + "herpes simplex", + "herpes simplex virus", + "herpes simplex 1", + "HS1", + "HSV-1", + "HSV-I", + "herpes simplex 2", + "HS2", + "HSV-2", + "HSV-II", + "herpes zoster", + "herpes zoster virus", + "herpes varicella zoster", + "herpes varicella zoster virus", + "Epstein-Barr virus", + "EBV", + "cytomegalovirus", + "CMV", + "varicella zoster virus", + "papovavirus", + "human papilloma virus", + "polyoma", + "polyoma virus", + "rhabdovirus", + "lyssavirus", + "reovirus", + "rotavirus", + "parvovirus", + "parvo", + "slow virus", + "onion yellow-dwarf virus", + "potato yellow-dwarf virus", + "Monera", + "kingdom Monera", + "Prokayotae", + "kingdom Prokaryotae", + "moneran", + "moneron", + "animal order", + "protoctist order", + "division Archaebacteria", + "archaebacteria", + "archaebacterium", + "archaeobacteria", + "archeobacteria", + "methanogen", + "halophile", + "halophil", + "halobacteria", + "halobacterium", + "halobacter", + "thermoacidophile", + "bacteria", + "bacterium", + "acidophil", + "acidophile", + "probiotic", + "probiotic bacterium", + "probiotic microflora", + "probiotic flora", + "bacteroid", + "bacillus", + "B", + "Bacillus anthracis", + "anthrax bacillus", + "Bacillus subtilis", + "Bacillus globigii", + "grass bacillus", + "hay bacillus", + "Yersinia pestis", + "coccus", + "cocci", + "coccobacillus", + "Brucella", + "spirillum", + "spirilla", + "Heliobacter", + "genus Heliobacter", + "Heliobacter pylori", + "H. pylori", + "bacteria order", + "bacteria family", + "bacteria genus", + "bacteria species", + "Pseudomonas pyocanea", + "Aerobacter", + "genus Aerobacter", + "Aerobacter aerogenes", + "Rhizobiaceae", + "family Rhizobiaceae", + "Rhizobium", + "genus Rhizobium", + "Agrobacterium", + "genus Agrobacterium", + "Agrobacterium tumefaciens", + "division Eubacteria", + "eubacteria", + "eubacterium", + "true bacteria", + "Eubacteriales", + "order Eubacteriales", + "Bacillaceae", + "family Bacillaceae", + "genus Bacillus", + "genus Clostridium", + "clostridium", + "clostridia", + "botulinus", + "botulinum", + "Clostridium botulinum", + "clostridium perfringens", + "Cyanophyta", + "division Cyanophyta", + "Schizophyta", + "division Schizophyta", + "Schizomycetes", + "class Schizomycetes", + "class Cyanobacteria", + "Cyanophyceae", + "class Cyanophyceae", + "cyanobacteria", + "blue-green algae", + "Myxophyceae", + "family Myxophyceae", + "Schizophyceae", + "family Schizophyceae", + "Nostocaceae", + "family Nostocaceae", + "genus Nostoc", + "nostoc", + "Oscillatoriaceae", + "family Oscillatoriaceae", + "genus Trichodesmium", + "trichodesmium", + "phototrophic bacteria", + "phototropic bacteria", + "purple bacteria", + "Pseudomonadales", + "order Pseudomonadales", + "Pseudomonodaceae", + "family Pseudomonodaceae", + "Pseudomonas", + "genus Pseudomonas", + "ring rot bacteria", + "Pseudomonas solanacearum", + "pseudomonad", + "Xanthomonas", + "genus Xanthomonas", + "xanthomonad", + "Athiorhodaceae", + "family Athiorhodaceae", + "Nitrobacteriaceae", + "family Nitrobacteriaceae", + "Nitrobacter", + "genus Nitrobacter", + "nitric bacteria", + "nitrobacteria", + "Nitrosomonas", + "genus Nitrosomonas", + "nitrosobacteria", + "nitrous bacteria", + "Thiobacteriaceae", + "family Thiobacteriaceae", + "genus Thiobacillus", + "thiobacillus", + "thiobacteria", + "sulphur bacteria", + "sulfur bacteria", + "Spirillaceae", + "family Spirillaceae", + "genus Spirillum", + "spirillum", + "ratbite fever bacterium", + "Spirillum minus", + "genus Vibrio", + "vibrio", + "vibrion", + "comma bacillus", + "Vibrio comma", + "Vibrio fetus", + "Bacteroidaceae", + "family Bacteroidaceae", + "Bacteroides", + "genus Bacteroides", + "Calymmatobacterium", + "genus Calymmatobacterium", + "Calymmatobacterium granulomatis", + "Francisella", + "genus Francisella", + "Francisella tularensis", + "gonococcus", + "Neisseria gonorrhoeae", + "Corynebacteriaceae", + "family Corynebacteriaceae", + "corynebacterium", + "genus Corynebacterium", + "Corynebacterium diphtheriae", + "C. diphtheriae", + "Klebs-Loeffler bacillus", + "genus Listeria", + "listeria", + "Listeria monocytogenes", + "L. monocytogenes", + "Enterobacteriaceae", + "family Enterobacteriaceae", + "enteric bacteria", + "enterobacteria", + "enterics", + "entric", + "genus Escherichia", + "escherichia", + "Escherichia coli", + "E. coli", + "genus Klebsiella", + "klebsiella", + "genus Salmonella", + "salmonella", + "Salmonella enteritidis", + "Gartner's bacillus", + "Salmonella typhimurium", + "typhoid bacillus", + "Salmonella typhosa", + "Salmonella typhi", + "genus Serratia", + "Serratia", + "Serratia marcescens", + "genus Shigella", + "shigella", + "shiga bacillus", + "Shigella dysentariae", + "genus Erwinia", + "erwinia", + "endospore-forming bacteria", + "Rickettsiales", + "order Rickettsiales", + "Rickettsiaceae", + "family Rickettsiaceae", + "genus Rickettsia", + "rickettsia", + "tumor virus", + "wound tumor virus", + "WTV", + "vector", + "cosmid", + "Chlamydiaceae", + "family Chlamydiaceae", + "genus Chlamydia", + "chlamydia", + "Chlamydia psittaci", + "C. psittaci", + "Chlamydia trachomatis", + "C. trachomatis", + "Mycoplasmatales", + "order Mycoplasmatales", + "Mycoplasmataceae", + "family Mycoplasmataceae", + "genus Mycoplasma", + "mycoplasma", + "pleuropneumonialike organism", + "PPLO", + "Legionella pneumophilia", + "legionella", + "nitrobacterium", + "nitrate bacterium", + "nitric bacterium", + "nitrite bacterium", + "nitrous bacterium", + "Actinomycetales", + "order Actinomycetales", + "actinomycete", + "Actinomycetaceae", + "family Actinomycetaceae", + "genus Actinomyces", + "actinomyces", + "Streptomycetaceae", + "family Streptomycetaceae", + "genus Streptomyces", + "streptomyces", + "Streptomyces erythreus", + "Streptomyces griseus", + "potato scab bacteria", + "Streptomyces scabies", + "Mycobacteriaceae", + "family Mycobacteriaceae", + "genus Mycobacterium", + "mycobacteria", + "mycobacterium", + "tubercle bacillus", + "Mycobacterium tuberculosis", + "penicillin-resistant bacteria", + "pus-forming bacteria", + "rod", + "streptobacillus", + "leprosy bacillus", + "Mycobacterium leprae", + "order Myxobacteria", + "Myxobacterales", + "order Myxobacterales", + "Myxobacteriales", + "order Myxobacteriales", + "Polyangiaceae", + "family Polyangiaceae", + "Myxobacteriaceae", + "family Myxobacteriaceae", + "Polyangium", + "genus Polyangium", + "myxobacteria", + "myxobacterium", + "myxobacter", + "gliding bacteria", + "slime bacteria", + "Micrococcaceae", + "family Micrococcaceae", + "Micrococcus", + "genus Micrococcus", + "genus Staphylococcus", + "staphylococcus", + "staphylococci", + "staph", + "Lactobacillaceae", + "family Lactobacillaceae", + "Lactobacteriaceae", + "family Lactobacteriaceae", + "genus Lactobacillus", + "lactobacillus", + "acidophilus", + "Lactobacillus acidophilus", + "genus Diplococcus", + "diplococcus", + "pneumococcus", + "Diplococcus pneumoniae", + "genus Streptococcus", + "streptococcus", + "streptococci", + "strep", + "Streptococcus anhemolyticus", + "Spirochaetales", + "order Spirochaetales", + "Spirochaetaceae", + "family Spirochaetaceae", + "Spirochaeta", + "genus Spirochaeta", + "spirochete", + "spirochaete", + "Treponemataceae", + "family Treponemataceae", + "genus Treponema", + "treponema", + "genus Borrelia", + "borrelia", + "Borrelia burgdorferi", + "Lime disease spirochete", + "genus Leptospira", + "leptospira", + "plankton", + "phytoplankton", + "planktonic algae", + "zooplankton", + "nekton", + "microbe", + "bug", + "germ", + "parasite", + "endoparasite", + "entoparasite", + "entozoan", + "entozoon", + "endozoan", + "ectoparasite", + "ectozoan", + "ectozoon", + "epizoan", + "epizoon", + "host", + "intermediate host", + "definitive host", + "pathogen", + "commensal", + "myrmecophile", + "Protoctista", + "kingdom Protoctista", + "protoctist", + "Protista", + "division Protista", + "protist", + "protistan", + "protoctist family", + "protoctist genus", + "Pyrrophyta", + "phylum Pyrrophyta", + "Protozoa", + "phylum Protozoa", + "protozoan", + "protozoon", + "Sarcodina", + "class Sarcodina", + "sarcodinian", + "sarcodine", + "Actinopoda", + "subclass Actinopoda", + "actinopod", + "Heliozoa", + "order Heliozoa", + "heliozoan", + "Radiolaria", + "order Radiolaria", + "radiolarian", + "Rhizopoda", + "subclass Rhizopoda", + "rhizopod", + "rhizopodan", + "Amoebida", + "order Amoebida", + "Amoebina", + "order Amoebina", + "genus Amoeba", + "Endamoebidae", + "family Endamoebidae", + "Endamoeba", + "genus Endamoeba", + "endameba", + "ameba", + "amoeba", + "Endamoeba histolytica", + "Foraminifera", + "order Foraminifera", + "foram", + "foraminifer", + "Globigerinidae", + "family Globigerinidae", + "genus Globigerina", + "globigerina", + "Nummulitidae", + "family Nummulitidae", + "nummulite", + "Testacea", + "order Testacea", + "testacean", + "Arcellidae", + "family Arcellidae", + "genus Arcella", + "arcella", + "genus Difflugia", + "difflugia", + "Ciliata", + "class Ciliata", + "Ciliophora", + "class Ciliophora", + "ciliate", + "ciliated protozoan", + "ciliophoran", + "Infusoria", + "subclass Infusoria", + "infusorian", + "genus Paramecium", + "paramecium", + "paramecia", + "genus Tetrahymena", + "tetrahymena", + "genus Stentor", + "stentor", + "genus Vorticella", + "vorticella", + "alga", + "algae", + "seaweed", + "arame", + "wrack", + "seagrass", + "sea wrack", + "wrack", + "chlorophyll", + "chlorophyl", + "chlorophyll a", + "chlorophyll b", + "chlorophyll c", + "chlorofucin", + "chlorophyll d", + "bacteriochlorophyll", + "phycobilin", + "phycoerythrin", + "phycocyanin", + "Heterokontophyta", + "division Heterokontophyta", + "Chrysophyta", + "division Chrysophyta", + "golden algae", + "yellow-green algae", + "Chrysophyceae", + "class Chrysophyceae", + "Heterokontae", + "class Heterokontae", + "Xanthophyceae", + "class Xanthophyceae", + "Bacillariophyceae", + "class Bacillariophyceae", + "Diatomophyceae", + "class Diatomophyceae", + "diatom", + "Heterotrichales", + "order Heterotrichales", + "Tribonemaceae", + "family Tribonemaceae", + "Tribonema", + "genus Tribonema", + "genus Conferva", + "conferva", + "confervoid algae", + "Phaeophyceae", + "class Phaeophyceae", + "Phaeophyta", + "division Phaeophyta", + "brown algae", + "Laminariales", + "order Laminariales", + "Laminariaceae", + "family Laminariaceae", + "Laminaria", + "genus Laminaria", + "kelp", + "sea tangle", + "tang", + "tang", + "sea tang", + "Fucales", + "order Fucales", + "Cyclosporeae", + "class Cyclosporeae", + "Fucaceae", + "family Fucaceae", + "fucoid", + "fucoid algae", + "fucoid", + "rockweed", + "genus Fucus", + "fucus", + "serrated wrack", + "Fucus serratus", + "tang", + "bladderwrack", + "black rockweed", + "bladder fucus", + "tang", + "Fucus vesiculosus", + "Ascophyllum", + "genus Ascophyllum", + "bladderwrack", + "Ascophyllum nodosum", + "genus Sargassum", + "gulfweed", + "sargassum", + "sargasso", + "Sargassum bacciferum", + "Euglenophyta", + "division Euglenophyta", + "Euglenophyceae", + "class Euglenophyceae", + "Euglenaceae", + "family Euglenaceae", + "genus Euglena", + "euglena", + "euglenoid", + "euglenophyte", + "euglenid", + "Chlorophyta", + "division Chlorophyta", + "Chlorophyceae", + "class Chlorophyceae", + "green algae", + "chlorophyte", + "Ulvophyceae", + "class Ulvophyceae", + "Ulvales", + "order Ulvales", + "Ulvaceae", + "family Ulvaceae", + "sea-lettuce family", + "Ulva", + "genus Ulva", + "sea lettuce", + "laver", + "Volvocales", + "order Volvocales", + "Volvocaceae", + "family Volvocaceae", + "Volvox", + "genus Volvox", + "Chlamydomonadaceae", + "family Chlamydomonadaceae", + "Chlamydomonas", + "genus Chlamydomonas", + "Zygnematales", + "order Zygnematales", + "Zygnemales", + "order Zygnemales", + "Zygnemataceae", + "family Zygnemataceae", + "Zygnema", + "genus Zygnema", + "pond scum", + "genus Spirogyra", + "spirogyra", + "Chlorococcales", + "order Chlorococcales", + "Chlorococcum", + "genus Chlorococcum", + "genus Chlorella", + "chlorella", + "Oedogoniales", + "order oedogoniales", + "Oedogoniaceae", + "family Oedogoniaceae", + "Oedogonium", + "genus Oedogonium", + "Charophyceae", + "class Charophyceae", + "Charales", + "order Charales", + "Characeae", + "family Characeae", + "stonewort", + "Chara", + "genus Chara", + "Nitella", + "genus Nitella", + "Desmidiaceae", + "family Desmidiaceae", + "Desmidium", + "genus Desmidium", + "desmid", + "Rhodophyta", + "division Rhodophyta", + "Rhodophyceae", + "class Rhodophyceae", + "red algae", + "sea moss", + "Gigartinaceae", + "family Gigartinaceae", + "Chondrus", + "genus Chondrus", + "Irish moss", + "carrageen", + "carageen", + "carragheen", + "Chondrus crispus", + "Rhodymeniaceae", + "family Rhodymeniaceae", + "Rhodymenia", + "genus Rhodymenia", + "dulse", + "Rhodymenia palmata", + "Bangiaceae", + "family Bangiaceae", + "Porphyra", + "genus Porphyra", + "red laver", + "laver", + "eukaryote", + "eucaryote", + "prokaryote", + "procaryote", + "zooid", + "Mastigophora", + "class Mastigophora", + "Flagellata", + "class Flagellata", + "flagellate", + "flagellate protozoan", + "flagellated protozoan", + "mastigophoran", + "mastigophore", + "Dinoflagellata", + "order Dinoflagellata", + "Cilioflagellata", + "order Cilioflagellata", + "dinoflagellate", + "genus Noctiluca", + "noctiluca", + "Noctiluca miliaris", + "Peridiniidae", + "family Peridiniidae", + "Peridinium", + "genus Peridinium", + "peridinian", + "Zoomastigina", + "subclass Zoomastigina", + "Leishmania", + "genus Leishmania", + "zoomastigote", + "zooflagellate", + "Hypermastigina", + "order Hypermastigina", + "hypermastigote", + "Polymastigina", + "order Polymastigina", + "polymastigote", + "genus Costia", + "costia", + "Costia necatrix", + "genus Giardia", + "giardia", + "Chilomastix", + "genus Chilomastix", + "Hexamita", + "genus Hexamita", + "genus Trichomonas", + "trichomonad", + "Phytomastigina", + "subclass Phytomastigina", + "plantlike flagellate", + "Cryptophyta", + "phylum Cryptophyta", + "Cryptophyceae", + "class Cryptophyceae", + "cryptomonad", + "cryptophyte", + "Sporozoa", + "class Sporozoa", + "sporozoan", + "sporozoite", + "trophozoite", + "merozoite", + "Telosporidia", + "subclass Telosporidia", + "Coccidia", + "order Coccidia", + "Eimeriidae", + "family Eimeriidae", + "genus Eimeria", + "coccidium", + "eimeria", + "Gregarinida", + "order Gregarinida", + "gregarine", + "Haemosporidia", + "order Haemosporidia", + "haemosporidian", + "Plasmodiidae", + "family Plasmodiidae", + "genus Plasmodium", + "plasmodium", + "Plasmodium vivax", + "malaria parasite", + "Haemoproteidae", + "family Haemoproteidae", + "haemoproteid", + "Haemoproteus", + "genus Haemoproteus", + "genus Leucocytozoon", + "genus Leucocytozoan", + "leucocytozoan", + "leucocytozoon", + "Babesiidae", + "family Babesiidae", + "genus Babesia", + "genus Piroplasma", + "piroplasm", + "Acnidosporidia", + "subclass Acnidosporidia", + "Sarcosporidia", + "order Sarcosporidia", + "Sarcocystis", + "genus Sarcocystis", + "sarcosporidian", + "sarcocystidean", + "sarcocystieian", + "Haplosporidia", + "order Haplosporidia", + "haplosporidian", + "Cnidosporidia", + "subclass Cnidosporidia", + "Actinomyxidia", + "order Actinomyxidia", + "actinomyxidian", + "Mycrosporidia", + "order Mycrosporidia", + "microsporidian", + "Myxosporidia", + "order Myxosporidia", + "myxosporidian", + "pseudopod", + "pseudopodium", + "plasmodium", + "Malacopterygii", + "superorder Malacopterygii", + "soft-finned fish", + "malacopterygian", + "Ostariophysi", + "order Ostariophysi", + "fish family", + "fish genus", + "Cypriniformes", + "order Cypriniformes", + "cypriniform fish", + "Cobitidae", + "family Cobitidae", + "loach", + "Cyprinidae", + "family Cyprinidae", + "cyprinid", + "cyprinid fish", + "carp", + "Cyprinus", + "genus Cyprinus", + "domestic carp", + "Cyprinus carpio", + "leather carp", + "mirror carp", + "Abramis", + "genus Abramis", + "European bream", + "Abramis brama", + "Tinca", + "genus Tinca", + "tench", + "Tinca tinca", + "Leuciscus", + "genus Leuciscus", + "dace", + "Leuciscus leuciscus", + "chub", + "Leuciscus cephalus", + "shiner", + "Notropis", + "genus Notropis", + "emerald shiner", + "Notropis atherinoides", + "common shiner", + "silversides", + "Notropis cornutus", + "Notemigonus", + "genus Notemigonus", + "golden shiner", + "Notemigonus crysoleucas", + "Rutilus", + "genus Rutilus", + "roach", + "Rutilus rutilus", + "Scardinius", + "genus Scardinius", + "rudd", + "Scardinius erythrophthalmus", + "Phoxinus", + "genus Phoxinus", + "minnow", + "Phoxinus phoxinus", + "Gobio", + "genus Gobio", + "gudgeon", + "Gobio gobio", + "Carassius", + "genus Carassius", + "goldfish", + "Carassius auratus", + "silverfish", + "crucian carp", + "Carassius carassius", + "Carassius vulgaris", + "Electrophoridae", + "family Electrophoridae", + "Electrophorus", + "genus Electrophorus", + "electric eel", + "Electrophorus electric", + "Catostomidae", + "family Catostomidae", + "catostomid", + "sucker", + "Catostomus", + "genus Catostomus", + "Ictiobus", + "genus Ictiobus", + "buffalo fish", + "buffalofish", + "black buffalo", + "Ictiobus niger", + "Hypentelium", + "genus Hypentelium", + "hog sucker", + "hog molly", + "Hypentelium nigricans", + "Maxostoma", + "genus Maxostoma", + "redhorse", + "redhorse sucker", + "Cyprinodontidae", + "family Cyprinodontidae", + "cyprinodont", + "killifish", + "Fundulus", + "genus Fundulus", + "mummichog", + "Fundulus heteroclitus", + "striped killifish", + "mayfish", + "may fish", + "Fundulus majalis", + "genus Rivulus", + "rivulus", + "Jordanella", + "genus Jordanella", + "flagfish", + "American flagfish", + "Jordanella floridae", + "Xyphophorus", + "genus Xyphophorus", + "swordtail", + "helleri", + "topminnow", + "Xyphophorus helleri", + "Lebistes", + "genus Lebistes", + "guppy", + "rainbow fish", + "Lebistes reticulatus", + "Poeciliidae", + "family Poeciliidae", + "topminnow", + "poeciliid fish", + "poeciliid", + "live-bearer", + "Gambusia", + "genus Gambusia", + "mosquitofish", + "Gambusia affinis", + "Platypoecilus", + "genus Platypoecilus", + "platy", + "Platypoecilus maculatus", + "Mollienesia", + "genus Mollienesia", + "mollie", + "molly", + "Berycomorphi", + "order Berycomorphi", + "Holocentridae", + "family Holocentridae", + "Holocentrus", + "genus Holocentrus", + "squirrelfish", + "reef squirrelfish", + "Holocentrus coruscus", + "deepwater squirrelfish", + "Holocentrus bullisi", + "Holocentrus ascensionis", + "soldierfish", + "soldier-fish", + "Anomalopidae", + "family Anomalopidae", + "genus Anomalops", + "anomalops", + "flashlight fish", + "Krypterophaneron", + "genus Krypterophaneron", + "Photoblepharon", + "genus Photoblepharon", + "flashlight fish", + "Photoblepharon palpebratus", + "Zeomorphi", + "order Zeomorphi", + "Zeidae", + "family Zeidae", + "dory", + "Zeus", + "genus Zeus", + "John Dory", + "Zeus faber", + "Caproidae", + "family Caproidae", + "Capros", + "genus Capros", + "boarfish", + "Capros aper", + "Antigonia", + "genus Antigonia", + "boarfish", + "Solenichthyes", + "order Solenichthyes", + "Fistulariidae", + "family Fistulariidae", + "Fistularia", + "genus Fistularia", + "cornetfish", + "Gasterosteidae", + "family Gasterosteidae", + "stickleback", + "prickleback", + "Gasterosteus", + "genus gasterosteus", + "three-spined stickleback", + "Gasterosteus aculeatus", + "ten-spined stickleback", + "Gasterosteus pungitius", + "Syngnathidae", + "family Syngnathidae", + "pipefish", + "needlefish", + "Syngnathus", + "genus Syngnathus", + "dwarf pipefish", + "Syngnathus hildebrandi", + "Cosmocampus", + "genus Cosmocampus", + "deepwater pipefish", + "Cosmocampus profundus", + "Hippocampus", + "genus Hippocampus", + "seahorse", + "sea horse", + "Macrorhamphosidae", + "family Macrorhamphosidae", + "snipefish", + "bellows fish", + "Centriscidae", + "family Centriscidae", + "shrimpfish", + "shrimp-fish", + "Aulostomidae", + "family Aulostomidae", + "Aulostomus", + "genus Aulostomus", + "trumpetfish", + "Aulostomus maculatus", + "cytostome", + "cilium", + "flagellum", + "flame cell", + "investment", + "pellicle", + "embryo", + "conceptus", + "fertilized egg", + "blastocoel", + "blastocoele", + "blastocele", + "segmentation cavity", + "cleavage cavity", + "blastoderm", + "germinal disc", + "blastodisc", + "germinal area", + "blastomere", + "fetus", + "foetus", + "monster", + "teras", + "abortus", + "egg", + "ovipositor", + "chalaza", + "nit", + "spawn", + "roe", + "roe", + "blastula", + "blastosphere", + "blastocyst", + "blastodermic vessicle", + "trophoblast", + "gastrula", + "morula", + "archenteron", + "blastopore", + "layer", + "embryonic tissue", + "germ layer", + "ectoderm", + "exoderm", + "ectoblast", + "neural tube", + "mesoderm", + "mesoblast", + "chordamesoderm", + "chordomesoderm", + "mesenchyme", + "endoderm", + "entoderm", + "endoblast", + "entoblast", + "hypoblast", + "silkworm seed", + "yolk", + "vitellus", + "yolk sac", + "yolk sac", + "vitelline sac", + "umbilical vesicle", + "vesicula umbilicus", + "fang", + "fang", + "tusk", + "Chordata", + "phylum Chordata", + "chordate", + "notochord", + "urochord", + "chordate family", + "chordate genus", + "Cephalochordata", + "subphylum Cephalochordata", + "cephalochordate", + "Amphioxidae", + "family Amphioxidae", + "Branchiostomidae", + "family Branchiostomidae", + "genus Amphioxus", + "lancelet", + "amphioxus", + "Urochordata", + "subphylum Urochordata", + "Urochorda", + "subphylum Urochorda", + "Tunicata", + "subphylum Tunicata", + "tunicate", + "urochordate", + "urochord", + "Ascidiaceae", + "class Ascidiaceae", + "ascidian", + "siphon", + "syphon", + "sea squirt", + "Thaliacea", + "class Thaliacea", + "Salpidae", + "family Salpidae", + "genus Salpa", + "salp", + "salpa", + "Doliolidae", + "family Doliolidae", + "genus Doliolum", + "doliolum", + "Larvacea", + "class Larvacea", + "larvacean", + "genus Appendicularia", + "appendicularia", + "ascidian tadpole", + "Vertebrata", + "subphylum Vertebrata", + "Craniata", + "subphylum Craniata", + "vertebrate", + "craniate", + "Amniota", + "amniote", + "amnion", + "amniotic sac", + "amnios", + "chorion", + "chorionic villus", + "allantois", + "chorioallantois", + "chorioallantoic membrane", + "aquatic vertebrate", + "Agnatha", + "superclass Agnatha", + "jawless vertebrate", + "jawless fish", + "agnathan", + "Ostracodermi", + "order Ostracodermi", + "ostracoderm", + "Heterostraci", + "suborder Heterostraci", + "heterostracan", + "Osteostraci", + "suborder Osteostraci", + "Cephalaspida", + "suborder Cephalaspida", + "osteostracan", + "cephalaspid", + "Anaspida", + "order Anaspida", + "anaspid", + "Conodonta", + "order Conodonta", + "Conodontophorida", + "order Conodontophorida", + "conodont", + "conodont", + "Cyclostomata", + "order Cyclostomata", + "cyclostome", + "Petromyzoniformes", + "suborder Petromyzoniformes", + "Hyperoartia", + "suborder Hyperoartia", + "Petromyzontidae", + "family Petromyzontidae", + "lamprey", + "lamprey eel", + "lamper eel", + "Petromyzon", + "genus Petromyzon", + "sea lamprey", + "Petromyzon marinus", + "Myxiniformes", + "suborder Myxiniformes", + "Hyperotreta", + "suborder Hyperotreta", + "Myxinoidei", + "Myxinoidea", + "suborder Myxinoidei", + "Myxinidae", + "family Myxinidae", + "hagfish", + "hag", + "slime eels", + "Myxine", + "genus Myxine", + "Myxine glutinosa", + "genus Eptatretus", + "eptatretus", + "Myxinikela", + "genus Myxinikela", + "Myxinikela siroka", + "Gnathostomata", + "superclass Gnathostomata", + "gnathostome", + "Placodermi", + "class Placodermi", + "placoderm", + "Chondrichthyes", + "class Chondrichthyes", + "cartilaginous fish", + "chondrichthian", + "Holocephali", + "subclass Holocephali", + "holocephalan", + "holocephalian", + "Chimaeridae", + "family Chimaeridae", + "genus Chimaera", + "chimaera", + "rabbitfish", + "Chimaera monstrosa", + "Elasmobranchii", + "subclass Elasmobranchii", + "Selachii", + "subclass Selachii", + "elasmobranch", + "selachian", + "shark", + "Hexanchidae", + "family Hexanchidae", + "Hexanchus", + "genus Hexanchus", + "cow shark", + "six-gilled shark", + "Hexanchus griseus", + "Lamnidae", + "family Lamnidae", + "Isuridae", + "family Isuridae", + "mackerel shark", + "Lamna", + "genus Lamna", + "porbeagle", + "Lamna nasus", + "Isurus", + "genus Isurus", + "mako", + "mako shark", + "shortfin mako", + "Isurus oxyrhincus", + "longfin mako", + "Isurus paucus", + "bonito shark", + "blue pointed", + "Isurus glaucus", + "Carcharodon", + "genus Carcharodon", + "great white shark", + "white shark", + "man-eater", + "man-eating shark", + "Carcharodon carcharias", + "Cetorhinus", + "genus Cetorhinus", + "Cetorhinidae", + "family Cetorhinidae", + "basking shark", + "Cetorhinus maximus", + "Alopiidae", + "family Alopiidae", + "Alopius", + "genus Alopius", + "thresher", + "thrasher", + "thresher shark", + "fox shark", + "Alopius vulpinus", + "Orectolobidae", + "family Orectolobidae", + "Orectolobus", + "genus Orectolobus", + "carpet shark", + "Orectolobus barbatus", + "Ginglymostoma", + "genus Ginglymostoma", + "nurse shark", + "Ginglymostoma cirratum", + "Carchariidae", + "family Carchariidae", + "Odontaspididae", + "family Odontaspididae", + "Carcharias", + "genus Carcharias", + "Odontaspis", + "genus Odontaspis", + "sand tiger", + "sand shark", + "Carcharias taurus", + "Odontaspis taurus", + "Rhincodontidae", + "family Rhincodontidae", + "Rhincodon", + "genus Rhincodon", + "whale shark", + "Rhincodon typus", + "Scyliorhinidae", + "family Scyliorhinidae", + "cat shark", + "Carcharhinidae", + "family Carcharhinidae", + "requiem shark", + "Carcharhinus", + "genus Carcharhinus", + "bull shark", + "cub shark", + "Carcharhinus leucas", + "sandbar shark", + "Carcharhinus plumbeus", + "blacktip shark", + "sandbar shark", + "Carcharhinus limbatus", + "whitetip shark", + "oceanic whitetip shark", + "white-tipped shark", + "Carcharinus longimanus", + "dusky shark", + "Carcharhinus obscurus", + "Negaprion", + "genus Negaprion", + "lemon shark", + "Negaprion brevirostris", + "Prionace", + "genus Prionace", + "blue shark", + "great blue shark", + "Prionace glauca", + "Galeocerdo", + "genus Galeocerdo", + "tiger shark", + "Galeocerdo cuvieri", + "Galeorhinus", + "genus Galeorhinus", + "soupfin shark", + "soupfin", + "soup-fin", + "Galeorhinus zyopterus", + "dogfish", + "Triakidae", + "family Triakidae", + "Mustelus", + "genus Mustelus", + "smooth dogfish", + "smoothhound", + "smoothhound shark", + "Mustelus mustelus", + "American smooth dogfish", + "Mustelus canis", + "Florida smoothhound", + "Mustelus norrisi", + "Triaenodon", + "genus Triaenodon", + "whitetip shark", + "reef whitetip shark", + "Triaenodon obseus", + "Squalidae", + "family Squalidae", + "spiny dogfish", + "Squalus", + "genus Squalus", + "Atlantic spiny dogfish", + "Squalus acanthias", + "Pacific spiny dogfish", + "Squalus suckleyi", + "Sphyrnidae", + "family Sphyrnidae", + "Sphyrna", + "genus Sphyrna", + "hammerhead", + "hammerhead shark", + "smooth hammerhead", + "Sphyrna zygaena", + "smalleye hammerhead", + "Sphyrna tudes", + "shovelhead", + "bonnethead", + "bonnet shark", + "Sphyrna tiburo", + "Squatinidae", + "family Squatinidae", + "Squatina", + "genus Squatina", + "angel shark", + "angelfish", + "Squatina squatina", + "monkfish", + "ray", + "Torpediniformes", + "order Torpediniformes", + "Torpedinidae", + "family Torpedinidae", + "electric ray", + "crampfish", + "numbfish", + "torpedo", + "Rajiformes", + "order Rajiformes", + "Batoidei", + "order Batoidei", + "Pristidae", + "family Pristidae", + "sawfish", + "Pristis", + "genus Pristis", + "smalltooth sawfish", + "Pristis pectinatus", + "Rhinobatidae", + "family Rhinobatidae", + "guitarfish", + "Dasyatidae", + "family Dasyatidae", + "stingray", + "Dasyatis", + "genus Dasyatis", + "roughtail stingray", + "Dasyatis centroura", + "Gymnura", + "genus Gymnura", + "butterfly ray", + "Myliobatidae", + "family Myliobatidae", + "eagle ray", + "Aetobatus", + "genus Aetobatus", + "spotted eagle ray", + "spotted ray", + "Aetobatus narinari", + "Rhinoptera", + "genus Rhinoptera", + "cownose ray", + "cow-nosed ray", + "Rhinoptera bonasus", + "Mobulidae", + "family Mobulidae", + "manta", + "manta ray", + "devilfish", + "genus Manta", + "Atlantic manta", + "Manta birostris", + "Mobula", + "genus Mobula", + "devil ray", + "Mobula hypostoma", + "Rajidae", + "family Rajidae", + "skate", + "Raja", + "genus Raja", + "grey skate", + "gray skate", + "Raja batis", + "little skate", + "Raja erinacea", + "thorny skate", + "Raja radiata", + "barndoor skate", + "Raja laevis", + "Aves", + "class Aves", + "bird", + "dickeybird", + "dickey-bird", + "dickybird", + "dicky-bird", + "fledgling", + "fledgeling", + "nestling", + "baby bird", + "bird family", + "bird genus", + "breast", + "throat", + "cock", + "gamecock", + "fighting cock", + "hen", + "nester", + "night bird", + "night raven", + "bird of passage", + "genus Protoavis", + "protoavis", + "Archaeornithes", + "subclass Archaeornithes", + "genus Archaeopteryx", + "genus Archeopteryx", + "archaeopteryx", + "archeopteryx", + "Archaeopteryx lithographica", + "genus Sinornis", + "Sinornis", + "genus Ibero-mesornis", + "Ibero-mesornis", + "genus Archaeornis", + "archaeornis", + "ratite", + "ratite bird", + "flightless bird", + "carinate", + "carinate bird", + "flying bird", + "Ratitae", + "superorder Ratitae", + "Struthioniformes", + "order Struthioniformes", + "Struthionidae", + "family Struthionidae", + "Struthio", + "genus Struthio", + "ostrich", + "Struthio camelus", + "Casuariiformes", + "order Casuariiformes", + "Casuaridae", + "family Casuaridae", + "Casuarius", + "genus Casuarius", + "cassowary", + "Dromaius", + "genus Dromaius", + "emu", + "Dromaius novaehollandiae", + "Emu novaehollandiae", + "Apterygiformes", + "order Apterygiformes", + "Apterygidae", + "family Apterygidae", + "genus Apteryx", + "kiwi", + "apteryx", + "Rheiformes", + "order Rheiformes", + "Rheidae", + "family Rheidae", + "genus Rhea", + "rhea", + "Rhea americana", + "Pterocnemia", + "genus Pterocnemia", + "rhea", + "nandu", + "Pterocnemia pennata", + "Aepyorniformes", + "order Aepyorniformes", + "Aepyornidae", + "family Aepyornidae", + "genus Aepyornis", + "elephant bird", + "aepyornis", + "Dinornithiformes", + "order Dinornithiformes", + "Dinornithidae", + "family Dinornithidae", + "Dinornis", + "genus Dinornis", + "moa", + "giant moa", + "Dinornis giganteus", + "genus Anomalopteryx", + "anomalopteryx", + "Anomalopteryx oweni", + "Insessores", + "order Insessores", + "perching bird", + "percher", + "Passeriformes", + "order Passeriformes", + "passerine", + "passeriform bird", + "nonpasserine bird", + "Oscines", + "suborder Oscines", + "Passeres", + "suborder Passeres", + "oscine", + "oscine bird", + "songbird", + "songster", + "Meliphagidae", + "family Meliphagidae", + "honey eater", + "honeysucker", + "Prunellidae", + "family Prunellidae", + "Prunella", + "genus Prunella", + "accentor", + "hedge sparrow", + "sparrow", + "dunnock", + "Prunella modularis", + "Alaudidae", + "family Alaudidae", + "lark", + "Alauda", + "genus Alauda", + "skylark", + "Alauda arvensis", + "Motacillidae", + "family Motacillidae", + "Motacilla", + "genus Motacilla", + "wagtail", + "Anthus", + "genus Anthus", + "pipit", + "titlark", + "lark", + "meadow pipit", + "Anthus pratensis", + "Fringillidae", + "family Fringillidae", + "finch", + "Fringilla", + "genus Fringilla", + "chaffinch", + "Fringilla coelebs", + "brambling", + "Fringilla montifringilla", + "Carduelinae", + "subfamily Carduelinae", + "Carduelis", + "genus Carduelis", + "goldfinch", + "Carduelis carduelis", + "linnet", + "lintwhite", + "Carduelis cannabina", + "siskin", + "Carduelis spinus", + "red siskin", + "Carduelis cucullata", + "redpoll", + "Carduelis flammea", + "redpoll", + "Carduelis hornemanni", + "Spinus", + "genus Spinus", + "New World goldfinch", + "goldfinch", + "yellowbird", + "Spinus tristis", + "pine siskin", + "pine finch", + "Spinus pinus", + "Carpodacus", + "genus Carpodacus", + "house finch", + "linnet", + "Carpodacus mexicanus", + "purple finch", + "Carpodacus purpureus", + "Serinus", + "genus Serinus", + "canary", + "canary bird", + "common canary", + "Serinus canaria", + "serin", + "Loxia", + "genus Loxia", + "crossbill", + "Loxia curvirostra", + "Pyrrhula", + "genus Pyrrhula", + "bullfinch", + "Pyrrhula pyrrhula", + "genus Junco", + "junco", + "snowbird", + "dark-eyed junco", + "slate-colored junco", + "Junco hyemalis", + "New World sparrow", + "Pooecetes", + "genus Pooecetes", + "vesper sparrow", + "grass finch", + "Pooecetes gramineus", + "Zonotrichia", + "genus Zonotrichia", + "white-throated sparrow", + "whitethroat", + "Zonotrichia albicollis", + "white-crowned sparrow", + "Zonotrichia leucophrys", + "Spizella", + "genus Spizella", + "chipping sparrow", + "Spizella passerina", + "field sparrow", + "Spizella pusilla", + "tree sparrow", + "Spizella arborea", + "Melospiza", + "genus Melospiza", + "song sparrow", + "Melospiza melodia", + "swamp sparrow", + "Melospiza georgiana", + "Emberizidae", + "subfamily Emberizidae", + "subfamily Emberizinae", + "bunting", + "Passerina", + "genus Passerina", + "indigo bunting", + "indigo finch", + "indigo bird", + "Passerina cyanea", + "Emberiza", + "genus Emberiza", + "ortolan", + "ortolan bunting", + "Emberiza hortulana", + "reed bunting", + "Emberiza schoeniclus", + "yellowhammer", + "yellow bunting", + "Emberiza citrinella", + "yellow-breasted bunting", + "Emberiza aureola", + "Plectrophenax", + "genus Plectrophenax", + "snow bunting", + "snowbird", + "snowflake", + "Plectrophenax nivalis", + "Coerebidae", + "family Coerebidae", + "Dacninae", + "family Dacninae", + "honeycreeper", + "Coereba", + "genus Coereba", + "banana quit", + "Passeridae", + "family Passeridae", + "sparrow", + "true sparrow", + "Passer", + "genus Passer", + "English sparrow", + "house sparrow", + "Passer domesticus", + "tree sparrow", + "Passer montanus", + "grosbeak", + "grossbeak", + "Hesperiphona", + "genus Hesperiphona", + "evening grosbeak", + "Hesperiphona vespertina", + "Coccothraustes", + "genus Coccothraustes", + "hawfinch", + "Coccothraustes coccothraustes", + "Pinicola", + "genus Pinicola", + "pine grosbeak", + "Pinicola enucleator", + "Richmondena", + "genus Richmondena", + "cardinal", + "cardinal grosbeak", + "Richmondena Cardinalis", + "Cardinalis cardinalis", + "redbird", + "genus Pyrrhuloxia", + "pyrrhuloxia", + "Pyrrhuloxia sinuata", + "towhee", + "Pipilo", + "genus Pipilo", + "chewink", + "cheewink", + "Pipilo erythrophthalmus", + "Chlorura", + "genus Chlorura", + "green-tailed towhee", + "Chlorura chlorura", + "Ploceidae", + "family Ploceidae", + "weaver", + "weaverbird", + "weaver finch", + "Ploceus", + "genus Ploceus", + "baya", + "Ploceus philippinus", + "Vidua", + "genus Vidua", + "whydah", + "whidah", + "widow bird", + "Padda", + "genus Padda", + "Java sparrow", + "Java finch", + "ricebird", + "Padda oryzivora", + "Estrilda", + "genus Estrilda", + "avadavat", + "amadavat", + "Poephila", + "genus Poephila", + "grassfinch", + "grass finch", + "zebra finch", + "Poephila castanotis", + "Drepanididae", + "family Drepanididae", + "honeycreeper", + "Hawaiian honeycreeper", + "Drepanis", + "genus Drepanis", + "mamo", + "Menurae", + "suborder Menurae", + "Menuridae", + "family Menuridae", + "Menura", + "genus Menura", + "lyrebird", + "Atrichornithidae", + "family Atrichornithidae", + "Atrichornis", + "genus Atrichornis", + "scrubbird", + "scrub-bird", + "scrub bird", + "Eurylaimi", + "suborder Eurylaimi", + "Eurylaimidae", + "family Eurylaimidae", + "broadbill", + "Tyranni", + "suborder Tyranni", + "tyrannid", + "Clamatores", + "suborder Clamatores", + "Tyrannidae", + "superfamily Tyrannidae", + "New World flycatcher", + "flycatcher", + "tyrant flycatcher", + "tyrant bird", + "Tyrannus", + "genus Tyrannus", + "kingbird", + "Tyrannus tyrannus", + "Arkansas kingbird", + "western kingbird", + "Cassin's kingbird", + "Tyrannus vociferans", + "eastern kingbird", + "grey kingbird", + "gray kingbird", + "petchary", + "Tyrannus domenicensis domenicensis", + "Contopus", + "genus Contopus", + "pewee", + "peewee", + "peewit", + "pewit", + "wood pewee", + "Contopus virens", + "western wood pewee", + "Contopus sordidulus", + "Sayornis", + "genus Sayornis", + "phoebe", + "phoebe bird", + "Sayornis phoebe", + "Pyrocephalus", + "genus Pyrocephalus", + "vermillion flycatcher", + "firebird", + "Pyrocephalus rubinus mexicanus", + "Cotingidae", + "family Cotingidae", + "genus Cotinga", + "cotinga", + "chatterer", + "Rupicola", + "genus Rupicola", + "cock of the rock", + "Rupicola rupicola", + "cock of the rock", + "Rupicola peruviana", + "Pipridae", + "family Pipridae", + "Pipra", + "genus Pipra", + "manakin", + "Procnias", + "genus Procnias", + "bellbird", + "Cephalopterus", + "genus Cephalopterus", + "umbrella bird", + "Cephalopterus ornatus", + "Furnariidae", + "family Furnariidae", + "Furnarius", + "genus Furnarius", + "ovenbird", + "Formicariidae", + "family Formicariidae", + "antbird", + "ant bird", + "Formicarius", + "genus Formicarius", + "ant thrush", + "Thamnophilus", + "genus Thamnophilus", + "ant shrike", + "Hylophylax", + "genus Hylophylax", + "spotted antbird", + "Hylophylax naevioides", + "Dendrocolaptidae", + "family Dendrocolaptidae", + "Dendrocolaptes", + "genus Dendrocolaptes", + "woodhewer", + "woodcreeper", + "wood-creeper", + "tree creeper", + "Pittidae", + "family Pittidae", + "genus Pitta", + "pitta", + "Muscivora", + "genus Muscivora", + "scissortail", + "scissortailed flycatcher", + "Muscivora-forficata", + "Muscicapidae", + "family Muscicapidae", + "Old World flycatcher", + "true flycatcher", + "flycatcher", + "Muscicapa", + "genus Muscicapa", + "spotted flycatcher", + "Muscicapa striata", + "Muscicapa grisola", + "Pachycephala", + "genus Pachycephala", + "thickhead", + "whistler", + "Turdidae", + "family Turdidae", + "Turdinae", + "subfamily Turdinae", + "thrush", + "Turdus", + "genus Turdus", + "missel thrush", + "mistle thrush", + "mistletoe thrush", + "Turdus viscivorus", + "song thrush", + "mavis", + "throstle", + "Turdus philomelos", + "fieldfare", + "snowbird", + "Turdus pilaris", + "redwing", + "Turdus iliacus", + "blackbird", + "merl", + "merle", + "ouzel", + "ousel", + "European blackbird", + "Turdus merula", + "ring ouzel", + "ring blackbird", + "ring thrush", + "Turdus torquatus", + "robin", + "American robin", + "Turdus migratorius", + "clay-colored robin", + "Turdus greyi", + "Hylocichla", + "genus Hylocichla", + "hermit thrush", + "Hylocichla guttata", + "veery", + "Wilson's thrush", + "Hylocichla fuscescens", + "wood thrush", + "Hylocichla mustelina", + "Luscinia", + "genus Luscinia", + "nightingale", + "Luscinia megarhynchos", + "thrush nightingale", + "Luscinia luscinia", + "bulbul", + "Saxicola", + "genus Saxicola", + "Old World chat", + "chat", + "stonechat", + "Saxicola torquata", + "whinchat", + "Saxicola rubetra", + "Myadestes", + "genus Myadestes", + "solitaire", + "Phoenicurus", + "genus Phoenicurus", + "redstart", + "redtail", + "Oenanthe", + "genus Oenanthe", + "wheatear", + "Sialia", + "genus Sialia", + "bluebird", + "Erithacus", + "genus Erithacus", + "robin", + "redbreast", + "robin redbreast", + "Old World robin", + "Erithacus rubecola", + "bluethroat", + "Erithacus svecicus", + "Sylviidae", + "family Sylviidae", + "Sylviinae", + "subfamily Sylviinae", + "warbler", + "Polioptila", + "genus Polioptila", + "gnatcatcher", + "Regulus", + "genus Regulus", + "kinglet", + "goldcrest", + "golden-crested kinglet", + "Regulus regulus", + "gold-crowned kinglet", + "Regulus satrata", + "ruby-crowned kinglet", + "ruby-crowned wren", + "Regulus calendula", + "Old World warbler", + "true warbler", + "Silvia", + "genus Silvia", + "blackcap", + "Silvia atricapilla", + "greater whitethroat", + "whitethroat", + "Sylvia communis", + "lesser whitethroat", + "whitethroat", + "Sylvia curruca", + "Phylloscopus", + "genus Phylloscopus", + "wood warbler", + "Phylloscopus sibilatrix", + "Acrocephalus", + "genus Acrocephalus", + "sedge warbler", + "sedge bird", + "sedge wren", + "reedbird", + "Acrocephalus schoenobaenus", + "Prinia", + "genus Prinia", + "wren warbler", + "Orthotomus", + "genus Orthotomus", + "tailorbird", + "Orthotomus sutorius", + "Timaliidae", + "family Timaliidae", + "Timalia", + "genus Timalia", + "babbler", + "cackler", + "Parulidae", + "family Parulidae", + "New World warbler", + "wood warbler", + "Parula", + "genus Parula", + "parula warbler", + "northern parula", + "Parula americana", + "Wilson's warbler", + "Wilson's blackcap", + "Wilsonia pusilla", + "Setophaga", + "genus Setophaga", + "flycatching warbler", + "American redstart", + "redstart", + "Setophaga ruticilla", + "Dendroica", + "genus Dendroica", + "Cape May warbler", + "Dendroica tigrina", + "yellow warbler", + "golden warbler", + "yellowbird", + "Dendroica petechia", + "Blackburn", + "Blackburnian warbler", + "Dendroica fusca", + "Audubon's warbler", + "Audubon warbler", + "Dendroica auduboni", + "myrtle warbler", + "myrtle bird", + "Dendroica coronata", + "blackpoll", + "Dendroica striate", + "Icteria", + "genus Icteria", + "New World chat", + "chat", + "yellow-breasted chat", + "Icteria virens", + "Seiurus", + "genus Seiurus", + "ovenbird", + "Seiurus aurocapillus", + "water thrush", + "Geothlypis", + "genus Geothlypis", + "yellowthroat", + "common yellowthroat", + "Maryland yellowthroat", + "Geothlypis trichas", + "Paradisaeidae", + "family Paradisaeidae", + "bird of paradise", + "Ptloris", + "genus Ptloris", + "riflebird", + "Ptloris paradisea", + "Icteridae", + "family Icteridae", + "New World oriole", + "American oriole", + "oriole", + "Icterus", + "genus Icterus", + "northern oriole", + "Icterus galbula", + "Baltimore oriole", + "Baltimore bird", + "hangbird", + "firebird", + "Icterus galbula galbula", + "Bullock's oriole", + "Icterus galbula bullockii", + "orchard oriole", + "Icterus spurius", + "Sturnella", + "genus Sturnella", + "meadowlark", + "lark", + "eastern meadowlark", + "Sturnella magna", + "western meadowlark", + "Sturnella neglecta", + "Cacicus", + "genus Cacicus", + "cacique", + "cazique", + "Dolichonyx", + "genus Dolichonyx", + "bobolink", + "ricebird", + "reedbird", + "Dolichonyx oryzivorus", + "New World blackbird", + "blackbird", + "Quiscalus", + "genus Quiscalus", + "grackle", + "crow blackbird", + "purple grackle", + "Quiscalus quiscula", + "Euphagus", + "genus Euphagus", + "rusty blackbird", + "rusty grackle", + "Euphagus carilonus", + "Molothrus", + "genus Molothrus", + "cowbird", + "Agelaius", + "genus Agelaius", + "red-winged blackbird", + "redwing", + "Agelaius phoeniceus", + "Oriolidae", + "family Oriolidae", + "Old World oriole", + "oriole", + "Oriolus", + "genus Oriolus", + "golden oriole", + "Oriolus oriolus", + "Sphecotheres", + "genus Sphecotheres", + "fig-bird", + "Sturnidae", + "family Sturnidae", + "starling", + "Sturnus", + "genus Sturnus", + "common starling", + "Sturnus vulgaris", + "Pastor", + "subgenus Pastor", + "rose-colored starling", + "rose-colored pastor", + "Pastor sturnus", + "Pastor roseus", + "myna", + "mynah", + "mina", + "minah", + "myna bird", + "mynah bird", + "Acridotheres", + "genus Acridotheres", + "crested myna", + "Acridotheres tristis", + "Gracula", + "genus Gracula", + "hill myna", + "Indian grackle", + "grackle", + "Gracula religiosa", + "Corvidae", + "family Corvidae", + "corvine bird", + "Corvus", + "genus Corvus", + "crow", + "American crow", + "Corvus brachyrhyncos", + "raven", + "Corvus corax", + "rook", + "Corvus frugilegus", + "jackdaw", + "daw", + "Corvus monedula", + "chough", + "Garrulinae", + "subfamily Garrulinae", + "jay", + "Garrulus", + "genus Garrulus", + "Old World jay", + "common European jay", + "Garullus garullus", + "Cyanocitta", + "genus Cyanocitta", + "New World jay", + "blue jay", + "jaybird", + "Cyanocitta cristata", + "Perisoreus", + "genus Perisoreus", + "Canada jay", + "grey jay", + "gray jay", + "camp robber", + "whisker jack", + "Perisoreus canadensis", + "Rocky Mountain jay", + "Perisoreus canadensis capitalis", + "Nucifraga", + "genus Nucifraga", + "nutcracker", + "common nutcracker", + "Nucifraga caryocatactes", + "Clark's nutcracker", + "Nucifraga columbiana", + "Pica", + "genus Pica", + "magpie", + "European magpie", + "Pica pica", + "American magpie", + "Pica pica hudsonia", + "Cracticidae", + "family Cracticidae", + "Australian magpie", + "Cracticus", + "genus Cracticus", + "butcherbird", + "Strepera", + "genus Strepera", + "currawong", + "bell magpie", + "Gymnorhina", + "genus Gymnorhina", + "piping crow", + "piping crow-shrike", + "Gymnorhina tibicen", + "Troglodytidae", + "family Troglodytidae", + "wren", + "jenny wren", + "Troglodytes", + "genus Troglodytes", + "winter wren", + "Troglodytes troglodytes", + "house wren", + "Troglodytes aedon", + "Cistothorus", + "genus Cistothorus", + "marsh wren", + "long-billed marsh wren", + "Cistothorus palustris", + "sedge wren", + "short-billed marsh wren", + "Cistothorus platensis", + "Salpinctes", + "genus Salpinctes", + "rock wren", + "Salpinctes obsoletus", + "Thryothorus", + "genus Thryothorus", + "Carolina wren", + "Thryothorus ludovicianus", + "Campylorhynchus", + "genus Campylorhynchus", + "Heleodytes", + "genus Heleodytes", + "cactus wren", + "Mimidae", + "family Mimidae", + "Mimus", + "genus Mimus", + "mockingbird", + "mocker", + "Mimus polyglotktos", + "Melanotis", + "genus Melanotis", + "blue mockingbird", + "Melanotis caerulescens", + "Dumetella", + "genus Dumetella", + "catbird", + "grey catbird", + "gray catbird", + "Dumetella carolinensis", + "Toxostoma", + "genus Toxostoma", + "thrasher", + "mocking thrush", + "brown thrasher", + "brown thrush", + "Toxostoma rufums", + "Xenicidae", + "family Xenicidae", + "Acanthisittidae", + "family Acanthisittidae", + "New Zealand wren", + "Xenicus", + "genus Xenicus", + "rock wren", + "Xenicus gilviventris", + "Acanthisitta", + "genus Acanthisitta", + "rifleman bird", + "Acanthisitta chloris", + "Certhiidae", + "family Certhiidae", + "creeper", + "tree creeper", + "Certhia", + "genus Certhia", + "brown creeper", + "American creeper", + "Certhia americana", + "European creeper", + "Certhia familiaris", + "Tichodroma", + "genus Tichodroma", + "wall creeper", + "tichodrome", + "Tichodroma muriaria", + "Sittidae", + "family Sittidae", + "nuthatch", + "nutcracker", + "Sitta", + "genus Sitta", + "European nuthatch", + "Sitta europaea", + "red-breasted nuthatch", + "Sitta canadensis", + "white-breasted nuthatch", + "Sitta carolinensis", + "Paridae", + "family Paridae", + "titmouse", + "tit", + "Parus", + "genus Parus", + "chickadee", + "black-capped chickadee", + "blackcap", + "Parus atricapillus", + "tufted titmouse", + "Parus bicolor", + "Carolina chickadee", + "Parus carolinensis", + "blue tit", + "tomtit", + "Parus caeruleus", + "Psaltriparus", + "genus Psaltriparus", + "bushtit", + "bush tit", + "Chamaea", + "genus Chamaea", + "wren-tit", + "Chamaea fasciata", + "Auriparus", + "genus Auriparus", + "verdin", + "Auriparus flaviceps", + "Irenidae", + "family Irenidae", + "Irena", + "genus Irena", + "fairy bluebird", + "bluebird", + "Hirundinidae", + "family Hirundinidae", + "swallow", + "Hirundo", + "genus Hirundo", + "barn swallow", + "chimney swallow", + "Hirundo rustica", + "cliff swallow", + "Hirundo pyrrhonota", + "tree swallow", + "tree martin", + "Hirundo nigricans", + "Iridoprocne", + "genus Iridoprocne", + "white-bellied swallow", + "tree swallow", + "Iridoprocne bicolor", + "martin", + "Delichon", + "genus Delichon", + "house martin", + "Delichon urbica", + "Riparia", + "genus Riparia", + "bank martin", + "bank swallow", + "sand martin", + "Riparia riparia", + "Progne", + "genus Progne", + "purple martin", + "Progne subis", + "Artamidae", + "family Artamidae", + "Artamus", + "genus Artamus", + "wood swallow", + "swallow shrike", + "Thraupidae", + "family Thraupidae", + "tanager", + "Piranga", + "genus Piranga", + "scarlet tanager", + "Piranga olivacea", + "redbird", + "firebird", + "western tanager", + "Piranga ludoviciana", + "summer tanager", + "summer redbird", + "Piranga rubra", + "hepatic tanager", + "Piranga flava hepatica", + "Laniidae", + "family Laniidae", + "shrike", + "Lanius", + "genus Lanius", + "butcherbird", + "European shrike", + "Lanius excubitor", + "northern shrike", + "Lanius borealis", + "white-rumped shrike", + "Lanius ludovicianus excubitorides", + "loggerhead shrike", + "Lanius lucovicianus", + "migrant shrike", + "Lanius ludovicianus migrans", + "Malaconotinae", + "subfamily Malaconotinae", + "bush shrike", + "Chlorophoneus", + "genus Chlorophoneus", + "black-fronted bush shrike", + "Chlorophoneus nigrifrons", + "Ptilonorhynchidae", + "family Ptilonorhynchidae", + "bowerbird", + "catbird", + "Ptilonorhynchus", + "genus Ptilonorhynchus", + "satin bowerbird", + "satin bird", + "Ptilonorhynchus violaceus", + "Chlamydera", + "genus Chlamydera", + "great bowerbird", + "Chlamydera nuchalis", + "Cinclidae", + "family Cinclidae", + "water ouzel", + "dipper", + "Cinclus", + "genus Cinclus", + "European water ouzel", + "Cinclus aquaticus", + "American water ouzel", + "Cinclus mexicanus", + "Vireonidae", + "family Vireonidae", + "genus Vireo", + "vireo", + "red-eyed vireo", + "Vireo olivaceous", + "solitary vireo", + "Vireo solitarius", + "blue-headed vireo", + "Vireo solitarius solitarius", + "Bombycillidae", + "family Bombycillidae", + "Bombycilla", + "genus bombycilla", + "waxwing", + "cedar waxwing", + "cedarbird", + "Bombycilla cedrorun", + "Bohemian waxwing", + "Bombycilla garrulus", + "Raptores", + "order Raptores", + "bird of prey", + "raptor", + "raptorial bird", + "Falconiformes", + "order Falconiformes", + "Accipitriformes", + "order Accipitriformes", + "Accipitridae", + "family Accipitridae", + "hawk", + "eyas", + "tiercel", + "tercel", + "tercelet", + "Accipiter", + "genus Accipiter", + "goshawk", + "Accipiter gentilis", + "sparrow hawk", + "Accipiter nisus", + "Cooper's hawk", + "blue darter", + "Accipiter cooperii", + "chicken hawk", + "hen hawk", + "Buteo", + "genus Buteo", + "buteonine", + "redtail", + "red-tailed hawk", + "Buteo jamaicensis", + "rough-legged hawk", + "roughleg", + "Buteo lagopus", + "red-shouldered hawk", + "Buteo lineatus", + "buzzard", + "Buteo buteo", + "Pernis", + "genus Pernis", + "honey buzzard", + "Pernis apivorus", + "kite", + "Milvus", + "genus-Milvus", + "black kite", + "Milvus migrans", + "Elanoides", + "genus Elanoides", + "swallow-tailed kite", + "swallow-tailed hawk", + "Elanoides forficatus", + "Elanus", + "genus Elanus", + "white-tailed kite", + "Elanus leucurus", + "Circus", + "genus Circus", + "harrier", + "marsh harrier", + "Circus Aeruginosus", + "Montagu's harrier", + "Circus pygargus", + "marsh hawk", + "northern harrier", + "hen harrier", + "Circus cyaneus", + "Circaetus", + "genus Circaetus", + "harrier eagle", + "short-toed eagle", + "Falconidae", + "family Falconidae", + "falcon", + "Falco", + "genus Falco", + "peregrine", + "peregrine falcon", + "Falco peregrinus", + "falcon-gentle", + "falcon-gentil", + "gyrfalcon", + "gerfalcon", + "Falco rusticolus", + "kestrel", + "Falco tinnunculus", + "sparrow hawk", + "American kestrel", + "kestrel", + "Falco sparverius", + "pigeon hawk", + "merlin", + "Falco columbarius", + "hobby", + "Falco subbuteo", + "caracara", + "Polyborus", + "genus Polyborus", + "Audubon's caracara", + "Polyborus cheriway audubonii", + "carancha", + "Polyborus plancus", + "eagle", + "bird of Jove", + "young bird", + "eaglet", + "Harpia", + "genus Harpia", + "harpy", + "harpy eagle", + "Harpia harpyja", + "Aquila", + "genus Aquila", + "golden eagle", + "Aquila chrysaetos", + "tawny eagle", + "Aquila rapax", + "ringtail", + "Haliaeetus", + "genus Haliaeetus", + "bald eagle", + "American eagle", + "Haliaeetus leucocephalus", + "sea eagle", + "Kamchatkan sea eagle", + "Stellar's sea eagle", + "Haliaeetus pelagicus", + "ern", + "erne", + "grey sea eagle", + "gray sea eagle", + "European sea eagle", + "white-tailed sea eagle", + "Haliatus albicilla", + "fishing eagle", + "Haliaeetus leucorhyphus", + "Pandionidae", + "family Pandionidae", + "Pandion", + "genus Pandion", + "osprey", + "fish hawk", + "fish eagle", + "sea eagle", + "Pandion haliaetus", + "vulture", + "Aegypiidae", + "family Aegypiidae", + "Old World vulture", + "Gyps", + "genus Gyps", + "griffon vulture", + "griffon", + "Gyps fulvus", + "Gypaetus", + "genus Gypaetus", + "bearded vulture", + "lammergeier", + "lammergeyer", + "Gypaetus barbatus", + "Neophron", + "genus Neophron", + "Egyptian vulture", + "Pharaoh's chicken", + "Neophron percnopterus", + "Aegypius", + "genus Aegypius", + "black vulture", + "Aegypius monachus", + "Sagittariidae", + "family Sagittariidae", + "Sagittarius", + "genus Sagittarius", + "secretary bird", + "Sagittarius serpentarius", + "Cathartidae", + "family Cathartidae", + "New World vulture", + "cathartid", + "Cathartes", + "genus Cathartes", + "buzzard", + "turkey buzzard", + "turkey vulture", + "Cathartes aura", + "condor", + "Vultur", + "genus Vultur", + "Andean condor", + "Vultur gryphus", + "Gymnogyps", + "genus Gymnogyps", + "California condor", + "Gymnogyps californianus", + "Coragyps", + "genus Coragyps", + "black vulture", + "carrion crow", + "Coragyps atratus", + "Sarcorhamphus", + "genus Sarcorhamphus", + "king vulture", + "Sarcorhamphus papa", + "Strigiformes", + "order Strigiformes", + "owl", + "bird of Minerva", + "bird of night", + "hooter", + "owlet", + "Strigidae", + "family Strigidae", + "Athene", + "genus Athene", + "little owl", + "Athene noctua", + "Bubo", + "genus Bubo", + "horned owl", + "great horned owl", + "Bubo virginianus", + "Strix", + "genus Strix", + "great grey owl", + "great gray owl", + "Strix nebulosa", + "tawny owl", + "Strix aluco", + "barred owl", + "Strix varia", + "Otus", + "genus Otus", + "screech owl", + "Otus asio", + "screech owl", + "scops owl", + "spotted owl", + "Strix occidentalis", + "Old World scops owl", + "Otus scops", + "Oriental scops owl", + "Otus sunia", + "hoot owl", + "Surnia", + "genus Surnia", + "hawk owl", + "Surnia ulula", + "Asio", + "genus Asio", + "long-eared owl", + "Asio otus", + "Sceloglaux", + "genus Sceloglaux", + "laughing owl", + "laughing jackass", + "Sceloglaux albifacies", + "Tytonidae", + "family Tytonidae", + "Tyto", + "genus Tyto", + "barn owl", + "Tyto alba", + "amphibia", + "class Amphibia", + "amphibian family", + "amphibian genus", + "amphibian", + "Hynerpeton", + "genus Hynerpeton", + "Hynerpeton bassetti", + "genus Ichthyostega", + "Ichyostega", + "Urodella", + "order Urodella", + "Caudata", + "order Caudata", + "urodele", + "caudate", + "Salamandridae", + "family Salamandridae", + "Salamandra", + "genus Salamandra", + "salamander", + "European fire salamander", + "Salamandra salamandra", + "spotted salamander", + "fire salamander", + "Salamandra maculosa", + "alpine salamander", + "Salamandra atra", + "newt", + "triton", + "Triturus", + "genus Triturus", + "common newt", + "Triturus vulgaris", + "Notophthalmus", + "genus Notophthalmus", + "red eft", + "Notophthalmus viridescens", + "Taricha", + "genus Taricha", + "Pacific newt", + "rough-skinned newt", + "Taricha granulosa", + "California newt", + "Taricha torosa", + "eft", + "Ambystomatidae", + "family Ambystomatidae", + "Ambystoma", + "genus Ambystoma", + "ambystomid", + "ambystomid salamander", + "mole salamander", + "Ambystoma talpoideum", + "spotted salamander", + "Ambystoma maculatum", + "tiger salamander", + "Ambystoma tigrinum", + "axolotl", + "mud puppy", + "Ambystoma mexicanum", + "waterdog", + "Cryptobranchidae", + "family Cryptobranchidae", + "Cryptobranchus", + "genus Cryptobranchus", + "hellbender", + "mud puppy", + "Cryptobranchus alleganiensis", + "Megalobatrachus", + "genus Megalobatrachus", + "giant salamander", + "Megalobatrachus maximus", + "Proteidae", + "family Proteidae", + "Proteus", + "genus Proteus", + "olm", + "Proteus anguinus", + "Necturus", + "genus Necturus", + "mud puppy", + "Necturus maculosus", + "Dicamptodontidae", + "family Dicamptodontidae", + "genus Dicamptodon", + "dicamptodon", + "dicamptodontid", + "Pacific giant salamander", + "Dicamptodon ensatus", + "Rhyacotriton", + "genus Rhyacotriton", + "olympic salamander", + "Rhyacotriton olympicus", + "Plethodontidae", + "family Plethodontidae", + "Plethodon", + "genus Plethodon", + "lungless salamander", + "plethodont", + "eastern red-backed salamander", + "Plethodon cinereus", + "western red-backed salamander", + "Plethodon vehiculum", + "Desmograthus", + "genus Desmograthus", + "dusky salamander", + "Aneides", + "genus Aneides", + "climbing salamander", + "arboreal salamander", + "Aneides lugubris", + "Batrachoseps", + "genus Batrachoseps", + "slender salamander", + "worm salamander", + "Hydromantes", + "genus Hydromantes", + "web-toed salamander", + "Shasta salamander", + "Hydromantes shastae", + "limestone salamander", + "Hydromantes brunus", + "Amphiumidae", + "family Amphiumidae", + "genus Amphiuma", + "amphiuma", + "congo snake", + "congo eel", + "blind eel", + "Sirenidae", + "family Sirenidae", + "genus Siren", + "siren", + "Salientia", + "order Salientia", + "Anura", + "order Anura", + "Batrachia", + "order Batrachia", + "frog", + "toad", + "toad frog", + "anuran", + "batrachian", + "salientian", + "Ranidae", + "family Ranidae", + "Rana", + "genus Rana", + "true frog", + "ranid", + "wood-frog", + "wood frog", + "Rana sylvatica", + "leopard frog", + "spring frog", + "Rana pipiens", + "bullfrog", + "Rana catesbeiana", + "green frog", + "spring frog", + "Rana clamitans", + "cascades frog", + "Rana cascadae", + "goliath frog", + "Rana goliath", + "pickerel frog", + "Rana palustris", + "tarahumara frog", + "Rana tarahumarae", + "grass frog", + "Rana temporaria", + "Leptodactylidae", + "family Leptodactylidae", + "leptodactylid frog", + "leptodactylid", + "Eleutherodactylus", + "genus Eleutherodactylus", + "robber frog", + "Hylactophryne", + "genus Hylactophryne", + "barking frog", + "robber frog", + "Hylactophryne augusti", + "Leptodactylus", + "genus Leptodactylus", + "crapaud", + "South American bullfrog", + "Leptodactylus pentadactylus", + "Polypedatidae", + "family Polypedatidae", + "Polypedates", + "genus Polypedates", + "tree frog", + "tree-frog", + "Ascaphidae", + "family Ascaphidae", + "Ascaphus", + "genus Ascaphus", + "tailed frog", + "bell toad", + "ribbed toad", + "tailed toad", + "Ascaphus trui", + "Leiopelmatidae", + "family Leiopelmatidae", + "Liopelmidae", + "family Liopelmidae", + "Leiopelma", + "genus Leiopelma", + "Liopelma", + "genus Liopelma", + "Liopelma hamiltoni", + "Bufonidae", + "family Bufonidae", + "true toad", + "genus Bufo", + "bufo", + "agua", + "agua toad", + "Bufo marinus", + "European toad", + "Bufo bufo", + "natterjack", + "Bufo calamita", + "American toad", + "Bufo americanus", + "Eurasian green toad", + "Bufo viridis", + "American green toad", + "Bufo debilis", + "Yosemite toad", + "Bufo canorus", + "Texas toad", + "Bufo speciosus", + "southwestern toad", + "Bufo microscaphus", + "western toad", + "Bufo boreas", + "Discoglossidae", + "family Discoglossidae", + "Alytes", + "genus Alytes", + "obstetrical toad", + "midwife toad", + "Alytes obstetricans", + "midwife toad", + "Alytes cisternasi", + "Bombina", + "genus Bombina", + "fire-bellied toad", + "Bombina bombina", + "Pelobatidae", + "family Pelobatidae", + "Scaphiopus", + "genus Scaphiopus", + "spadefoot", + "spadefoot toad", + "western spadefoot", + "Scaphiopus hammondii", + "southern spadefoot", + "Scaphiopus multiplicatus", + "plains spadefoot", + "Scaphiopus bombifrons", + "Hylidae", + "family Hylidae", + "tree toad", + "tree frog", + "tree-frog", + "Hyla", + "genus Hyla", + "spring peeper", + "Hyla crucifer", + "Pacific tree toad", + "Hyla regilla", + "canyon treefrog", + "Hyla arenicolor", + "chameleon tree frog", + "Acris", + "genus Acris", + "cricket frog", + "northern cricket frog", + "Acris crepitans", + "eastern cricket frog", + "Acris gryllus", + "Pseudacris", + "genus Pseudacris", + "chorus frog", + "Pternohyla", + "genus Pternohyla", + "lowland burrowing treefrog", + "northern casque-headed frog", + "Pternohyla fodiens", + "Microhylidae", + "family Microhylidae", + "Brevicipitidae", + "family Brevicipitidae", + "Gastrophryne", + "genus Gastrophryne", + "western narrow-mouthed toad", + "Gastrophryne olivacea", + "eastern narrow-mouthed toad", + "Gastrophryne carolinensis", + "Hypopachus", + "genus Hypopachus", + "sheep frog", + "Pipidae", + "family Pipidae", + "tongueless frog", + "Pipa", + "genus Pipa", + "Surinam toad", + "Pipa pipa", + "Pipa americana", + "Xenopodidae", + "family Xenopodidae", + "Xenopus", + "genus Xenopus", + "African clawed frog", + "Xenopus laevis", + "South American poison toad", + "Gymnophiona", + "order Gymnophiona", + "Caeciliidae", + "family Caeciliidae", + "Caeciliadae", + "family Caeciliadae", + "caecilian", + "blindworm", + "Labyrinthodontia", + "superorder Labyrinthodontia", + "Labyrinthodonta", + "superorder Labyrinthodonta", + "labyrinthodont", + "Stereospondyli", + "order Stereospondyli", + "Stegocephalia", + "order Stegocephalia", + "Temnospondyli", + "order Temnospondyli", + "reptile family", + "reptile genus", + "Reptilia", + "class Reptilia", + "reptile", + "reptilian", + "Anapsida", + "subclass Anapsida", + "anapsid", + "anapsid reptile", + "diapsid", + "diapsid reptile", + "Diapsida", + "subclass Diapsida", + "Chelonia", + "order Chelonia", + "Testudinata", + "order Testudinata", + "Testudines", + "order Testudines", + "chelonian", + "chelonian reptile", + "turtle", + "Cheloniidae", + "family Cheloniidae", + "Chelonidae", + "family Chelonidae", + "sea turtle", + "marine turtle", + "Chelonia", + "genus Chelonia", + "green turtle", + "Chelonia mydas", + "Caretta", + "genus Caretta", + "loggerhead", + "loggerhead turtle", + "Caretta caretta", + "Lepidochelys", + "genus Lepidochelys", + "ridley", + "Atlantic ridley", + "bastard ridley", + "bastard turtle", + "Lepidochelys kempii", + "Pacific ridley", + "olive ridley", + "Lepidochelys olivacea", + "Eretmochelys", + "genus Eretmochelys", + "hawksbill turtle", + "hawksbill", + "hawkbill", + "tortoiseshell turtle", + "Eretmochelys imbricata", + "Dermochelyidae", + "family Dermochelyidae", + "Dermochelys", + "genus Dermochelys", + "leatherback turtle", + "leatherback", + "leathery turtle", + "Dermochelys coriacea", + "Chelydridae", + "family Chelydridae", + "snapping turtle", + "Chelydra", + "genus Chelydra", + "common snapping turtle", + "snapper", + "Chelydra serpentina", + "Macroclemys", + "genus Macroclemys", + "alligator snapping turtle", + "alligator snapper", + "Macroclemys temmincki", + "Kinosternidae", + "family Kinosternidae", + "Kinosternon", + "genus Kinosternon", + "mud turtle", + "Sternotherus", + "genus Sternotherus", + "musk turtle", + "stinkpot", + "Emydidae", + "family Emydidae", + "terrapin", + "Malaclemys", + "genus Malaclemys", + "diamondback terrapin", + "Malaclemys centrata", + "Pseudemys", + "genus Pseudemys", + "red-bellied terrapin", + "red-bellied turtle", + "redbelly", + "Pseudemys rubriventris", + "slider", + "yellow-bellied terrapin", + "Pseudemys scripta", + "cooter", + "river cooter", + "Pseudemys concinna", + "Terrapene", + "genus Terrapene", + "box turtle", + "box tortoise", + "Western box turtle", + "Terrapene ornata", + "Chrysemys", + "genus Chrysemys", + "painted turtle", + "painted terrapin", + "painted tortoise", + "Chrysemys picta", + "Testudinidae", + "family Testudinidae", + "tortoise", + "Testudo", + "genus Testudo", + "European tortoise", + "Testudo graeca", + "Geochelone", + "genus Geochelone", + "giant tortoise", + "Gopherus", + "genus Gopherus", + "gopher tortoise", + "gopher turtle", + "gopher", + "Gopherus polypemus", + "Xerobates", + "genus Xerobates", + "desert tortoise", + "Gopherus agassizii", + "Texas tortoise", + "Trionychidae", + "family Trionychidae", + "soft-shelled turtle", + "pancake turtle", + "Trionyx", + "genus Trionyx", + "spiny softshell", + "Trionyx spiniferus", + "smooth softshell", + "Trionyx muticus", + "Lepidosauria", + "subclass Lepidosauria", + "Rhynchocephalia", + "order Rhynchocephalia", + "Sphenodon", + "genus Sphenodon", + "tuatara", + "Sphenodon punctatum", + "Squamata", + "order Squamata", + "Sauria", + "suborder Sauria", + "Lacertilia", + "suborder Lacertilia", + "saurian", + "lizard", + "Gekkonidae", + "family Gekkonidae", + "gecko", + "Ptychozoon", + "genus Ptychozoon", + "flying gecko", + "fringed gecko", + "Ptychozoon homalocephalum", + "Coleonyx", + "genus Coleonyx", + "banded gecko", + "Pygopodidae", + "family Pygopodidae", + "Pygopus", + "genus Pygopus", + "Iguanidae", + "family Iguanidae", + "Iguania", + "family Iguania", + "iguanid", + "iguanid lizard", + "genus Iguana", + "common iguana", + "iguana", + "Iguana iguana", + "Amblyrhynchus", + "genus Amblyrhynchus", + "marine iguana", + "Amblyrhynchus cristatus", + "Dipsosaurus", + "genus Dipsosaurus", + "desert iguana", + "Dipsosaurus dorsalis", + "Sauromalus", + "genus Sauromalus", + "chuckwalla", + "Sauromalus obesus", + "Callisaurus", + "genus Callisaurus", + "zebra-tailed lizard", + "gridiron-tailed lizard", + "Callisaurus draconoides", + "Uma", + "genus Uma", + "fringe-toed lizard", + "Uma notata", + "Holbrookia", + "genus Holbrookia", + "earless lizard", + "Crotaphytus", + "genus Crotaphytus", + "collared lizard", + "Gambelia", + "genus Gambelia", + "leopard lizard", + "Sceloporus", + "genus Sceloporus", + "spiny lizard", + "fence lizard", + "western fence lizard", + "swift", + "blue-belly", + "Sceloporus occidentalis", + "eastern fence lizard", + "pine lizard", + "Sceloporus undulatus", + "sagebrush lizard", + "Sceloporus graciosus", + "Uta", + "genus Uta", + "side-blotched lizard", + "sand lizard", + "Uta stansburiana", + "Urosaurus", + "genus Urosaurus", + "tree lizard", + "Urosaurus ornatus", + "Phrynosoma", + "genus Phrynosoma", + "horned lizard", + "horned toad", + "horny frog", + "Texas horned lizard", + "Phrynosoma cornutum", + "Basiliscus", + "genus Basiliscus", + "basilisk", + "Anolis", + "genus Anolis", + "American chameleon", + "anole", + "Anolis carolinensis", + "Amphisbaenidae", + "family Amphisbaenidae", + "Amphisbaena", + "genus Amphisbaena", + "Amphisbaenia", + "genus Amphisbaenia", + "worm lizard", + "Xantusiidae", + "family Xantusiidae", + "night lizard", + "Scincidae", + "family Scincidae", + "Scincus", + "genus Scincus", + "Scincella", + "genus Scincella", + "skink", + "scincid", + "scincid lizard", + "Eumeces", + "genus Eumeces", + "western skink", + "Eumeces skiltonianus", + "mountain skink", + "Eumeces callicephalus", + "Cordylidae", + "family Cordylidae", + "Cordylus", + "genus Cordylus", + "Teiidae", + "family Teiidae", + "teiid lizard", + "teiid", + "Cnemidophorus", + "genus Cnemidophorus", + "whiptail", + "whiptail lizard", + "racerunner", + "race runner", + "six-lined racerunner", + "Cnemidophorus sexlineatus", + "plateau striped whiptail", + "Cnemidophorus velox", + "Chihuahuan spotted whiptail", + "Cnemidophorus exsanguis", + "western whiptail", + "Cnemidophorus tigris", + "checkered whiptail", + "Cnemidophorus tesselatus", + "Tupinambis", + "genus Tupinambis", + "teju", + "caiman lizard", + "Agamidae", + "family Agamidae", + "agamid", + "agamid lizard", + "genus Agama", + "agama", + "Chlamydosaurus", + "genus Chlamydosaurus", + "frilled lizard", + "Chlamydosaurus kingi", + "Draco", + "genus Draco", + "dragon", + "flying dragon", + "flying lizard", + "genus Moloch", + "moloch", + "mountain devil", + "spiny lizard", + "Moloch horridus", + "Anguidae", + "family Anguidae", + "anguid lizard", + "Gerrhonotus", + "genus Gerrhonotus", + "alligator lizard", + "Anguis", + "genus Anguis", + "blindworm", + "slowworm", + "Anguis fragilis", + "Ophisaurus", + "genus Ophisaurus", + "glass lizard", + "glass snake", + "joint snake", + "Xenosauridae", + "family Xenosauridae", + "Xenosaurus", + "genus Xenosaurus", + "Anniellidae", + "family Anniellidae", + "legless lizard", + "Lanthanotidae", + "family Lanthanotidae", + "Lanthanotus", + "genus Lanthanotus", + "Lanthanotus borneensis", + "Helodermatidae", + "family Helodermatidae", + "venomous lizard", + "Heloderma", + "genus Heloderma", + "Gila monster", + "Heloderma suspectum", + "beaded lizard", + "Mexican beaded lizard", + "Heloderma horridum", + "Lacertidae", + "family Lacertidae", + "lacertid lizard", + "lacertid", + "Lacerta", + "genus Lacerta", + "sand lizard", + "Lacerta agilis", + "green lizard", + "Lacerta viridis", + "Chamaeleontidae", + "family Chamaeleontidae", + "Chamaeleonidae", + "family Chamaeleonidae", + "Rhiptoglossa", + "family Rhiptoglossa", + "chameleon", + "chamaeleon", + "Chamaeleo", + "genus Chamaeleo", + "genus Chamaeleon", + "African chameleon", + "Chamaeleo chamaeleon", + "horned chameleon", + "Chamaeleo oweni", + "Varanidae", + "family Varanidae", + "Varanus", + "genus Varanus", + "monitor", + "monitor lizard", + "varan", + "African monitor", + "Varanus niloticus", + "Komodo dragon", + "Komodo lizard", + "dragon lizard", + "giant lizard", + "Varanus komodoensis", + "Archosauria", + "subclass Archosauria", + "archosaur", + "archosaurian", + "archosaurian reptile", + "Saurosuchus", + "genus Saurosuchus", + "Proterochampsa", + "genus Proterochampsa", + "Crocodylia", + "order Crocodylia", + "Crocodilia", + "order Crocodilia", + "Loricata", + "order Loricata", + "crocodilian reptile", + "crocodilian", + "Crocodylidae", + "family Crocodylidae", + "Crocodylus", + "genus Crocodylus", + "Crocodilus", + "genus Crocodilus", + "crocodile", + "African crocodile", + "Nile crocodile", + "Crocodylus niloticus", + "Asian crocodile", + "Crocodylus porosus", + "Morlett's crocodile", + "Tomistoma", + "genus Tomistoma", + "false gavial", + "Tomistoma schlegeli", + "Alligatoridae", + "family Alligatoridae", + "genus Alligator", + "alligator", + "gator", + "American alligator", + "Alligator mississipiensis", + "Chinese alligator", + "Alligator sinensis", + "genus Caiman", + "caiman", + "cayman", + "spectacled caiman", + "Caiman sclerops", + "Gavialidae", + "family Gavialidae", + "Gavialis", + "genus Gavialis", + "gavial", + "Gavialis gangeticus", + "dinosaur", + "Ornithischia", + "order Ornithischia", + "ornithischian", + "ornithischian dinosaur", + "genus Pisanosaurus", + "pisanosaur", + "pisanosaurus", + "genus Staurikosaurus", + "staurikosaur", + "staurikosaurus", + "Thyreophora", + "suborder Thyreophora", + "thyreophoran", + "armored dinosaur", + "genus Stegosaurus", + "stegosaur", + "stegosaurus", + "Stegosaur stenops", + "genus Ankylosaurus", + "ankylosaur", + "ankylosaurus", + "Edmontonia", + "Marginocephalia", + "suborder Marginocephalia", + "marginocephalian", + "suborder Pachycephalosaurus", + "bone-headed dinosaur", + "pachycephalosaur", + "pachycephalosaurus", + "Ceratopsia", + "suborder Ceratopsia", + "ceratopsian", + "horned dinosaur", + "Ceratopsidae", + "family Ceratopsidae", + "genus Protoceratops", + "protoceratops", + "genus Triceratops", + "triceratops", + "genus Styracosaurus", + "styracosaur", + "styracosaurus", + "genus Psittacosaurus", + "psittacosaur", + "psittacosaurus", + "Euronithopoda", + "suborder Euronithopoda", + "euronithopod", + "Ornithopoda", + "suborder Ornithopoda", + "ornithopod", + "ornithopod dinosaur", + "Hadrosauridae", + "family Hadrosauridae", + "hadrosaur", + "hadrosaurus", + "duck-billed dinosaur", + "genus Anatotitan", + "anatotitan", + "genus Corythosaurus", + "corythosaur", + "corythosaurus", + "genus Edmontosaurus", + "edmontosaurus", + "genus Trachodon", + "trachodon", + "trachodont", + "Iguanodontidae", + "family Iguanodontidae", + "genus Iguanodon", + "iguanodon", + "Saurischia", + "order Saurischia", + "saurischian", + "saurischian dinosaur", + "Sauropodomorpha", + "suborder Sauropodomorpha", + "Prosauropoda", + "suborder Prosauropoda", + "Sauropoda", + "suborder Sauropoda", + "sauropod", + "sauropod dinosaur", + "genus Apatosaurus", + "genus Brontosaurus", + "apatosaur", + "apatosaurus", + "brontosaur", + "brontosaurus", + "thunder lizard", + "Apatosaurus excelsus", + "genus Barosaurus", + "barosaur", + "barosaurus", + "genus Diplodocus", + "diplodocus", + "Titanosauridae", + "family Titanosauridae", + "Titanosaurus", + "genus Titanosaurus", + "titanosaur", + "titanosaurian", + "genus Argentinosaurus", + "argentinosaur", + "Seismosaurus", + "genus Seismosaurus", + "ground-shaker", + "seismosaur", + "Theropoda", + "suborder Theropoda", + "theropod", + "theropod dinosaur", + "bird-footed dinosaur", + "suborder Ceratosaura", + "genus Ceratosaurus", + "ceratosaur", + "ceratosaurus", + "genus Coelophysis", + "coelophysis", + "Carnosaura", + "suborder Carnosaura", + "carnosaur", + "genus Tyrannosaurus", + "tyrannosaur", + "tyrannosaurus", + "Tyrannosaurus rex", + "genus Allosaurus", + "genus Antrodemus", + "allosaur", + "allosaurus", + "genus Compsognathus", + "compsognathus", + "genus Herrerasaurus", + "herrerasaur", + "herrerasaurus", + "genus Eoraptor", + "eoraptor", + "Megalosauridae", + "family Megalosauridae", + "genus Megalosaurus", + "megalosaur", + "megalosaurus", + "Ornithomimida", + "suborder Ornithomimida", + "ornithomimid", + "genus Struthiomimus", + "struthiomimus", + "genus Deinocheirus", + "deinocheirus", + "Maniraptora", + "suborder Maniraptora", + "maniraptor", + "oviraptorid", + "genus Velociraptor", + "velociraptor", + "Dromaeosauridae", + "family Dromaeosauridae", + "dromaeosaur", + "genus Deinonychus", + "deinonychus", + "genus Utahraptor", + "utahraptor", + "superslasher", + "genus Mononychus", + "Mononychus olecranus", + "Synapsida", + "subclass Synapsida", + "synapsid", + "synapsid reptile", + "Therapsida", + "order Therapsida", + "therapsid", + "protomammal", + "Chronoperates", + "genus Chronoperates", + "Chronoperates paradoxus", + "Cynodontia", + "division Cynodontia", + "cynodont", + "Exaeretodon", + "genus Exaeretodon", + "Dicynodontia", + "division Dicynodontia", + "dicynodont", + "Ischigualastia", + "genus Ischigualastia", + "Ictodosauria", + "order Ictodosauria", + "ictodosaur", + "Pelycosauria", + "order Pelycosauria", + "pelycosaur", + "Edaphosauridae", + "family Edaphosauridae", + "genus Edaphosaurus", + "edaphosaurus", + "genus Dimetrodon", + "dimetrodon", + "Pterosauria", + "order Pterosauria", + "pterosaur", + "flying reptile", + "Pterodactylidae", + "family Pterodactylidae", + "Pterodactylus", + "genus Pterodactylus", + "pterodactyl", + "Thecodontia", + "order Thecodontia", + "thecodont", + "thecodont reptile", + "Ichthyosauria", + "order Ichthyosauria", + "ichthyosaur", + "Ichthyosauridae", + "family Ichthyosauridae", + "genus Ichthyosaurus", + "ichthyosaurus", + "genus Stenopterygius", + "stenopterygius", + "Stenopterygius quadrisicissus", + "Sauropterygia", + "order Sauropterygia", + "Plesiosauria", + "suborder Plesiosauria", + "genus Plesiosaurus", + "plesiosaur", + "plesiosaurus", + "Nothosauria", + "suborder Nothosauria", + "genus Nothosaurus", + "nothosaur", + "Serpentes", + "suborder Serpentes", + "Ophidia", + "suborder Ophidia", + "snake", + "serpent", + "ophidian", + "Colubridae", + "family Colubridae", + "colubrid snake", + "colubrid", + "hoop snake", + "Carphophis", + "genus Carphophis", + "thunder snake", + "worm snake", + "Carphophis amoenus", + "Diadophis", + "genus Diadophis", + "ringneck snake", + "ring-necked snake", + "ring snake", + "Heterodon", + "genus Heterodon", + "hognose snake", + "puff adder", + "sand viper", + "Phyllorhynchus", + "genus Phyllorhynchus", + "leaf-nosed snake", + "Opheodrys", + "genus Opheodrys", + "green snake", + "grass snake", + "smooth green snake", + "Opheodrys vernalis", + "rough green snake", + "Opheodrys aestivus", + "Chlorophis", + "genus Chlorophis", + "green snake", + "Coluber", + "genus Coluber", + "racer", + "blacksnake", + "black racer", + "Coluber constrictor", + "blue racer", + "Coluber constrictor flaviventris", + "horseshoe whipsnake", + "Coluber hippocrepis", + "Masticophis", + "genus Masticophis", + "whip-snake", + "whip snake", + "whipsnake", + "coachwhip", + "coachwhip snake", + "Masticophis flagellum", + "California whipsnake", + "striped racer", + "Masticophis lateralis", + "Sonoran whipsnake", + "Masticophis bilineatus", + "rat snake", + "Elaphe", + "genus Elaphe", + "corn snake", + "red rat snake", + "Elaphe guttata", + "black rat snake", + "blacksnake", + "pilot blacksnake", + "mountain blacksnake", + "Elaphe obsoleta", + "chicken snake", + "Ptyas", + "genus Ptyas", + "Indian rat snake", + "Ptyas mucosus", + "Arizona", + "genus Arizona", + "glossy snake", + "Arizona elegans", + "Pituophis", + "genus Pituophis", + "bull snake", + "bull-snake", + "gopher snake", + "Pituophis melanoleucus", + "pine snake", + "Lampropeltis", + "genus Lampropeltis", + "king snake", + "kingsnake", + "common kingsnake", + "Lampropeltis getulus", + "milk snake", + "house snake", + "milk adder", + "checkered adder", + "Lampropeltis triangulum", + "Thamnophis", + "genus Thamnophis", + "garter snake", + "grass snake", + "common garter snake", + "Thamnophis sirtalis", + "ribbon snake", + "Thamnophis sauritus", + "Western ribbon snake", + "Thamnophis proximus", + "Tropidoclonion", + "genus Tropidoclonion", + "lined snake", + "Tropidoclonion lineatum", + "Sonora", + "genus Sonora", + "ground snake", + "Sonora semiannulata", + "Potamophis", + "genus Potamophis", + "Haldea", + "genus Haldea", + "eastern ground snake", + "Potamophis striatula", + "Haldea striatula", + "water snake", + "Natrix", + "genus Natrix", + "Nerodia", + "genus Nerodia", + "common water snake", + "banded water snake", + "Natrix sipedon", + "Nerodia sipedon", + "water moccasin", + "grass snake", + "ring snake", + "ringed snake", + "Natrix natrix", + "viperine grass snake", + "Natrix maura", + "Storeria", + "genus Storeria", + "red-bellied snake", + "Storeria occipitamaculata", + "Chilomeniscus", + "genus Chilomeniscus", + "sand snake", + "banded sand snake", + "Chilomeniscus cinctus", + "Tantilla", + "genus Tantilla", + "black-headed snake", + "Oxybelis", + "genus Oxybelis", + "vine snake", + "Trimorphodon", + "genus Trimorphodon", + "lyre snake", + "Sonoran lyre snake", + "Trimorphodon lambda", + "Hypsiglena", + "genus Hypsiglena", + "night snake", + "Hypsiglena torquata", + "Typhlopidae", + "family Typhlopidae", + "Leptotyphlopidae", + "family Leptotyphlopidae", + "blind snake", + "worm snake", + "Leptotyphlops", + "genus Leptotyphlops", + "western blind snake", + "Leptotyphlops humilis", + "Drymarchon", + "genus Drymarchon", + "indigo snake", + "gopher snake", + "Drymarchon corais", + "eastern indigo snake", + "Drymarchon corais couperi", + "constrictor", + "Boidae", + "family Boidae", + "boa", + "boa constrictor", + "Constrictor constrictor", + "Charina", + "genus Charina", + "rubber boa", + "tow-headed snake", + "Charina bottae", + "Lichanura", + "genus Lichanura", + "rosy boa", + "Lichanura trivirgata", + "Eunectes", + "genus Eunectes", + "anaconda", + "Eunectes murinus", + "Pythoninae", + "subfamily Pythoninae", + "Pythonidae", + "family Pythonidae", + "python", + "genus Python", + "carpet snake", + "Python variegatus", + "Morelia spilotes variegatus", + "reticulated python", + "Python reticulatus", + "Indian python", + "Python molurus", + "rock python", + "rock snake", + "Python sebae", + "amethystine python", + "Elapidae", + "family Elapidae", + "elapid", + "elapid snake", + "coral snake", + "harlequin-snake", + "New World coral snake", + "Micrurus", + "genus Micrurus", + "eastern coral snake", + "Micrurus fulvius", + "Micruroides", + "genus Micruroides", + "western coral snake", + "Micruroides euryxanthus", + "coral snake", + "Old World coral snake", + "Calliophis", + "genus Calliophis", + "Callophis", + "genus Callophis", + "Asian coral snake", + "Aspidelaps", + "genus Aspidelaps", + "African coral snake", + "Aspidelaps lubricus", + "Rhynchoelaps", + "genus Rhynchoelaps", + "Australian coral snake", + "Rhynchoelaps australis", + "Denisonia", + "genus Denisonia", + "copperhead", + "Denisonia superba", + "Naja", + "genus Naja", + "cobra", + "hood", + "Indian cobra", + "Naja naja", + "asp", + "Egyptian cobra", + "Naja haje", + "Ophiophagus", + "genus Ophiophagus", + "black-necked cobra", + "spitting cobra", + "Naja nigricollis", + "hamadryad", + "king cobra", + "Ophiophagus hannah", + "Naja hannah", + "Hemachatus", + "genus Hemachatus", + "ringhals", + "rinkhals", + "spitting snake", + "Hemachatus haemachatus", + "Dendroaspis", + "genus Dendroaspis", + "Dendraspis", + "genus Dendraspis", + "mamba", + "black mamba", + "Dendroaspis augusticeps", + "green mamba", + "Acanthophis", + "genus Acanthophis", + "death adder", + "Acanthophis antarcticus", + "Notechis", + "genus Notechis", + "tiger snake", + "Notechis scutatus", + "Pseudechis", + "genus Pseudechis", + "Australian blacksnake", + "Pseudechis porphyriacus", + "Bungarus", + "genus Bungarus", + "krait", + "banded krait", + "banded adder", + "Bungarus fasciatus", + "Oxyuranus", + "genus Oxyuranus", + "taipan", + "Oxyuranus scutellatus", + "Hydrophidae", + "family Hydrophidae", + "sea snake", + "Viperidae", + "family Viperidae", + "viper", + "Vipera", + "genus Vipera", + "adder", + "common viper", + "Vipera berus", + "asp", + "asp viper", + "Vipera aspis", + "Bitis", + "genus Bitis", + "puff adder", + "Bitis arietans", + "gaboon viper", + "Bitis gabonica", + "genus Cerastes", + "Aspis", + "genus Aspis", + "horned viper", + "cerastes", + "sand viper", + "horned asp", + "Cerastes cornutus", + "Crotalidae", + "family Crotalidae", + "pit viper", + "Agkistrodon", + "genus Agkistrodon", + "Ancistrodon", + "genus Ancistrodon", + "copperhead", + "Agkistrodon contortrix", + "water moccasin", + "cottonmouth", + "cottonmouth moccasin", + "Agkistrodon piscivorus", + "rattle", + "rattlesnake", + "rattler", + "Crotalus", + "genus Crotalus", + "diamondback", + "diamondback rattlesnake", + "Crotalus adamanteus", + "timber rattlesnake", + "banded rattlesnake", + "Crotalus horridus horridus", + "canebrake rattlesnake", + "canebrake rattler", + "Crotalus horridus atricaudatus", + "prairie rattlesnake", + "prairie rattler", + "Western rattlesnake", + "Crotalus viridis", + "sidewinder", + "horned rattlesnake", + "Crotalus cerastes", + "Western diamondback", + "Western diamondback rattlesnake", + "Crotalus atrox", + "rock rattlesnake", + "Crotalus lepidus", + "tiger rattlesnake", + "Crotalus tigris", + "Mojave rattlesnake", + "Crotalus scutulatus", + "speckled rattlesnake", + "Crotalus mitchellii", + "Sistrurus", + "genus Sistrurus", + "massasauga", + "massasauga rattler", + "Sistrurus catenatus", + "ground rattler", + "massasauga", + "Sistrurus miliaris", + "Bothrops", + "genus Bothrops", + "fer-de-lance", + "Bothrops atrops", + "beak", + "bill", + "neb", + "nib", + "pecker", + "beak", + "cere", + "carcase", + "carcass", + "carrion", + "roadkill", + "arthropod family", + "arthropod genus", + "Arthropoda", + "phylum Arthropoda", + "arthropod", + "trilobite", + "Chelicerata", + "superclass Chelicerata", + "chelicera", + "mouthpart", + "Arachnida", + "class Arachnida", + "arachnid", + "arachnoid", + "Phalangida", + "order Phalangida", + "Opiliones", + "order Opiliones", + "Phalangiidae", + "family Phalangiidae", + "Phalangium", + "genus Phalangium", + "harvestman", + "daddy longlegs", + "Phalangium opilio", + "Scorpionida", + "order Scorpionida", + "scorpion", + "Chelonethida", + "order Chelonethida", + "Pseudoscorpionida", + "order Pseudoscorpionida", + "Pseudoscorpiones", + "order Pseudoscorpiones", + "false scorpion", + "pseudoscorpion", + "Chelifer", + "genus Chelifer", + "book scorpion", + "Chelifer cancroides", + "Pedipalpi", + "order Pedipalpi", + "Uropygi", + "order Uropygi", + "whip-scorpion", + "whip scorpion", + "Mastigoproctus", + "genus Mastigoproctus", + "vinegarroon", + "Mastigoproctus giganteus", + "Araneae", + "order Araneae", + "Araneida", + "order Araneida", + "spider", + "orb-weaving spider", + "Argiopidae", + "family Argiopidae", + "orb-weaver", + "Argiope", + "genus Argiope", + "black and gold garden spider", + "Argiope aurantia", + "Aranea", + "genus Aranea", + "Araneus", + "genus Araneus", + "barn spider", + "Araneus cavaticus", + "garden spider", + "Aranea diademata", + "Theridiidae", + "family Theridiidae", + "comb-footed spider", + "theridiid", + "Latrodectus", + "genus Latrodectus", + "black widow", + "Latrodectus mactans", + "Theraphosidae", + "family Theraphosidae", + "tarantula", + "Lycosidae", + "family Lycosidae", + "wolf spider", + "hunting spider", + "Lycosa", + "genus Lycosa", + "European wolf spider", + "tarantula", + "Lycosa tarentula", + "Ctenizidae", + "family Ctenizidae", + "trap-door spider", + "Acarina", + "order Acarina", + "acarine", + "tick", + "Ixodidae", + "family Ixodidae", + "hard tick", + "ixodid", + "Ixodes", + "genus Ixodes", + "Ixodes dammini", + "deer tick", + "Ixodes neotomae", + "Ixodes pacificus", + "western black-legged tick", + "Ixodes scapularis", + "black-legged tick", + "sheep-tick", + "sheep tick", + "Ixodes ricinus", + "Ixodes persulcatus", + "Ixodes dentatus", + "Ixodes spinipalpis", + "Dermacentor", + "genus Dermacentor", + "wood tick", + "American dog tick", + "Dermacentor variabilis", + "Argasidae", + "family Argasidae", + "soft tick", + "argasid", + "mite", + "web-spinning mite", + "Acaridae", + "family Acaridae", + "acarid", + "Trombidiidae", + "family Trombidiidae", + "trombidiid", + "Trombiculidae", + "family Trombiculidae", + "trombiculid", + "Trombicula", + "genus Trombicula", + "harvest mite", + "chigger", + "jigger", + "redbug", + "Sarcoptidae", + "family Sarcoptidae", + "Sarcoptes", + "genus Sarcoptes", + "acarus", + "genus Acarus", + "itch mite", + "sarcoptid", + "rust mite", + "Tetranychidae", + "family Tetranychidae", + "spider mite", + "tetranychid", + "Panonychus", + "genus Panonychus", + "red spider", + "red spider mite", + "Panonychus ulmi", + "superclass Myriapoda", + "myriapod", + "Pauropoda", + "class Pauropoda", + "Symphyla", + "class Symphyla", + "Scutigerella", + "genus Scutigerella", + "garden centipede", + "garden symphilid", + "symphilid", + "Scutigerella immaculata", + "Tardigrada", + "class Tardigrada", + "tardigrade", + "Chilopoda", + "class Chilopoda", + "centipede", + "prehensor", + "toxicognath", + "fang", + "Scutigeridae", + "family Scutigeridae", + "Scutigera", + "genus Scutigera", + "house centipede", + "Scutigera coleoptrata", + "Geophilomorpha", + "order Geophilomorpha", + "Geophilidae", + "family Geophilidae", + "Geophilus", + "genus Geophilus", + "Diplopoda", + "class Diplopoda", + "Myriapoda", + "class Myriapoda", + "millipede", + "millepede", + "milliped", + "Pycnogonida", + "order Pycnogonida", + "sea spider", + "pycnogonid", + "Merostomata", + "class Merostomata", + "Xiphosura", + "order Xiphosura", + "Limulidae", + "family Limulidae", + "Limulus", + "genus Limulus", + "horseshoe crab", + "king crab", + "Limulus polyphemus", + "Xiphosurus polyphemus", + "Tachypleus", + "genus Tachypleus", + "Asian horseshoe crab", + "Eurypterida", + "order Eurypterida", + "eurypterid", + "Pentastomida", + "subphylum Pentastomida", + "tongue worm", + "pentastomid", + "Galliformes", + "order Galliformes", + "gallinaceous bird", + "gallinacean", + "domestic fowl", + "fowl", + "poultry", + "Dorking", + "Plymouth Rock", + "Cornish", + "Cornish fowl", + "Rock Cornish", + "game fowl", + "cochin", + "cochin china", + "Gallus", + "genus Gallus", + "jungle fowl", + "gallina", + "jungle cock", + "jungle hen", + "red jungle fowl", + "Gallus gallus", + "chicken", + "Gallus gallus", + "bantam", + "chick", + "biddy", + "cock", + "rooster", + "comb", + "cockscomb", + "coxcomb", + "cockerel", + "capon", + "hen", + "biddy", + "cackler", + "brood hen", + "broody", + "broody hen", + "setting hen", + "sitter", + "mother hen", + "layer", + "pullet", + "spring chicken", + "Rhode Island red", + "Dominique", + "Dominick", + "Orpington", + "Meleagrididae", + "family Meleagrididae", + "Meleagris", + "genus Meleagris", + "turkey", + "Meleagris gallopavo", + "turkey cock", + "gobbler", + "tom", + "tom turkey", + "Agriocharis", + "genus Agriocharis", + "ocellated turkey", + "Agriocharis ocellata", + "Tetraonidae", + "family Tetraonidae", + "grouse", + "Lyrurus", + "genus Lyrurus", + "black grouse", + "European black grouse", + "heathfowl", + "Lyrurus tetrix", + "Asian black grouse", + "Lyrurus mlokosiewiczi", + "blackcock", + "black cock", + "greyhen", + "grayhen", + "grey hen", + "gray hen", + "heath hen", + "Lagopus", + "genus Lagopus", + "ptarmigan", + "red grouse", + "moorfowl", + "moorbird", + "moor-bird", + "moorgame", + "Lagopus scoticus", + "moorhen", + "moorcock", + "Tetrao", + "genus Tetrao", + "capercaillie", + "capercailzie", + "horse of the wood", + "Tetrao urogallus", + "Canachites", + "genus Canachites", + "spruce grouse", + "Canachites canadensis", + "Centrocercus", + "genus Centrocercus", + "sage grouse", + "sage hen", + "Centrocercus urophasianus", + "Bonasa", + "genus Bonasa", + "ruffed grouse", + "partridge", + "Bonasa umbellus", + "Pedioecetes", + "genus Pedioecetes", + "sharp-tailed grouse", + "sprigtail", + "sprig tail", + "Pedioecetes phasianellus", + "Tympanuchus", + "genus Tympanuchus", + "prairie chicken", + "prairie grouse", + "prairie fowl", + "greater prairie chicken", + "Tympanuchus cupido", + "lesser prairie chicken", + "Tympanuchus pallidicinctus", + "heath hen", + "Tympanuchus cupido cupido", + "Cracidae", + "family Cracidae", + "guan", + "Crax", + "genus Crax", + "curassow", + "Penelope", + "genus Penelope", + "Pipile", + "genus Pipile", + "piping guan", + "Ortalis", + "genus Ortalis", + "chachalaca", + "Texas chachalaca", + "Ortilis vetula macalli", + "Megapodiidae", + "family Megapodiidae", + "Megapodius", + "genus-Megapodius", + "megapode", + "mound bird", + "mound-bird", + "mound builder", + "scrub fowl", + "genus Leipoa", + "mallee fowl", + "leipoa", + "lowan", + "Leipoa ocellata", + "mallee hen", + "Alectura", + "genus Alectura", + "brush turkey", + "Alectura lathami", + "Macrocephalon", + "genus Macrocephalon", + "maleo", + "Macrocephalon maleo", + "Phasianidae", + "family Phasianidae", + "phasianid", + "Phasianus", + "genus Phasianus", + "pheasant", + "ring-necked pheasant", + "Phasianus colchicus", + "genus Afropavo", + "afropavo", + "Congo peafowl", + "Afropavo congensis", + "Argusianus", + "genus Argusianus", + "argus", + "argus pheasant", + "Chrysolophus", + "genus Chrysolophus", + "golden pheasant", + "Chrysolophus pictus", + "Colinus", + "genus Colinus", + "bobwhite", + "bobwhite quail", + "partridge", + "northern bobwhite", + "Colinus virginianus", + "Coturnix", + "genus Coturnix", + "Old World quail", + "migratory quail", + "Coturnix coturnix", + "Coturnix communis", + "Lophophorus", + "genus Lophophorus", + "monal", + "monaul", + "Odontophorus", + "genus Odontophorus", + "Pavo", + "genus Pavo", + "peafowl", + "bird of Juno", + "peachick", + "pea-chick", + "peacock", + "peahen", + "blue peafowl", + "Pavo cristatus", + "green peafowl", + "Pavo muticus", + "quail", + "Lofortyx", + "genus Lofortyx", + "California quail", + "Lofortyx californicus", + "genus Tragopan", + "tragopan", + "Perdicidae", + "subfamily Perdicidae", + "Perdicinae", + "subfamily Perdicinae", + "partridge", + "Perdix", + "genus Perdix", + "Hungarian partridge", + "grey partridge", + "gray partridge", + "Perdix perdix", + "Alectoris", + "genus Alectoris", + "red-legged partridge", + "Alectoris ruffa", + "Greek partridge", + "rock partridge", + "Alectoris graeca", + "Oreortyx", + "genus Oreortyx", + "mountain quail", + "mountain partridge", + "Oreortyx picta palmeri", + "Numididae", + "subfamily Numididae", + "Numidinae", + "subfamily Numidinae", + "Numida", + "genus Numida", + "guinea fowl", + "guinea", + "Numida meleagris", + "guinea hen", + "Opisthocomidae", + "family Opisthocomidae", + "Opisthocomus", + "genus Opisthocomus", + "hoatzin", + "hoactzin", + "stinkbird", + "Opisthocomus hoazin", + "Tinamiformes", + "order Tinamiformes", + "Tinamidae", + "family Tinamidae", + "tinamou", + "partridge", + "Columbiformes", + "order Columbiformes", + "columbiform bird", + "Raphidae", + "family Raphidae", + "Raphus", + "genus Raphus", + "dodo", + "Raphus cucullatus", + "Pezophaps", + "genus Pezophaps", + "solitaire", + "Pezophaps solitaria", + "Columbidae", + "family Columbidae", + "pigeon", + "pouter pigeon", + "pouter", + "dove", + "Columba", + "genus Columba", + "rock dove", + "rock pigeon", + "Columba livia", + "band-tailed pigeon", + "band-tail pigeon", + "bandtail", + "Columba fasciata", + "wood pigeon", + "ringdove", + "cushat", + "Columba palumbus", + "Streptopelia", + "genus Streptopelia", + "turtledove", + "Streptopelia turtur", + "ringdove", + "Streptopelia risoria", + "Stictopelia", + "genus Stictopelia", + "Australian turtledove", + "turtledove", + "Stictopelia cuneata", + "Zenaidura", + "genus Zenaidura", + "mourning dove", + "Zenaidura macroura", + "domestic pigeon", + "squab", + "fairy swallow", + "roller", + "tumbler", + "tumbler pigeon", + "homing pigeon", + "homer", + "carrier pigeon", + "Ectopistes", + "genus Ectopistes", + "passenger pigeon", + "Ectopistes migratorius", + "Pteroclididae", + "family Pteroclididae", + "sandgrouse", + "sand grouse", + "Pterocles", + "genus Pterocles", + "painted sandgrouse", + "Pterocles indicus", + "pin-tailed sandgrouse", + "pin-tailed grouse", + "Pterocles alchata", + "Syrrhaptes", + "genus Syrrhaptes", + "pallas's sandgrouse", + "Syrrhaptes paradoxus", + "Psittaciformes", + "order Psittaciformes", + "parrot", + "popinjay", + "poll", + "poll parrot", + "Psittacidae", + "family Psittacidae", + "Psittacus", + "genus Psittacus", + "African grey", + "African gray", + "Psittacus erithacus", + "Amazona", + "genus Amazona", + "amazon", + "Ara", + "genus Ara", + "macaw", + "Nestor", + "genus Nestor", + "kea", + "Nestor notabilis", + "Kakatoe", + "genus Kakatoe", + "Cacatua", + "genus Cacatua", + "cockatoo", + "sulphur-crested cockatoo", + "Kakatoe galerita", + "Cacatua galerita", + "pink cockatoo", + "Kakatoe leadbeateri", + "Nymphicus", + "genus Nymphicus", + "cockateel", + "cockatiel", + "cockatoo parrot", + "Nymphicus hollandicus", + "Agapornis", + "genus Agapornis", + "lovebird", + "Loriinae", + "subfamily Loriinae", + "lory", + "lorikeet", + "Glossopsitta", + "genus Glossopsitta", + "varied Lorikeet", + "Glossopsitta versicolor", + "Trichoglossus", + "genus Trichoglossus", + "rainbow lorikeet", + "Trichoglossus moluccanus", + "parakeet", + "parrakeet", + "parroket", + "paraquet", + "paroquet", + "parroquet", + "Conuropsis", + "genus Conuropsis", + "Carolina parakeet", + "Conuropsis carolinensis", + "Melopsittacus", + "genus Melopsittacus", + "budgerigar", + "budgereegah", + "budgerygah", + "budgie", + "grass parakeet", + "lovebird", + "shell parakeet", + "Melopsittacus undulatus", + "Psittacula", + "genus Psittacula", + "ring-necked parakeet", + "Psittacula krameri", + "Cuculiformes", + "order Cuculiformes", + "cuculiform bird", + "Cuculidae", + "family Cuculidae", + "cuckoo", + "Cuculus", + "genus Cuculus", + "European cuckoo", + "Cuculus canorus", + "Coccyzus", + "genus Coccyzus", + "black-billed cuckoo", + "Coccyzus erythropthalmus", + "Geococcyx", + "genus Geococcyx", + "roadrunner", + "chaparral cock", + "Geococcyx californianus", + "Crotophaga", + "genus Crotophaga", + "ani", + "Centropus", + "genus Centropus", + "coucal", + "crow pheasant", + "Centropus sinensis", + "pheasant coucal", + "pheasant cuckoo", + "Centropus phasianinus", + "Musophagidae", + "family Musophagidae", + "Musophaga", + "genus Musophaga", + "touraco", + "turaco", + "turacou", + "turakoo", + "Coraciiformes", + "order Coraciiformes", + "Picariae", + "order Picariae", + "coraciiform bird", + "Coraciidae", + "family Coraciidae", + "roller", + "Coracias", + "genus Coracias", + "European roller", + "Coracias garrulus", + "ground roller", + "Alcedinidae", + "family Alcedinidae", + "halcyon", + "kingfisher", + "Alcedo", + "genus Alcedo", + "Eurasian kingfisher", + "Alcedo atthis", + "Ceryle", + "genus Ceryle", + "belted kingfisher", + "Ceryle alcyon", + "Dacelo", + "genus Dacelo", + "Halcyon", + "genus Halcyon", + "kookaburra", + "laughing jackass", + "Dacelo gigas", + "Meropidae", + "family Meropidae", + "Merops", + "genus Merops", + "bee eater", + "Bucerotidae", + "family Bucerotidae", + "Buceros", + "genus Buceros", + "hornbill", + "Upupidae", + "family Upupidae", + "Upupa", + "genus Upupa", + "hoopoe", + "hoopoo", + "Euopean hoopoe", + "Upupa epops", + "Phoeniculidae", + "family Phoeniculidae", + "Phoeniculus", + "genus Phoeniculus", + "wood hoopoe", + "Momotidae", + "family Momotidae", + "Momotus", + "genus Momotus", + "motmot", + "momot", + "Todidae", + "family Todidae", + "Todus", + "genus Todus", + "tody", + "Apodiformes", + "order Apodiformes", + "apodiform bird", + "Apodidae", + "family Apodidae", + "swift", + "Apus", + "genus Apus", + "European swift", + "Apus apus", + "Chateura", + "genus Chateura", + "chimney swift", + "chimney swallow", + "Chateura pelagica", + "Collocalia", + "genus Collocalia", + "swiftlet", + "Collocalia inexpectata", + "Hemiprocnidae", + "family Hemiprocnidae", + "tree swift", + "crested swift", + "Trochilidae", + "family Trochilidae", + "hummingbird", + "Archilochus", + "genus Archilochus", + "Archilochus colubris", + "Chalcostigma", + "genus Chalcostigma", + "Ramphomicron", + "genus Ramphomicron", + "thornbill", + "Caprimulgiformes", + "order Caprimulgiformes", + "caprimulgiform bird", + "Caprimulgidae", + "family Caprimulgidae", + "goatsucker", + "nightjar", + "caprimulgid", + "Caprimulgus", + "genus Caprimulgus", + "European goatsucker", + "European nightjar", + "Caprimulgus europaeus", + "chuck-will's-widow", + "Caprimulgus carolinensis", + "whippoorwill", + "Caprimulgus vociferus", + "Chordeiles", + "genus Chordeiles", + "nighthawk", + "bullbat", + "mosquito hawk", + "Phalaenoptilus", + "genus Phalaenoptilus", + "poorwill", + "Phalaenoptilus nuttallii", + "Podargidae", + "family Podargidae", + "Podargus", + "genus Podargus", + "frogmouth", + "Steatornithidae", + "family Steatornithidae", + "Steatornis", + "genus Steatornis", + "oilbird", + "guacharo", + "Steatornis caripensis", + "Piciformes", + "order Piciformes", + "piciform bird", + "Picidae", + "family Picidae", + "woodpecker", + "peckerwood", + "pecker", + "Picus", + "genus Picus", + "green woodpecker", + "Picus viridis", + "Picoides", + "genus Picoides", + "downy woodpecker", + "Colaptes", + "genus Colaptes", + "flicker", + "yellow-shafted flicker", + "Colaptes auratus", + "yellowhammer", + "gilded flicker", + "Colaptes chrysoides", + "red-shafted flicker", + "Colaptes caper collaris", + "Campephilus", + "genus Campephilus", + "ivorybill", + "ivory-billed woodpecker", + "Campephilus principalis", + "Melanerpes", + "genus Melanerpes", + "redheaded woodpecker", + "redhead", + "Melanerpes erythrocephalus", + "Sphyrapicus", + "genus Sphyrapicus", + "sapsucker", + "yellow-bellied sapsucker", + "Sphyrapicus varius", + "red-breasted sapsucker", + "Sphyrapicus varius ruber", + "Jynx", + "genus Jynx", + "wryneck", + "Picumnus", + "genus Picumnus", + "piculet", + "Capitonidae", + "family Capitonidae", + "barbet", + "Bucconidae", + "family Bucconidae", + "puffbird", + "Indicatoridae", + "family Indicatoridae", + "honey guide", + "Galbulidae", + "family Galbulidae", + "jacamar", + "Ramphastidae", + "family Ramphastidae", + "toucan", + "Aulacorhyncus", + "genus Aulacorhyncus", + "toucanet", + "Trogoniformes", + "order Trogoniformes", + "Trogonidae", + "family Trogonidae", + "genus Trogon", + "trogon", + "Pharomacrus", + "genus Pharomacrus", + "quetzal", + "quetzal bird", + "resplendent quetzel", + "resplendent trogon", + "Pharomacrus mocino", + "aquatic bird", + "waterfowl", + "water bird", + "waterbird", + "Anseriformes", + "order Anseriformes", + "anseriform bird", + "Anatidae", + "family Anatidae", + "Anseres", + "suborder Anseres", + "duck", + "drake", + "quack-quack", + "duckling", + "diving duck", + "dabbling duck", + "dabbler", + "Anas", + "genus Anas", + "mallard", + "Anas platyrhynchos", + "black duck", + "Anas rubripes", + "teal", + "greenwing", + "green-winged teal", + "Anas crecca", + "bluewing", + "blue-winged teal", + "Anas discors", + "garganey", + "Anas querquedula", + "widgeon", + "wigeon", + "Anas penelope", + "American widgeon", + "baldpate", + "Anas americana", + "shoveler", + "shoveller", + "broadbill", + "Anas clypeata", + "pintail", + "pin-tailed duck", + "Anas acuta", + "Tadorna", + "genus Tadorna", + "sheldrake", + "shelduck", + "Oxyura", + "genus Oxyura", + "ruddy duck", + "Oxyura jamaicensis", + "Bucephala", + "genus Bucephala", + "bufflehead", + "butterball", + "dipper", + "Bucephela albeola", + "goldeneye", + "whistler", + "Bucephela clangula", + "Barrow's goldeneye", + "Bucephala islandica", + "Aythya", + "genus Aythya", + "canvasback", + "canvasback duck", + "Aythya valisineria", + "pochard", + "Aythya ferina", + "redhead", + "Aythya americana", + "scaup", + "scaup duck", + "bluebill", + "broadbill", + "greater scaup", + "Aythya marila", + "lesser scaup", + "lesser scaup duck", + "lake duck", + "Aythya affinis", + "wild duck", + "Aix", + "genus Aix", + "wood duck", + "summer duck", + "wood widgeon", + "Aix sponsa", + "wood drake", + "mandarin duck", + "Aix galericulata", + "Cairina", + "genus Cairina", + "muscovy duck", + "musk duck", + "Cairina moschata", + "sea duck", + "Somateria", + "genus Somateria", + "eider", + "eider duck", + "Melanitta", + "genus Melanitta", + "scoter", + "scooter", + "common scoter", + "Melanitta nigra", + "Clangula", + "genus Clangula", + "old squaw", + "oldwife", + "Clangula hyemalis", + "Merginae", + "subfamily Merginae", + "Mergus", + "genus Mergus", + "merganser", + "fish duck", + "sawbill", + "sheldrake", + "goosander", + "Mergus merganser", + "American merganser", + "Mergus merganser americanus", + "red-breasted merganser", + "Mergus serrator", + "smew", + "Mergus albellus", + "Lophodytes", + "genus Lophodytes", + "hooded merganser", + "hooded sheldrake", + "Lophodytes cucullatus", + "goose", + "gosling", + "gander", + "Anser", + "genus Anser", + "Chinese goose", + "Anser cygnoides", + "greylag", + "graylag", + "greylag goose", + "graylag goose", + "Anser anser", + "Chen", + "subgenus Chen", + "blue goose", + "Chen caerulescens", + "snow goose", + "Branta", + "genus Branta", + "brant", + "brant goose", + "brent", + "brent goose", + "common brant goose", + "Branta bernicla", + "honker", + "Canada goose", + "Canadian goose", + "Branta canadensis", + "barnacle goose", + "barnacle", + "Branta leucopsis", + "Anserinae", + "subfamily Anserinae", + "genus Coscoroba", + "coscoroba", + "swan", + "cob", + "pen", + "cygnet", + "Cygnus", + "genus Cygnus", + "mute swan", + "Cygnus olor", + "whooper", + "whooper swan", + "Cygnus cygnus", + "tundra swan", + "Cygnus columbianus", + "whistling swan", + "Cygnus columbianus columbianus", + "Bewick's swan", + "Cygnus columbianus bewickii", + "trumpeter", + "trumpeter swan", + "Cygnus buccinator", + "black swan", + "Cygnus atratus", + "Anhimidae", + "family Anhimidae", + "screamer", + "Anhima", + "genus Anhima", + "horned screamer", + "Anhima cornuta", + "Chauna", + "genus Chauna", + "crested screamer", + "chaja", + "Chauna torquata", + "Mammalia", + "class Mammalia", + "mammal", + "mammalian", + "female mammal", + "mammal family", + "mammal genus", + "tusker", + "Prototheria", + "subclass Prototheria", + "prototherian", + "Monotremata", + "order Monotremata", + "monotreme", + "egg-laying mammal", + "Tachyglossidae", + "family Tachyglossidae", + "Tachyglossus", + "genus Tachyglossus", + "echidna", + "spiny anteater", + "anteater", + "Zaglossus", + "genus Zaglossus", + "echidna", + "spiny anteater", + "anteater", + "Ornithorhynchidae", + "family Ornithorhynchidae", + "Ornithorhynchus", + "genus Ornithorhynchus", + "platypus", + "duckbill", + "duckbilled platypus", + "duck-billed platypus", + "Ornithorhynchus anatinus", + "Pantotheria", + "subclass Pantotheria", + "Metatheria", + "subclass Metatheria", + "metatherian", + "Marsupialia", + "order Marsupialia", + "marsupial", + "pouched mammal", + "Didelphidae", + "family Didelphidae", + "opossum", + "possum", + "Didelphis", + "genus Didelphis", + "common opossum", + "Didelphis virginiana", + "Didelphis marsupialis", + "crab-eating opossum", + "Caenolestidae", + "family Caenolestidae", + "Caenolestes", + "genus Caenolestes", + "opossum rat", + "Peramelidae", + "family Peramelidae", + "bandicoot", + "Macrotis", + "genus Macrotis", + "rabbit-eared bandicoot", + "rabbit bandicoot", + "bilby", + "Macrotis lagotis", + "Macropodidae", + "family Macropodidae", + "kangaroo", + "Macropus", + "genus Macropus", + "giant kangaroo", + "great grey kangaroo", + "Macropus giganteus", + "wallaby", + "brush kangaroo", + "common wallaby", + "Macropus agiles", + "Lagorchestes", + "genus Lagorchestes", + "hare wallaby", + "kangaroo hare", + "Onychogalea", + "genus Onychogalea", + "nail-tailed wallaby", + "nail-tailed kangaroo", + "Petrogale", + "genus Petrogale", + "rock wallaby", + "rock kangaroo", + "Thylogale", + "genus Thylogale", + "pademelon", + "paddymelon", + "Dendrolagus", + "genus Dendrolagus", + "tree wallaby", + "tree kangaroo", + "Hypsiprymnodon", + "genus Hypsiprymnodon", + "musk kangaroo", + "Hypsiprymnodon moschatus", + "Potoroinae", + "subfamily Potoroinae", + "rat kangaroo", + "kangaroo rat", + "Potorous", + "genus Potorous", + "potoroo", + "Bettongia", + "genus Bettongia", + "bettong", + "jerboa kangaroo", + "kangaroo jerboa", + "Phalangeridae", + "family Phalangeridae", + "phalanger", + "opossum", + "possum", + "genus Phalanger", + "cuscus", + "Trichosurus", + "genus Trichosurus", + "brush-tailed phalanger", + "Trichosurus vulpecula", + "Petaurus", + "genus Petaurus", + "flying phalanger", + "flying opossum", + "flying squirrel", + "Acrobates", + "genus Acrobates", + "flying mouse", + "Phascolarctos", + "genus Phascolarctos", + "koala", + "koala bear", + "kangaroo bear", + "native bear", + "Phascolarctos cinereus", + "Vombatidae", + "family Vombatidae", + "wombat", + "Dasyuridae", + "family Dasyuridae", + "family Dasyurinae", + "dasyurid marsupial", + "dasyurid", + "Dasyurus", + "genus Dasyurus", + "dasyure", + "eastern dasyure", + "Dasyurus quoll", + "native cat", + "Dasyurus viverrinus", + "Thylacinus", + "genus Thylacinus", + "thylacine", + "Tasmanian wolf", + "Tasmanian tiger", + "Thylacinus cynocephalus", + "Sarcophilus", + "genus Sarcophilus", + "Tasmanian devil", + "ursine dasyure", + "Sarcophilus hariisi", + "Phascogale", + "genus Phascogale", + "pouched mouse", + "marsupial mouse", + "marsupial rat", + "Myrmecobius", + "genus Myrmecobius", + "numbat", + "banded anteater", + "anteater", + "Myrmecobius fasciatus", + "Notoryctidae", + "family Notoryctidae", + "Notoryctus", + "genus Notoryctus", + "pouched mole", + "marsupial mole", + "Notoryctus typhlops", + "Eutheria", + "subclass Eutheria", + "placental", + "placental mammal", + "eutherian", + "eutherian mammal", + "livestock", + "stock", + "farm animal", + "bull", + "cow", + "calf", + "calf", + "yearling", + "buck", + "doe", + "Insectivora", + "order Insectivora", + "Lipotyphla", + "suborder Lipotyphla", + "Menotyphla", + "suborder Menotyphla", + "insectivore", + "Talpidae", + "family Talpidae", + "mole", + "Condylura", + "genus Condylura", + "starnose mole", + "star-nosed mole", + "Condylura cristata", + "Parascalops", + "genus Parascalops", + "brewer's mole", + "hair-tailed mole", + "Parascalops breweri", + "Chrysochloridae", + "family Chrysochloridae", + "Chrysochloris", + "genus Chrysochloris", + "golden mole", + "Uropsilus", + "genus Uropsilus", + "shrew mole", + "Asiatic shrew mole", + "Uropsilus soricipes", + "Neurotrichus", + "genus Neurotrichus", + "American shrew mole", + "Neurotrichus gibbsii", + "Soricidae", + "family Soricidae", + "shrew", + "shrewmouse", + "Sorex", + "genus Sorex", + "common shrew", + "Sorex araneus", + "masked shrew", + "Sorex cinereus", + "Blarina", + "genus Blarina", + "short-tailed shrew", + "Blarina brevicauda", + "water shrew", + "American water shrew", + "Sorex palustris", + "Neomys", + "genus Neomys", + "European water shrew", + "Neomys fodiens", + "Mediterranean water shrew", + "Neomys anomalus", + "Cryptotis", + "genus Cryptotis", + "least shrew", + "Cryptotis parva", + "Erinaceidae", + "family Erinaceidae", + "Erinaceus", + "genus Erinaceus", + "hedgehog", + "Erinaceus europaeus", + "Erinaceus europeaeus", + "Tenrecidae", + "family Tenrecidae", + "tenrec", + "tendrac", + "genus Tenrec", + "tailless tenrec", + "Tenrec ecaudatus", + "Potamogalidae", + "family Potamogalidae", + "genus Potamogale", + "otter shrew", + "potamogale", + "Potamogale velox", + "chine", + "saddle", + "furcula", + "wishbone", + "wishing bone", + "cuticula", + "hide", + "pelt", + "skin", + "hypodermis", + "feather", + "plume", + "plumage", + "down", + "down feather", + "duck down", + "eiderdown", + "goose down", + "swan's down", + "plumule", + "aftershaft", + "sickle feather", + "contour feather", + "bastard wing", + "alula", + "spurious wing", + "marabou", + "vane", + "web", + "barb", + "web", + "hackle", + "saddle hackle", + "saddle feather", + "coat", + "pelage", + "guard hair", + "fur", + "undercoat", + "underfur", + "underpart", + "wool", + "fleece", + "mane", + "encolure", + "forelock", + "foretop", + "hair", + "cirrus", + "spine", + "ray", + "quill", + "aculea", + "aculeus", + "style", + "stylet", + "villus", + "bristle", + "chaeta", + "whisker", + "vibrissa", + "sensory hair", + "seta", + "pilus", + "horseback", + "operculum", + "protective covering", + "armor", + "armour", + "scale", + "fish scale", + "squama", + "scute", + "sclerite", + "clypeus", + "carapace", + "shell", + "cuticle", + "shield", + "plastron", + "shell", + "valve", + "valve", + "test", + "scallop shell", + "oyster shell", + "phragmocone", + "phragmacone", + "apodeme", + "theca", + "lorica", + "coelenteron", + "invertebrate", + "zoophyte", + "Parazoa", + "subkingdom Parazoa", + "Porifera", + "phylum Porifera", + "sponge", + "poriferan", + "parazoan", + "sponge genus", + "flagellated cell", + "choanocyte", + "collar cell", + "Hyalospongiae", + "class Hyalospongiae", + "glass sponge", + "Euplectella", + "genus Euplectella", + "Venus's flower basket", + "coelenterate family", + "coelenterate genus", + "Metazoa", + "subkingdom Metazoa", + "metazoan", + "Cnidaria", + "phylum Cnidaria", + "Coelenterata", + "phylum Coelenterata", + "coelenterate", + "cnidarian", + "planula", + "polyp", + "medusa", + "medusoid", + "medusan", + "Scyphozoa", + "class Scyphozoa", + "jellyfish", + "Aegina", + "scyphozoan", + "Chrysaora", + "genus Chrysaora", + "Chrysaora quinquecirrha", + "Hydrozoa", + "class Hydrozoa", + "hydrozoan", + "hydroid", + "genus Hydra", + "hydra", + "Siphonophora", + "order Siphonophora", + "siphonophore", + "genus Nanomia", + "nanomia", + "Physalia", + "genus Physalia", + "Portuguese man-of-war", + "man-of-war", + "jellyfish", + "praya", + "apolemia", + "Sertularia", + "genus Sertularia", + "sertularian", + "Anthozoa", + "class Anthozoa", + "Actinozoa", + "class Actinozoa", + "anthozoan", + "actinozoan", + "Actiniaria", + "order Actiniaria", + "Actinaria", + "order Actinaria", + "sea anemone", + "anemone", + "actinia", + "actinian", + "actiniarian", + "Actinia", + "genus Actinia", + "Alcyonaria", + "order Alcyonaria", + "Alcyonacea", + "suborder Alcyonacea", + "Pennatulidae", + "family Pennatulidae", + "Pennatula", + "genus Pennatula", + "sea pen", + "coral", + "Gorgonacea", + "suborder Gorgonacea", + "Gorgoniacea", + "suborder Gorgoniacea", + "gorgonian", + "gorgonian coral", + "sea feather", + "sea fan", + "red coral", + "Madreporaria", + "order Madreporaria", + "stony coral", + "madrepore", + "madriporian coral", + "Maeandra", + "genus Maeandra", + "brain coral", + "Acropora", + "genus Acropora", + "staghorn coral", + "stag's-horn coral", + "Fungia", + "genus Fungia", + "mushroom coral", + "ctenophore family", + "ctenophore genus", + "Ctenophora", + "phylum Ctenophora", + "ctene", + "comb-plate", + "ctenophore", + "comb jelly", + "Nuda", + "class Nuda", + "genus Beroe", + "beroe", + "Tentaculata", + "class Tentaculata", + "Cydippida", + "order Cydippida", + "Cydippidea", + "order Cydippidea", + "Cydippea", + "order Cydippea", + "Platyctenea", + "order Platyctenea", + "platyctenean", + "Pleurobrachiidae", + "family Pleurobrachiidae", + "Pleurobrachia", + "genus Pleurobrachia", + "sea gooseberry", + "Cestida", + "order Cestida", + "Cestidae", + "family Cestidae", + "Cestum", + "genus Cestum", + "Venus's girdle", + "Cestum veneris", + "Lobata", + "order Lobata", + "comb", + "worm family", + "worm genus", + "worm", + "helminth", + "parasitic worm", + "woodworm", + "woodborer", + "borer", + "Acanthocephala", + "phylum Acanthocephala", + "acanthocephalan", + "spiny-headed worm", + "Chaetognatha", + "phylum Chaetognatha", + "arrowworm", + "chaetognath", + "genus Sagitta", + "sagitta", + "genus Spadella", + "Platyhelminthes", + "phylum Platyhelminthes", + "bladder worm", + "flatworm", + "platyhelminth", + "Turbellaria", + "class Turbellaria", + "planarian", + "planaria", + "Trematoda", + "class Trematoda", + "fluke", + "trematode", + "trematode worm", + "cercaria", + "Fasciolidae", + "family Fasciolidae", + "Fasciola", + "genus Fasciola", + "liver fluke", + "Fasciola hepatica", + "Fasciolopsis", + "genus Fasciolopsis", + "Fasciolopsis buski", + "Schistosomatidae", + "family Schistosomatidae", + "Schistosoma", + "genus Schistosoma", + "schistosome", + "blood fluke", + "Cestoda", + "class Cestoda", + "tapeworm", + "cestode", + "Taeniidae", + "family Taeniidae", + "genus Echinococcus", + "echinococcus", + "genus Taenia", + "taenia", + "Nemertea", + "phylum Nemertea", + "Nemertina", + "phylum Nemertina", + "ribbon worm", + "nemertean", + "nemertine", + "proboscis worm", + "Pogonophora", + "phylum Pogonophora", + "beard worm", + "pogonophoran", + "Rotifera", + "phylum Rotifera", + "rotifer", + "Nematoda", + "phylum Nematoda", + "Aschelminthes", + "phylum Aschelminthes", + "Aphasmidia", + "class Aphasmidia", + "Phasmidia", + "class Phasmidia", + "nematode", + "nematode worm", + "roundworm", + "Ascaridae", + "family Ascaridae", + "Ascaris", + "genus Ascaris", + "common roundworm", + "Ascaris lumbricoides", + "Ascaridia", + "genus Ascaridia", + "chicken roundworm", + "Ascaridia galli", + "Oxyuridae", + "family Oxyuridae", + "Enterobius", + "genus Enterobius", + "pinworm", + "threadworm", + "Enterobius vermicularis", + "eelworm", + "Cephalobidae", + "family Cephalobidae", + "Anguillula", + "genus Anguillula", + "Turbatrix", + "genus Turbatrix", + "vinegar eel", + "vinegar worm", + "Anguillula aceti", + "Turbatrix aceti", + "Tylenchidae", + "family Tylenchidae", + "Tylenchus", + "genus Tylenchus", + "wheatworm", + "wheat eel", + "wheat eelworm", + "Tylenchus tritici", + "Ancylostomatidae", + "family Ancylostomatidae", + "trichina", + "Trichinella spiralis", + "hookworm", + "Filariidae", + "family Filariidae", + "filaria", + "Dracunculidae", + "family Dracunculidae", + "Dracunculus", + "genus Dracunculus", + "Guinea worm", + "Dracunculus medinensis", + "Annelida", + "phylum Annelida", + "annelid", + "annelid worm", + "segmented worm", + "Archiannelida", + "class Archiannelida", + "archiannelid", + "Oligochaeta", + "class Oligochaeta", + "oligochaete", + "oligochaete worm", + "earthworm", + "angleworm", + "fishworm", + "fishing worm", + "wiggler", + "nightwalker", + "nightcrawler", + "crawler", + "dew worm", + "red worm", + "Branchiobdellidae", + "family Branchiobdellidae", + "Branchiobdella", + "genus Branchiobdella", + "Polychaeta", + "class Polychaeta", + "polychaete", + "polychete", + "polychaete worm", + "polychete worm", + "lugworm", + "lug", + "lobworm", + "sea mouse", + "Terebellidae", + "family Terebellidae", + "Terebella", + "genus Terebella", + "Polycirrus", + "genus Polycirrus", + "bloodworm", + "Hirudinea", + "class Hirudinea", + "leech", + "bloodsucker", + "hirudinean", + "Hirudinidae", + "family Hirudinidae", + "Hirudo", + "genus Hirudo", + "medicinal leech", + "Hirudo medicinalis", + "Haemopis", + "genus Haemopis", + "horseleech", + "mollusk family", + "mollusk genus", + "Mollusca", + "phylum Mollusca", + "mollusk", + "mollusc", + "shellfish", + "Scaphopoda", + "class Scaphopoda", + "scaphopod", + "tooth shell", + "tusk shell", + "lip", + "Gastropoda", + "class Gastropoda", + "Gasteropoda", + "class Gasteropoda", + "gastropod", + "univalve", + "Haliotidae", + "family Haliotidae", + "Haliotis", + "genus Haliotis", + "abalone", + "ear-shell", + "ormer", + "sea-ear", + "Haliotis tuberculata", + "Strombidae", + "family Strombidae", + "Lambis", + "genus Lambis", + "scorpion shell", + "Strombus", + "genus Strombus", + "conch", + "giant conch", + "Strombus gigas", + "Helicidae", + "family Helicidae", + "snail", + "Helix", + "genus Helix", + "edible snail", + "Helix pomatia", + "garden snail", + "brown snail", + "Helix aspersa", + "Helix hortensis", + "Limacidae", + "family Limacidae", + "Limax", + "genus Limax", + "slug", + "seasnail", + "Neritidae", + "family Neritidae", + "neritid", + "neritid gastropod", + "genus Nerita", + "nerita", + "bleeding tooth", + "Nerita peloronta", + "genus Neritina", + "neritina", + "Buccinidae", + "family Buccinidae", + "whelk", + "Cymatiidae", + "family Cymatiidae", + "triton", + "Naticidae", + "family Naticidae", + "moon shell", + "moonshell", + "Littorinidae", + "family Littorinidae", + "Littorina", + "genus Littorina", + "periwinkle", + "winkle", + "limpet", + "Patellidae", + "family Patellidae", + "Patella", + "genus Patella", + "common limpet", + "Patella vulgata", + "Fissurellidae", + "family Fissurellidae", + "Fissurella", + "genus Fissurella", + "keyhole limpet", + "Fissurella apertura", + "Diodora apertura", + "Ancylidae", + "family Ancylidae", + "Ancylus", + "genus Ancylus", + "river limpet", + "freshwater limpet", + "Ancylus fluviatilis", + "Opisthobranchia", + "subclass Opisthobranchia", + "Nudibranchia", + "order Nudibranchia", + "sea slug", + "nudibranch", + "Aplysiidae", + "family Aplysiidae", + "Tethyidae", + "family Tethyidae", + "Aplysia", + "genus Aplysia", + "Tethys", + "genus Tethus", + "sea hare", + "Aplysia punctata", + "Hermissenda", + "genus Hermissenda", + "Hermissenda crassicornis", + "Akeridae", + "family Akeridae", + "Haminoea", + "genus Haminoea", + "bubble shell", + "Pulmonata", + "order Pulmonata", + "Physidae", + "family Physidae", + "genus Physa", + "physa", + "Pectinibranchia", + "order Pectinibranchia", + "Cypraeidae", + "family Cypraeidae", + "Cypraea", + "genus Cypraea", + "cowrie", + "cowry", + "money cowrie", + "Cypraea moneta", + "tiger cowrie", + "Cypraea tigris", + "ctenidium", + "ceras", + "Amphineura", + "subclass Amphineura", + "Solenogastres", + "order Solenogastres", + "Aplacophora", + "order Aplacophora", + "solenogaster", + "aplacophoran", + "Polyplacophora", + "class Polyplacophora", + "genus Chiton", + "chiton", + "coat-of-mail shell", + "sea cradle", + "polyplacophore", + "byssus", + "beard", + "Bivalvia", + "class Bivalvia", + "Lamellibranchia", + "class Lamellibranchia", + "class Pelecypoda", + "bivalve", + "pelecypod", + "lamellibranch", + "spat", + "clam", + "seashell", + "clamshell", + "Myaceae", + "order Myaceae", + "Myacidae", + "family Myacidae", + "Mya", + "genus Mya", + "soft-shell clam", + "steamer", + "steamer clam", + "long-neck clam", + "Mya arenaria", + "Veneridae", + "family Veneridae", + "Venus", + "genus Venus", + "Mercenaria", + "genus Mercenaria", + "quahog", + "quahaug", + "hard-shell clam", + "hard clam", + "round clam", + "Venus mercenaria", + "Mercenaria mercenaria", + "littleneck", + "littleneck clam", + "cherrystone", + "cherrystone clam", + "geoduck", + "Solenidae", + "family Solenidae", + "Ensis", + "genus Ensis", + "razor clam", + "jackknife clam", + "knife-handle", + "Tridacnidae", + "family Tridacnidae", + "Tridacna", + "genus Tridacna", + "giant clam", + "Tridacna gigas", + "Cardiidae", + "family Cardiidae", + "Cardium", + "genus Cardium", + "cockle", + "edible cockle", + "Cardium edule", + "Ostreidae", + "family Ostreidae", + "oyster", + "seed oyster", + "Ostrea", + "genus Ostrea", + "bluepoint", + "blue point", + "Japanese oyster", + "Ostrea gigas", + "Crassostrea", + "genus Crassostrea", + "Virginia oyster", + "Pteriidae", + "family Pteriidae", + "Pinctada", + "genus Pinctada", + "pearl oyster", + "Pinctada margaritifera", + "Anomiidae", + "family Anomiidae", + "Anomia", + "genus Anomia", + "saddle oyster", + "Anomia ephippium", + "Placuna", + "genus Placuna", + "window oyster", + "windowpane oyster", + "capiz", + "Placuna placenta", + "Arcidae", + "family Arcidae", + "Arca", + "genus Arca", + "ark shell", + "blood clam", + "mussel", + "Mytilidae", + "family Mytilidae", + "Mytilus", + "genus Mytilus", + "marine mussel", + "mytilid", + "edible mussel", + "Mytilus edulis", + "freshwater mussel", + "freshwater clam", + "Unionidae", + "family Unionidae", + "Unio", + "genus Unio", + "pearly-shelled mussel", + "Anodonta", + "genus Anodonta", + "thin-shelled mussel", + "Dreissena", + "genus Dreissena", + "zebra mussel", + "Dreissena polymorpha", + "Pectinidae", + "family Pectinidae", + "scallop", + "scollop", + "escallop", + "genus Pecten", + "bay scallop", + "Pecten irradians", + "sea scallop", + "giant scallop", + "Pecten magellanicus", + "Teredinidae", + "family Teredinidae", + "genus Teredo", + "shipworm", + "teredinid", + "teredo", + "Bankia", + "genus Bankia", + "giant northwest shipworm", + "Bankia setaceae", + "Pholadidae", + "family Pholadidae", + "Pholas", + "genus Pholas", + "piddock", + "Cephalopoda", + "class Cephalopoda", + "cephalopod", + "cephalopod mollusk", + "Nautilidae", + "family Nautilidae", + "genus Nautilus", + "chambered nautilus", + "pearly nautilus", + "nautilus", + "Dibranchiata", + "subclass Dibranchiata", + "Dibranchia", + "subclass Dibranchia", + "dibranchiate", + "dibranchiate mollusk", + "dibranch", + "Octopoda", + "order Octopoda", + "octopod", + "Octopodidae", + "family Octopodidae", + "genus Octopus", + "octopus", + "devilfish", + "Argonautidae", + "family Argonautidae", + "Argonauta", + "genus Argonauta", + "paper nautilus", + "nautilus", + "Argonaut", + "Argonauta argo", + "Decapoda", + "order Decapoda", + "decapod", + "squid", + "genus Loligo", + "loligo", + "genus Ommastrephes", + "ommastrephes", + "genus Architeuthis", + "architeuthis", + "giant squid", + "Sepiidae", + "family Sepiidae", + "Sepia", + "genus Sepia", + "cuttlefish", + "cuttle", + "Spirulidae", + "family Spirulidae", + "genus Spirula", + "spirula", + "Spirula peronii", + "Belemnoidea", + "order Belemnoidea", + "Belemnitidae", + "family Belemnitidae", + "belemnite", + "craw", + "crop", + "gizzard", + "ventriculus", + "gastric mill", + "Crustacea", + "class Crustacea", + "crustacean", + "green gland", + "Malacostraca", + "subclass Malacostraca", + "malacostracan crustacean", + "Decapoda", + "order Decapoda", + "decapod crustacean", + "decapod", + "Brachyura", + "suborder Brachyura", + "brachyuran", + "crab", + "Menippe", + "genus Menippe", + "stone crab", + "Menippe mercenaria", + "Cancridae", + "family Cancridae", + "Cancer", + "genus Cancer", + "hard-shell crab", + "soft-shell crab", + "soft-shelled crab", + "Dungeness crab", + "Cancer magister", + "rock crab", + "Cancer irroratus", + "Jonah crab", + "Cancer borealis", + "Portunidae", + "family Portunidae", + "swimming crab", + "Portunus", + "genus Portunus", + "English lady crab", + "Portunus puber", + "Ovalipes", + "genus Ovalipes", + "American lady crab", + "lady crab", + "calico crab", + "Ovalipes ocellatus", + "Callinectes", + "genus Callinectes", + "blue crab", + "Callinectes sapidus", + "Uca", + "genus Uca", + "fiddler crab", + "Pinnotheridae", + "family Pinnotheridae", + "Pinnotheres", + "genus Pinnotheres", + "pea crab", + "oyster crab", + "Pinnotheres ostreum", + "Lithodidae", + "family Lithodidae", + "Paralithodes", + "genus Paralithodes", + "king crab", + "Alaska crab", + "Alaskan king crab", + "Alaska king crab", + "Paralithodes camtschatica", + "Majidae", + "family Majidae", + "spider crab", + "Maja", + "genus Maja", + "Maia", + "genus Maia", + "European spider crab", + "king crab", + "Maja squinado", + "Macrocheira", + "genus Macrocheira", + "giant crab", + "Macrocheira kaempferi", + "Reptantia", + "suborder Reptantia", + "lobster", + "Homaridae", + "family Homaridae", + "true lobster", + "Homarus", + "genus Homarus", + "American lobster", + "Northern lobster", + "Maine lobster", + "Homarus americanus", + "European lobster", + "Homarus vulgaris", + "Cape lobster", + "Homarus capensis", + "Nephropsidae", + "family Nephropsidae", + "Nephrops", + "genus Nephrops", + "Norway lobster", + "Nephrops norvegicus", + "Palinuridae", + "family Palinuridae", + "Palinurus", + "genus Palinurus", + "spiny lobster", + "langouste", + "rock lobster", + "crawfish", + "crayfish", + "sea crawfish", + "Astacidae", + "family Astacidae", + "Astacura", + "crayfish", + "crawfish", + "crawdad", + "crawdaddy", + "Astacus", + "genus Astacus", + "Old World crayfish", + "ecrevisse", + "Cambarus", + "genus Cambarus", + "American crayfish", + "Paguridae", + "family Paguridae", + "Pagurus", + "genus Pagurus", + "hermit crab", + "Natantia", + "suborder Natantia", + "Crangonidae", + "family Crangonidae", + "Crangon", + "genus Crangon", + "shrimp", + "snapping shrimp", + "pistol shrimp", + "Palaemonidae", + "family Palaemonidae", + "Palaemon", + "genus Palaemon", + "prawn", + "long-clawed prawn", + "river prawn", + "Palaemon australis", + "Peneidae", + "family Peneidae", + "Peneus", + "genus Peneus", + "tropical prawn", + "Schizopoda", + "Euphausiacea", + "order Euphausiacea", + "krill", + "Euphausia pacifica", + "Mysidacea", + "order Mysidacea", + "Mysidae", + "family Mysidae", + "Mysis", + "genus Mysis", + "Praunus", + "genus Praunus", + "opossum shrimp", + "Stomatopoda", + "order Stomatopoda", + "stomatopod", + "stomatopod crustacean", + "mantis shrimp", + "mantis crab", + "Squillidae", + "family Squillidae", + "genus Squilla", + "squilla", + "mantis prawn", + "Isopoda", + "order Isopoda", + "isopod", + "woodlouse", + "slater", + "Armadillidiidae", + "family Armadillidiidae", + "Armadillidium", + "genus Armadillidium", + "pill bug", + "Oniscidae", + "family Oniscidae", + "Oniscus", + "genus Oniscus", + "Porcellionidae", + "family Porcellionidae", + "Porcellio", + "genus Porcellio", + "sow bug", + "sea louse", + "sea slater", + "Amphipoda", + "order Amphipoda", + "amphipod", + "Orchestiidae", + "family Orchestiidae", + "Orchestia", + "genus Orchestia", + "beach flea", + "sand hopper", + "sandhopper", + "sand flea", + "Caprella", + "genus Caprella", + "skeleton shrimp", + "Cyamus", + "genus Cyamus", + "whale louse", + "Entomostraca", + "subclass Entomostraca", + "Branchiopoda", + "subclass Branchiopoda", + "branchiopod crustacean", + "branchiopod", + "branchiopodan", + "genus Daphnia", + "daphnia", + "water flea", + "Anostraca", + "order Anostraca", + "Artemia", + "genus Artemia", + "Chirocephalus", + "genus Chirocephalus", + "fairy shrimp", + "brine shrimp", + "Artemia salina", + "Notostraca", + "order Notostraca", + "Triopidae", + "family Triopidae", + "Triops", + "genus Triops", + "tadpole shrimp", + "Copepoda", + "subclass Copepoda", + "copepod", + "copepod crustacean", + "brit", + "britt", + "genus Cyclops", + "cyclops", + "water flea", + "Branchiura", + "order Branchiura", + "fish louse", + "Ostracoda", + "subclass Ostracoda", + "seed shrimp", + "mussel shrimp", + "ostracod", + "Cirripedia", + "subclass Cirripedia", + "barnacle", + "cirriped", + "cirripede", + "Balanidae", + "family Balanidae", + "Balanus", + "genus Balanus", + "acorn barnacle", + "rock barnacle", + "Balanus balanoides", + "Lepadidae", + "family Lepadidae", + "Lepas", + "genus Lepas", + "goose barnacle", + "gooseneck barnacle", + "Lepas fascicularis", + "Onychophora", + "class Onychophora", + "onychophoran", + "velvet worm", + "peripatus", + "Peripatidae", + "family Peripatidae", + "genus Peripatus", + "Plicatoperipatus", + "genus Plicatoperipatus", + "Plicatoperipatus jamaicensis", + "Peripatopsidae", + "family Peripatopsidae", + "Peripatopsis", + "genus Peripatopsis", + "wading bird", + "wader", + "Ciconiiformes", + "order Ciconiiformes", + "Ciconiidae", + "family Ciconiidae", + "stork", + "Ciconia", + "genus Ciconia", + "white stork", + "Ciconia ciconia", + "black stork", + "Ciconia nigra", + "Leptoptilus", + "genus Leptoptilus", + "adjutant bird", + "adjutant", + "adjutant stork", + "Leptoptilus dubius", + "marabou", + "marabout", + "marabou stork", + "Leptoptilus crumeniferus", + "Anastomus", + "genus Anastomus", + "openbill", + "genus Jabiru", + "jabiru", + "Jabiru mycteria", + "Ephippiorhynchus", + "genus Ephippiorhynchus", + "saddlebill", + "jabiru", + "Ephippiorhynchus senegalensis", + "Xenorhyncus", + "genus Xenorhyncus", + "policeman bird", + "black-necked stork", + "jabiru", + "Xenorhyncus asiaticus", + "Mycteria", + "genus Mycteria", + "wood ibis", + "wood stork", + "flinthead", + "Mycteria americana", + "Balaenicipitidae", + "family Balaenicipitidae", + "Balaeniceps", + "genus Balaeniceps", + "shoebill", + "shoebird", + "Balaeniceps rex", + "Threskiornithidae", + "family Threskiornithidae", + "family Ibidiidae", + "ibis", + "genus Ibis", + "wood ibis", + "wood stork", + "Ibis ibis", + "Threskiornis", + "genus Threskiornis", + "sacred ibis", + "Threskiornis aethiopica", + "Plataleidae", + "family Plataleidae", + "spoonbill", + "Platalea", + "genus Platalea", + "common spoonbill", + "Platalea leucorodia", + "Ajaia", + "genus Ajaia", + "roseate spoonbill", + "Ajaia ajaja", + "Phoenicopteridae", + "family Phoenicopteridae", + "flamingo", + "Ardeidae", + "family Ardeidae", + "heron", + "Ardea", + "genus Ardea", + "great blue heron", + "Ardea herodius", + "great white heron", + "Ardea occidentalis", + "egret", + "Egretta", + "genus Egretta", + "little blue heron", + "Egretta caerulea", + "snowy egret", + "snowy heron", + "Egretta thula", + "little egret", + "Egretta garzetta", + "Casmerodius", + "genus Casmerodius", + "great white heron", + "Casmerodius albus", + "American egret", + "great white heron", + "Egretta albus", + "Bubulcus", + "genus Bubulcus", + "cattle egret", + "Bubulcus ibis", + "night heron", + "night raven", + "Nycticorax", + "genus Nycticorax", + "black-crowned night heron", + "Nycticorax nycticorax", + "Nyctanassa", + "genus Nyctanassa", + "yellow-crowned night heron", + "Nyctanassa violacea", + "Cochlearius", + "genus Cochlearius", + "boatbill", + "boat-billed heron", + "broadbill", + "Cochlearius cochlearius", + "bittern", + "Botaurus", + "genus Botaurus", + "American bittern", + "stake driver", + "Botaurus lentiginosus", + "European bittern", + "Botaurus stellaris", + "Ixobrychus", + "genus Ixobrychus", + "least bittern", + "Ixobrychus exilis", + "Gruiformes", + "order Gruiformes", + "Gruidae", + "family Gruidae", + "crane", + "Grus", + "genus Grus", + "whooping crane", + "whooper", + "Grus americana", + "Aramus", + "genus Aramus", + "courlan", + "Aramus guarauna", + "limpkin", + "Aramus pictus", + "Cariamidae", + "family Cariamidae", + "Cariama", + "genus Cariama", + "crested cariama", + "seriema", + "Cariama cristata", + "genus Chunga", + "chunga", + "seriema", + "Chunga burmeisteri", + "Rallidae", + "family Rallidae", + "rail", + "Gallirallus", + "genus Gallirallus", + "weka", + "maori hen", + "wood hen", + "crake", + "Crex", + "genus Crex", + "corncrake", + "land rail", + "Crex crex", + "Porzana", + "genus Porzana", + "spotted crake", + "Porzana porzana", + "Gallinula", + "genus Gallinula", + "gallinule", + "marsh hen", + "water hen", + "swamphen", + "Florida gallinule", + "Gallinula chloropus cachinnans", + "moorhen", + "Gallinula chloropus", + "purple gallinule", + "Porphyrio", + "genus Porphyrio", + "European gallinule", + "Porphyrio porphyrio", + "Porphyrula", + "genus Porphyrula", + "American gallinule", + "Porphyrula martinica", + "genus Notornis", + "notornis", + "takahe", + "Notornis mantelli", + "Fulica", + "genus Fulica", + "coot", + "American coot", + "marsh hen", + "mud hen", + "water hen", + "Fulica americana", + "Old World coot", + "Fulica atra", + "Otides", + "suborder Otides", + "Otididae", + "family Otididae", + "bustard", + "Otis", + "genus Otis", + "great bustard", + "Otis tarda", + "Choriotis", + "genus Choriotis", + "plain turkey", + "Choriotis australis", + "Turnicidae", + "family Turnicidae", + "Turnix", + "genus Turnix", + "button quail", + "button-quail", + "bustard quail", + "hemipode", + "striped button quail", + "Turnix sylvatica", + "ortygan", + "Pedionomus", + "genus Pedionomus", + "plain wanderer", + "Pedionomus torquatus", + "Psophiidae", + "family Psophiidae", + "Psophia", + "genus Psophia", + "trumpeter", + "Brazilian trumpeter", + "Psophia crepitans", + "Charadriiformes", + "order Charadriiformes", + "seabird", + "sea bird", + "seafowl", + "Charadrii", + "suborder Charadrii", + "Limicolae", + "suborder Limicolae", + "shorebird", + "shore bird", + "limicoline bird", + "Charadriidae", + "family Charadriidae", + "plover", + "Charadrius", + "genus Charadrius", + "piping plover", + "Charadrius melodus", + "killdeer", + "kildeer", + "killdeer plover", + "Charadrius vociferus", + "dotterel", + "dotrel", + "Charadrius morinellus", + "Eudromias morinellus", + "Pluvialis", + "genus Pluvialis", + "golden plover", + "Vanellus", + "genus Vanellus", + "lapwing", + "green plover", + "peewit", + "pewit", + "Arenaria", + "genus Arenaria", + "turnstone", + "ruddy turnstone", + "Arenaria interpres", + "black turnstone", + "Arenaria-Melanocephala", + "Scolopacidae", + "family Scolopacidae", + "sandpiper", + "Aphriza", + "genus Aphriza", + "surfbird", + "Aphriza virgata", + "Actitis", + "genus Actitis", + "European sandpiper", + "Actitis hypoleucos", + "spotted sandpiper", + "Actitis macularia", + "Erolia", + "genus Erolia", + "least sandpiper", + "stint", + "Erolia minutilla", + "red-backed sandpiper", + "dunlin", + "Erolia alpina", + "Tringa", + "genus Tringa", + "greenshank", + "Tringa nebularia", + "redshank", + "Tringa totanus", + "yellowlegs", + "greater yellowlegs", + "Tringa melanoleuca", + "lesser yellowlegs", + "Tringa flavipes", + "Calidris", + "genus Calidris", + "pectoral sandpiper", + "jacksnipe", + "Calidris melanotos", + "knot", + "greyback", + "grayback", + "Calidris canutus", + "curlew sandpiper", + "Calidris Ferruginea", + "Crocethia", + "genus Crocethia", + "sanderling", + "Crocethia alba", + "Bartramia", + "genus Bartramia", + "upland sandpiper", + "upland plover", + "Bartramian sandpiper", + "Bartramia longicauda", + "Philomachus", + "genus Philomachus", + "ruff", + "Philomachus pugnax", + "reeve", + "tattler", + "Heteroscelus", + "genus Heteroscelus", + "Polynesian tattler", + "Heteroscelus incanus", + "Catoptrophorus", + "genus Catoptrophorus", + "willet", + "Catoptrophorus semipalmatus", + "woodcock", + "Scolopax", + "genus Scolopax", + "Eurasian woodcock", + "Scolopax rusticola", + "Philohela", + "genus Philohela", + "American woodcock", + "woodcock snipe", + "Philohela minor", + "Gallinago", + "genus Gallinago", + "Capella", + "genus Capella", + "snipe", + "whole snipe", + "Gallinago gallinago", + "Wilson's snipe", + "Gallinago gallinago delicata", + "great snipe", + "woodcock snipe", + "Gallinago media", + "Limnocryptes", + "genus Limnocryptes", + "jacksnipe", + "half snipe", + "Limnocryptes minima", + "Limnodromus", + "genus Limnodromus", + "dowitcher", + "greyback", + "grayback", + "Limnodromus griseus", + "red-breasted snipe", + "Limnodromus scolopaceus", + "Numenius", + "genus Numenius", + "curlew", + "European curlew", + "Numenius arquata", + "Eskimo curlew", + "Numenius borealis", + "Limosa", + "genus Limosa", + "godwit", + "Hudsonian godwit", + "Limosa haemastica", + "Himantopus", + "genus Himantopus", + "stilt", + "stiltbird", + "longlegs", + "long-legs", + "stilt plover", + "Himantopus stilt", + "black-necked stilt", + "Himantopus mexicanus", + "black-winged stilt", + "Himantopus himantopus", + "white-headed stilt", + "Himantopus himantopus leucocephalus", + "kaki", + "Himantopus novae-zelandiae", + "Cladorhyncus", + "genus Cladorhyncus", + "stilt", + "Australian stilt", + "banded stilt", + "Cladorhyncus leucocephalum", + "Recurvirostridae", + "family Recurvirostridae", + "Recurvirostra", + "genus Recurvirostra", + "avocet", + "Haematopodidae", + "family Haematopodidae", + "Haematopus", + "genus Haematopus", + "oystercatcher", + "oyster catcher", + "Phalaropidae", + "family Phalaropidae", + "phalarope", + "Phalaropus", + "genus Phalaropus", + "red phalarope", + "Phalaropus fulicarius", + "Lobipes", + "genus Lobipes", + "northern phalarope", + "Lobipes lobatus", + "Steganopus", + "genus Steganopus", + "Wilson's phalarope", + "Steganopus tricolor", + "Glareolidae", + "family Glareolidae", + "Glareola", + "genus Glareola", + "pratincole", + "glareole", + "courser", + "Cursorius", + "genus Cursorius", + "cream-colored courser", + "Cursorius cursor", + "Pluvianus", + "genus Pluvianus", + "crocodile bird", + "Pluvianus aegyptius", + "Burhinidae", + "family Burhinidae", + "Burhinus", + "genus Burhinus", + "stone curlew", + "thick-knee", + "Burhinus oedicnemus", + "coastal diving bird", + "Lari", + "suborder Lari", + "Laridae", + "family Laridae", + "larid", + "gull", + "seagull", + "sea gull", + "Larus", + "genus Larus", + "mew", + "mew gull", + "sea mew", + "Larus canus", + "black-backed gull", + "great black-backed gull", + "cob", + "Larus marinus", + "herring gull", + "Larus argentatus", + "laughing gull", + "blackcap", + "pewit", + "pewit gull", + "Larus ridibundus", + "Pagophila", + "genus Pagophila", + "ivory gull", + "Pagophila eburnea", + "Rissa", + "genus Rissa", + "kittiwake", + "Sterninae", + "subfamily Sterninae", + "tern", + "Sterna", + "genus Sterna", + "sea swallow", + "Sterna hirundo", + "Rynchopidae", + "family Rynchopidae", + "Rynchops", + "genus Rynchops", + "skimmer", + "Stercorariidae", + "family Stercorariidae", + "jaeger", + "Stercorarius", + "genus Stercorarius", + "parasitic jaeger", + "arctic skua", + "Stercorarius parasiticus", + "Catharacta", + "genus Catharacta", + "skua", + "bonxie", + "great skua", + "Catharacta skua", + "Alcidae", + "family Alcidae", + "auk", + "auklet", + "Alca", + "genus Alca", + "razorbill", + "razor-billed auk", + "Alca torda", + "Plautus", + "genus Plautus", + "little auk", + "dovekie", + "Plautus alle", + "Pinguinus", + "genus Pinguinus", + "great auk", + "Pinguinus impennis", + "Cepphus", + "genus Cepphus", + "guillemot", + "black guillemot", + "Cepphus grylle", + "pigeon guillemot", + "Cepphus columba", + "Uria", + "genus Uria", + "murre", + "common murre", + "Uria aalge", + "thick-billed murre", + "Uria lomvia", + "puffin", + "Fratercula", + "genus Fratercula", + "Atlantic puffin", + "Fratercula arctica", + "horned puffin", + "Fratercula corniculata", + "Lunda", + "genus Lunda", + "tufted puffin", + "Lunda cirrhata", + "Gaviiformes", + "order Gaviiformes", + "gaviiform seabird", + "Gavidae", + "family Gavidae", + "Gavia", + "genus Gavia", + "loon", + "diver", + "Podicipitiformes", + "order Podicipitiformes", + "Podicipediformes", + "order Podicipediformes", + "Colymbiformes", + "order Colymbiformes", + "podicipitiform seabird", + "Podicipedidae", + "family Podicipedidae", + "Podiceps", + "genus Podiceps", + "grebe", + "great crested grebe", + "Podiceps cristatus", + "red-necked grebe", + "Podiceps grisegena", + "black-necked grebe", + "eared grebe", + "Podiceps nigricollis", + "dabchick", + "little grebe", + "Podiceps ruficollis", + "Podilymbus", + "genus Podilymbus", + "pied-billed grebe", + "Podilymbus podiceps", + "Pelecaniformes", + "order Pelecaniformes", + "pelecaniform seabird", + "Pelecanidae", + "family Pelecanidae", + "pelican", + "Pelecanus", + "genus Pelecanus", + "white pelican", + "Pelecanus erythrorhynchos", + "Old world white pelican", + "Pelecanus onocrotalus", + "Fregatidae", + "family Fregatidae", + "Fregata", + "genus Fregata", + "frigate bird", + "man-of-war bird", + "Sulidae", + "family Sulidae", + "gannet", + "Sula", + "genus Sula", + "solan", + "solan goose", + "solant goose", + "Sula bassana", + "booby", + "Phalacrocoracidae", + "family Phalacrocoracidae", + "Phalacrocorax", + "genus Phalacrocorax", + "cormorant", + "Phalacrocorax carbo", + "Anhingidae", + "family Anhingidae", + "genus Anhinga", + "snakebird", + "anhinga", + "darter", + "water turkey", + "Anhinga anhinga", + "Phaethontidae", + "family Phaethontidae", + "Phaethon", + "genus Phaethon", + "tropic bird", + "tropicbird", + "boatswain bird", + "Sphenisciformes", + "order Sphenisciformes", + "Spheniscidae", + "family Spheniscidae", + "sphenisciform seabird", + "penguin", + "Pygoscelis", + "genus Pygoscelis", + "Adelie", + "Adelie penguin", + "Pygoscelis adeliae", + "Aptenodytes", + "genus Aptenodytes", + "king penguin", + "Aptenodytes patagonica", + "emperor penguin", + "Aptenodytes forsteri", + "Spheniscus", + "genus Spheniscus", + "jackass penguin", + "Spheniscus demersus", + "Eudyptes", + "genus Eudyptes", + "rock hopper", + "crested penguin", + "Procellariiformes", + "order Procellariiformes", + "pelagic bird", + "oceanic bird", + "procellariiform seabird", + "Diomedeidae", + "family Diomedeidae", + "albatross", + "mollymawk", + "genus Diomedea", + "wandering albatross", + "Diomedea exulans", + "black-footed albatross", + "gooney", + "gooney bird", + "goonie", + "goony", + "Diomedea nigripes", + "Procellariidae", + "family Procellariidae", + "petrel", + "Procellaria", + "genus Procellaria", + "white-chinned petrel", + "Procellaria aequinoctialis", + "Macronectes", + "genus Macronectes", + "giant petrel", + "giant fulmar", + "Macronectes giganteus", + "Fulmarus", + "genus Fulmarus", + "fulmar", + "fulmar petrel", + "Fulmarus glacialis", + "Puffinus", + "genus Puffinus", + "shearwater", + "Manx shearwater", + "Puffinus puffinus", + "Hydrobatidae", + "family Hydrobatidae", + "storm petrel", + "Hydrobates", + "genus Hydrobates", + "stormy petrel", + "northern storm petrel", + "Hydrobates pelagicus", + "Oceanites", + "genus Oceanites", + "Mother Carey's chicken", + "Mother Carey's hen", + "Oceanites oceanicus", + "Pelecanoididae", + "family Pelecanoididae", + "diving petrel", + "aquatic mammal", + "Cetacea", + "order Cetacea", + "cetacean", + "cetacean mammal", + "blower", + "whale", + "Mysticeti", + "suborder Mysticeti", + "baleen whale", + "whalebone whale", + "Balaenidae", + "family Balaenidae", + "right whale", + "Balaena", + "genus Balaena", + "bowhead", + "bowhead whale", + "Greenland whale", + "Balaena mysticetus", + "Balaenopteridae", + "family Balaenopteridae", + "rorqual", + "razorback", + "Balaenoptera", + "genus Balaenoptera", + "blue whale", + "sulfur bottom", + "Balaenoptera musculus", + "finback", + "finback whale", + "fin whale", + "common rorqual", + "Balaenoptera physalus", + "sei whale", + "Balaenoptera borealis", + "lesser rorqual", + "piked whale", + "minke whale", + "Balaenoptera acutorostrata", + "Megaptera", + "genus Megaptera", + "humpback", + "humpback whale", + "Megaptera novaeangliae", + "Eschrichtiidae", + "family Eschrichtiidae", + "Eschrichtius", + "genus Eschrichtius", + "grey whale", + "gray whale", + "devilfish", + "Eschrichtius gibbosus", + "Eschrichtius robustus", + "Odontoceti", + "suborder Odontoceti", + "toothed whale", + "Physeteridae", + "family Physeteridae", + "Physeter", + "genus Physeter", + "sperm whale", + "cachalot", + "black whale", + "Physeter catodon", + "Kogia", + "genus Kogia", + "pygmy sperm whale", + "Kogia breviceps", + "dwarf sperm whale", + "Kogia simus", + "Ziphiidae", + "family Ziphiidae", + "Hyperodontidae", + "family Hyperodontidae", + "beaked whale", + "Hyperoodon", + "genus Hyperoodon", + "bottle-nosed whale", + "bottlenose whale", + "bottlenose", + "Hyperoodon ampullatus", + "Delphinidae", + "family Delphinidae", + "dolphin", + "Delphinus", + "genus Delphinus", + "common dolphin", + "Delphinus delphis", + "Tursiops", + "genus Tursiops", + "bottlenose dolphin", + "bottle-nosed dolphin", + "bottlenose", + "Atlantic bottlenose dolphin", + "Tursiops truncatus", + "Pacific bottlenose dolphin", + "Tursiops gilli", + "Phocoena", + "genus Phocoena", + "porpoise", + "harbor porpoise", + "herring hog", + "Phocoena phocoena", + "vaquita", + "Phocoena sinus", + "genus Grampus", + "grampus", + "Grampus griseus", + "Orcinus", + "genus Orcinus", + "killer whale", + "killer", + "orca", + "grampus", + "sea wolf", + "Orcinus orca", + "Globicephala", + "genus Globicephala", + "pilot whale", + "black whale", + "common blackfish", + "blackfish", + "Globicephala melaena", + "Platanistidae", + "family Platanistidae", + "river dolphin", + "Monodontidae", + "family Monodontidae", + "Monodon", + "genus Monodon", + "narwhal", + "narwal", + "narwhale", + "Monodon monoceros", + "Delphinapterus", + "genus Delphinapterus", + "white whale", + "beluga", + "Delphinapterus leucas", + "spouter", + "Sirenia", + "order Sirenia", + "sea cow", + "sirenian mammal", + "sirenian", + "Trichechidae", + "family Trichechidae", + "Trichechus", + "genus Trichecus", + "manatee", + "Trichechus manatus", + "Dugongidae", + "family Dugongidae", + "genus Dugong", + "dugong", + "Dugong dugon", + "Hydrodamalis", + "genus Hydrodamalis", + "Steller's sea cow", + "Hydrodamalis gigas", + "Carnivora", + "order Carnivora", + "carnivore", + "omnivore", + "Pinnipedia", + "suborder Pinnipedia", + "pinniped mammal", + "pinniped", + "pinnatiped", + "seal", + "crabeater seal", + "crab-eating seal", + "Otariidae", + "family Otariidae", + "eared seal", + "Arctocephalus", + "genus Arctocephalus", + "fur seal", + "guadalupe fur seal", + "Arctocephalus philippi", + "Callorhinus", + "genus Callorhinus", + "fur seal", + "Alaska fur seal", + "Callorhinus ursinus", + "sea lion", + "Otaria", + "genus Otaria", + "South American sea lion", + "Otaria Byronia", + "Zalophus", + "genus Zalophus", + "California sea lion", + "Zalophus californianus", + "Zalophus californicus", + "Australian sea lion", + "Zalophus lobatus", + "Eumetopias", + "genus Eumetopias", + "Steller sea lion", + "Steller's sea lion", + "Eumetopias jubatus", + "Phocidae", + "family Phocidae", + "earless seal", + "true seal", + "hair seal", + "Phoca", + "genus Phoca", + "harbor seal", + "common seal", + "Phoca vitulina", + "Pagophilus", + "genus Pagophilus", + "harp seal", + "Pagophilus groenlandicus", + "Mirounga", + "genus Mirounga", + "elephant seal", + "sea elephant", + "Erignathus", + "genus Erignathus", + "bearded seal", + "squareflipper square flipper", + "Erignathus barbatus", + "Cystophora", + "genus Cystophora", + "hooded seal", + "bladdernose", + "Cystophora cristata", + "Odobenidae", + "family Odobenidae", + "Odobenus", + "genus Odobenus", + "walrus", + "seahorse", + "sea horse", + "Atlantic walrus", + "Odobenus rosmarus", + "Pacific walrus", + "Odobenus divergens", + "Fissipedia", + "fissiped mammal", + "fissiped", + "Tubulidentata", + "order Tubulidentata", + "Orycteropodidae", + "family Orycteropodidae", + "Orycteropus", + "genus Orycteropus", + "aardvark", + "ant bear", + "anteater", + "Orycteropus afer", + "Canidae", + "family Canidae", + "canine", + "canid", + "bitch", + "brood bitch", + "Canis", + "genus Canis", + "dog", + "domestic dog", + "Canis familiaris", + "pooch", + "doggie", + "doggy", + "barker", + "bow-wow", + "cur", + "mongrel", + "mutt", + "feist", + "fice", + "pariah dog", + "pye-dog", + "pie-dog", + "lapdog", + "toy dog", + "toy", + "Chihuahua", + "Japanese spaniel", + "Maltese dog", + "Maltese terrier", + "Maltese", + "Pekinese", + "Pekingese", + "Peke", + "Shih-Tzu", + "toy spaniel", + "English toy spaniel", + "Blenheim spaniel", + "King Charles spaniel", + "papillon", + "toy terrier", + "hunting dog", + "courser", + "Rhodesian ridgeback", + "hound", + "hound dog", + "Afghan hound", + "Afghan", + "basset", + "basset hound", + "beagle", + "bloodhound", + "sleuthhound", + "bluetick", + "boarhound", + "coonhound", + "coondog", + "black-and-tan coonhound", + "dachshund", + "dachsie", + "badger dog", + "sausage dog", + "sausage hound", + "foxhound", + "American foxhound", + "Walker hound", + "Walker foxhound", + "English foxhound", + "harrier", + "Plott hound", + "redbone", + "wolfhound", + "borzoi", + "Russian wolfhound", + "Irish wolfhound", + "greyhound", + "Italian greyhound", + "whippet", + "Ibizan hound", + "Ibizan Podenco", + "Norwegian elkhound", + "elkhound", + "otterhound", + "otter hound", + "Saluki", + "gazelle hound", + "Scottish deerhound", + "deerhound", + "staghound", + "Weimaraner", + "terrier", + "bullterrier", + "bull terrier", + "Staffordshire bullterrier", + "Staffordshire bull terrier", + "American Staffordshire terrier", + "Staffordshire terrier", + "American pit bull terrier", + "pit bull terrier", + "Bedlington terrier", + "Border terrier", + "Kerry blue terrier", + "Irish terrier", + "Norfolk terrier", + "Norwich terrier", + "Yorkshire terrier", + "rat terrier", + "ratter", + "Manchester terrier", + "black-and-tan terrier", + "toy Manchester", + "toy Manchester terrier", + "fox terrier", + "smooth-haired fox terrier", + "wire-haired fox terrier", + "wirehair", + "wirehaired terrier", + "wire-haired terrier", + "Lakeland terrier", + "Welsh terrier", + "Sealyham terrier", + "Sealyham", + "Airedale", + "Airedale terrier", + "cairn", + "cairn terrier", + "Australian terrier", + "Dandie Dinmont", + "Dandie Dinmont terrier", + "Boston bull", + "Boston terrier", + "schnauzer", + "miniature schnauzer", + "giant schnauzer", + "standard schnauzer", + "Scotch terrier", + "Scottish terrier", + "Scottie", + "Tibetan terrier", + "chrysanthemum dog", + "silky terrier", + "Sydney silky", + "Skye terrier", + "Clydesdale terrier", + "soft-coated wheaten terrier", + "West Highland white terrier", + "Lhasa", + "Lhasa apso", + "sporting dog", + "gun dog", + "bird dog", + "water dog", + "retriever", + "flat-coated retriever", + "curly-coated retriever", + "golden retriever", + "Labrador retriever", + "Chesapeake Bay retriever", + "pointer", + "Spanish pointer", + "German short-haired pointer", + "setter", + "vizsla", + "Hungarian pointer", + "English setter", + "Irish setter", + "red setter", + "Gordon setter", + "spaniel", + "Brittany spaniel", + "clumber", + "clumber spaniel", + "field spaniel", + "springer spaniel", + "springer", + "English springer", + "English springer spaniel", + "Welsh springer spaniel", + "cocker spaniel", + "English cocker spaniel", + "cocker", + "Sussex spaniel", + "water spaniel", + "American water spaniel", + "Irish water spaniel", + "griffon", + "wire-haired pointing griffon", + "working dog", + "watchdog", + "guard dog", + "kuvasz", + "attack dog", + "housedog", + "schipperke", + "shepherd dog", + "sheepdog", + "sheep dog", + "Belgian sheepdog", + "Belgian shepherd", + "groenendael", + "malinois", + "briard", + "kelpie", + "komondor", + "Old English sheepdog", + "bobtail", + "Shetland sheepdog", + "Shetland sheep dog", + "Shetland", + "collie", + "Border collie", + "Bouvier des Flandres", + "Bouviers des Flandres", + "Rottweiler", + "German shepherd", + "German shepherd dog", + "German police dog", + "alsatian", + "police dog", + "pinscher", + "Doberman", + "Doberman pinscher", + "miniature pinscher", + "Sennenhunde", + "Greater Swiss Mountain dog", + "Bernese mountain dog", + "Appenzeller", + "EntleBucher", + "boxer", + "mastiff", + "bull mastiff", + "Tibetan mastiff", + "bulldog", + "English bulldog", + "French bulldog", + "Great Dane", + "guide dog", + "Seeing Eye dog", + "hearing dog", + "Saint Bernard", + "St Bernard", + "seizure-alert dog", + "sled dog", + "sledge dog", + "Eskimo dog", + "husky", + "malamute", + "malemute", + "Alaskan malamute", + "Siberian husky", + "dalmatian", + "coach dog", + "carriage dog", + "liver-spotted dalmatian", + "affenpinscher", + "monkey pinscher", + "monkey dog", + "basenji", + "pug", + "pug-dog", + "Leonberg", + "Newfoundland", + "Newfoundland dog", + "Great Pyrenees", + "spitz", + "Samoyed", + "Samoyede", + "Pomeranian", + "chow", + "chow chow", + "keeshond", + "griffon", + "Brussels griffon", + "Belgian griffon", + "Brabancon griffon", + "corgi", + "Welsh corgi", + "Pembroke", + "Pembroke Welsh corgi", + "Cardigan", + "Cardigan Welsh corgi", + "poodle", + "poodle dog", + "toy poodle", + "miniature poodle", + "standard poodle", + "large poodle", + "Mexican hairless", + "wolf", + "timber wolf", + "grey wolf", + "gray wolf", + "Canis lupus", + "white wolf", + "Arctic wolf", + "Canis lupus tundrarum", + "red wolf", + "maned wolf", + "Canis rufus", + "Canis niger", + "coyote", + "prairie wolf", + "brush wolf", + "Canis latrans", + "coydog", + "jackal", + "Canis aureus", + "wild dog", + "dingo", + "warrigal", + "warragal", + "Canis dingo", + "Cuon", + "Cyon", + "genus Cuon", + "genus Cyon", + "dhole", + "Cuon alpinus", + "Dusicyon", + "genus Dusicyon", + "crab-eating dog", + "crab-eating fox", + "Dusicyon cancrivorus", + "Nyctereutes", + "genus Nyctereutes", + "raccoon dog", + "Nyctereutes procyonides", + "Lycaeon", + "genus Lycaeon", + "African hunting dog", + "hyena dog", + "Cape hunting dog", + "Lycaon pictus", + "Hyaenidae", + "family Hyaenidae", + "hyena", + "hyaena", + "genus Hyaena", + "striped hyena", + "Hyaena hyaena", + "brown hyena", + "strand wolf", + "Hyaena brunnea", + "Crocuta", + "genus Crocuta", + "spotted hyena", + "laughing hyena", + "Crocuta crocuta", + "Proteles", + "genus Proteles", + "aardwolf", + "Proteles cristata", + "fox", + "vixen", + "Reynard", + "Vulpes", + "genus Vulpes", + "red fox", + "Vulpes vulpes", + "black fox", + "silver fox", + "red fox", + "Vulpes fulva", + "kit fox", + "prairie fox", + "Vulpes velox", + "kit fox", + "Vulpes macrotis", + "Alopex", + "genus Alopex", + "Arctic fox", + "white fox", + "Alopex lagopus", + "blue fox", + "Urocyon", + "genus Urocyon", + "grey fox", + "gray fox", + "Urocyon cinereoargenteus", + "Felidae", + "family Felidae", + "feline", + "felid", + "Felis", + "genus Felis", + "cat", + "true cat", + "domestic cat", + "house cat", + "Felis domesticus", + "Felis catus", + "kitty", + "kitty-cat", + "puss", + "pussy", + "pussycat", + "mouser", + "alley cat", + "stray", + "tom", + "tomcat", + "gib", + "tabby", + "queen", + "kitten", + "kitty", + "tabby", + "tabby cat", + "tiger cat", + "tortoiseshell", + "tortoiseshell-cat", + "calico cat", + "Persian cat", + "Angora", + "Angora cat", + "Siamese cat", + "Siamese", + "blue point Siamese", + "Burmese cat", + "Egyptian cat", + "Maltese", + "Maltese cat", + "Abyssinian", + "Abyssinian cat", + "Manx", + "Manx cat", + "wildcat", + "sand cat", + "European wildcat", + "catamountain", + "Felis silvestris", + "cougar", + "puma", + "catamount", + "mountain lion", + "painter", + "panther", + "Felis concolor", + "ocelot", + "panther cat", + "Felis pardalis", + "jaguarundi", + "jaguarundi cat", + "jaguarondi", + "eyra", + "Felis yagouaroundi", + "kaffir cat", + "caffer cat", + "Felis ocreata", + "jungle cat", + "Felis chaus", + "serval", + "Felis serval", + "leopard cat", + "Felis bengalensis", + "tiger cat", + "Felis tigrina", + "margay", + "margay cat", + "Felis wiedi", + "manul", + "Pallas's cat", + "Felis manul", + "genus Lynx", + "lynx", + "catamount", + "common lynx", + "Lynx lynx", + "Canada lynx", + "Lynx canadensis", + "bobcat", + "bay lynx", + "Lynx rufus", + "spotted lynx", + "Lynx pardina", + "caracal", + "desert lynx", + "Lynx caracal", + "big cat", + "cat", + "Panthera", + "genus Panthera", + "leopard", + "Panthera pardus", + "leopardess", + "panther", + "snow leopard", + "ounce", + "Panthera uncia", + "jaguar", + "panther", + "Panthera onca", + "Felis onca", + "lion", + "king of beasts", + "Panthera leo", + "lioness", + "lionet", + "tiger", + "Panthera tigris", + "Bengal tiger", + "tigress", + "liger", + "tiglon", + "tigon", + "Acinonyx", + "genus Acinonyx", + "cheetah", + "chetah", + "Acinonyx jubatus", + "saber-toothed tiger", + "sabertooth", + "Smiledon", + "genus Smiledon", + "Smiledon californicus", + "Nimravus", + "genus Nimravus", + "false saber-toothed tiger", + "Ursidae", + "family Ursidae", + "bear", + "Ursus", + "genus Ursus", + "brown bear", + "bruin", + "Ursus arctos", + "bruin", + "Syrian bear", + "Ursus arctos syriacus", + "grizzly", + "grizzly bear", + "silvertip", + "silver-tip", + "Ursus horribilis", + "Ursus arctos horribilis", + "Alaskan brown bear", + "Kodiak bear", + "Kodiak", + "Ursus middendorffi", + "Ursus arctos middendorffi", + "Euarctos", + "genus Euarctos", + "American black bear", + "black bear", + "Ursus americanus", + "Euarctos americanus", + "cinnamon bear", + "Selenarctos", + "genus Selenarctos", + "Asiatic black bear", + "black bear", + "Ursus thibetanus", + "Selenarctos thibetanus", + "Thalarctos", + "genus Thalarctos", + "ice bear", + "polar bear", + "Ursus Maritimus", + "Thalarctos maritimus", + "Melursus", + "genus Melursus", + "sloth bear", + "Melursus ursinus", + "Ursus ursinus", + "Viverridae", + "family Viverridae", + "Viverrinae", + "family Viverrinae", + "viverrine", + "viverrine mammal", + "civet", + "civet cat", + "Viverra", + "genus Viverra", + "large civet", + "Viverra zibetha", + "Viverricula", + "genus Viverricula", + "small civet", + "Viverricula indica", + "Viverricula malaccensis", + "Arctictis", + "genus Arctictis", + "binturong", + "bearcat", + "Arctictis bintourong", + "Cryptoprocta", + "genus Cryptoprocta", + "fossa", + "fossa cat", + "Cryptoprocta ferox", + "Fossa", + "genus Fossa", + "fanaloka", + "Fossa fossa", + "Genetta", + "genus Genetta", + "genet", + "Genetta genetta", + "Hemigalus", + "genus Hemigalus", + "banded palm civet", + "Hemigalus hardwickii", + "Herpestes", + "genus Herpestes", + "mongoose", + "Indian mongoose", + "Herpestes nyula", + "ichneumon", + "Herpestes ichneumon", + "Paradoxurus", + "genus Paradoxurus", + "palm cat", + "palm civet", + "Suricata", + "genus Suricata", + "meerkat", + "mierkat", + "slender-tailed meerkat", + "Suricata suricatta", + "suricate", + "Suricata tetradactyla", + "Chiroptera", + "order Chiroptera", + "bat", + "chiropteran", + "Megachiroptera", + "suborder Megachiroptera", + "fruit bat", + "megabat", + "Pteropus", + "genus Pteropus", + "flying fox", + "Pteropus capestratus", + "Pteropus hypomelanus", + "Nyctimene", + "genus Nyctimene", + "harpy", + "harpy bat", + "tube-nosed bat", + "tube-nosed fruit bat", + "Cynopterus", + "genus Cynopterus", + "Cynopterus sphinx", + "Microchiroptera", + "suborder Microchiroptera", + "carnivorous bat", + "microbat", + "mouse-eared bat", + "leafnose bat", + "leaf-nosed bat", + "Phyllostomidae", + "family Phyllostomidae", + "Phyllostomatidae", + "family Phyllostomatidae", + "genus Macrotus", + "macrotus", + "Macrotus californicus", + "Phyllostomus", + "genus Phyllostomus", + "spearnose bat", + "Phyllostomus hastatus", + "Choeronycteris", + "genus Choeronycteris", + "hognose bat", + "Choeronycteris mexicana", + "Rhinolophidae", + "family Rhinolophidae", + "horseshoe bat", + "Hipposideridae", + "family Hipposideridae", + "Hipposideros", + "genus Hipposideros", + "horseshoe bat", + "Rhinonicteris", + "genus Rhinonicteris", + "orange bat", + "orange horseshoe bat", + "Rhinonicteris aurantius", + "Megadermatidae", + "family Megadermatidae", + "false vampire", + "false vampire bat", + "Megaderma", + "genus Megaderma", + "big-eared bat", + "Megaderma lyra", + "Vespertilionidae", + "family Vespertilionidae", + "vespertilian bat", + "vespertilionid", + "Vespertilio", + "genus Vespertilio", + "frosted bat", + "Vespertilio murinus", + "Lasiurus", + "genus Lasiurus", + "red bat", + "Lasiurus borealis", + "brown bat", + "Myotis", + "genus Myotis", + "little brown bat", + "little brown myotis", + "Myotis leucifugus", + "cave myotis", + "Myotis velifer", + "Eptesicus", + "genus Eptesicus", + "big brown bat", + "Eptesicus fuscus", + "serotine", + "European brown bat", + "Eptesicus serotinus", + "Antrozous", + "genus Antrozous", + "pallid bat", + "cave bat", + "Antrozous pallidus", + "Pipistrellus", + "genus Pipistrellus", + "pipistrelle", + "pipistrel", + "Pipistrellus pipistrellus", + "eastern pipistrel", + "Pipistrellus subflavus", + "western pipistrel", + "SPipistrellus hesperus", + "Euderma", + "genus Euderma", + "jackass bat", + "spotted bat", + "Euderma maculata", + "Plecotus", + "genus Plecotus", + "long-eared bat", + "western big-eared bat", + "Plecotus townsendi", + "Molossidae", + "family Molossidae", + "Tadarida", + "genus Tadarida", + "freetail", + "free-tailed bat", + "freetailed bat", + "guano bat", + "Mexican freetail bat", + "Tadarida brasiliensis", + "pocketed bat", + "pocketed freetail bat", + "Tadirida femorosacca", + "Eumops", + "genus Eumops", + "mastiff bat", + "Desmodontidae", + "family Desmodontidae", + "vampire bat", + "true vampire bat", + "Desmodus", + "genus Desmodus", + "Desmodus rotundus", + "Diphylla", + "genus Diphylla", + "hairy-legged vampire bat", + "Diphylla ecaudata", + "water vascular system", + "wing", + "ala", + "forewing", + "fore-wing", + "fore wing", + "halter", + "haltere", + "balancer", + "pennon", + "pinion", + "wing case", + "elytron", + "predator", + "predatory animal", + "prey", + "quarry", + "game", + "big game", + "game bird", + "animal foot", + "foot", + "fossorial foot", + "fossorial mammal", + "hoof", + "hoof", + "cloven foot", + "cloven hoof", + "bird's foot", + "webfoot", + "claw", + "zygodactyl foot", + "heterodactyl foot", + "webbed foot", + "lobate foot", + "calyculus", + "caliculus", + "calycle", + "optic cup", + "eyecup", + "tooth", + "denticle", + "claw", + "bear claw", + "talon", + "claw", + "chela", + "nipper", + "pincer", + "tetrapod", + "quadruped", + "hexapod", + "biped", + "belly", + "tail", + "brush", + "bobtail", + "bob", + "dock", + "caudal appendage", + "uropygium", + "oxtail", + "fluke", + "scut", + "flag", + "dock", + "horse's foot", + "Insecta", + "class Insecta", + "Hexapoda", + "class Hexapoda", + "insect", + "social insect", + "ephemeron", + "ephemeral", + "holometabola", + "metabola", + "defoliator", + "pollinator", + "gallfly", + "Mantophasmatodea", + "order mantophasmatodea", + "Mecoptera", + "order Mecoptera", + "mecopteran", + "Panorpidae", + "family Panorpidae", + "scorpion fly", + "Bittacidae", + "family Bittacidae", + "hanging fly", + "Collembola", + "order Collembola", + "collembolan", + "springtail", + "Protura", + "order Protura", + "proturan", + "telsontail", + "Coleoptera", + "order Coleoptera", + "beetle", + "Cicindelidae", + "family Cicindelidae", + "tiger beetle", + "Coccinellidae", + "family Coccinellidae", + "ladybug", + "ladybeetle", + "lady beetle", + "ladybird", + "ladybird beetle", + "Adalia", + "genus Adalia", + "two-spotted ladybug", + "Adalia bipunctata", + "Epilachna", + "genus Epilachna", + "Mexican bean beetle", + "bean beetle", + "Epilachna varivestis", + "Hippodamia", + "genus Hippodamia", + "Hippodamia convergens", + "Rodolia", + "genus Rodolia", + "genus Vedalia", + "vedalia", + "Rodolia cardinalis", + "Carabidae", + "family Carabidae", + "ground beetle", + "carabid beetle", + "Brachinus", + "genus Brachinus", + "bombardier beetle", + "genus Calosoma", + "calosoma", + "searcher", + "searcher beetle", + "Calosoma scrutator", + "Lampyridae", + "family Lampyridae", + "firefly", + "lightning bug", + "glowworm", + "Cerambycidae", + "family Cerambycidae", + "long-horned beetle", + "longicorn", + "longicorn beetle", + "Monochamus", + "genus Monochamus", + "sawyer", + "sawyer beetle", + "pine sawyer", + "Chrysomelidae", + "family Chrysomelidae", + "leaf beetle", + "chrysomelid", + "flea beetle", + "Leptinotarsa", + "genus Leptinotarsa", + "Colorado potato beetle", + "Colorado beetle", + "potato bug", + "potato beetle", + "Leptinotarsa decemlineata", + "Dermestidae", + "family Dermestidae", + "carpet beetle", + "carpet bug", + "buffalo carpet beetle", + "Anthrenus scrophulariae", + "black carpet beetle", + "Cleridae", + "family Cleridae", + "clerid beetle", + "clerid", + "bee beetle", + "Lamellicornia", + "superfamily Lamellicornia", + "lamellicorn beetle", + "Scarabaeidae", + "family Scarabaeidae", + "scarabaeid beetle", + "scarabaeid", + "scarabaean", + "dung beetle", + "genus Scarabaeus", + "scarab", + "scarabaeus", + "Scarabaeus sacer", + "tumblebug", + "dorbeetle", + "June beetle", + "June bug", + "May bug", + "May beetle", + "green June beetle", + "figeater", + "Popillia", + "genus Popillia", + "Japanese beetle", + "Popillia japonica", + "Anomala", + "genus Anomala", + "Oriental beetle", + "Asiatic beetle", + "Anomala orientalis", + "rhinoceros beetle", + "Melolonthidae", + "subfamily Melolonthidae", + "melolonthid beetle", + "Melolontha", + "genus Melolontha", + "cockchafer", + "May bug", + "May beetle", + "Melolontha melolontha", + "Macrodactylus", + "genus Macrodactylus", + "rose chafer", + "rose bug", + "Macrodactylus subspinosus", + "Cetoniidae", + "subfamily Cetoniidae", + "Cetonia", + "genus Cetonia", + "rose chafer", + "rose beetle", + "Cetonia aurata", + "Lucanidae", + "family Lucanidae", + "stag beetle", + "Elateridae", + "family Elateridae", + "elaterid beetle", + "elater", + "elaterid", + "click beetle", + "skipjack", + "snapping beetle", + "Pyrophorus", + "genus Pyrophorus", + "firefly", + "fire beetle", + "Pyrophorus noctiluca", + "wireworm", + "Dytiscidae", + "family Dytiscidae", + "water beetle", + "Gyrinidae", + "family Gyrinidae", + "whirligig beetle", + "Anobiidae", + "family Anobiidae", + "deathwatch beetle", + "deathwatch", + "Xestobium rufovillosum", + "weevil", + "Curculionidae", + "family Curculionidae", + "snout beetle", + "Anthonomus", + "genus Anthonomus", + "boll weevil", + "Anthonomus grandis", + "Meloidae", + "family Meloidae", + "blister beetle", + "meloid", + "oil beetle", + "Spanish fly", + "Scolytidae", + "family Scolytidae", + "Ipidae", + "family Ipidae", + "Scolytus", + "genus Scolytus", + "Dutch-elm beetle", + "Scolytus multistriatus", + "Dendroctonus", + "genus Dendroctonus", + "bark beetle", + "spruce bark beetle", + "Dendroctonus rufipennis", + "Staphylinidae", + "family Staphylinidae", + "rove beetle", + "Tenebrionidae", + "family Tenebrionidae", + "darkling beetle", + "darkling groung beetle", + "tenebrionid", + "mealworm", + "Tribolium", + "genus Tribolium", + "flour beetle", + "flour weevil", + "Bruchidae", + "family Bruchidae", + "seed beetle", + "seed weevil", + "Bruchus", + "genus Bruchus", + "pea weevil", + "Bruchus pisorum", + "Acanthoscelides", + "genus Acanthoscelides", + "bean weevil", + "Acanthoscelides obtectus", + "Sitophylus", + "genus Sitophylus", + "rice weevil", + "black weevil", + "Sitophylus oryzae", + "Asian longhorned beetle", + "Anoplophora glabripennis", + "Embioptera", + "order Embioptera", + "Embiodea", + "order Embiodea", + "web spinner", + "Anoplura", + "order Anoplura", + "louse", + "sucking louse", + "Pediculidae", + "family Pediculidae", + "Pediculus", + "genus Pediculus", + "common louse", + "Pediculus humanus", + "head louse", + "Pediculus capitis", + "body louse", + "cootie", + "Pediculus corporis", + "Phthiriidae", + "family Phthiriidae", + "Phthirius", + "genus Phthirius", + "Phthirus", + "genus Phthirus", + "crab louse", + "pubic louse", + "crab", + "Phthirius pubis", + "Mallophaga", + "order Mallophaga", + "bird louse", + "biting louse", + "louse", + "Menopon", + "genus Menopon", + "chicken louse", + "shaft louse", + "Menopon palladum", + "Menopon gallinae", + "Siphonaptera", + "order Siphonaptera", + "flea", + "Pulicidae", + "family Pulicidae", + "Pulex", + "genus Pulex", + "Pulex irritans", + "Ctenocephalides", + "genus Ctenocephalides", + "Ctenocephalus", + "genus Ctenocephalus", + "dog flea", + "Ctenocephalides canis", + "cat flea", + "Ctenocephalides felis", + "Tunga", + "genus Tunga", + "chigoe", + "chigger", + "chigoe flea", + "Tunga penetrans", + "Echidnophaga", + "genus Echidnophaga", + "sticktight", + "sticktight flea", + "Echidnophaga gallinacea", + "Diptera", + "order Diptera", + "dipterous insect", + "two-winged insects", + "dipteran", + "dipteron", + "Cecidomyidae", + "family Cecidomyidae", + "gall midge", + "gallfly", + "gall gnat", + "Mayetiola", + "genus Mayetiola", + "Hessian fly", + "Mayetiola destructor", + "Muscoidea", + "superfamily Muscoidea", + "Muscidae", + "family Muscidae", + "fly", + "alula", + "calypter", + "Musca", + "genus Musca", + "housefly", + "house fly", + "Musca domestica", + "Glossinidae", + "family Glossinidae", + "genus Glossina", + "tsetse fly", + "tsetse", + "tzetze fly", + "tzetze", + "glossina", + "Calliphoridae", + "family Calliphoridae", + "Calliphora", + "genus Calliphora", + "blowfly", + "blow fly", + "bluebottle", + "Calliphora vicina", + "Lucilia", + "genus Lucilia", + "greenbottle", + "greenbottle fly", + "Sarcophaga", + "genus Sarcophaga", + "flesh fly", + "Sarcophaga carnaria", + "Tachinidae", + "family Tachinidae", + "tachina fly", + "gadfly", + "botfly", + "Gasterophilidae", + "family Gasterophilidae", + "Gasterophilus", + "genus Gasterophilus", + "horse botfly", + "Gasterophilus intestinalis", + "Cuterebridae", + "family Cuterebridae", + "Cuterebra", + "genus Cuterebra", + "Dermatobia", + "genus Dermatobia", + "human botfly", + "Dermatobia hominis", + "Oestridae", + "family Oestridae", + "Hypodermatidae", + "family Hypodermatidae", + "Oestrus", + "genus Oestrus", + "sheep botfly", + "sheep gadfly", + "Oestrus ovis", + "Hypoderma", + "genus Hypoderma", + "warble fly", + "warble", + "Tabanidae", + "family Tabanidae", + "horsefly", + "cleg", + "clegg", + "horse fly", + "Bombyliidae", + "family Bombyliidae", + "bee fly", + "Asilidae", + "family Asilidae", + "robber fly", + "bee killer", + "fruit fly", + "pomace fly", + "Trypetidae", + "family Trypetidae", + "Trephritidae", + "family Trephritidae", + "Rhagoletis", + "genus Rhagoletis", + "apple maggot", + "railroad worm", + "Rhagoletis pomonella", + "Ceratitis", + "genus Ceratitis", + "Mediterranean fruit fly", + "medfly", + "Ceratitis capitata", + "Drosophilidae", + "family Drosophilidae", + "genus Drosophila", + "drosophila", + "Drosophila melanogaster", + "vinegar fly", + "Philophylla", + "genus Philophylla", + "leaf miner", + "leaf-miner", + "Hippoboscidae", + "family Hippoboscidae", + "louse fly", + "hippoboscid", + "Hippobosca", + "genus Hippobosca", + "horse tick", + "horsefly", + "Hippobosca equina", + "Melophagus", + "genus Melophagus", + "sheep ked", + "sheep-tick", + "sheep tick", + "Melophagus Ovinus", + "Haematobia", + "genus Haematobia", + "horn fly", + "Haematobia irritans", + "Nematocera", + "suborder Nematocera", + "Culicidae", + "family Culicidae", + "mosquito", + "wiggler", + "wriggler", + "gnat", + "Aedes", + "genus Aedes", + "yellow-fever mosquito", + "Aedes aegypti", + "Asian tiger mosquito", + "Aedes albopictus", + "Anopheles", + "genus Anopheles", + "anopheline", + "malarial mosquito", + "malaria mosquito", + "Culex", + "genus Culex", + "common mosquito", + "Culex pipiens", + "Culex quinquefasciatus", + "Culex fatigans", + "gnat", + "Ceratopogonidae", + "family Ceratopogonidae", + "punkie", + "punky", + "punkey", + "no-see-um", + "biting midge", + "Ceratopogon", + "genus Ceratopogon", + "Chironomidae", + "family Chironomidae", + "midge", + "Chironomus", + "genus Chironomus", + "Mycetophilidae", + "family Mycetophylidae", + "fungus gnat", + "Psychodidae", + "family Psychodidae", + "psychodid", + "Phlebotomus", + "genus Phlebotomus", + "sand fly", + "sandfly", + "Phlebotomus papatasii", + "Sciaridae", + "family Sciaridae", + "genus Sciara", + "fungus gnat", + "sciara", + "sciarid", + "armyworm", + "Tipulidae", + "family Tipulidae", + "crane fly", + "daddy longlegs", + "Simuliidae", + "family Simuliidae", + "Simulium", + "genus Simulium", + "blackfly", + "black fly", + "buffalo gnat", + "Hymenoptera", + "order Hymenoptera", + "hymenopterous insect", + "hymenopteran", + "hymenopteron", + "hymenopter", + "Apoidea", + "superfamily Apoidea", + "bee", + "drone", + "queen bee", + "worker", + "soldier", + "worker bee", + "Apidae", + "family Apidae", + "Apis", + "genus Apis", + "honeybee", + "Apis mellifera", + "Africanized bee", + "Africanized honey bee", + "killer bee", + "Apis mellifera scutellata", + "Apis mellifera adansonii", + "black bee", + "German bee", + "Carniolan bee", + "Italian bee", + "Xylocopa", + "genus Xylocopa", + "carpenter bee", + "Bombus", + "genus Bombus", + "bumblebee", + "humblebee", + "Psithyrus", + "genus Psithyrus", + "cuckoo-bumblebee", + "Andrenidae", + "family Andrenidae", + "genus Andrena", + "andrena", + "andrenid", + "mining bee", + "nomia", + "genus Nomia", + "Halictidae", + "family Halictidae", + "Nomia melanderi", + "alkali bee", + "Megachilidae", + "family Megachilidae", + "Megachile", + "genus Megachile", + "leaf-cutting bee", + "leaf-cutter", + "leaf-cutter bee", + "mason bee", + "Anthidium", + "genus Anthidium", + "potter bee", + "wasp", + "Vespidae", + "family Vespidae", + "vespid", + "vespid wasp", + "Vespa", + "genus Vespa", + "paper wasp", + "hornet", + "giant hornet", + "Vespa crabro", + "Vespula", + "genus Vespula", + "common wasp", + "Vespula vulgaris", + "bald-faced hornet", + "white-faced hornet", + "Vespula maculata", + "yellow jacket", + "yellow hornet", + "Vespula maculifrons", + "Polistes", + "genus Polistes", + "Polistes annularis", + "Eumenes", + "genus Eumenes", + "mason wasp", + "potter wasp", + "Mutillidae", + "family Mutillidae", + "velvet ant", + "Sphecoidea", + "superfamily Sphecoidea", + "sphecoid wasp", + "sphecoid", + "Sphecidae", + "family Sphecidae", + "Sceliphron", + "genus Sceliphron", + "mason wasp", + "digger wasp", + "Stizidae", + "family Stizidae", + "Sphecius", + "genus Sphecius", + "cicada killer", + "Sphecius speciosis", + "mud dauber", + "Cynipidae", + "family Cynipidae", + "gall wasp", + "gallfly", + "cynipid wasp", + "cynipid gall wasp", + "Cynips", + "genus Cynips", + "Amphibolips", + "genus Amphibolips", + "Andricus", + "genus Andricus", + "Chalcididae", + "family Chalcididae", + "Chalcidae", + "family Chalcidae", + "chalcid fly", + "chalcidfly", + "chalcid", + "chalcid wasp", + "strawworm", + "jointworm", + "Chalcis", + "genus Chalcis", + "chalcis fly", + "Ichneumonidae", + "family Ichneumonidae", + "ichneumon fly", + "Tenthredinidae", + "family Tenthredinidae", + "sawfly", + "Fenusa", + "genus-Fenusa", + "birch leaf miner", + "Fenusa pusilla", + "Formicidae", + "family Formicidae", + "ant", + "emmet", + "pismire", + "Monomorium", + "genus Monomorium", + "pharaoh ant", + "pharaoh's ant", + "Monomorium pharaonis", + "little black ant", + "Monomorium minimum", + "Dorylinae", + "subfamily Dorylinae", + "army ant", + "driver ant", + "legionary ant", + "Camponotus", + "genus Camponotus", + "carpenter ant", + "Solenopsis", + "genus Solenopsis", + "fire ant", + "Formica", + "genus Formica", + "wood ant", + "Formica rufa", + "slave ant", + "Formica fusca", + "slave-making ant", + "slave-maker", + "sanguinary ant", + "Formica sanguinea", + "Myrmecia", + "genus Myrmecia", + "bulldog ant", + "Polyergus", + "genus Polyergus", + "Amazon ant", + "Polyergus rufescens", + "Isoptera", + "order Isoptera", + "Termitidae", + "family Termitidae", + "Termes", + "genus Termes", + "termite", + "white ant", + "dry-wood termite", + "Reticulitermes", + "genus Reticulitermes", + "Reticulitermes flanipes", + "Reticulitermes lucifugus", + "Rhinotermitidae", + "family Rhinotermitidae", + "Mastotermitidae", + "family Mastotermitidae", + "Mastotermes", + "genus Mastotermes", + "Mastotermes darwiniensis", + "Mastotermes electromexicus", + "Mastotermes electrodominicus", + "Kalotermitidae", + "family Kalotermitidae", + "Kalotermes", + "genus Kalotermes", + "Cryptotermes", + "genus Cryptotermes", + "powder-post termite", + "Cryptotermes brevis", + "Orthoptera", + "order Orthoptera", + "orthopterous insect", + "orthopteron", + "orthopteran", + "grasshopper", + "hopper", + "Acrididae", + "family Acrididae", + "Locustidae", + "family Locustidae", + "short-horned grasshopper", + "acridid", + "locust", + "Locusta", + "genus Locusta", + "migratory locust", + "Locusta migratoria", + "Melanoplus", + "genus Melanoplus", + "migratory grasshopper", + "Tettigoniidae", + "family Tettigoniidae", + "long-horned grasshopper", + "tettigoniid", + "Microcentrum", + "genus Microcentrum", + "katydid", + "Anabrus", + "genus Anabrus", + "mormon cricket", + "Anabrus simplex", + "Stenopelmatidae", + "family Stenopelmatidae", + "Stenopelmatus", + "genus Stenopelmatus", + "sand cricket", + "Jerusalem cricket", + "Stenopelmatus fuscus", + "Gryllidae", + "family Gryllidae", + "cricket", + "mole cricket", + "Acheta", + "genus Acheta", + "European house cricket", + "Acheta domestica", + "field cricket", + "Acheta assimilis", + "Oecanthus", + "genus Oecanthus", + "tree cricket", + "snowy tree cricket", + "Oecanthus fultoni", + "Phasmida", + "order Phasmida", + "Phasmatodea", + "order Phasmatodea", + "phasmid", + "phasmid insect", + "Phasmidae", + "family Phasmidae", + "Phasmatidae", + "family Phasmatidae", + "walking stick", + "walkingstick", + "stick insect", + "genus Diapheromera", + "diapheromera", + "Diapheromera femorata", + "Phyllidae", + "family Phyllidae", + "Phillidae", + "family Phillidae", + "Phyllium", + "genus Phyllium", + "walking leaf", + "leaf insect", + "Exopterygota", + "subclass Exopterygota", + "Hemimetabola", + "Dictyoptera", + "order Dictyoptera", + "dictyopterous insect", + "Blattodea", + "suborder Blattodea", + "Blattaria", + "suborder Blattaria", + "cockroach", + "roach", + "Blattidae", + "family Blattidae", + "Blatta", + "genus Blatta", + "oriental cockroach", + "oriental roach", + "Asiatic cockroach", + "blackbeetle", + "Blatta orientalis", + "Periplaneta", + "genus Periplaneta", + "American cockroach", + "Periplaneta americana", + "Australian cockroach", + "Periplaneta australasiae", + "Blattella", + "genus Blattella", + "German cockroach", + "Croton bug", + "crotonbug", + "water bug", + "Blattella germanica", + "Blaberus", + "genus Blaberus", + "giant cockroach", + "Cryptocercidae", + "family Cryptocercidae", + "Cryptocercus", + "genus Cryptocercus", + "Manteodea", + "suborder Manteodea", + "Mantidae", + "family Mantidae", + "Manteidae", + "family Manteidae", + "genus Mantis", + "mantis", + "mantid", + "praying mantis", + "praying mantid", + "Mantis religioso", + "bug", + "Hemiptera", + "order Hemiptera", + "hemipterous insect", + "bug", + "hemipteran", + "hemipteron", + "Miridae", + "family Miridae", + "Capsidae", + "family Capsidae", + "leaf bug", + "plant bug", + "mirid bug", + "mirid", + "capsid", + "Poecilocapsus", + "genus Poecilocapsus", + "four-lined plant bug", + "four-lined leaf bug", + "Poecilocapsus lineatus", + "Lygus", + "genus Lygus", + "lygus bug", + "tarnished plant bug", + "Lygus lineolaris", + "Tingidae", + "family Tingidae", + "lace bug", + "Lygaeidae", + "family Lygaeidae", + "lygaeid", + "lygaeid bug", + "Blissus", + "genus Blissus", + "chinch bug", + "Blissus leucopterus", + "Coreidae", + "family Coreidae", + "coreid bug", + "coreid", + "Anasa", + "genus Anasa", + "squash bug", + "Anasa tristis", + "Leptoglossus", + "genus Leptoglossus", + "leaf-footed bug", + "leaf-foot bug", + "Cimicidae", + "family Cimicidae", + "Cimex", + "genus Cimex", + "bedbug", + "bed bug", + "chinch", + "Cimex lectularius", + "Notonectidae", + "family Notonectidae", + "Notonecta", + "genus Notonecta", + "backswimmer", + "Notonecta undulata", + "Heteroptera", + "suborder Heteroptera", + "true bug", + "heteropterous insect", + "water bug", + "Belostomatidae", + "family Belostomatidae", + "giant water bug", + "Nepidae", + "family Nepidae", + "water scorpion", + "Nepa", + "genus Nepa", + "Ranatra", + "genus Ranatra", + "Corixidae", + "family Corixidae", + "Corixa", + "genus Corixa", + "water boatman", + "boat bug", + "Gerrididae", + "family Gerrididae", + "Gerridae", + "family Gerridae", + "water strider", + "pond-skater", + "water skater", + "Gerris", + "genus Gerris", + "common pond-skater", + "Gerris lacustris", + "Reduviidae", + "family Reduviidae", + "assassin bug", + "reduviid", + "Triatoma", + "genus Triatoma", + "conenose", + "cone-nosed bug", + "conenose bug", + "big bedbug", + "kissing bug", + "Arilus", + "genus Arilus", + "wheel bug", + "Arilus cristatus", + "Pyrrhocoridae", + "family Pyrrhocoridae", + "firebug", + "Dysdercus", + "genus Dysdercus", + "cotton stainer", + "Homoptera", + "suborder Homoptera", + "homopterous insect", + "homopteran", + "Aleyrodidae", + "family Aleyrodidae", + "Aleyrodes", + "genus Aleyrodes", + "whitefly", + "Dialeurodes", + "genus Dialeurodes", + "citrus whitefly", + "Dialeurodes citri", + "Trialeurodes", + "genus Trialeurodes", + "greenhouse whitefly", + "Trialeurodes vaporariorum", + "Bemisia", + "genus Bemisia", + "sweet-potato whitefly", + "superbug", + "Bemisia tabaci", + "poinsettia strain", + "superbug", + "cotton strain", + "Coccoidea", + "superfamily Coccoidea", + "coccid insect", + "scale insect", + "Coccidae", + "family Coccidae", + "soft scale", + "genus Coccus", + "brown soft scale", + "Coccus hesperidum", + "wax insect", + "Diaspididae", + "family Diaspididae", + "armored scale", + "Aspidiotus", + "genus Aspidiotus", + "San Jose scale", + "Aspidiotus perniciosus", + "Dactylopiidae", + "family Dactylopiidae", + "Dactylopius", + "genus Dactylopius", + "cochineal insect", + "cochineal", + "Dactylopius coccus", + "Pseudococcidae", + "family Pseudococcidae", + "Pseudococcus", + "genus Pseudococcus", + "mealybug", + "mealy bug", + "citrophilous mealybug", + "citrophilus mealybug", + "Pseudococcus fragilis", + "Comstock mealybug", + "Comstock's mealybug", + "Pseudococcus comstocki", + "Planococcus", + "genus Planococcus", + "citrus mealybug", + "Planococcus citri", + "plant louse", + "louse", + "Aphidoidea", + "superfamily Aphidoidea", + "aphid", + "Aphididae", + "family Aphididae", + "Aphis", + "genus Aphis", + "apple aphid", + "green apple aphid", + "Aphis pomi", + "blackfly", + "bean aphid", + "Aphis fabae", + "greenfly", + "green peach aphid", + "pale chrysanthemum aphid", + "ant cow", + "Eriosoma", + "genus Eriosoma", + "woolly aphid", + "woolly plant louse", + "woolly apple aphid", + "American blight", + "Eriosoma lanigerum", + "Prociphilus", + "genus Prociphilus", + "woolly alder aphid", + "Prociphilus tessellatus", + "Adelgidae", + "family Adelgidae", + "Adelges", + "genus Adelges", + "adelgid", + "balsam woolly aphid", + "Adelges piceae", + "spruce gall aphid", + "Adelges abietis", + "Pineus", + "genus Pineus", + "pine leaf aphid", + "Pineus pinifoliae", + "woolly adelgid", + "Phylloxeridae", + "family Phylloxeridae", + "Phylloxera", + "genus Phylloxera", + "grape louse", + "grape phylloxera", + "Phylloxera vitifoleae", + "Psyllidae", + "family Psyllidae", + "Chermidae", + "family Chermidae", + "jumping plant louse", + "psylla", + "psyllid", + "Cicadidae", + "family Cicadidae", + "genus Cicada", + "cicada", + "cicala", + "Tibicen", + "genus Tibicen", + "dog-day cicada", + "harvest fly", + "Magicicada", + "genus Magicicada", + "seventeen-year locust", + "periodical cicada", + "Magicicada septendecim", + "Cercopidae", + "family Cercopidae", + "spittle insect", + "spittlebug", + "froghopper", + "Philaenus", + "genus Philaenus", + "meadow spittlebug", + "Philaenus spumarius", + "Aphrophora", + "genus Aphrophora", + "pine spittlebug", + "Saratoga spittlebug", + "Aphrophora saratogensis", + "Cicadellidae", + "family Cicadellidae", + "Jassidae", + "family Jassidae", + "jassid", + "leafhopper", + "plant hopper", + "planthopper", + "Membracidae", + "family Membracidae", + "treehopper", + "Fulgoridae", + "family Fulgoridae", + "lantern fly", + "lantern-fly", + "Psocoptera", + "order Psocoptera", + "Corrodentia", + "order Corrodentia", + "psocopterous insect", + "Psocidae", + "family Psocidae", + "psocid", + "bark-louse", + "bark louse", + "Atropidae", + "family Atropidae", + "Liposcelis", + "genus Liposcelis", + "booklouse", + "book louse", + "deathwatch", + "Liposcelis divinatorius", + "Trogium", + "genus Trogium", + "common booklouse", + "Trogium pulsatorium", + "Ephemeroptera", + "order Ephemeroptera", + "Ephemerida", + "order Ephemerida", + "Plectophera", + "ephemerid", + "ephemeropteran", + "Ephemeridae", + "family Ephemeridae", + "mayfly", + "dayfly", + "shadfly", + "Plecoptera", + "order Plecoptera", + "stonefly", + "stone fly", + "plecopteran", + "Neuroptera", + "order Neuroptera", + "neuropteron", + "neuropteran", + "neuropterous insect", + "Myrmeleontidae", + "family Myrmeleontidae", + "Myrmeleon", + "genus Myrmeleon", + "ant lion", + "antlion", + "antlion fly", + "doodlebug", + "ant lion", + "antlion", + "lacewing", + "lacewing fly", + "aphid lion", + "aphis lion", + "Chrysopidae", + "family Chrysopidae", + "green lacewing", + "chrysopid", + "stink fly", + "goldeneye", + "golden-eyed fly", + "Hemerobiidae", + "family Hemerobiidae", + "brown lacewing", + "hemerobiid", + "hemerobiid fly", + "Megaloptera", + "suborder Megaloptera", + "Corydalidae", + "family Corydalidae", + "Corydalus", + "genus Corydalus", + "Corydalis", + "genus Corydalis", + "dobson", + "dobsonfly", + "dobson fly", + "Corydalus cornutus", + "hellgrammiate", + "dobson", + "fish fly", + "fish-fly", + "Sialidae", + "family Sialidae", + "Sialis", + "genus Sialis", + "alderfly", + "alder fly", + "Sialis lutaria", + "Raphidiidae", + "family Raphidiidae", + "snakefly", + "Mantispidae", + "family Mantispidae", + "mantispid", + "Sisyridae", + "family Sisyridae", + "spongefly", + "spongillafly", + "Odonata", + "order Odonata", + "odonate", + "Anisoptera", + "suborder Anisoptera", + "dragonfly", + "darning needle", + "devil's darning needle", + "sewing needle", + "snake feeder", + "snake doctor", + "mosquito hawk", + "skeeter hawk", + "Zygoptera", + "suborder Zygoptera", + "damselfly", + "Trichoptera", + "order Trichoptera", + "trichopterous insect", + "trichopteran", + "trichopteron", + "caddis fly", + "caddis-fly", + "caddice fly", + "caddice-fly", + "caseworm", + "caddisworm", + "strawworm", + "Thysanura", + "order Thysanura", + "thysanuran insect", + "thysanuron", + "bristletail", + "Lepismatidae", + "family Lepismatidae", + "Lepisma", + "genus Lepisma", + "silverfish", + "Lepisma saccharina", + "Thermobia", + "genus Thermobia", + "firebrat", + "Thermobia domestica", + "Machilidae", + "family Machilidae", + "jumping bristletail", + "machilid", + "Thysanoptera", + "order Thysanoptera", + "thysanopter", + "thysanopteron", + "thysanopterous insect", + "Thripidae", + "family Thripidae", + "thrips", + "thrip", + "thripid", + "Frankliniella", + "genus Frankliniella", + "tobacco thrips", + "Frankliniella fusca", + "genus Thrips", + "onion thrips", + "onion louse", + "Thrips tobaci", + "Dermaptera", + "order Dermaptera", + "earwig", + "Forficulidae", + "family Forficulidae", + "Forficula", + "genus Forficula", + "common European earwig", + "Forficula auricularia", + "Lepidoptera", + "order Lepidoptera", + "lepidopterous insect", + "lepidopteron", + "lepidopteran", + "butterfly", + "Nymphalidae", + "family Nymphalidae", + "nymphalid", + "nymphalid butterfly", + "brush-footed butterfly", + "four-footed butterfly", + "Nymphalis", + "genus Nymphalis", + "mourning cloak", + "mourning cloak butterfly", + "Camberwell beauty", + "Nymphalis antiopa", + "tortoiseshell", + "tortoiseshell butterfly", + "Vanessa", + "genus Vanessa", + "painted beauty", + "Vanessa virginiensis", + "admiral", + "red admiral", + "Vanessa atalanta", + "Limenitis", + "genus Limenitis", + "white admiral", + "Limenitis camilla", + "banded purple", + "white admiral", + "Limenitis arthemis", + "red-spotted purple", + "Limenitis astyanax", + "viceroy", + "Limenitis archippus", + "anglewing", + "Satyridae", + "family Satyridae", + "ringlet", + "ringlet butterfly", + "Polygonia", + "genus Polygonia", + "comma", + "comma butterfly", + "Polygonia comma", + "fritillary", + "Spyeria", + "genus Spyeria", + "silverspot", + "Argynnis", + "genus Argynnis", + "Apatura", + "genus Apatura", + "emperor butterfly", + "emperor", + "purple emperor", + "Apatura iris", + "Inachis", + "genus Inachis", + "peacock", + "peacock butterfly", + "Inachis io", + "Danaidae", + "family Danaidae", + "danaid", + "danaid butterfly", + "Danaus", + "genus Danaus", + "monarch", + "monarch butterfly", + "milkweed butterfly", + "Danaus plexippus", + "Pieridae", + "family Pieridae", + "pierid", + "pierid butterfly", + "cabbage butterfly", + "Pieris", + "genus Pieris", + "small white", + "Pieris rapae", + "large white", + "Pieris brassicae", + "southern cabbage butterfly", + "Pieris protodice", + "sulphur butterfly", + "sulfur butterfly", + "Lycaenidae", + "family Lycaenidae", + "lycaenid", + "lycaenid butterfly", + "Lycaena", + "genus Lycaena", + "blue", + "copper", + "American copper", + "Lycaena hypophlaeas", + "Strymon", + "genus Strymon", + "hairstreak", + "hairstreak butterfly", + "Strymon melinus", + "moth", + "moth miller", + "miller", + "Tortricidae", + "family Tortricidae", + "tortricid", + "tortricid moth", + "leaf roller", + "leaf-roller", + "genus Tortrix", + "Homona", + "genus Homona", + "tea tortrix", + "tortrix", + "Homona coffearia", + "Argyrotaenia", + "genus Argyrotaenia", + "orange tortrix", + "tortrix", + "Argyrotaenia citrana", + "Carpocapsa", + "genus Carpocapsa", + "codling moth", + "codlin moth", + "Carpocapsa pomonella", + "Lymantriidae", + "family Lymantriidae", + "lymantriid", + "tussock moth", + "tussock caterpillar", + "Lymantria", + "genus Lymantria", + "gypsy moth", + "gipsy moth", + "Lymantria dispar", + "Euproctis", + "genus Euproctis", + "browntail", + "brown-tail moth", + "Euproctis phaeorrhoea", + "gold-tail moth", + "Euproctis chrysorrhoea", + "Geometridae", + "family Geometridae", + "geometrid", + "geometrid moth", + "Paleacrita", + "genus Paleacrita", + "Paleacrita vernata", + "Alsophila", + "genus Alsophila", + "Alsophila pometaria", + "cankerworm", + "spring cankerworm", + "fall cankerworm", + "measuring worm", + "inchworm", + "looper", + "Pyralidae", + "family Pyralidae", + "Pyralididae", + "family Pyralididae", + "pyralid", + "pyralid moth", + "Pyralis", + "genus Pyralis", + "Galleria", + "genus Galleria", + "bee moth", + "wax moth", + "Galleria mellonella", + "Pyrausta", + "genus Pyrausta", + "corn borer", + "European corn borer moth", + "corn borer moth", + "Pyrausta nubilalis", + "Anagasta", + "genus Anagasta", + "Mediterranean flour moth", + "Anagasta kuehniella", + "Ephestia", + "genus Ephestia", + "tobacco moth", + "cacao moth", + "Ephestia elutella", + "Cadra", + "genus Cadra", + "almond moth", + "fig moth", + "Cadra cautella", + "raisin moth", + "Cadra figulilella", + "Tineoidea", + "superfamily Tineoidea", + "tineoid", + "tineoid moth", + "Tineidae", + "family Tineidae", + "tineid", + "tineid moth", + "clothes moth", + "Tinea", + "genus Tinea", + "casemaking clothes moth", + "Tinea pellionella", + "Tineola", + "genus Tineola", + "webbing clothes moth", + "webbing moth", + "Tineola bisselliella", + "Trichophaga", + "genus Trichophaga", + "carpet moth", + "tapestry moth", + "Trichophaga tapetzella", + "Gracilariidae", + "Gracillariidae", + "family Gracilariidae", + "gracilariid", + "gracilariid moth", + "Gelechiidae", + "family Gelechiidae", + "gelechiid", + "gelechiid moth", + "Gelechia", + "genus Gelechia", + "Gelechia gossypiella", + "grain moth", + "Sitotroga", + "genus Sitotroga", + "angoumois moth", + "angoumois grain moth", + "Sitotroga cerealella", + "Phthorimaea", + "genus Phthorimaea", + "potato moth", + "potato tuber moth", + "splitworm", + "Phthorimaea operculella", + "potato tuberworm", + "Phthorimaea operculella", + "Noctuidae", + "family Noctuidae", + "noctuid moth", + "noctuid", + "owlet moth", + "cutworm", + "Noctua", + "genus Noctua", + "Catacala", + "genus Catacala", + "underwing", + "red underwing", + "Catocala nupta", + "Cerapteryx", + "genus Cerapteryx", + "antler moth", + "Cerapteryx graminis", + "Heliothis", + "genus Heliothis", + "heliothis moth", + "Heliothis zia", + "Chorizagrotis", + "genus Chorizagrotis", + "army cutworm", + "Chorizagrotis auxiliaris", + "Pseudaletia", + "genus Pseudaletia", + "armyworm", + "Pseudaletia unipuncta", + "armyworm", + "army worm", + "Pseudaletia unipuncta", + "Spodoptera", + "genus Spodoptera", + "Spodoptera exigua", + "beet armyworm", + "Spodoptera exigua", + "Spodoptera frugiperda", + "fall armyworm", + "Spodoptera frugiperda", + "Sphingidae", + "family Sphingidae", + "hawkmoth", + "hawk moth", + "sphingid", + "sphinx moth", + "hummingbird moth", + "Manduca", + "genus Manduca", + "Manduca sexta", + "tobacco hornworm", + "tomato worm", + "Manduca sexta", + "Manduca quinquemaculata", + "tomato hornworm", + "potato worm", + "Manduca quinquemaculata", + "Acherontia", + "genus Acherontia", + "death's-head moth", + "Acherontia atropos", + "Bombycidae", + "family Bombycidae", + "bombycid", + "bombycid moth", + "silkworm moth", + "Bombyx", + "genus Bombyx", + "domestic silkworm moth", + "domesticated silkworm moth", + "Bombyx mori", + "silkworm", + "Saturniidae", + "family Saturniidae", + "saturniid", + "saturniid moth", + "Saturnia", + "genus Saturnia", + "emperor", + "emperor moth", + "Saturnia pavonia", + "Eacles", + "genus Eacles", + "imperial moth", + "Eacles imperialis", + "giant silkworm moth", + "silkworm moth", + "silkworm", + "giant silkworm", + "wild wilkworm", + "Actias", + "genus Actias", + "luna moth", + "Actias luna", + "Hyalophora", + "genus Hyalophora", + "cecropia", + "cecropia moth", + "Hyalophora cecropia", + "Samia", + "genus Samia", + "cynthia moth", + "Samia cynthia", + "Samia walkeri", + "ailanthus silkworm", + "Samia cynthia", + "Automeris", + "genus Automeris", + "io moth", + "Automeris io", + "Antheraea", + "genus Antheraea", + "polyphemus moth", + "Antheraea polyphemus", + "pernyi moth", + "Antheraea pernyi", + "tussah", + "tusseh", + "tussur", + "tussore", + "tusser", + "Antheraea mylitta", + "Atticus", + "genus Atticus", + "atlas moth", + "Atticus atlas", + "Arctiidae", + "family Arctiidae", + "arctiid", + "arctiid moth", + "tiger moth", + "Callimorpha", + "genus Callimorpha", + "cinnabar", + "cinnabar moth", + "Callimorpha jacobeae", + "Lasiocampidae", + "family Lasiocampidae", + "lasiocampid", + "lasiocampid moth", + "Lasiocampa", + "genus Lasiocampa", + "eggar", + "egger", + "Malacosoma", + "genus Malacosoma", + "tent-caterpillar moth", + "Malacosoma americana", + "tent caterpillar", + "tent-caterpillar moth", + "Malacosoma disstria", + "forest tent caterpillar", + "Malacosoma disstria", + "lappet", + "lappet moth", + "lappet caterpillar", + "webworm", + "Hyphantria", + "genus Hyphantria", + "webworm moth", + "Hyphantria cunea", + "fall webworm", + "Hyphantria cunea", + "Loxostege", + "genus Loxostege", + "Loxostege similalis", + "garden webworm", + "Loxostege similalis", + "instar", + "caterpillar", + "corn borer", + "Pyrausta nubilalis", + "bollworm", + "pink bollworm", + "Gelechia gossypiella", + "corn earworm", + "cotton bollworm", + "tomato fruitworm", + "tobacco budworm", + "vetchworm", + "Heliothis zia", + "cabbageworm", + "Pieris rapae", + "woolly bear", + "woolly bear caterpillar", + "woolly bear moth", + "larva", + "nymph", + "leptocephalus", + "bot", + "grub", + "maggot", + "leatherjacket", + "pupa", + "chrysalis", + "cocoon", + "imago", + "queen", + "Phoronida", + "Phoronidea", + "phylum Phoronida", + "phoronid", + "Bryozoa", + "phylum Bryozoa", + "polyzoa", + "bryozoan", + "polyzoan", + "sea mat", + "sea moss", + "moss animal", + "Ectoprocta", + "phylum Ectoprocta", + "ectoproct", + "Entoprocta", + "phylum Entoprocta", + "Endoprocta", + "entoproct", + "Cycliophora", + "phylum Cycliophora", + "Symbion pandora", + "Brachiopoda", + "phylum Brachiopoda", + "brachiopod", + "lamp shell", + "lampshell", + "Sipuncula", + "phylum Sipuncula", + "peanut worm", + "sipunculid", + "echinoderm family", + "echinoderm genus", + "Echinodermata", + "phylum Echinodermata", + "echinoderm", + "ambulacrum", + "Asteroidea", + "class Asteroidea", + "starfish", + "sea star", + "Ophiuroidea", + "class Ophiuroidea", + "Ophiurida", + "subclass Ophiurida", + "brittle star", + "brittle-star", + "serpent star", + "Euryalida", + "subclass Euryalida", + "basket star", + "basket fish", + "Euryale", + "genus Euryale", + "Astrophyton", + "genus Astrophyton", + "Astrophyton muricatum", + "Gorgonocephalus", + "genus Gorgonocephalus", + "Echinoidea", + "class Echinoidea", + "sea urchin", + "edible sea urchin", + "Echinus esculentus", + "Exocycloida", + "order Exocycloida", + "sand dollar", + "Spatangoida", + "order Spatangoida", + "heart urchin", + "Crinoidea", + "class Crinoidea", + "crinoid", + "Ptilocrinus", + "genus Ptilocrinus", + "sea lily", + "Antedonidae", + "family Antedonidae", + "Comatulidae", + "family Comatulidae", + "Antedon", + "genus Antedon", + "Comatula", + "genus Comatula", + "feather star", + "comatulid", + "Holothuroidea", + "class Holothuroidea", + "sea cucumber", + "holothurian", + "Holothuridae", + "family Holothuridae", + "Holothuria", + "genus Holothuria", + "trepang", + "Holothuria edulis", + "foot", + "invertebrate foot", + "tube foot", + "roe", + "milt", + "splint bone", + "Duplicidentata", + "Lagomorpha", + "order Lagomorpha", + "lagomorph", + "gnawing mammal", + "Leporidae", + "family Leporidae", + "leporid", + "leporid mammal", + "rabbit", + "coney", + "cony", + "rabbit ears", + "lapin", + "bunny", + "bunny rabbit", + "Oryctolagus", + "genus Oryctolagus", + "European rabbit", + "Old World rabbit", + "Oryctolagus cuniculus", + "Sylvilagus", + "genus Sylvilagus", + "wood rabbit", + "cottontail", + "cottontail rabbit", + "eastern cottontail", + "Sylvilagus floridanus", + "swamp rabbit", + "canecutter", + "swamp hare", + "Sylvilagus aquaticus", + "marsh hare", + "swamp rabbit", + "Sylvilagus palustris", + "Lepus", + "genus Lepus", + "hare", + "leveret", + "European hare", + "Lepus europaeus", + "jackrabbit", + "white-tailed jackrabbit", + "whitetail jackrabbit", + "Lepus townsendi", + "blacktail jackrabbit", + "Lepus californicus", + "polar hare", + "Arctic hare", + "Lepus arcticus", + "snowshoe hare", + "snowshoe rabbit", + "varying hare", + "Lepus americanus", + "Belgian hare", + "leporide", + "Angora", + "Angora rabbit", + "Ochotonidae", + "family Ochotonidae", + "pika", + "mouse hare", + "rock rabbit", + "coney", + "cony", + "Ochotona", + "genus Ochotona", + "little chief hare", + "Ochotona princeps", + "collared pika", + "Ochotona collaris", + "Rodentia", + "order Rodentia", + "rodent", + "gnawer", + "mouse", + "Myomorpha", + "suborder Myomorpha", + "Muroidea", + "superfamily Muroidea", + "rat", + "pocket rat", + "Muridae", + "family Muridae", + "murine", + "Mus", + "genus Mus", + "house mouse", + "Mus musculus", + "Micromyx", + "genus Micromyx", + "harvest mouse", + "Micromyx minutus", + "Apodemus", + "genus Apodemus", + "field mouse", + "fieldmouse", + "nude mouse", + "European wood mouse", + "Apodemus sylvaticus", + "Rattus", + "genus Rattus", + "brown rat", + "Norway rat", + "Rattus norvegicus", + "wharf rat", + "sewer rat", + "black rat", + "roof rat", + "Rattus rattus", + "Nesokia", + "genus Nesokia", + "bandicoot rat", + "mole rat", + "Conilurus", + "genus Conilurus", + "jerboa rat", + "Notomys", + "genus Notomys", + "kangaroo mouse", + "Hydromyinae", + "subfamily Hydromyinae", + "Hydromys", + "genus Hydromys", + "water rat", + "beaver rat", + "Cricetidae", + "family Cricetidae", + "New World mouse", + "Reithrodontomys", + "genus Reithrodontomys", + "American harvest mouse", + "harvest mouse", + "Peromyscus", + "genus Peromyscus", + "wood mouse", + "white-footed mouse", + "vesper mouse", + "Peromyscus leucopus", + "deer mouse", + "Peromyscus maniculatus", + "cactus mouse", + "Peromyscus eremicus", + "cotton mouse", + "Peromyscus gossypinus", + "Baiomys", + "genus Baiomys", + "pygmy mouse", + "Baiomys taylori", + "Onychomys", + "genus Onychomys", + "grasshopper mouse", + "Ondatra", + "genus Ondatra", + "muskrat", + "musquash", + "Ondatra zibethica", + "Neofiber", + "genus Neofiber", + "round-tailed muskrat", + "Florida water rat", + "Neofiber alleni", + "Sigmodon", + "genus Sigmodon", + "cotton rat", + "Sigmodon hispidus", + "wood rat", + "wood-rat", + "dusky-footed wood rat", + "vole", + "field mouse", + "Neotoma", + "genus Neotoma", + "packrat", + "pack rat", + "trade rat", + "bushytail woodrat", + "Neotoma cinerea", + "dusky-footed woodrat", + "Neotoma fuscipes", + "eastern woodrat", + "Neotoma floridana", + "Oryzomys", + "genus Oryzomys", + "rice rat", + "Oryzomys palustris", + "Pitymys", + "genus Pitymys", + "pine vole", + "pine mouse", + "Pitymys pinetorum", + "Microtus", + "genus Microtus", + "meadow vole", + "meadow mouse", + "Microtus pennsylvaticus", + "water vole", + "Richardson vole", + "Microtus richardsoni", + "prairie vole", + "Microtus ochrogaster", + "Arvicola", + "genus Arvicola", + "water vole", + "water rat", + "Arvicola amphibius", + "Clethrionomys", + "genus Clethrionomys", + "red-backed mouse", + "redback vole", + "genus Phenacomys", + "phenacomys", + "Cricetus", + "genus Cricetus", + "hamster", + "Eurasian hamster", + "Cricetus cricetus", + "Mesocricetus", + "genus Mesocricetus", + "golden hamster", + "Syrian hamster", + "Mesocricetus auratus", + "Gerbillinae", + "subfamily Gerbillinae", + "Gerbillus", + "genus Gerbillus", + "gerbil", + "gerbille", + "Meriones", + "genus Meriones", + "jird", + "tamarisk gerbil", + "Meriones unguiculatus", + "sand rat", + "Meriones longifrons", + "lemming", + "Lemmus", + "genus lemmus", + "European lemming", + "Lemmus lemmus", + "brown lemming", + "Lemmus trimucronatus", + "Myopus", + "genus Myopus", + "grey lemming", + "gray lemming", + "red-backed lemming", + "Dicrostonyx", + "genus Dicrostonyx", + "pied lemming", + "Hudson bay collared lemming", + "Dicrostonyx hudsonius", + "Synaptomys", + "genus Synaptomys", + "southern bog lemming", + "Synaptomys cooperi", + "northern bog lemming", + "Synaptomys borealis", + "Hystricomorpha", + "suborder Hystricomorpha", + "porcupine", + "hedgehog", + "Hystricidae", + "family Hystricidae", + "Old World porcupine", + "Atherurus", + "genus Atherurus", + "brush-tailed porcupine", + "brush-tail porcupine", + "Trichys", + "genus Trichys", + "long-tailed porcupine", + "Trichys lipura", + "New World porcupine", + "Erethizontidae", + "family Erethizontidae", + "Erethizon", + "genus Erethizon", + "Canada porcupine", + "Erethizon dorsatum", + "Heteromyidae", + "family Heteromyidae", + "pocket mouse", + "Perognathus", + "genus Perognathus", + "silky pocket mouse", + "Perognathus flavus", + "plains pocket mouse", + "Perognathus flavescens", + "hispid pocket mouse", + "Perognathus hispidus", + "Liomys", + "genus Liomys", + "Mexican pocket mouse", + "Liomys irroratus", + "Dipodomys", + "genus Dipodomys", + "kangaroo rat", + "desert rat", + "Dipodomys phillipsii", + "Ord kangaroo rat", + "Dipodomys ordi", + "Microdipodops", + "genus Microdipodops", + "kangaroo mouse", + "dwarf pocket rat", + "Zapodidae", + "family Zapodidae", + "jumping mouse", + "Zapus", + "genus Zapus", + "meadow jumping mouse", + "Zapus hudsonius", + "Dipodidae", + "family Dipodidae", + "Dipus", + "genus Dipus", + "jerboa", + "typical jerboa", + "Jaculus", + "genus Jaculus", + "Jaculus jaculus", + "Gliridae", + "family Gliridae", + "dormouse", + "Glis", + "genus Glis", + "loir", + "Glis glis", + "Muscardinus", + "genus Muscardinus", + "hazel mouse", + "Muscardinus avellanarius", + "Eliomys", + "genus Eliomys", + "lerot", + "Geomyidae", + "family Geomyidae", + "Geomys", + "genus Geomys", + "gopher", + "pocket gopher", + "pouched rat", + "plains pocket gopher", + "Geomys bursarius", + "southeastern pocket gopher", + "Geomys pinetis", + "Thomomys", + "genus Thomomys", + "valley pocket gopher", + "Thomomys bottae", + "northern pocket gopher", + "Thomomys talpoides", + "Sciuromorpha", + "suborder Sciuromorpha", + "squirrel", + "tree squirrel", + "Sciuridae", + "family Sciuridae", + "Sciurus", + "genus Sciurus", + "eastern grey squirrel", + "eastern gray squirrel", + "cat squirrel", + "Sciurus carolinensis", + "western grey squirrel", + "western gray squirrel", + "Sciurus griseus", + "fox squirrel", + "eastern fox squirrel", + "Sciurus niger", + "black squirrel", + "red squirrel", + "cat squirrel", + "Sciurus vulgaris", + "Tamiasciurus", + "genus Tamiasciurus", + "American red squirrel", + "spruce squirrel", + "red squirrel", + "Sciurus hudsonicus", + "Tamiasciurus hudsonicus", + "chickeree", + "Douglas squirrel", + "Tamiasciurus douglasi", + "Citellus", + "genus Citellus", + "Spermophilus", + "genus Spermophilus", + "antelope squirrel", + "whitetail antelope squirrel", + "antelope chipmunk", + "Citellus leucurus", + "ground squirrel", + "gopher", + "spermophile", + "mantled ground squirrel", + "Citellus lateralis", + "suslik", + "souslik", + "Citellus citellus", + "flickertail", + "Richardson ground squirrel", + "Citellus richardsoni", + "rock squirrel", + "Citellus variegatus", + "Arctic ground squirrel", + "parka squirrel", + "Citellus parryi", + "Cynomys", + "genus Cynomys", + "prairie dog", + "prairie marmot", + "blacktail prairie dog", + "Cynomys ludovicianus", + "whitetail prairie dog", + "Cynomys gunnisoni", + "Tamias", + "genus Tamias", + "eastern chipmunk", + "hackee", + "striped squirrel", + "ground squirrel", + "Tamias striatus", + "Eutamias", + "genus Eutamias", + "chipmunk", + "baronduki", + "baranduki", + "barunduki", + "burunduki", + "Eutamius asiaticus", + "Eutamius sibiricus", + "Glaucomys", + "genus Glaucomys", + "American flying squirrel", + "southern flying squirrel", + "Glaucomys volans", + "northern flying squirrel", + "Glaucomys sabrinus", + "Marmota", + "genus Marmota", + "marmot", + "groundhog", + "woodchuck", + "Marmota monax", + "hoary marmot", + "whistler", + "whistling marmot", + "Marmota caligata", + "yellowbelly marmot", + "rockchuck", + "Marmota flaviventris", + "Petauristidae", + "subfamily Petauristidae", + "Asiatic flying squirrel", + "Petaurista", + "genus Petaurista", + "taguan", + "flying marmot", + "flying cat", + "Petaurista petaurista", + "Castoridae", + "family Castoridae", + "Castor", + "genus Castor", + "beaver", + "Old World beaver", + "Castor fiber", + "New World beaver", + "Castor canadensis", + "Castoroides", + "genus Castoroides", + "Aplodontiidae", + "family Aplodontiidae", + "Aplodontia", + "genus Aplodontia", + "mountain beaver", + "sewellel", + "Aplodontia rufa", + "Caviidae", + "family Caviidae", + "Cavia", + "genus Cavia", + "cavy", + "guinea pig", + "Cavia cobaya", + "aperea", + "wild cavy", + "Cavia porcellus", + "Dolichotis", + "genus Dolichotis", + "mara", + "Dolichotis patagonum", + "Hydrochoeridae", + "family Hydrochoeridae", + "Hydrochoerus", + "genus Hydrochoerus", + "capybara", + "capibara", + "Hydrochoerus hydrochaeris", + "Dasyproctidae", + "family Dasyproctidae", + "Dasyprocta", + "genus Dasyprocta", + "agouti", + "Dasyprocta aguti", + "Cuniculus", + "genus Cuniculus", + "paca", + "Cuniculus paca", + "Stictomys", + "genus Stictomys", + "mountain paca", + "Capromyidae", + "family Capromyidae", + "Myocastor", + "genus Myocastor", + "coypu", + "nutria", + "Myocastor coypus", + "Chinchillidae", + "family Chinchillidae", + "genus Chinchilla", + "chinchilla", + "Chinchilla laniger", + "Lagidium", + "genus Lagidium", + "mountain chinchilla", + "mountain viscacha", + "Lagostomus", + "genus Lagostomus", + "viscacha", + "chinchillon", + "Lagostomus maximus", + "Abrocoma", + "genus Abrocoma", + "abrocome", + "chinchilla rat", + "rat chinchilla", + "Spalacidae", + "family Spalacidae", + "Spalax", + "genus Spalax", + "mole rat", + "Bathyergidae", + "family Bathyergidae", + "Bathyergus", + "genus Bathyergus", + "mole rat", + "Heterocephalus", + "genus Heterocephalus", + "sand rat", + "naked mole rat", + "queen", + "queen mole rat", + "Damaraland mole rat", + "dug", + "udder", + "bag", + "Ungulata", + "ungulate", + "hoofed mammal", + "Unguiculata", + "unguiculate", + "unguiculate mammal", + "Dinocerata", + "order Dinocerata", + "Uintatheriidae", + "family Uintatheriidae", + "Uintatherium", + "genus Uintatherium", + "dinocerate", + "dinoceras", + "uintathere", + "Hyracoidea", + "order Hyracoidea", + "Procaviidae", + "family Procaviidae", + "hyrax", + "coney", + "cony", + "dassie", + "das", + "Procavia", + "genus Procavia", + "rock hyrax", + "rock rabbit", + "Procavia capensis", + "Perissodactyla", + "order Perissodactyla", + "odd-toed ungulate", + "perissodactyl", + "perissodactyl mammal", + "Equidae", + "family Equidae", + "Equus", + "genus Equus", + "equine", + "equid", + "horse", + "Equus caballus", + "roan", + "stablemate", + "stable companion", + "Hyracotherium", + "genus Hyracotherium", + "gee-gee", + "eohippus", + "dawn horse", + "genus Mesohippus", + "mesohippus", + "genus Protohippus", + "protohippus", + "foal", + "filly", + "colt", + "male horse", + "ridgeling", + "ridgling", + "ridgel", + "ridgil", + "stallion", + "entire", + "stud", + "studhorse", + "gelding", + "mare", + "female horse", + "broodmare", + "stud mare", + "saddle horse", + "riding horse", + "mount", + "remount", + "palfrey", + "warhorse", + "cavalry horse", + "charger", + "courser", + "steed", + "prancer", + "hack", + "cow pony", + "quarter horse", + "Morgan", + "Tennessee walker", + "Tennessee walking horse", + "Walking horse", + "Plantation walking horse", + "American saddle horse", + "Appaloosa", + "Arabian", + "Arab", + "Lippizan", + "Lipizzan", + "Lippizaner", + "pony", + "polo pony", + "mustang", + "bronco", + "bronc", + "broncho", + "bucking bronco", + "buckskin", + "crowbait", + "crow-bait", + "dun", + "grey", + "gray", + "wild horse", + "tarpan", + "Equus caballus gomelini", + "warrigal", + "warragal", + "Przewalski's horse", + "Przevalski's horse", + "Equus caballus przewalskii", + "Equus caballus przevalskii", + "cayuse", + "Indian pony", + "hack", + "hack", + "jade", + "nag", + "plug", + "plow horse", + "plough horse", + "pony", + "Shetland pony", + "Welsh pony", + "Exmoor", + "racehorse", + "race horse", + "bangtail", + "thoroughbred", + "Sir Barton", + "Gallant Fox", + "Omaha", + "War Admiral", + "Whirlaway", + "Count Fleet", + "Assault", + "Citation", + "Secretariat", + "Seattle Slew", + "Affirmed", + "steeplechaser", + "racer", + "finisher", + "pony", + "yearling", + "two-year-old horse", + "two year old", + "three-year-old horse", + "three year old", + "dark horse", + "mudder", + "nonstarter", + "stalking-horse", + "harness horse", + "cob", + "hackney", + "workhorse", + "draft horse", + "draught horse", + "dray horse", + "packhorse", + "carthorse", + "cart horse", + "drayhorse", + "Clydesdale", + "Percheron", + "farm horse", + "dobbin", + "shire", + "shire horse", + "pole horse", + "poler", + "wheel horse", + "wheeler", + "post horse", + "post-horse", + "poster", + "coach horse", + "pacer", + "pacer", + "pacemaker", + "pacesetter", + "trotting horse", + "trotter", + "pole horse", + "stepper", + "high stepper", + "chestnut", + "liver chestnut", + "bay", + "sorrel", + "palomino", + "pinto", + "ass", + "domestic ass", + "donkey", + "Equus asinus", + "burro", + "moke", + "jack", + "jackass", + "jennet", + "jenny", + "jenny ass", + "mule", + "hinny", + "wild ass", + "African wild ass", + "Equus asinus", + "kiang", + "Equus kiang", + "onager", + "Equus hemionus", + "chigetai", + "dziggetai", + "Equus hemionus hemionus", + "zebra", + "common zebra", + "Burchell's zebra", + "Equus Burchelli", + "mountain zebra", + "Equus zebra zebra", + "grevy's zebra", + "Equus grevyi", + "quagga", + "Equus quagga", + "Rhinocerotidae", + "family Rhinocerotidae", + "rhinoceros family", + "rhinoceros", + "rhino", + "genus Rhinoceros", + "Indian rhinoceros", + "Rhinoceros unicornis", + "woolly rhinoceros", + "Rhinoceros antiquitatis", + "Ceratotherium", + "genus Ceratotherium", + "white rhinoceros", + "Ceratotherium simum", + "Diceros simus", + "Diceros", + "genus Diceros", + "black rhinoceros", + "Diceros bicornis", + "Tapiridae", + "family Tapiridae", + "Tapirus", + "genus Tapirus", + "tapir", + "New World tapir", + "Tapirus terrestris", + "Malayan tapir", + "Indian tapir", + "Tapirus indicus", + "Artiodactyla", + "order Artiodactyla", + "even-toed ungulate", + "artiodactyl", + "artiodactyl mammal", + "Suidae", + "family Suidae", + "swine", + "Sus", + "genus Sus", + "hog", + "pig", + "grunter", + "squealer", + "Sus scrofa", + "piglet", + "piggy", + "shoat", + "shote", + "sucking pig", + "porker", + "boar", + "sow", + "razorback", + "razorback hog", + "razorbacked hog", + "wild boar", + "boar", + "Sus scrofa", + "Babyrousa", + "genus Babyrousa", + "babirusa", + "babiroussa", + "babirussa", + "Babyrousa Babyrussa", + "Phacochoerus", + "genus Phacochoerus", + "warthog", + "Tayassuidae", + "family Tayassuidae", + "Tayassu", + "genus Tayassu", + "genus Pecari", + "peccary", + "musk hog", + "collared peccary", + "javelina", + "Tayassu angulatus", + "Tayassu tajacu", + "Peccari angulatus", + "white-lipped peccary", + "Tayassu pecari", + "Chiacoan peccary", + "Hippopotamidae", + "family Hippopotamidae", + "genus Hippopotamus", + "hippopotamus", + "hippo", + "river horse", + "Hippopotamus amphibius", + "Ruminantia", + "suborder Ruminantia", + "ruminant", + "rumen", + "first stomach", + "reticulum", + "second stomach", + "psalterium", + "omasum", + "third stomach", + "abomasum", + "fourth stomach", + "Bovidae", + "family Bovidae", + "bovid", + "Bovinae", + "subfamily Bovinae", + "Bovini", + "tribe Bovini", + "Bos", + "genus Bos", + "bovine", + "ox", + "wild ox", + "cattle", + "cows", + "kine", + "oxen", + "Bos taurus", + "ox", + "stirk", + "bullock", + "steer", + "bull", + "cow", + "moo-cow", + "springer", + "springing cow", + "heifer", + "bullock", + "dogie", + "dogy", + "leppy", + "maverick", + "beef", + "beef cattle", + "longhorn", + "Texas longhorn", + "Brahman", + "Brahma", + "Brahmin", + "Bos indicus", + "zebu", + "aurochs", + "urus", + "Bos primigenius", + "yak", + "Bos grunniens", + "banteng", + "banting", + "tsine", + "Bos banteng", + "Welsh", + "Welsh Black", + "red poll", + "Santa Gertrudis", + "Aberdeen Angus", + "Angus", + "black Angus", + "Africander", + "dairy cattle", + "dairy cow", + "milch cow", + "milk cow", + "milcher", + "milker", + "Ayrshire", + "Brown Swiss", + "Charolais", + "Jersey", + "Devon", + "grade", + "Durham", + "shorthorn", + "milking shorthorn", + "Galloway", + "Friesian", + "Holstein", + "Holstein-Friesian", + "Guernsey", + "Hereford", + "whiteface", + "cattalo", + "beefalo", + "Old World buffalo", + "buffalo", + "Bubalus", + "genus Bubalus", + "tribe Bubalus", + "water buffalo", + "water ox", + "Asiatic buffalo", + "Bubalus bubalis", + "Indian buffalo", + "carabao", + "genus Anoa", + "anoa", + "dwarf buffalo", + "Anoa depressicornis", + "tamarau", + "tamarao", + "Bubalus mindorensis", + "Anoa mindorensis", + "Synercus", + "genus Synercus", + "tribe synercus", + "Cape buffalo", + "Synercus caffer", + "Bibos", + "genus Bibos", + "Asian wild ox", + "gaur", + "Bibos gaurus", + "gayal", + "mithan", + "Bibos frontalis", + "genus Bison", + "bison", + "American bison", + "American buffalo", + "buffalo", + "Bison bison", + "wisent", + "aurochs", + "Bison bonasus", + "Ovibos", + "genus Ovibos", + "musk ox", + "musk sheep", + "Ovibos moschatus", + "Ovis", + "genus Ovis", + "sheep", + "ewe", + "ram", + "tup", + "wether", + "bellwether", + "lamb", + "lambkin", + "baa-lamb", + "hog", + "hogget", + "hogg", + "teg", + "Persian lamb", + "black sheep", + "domestic sheep", + "Ovis aries", + "Cotswold", + "Hampshire", + "Hampshire down", + "Lincoln", + "Exmoor", + "Cheviot", + "broadtail", + "caracul", + "karakul", + "longwool", + "merino", + "merino sheep", + "Rambouillet", + "wild sheep", + "argali", + "argal", + "Ovis ammon", + "Marco Polo sheep", + "Marco Polo's sheep", + "Ovis poli", + "urial", + "Ovis vignei", + "Dall sheep", + "Dall's sheep", + "white sheep", + "Ovis montana dalli", + "mountain sheep", + "bighorn", + "bighorn sheep", + "cimarron", + "Rocky Mountain bighorn", + "Rocky Mountain sheep", + "Ovis canadensis", + "mouflon", + "moufflon", + "Ovis musimon", + "Ammotragus", + "genus Ammotragus", + "aoudad", + "arui", + "audad", + "Barbary sheep", + "maned sheep", + "Ammotragus lervia", + "beard", + "Capra", + "genus Capra", + "goat", + "caprine animal", + "kid", + "billy", + "billy goat", + "he-goat", + "nanny", + "nanny-goat", + "she-goat", + "domestic goat", + "Capra hircus", + "Cashmere goat", + "Kashmir goat", + "Angora", + "Angora goat", + "wild goat", + "bezoar goat", + "pasang", + "Capra aegagrus", + "markhor", + "markhoor", + "Capra falconeri", + "ibex", + "Capra ibex", + "goat antelope", + "Oreamnos", + "genus Oreamnos", + "mountain goat", + "Rocky Mountain goat", + "Oreamnos americanus", + "Naemorhedus", + "genus Naemorhedus", + "goral", + "Naemorhedus goral", + "Capricornis", + "genus Capricornis", + "serow", + "Rupicapra", + "genus Rupicapra", + "chamois", + "Rupicapra rupicapra", + "Budorcas", + "genus Budorcas", + "takin", + "gnu goat", + "Budorcas taxicolor", + "antelope", + "Antilope", + "genus Antilope", + "blackbuck", + "black buck", + "Antilope cervicapra", + "Litocranius", + "genus Litocranius", + "gerenuk", + "Litocranius walleri", + "genus Addax", + "addax", + "Addax nasomaculatus", + "Connochaetes", + "genus Connochaetes", + "gnu", + "wildebeest", + "Madoqua", + "genus Madoqua", + "dik-dik", + "Alcelaphus", + "genus Alcelaphus", + "hartebeest", + "Damaliscus", + "genus Damaliscus", + "sassaby", + "topi", + "Damaliscus lunatus", + "Aepyceros", + "genus Aepyceros", + "impala", + "Aepyceros melampus", + "Gazella", + "genus Gazella", + "gazelle", + "Thomson's gazelle", + "Gazella thomsoni", + "Gazella subgutturosa", + "Antidorcas", + "genus Antidorcas", + "springbok", + "springbuck", + "Antidorcas marsupialis", + "Antidorcas euchore", + "Tragelaphus", + "genus Tragelaphus", + "Strepsiceros", + "genus Strepsiceros", + "bongo", + "Tragelaphus eurycerus", + "Boocercus eurycerus", + "kudu", + "koodoo", + "koudou", + "greater kudu", + "Tragelaphus strepsiceros", + "lesser kudu", + "Tragelaphus imberbis", + "harnessed antelope", + "nyala", + "Tragelaphus angasi", + "mountain nyala", + "Tragelaphus buxtoni", + "bushbuck", + "guib", + "Tragelaphus scriptus", + "Boselaphus", + "genus Boselaphus", + "nilgai", + "nylghai", + "nylghau", + "blue bull", + "Boselaphus tragocamelus", + "Hippotragus", + "genus Hippotragus", + "sable antelope", + "Hippotragus niger", + "genus Saiga", + "saiga", + "Saiga tatarica", + "Raphicerus", + "genus Raphicerus", + "steenbok", + "steinbok", + "Raphicerus campestris", + "Taurotragus", + "genus Taurotragus", + "eland", + "common eland", + "Taurotragus oryx", + "giant eland", + "Taurotragus derbianus", + "Kobus", + "genus Kobus", + "kob", + "Kobus kob", + "lechwe", + "Kobus leche", + "waterbuck", + "Adenota", + "genus Adenota", + "puku", + "Adenota vardoni", + "genus Oryx", + "oryx", + "pasang", + "gemsbok", + "gemsbuck", + "Oryx gazella", + "Pseudoryx", + "genus Pseudoryx", + "forest goat", + "spindle horn", + "Pseudoryx nghetinhensis", + "Antilocapridae", + "family Antilocapridae", + "Antilocapra", + "genus Antilocapra", + "pronghorn", + "prongbuck", + "pronghorn antelope", + "American antelope", + "Antilocapra americana", + "Cervidae", + "family Cervidae", + "deer", + "cervid", + "stag", + "royal", + "royal stag", + "pricket", + "fawn", + "Cervus", + "genus Cervus", + "red deer", + "elk", + "American elk", + "wapiti", + "Cervus elaphus", + "hart", + "stag", + "hind", + "brocket", + "sambar", + "sambur", + "Cervus unicolor", + "wapiti", + "elk", + "American elk", + "Cervus elaphus canadensis", + "Japanese deer", + "sika", + "Cervus nipon", + "Cervus sika", + "Odocoileus", + "genus Odocoileus", + "Virginia deer", + "white tail", + "whitetail", + "white-tailed deer", + "whitetail deer", + "Odocoileus Virginianus", + "mule deer", + "burro deer", + "Odocoileus hemionus", + "black-tailed deer", + "blacktail deer", + "blacktail", + "Odocoileus hemionus columbianus", + "Alces", + "genus Alces", + "elk", + "European elk", + "moose", + "Alces alces", + "Dama", + "genus Dama", + "fallow deer", + "Dama dama", + "Capreolus", + "genus Capreolus", + "roe deer", + "Capreolus capreolus", + "roebuck", + "Rangifer", + "genus Rangifer", + "caribou", + "reindeer", + "Greenland caribou", + "Rangifer tarandus", + "woodland caribou", + "Rangifer caribou", + "barren ground caribou", + "Rangifer arcticus", + "Mazama", + "genus Mazama", + "brocket", + "Muntiacus", + "genus Muntiacus", + "muntjac", + "barking deer", + "Moschus", + "genus Moschus", + "musk deer", + "Moschus moschiferus", + "Elaphurus", + "genus Elaphurus", + "pere david's deer", + "elaphure", + "Elaphurus davidianus", + "Tragulidae", + "family Tragulidae", + "chevrotain", + "mouse deer", + "Tragulus", + "genus Tragulus", + "kanchil", + "Tragulus kanchil", + "napu", + "Tragulus Javanicus", + "Hyemoschus", + "genus Hyemoschus", + "water chevrotain", + "water deer", + "Hyemoschus aquaticus", + "Camelidae", + "family Camelidae", + "Camelus", + "genus Camelus", + "camel", + "Arabian camel", + "dromedary", + "Camelus dromedarius", + "Bactrian camel", + "Camelus bactrianus", + "llama", + "Lama", + "genus Lama", + "domestic llama", + "Lama peruana", + "guanaco", + "Lama guanicoe", + "alpaca", + "Lama pacos", + "Vicugna", + "genus Vicugna", + "vicuna", + "Vicugna vicugna", + "Giraffidae", + "family Giraffidae", + "Giraffa", + "genus Giraffa", + "giraffe", + "camelopard", + "Giraffa camelopardalis", + "Okapia", + "genus Okapia", + "okapi", + "Okapia johnstoni", + "trotter", + "forefoot", + "hindfoot", + "paw", + "forepaw", + "hand", + "pad", + "Mustelidae", + "family Mustelidae", + "musteline mammal", + "mustelid", + "musteline", + "Mustela", + "genus Mustela", + "weasel", + "ermine", + "shorttail weasel", + "Mustela erminea", + "stoat", + "New World least weasel", + "Mustela rixosa", + "Old World least weasel", + "Mustela nivalis", + "longtail weasel", + "long-tailed weasel", + "Mustela frenata", + "mink", + "American mink", + "Mustela vison", + "polecat", + "fitch", + "foulmart", + "foumart", + "Mustela putorius", + "ferret", + "black-footed ferret", + "ferret", + "Mustela nigripes", + "Poecilogale", + "genus Poecilogale", + "muishond", + "snake muishond", + "Poecilogale albinucha", + "Ictonyx", + "genus Ictonyx", + "striped muishond", + "Ictonyx striata", + "zoril", + "Ictonyx frenata", + "Lutrinae", + "subfamily Lutrinae", + "Lutra", + "genus Lutra", + "otter", + "river otter", + "Lutra canadensis", + "Eurasian otter", + "Lutra lutra", + "Enhydra", + "genus Enhydra", + "sea otter", + "Enhydra lutris", + "Mephitinae", + "subfamily Mephitinae", + "skunk", + "polecat", + "wood pussy", + "Mephitis", + "genus Mephitis", + "striped skunk", + "Mephitis mephitis", + "hooded skunk", + "Mephitis macroura", + "Conepatus", + "genus Conepatus", + "hog-nosed skunk", + "hognosed skunk", + "badger skunk", + "rooter skunk", + "Conepatus leuconotus", + "Spilogale", + "genus Spilogale", + "spotted skunk", + "little spotted skunk", + "Spilogale putorius", + "Melinae", + "subfamily Melinae", + "badger", + "Taxidea", + "genus Taxidea", + "American badger", + "Taxidea taxus", + "Meles", + "genus Meles", + "Eurasian badger", + "Meles meles", + "Mellivora", + "genus Mellivora", + "ratel", + "honey badger", + "Mellivora capensis", + "Melogale", + "genus Melogale", + "ferret badger", + "Arctonyx", + "genus Arctonyx", + "hog badger", + "hog-nosed badger", + "sand badger", + "Arctonyx collaris", + "Gulo", + "genus Gulo", + "wolverine", + "carcajou", + "skunk bear", + "Gulo luscus", + "glutton", + "Gulo gulo", + "wolverine", + "genus Grison", + "genus Galictis", + "grison", + "Grison vittatus", + "Galictis vittatus", + "Martes", + "genus Martes", + "marten", + "marten cat", + "pine marten", + "Martes martes", + "sable", + "Martes zibellina", + "American marten", + "American sable", + "Martes americana", + "stone marten", + "beech marten", + "Martes foina", + "fisher", + "pekan", + "fisher cat", + "black cat", + "Martes pennanti", + "Charronia", + "genus Charronia", + "yellow-throated marten", + "Charronia flavigula", + "Eira", + "genus Eira", + "tayra", + "taira", + "Eira barbara", + "fictional animal", + "Easter bunny", + "church mouse", + "Mickey Mouse", + "Minnie Mouse", + "Donald Duck", + "Mighty Mouse", + "muzzle", + "snout", + "neb", + "snout", + "rostrum", + "proboscis", + "trunk", + "pachyderm", + "Edentata", + "order Edentata", + "edentate", + "Xenarthra", + "suborder Xenarthra", + "Dasypodidae", + "family Dasypodidae", + "armadillo", + "Dasypus", + "genus Dasypus", + "peba", + "nine-banded armadillo", + "Texas armadillo", + "Dasypus novemcinctus", + "Tolypeutes", + "genus Tolypeutes", + "apar", + "three-banded armadillo", + "Tolypeutes tricinctus", + "genus Cabassous", + "tatouay", + "cabassous", + "Cabassous unicinctus", + "Euphractus", + "genus Euphractus", + "peludo", + "poyou", + "Euphractus sexcinctus", + "Priodontes", + "genus Priodontes", + "giant armadillo", + "tatou", + "tatu", + "Priodontes giganteus", + "Chlamyphorus", + "genus Chlamyphorus", + "pichiciago", + "pichiciego", + "fairy armadillo", + "chlamyphore", + "Chlamyphorus truncatus", + "Burmeisteria", + "genus Burmeisteria", + "greater pichiciego", + "Burmeisteria retusa", + "Bradypodidae", + "family Bradypodidae", + "sloth", + "tree sloth", + "Bradypus", + "genus Bradypus", + "three-toed sloth", + "ai", + "Bradypus tridactylus", + "Megalonychidae", + "family Megalonychidae", + "Choloepus", + "genus Choloepus", + "two-toed sloth", + "unau", + "unai", + "Choloepus didactylus", + "two-toed sloth", + "unau", + "unai", + "Choloepus hoffmanni", + "Megatheriidae", + "family Megatheriidae", + "megatherian", + "megatheriid", + "megatherian mammal", + "Megatherium", + "genus Megatherium", + "ground sloth", + "megathere", + "Mylodontidae", + "family Mylodontidae", + "mylodontid", + "genus Mylodon", + "mylodon", + "mapinguari", + "Myrmecophagidae", + "family Myrmecophagidae", + "anteater", + "New World anteater", + "Myrmecophaga", + "genus Myrmecophaga", + "ant bear", + "giant anteater", + "great anteater", + "tamanoir", + "Myrmecophaga jubata", + "Cyclopes", + "genus Cyclopes", + "silky anteater", + "two-toed anteater", + "Cyclopes didactylus", + "genus Tamandua", + "tamandua", + "tamandu", + "lesser anteater", + "Tamandua tetradactyla", + "Pholidota", + "order Pholidota", + "Manidae", + "family Manidae", + "Manis", + "genus Manis", + "pangolin", + "scaly anteater", + "anteater", + "pastern", + "fetter bone", + "coronet", + "fetlock", + "fetlock", + "fetlock joint", + "withers", + "cannon", + "shank", + "cannon bone", + "hock", + "hock-joint", + "loin", + "lumbus", + "hindquarters", + "croup", + "croupe", + "rump", + "haunch", + "gaskin", + "stifle", + "knee", + "flank", + "animal leg", + "hind limb", + "hindlimb", + "hind leg", + "forelimb", + "foreleg", + "flipper", + "parapodium", + "sucker", + "cupule", + "stinger", + "lateral line", + "lateral line organ", + "fin", + "dorsal fin", + "pectoral fin", + "pelvic fin", + "ventral fin", + "tail fin", + "caudal fin", + "heterocercal fin", + "homocercal fin", + "fishbone", + "air bladder", + "swim bladder", + "float", + "air sac", + "air sac", + "uropygial gland", + "preen gland", + "silk gland", + "serictery", + "sericterium", + "elbow", + "chestnut", + "quill", + "calamus", + "shaft", + "vein", + "nervure", + "flight feather", + "pinion", + "quill", + "quill feather", + "primary", + "primary feather", + "primary quill", + "scapular", + "tail feather", + "tadpole", + "polliwog", + "pollywog", + "Primates", + "order Primates", + "primate", + "simian", + "ape", + "Anthropoidea", + "suborder Anthropoidea", + "anthropoid", + "anthropoid ape", + "Hominoidea", + "superfamily Hominoidea", + "hominoid", + "Hominidae", + "family Hominidae", + "hominid", + "genus Homo", + "homo", + "man", + "human being", + "human", + "world", + "human race", + "humanity", + "humankind", + "human beings", + "humans", + "mankind", + "man", + "Homo erectus", + "Pithecanthropus", + "Pithecanthropus erectus", + "genus Pithecanthropus", + "Java man", + "Trinil man", + "Peking man", + "Sinanthropus", + "genus Sinanthropus", + "Homo soloensis", + "Javanthropus", + "genus Javanthropus", + "Solo man", + "Homo habilis", + "Homo sapiens", + "Neandertal man", + "Neanderthal man", + "Neandertal", + "Neanderthal", + "Homo sapiens neanderthalensis", + "Cro-magnon", + "Boskop man", + "Homo sapiens sapiens", + "modern man", + "genus Australopithecus", + "Australopithecus", + "Plesianthropus", + "genus Plesianthropus", + "australopithecine", + "Australopithecus afarensis", + "Lucy", + "Australopithecus africanus", + "Australopithecus boisei", + "Zinjanthropus", + "genus Zinjanthropus", + "Australopithecus robustus", + "Paranthropus", + "genus Paranthropus", + "genus Sivapithecus", + "Sivapithecus", + "Dryopithecus", + "genus Dryopithecus", + "dryopithecine", + "rudapithecus", + "Dryopithecus Rudapithecus hungaricus", + "Ouranopithecus", + "genus Ouranopithecus", + "Lufengpithecus", + "genus Lufengpithecus", + "genus Proconsul", + "proconsul", + "Kenyapithecus", + "genus Kenyapithecus", + "genus Aegyptopithecus", + "Aegyptopithecus", + "Algeripithecus", + "genus Algeripithecus", + "Algeripithecus minutus", + "Pongidae", + "family Pongidae", + "great ape", + "pongid", + "Pongo", + "genus Pongo", + "orangutan", + "orang", + "orangutang", + "Pongo pygmaeus", + "genus Gorilla", + "gorilla", + "Gorilla gorilla", + "western lowland gorilla", + "Gorilla gorilla gorilla", + "eastern lowland gorilla", + "Gorilla gorilla grauri", + "mountain gorilla", + "Gorilla gorilla beringei", + "silverback", + "Pan", + "genus Pan", + "chimpanzee", + "chimp", + "Pan troglodytes", + "western chimpanzee", + "Pan troglodytes verus", + "eastern chimpanzee", + "Pan troglodytes schweinfurthii", + "central chimpanzee", + "Pan troglodytes troglodytes", + "pygmy chimpanzee", + "bonobo", + "Pan paniscus", + "Hylobatidae", + "family Hylobatidae", + "lesser ape", + "Hylobates", + "genus Hylobates", + "gibbon", + "Hylobates lar", + "Symphalangus", + "genus Symphalangus", + "siamang", + "Hylobates syndactylus", + "Symphalangus syndactylus", + "Cercopithecidae", + "family Cercopithecidae", + "monkey", + "Old World monkey", + "catarrhine", + "Cercopithecus", + "genus Cercopithecus", + "guenon", + "guenon monkey", + "talapoin", + "Cercopithecus talapoin", + "grivet", + "Cercopithecus aethiops", + "vervet", + "vervet monkey", + "Cercopithecus aethiops pygerythrus", + "green monkey", + "African green monkey", + "Cercopithecus aethiops sabaeus", + "Cercocebus", + "genus Cercocebus", + "mangabey", + "Erythrocebus", + "genus Erythrocebus", + "patas", + "hussar monkey", + "Erythrocebus patas", + "baboon", + "Papio", + "genus Papio", + "chacma", + "chacma baboon", + "Papio ursinus", + "Mandrillus", + "genus Mandrillus", + "mandrill", + "Mandrillus sphinx", + "drill", + "Mandrillus leucophaeus", + "Macaca", + "genus Macaca", + "macaque", + "rhesus", + "rhesus monkey", + "Macaca mulatta", + "bonnet macaque", + "bonnet monkey", + "capped macaque", + "crown monkey", + "Macaca radiata", + "Barbary ape", + "Macaca sylvana", + "crab-eating macaque", + "croo monkey", + "Macaca irus", + "Presbytes", + "genus Presbytes", + "mammal Semnopithecus", + "langur", + "entellus", + "hanuman", + "Presbytes entellus", + "Semnopithecus entellus", + "genus Colobus", + "colobus", + "colobus monkey", + "guereza", + "Colobus guereza", + "Nasalis", + "genus Nasalis", + "proboscis monkey", + "Nasalis larvatus", + "Platyrrhini", + "superfamily Platyrrhini", + "New World monkey", + "platyrrhine", + "platyrrhinian", + "Callithricidae", + "family Callithricidae", + "marmoset", + "Callithrix", + "genus Callithrix", + "true marmoset", + "Cebuella", + "genus Cebuella", + "pygmy marmoset", + "Cebuella pygmaea", + "Leontocebus", + "genus Leontocebus", + "genus Leontideus", + "tamarin", + "lion monkey", + "lion marmoset", + "leoncita", + "silky tamarin", + "Leontocebus rosalia", + "pinche", + "Leontocebus oedipus", + "Cebidae", + "family Cebidae", + "Cebus", + "genus Cebus", + "capuchin", + "ringtail", + "Cebus capucinus", + "Aotus", + "genus Aotus", + "douroucouli", + "Aotus trivirgatus", + "Alouatta", + "genus Alouatta", + "howler monkey", + "howler", + "Pithecia", + "genus Pithecia", + "saki", + "Cacajao", + "genus Cacajao", + "uakari", + "Callicebus", + "genus Callicebus", + "titi", + "titi monkey", + "Ateles", + "genus Ateles", + "spider monkey", + "Ateles geoffroyi", + "Saimiri", + "genus Saimiri", + "squirrel monkey", + "Saimiri sciureus", + "Lagothrix", + "genus Lagothrix", + "woolly monkey", + "Scandentia", + "order Scandentia", + "Tupaiidae", + "family Tupaiidae", + "Tupaia", + "genus Tupaia", + "tree shrew", + "Ptilocercus", + "genus Ptilocercus", + "pentail", + "pen-tail", + "pen-tailed tree shrew", + "Prosimii", + "suborder Prosimii", + "prosimian", + "Adapid", + "Adapid group", + "Lemuroidea", + "suborder Lemuroidea", + "lemur", + "Strepsirhini", + "suborder Strepsirhini", + "Lemuridae", + "family Lemuridae", + "genus Lemur", + "Madagascar cat", + "ring-tailed lemur", + "Lemur catta", + "Daubentoniidae", + "family Daubentoniidae", + "Daubentonia", + "genus Daubentonia", + "aye-aye", + "Daubentonia madagascariensis", + "Lorisidae", + "family Lorisidae", + "genus Loris", + "slender loris", + "Loris gracilis", + "Nycticebus", + "genus Nycticebus", + "slow loris", + "Nycticebus tardigradua", + "Nycticebus pygmaeus", + "Perodicticus", + "genus Perodicticus", + "potto", + "kinkajou", + "Perodicticus potto", + "Arctocebus", + "genus Arctocebus", + "angwantibo", + "golden potto", + "Arctocebus calabarensis", + "genus Galago", + "galago", + "bushbaby", + "bush baby", + "Indriidae", + "family Indriidae", + "genus Indri", + "indri", + "indris", + "Indri indri", + "Indri brevicaudatus", + "Avahi", + "genus Avahi", + "woolly indris", + "Avahi laniger", + "Omomyid", + "Omomyid group", + "Tarsioidea", + "suborder Tarsioidea", + "Tarsiidae", + "family Tarsiidae", + "Tarsius", + "genus Tarsius", + "tarsier", + "Tarsius syrichta", + "Tarsius glis", + "Dermoptera", + "order Dermoptera", + "Cynocephalidae", + "family Cynocephalidae", + "Cynocephalus", + "genus Cynocephalus", + "flying lemur", + "flying cat", + "colugo", + "Cynocephalus variegatus", + "Proboscidea", + "order Proboscidea", + "proboscidean", + "proboscidian", + "Elephantidae", + "family Elephantidae", + "elephant", + "rogue elephant", + "Elephas", + "genus Elephas", + "Indian elephant", + "Elephas maximus", + "white elephant", + "Loxodonta", + "genus Loxodonta", + "African elephant", + "Loxodonta africana", + "Mammuthus", + "genus Mammuthus", + "mammoth", + "woolly mammoth", + "northern mammoth", + "Mammuthus primigenius", + "columbian mammoth", + "Mammuthus columbi", + "Archidiskidon", + "genus Archidiskidon", + "imperial mammoth", + "imperial elephant", + "Archidiskidon imperator", + "Mammutidae", + "family Mammutidae", + "family Mastodontidae", + "Mammut", + "genus Mammut", + "genus Mastodon", + "mastodon", + "mastodont", + "American mastodon", + "American mastodont", + "Mammut americanum", + "Gomphotheriidae", + "family Gomphotheriidae", + "Gomphotherium", + "genus Gomphotherium", + "gomphothere", + "plantigrade mammal", + "plantigrade", + "digitigrade mammal", + "digitigrade", + "Procyonidae", + "family Procyonidae", + "procyonid", + "Procyon", + "genus Procyon", + "raccoon", + "racoon", + "common raccoon", + "common racoon", + "coon", + "ringtail", + "Procyon lotor", + "crab-eating raccoon", + "Procyon cancrivorus", + "Bassariscidae", + "subfamily Bassariscidae", + "Bassariscus", + "genus Bassariscus", + "bassarisk", + "cacomistle", + "cacomixle", + "coon cat", + "raccoon fox", + "ringtail", + "ring-tailed cat", + "civet cat", + "miner's cat", + "Bassariscus astutus", + "Potos", + "genus Potos", + "kinkajou", + "honey bear", + "potto", + "Potos flavus", + "Potos caudivolvulus", + "Nasua", + "genus Nasua", + "coati", + "coati-mondi", + "coati-mundi", + "coon cat", + "Nasua narica", + "Ailurus", + "genus Ailurus", + "lesser panda", + "red panda", + "panda", + "bear cat", + "cat bear", + "Ailurus fulgens", + "Ailuropodidae", + "family Ailuropodidae", + "Ailuropoda", + "genus Ailuropoda", + "giant panda", + "panda", + "panda bear", + "coon bear", + "Ailuropoda melanoleuca", + "gill", + "branchia", + "external gill", + "gill slit", + "branchial cleft", + "gill cleft", + "gill arch", + "branchial arch", + "gill bar", + "peristome", + "syrinx", + "twitterer", + "Pisces", + "fish", + "fingerling", + "game fish", + "sport fish", + "food fish", + "rough fish", + "groundfish", + "bottom fish", + "young fish", + "parr", + "mouthbreeder", + "spawner", + "barracouta", + "snoek", + "Channidae", + "class Channidae", + "northern snakehead", + "Osteichthyes", + "class Osteichthyes", + "bony fish", + "Crossopterygii", + "subclass Crossopterygii", + "crossopterygian", + "lobefin", + "lobe-finned fish", + "Latimeridae", + "family Latimeridae", + "Latimeria", + "genus Latimeria", + "coelacanth", + "Latimeria chalumnae", + "Dipnoi", + "subclass Dipnoi", + "lungfish", + "Ceratodontidae", + "family Ceratodontidae", + "genus Ceratodus", + "ceratodus", + "Neoceratodus", + "genus Neoceratodus", + "Australian lungfish", + "Queensland lungfish", + "Neoceratodus forsteri", + "Siluriformes", + "order Siluriformes", + "catfish", + "siluriform fish", + "Siluridae", + "family Siluridae", + "silurid", + "silurid fish", + "Silurus", + "genus Silurus", + "European catfish", + "sheatfish", + "Silurus glanis", + "Malopterurus", + "genus Malopterurus", + "electric catfish", + "Malopterurus electricus", + "Ameiuridae", + "family Ameiuridae", + "Ameiurus", + "genus Ameiurus", + "bullhead", + "bullhead catfish", + "horned pout", + "hornpout", + "pout", + "Ameiurus Melas", + "brown bullhead", + "Ictalurus", + "genus Ictalurus", + "channel catfish", + "channel cat", + "Ictalurus punctatus", + "blue catfish", + "blue cat", + "blue channel catfish", + "blue channel cat", + "Pylodictus", + "genus Pylodictus", + "flathead catfish", + "mudcat", + "goujon", + "shovelnose catfish", + "spoonbill catfish", + "Pylodictus olivaris", + "Laricariidae", + "family Laricariidae", + "armored catfish", + "Ariidae", + "family Ariidae", + "sea catfish", + "Arius", + "genus Arius", + "crucifix fish", + "Gadiformes", + "order Gadiformes", + "Anacanthini", + "order Anacanthini", + "gadoid", + "gadoid fish", + "Gadidae", + "family Gadidae", + "Gadus", + "genus Gadus", + "cod", + "codfish", + "codling", + "Atlantic cod", + "Gadus morhua", + "Pacific cod", + "Alaska cod", + "Gadus macrocephalus", + "Merlangus", + "genus Merlangus", + "whiting", + "Merlangus merlangus", + "Gadus merlangus", + "Lota", + "genus Lota", + "burbot", + "eelpout", + "ling", + "cusk", + "Lota lota", + "scrod", + "schrod", + "Melanogrammus", + "genus Melanogrammus", + "haddock", + "Melanogrammus aeglefinus", + "Pollachius", + "genus Pollachius", + "pollack", + "pollock", + "Pollachius pollachius", + "Merluccius", + "genus Merluccius", + "hake", + "silver hake", + "Merluccius bilinearis", + "whiting", + "Urophycis", + "genus Urophycis", + "ling", + "Molva", + "genus Molva", + "ling", + "Molva molva", + "Brosmius", + "genus Browmius", + "cusk", + "torsk", + "Brosme brosme", + "Macrouridae", + "family Macrouridae", + "Macruridae", + "family Macruridae", + "grenadier", + "rattail", + "rattail fish", + "Anguilliformes", + "order Anguilliformes", + "order Apodes", + "eel", + "elver", + "Anguillidae", + "family Anguillidae", + "Anguilla", + "genus Anguilla", + "common eel", + "freshwater eel", + "tuna", + "Anguilla sucklandii", + "Muraenidae", + "family Muraenidae", + "moray", + "moray eel", + "Congridae", + "family Congridae", + "conger", + "conger eel", + "Teleostei", + "subclass Teleostei", + "teleost fish", + "teleost", + "teleostan", + "Isospondyli", + "order Isospondyli", + "Gonorhynchidae", + "family Gonorhynchidae", + "Gonorhynchus", + "genus Gonorhynchus", + "beaked salmon", + "sandfish", + "Gonorhynchus gonorhynchus", + "Clupeidae", + "family Clupeidae", + "clupeid fish", + "clupeid", + "whitebait", + "brit", + "britt", + "Alosa", + "genus Alosa", + "shad", + "common American shad", + "Alosa sapidissima", + "river shad", + "Alosa chrysocloris", + "allice shad", + "allis shad", + "allice", + "allis", + "Alosa alosa", + "alewife", + "Alosa pseudoharengus", + "Pomolobus pseudoharengus", + "Pomolobus", + "genus Pomolobus", + "Brevoortia", + "genus Brevoortia", + "menhaden", + "Brevoortia tyrannis", + "Clupea", + "genus Clupea", + "herring", + "Clupea harangus", + "Atlantic herring", + "Clupea harengus harengus", + "Pacific herring", + "Clupea harengus pallasii", + "sardine", + "sild", + "brisling", + "sprat", + "Clupea sprattus", + "Sardina", + "genus Sardina", + "genus Sardinia", + "pilchard", + "sardine", + "Sardina pilchardus", + "Sardinops", + "genus Sardinops", + "Pacific sardine", + "Sardinops caerulea", + "Engraulidae", + "family Engraulidae", + "anchovy", + "Engraulis", + "genus Engraulis", + "mediterranean anchovy", + "Engraulis encrasicholus", + "Salmonidae", + "family Salmonidae", + "salmonid", + "salmon", + "parr", + "blackfish", + "redfish", + "Salmo", + "genus Salmo", + "Atlantic salmon", + "Salmo salar", + "landlocked salmon", + "lake salmon", + "Oncorhynchus", + "genus Oncorhynchus", + "sockeye", + "sockeye salmon", + "red salmon", + "blueback salmon", + "Oncorhynchus nerka", + "chinook", + "chinook salmon", + "king salmon", + "quinnat salmon", + "Oncorhynchus tshawytscha", + "chum salmon", + "chum", + "Oncorhynchus keta", + "coho", + "cohoe", + "coho salmon", + "blue jack", + "silver salmon", + "Oncorhynchus kisutch", + "trout", + "brown trout", + "salmon trout", + "Salmo trutta", + "rainbow trout", + "Salmo gairdneri", + "sea trout", + "Salvelinus", + "genus Salvelinus", + "lake trout", + "salmon trout", + "Salvelinus namaycush", + "brook trout", + "speckled trout", + "Salvelinus fontinalis", + "char", + "charr", + "Arctic char", + "Salvelinus alpinus", + "Coregonidae", + "family Coregonidae", + "whitefish", + "Coregonus", + "genus Coregonus", + "lake whitefish", + "Coregonus clupeaformis", + "cisco", + "lake herring", + "Coregonus artedi", + "Prosopium", + "genus Prosopium", + "round whitefish", + "Menominee whitefish", + "Prosopium cylindraceum", + "Rocky Mountain whitefish", + "Prosopium williamsonii", + "Osmeridae", + "family Osmeridae", + "smelt", + "Osmerus", + "genus Osmerus", + "rainbow smelt", + "Osmerus mordax", + "sparling", + "European smelt", + "Osmerus eperlanus", + "Mallotus", + "genus Mallotus", + "capelin", + "capelan", + "caplin", + "Elopidae", + "family Elopidae", + "genus Tarpon", + "tarpon", + "Tarpon atlanticus", + "Elops", + "genus Elops", + "ladyfish", + "tenpounder", + "Elops saurus", + "Albulidae", + "family Albulidae", + "Albula", + "genus Albula", + "bonefish", + "Albula vulpes", + "Argentinidae", + "family Argentinidae", + "Argentina", + "genus Argentina", + "argentine", + "Myctophidae", + "family Myctophidae", + "lanternfish", + "Synodontidae", + "family Synodontidae", + "lizardfish", + "snakefish", + "snake-fish", + "Chlorophthalmidae", + "family Chlorophthalmidae", + "greeneye", + "Alepisaurus", + "genus Alepisaurus", + "lancetfish", + "lancet fish", + "wolffish", + "handsaw fish", + "Osteoglossiformes", + "Order Osteoglossiformes", + "Osteoglossidae", + "family Osteoglossidae", + "Scleropages", + "genus Scleropages", + "Australian arowana", + "Dawson River salmon", + "saratoga", + "spotted barramundi", + "spotted bonytongue", + "Scleropages leichardti", + "Australian bonytongue", + "northern barramundi", + "Scleropages jardinii", + "Lampridae", + "family Lampridae", + "Lampris", + "genus Lampris", + "opah", + "moonfish", + "Lampris regius", + "New World opah", + "Lampris guttatus", + "Trachipteridae", + "family Trachipteridae", + "ribbonfish", + "Trachipterus", + "genus Trachipterus", + "dealfish", + "Trachipterus arcticus", + "Regalecidae", + "family Regalecidae", + "Reglaecus", + "genus Regalecus", + "oarfish", + "king of the herring", + "ribbonfish", + "Regalecus glesne", + "Pediculati", + "order Pediculati", + "Ogcocephalidae", + "family Ogcocephalidae", + "batfish", + "Lophiidae", + "family Lophiidae", + "Lophius", + "genus Lophius", + "goosefish", + "angler", + "anglerfish", + "angler fish", + "monkfish", + "lotte", + "allmouth", + "Lophius Americanus", + "Batrachoididae", + "family Batrachoididae", + "toadfish", + "Opsanus tau", + "oyster fish", + "oyster-fish", + "oysterfish", + "Antennariidae", + "family Antennariidae", + "frogfish", + "sargassum fish", + "Synentognathi", + "order Synentognathi", + "Belonidae", + "family Belonidae", + "needlefish", + "gar", + "billfish", + "timucu", + "Exocoetidae", + "family Exocoetidae", + "flying fish", + "monoplane flying fish", + "two-wing flying fish", + "biplane flying fish", + "four-wing flying fish", + "Hemiramphidae", + "family Hemiramphidae", + "halfbeak", + "Scomberesocidae", + "family Scomberesocidae", + "Scombresocidae", + "family Scombresocidae", + "Scomberesox", + "genus Scomberesox", + "Scombresox", + "genus Scombresox", + "saury", + "billfish", + "Scomberesox saurus", + "Acanthopterygii", + "superorder Acanthopterygii", + "spiny-finned fish", + "acanthopterygian", + "Ophiodontidae", + "family Ophiodontidae", + "Ophiodon", + "genus Ophiodon", + "lingcod", + "Ophiodon elongatus", + "Perciformes", + "order Perciformes", + "Percomorphi", + "order Percomorphi", + "Percoidea", + "suborder Percoidea", + "percoid fish", + "percoid", + "percoidean", + "perch", + "Anabantidae", + "family Anabantidae", + "Anabas", + "genus Anabas", + "climbing perch", + "Anabas testudineus", + "A. testudineus", + "Percidae", + "family Percidae", + "perch", + "Perca", + "genus Perca", + "yellow perch", + "Perca flavescens", + "European perch", + "Perca fluviatilis", + "Stizostedion", + "genus Stizostedion", + "pike-perch", + "pike perch", + "walleye", + "walleyed pike", + "jack salmon", + "dory", + "Stizostedion vitreum", + "blue pike", + "blue pickerel", + "blue pikeperch", + "blue walleye", + "Strizostedion vitreum glaucum", + "Percina", + "genus Percina", + "snail darter", + "Percina tanasi", + "Trichodontidae", + "family Trichodontidae", + "sandfish", + "Ophidiidae", + "family Ophidiidae", + "cusk-eel", + "Brotulidae", + "family Brotulidae", + "brotula", + "Carapidae", + "family Carapidae", + "pearlfish", + "pearl-fish", + "Centropomidae", + "family Centropomidae", + "robalo", + "Centropomus", + "genus Centropomus", + "snook", + "Latinae", + "Lates", + "genus Lates", + "barramundi", + "giant perch", + "giant seaperch", + "Asian seabass", + "white seabass", + "Lates calcarifer", + "Esocidae", + "family Esocidae", + "Esox", + "genus Esox", + "pike", + "northern pike", + "Esox lucius", + "muskellunge", + "Esox masquinongy", + "pickerel", + "chain pickerel", + "chain pike", + "Esox niger", + "redfin pickerel", + "barred pickerel", + "Esox americanus", + "Centrarchidae", + "family Centrarchidae", + "sunfish", + "centrarchid", + "Pomoxis", + "genus Pomoxis", + "crappie", + "black crappie", + "Pomoxis nigromaculatus", + "white crappie", + "Pomoxis annularis", + "freshwater bream", + "bream", + "Lepomis", + "genus Lepomis", + "pumpkinseed", + "Lepomis gibbosus", + "bluegill", + "Lepomis macrochirus", + "spotted sunfish", + "stumpknocker", + "Lepomis punctatus", + "Ambloplites", + "genus Ambloplites", + "freshwater bass", + "rock bass", + "rock sunfish", + "Ambloplites rupestris", + "Micropterus", + "genus Micropterus", + "black bass", + "Kentucky black bass", + "spotted black bass", + "Micropterus pseudoplites", + "smallmouth", + "smallmouth bass", + "smallmouthed bass", + "smallmouth black bass", + "smallmouthed black bass", + "Micropterus dolomieu", + "largemouth", + "largemouth bass", + "largemouthed bass", + "largemouth black bass", + "largemouthed black bass", + "Micropterus salmoides", + "bass", + "Serranidae", + "family Serranidae", + "serranid fish", + "serranid", + "Morone", + "genus Morone", + "white perch", + "silver perch", + "Morone americana", + "yellow bass", + "Morone interrupta", + "sea bass", + "Synagrops", + "genus Synagrops", + "blackmouth bass", + "Synagrops bellus", + "Centropristis", + "genus Centropristis", + "rock sea bass", + "rock bass", + "Centropristis philadelphica", + "black sea bass", + "black bass", + "Centropistes striata", + "Roccus", + "genus Roccus", + "striped bass", + "striper", + "Roccus saxatilis", + "rockfish", + "Polyprion", + "genus Polyprion", + "stone bass", + "wreckfish", + "Polyprion americanus", + "Serranus", + "genus Serranus", + "belted sandfish", + "Serranus subligarius", + "grouper", + "Epinephelus", + "genus Epinephelus", + "coney", + "Epinephelus fulvus", + "hind", + "rock hind", + "Epinephelus adscensionis", + "Paranthias", + "genus Paranthias", + "creole-fish", + "Paranthias furcifer", + "Mycteroperca", + "genus Mycteroperca", + "jewfish", + "Mycteroperca bonaci", + "Rypticus", + "genus Rypticus", + "soapfish", + "Embiotocidae", + "family Embiotocidae", + "surfperch", + "surffish", + "surf fish", + "Hipsurus", + "genus Hipsurus", + "rainbow seaperch", + "rainbow perch", + "Hipsurus caryi", + "Priacanthidae", + "family Priacanthidae", + "Priacanthus", + "genus Priacanthus", + "bigeye", + "catalufa", + "Priacanthus arenatus", + "Apogonidae", + "family Apogonidae", + "cardinalfish", + "Apogon", + "genus Apogon", + "flame fish", + "flamefish", + "Apogon maculatus", + "Astropogon", + "genus Astropogon", + "conchfish", + "Astropogon stellatus", + "Malacanthidae", + "family Malacanthidae", + "Lopholatilus", + "genus Lopholatilus", + "tilefish", + "Lopholatilus chamaeleonticeps", + "Pomatomidae", + "family Pomatomidae", + "Pomatomus", + "genus Pomatomus", + "bluefish", + "Pomatomus saltatrix", + "Rachycentridae", + "family Rachycentridae", + "Rachycentron", + "genus Rachycentron", + "cobia", + "Rachycentron canadum", + "sergeant fish", + "Discocephali", + "order Discocephali", + "Echeneididae", + "family Echeneididae", + "family Echeneidae", + "remora", + "suckerfish", + "sucking fish", + "Echeneis", + "genus Echeneis", + "sharksucker", + "Echeneis naucrates", + "Remilegia", + "genus Remilegia", + "whale sucker", + "whalesucker", + "Remilegia australis", + "Carangidae", + "family Carangidae", + "carangid fish", + "carangid", + "Caranx", + "genus Caranx", + "jack", + "crevalle jack", + "jack crevalle", + "Caranx hippos", + "yellow jack", + "Caranx bartholomaei", + "runner", + "blue runner", + "Caranx crysos", + "Elagatis", + "genus Elagatis", + "rainbow runner", + "Elagatis bipinnulata", + "Oligoplites", + "genus Oligoplites", + "leatherjacket", + "leatherjack", + "Alectis", + "genus Alectis", + "threadfish", + "thread-fish", + "Alectis ciliaris", + "Selene", + "genus Selene", + "moonfish", + "Atlantic moonfish", + "horsefish", + "horsehead", + "horse-head", + "dollarfish", + "Selene setapinnis", + "lookdown", + "lookdown fish", + "Selene vomer", + "Seriola", + "genus Seriola", + "amberjack", + "amberfish", + "yellowtail", + "Seriola dorsalis", + "rudderfish", + "banded rudderfish", + "Seriola zonata", + "kingfish", + "Seriola grandis", + "Trachinotus", + "genus Trachinotus", + "pompano", + "Florida pompano", + "Trachinotus carolinus", + "permit", + "Trachinotus falcatus", + "Naucrates", + "genus Naucrates", + "pilotfish", + "Naucrates ductor", + "scad", + "Trachurus", + "genus Trachurus", + "horse mackerel", + "jack mackerel", + "Spanish mackerel", + "saurel", + "Trachurus symmetricus", + "horse mackerel", + "saurel", + "Trachurus trachurus", + "Selar", + "genus Selar", + "bigeye scad", + "big-eyed scad", + "goggle-eye", + "Selar crumenophthalmus", + "Decapterus", + "genus Decapterus", + "mackerel scad", + "mackerel shad", + "Decapterus macarellus", + "round scad", + "cigarfish", + "quiaquia", + "Decapterus punctatus", + "Coryphaenidae", + "family Coryphaenidae", + "dolphinfish", + "dolphin", + "mahimahi", + "Coryphaena hippurus", + "Coryphaena equisetis", + "Bramidae", + "family Bramidae", + "Brama", + "genus Brama", + "pomfret", + "Brama raii", + "Branchiostegidae", + "family Branchiostegidae", + "blanquillo", + "tilefish", + "Characidae", + "family Characidae", + "Characinidae", + "family Characinidae", + "characin", + "characin fish", + "characid", + "Hemigrammus", + "genus Hemigrammus", + "tetra", + "Paracheirodon", + "genus Paracheirodon", + "cardinal tetra", + "Paracheirodon axelrodi", + "Serrasalmus", + "genus Serrasalmus", + "piranha", + "pirana", + "caribe", + "tentacle", + "antenna", + "feeler", + "arista", + "barbel", + "feeler", + "swimmeret", + "pleopod", + "Cichlidae", + "family Cichlidae", + "cichlid", + "cichlid fish", + "Tilapia", + "genus Tilapia", + "bolti", + "Tilapia nilotica", + "Lutjanidae", + "family Lutjanidae", + "snapper", + "Lutjanus", + "genus Lutjanus", + "red snapper", + "Lutjanus blackfordi", + "grey snapper", + "gray snapper", + "mangrove snapper", + "Lutjanus griseus", + "mutton snapper", + "muttonfish", + "Lutjanus analis", + "schoolmaster", + "Lutjanus apodus", + "Ocyurus", + "genus Ocyurus", + "yellowtail", + "yellowtail snapper", + "Ocyurus chrysurus", + "Haemulidae", + "family Haemulidae", + "grunt", + "Haemulon", + "genus Haemulon", + "margate", + "Haemulon album", + "Spanish grunt", + "Haemulon macrostomum", + "tomtate", + "Haemulon aurolineatum", + "cottonwick", + "Haemulon malanurum", + "sailor's-choice", + "sailors choice", + "Haemulon parra", + "Anisotremus", + "genus Anisotremus", + "porkfish", + "pork-fish", + "Anisotremus virginicus", + "pompon", + "black margate", + "Anisotremus surinamensis", + "Orthopristis", + "genus Orthopristis", + "pigfish", + "hogfish", + "Orthopristis chrysopterus", + "Sparidae", + "family Sparidae", + "sparid", + "sparid fish", + "sea bream", + "bream", + "porgy", + "Pagrus", + "genus Pagrus", + "red porgy", + "Pagrus pagrus", + "Pagellus", + "genus Pagellus", + "European sea bream", + "Pagellus centrodontus", + "Archosargus", + "genus Archosargus", + "Atlantic sea bream", + "Archosargus rhomboidalis", + "sheepshead", + "Archosargus probatocephalus", + "Lagodon", + "genus Lagodon", + "pinfish", + "sailor's-choice", + "squirrelfish", + "Lagodon rhomboides", + "Calamus", + "genus Calamus", + "sheepshead porgy", + "Calamus penna", + "Chrysophrys", + "genus Chrysophrys", + "snapper", + "Chrysophrys auratus", + "black bream", + "Chrysophrys australis", + "Stenotomus", + "genus Stenotomus", + "scup", + "northern porgy", + "northern scup", + "Stenotomus chrysops", + "scup", + "southern porgy", + "southern scup", + "Stenotomus aculeatus", + "Sciaenidae", + "family Sciaenidae", + "sciaenid fish", + "sciaenid", + "drum", + "drumfish", + "Equetus", + "genus Equetus", + "striped drum", + "Equetus pulcher", + "jackknife-fish", + "Equetus lanceolatus", + "Bairdiella", + "genus Bairdiella", + "silver perch", + "mademoiselle", + "Bairdiella chrysoura", + "Sciaenops", + "genus Sciaenops", + "red drum", + "channel bass", + "redfish", + "Sciaenops ocellatus", + "Sciaena", + "genus Sciaena", + "mulloway", + "jewfish", + "Sciaena antarctica", + "maigre", + "maiger", + "Sciaena aquila", + "croaker", + "Micropogonias", + "genus Micropogonias", + "Atlantic croaker", + "Micropogonias undulatus", + "Umbrina", + "genus Umbrina", + "yellowfin croaker", + "surffish", + "surf fish", + "Umbrina roncador", + "Menticirrhus", + "genus Menticirrhus", + "whiting", + "kingfish", + "king whiting", + "Menticirrhus americanus", + "northern whiting", + "Menticirrhus saxatilis", + "corbina", + "Menticirrhus undulatus", + "silver whiting", + "Menticirrhus littoralis", + "Genyonemus", + "genus Genyonemus", + "white croaker", + "chenfish", + "kingfish", + "Genyonemus lineatus", + "Seriphus", + "genus Seriphus", + "white croaker", + "queenfish", + "Seriphus politus", + "sea trout", + "Cynoscion", + "genus Cynoscion", + "weakfish", + "Cynoscion regalis", + "spotted weakfish", + "spotted sea trout", + "spotted squeateague", + "Cynoscion nebulosus", + "Mullidae", + "family Mullidae", + "mullet", + "Mullus", + "genus Mullus", + "goatfish", + "red mullet", + "surmullet", + "Mullus surmuletus", + "red goatfish", + "Mullus auratus", + "Mulloidichthys", + "genus Mulloidichthys", + "yellow goatfish", + "Mulloidichthys martinicus", + "Mugiloidea", + "suborder Mugiloidea", + "Mugilidae", + "family Mugilidae", + "mullet", + "grey mullet", + "gray mullet", + "Mugil", + "genus Mugil", + "striped mullet", + "Mugil cephalus", + "white mullet", + "Mugil curema", + "liza", + "Mugil liza", + "Atherinidae", + "family Atherinidae", + "silversides", + "silverside", + "Atherinopsis", + "genus Atherinopsis", + "jacksmelt", + "Atherinopsis californiensis", + "Sphyraenidae", + "family Sphyraenidae", + "Sphyraena", + "genus Sphyraena", + "barracuda", + "great barracuda", + "Sphyraena barracuda", + "Pempheridae", + "family Pempheridae", + "sweeper", + "Kyphosidae", + "family Kyphosidae", + "sea chub", + "Kyphosus", + "genus Kyphosus", + "Bermuda chub", + "rudderfish", + "Kyphosus sectatrix", + "Ephippidae", + "family Ephippidae", + "Chaetodipterus", + "genus Chaetodipterus", + "spadefish", + "angelfish", + "Chaetodipterus faber", + "Chaetodontidae", + "family Chaetodontidae", + "butterfly fish", + "genus Chaetodon", + "chaetodon", + "Pomacanthus", + "genus Pomacanthus", + "angelfish", + "rock beauty", + "Holocanthus tricolor", + "Pomacentridae", + "family Pomacentridae", + "damselfish", + "demoiselle", + "Pomacentrus", + "genus Pomacentrus", + "beaugregory", + "Pomacentrus leucostictus", + "Amphiprion", + "genus Amphiprion", + "anemone fish", + "clown anemone fish", + "Amphiprion percula", + "Abudefduf", + "genus Abudefduf", + "sergeant major", + "Abudefduf saxatilis", + "Labridae", + "family Labridae", + "wrasse", + "Achoerodus", + "genus Achoerodus", + "pigfish", + "giant pigfish", + "Achoerodus gouldii", + "Lachnolaimus", + "genus Lachnolaimus", + "hogfish", + "hog snapper", + "Lachnolaimus maximus", + "Halicoeres", + "genus Halicoeres", + "slippery dick", + "Halicoeres bivittatus", + "puddingwife", + "pudding-wife", + "Halicoeres radiatus", + "Thalassoma", + "genus Thalassoma", + "bluehead", + "Thalassoma bifasciatum", + "Hemipteronatus", + "genus Hemipteronatus", + "razor fish", + "razor-fish", + "pearly razorfish", + "Hemipteronatus novacula", + "Tautoga", + "genus Tautoga", + "tautog", + "blackfish", + "Tautoga onitis", + "Tautogolabrus", + "genus Tautogolabrus", + "cunner", + "bergall", + "Tautogolabrus adspersus", + "Scaridae", + "family Scaridae", + "parrotfish", + "polly fish", + "pollyfish", + "Polynemidae", + "family Polynemidae", + "threadfin", + "Polydactylus", + "genus Polydactylus", + "barbu", + "Polydactylus virginicus", + "Opisthognathidae", + "family Opisthognathidae", + "jawfish", + "Uranoscopidae", + "family Uranoscopidae", + "stargazer", + "Dactyloscopidae", + "family Dactyloscopidae", + "sand stargazer", + "Blennioidea", + "suborder Blennioidea", + "blennioid fish", + "blennioid", + "Blenniidae", + "family Blenniidae", + "blenny", + "combtooth blenny", + "Blennius", + "genus Blennius", + "shanny", + "Blennius pholis", + "Scartella", + "genus Scartella", + "Molly Miller", + "Scartella cristata", + "Clinidae", + "family Clinidae", + "clinid", + "clinid fish", + "Chaenopsis", + "genus Chaenopsis", + "pikeblenny", + "bluethroat pikeblenny", + "Chaenopsis ocellata", + "Pholidae", + "family Pholidae", + "family Pholididae", + "gunnel", + "bracketed blenny", + "Pholis", + "genus Pholis", + "rock gunnel", + "butterfish", + "Pholis gunnellus", + "Stichaeidae", + "family Stichaeidae", + "prickleback", + "Lumpenus", + "genus Lumpenus", + "snakeblenny", + "Lumpenus lumpretaeformis", + "eelblenny", + "Cryptacanthodes", + "genus Cryptacanthodes", + "wrymouth", + "ghostfish", + "Cryptacanthodes maculatus", + "Anarhichadidae", + "family Anarhichadidae", + "Anarhichas", + "genus Anarhichas", + "wolffish", + "wolf fish", + "catfish", + "Zoarcidae", + "family Zoarcidae", + "eelpout", + "pout", + "Zoarces", + "genus Zoarces", + "viviparous eelpout", + "Zoarces viviparus", + "Gymnelis", + "genus Gymnelis", + "fish doctor", + "Gymnelis viridis", + "Macrozoarces", + "genus Macrozoarces", + "ocean pout", + "Macrozoarces americanus", + "Ammodytidae", + "family Ammodytidae", + "Ammodytes", + "genus Ammodytes", + "sand lance", + "sand launce", + "sand eel", + "launce", + "Callionymidae", + "family Callionymidae", + "dragonet", + "Gobiidae", + "family Gobiidae", + "goby", + "gudgeon", + "Periophthalmus", + "genus Periophthalmus", + "mudskipper", + "mudspringer", + "Eleotridae", + "family Eleotridae", + "sleeper", + "sleeper goby", + "Percophidae", + "family Percophidae", + "flathead", + "Toxotidae", + "family Toxotidae", + "Toxotes", + "genus Toxotes", + "archerfish", + "Toxotes jaculatrix", + "Microdesmidae", + "family Microdesmidae", + "worm fish", + "Acanthuridae", + "family Acanthuridae", + "surgeonfish", + "Acanthurus", + "genus Acanthurus", + "doctorfish", + "doctor-fish", + "Acanthurus chirurgus", + "Gempylidae", + "family Gempylidae", + "gempylid", + "Gempylus", + "genus Gempylus", + "snake mackerel", + "Gempylus serpens", + "Lepidocybium", + "genus Lepidocybium", + "escolar", + "Lepidocybium flavobrunneum", + "oilfish", + "Ruvettus pretiosus", + "Trichiuridae", + "family Trichiuridae", + "cutlassfish", + "frost fish", + "hairtail", + "Scombroidea", + "suborder Scombroidea", + "scombroid", + "scombroid fish", + "Scombridae", + "family Scombridae", + "mackerel", + "Scomber", + "genus Scomber", + "common mackerel", + "shiner", + "Scomber scombrus", + "Spanish mackerel", + "Scomber colias", + "chub mackerel", + "tinker", + "Scomber japonicus", + "Acanthocybium", + "genus Acanthocybium", + "wahoo", + "Acanthocybium solandri", + "Scomberomorus", + "genus Scomberomorus", + "Spanish mackerel", + "king mackerel", + "cavalla", + "cero", + "Scomberomorus cavalla", + "Scomberomorus maculatus", + "cero", + "pintado", + "kingfish", + "Scomberomorus regalis", + "sierra", + "Scomberomorus sierra", + "Thunnus", + "genus Thunnus", + "tuna", + "tunny", + "albacore", + "long-fin tunny", + "Thunnus alalunga", + "bluefin", + "bluefin tuna", + "horse mackerel", + "Thunnus thynnus", + "yellowfin", + "yellowfin tuna", + "Thunnus albacares", + "Sarda", + "genus Sarda", + "bonito", + "skipjack", + "Atlantic bonito", + "Sarda sarda", + "Chile bonito", + "Chilean bonito", + "Pacific bonito", + "Sarda chiliensis", + "Euthynnus", + "genus Euthynnus", + "skipjack", + "skipjack tuna", + "Euthynnus pelamis", + "Katsuwonus", + "genus Katsuwonus", + "Katsuwonidae", + "family Kasuwonidae", + "bonito", + "oceanic bonito", + "Katsuwonus pelamis", + "Xiphiidae", + "family Xiphiidae", + "Xiphias", + "genus Xiphias", + "swordfish", + "Xiphias gladius", + "Istiophoridae", + "family Istiophoridae", + "sailfish", + "Istiophorus", + "genus Istiophorus", + "Atlantic sailfish", + "Istiophorus albicans", + "billfish", + "Makaira", + "genus Makaira", + "marlin", + "blue marlin", + "Makaira nigricans", + "black marlin", + "Makaira mazara", + "Makaira marlina", + "striped marlin", + "Makaira mitsukurii", + "white marlin", + "Makaira albida", + "Tetrapturus", + "genus Tetrapturus", + "spearfish", + "Luvaridae", + "family Luvaridae", + "Luvarus", + "genus Luvarus", + "louvar", + "Luvarus imperialis", + "Stromateidae", + "family Stromateidae", + "butterfish", + "stromateid fish", + "stromateid", + "Poronotus", + "genus Poronotus", + "dollarfish", + "Poronotus triacanthus", + "genus Palometa", + "palometa", + "California pompano", + "Palometa simillima", + "Paprilus", + "genus Paprilus", + "harvestfish", + "Paprilus alepidotus", + "Psenes", + "genus Psenes", + "driftfish", + "Ariomma", + "genus Ariomma", + "driftfish", + "Tetragonurus", + "genus Tetragonurus", + "squaretail", + "Hyperoglyphe", + "genus Hyperoglyphe", + "barrelfish", + "black rudderfish", + "Hyperglyphe perciformis", + "Gobiesocidae", + "family Gobiesocidae", + "Gobiesox", + "genus Gobiesox", + "clingfish", + "skillet fish", + "skilletfish", + "Gobiesox strumosus", + "Lobotidae", + "family Lobotidae", + "Lobotes", + "genus Lobotes", + "tripletail", + "Atlantic tripletail", + "Lobotes surinamensis", + "Pacific tripletail", + "Lobotes pacificus", + "Gerreidae", + "family Gerreidae", + "Gerridae", + "family Gerridae", + "mojarra", + "Gerres", + "genus Gerres", + "yellowfin mojarra", + "Gerres cinereus", + "Eucinostomus", + "genus Eucinostomus", + "silver jenny", + "Eucinostomus gula", + "Sillaginidae", + "family Sillaginidae", + "Sillago", + "genus Sillago", + "whiting", + "ganoin", + "ganoine", + "Ganoidei", + "order Ganoidei", + "ganoid", + "ganoid fish", + "Amiidae", + "family Amiidae", + "Amia", + "genus Amia", + "bowfin", + "grindle", + "dogfish", + "Amia calva", + "Polyodontidae", + "family Polyodontidae", + "Polyodon", + "genus Polyodon", + "paddlefish", + "duckbill", + "Polyodon spathula", + "Psephurus", + "genus Psephurus", + "Chinese paddlefish", + "Psephurus gladis", + "Acipenseridae", + "family Acipenseridae", + "sturgeon", + "Acipenser", + "genus Acipenser", + "Pacific sturgeon", + "white sturgeon", + "Sacramento sturgeon", + "Acipenser transmontanus", + "beluga", + "hausen", + "white sturgeon", + "Acipenser huso", + "Lepisosteidae", + "family Lepisosteidae", + "Lepisosteus", + "genus Lepisosteus", + "gar", + "garfish", + "garpike", + "billfish", + "Lepisosteus osseus", + "Scleroparei", + "order Scleroparei", + "Scorpaenoidea", + "suborder Scorpaenoidea", + "scorpaenoid", + "scorpaenoid fish", + "Scorpaenidae", + "family Scorpaenidae", + "scorpaenid", + "scorpaenid fish", + "Scorpaena", + "genus Scorpaena", + "scorpionfish", + "scorpion fish", + "sea scorpion", + "plumed scorpionfish", + "Scorpaena grandicornis", + "Pterois", + "genus Pterois", + "lionfish", + "Synanceja", + "genus Synanceja", + "stonefish", + "Synanceja verrucosa", + "Sebastodes", + "genus Sebastodes", + "rockfish", + "copper rockfish", + "Sebastodes caurinus", + "vermillion rockfish", + "rasher", + "Sebastodes miniatus", + "red rockfish", + "Sebastodes ruberrimus", + "rosefish", + "ocean perch", + "Sebastodes marinus", + "Cottidae", + "family Cottidae", + "Cottus", + "genus Cottus", + "sculpin", + "bullhead", + "miller's-thumb", + "Hemitripterus", + "genus Hemitripterus", + "sea raven", + "Hemitripterus americanus", + "Myxocephalus", + "genus Myxocephalus", + "grubby", + "Myxocephalus aenaeus", + "Cyclopteridae", + "family Cyclopteridae", + "Cyclopterus", + "genus Cyclopterus", + "lumpfish", + "Cyclopterus lumpus", + "lumpsucker", + "Liparididae", + "family Liparididae", + "Liparidae", + "family Liparidae", + "Liparis", + "genus Liparis", + "snailfish", + "seasnail", + "sea snail", + "Liparis liparis", + "Agonidae", + "family Agonidae", + "poacher", + "sea poacher", + "sea poker", + "Agonus", + "genus Agonus", + "pogge", + "armed bullhead", + "Agonus cataphractus", + "Aspidophoroides", + "genus Aspidophoroides", + "alligatorfish", + "Aspidophoroides monopterygius", + "Hexagrammidae", + "family Hexagrammidae", + "greenling", + "Hexagrammos", + "genus Hexagrammos", + "kelp greenling", + "Hexagrammos decagrammus", + "Oxylebius", + "genus Oxylebius", + "painted greenling", + "convict fish", + "convictfish", + "Oxylebius pictus", + "Platycephalidae", + "family Platycephalidae", + "flathead", + "Triglidae", + "family Triglidae", + "gurnard", + "Triga", + "genus Triga", + "tub gurnard", + "yellow gurnard", + "Trigla lucerna", + "sea robin", + "searobin", + "Triglinae", + "subfamily Triglinae", + "Prionotus", + "genus Prionotus", + "northern sea robin", + "Prionotus carolinus", + "Peristediinae", + "subfamily Peristediinae", + "Peristedion", + "genus Peristedion", + "armored searobin", + "armored sea robin", + "Peristedion miniatum", + "Dactylopteridae", + "family Dactylopteridae", + "Dactylopterus", + "genus Dactylopterus", + "flying gurnard", + "flying robin", + "butterflyfish", + "Plectognathi", + "order Plectognathi", + "order Tetraodontiformes", + "plectognath", + "plectognath fish", + "Balistidae", + "family Balistidae", + "triggerfish", + "Balistes", + "genus Balistes", + "queen triggerfish", + "Bessy cerca", + "oldwench", + "oldwife", + "Balistes vetula", + "Monocanthidae", + "family Monocanthidae", + "filefish", + "Monocanthus", + "genus Monocanthus", + "leatherjacket", + "leatherfish", + "Ostraciidae", + "family Ostraciidae", + "family Ostraciontidae", + "boxfish", + "trunkfish", + "Lactophrys", + "genus Lactophrys", + "cowfish", + "Lactophrys quadricornis", + "Tetraodontidae", + "family Tetraodontidae", + "puffer", + "pufferfish", + "blowfish", + "globefish", + "Diodontidae", + "family Diodontidae", + "spiny puffer", + "Diodon", + "genus Diodon", + "porcupinefish", + "porcupine fish", + "Diodon hystrix", + "balloonfish", + "Diodon holocanthus", + "Chilomycterus", + "genus Chilomycterus", + "burrfish", + "Molidae", + "family Molidae", + "genus Mola", + "ocean sunfish", + "sunfish", + "mola", + "headfish", + "sharptail mola", + "Mola lanceolata", + "Heterosomata", + "order Heterosomata", + "order Pleuronectiformes", + "flatfish", + "flounder", + "Pleuronectidae", + "family Pleuronectidae", + "righteye flounder", + "righteyed flounder", + "Pleuronectes", + "genus Pleuronectes", + "plaice", + "Pleuronectes platessa", + "Platichthys", + "genus Platichthys", + "European flatfish", + "Platichthys flesus", + "Limanda", + "genus Limanda", + "yellowtail flounder", + "Limanda ferruginea", + "Pseudopleuronectes", + "genus Pseudopleuronectes", + "winter flounder", + "blackback flounder", + "lemon sole", + "Pseudopleuronectes americanus", + "Microstomus", + "genus Microstomus", + "lemon sole", + "Microstomus kitt", + "Hippoglossoides", + "genus Hippoglossoides", + "American plaice", + "Hippoglossoides platessoides", + "halibut", + "holibut", + "Hippoglossus", + "genus Hippoglossus", + "Atlantic halibut", + "Hippoglossus hippoglossus", + "Pacific halibut", + "Hippoglossus stenolepsis", + "Bothidae", + "family Bothidae", + "lefteye flounder", + "lefteyed flounder", + "Paralichthys", + "genus Paralichthys", + "southern flounder", + "Paralichthys lethostigmus", + "summer flounder", + "Paralichthys dentatus", + "Etropus", + "genus Etropus", + "grey flounder", + "gray flounder", + "Etropus rimosus", + "Citharichthys", + "genus Citharichthys", + "whiff", + "horned whiff", + "Citharichthys cornutus", + "sand dab", + "Scophthalmus", + "genus Scophthalmus", + "windowpane", + "Scophthalmus aquosus", + "brill", + "Scophthalmus rhombus", + "Psetta", + "genus Psetta", + "turbot", + "Psetta maxima", + "Cynoglossidae", + "family Cynoglossidae", + "tonguefish", + "tongue-fish", + "Soleidae", + "family Soleidae", + "sole", + "Solea", + "genus Solea", + "European sole", + "Solea solea", + "lemon sole", + "Solea lascaris", + "Parophrys", + "genus Parophrys", + "English sole", + "lemon sole", + "Parophrys vitulus", + "Psettichthys", + "genus Psettichthys", + "sand sole", + "Psettichthys melanostichus", + "Trinectes", + "genus Trinectes", + "hogchoker", + "Trinectes maculatus", + "thick skin", + "thorax", + "prothorax", + "metamere", + "somite", + "aba", + "aba", + "abacus", + "abacus", + "abandoned ship", + "derelict", + "A battery", + "abattis", + "abatis", + "abattoir", + "butchery", + "shambles", + "slaughterhouse", + "abaya", + "Abbe condenser", + "abbey", + "abbey", + "abbey", + "Abney level", + "abortifacient", + "aborticide", + "abortion-inducing drug", + "abortion pill", + "mifepristone", + "RU 486", + "abrader", + "abradant", + "abrading stone", + "Abstract Expressionism", + "action painting", + "abstraction", + "abstractionism", + "abstract art", + "abutment", + "abutment arch", + "academic costume", + "academic gown", + "academic robe", + "judge's robe", + "academy", + "Acapulco gold", + "Mexican green", + "accelerator", + "throttle", + "throttle valve", + "accelerator", + "particle accelerator", + "atom smasher", + "accelerator", + "accelerator pedal", + "gas pedal", + "gas", + "throttle", + "gun", + "accelerometer", + "access", + "approach", + "access", + "memory access", + "accessory", + "appurtenance", + "supplement", + "add-on", + "accessory", + "accoutrement", + "accouterment", + "access road", + "slip road", + "accommodating lens implant", + "accommodating IOL", + "accommodation", + "accommodation ladder", + "accordion", + "piano accordion", + "squeeze box", + "accumulator", + "accumulator register", + "ace", + "acebutolol", + "Sectral", + "ACE inhibitor", + "angiotensin-converting enzyme inhibitor", + "ace of clubs", + "ace of diamonds", + "ace of hearts", + "ace of spades", + "acetaminophen", + "Datril", + "Tylenol", + "Panadol", + "Phenaphen", + "Tempra", + "Anacin III", + "acetanilide", + "acetanilid", + "phenylacetamide", + "acetate disk", + "phonograph recording disk", + "acetate rayon", + "acetate", + "acetophenetidin", + "acetphenetidin", + "phenacetin", + "achromatic lens", + "acid", + "back breaker", + "battery-acid", + "dose", + "dot", + "Elvis", + "loony toons", + "Lucy in the sky with diamonds", + "pane", + "superman", + "window pane", + "Zen", + "acorn tube", + "acoustic", + "acoustic delay line", + "sonic delay line", + "acoustic device", + "acoustic guitar", + "acoustic modem", + "acoustic storage", + "acropolis", + "acrylic", + "acrylic", + "acrylic paint", + "Actifed", + "actinometer", + "actinomycin", + "action", + "action mechanism", + "active matrix screen", + "active placebo", + "actuator", + "acyclovir", + "Zovirax", + "Adam", + "ecstasy", + "XTC", + "go", + "disco biscuit", + "cristal", + "X", + "hug drug", + "adapter", + "adaptor", + "adder", + "adding machine", + "totalizer", + "totaliser", + "addition", + "add-on", + "improver", + "additive", + "addressing machine", + "Addressograph", + "adhesive bandage", + "adhesive tape", + "adit", + "adjoining room", + "adjustable wrench", + "adjustable spanner", + "adjuvant", + "admixture", + "intermixture", + "adobe", + "adobe brick", + "adornment", + "adrenergic", + "adrenergic drug", + "adumbration", + "adz", + "adze", + "aeolian harp", + "aeolian lyre", + "wind harp", + "aerator", + "aerial ladder", + "aerial torpedo", + "aerosol", + "aerosol container", + "aerosol can", + "aerosol bomb", + "spray can", + "Aertex", + "afghan", + "Afro-wig", + "afterburner", + "afterdeck", + "after-shave", + "after-shave lotion", + "afterthought", + "agal", + "agateware", + "agglomerator", + "aglet", + "aiglet", + "aiguilette", + "aglet", + "aiglet", + "agonist", + "agora", + "public square", + "aigrette", + "aigret", + "aileron", + "air bag", + "air base", + "air station", + "airbrake", + "airbrake", + "dive brake", + "airbrush", + "airbus", + "air compressor", + "air conditioner", + "air conditioning", + "aircraft", + "aircraft carrier", + "carrier", + "flattop", + "attack aircraft carrier", + "aircraft engine", + "air cushion", + "inflatable cushion", + "air cushion", + "air spring", + "airdock", + "hangar", + "repair shed", + "airfield", + "landing field", + "flying field", + "field", + "air filter", + "air cleaner", + "airfoil", + "aerofoil", + "control surface", + "surface", + "Air Force Research Laboratory", + "AFRL", + "airframe", + "air gun", + "airgun", + "air rifle", + "air hammer", + "jackhammer", + "pneumatic hammer", + "air hole", + "air horn", + "air horn", + "airing cupboard", + "air-intake", + "airline", + "airline business", + "airway", + "airline", + "air hose", + "airliner", + "airlock", + "air lock", + "airmailer", + "air mattress", + "air passage", + "air duct", + "airway", + "airplane", + "aeroplane", + "plane", + "airplane propeller", + "airscrew", + "prop", + "airport", + "airdrome", + "aerodrome", + "drome", + "air pump", + "vacuum pump", + "air search radar", + "air shaft", + "air well", + "airship", + "dirigible", + "airstrip", + "flight strip", + "landing strip", + "strip", + "air terminal", + "airport terminal", + "air-to-air missile", + "air-to-ground missile", + "air-to-surface missile", + "air transportation system", + "aisle", + "gangway", + "aisle", + "aisle", + "Aladdin's lamp", + "alarm", + "warning device", + "alarm system", + "alarm clock", + "alarm", + "Alaskan pipeline", + "trans-Alaska pipeline", + "alb", + "album", + "albuterol", + "Ventolin", + "Proventil", + "alcazar", + "alcohol thermometer", + "alcohol-in-glass thermometer", + "alcove", + "bay", + "alehouse", + "alembic", + "alendronate", + "Fosamax", + "algometer", + "Alhambra", + "alidade", + "alidad", + "alidade", + "alidad", + "A-line", + "alkylating agent", + "Allen screw", + "Allen wrench", + "alley", + "alleyway", + "back street", + "alligator wrench", + "allopurinol", + "Zyloprim", + "alms dish", + "alms tray", + "aloes", + "bitter aloes", + "alpaca", + "alpenstock", + "alpha blocker", + "alpha-blocker", + "alpha-adrenergic blocker", + "alpha-adrenergic blocking agent", + "alpha-interferon", + "alprazolam", + "Xanax", + "altar", + "altar", + "communion table", + "Lord's table", + "altarpiece", + "reredos", + "altazimuth", + "alternator", + "altimeter", + "alto relievo", + "alto rilievo", + "high relief", + "alum", + "aluminum foil", + "aluminium foil", + "tin foil", + "Amati", + "ambulance", + "ambulatory", + "amen corner", + "Americana", + "American flag", + "Stars and Stripes", + "Star-Spangled Banner", + "Old Glory", + "American organ", + "American Stock Exchange", + "AMEX", + "Curb", + "aminophylline", + "aminopyrine", + "amidopyrine", + "amiodarone", + "Cordarone", + "amitriptyline", + "amitriptyline hydrochloride", + "Elavil", + "amlodipine besylate", + "Norvasc", + "ammeter", + "ammonia clock", + "ammunition", + "ammo", + "amobarbital", + "amobarbital sodium", + "blue", + "blue angel", + "blue devil", + "Amytal", + "amoxicillin", + "Amoxil", + "Larotid", + "Polymox", + "Trimox", + "Augmentin", + "amphetamine", + "pep pill", + "upper", + "speed", + "amphetamine sulfate", + "amphetamine sulphate", + "amphibian", + "amphibious aircraft", + "amphibian", + "amphibious vehicle", + "amphitheater", + "amphitheatre", + "coliseum", + "amphitheater", + "amphitheatre", + "amphora", + "amphotericin", + "ampicillin", + "Principen", + "Polycillin", + "SK-Ampicillin", + "amplifier", + "ampulla", + "amrinone", + "Inocor", + "amulet", + "talisman", + "amusement arcade", + "amyl nitrate", + "anachronism", + "anaglyph", + "anaglyph", + "analeptic", + "analgesic", + "anodyne", + "painkiller", + "pain pill", + "analog clock", + "analog computer", + "analogue computer", + "analog watch", + "analytical balance", + "chemical balance", + "analyzer", + "analyser", + "anamorphosis", + "anamorphism", + "anastigmat", + "anastigmatic lens", + "anchor", + "ground tackle", + "anchor chain", + "anchor rope", + "anchor light", + "riding light", + "riding lamp", + "AND circuit", + "AND gate", + "andiron", + "firedog", + "dog", + "dog-iron", + "android", + "humanoid", + "mechanical man", + "anechoic chamber", + "anemometer", + "wind gauge", + "wind gage", + "aneroid barometer", + "aneroid", + "anesthetic", + "anaesthetic", + "anesthetic agent", + "anaesthetic agent", + "anesthyl", + "angiocardiogram", + "angiogenesis inhibitor", + "angiogram", + "angioscope", + "angiotensin", + "angiotonin", + "Hypertensin", + "angiotensin I", + "angiotensin II", + "angiotensin II inhibitor", + "angle bracket", + "angle iron", + "angledozer", + "Angostura Bridge", + "animalization", + "ankle brace", + "anklet", + "ankle bracelet", + "anklet", + "anklets", + "bobbysock", + "bobbysocks", + "anklet", + "ankus", + "annex", + "annexe", + "extension", + "wing", + "annulet", + "annulet", + "bandelet", + "bandelette", + "bandlet", + "square and rabbet", + "annulet", + "roundel", + "annunciator", + "anode", + "anode", + "answering machine", + "antagonist", + "antefix", + "antenna", + "aerial", + "transmitting aerial", + "anteroom", + "antechamber", + "entrance hall", + "hall", + "foyer", + "lobby", + "vestibule", + "antiaircraft", + "antiaircraft gun", + "flak", + "flack", + "pom-pom", + "ack-ack", + "ack-ack gun", + "antiarrhythmic", + "antiarrhythmic drug", + "antiarrhythmic medication", + "antibacterial", + "antibacterial drug", + "bactericide", + "antiballistic missile", + "ABM", + "antibiotic", + "antibiotic drug", + "anticholinergic", + "anticholinergic drug", + "anticholinesterase", + "anticoagulant", + "anticoagulant medication", + "decoagulant", + "anticonvulsant", + "anticonvulsant drug", + "antiepileptic", + "antiepileptic drug", + "antidepressant", + "antidepressant drug", + "antidiabetic", + "antidiabetic drug", + "antidiarrheal", + "antidiarrheal drug", + "antidiuretic", + "antidiuretic drug", + "antidote", + "counterpoison", + "antiemetic", + "antiemetic drug", + "antiflatulent", + "antifouling paint", + "antifungal", + "antifungal agent", + "fungicide", + "antimycotic", + "antimycotic agent", + "anti-G suit", + "G suit", + "antihistamine", + "antihypertensive", + "antihypertensive drug", + "anti-inflammatory", + "anti-inflammatory drug", + "antimacassar", + "antimalarial", + "antimalarial drug", + "antimetabolite", + "antimycin", + "antineoplastic", + "antineoplastic drug", + "cancer drug", + "antineoplastic antibiotic", + "antiperspirant", + "antiprotozoal", + "antiprotozoal drug", + "antipruritic", + "antipyretic", + "febrifuge", + "antique", + "antiquity", + "antiseptic", + "antispasmodic", + "spasmolytic", + "antispasmodic agent", + "anti-submarine rocket", + "antisyphilitic", + "anti-TNF compound", + "antitussive", + "antiviral", + "antiviral agent", + "antiviral drug", + "Antonine Wall", + "anvil", + "ao dai", + "apadana", + "apartment", + "flat", + "apartment building", + "apartment house", + "APC", + "aperture", + "aperture", + "aphrodisiac", + "apiary", + "bee house", + "apishamore", + "apomorphine", + "apparatus", + "setup", + "apparel", + "wearing apparel", + "dress", + "clothes", + "appendage", + "appendicle", + "Appian Way", + "applecart", + "apple of discord", + "apple orchard", + "appliance", + "appliance", + "contraption", + "contrivance", + "convenience", + "gadget", + "gizmo", + "gismo", + "widget", + "applicator", + "applier", + "applique", + "appointment", + "fitting", + "approach trench", + "communication trench", + "apron", + "apron", + "apron string", + "apse", + "apsis", + "aqualung", + "Aqua-Lung", + "scuba", + "aquaplane", + "aquarium", + "fish tank", + "marine museum", + "aquatint", + "aqueduct", + "arabesque", + "araroba", + "Goa powder", + "chrysarobin", + "arbor", + "arbour", + "bower", + "pergola", + "arboretum", + "botanical garden", + "arcade", + "colonnade", + "arcade", + "arch", + "arch", + "archway", + "architectural ornament", + "architecture", + "architrave", + "architrave", + "archive", + "arch support", + "arc lamp", + "arc light", + "arctic", + "galosh", + "golosh", + "rubber", + "gumshoe", + "area", + "areaway", + "arena", + "scene of action", + "arena theater", + "theater in the round", + "argyle", + "argyll", + "argyle", + "argyll", + "argyll", + "argyle", + "ark", + "Ark", + "Ark of the Covenant", + "arm", + "arm", + "branch", + "limb", + "armament", + "armature", + "armband", + "armchair", + "armet", + "arm guard", + "arm pad", + "armhole", + "armilla", + "armillary sphere", + "armilla", + "armlet", + "arm band", + "armoire", + "armor", + "armour", + "armored car", + "armoured car", + "armored car", + "armoured car", + "armored personnel carrier", + "armoured personnel carrier", + "APC", + "armored vehicle", + "armoured vehicle", + "armor plate", + "armour plate", + "armor plating", + "plate armor", + "plate armour", + "armory", + "armoury", + "arsenal", + "armrest", + "army base", + "Army High Performance Computing Research Center", + "AHPCRC", + "arnica", + "arquebus", + "harquebus", + "hackbut", + "hagbut", + "array", + "array", + "raiment", + "regalia", + "arrester", + "arrester hook", + "arrival gate", + "arrow", + "arrowhead", + "arsenal", + "armory", + "armoury", + "arsenal", + "armory", + "armoury", + "art", + "fine art", + "Artemision at Ephesus", + "arterial road", + "arteriogram", + "artery", + "artesian well", + "arthrogram", + "arthroscope", + "article of commerce", + "articulated ladder", + "artificial flower", + "artificial heart", + "artificial horizon", + "gyro horizon", + "flight indicator", + "artificial joint", + "artificial kidney", + "hemodialyzer", + "artificial skin", + "artillery", + "heavy weapon", + "gun", + "ordnance", + "artillery shell", + "artist's loft", + "artist's workroom", + "atelier", + "art school", + "ascot", + "ashcan", + "trash can", + "garbage can", + "wastebin", + "ash bin", + "ash-bin", + "ashbin", + "dustbin", + "trash barrel", + "trash bin", + "Ash Can", + "Ashcan school", + "ashlar", + "ash-pan", + "ashtray", + "asparaginase", + "Elspar", + "asparagus bed", + "aspergill", + "aspersorium", + "aspersorium", + "aspirator", + "aspirin", + "acetylsalicylic acid", + "Bayer", + "Empirin", + "St. Joseph", + "aspirin powder", + "headache powder", + "assault gun", + "assault rifle", + "assault gun", + "assegai", + "assagai", + "assembly", + "assembly", + "assembly hall", + "assembly plant", + "astatic coils", + "astatic galvanometer", + "astringent", + "astringent drug", + "styptic", + "astrodome", + "astrolabe", + "astronomical telescope", + "astronomy satellite", + "Aswan High Dam", + "High Dam", + "atenolol", + "Tenormin", + "athanor", + "athenaeum", + "atheneum", + "athletic facility", + "athletic sock", + "sweat sock", + "varsity sock", + "athletic supporter", + "supporter", + "suspensor", + "jockstrap", + "jock", + "atlas", + "telamon", + "atmometer", + "evaporometer", + "atom bomb", + "atomic bomb", + "A-bomb", + "fission bomb", + "plutonium bomb", + "atomic clock", + "atomic cocktail", + "atomic pile", + "atomic reactor", + "pile", + "chain reactor", + "atomic warhead", + "nuclear warhead", + "thermonuclear warhead", + "nuke", + "atomizer", + "atomiser", + "spray", + "sprayer", + "nebulizer", + "nebuliser", + "atorvastatin", + "Lipitor", + "atrium", + "atropine", + "attache case", + "attache", + "attachment", + "attachment", + "bond", + "attack submarine", + "attenuator", + "attic", + "attic fan", + "attire", + "garb", + "dress", + "auction block", + "block", + "audio", + "audio amplifier", + "audiocassette", + "audio CD", + "audio compact disc", + "audiogram", + "audiometer", + "sonometer", + "audio system", + "sound system", + "audiotape", + "audiotape", + "audiovisual", + "audiovisual aid", + "auditorium", + "Augean stables", + "auger", + "gimlet", + "screw auger", + "wimble", + "Auschwitz", + "auto accessory", + "autobahn", + "autoclave", + "sterilizer", + "steriliser", + "autofocus", + "autogiro", + "autogyro", + "gyroplane", + "autograph album", + "autoinjector", + "autoloader", + "self-loader", + "automat", + "automat", + "automatic choke", + "automatic firearm", + "automatic gun", + "automatic weapon", + "automatic pistol", + "automatic", + "automatic rifle", + "automatic", + "machine rifle", + "automatic transmission", + "automatic drive", + "automation", + "automaton", + "robot", + "golem", + "automobile engine", + "automobile factory", + "auto factory", + "car factory", + "automobile horn", + "car horn", + "motor horn", + "horn", + "hooter", + "auto part", + "car part", + "autopilot", + "automatic pilot", + "robot pilot", + "autoradiograph", + "autostrada", + "auxiliary airfield", + "auxiliary boiler", + "donkey boiler", + "auxiliary engine", + "donkey engine", + "auxiliary pump", + "donkey pump", + "auxiliary research submarine", + "auxiliary storage", + "external storage", + "secondary storage", + "avenue", + "boulevard", + "aviary", + "bird sanctuary", + "volary", + "awl", + "awning", + "sunshade", + "sunblind", + "ax", + "axe", + "ax handle", + "axe handle", + "ax head", + "axe head", + "axis", + "axis of rotation", + "axle", + "axle bar", + "axletree", + "azathioprine", + "Imuran", + "zidovudine", + "Retrovir", + "ZDV", + "AZT", + "azithromycin", + "Zithromax", + "aztreonam", + "Azactam", + "B-52", + "babushka", + "baby bed", + "baby's bed", + "baby buggy", + "baby carriage", + "carriage", + "perambulator", + "pram", + "stroller", + "go-cart", + "pushchair", + "pusher", + "baby grand", + "baby grand piano", + "parlor grand", + "parlor grand piano", + "parlour grand", + "parlour grand piano", + "baby oil", + "baby powder", + "baby shoe", + "bacitracin", + "back", + "backrest", + "back", + "backband", + "backbench", + "backboard", + "backboard", + "basketball backboard", + "backbone", + "back brace", + "back door", + "backdoor", + "back entrance", + "backdrop", + "background", + "backcloth", + "backgammon board", + "background", + "desktop", + "screen background", + "backhoe", + "backing", + "mount", + "backlighting", + "backpack", + "back pack", + "knapsack", + "packsack", + "rucksack", + "haversack", + "backpacking tent", + "pack tent", + "backplate", + "back porch", + "back room", + "backroom", + "backsaw", + "back saw", + "backscratcher", + "backseat", + "backspace key", + "backspace", + "backspacer", + "backstairs", + "backstay", + "backstitch", + "backstop", + "backsword", + "backup", + "computer backup", + "backup system", + "backyard", + "bacteria bed", + "badminton court", + "badminton equipment", + "badminton racket", + "badminton racquet", + "battledore", + "baffle", + "baffle board", + "bag", + "bag", + "traveling bag", + "travelling bag", + "grip", + "suitcase", + "bag", + "handbag", + "pocketbook", + "purse", + "bagatelle", + "fluff", + "frippery", + "frivolity", + "baggage", + "luggage", + "baggage", + "baggage car", + "luggage van", + "baggage claim", + "bagger", + "bagpipe", + "bailey", + "bailey", + "Bailey bridge", + "bain-marie", + "bait", + "decoy", + "lure", + "baize", + "bakery", + "bakeshop", + "bakehouse", + "balaclava", + "balaclava helmet", + "balalaika", + "balance", + "balance beam", + "beam", + "balance wheel", + "balance", + "balbriggan", + "balcony", + "balcony", + "baldachin", + "baldric", + "baldrick", + "bale", + "baling wire", + "ball", + "ball", + "ball and chain", + "ball-and-socket joint", + "ballast", + "ballast", + "light ballast", + "ballast resistor", + "ballast", + "barretter", + "ball bearing", + "needle bearing", + "roller bearing", + "ball cartridge", + "ballcock", + "ball cock", + "balldress", + "ballet skirt", + "tutu", + "ball field", + "baseball field", + "diamond", + "ball gown", + "ballistic galvanometer", + "ballistic missile", + "ballistic pendulum", + "ballistocardiograph", + "cardiograph", + "balloon", + "balloon", + "balloon bomb", + "Fugo", + "balloon sail", + "ballot box", + "ballpark", + "park", + "ball-peen hammer", + "ballpoint", + "ballpoint pen", + "ballpen", + "Biro", + "ballroom", + "dance hall", + "dance palace", + "ball valve", + "Balmoral", + "bluebonnet", + "balmoral", + "balsam", + "balsa raft", + "Kon Tiki", + "baluster", + "banana boat", + "band", + "band", + "banding", + "stripe", + "band", + "band", + "ring", + "band", + "band", + "bandage", + "patch", + "Band Aid", + "bandanna", + "bandana", + "bandbox", + "banderilla", + "bandoleer", + "bandolier", + "bandoneon", + "bandsaw", + "band saw", + "bandstand", + "outdoor stage", + "stand", + "bandwagon", + "bangalore torpedo", + "bangle", + "bauble", + "gaud", + "gewgaw", + "novelty", + "fallal", + "trinket", + "banjo", + "bank", + "bank building", + "banner", + "streamer", + "bannister", + "banister", + "balustrade", + "balusters", + "handrail", + "banquette", + "banyan", + "banian", + "baptismal font", + "baptistry", + "baptistery", + "font", + "bar", + "bar", + "bar", + "bar", + "bar", + "bar", + "barb", + "barb", + "barbecue", + "barbeque", + "barbed wire", + "barbwire", + "barbell", + "barber chair", + "barbershop", + "barbette", + "barbette carriage", + "barbican", + "barbacan", + "bar bit", + "barbital", + "veronal", + "barbitone", + "diethylbarbituric acid", + "diethylmalonylurea", + "barbiturate", + "bard", + "bareboat", + "barge", + "flatboat", + "hoy", + "lighter", + "bargello", + "flame stitch", + "barge pole", + "baritone", + "baritone horn", + "bark", + "barque", + "bar magnet", + "bar mask", + "barn", + "barndoor", + "barn door", + "barnyard", + "barograph", + "barometer", + "barong", + "barouche", + "bar printer", + "barrack", + "barrage balloon", + "barrel", + "cask", + "barrel", + "gun barrel", + "barrelhouse", + "honky-tonk", + "barrel knot", + "blood knot", + "barrel organ", + "grind organ", + "hand organ", + "hurdy gurdy", + "hurdy-gurdy", + "street organ", + "barrel vault", + "barrette", + "barricade", + "barrier", + "barroom", + "bar", + "saloon", + "ginmill", + "taproom", + "barrow", + "garden cart", + "lawn cart", + "wheelbarrow", + "bar soap", + "bascule", + "base", + "pedestal", + "stand", + "base", + "bag", + "base", + "base", + "base of operations", + "base", + "base", + "baseball", + "baseball bat", + "lumber", + "baseball cap", + "jockey cap", + "golf cap", + "baseball card", + "baseball diamond", + "diamond", + "infield", + "baseball equipment", + "baseball glove", + "glove", + "baseball mitt", + "mitt", + "baseboard", + "mopboard", + "skirting board", + "basement", + "cellar", + "basement", + "basic", + "staple", + "basic point defense missile system", + "basilica", + "Roman basilica", + "basilica", + "basilisk", + "basin", + "basinet", + "basket", + "handbasket", + "basket", + "basketball hoop", + "hoop", + "basketball", + "basketball court", + "basketball equipment", + "basket hilt", + "basket weave", + "bas relief", + "low relief", + "basso relievo", + "basso rilievo", + "bass", + "bass clarinet", + "bass drum", + "gran casa", + "basset horn", + "bass fiddle", + "bass viol", + "bull fiddle", + "double bass", + "contrabass", + "string bass", + "bass guitar", + "bass horn", + "sousaphone", + "tuba", + "bassinet", + "bassinet", + "bassoon", + "bastard", + "mongrel", + "baste", + "basting", + "basting stitch", + "tacking", + "baster", + "bastille", + "Bastille", + "bastinado", + "bastion", + "bastion", + "citadel", + "basuco", + "bat", + "bath", + "bath chair", + "bathhouse", + "bagnio", + "bathhouse", + "bathing machine", + "bathing cap", + "swimming cap", + "bath linen", + "bath mat", + "bath oil", + "bathrobe", + "bathroom", + "bath", + "bathroom cleaner", + "bathroom fixture", + "bath salts", + "bath towel", + "bathtub", + "bathing tub", + "bath", + "tub", + "bathymeter", + "bathometer", + "bathyscaphe", + "bathyscaph", + "bathyscape", + "bathysphere", + "batik", + "batiste", + "baton", + "wand", + "baton", + "baton", + "baton", + "Baton Rouge Bridge", + "batten", + "battering ram", + "batter's box", + "battery", + "electric battery", + "battery", + "stamp battery", + "batting", + "batten", + "batting cage", + "cage", + "batting glove", + "batting helmet", + "battle-ax", + "battle-axe", + "battle cruiser", + "battle dress", + "battle flag", + "battlement", + "crenelation", + "crenellation", + "battleship", + "battlewagon", + "battle sight", + "battlesight", + "batwing", + "bay", + "bay", + "bayonet", + "Bayonne Bridge", + "bay rum", + "bay window", + "bow window", + "bazaar", + "bazar", + "bazaar", + "bazar", + "bazooka", + "BB", + "BB shot", + "B battery", + "BB gun", + "beach ball", + "beachball", + "beach house", + "beach towel", + "beach wagon", + "station wagon", + "wagon", + "estate car", + "beach waggon", + "station waggon", + "waggon", + "beachwear", + "beacon", + "lighthouse", + "beacon light", + "pharos", + "bead", + "beading", + "bead", + "beadwork", + "astragal", + "beading", + "beadwork", + "beading plane", + "beads", + "string of beads", + "beaker", + "beaker", + "beam", + "beam", + "beam balance", + "beanbag", + "beanie", + "beany", + "bear claw", + "bearing", + "bearing rein", + "checkrein", + "bearing wall", + "bearskin", + "busby", + "shako", + "beater", + "beating-reed instrument", + "reed instrument", + "reed", + "beauty spot", + "beaver", + "castor", + "beaver", + "beaver board", + "becket", + "Beckman thermometer", + "bed", + "bed", + "bed", + "bed", + "bed and breakfast", + "bed-and-breakfast", + "bedclothes", + "bed clothing", + "bedding", + "bedding material", + "bedding", + "litter", + "Bedford cord", + "bed jacket", + "Bedlam", + "booby hatch", + "crazy house", + "cuckoo's nest", + "funny farm", + "funny house", + "loony bin", + "madhouse", + "nut house", + "nuthouse", + "sanatorium", + "snake pit", + "bed linen", + "bedpan", + "bed pillow", + "bedpost", + "bedroll", + "bedroom", + "sleeping room", + "sleeping accommodation", + "chamber", + "bedchamber", + "bedroom furniture", + "bedsitting room", + "bedsitter", + "bedsit", + "bedspread", + "bedcover", + "bed cover", + "bed covering", + "counterpane", + "spread", + "bedspring", + "bedstead", + "bedframe", + "beefcake", + "beehive", + "hive", + "beehive", + "beeper", + "pager", + "beer barrel", + "beer keg", + "beer bottle", + "beer can", + "beer garden", + "beer glass", + "beer hall", + "beer mat", + "beer mug", + "stein", + "belaying pin", + "belfry", + "bell", + "bell", + "belladonna", + "bell arch", + "bellarmine", + "longbeard", + "long-beard", + "greybeard", + "bellbottom trousers", + "bell-bottoms", + "bellbottom pants", + "bell cote", + "bell cot", + "bell deck", + "bell foundry", + "bell gable", + "bell jar", + "bell glass", + "bellows", + "bellpull", + "bell push", + "bell seat", + "balloon seat", + "bell tent", + "bell tower", + "bellyband", + "bellyband", + "Belmont Park", + "Belmont", + "Belsen", + "belt", + "belt", + "belt", + "belt ammunition", + "belted ammunition", + "belt buckle", + "belting", + "belvedere", + "beltway", + "bypass", + "ring road", + "ringway", + "bench", + "bench", + "bench clamp", + "bench hook", + "bench lathe", + "bench press", + "bend", + "curve", + "bend", + "bend dexter", + "bender", + "Benjamin Franklin Bridge", + "bentwood", + "Benzedrine", + "bennie", + "benzocaine", + "ethyl aminobenzoate", + "benzodiazepine", + "beret", + "berlin", + "Bermuda rig", + "Bermudan rig", + "Bermudian rig", + "Marconi rig", + "Bermuda shorts", + "Jamaica shorts", + "berth", + "bunk", + "built in bed", + "besom", + "Bessemer converter", + "beta blocker", + "beta-blocking agent", + "beta-adrenergic blocker", + "beta-adrenergic blocking agent", + "beta-interferon", + "betatron", + "induction accelerator", + "bethel", + "betting shop", + "bevatron", + "bevel", + "bevel square", + "bevel", + "cant", + "chamfer", + "bevel gear", + "pinion and crown wheel", + "pinion and ring gear", + "bezel", + "B-flat clarinet", + "licorice stick", + "bhang", + "bib", + "bib", + "bib-and-tucker", + "bicorn", + "bicorne", + "bicycle", + "bike", + "wheel", + "cycle", + "bicycle-built-for-two", + "tandem bicycle", + "tandem", + "bicycle chain", + "bicycle clip", + "trouser clip", + "bicycle pump", + "bicycle rack", + "bicycle seat", + "saddle", + "bicycle wheel", + "bidet", + "bier", + "bier", + "bi-fold door", + "bifocals", + "Big Ben", + "Big Blue", + "BLU-82", + "big board", + "biggin", + "big H", + "hell dust", + "nose drops", + "smack", + "thunder", + "skag", + "scag", + "bight", + "bijou", + "bikini", + "two-piece", + "bikini pants", + "bilge", + "bilge keel", + "bilge pump", + "bilges", + "bilge well", + "bill", + "peak", + "eyeshade", + "visor", + "vizor", + "bill", + "billhook", + "billboard", + "hoarding", + "billet", + "billiard ball", + "billiard marker", + "billiard room", + "billiard saloon", + "billiard parlor", + "billiard parlour", + "billiard hall", + "bimetallic strip", + "bin", + "binder", + "ligature", + "binder", + "ring-binder", + "binder", + "reaper binder", + "bindery", + "binding", + "book binding", + "cover", + "back", + "binding", + "bin liner", + "binnacle", + "binoculars", + "field glasses", + "opera glasses", + "binocular microscope", + "biochip", + "biohazard suit", + "biology lab", + "biology laboratory", + "bio lab", + "bioscope", + "bioscope", + "bioweapon", + "biological weapon", + "bioarm", + "biplane", + "biprism", + "birch", + "birch rod", + "birchbark canoe", + "birchbark", + "birch bark", + "birdbath", + "birdcage", + "birdcage mask", + "birdcall", + "bird feeder", + "birdfeeder", + "feeder", + "birdhouse", + "bird shot", + "buckshot", + "duck shot", + "biretta", + "berretta", + "birretta", + "bishop", + "bistro", + "bit", + "bit", + "bit", + "bite plate", + "biteplate", + "bitewing", + "bitmap", + "electronic image", + "bitter end", + "bitthead", + "bitt pin", + "bitumastic", + "black", + "black", + "black and white", + "monochrome", + "blackboard", + "chalkboard", + "blackboard eraser", + "black box", + "blackface", + "black flag", + "pirate flag", + "Jolly Roger", + "blackjack", + "Black Hole of Calcutta", + "blackjack", + "cosh", + "sap", + "black tie", + "Blackwall hitch", + "blackwash", + "blackwash", + "black lotion", + "bladder", + "blade", + "blade", + "vane", + "blade", + "blank", + "dummy", + "blank shell", + "blank", + "blanket", + "cover", + "blanket", + "blanket stitch", + "Blarney Stone", + "blast furnace", + "blasting cap", + "blasting gelatin", + "blazer", + "sport jacket", + "sport coat", + "sports jacket", + "sports coat", + "bleachers", + "blender", + "liquidizer", + "liquidiser", + "blimp", + "sausage balloon", + "sausage", + "blind", + "screen", + "blind", + "blind alley", + "cul de sac", + "dead-end street", + "impasse", + "blind corner", + "blind curve", + "blind bend", + "blindfold", + "bling", + "bling bling", + "blinker", + "flasher", + "blister pack", + "bubble pack", + "block", + "block", + "blockade", + "blockade-runner", + "blockage", + "block", + "closure", + "occlusion", + "stop", + "stoppage", + "block and tackle", + "blockbuster", + "block diagram", + "blocker", + "blocking agent", + "blockhouse", + "block plane", + "bloodmobile", + "bloomers", + "pants", + "drawers", + "knickers", + "blouse", + "blower", + "blowgun", + "blowpipe", + "blowtube", + "blow tube", + "blowtorch", + "torch", + "blowlamp", + "blowtube", + "blow tube", + "blowpipe", + "blucher", + "bludgeon", + "blue", + "blue chip", + "blueprint", + "blunderbuss", + "blunt file", + "board", + "board", + "gameboard", + "boarding", + "boarding house", + "boardinghouse", + "boardroom", + "council chamber", + "board rule", + "boards", + "boards", + "boardwalk", + "boat", + "boat deck", + "boater", + "leghorn", + "Panama", + "Panama hat", + "sailor", + "skimmer", + "straw hat", + "boat hook", + "boathouse", + "boatswain's chair", + "bosun's chair", + "boat train", + "boat whistle", + "boatyard", + "bob", + "bobber", + "cork", + "bobfloat", + "bob", + "bobbin", + "spool", + "reel", + "bobby pin", + "hairgrip", + "grip", + "bobsled", + "bobsleigh", + "bob", + "bobsled", + "bobsleigh", + "bocce ball", + "bocci ball", + "boccie ball", + "bodega", + "bodice", + "bodkin", + "threader", + "bodkin", + "bodkin", + "body", + "body armor", + "body armour", + "suit of armor", + "suit of armour", + "coat of mail", + "cataphract", + "body bag", + "personnel pouch", + "human remains pouch", + "body lotion", + "body stocking", + "body plethysmograph", + "body pad", + "bodywork", + "Bofors gun", + "bogy", + "bogie", + "bogey", + "boiler", + "steam boiler", + "boilerplate", + "boiling water reactor", + "BWR", + "bola", + "bolero", + "bollard", + "bitt", + "bollock", + "bullock block", + "bolo", + "bolo knife", + "bologram", + "bolograph", + "bolometer", + "bolo tie", + "bolo", + "bola tie", + "bola", + "bolster", + "long pillow", + "bolt", + "bolt", + "deadbolt", + "bolt", + "bolt", + "bolt cutter", + "bolus", + "bomb", + "bombardon", + "bombard", + "bombazine", + "bomb calorimeter", + "bomb", + "bomber", + "bomber jacket", + "bombie", + "bomblet", + "cluster bomblet", + "bomb rack", + "bombshell", + "bomb shelter", + "air-raid shelter", + "bombproof", + "bombsight", + "bone-ash cup", + "cupel", + "refractory pot", + "bone china", + "bones", + "castanets", + "clappers", + "finger cymbals", + "boneshaker", + "bongo", + "bongo drum", + "bonnet", + "poke bonnet", + "booby prize", + "book", + "volume", + "book", + "book bag", + "bookbindery", + "bookcase", + "bookend", + "bookmark", + "bookmarker", + "bookmobile", + "bookshelf", + "bookshop", + "bookstore", + "bookstall", + "boom", + "boom", + "microphone boom", + "boomerang", + "throwing stick", + "throw stick", + "booster", + "booster dose", + "booster shot", + "recall dose", + "booster", + "booster rocket", + "booster unit", + "takeoff booster", + "takeoff rocket", + "booster", + "booster amplifier", + "booster station", + "relay link", + "relay station", + "relay transmitter", + "boot", + "boot", + "boot", + "the boot", + "iron boot", + "iron heel", + "boot", + "boot camp", + "bootee", + "bootie", + "booth", + "cubicle", + "stall", + "kiosk", + "booth", + "booth", + "boothose", + "bootjack", + "bootlace", + "bootleg", + "bootstrap", + "Bordeaux mixture", + "border", + "bore", + "bore-hole", + "drill hole", + "bore bit", + "borer", + "rock drill", + "stone drill", + "boron chamber", + "boron counter tube", + "borstal", + "bosom", + "Bosporus Bridge", + "Boston rocker", + "bota", + "botanical", + "bottle", + "bottle", + "feeding bottle", + "nursing bottle", + "bottle bank", + "bottlebrush", + "bottlecap", + "bottleneck", + "bottle opener", + "bottling plant", + "bottom", + "freighter", + "merchantman", + "merchant ship", + "boucle", + "boudoir", + "boulle", + "boule", + "buhl", + "bouncing betty", + "Bounty", + "H.M.S. Bounty", + "bouquet", + "corsage", + "posy", + "nosegay", + "Bourse", + "boutique", + "dress shop", + "boutonniere", + "bow", + "bow", + "bow", + "fore", + "prow", + "stem", + "bow", + "bowknot", + "bow", + "bow and arrow", + "bowed stringed instrument", + "string", + "Bowie knife", + "bowl", + "bowl", + "bowl", + "pipe bowl", + "bowl", + "bowler hat", + "bowler", + "derby hat", + "derby", + "plug hat", + "bowline", + "bowline knot", + "bowling alley", + "alley", + "skittle alley", + "bowling alley", + "bowling ball", + "bowl", + "bowling equipment", + "bowling pin", + "pin", + "bowling shoe", + "bowsprit", + "bowstring", + "bow tie", + "bow-tie", + "bowtie", + "box", + "box", + "box", + "loge", + "box", + "box seat", + "box", + "box beam", + "box girder", + "box camera", + "box Kodak", + "boxcar", + "box coat", + "boxing equipment", + "boxing glove", + "glove", + "boxing ring", + "prize ring", + "box kite", + "box office", + "ticket office", + "ticket booth", + "box pleat", + "box seat", + "box spring", + "box wrench", + "box end wrench", + "brace", + "bracing", + "brace", + "bitstock", + "brace", + "braces", + "orthodontic braces", + "brace", + "brace", + "suspender", + "gallus", + "brace", + "brace and bit", + "bracelet", + "bangle", + "bracer", + "pick-me-up", + "bracer", + "armguard", + "brace wrench", + "bracket", + "wall bracket", + "brad", + "bradawl", + "pricker", + "braid", + "gold braid", + "braiding", + "brail", + "brail", + "brake", + "brake", + "brake band", + "brake cylinder", + "hydraulic brake cylinder", + "master cylinder", + "brake disk", + "brake drum", + "drum", + "brake lining", + "brake pad", + "brake pedal", + "brake shoe", + "shoe", + "skid", + "brake system", + "brakes", + "branch line", + "spur track", + "spur", + "brand-name drug", + "proprietary drug", + "brass", + "brass instrument", + "brass", + "memorial tablet", + "plaque", + "brass", + "brassard", + "brasserie", + "brassie", + "brassiere", + "bra", + "bandeau", + "brass knucks", + "knucks", + "brass knuckles", + "knuckles", + "knuckle duster", + "brass monkey", + "brattice", + "brazier", + "brasier", + "breadbasket", + "bread-bin", + "breadbox", + "breadboard", + "bread board", + "bread knife", + "breakable", + "breakfast area", + "breakfast nook", + "breakfast table", + "break seal", + "breakwater", + "groin", + "groyne", + "mole", + "bulwark", + "seawall", + "jetty", + "breast drill", + "breast implant", + "breastplate", + "aegis", + "egis", + "breast pocket", + "breathalyzer", + "breathalyser", + "breathing device", + "breathing apparatus", + "breathing machine", + "ventilator", + "breech", + "rear of barrel", + "rear of tube", + "breechblock", + "breech closer", + "breechcloth", + "breechclout", + "loincloth", + "breeches", + "knee breeches", + "knee pants", + "knickerbockers", + "knickers", + "breeches buoy", + "breechloader", + "breeder reactor", + "Bren", + "Bren gun", + "brewery", + "brewpub", + "briar", + "briar pipe", + "bric-a-brac", + "knickknack", + "nicknack", + "knickknackery", + "whatnot", + "brick", + "brickkiln", + "bricklayer's hammer", + "brick trowel", + "mason's trowel", + "brickwork", + "brickyard", + "brickfield", + "bridal gown", + "wedding gown", + "wedding dress", + "bridge", + "span", + "bridge", + "bridge deck", + "bridge", + "nosepiece", + "bridge", + "bridgework", + "bridge", + "bridge", + "bridge circuit", + "bridged-T", + "bridle", + "bridle path", + "bridle road", + "bridoon", + "briefcase", + "briefcase bomb", + "briefcase computer", + "briefs", + "Jockey shorts", + "brig", + "brig", + "brigandine", + "brigantine", + "hermaphrodite brig", + "brilliantine", + "brilliant pebble", + "brim", + "brim", + "rim", + "lip", + "briquette", + "briquet", + "bristle", + "bristle brush", + "britches", + "broad arrow", + "broadax", + "broadaxe", + "brochette", + "broadcaster", + "spreader", + "broadcasting station", + "broadcast station", + "broadcasting studio", + "broadcloth", + "broadcloth", + "broad gauge", + "broad hatchet", + "broadloom", + "broadside", + "broadside", + "broadsword", + "brocade", + "brogan", + "brogue", + "clodhopper", + "work shoe", + "broiler", + "broken arch", + "brokerage house", + "brokerage", + "brompheniramine maleate", + "Dimetane", + "bronchodilator", + "bronchoscope", + "Bronx-Whitestone Bridge", + "bronze", + "bronze medal", + "brooch", + "broach", + "breastpin", + "Brooklyn Bridge", + "broom", + "broom closet", + "broomstick", + "broom handle", + "brougham", + "brougham", + "Browning automatic rifle", + "BAR", + "Browning machine gun", + "Peacemaker", + "brownstone", + "Brown University", + "Brown", + "brunch coat", + "brush", + "brush", + "Brussels carpet", + "Brussels lace", + "bubble", + "bubble chamber", + "bubble jet printer", + "bubble-jet printer", + "bubblejet", + "bubbler", + "Buchenwald", + "buckboard", + "bucket", + "pail", + "bucket seat", + "bucket shop", + "buckle", + "buckram", + "bucksaw", + "buckskins", + "buff", + "buffer", + "buffer", + "fender", + "buffer", + "polisher", + "buffer", + "buffer storage", + "buffer store", + "buffered aspirin", + "Bufferin", + "buffet", + "counter", + "sideboard", + "buffing wheel", + "bug", + "buggy", + "roadster", + "buggy whip", + "bugle", + "bugle", + "building", + "edifice", + "building block", + "building complex", + "complex", + "building supply store", + "building supply house", + "built-in bed", + "bulb", + "bulkhead", + "bulla", + "bulldog clip", + "alligator clip", + "bulldog wrench", + "bulldozer", + "dozer", + "bullet", + "slug", + "bulletin board", + "notice board", + "bulletin board system", + "bulletin board", + "electronic bulletin board", + "bbs", + "bulletproof vest", + "bullet train", + "bullet", + "bullfight", + "corrida", + "bullhorn", + "loud hailer", + "loud-hailer", + "bullion", + "bullnose", + "bullnosed plane", + "bullpen", + "detention cell", + "detention centre", + "bullpen", + "bullring", + "bull tongue", + "bulwark", + "bumboat", + "bumper", + "bumper", + "bumper car", + "Dodgem", + "bumper guard", + "bumper jack", + "bundle", + "sheaf", + "bung", + "spile", + "bungalow", + "cottage", + "bungee", + "bungee cord", + "bunghole", + "bunk", + "bunk", + "feed bunk", + "bunk bed", + "bunk", + "bunker", + "sand trap", + "trap", + "bunker", + "dugout", + "bunker", + "Bunker Buster", + "Guided Bomb Unit-28", + "GBU-28", + "bunsen burner", + "bunsen", + "etna", + "bunting", + "bur", + "burr", + "Burberry", + "burette", + "buret", + "burglar alarm", + "burial chamber", + "sepulcher", + "sepulchre", + "sepulture", + "burial garment", + "burial mound", + "grave mound", + "barrow", + "tumulus", + "burin", + "burqa", + "burka", + "burlap", + "gunny", + "burn bag", + "burn center", + "burner", + "burner", + "burnous", + "burnoose", + "burnouse", + "burp gun", + "machine pistol", + "burr", + "burr", + "burthen", + "bus", + "autobus", + "coach", + "charabanc", + "double-decker", + "jitney", + "motorbus", + "motorcoach", + "omnibus", + "passenger vehicle", + "bus", + "jalopy", + "heap", + "busbar", + "bus", + "bushel basket", + "bushing", + "cylindrical lining", + "bushing", + "bush jacket", + "business suit", + "buskin", + "combat boot", + "desert boot", + "half boot", + "top boot", + "bus lane", + "bus line", + "buspirone", + "BuSpar", + "bust", + "bus terminal", + "bus depot", + "bus station", + "coach station", + "bustier", + "bustle", + "butacaine", + "butacaine sulfate", + "butcher board", + "butcher block", + "butcher knife", + "butcher shop", + "meat market", + "butt", + "butt end", + "butt", + "stub", + "butt", + "butter dish", + "butterfly valve", + "butter knife", + "buttery", + "butt hinge", + "butt joint", + "butt", + "button", + "button", + "buttonhole", + "button hole", + "buttonhole stitch", + "buttonhook", + "buttress", + "buttressing", + "butt shaft", + "butt weld", + "butt-weld", + "butyl nitrite", + "isobutyl nitrite", + "buzz bomb", + "robot bomb", + "flying bomb", + "doodlebug", + "V-1", + "buzzer", + "BVD", + "BVD's", + "bypass condenser", + "bypass capacitor", + "by-product", + "byproduct", + "spin-off", + "byway", + "bypath", + "byroad", + "cab", + "hack", + "taxi", + "taxicab", + "cab", + "cabriolet", + "cab", + "cabana", + "cabaret", + "nightclub", + "night club", + "club", + "nightspot", + "caber", + "cabin", + "cabin", + "cabin", + "cabin car", + "caboose", + "cabin class", + "second class", + "economy class", + "cabin cruiser", + "cruiser", + "pleasure boat", + "pleasure craft", + "cabinet", + "cabinet", + "console", + "cabinet", + "locker", + "storage locker", + "cabinetwork", + "cabin liner", + "cable", + "cable", + "cable television", + "cable system", + "cable television service", + "cable", + "line", + "transmission line", + "cable car", + "car", + "cable railway", + "funicular", + "funicular railway", + "cache", + "cache", + "memory cache", + "cachet", + "caddy", + "tea caddy", + "caesium clock", + "cafe", + "coffeehouse", + "coffee shop", + "coffee bar", + "cafeteria", + "cafeteria facility", + "cafeteria tray", + "caff", + "caftan", + "kaftan", + "caftan", + "kaftan", + "cage", + "coop", + "cage", + "cagoule", + "caisson", + "pneumatic caisson", + "cofferdam", + "caisson", + "ammunition chest", + "caisson", + "cake", + "bar", + "calabash", + "calabash pipe", + "calamine lotion", + "calash", + "caleche", + "calash top", + "calash", + "caleche", + "calceus", + "calcimine", + "calcium blocker", + "calcium-channel blocker", + "calculator", + "calculating machine", + "caldron", + "cauldron", + "Caledonian Canal", + "calender", + "calico", + "caliper", + "calliper", + "calk", + "calkin", + "call-board", + "call center", + "call centre", + "caller ID", + "calliope", + "steam organ", + "Caloosahatchee Canal", + "calorimeter", + "calpac", + "calpack", + "kalpac", + "calumet", + "peace pipe", + "pipe of peace", + "Calvary cross", + "cross of Calvary", + "cam", + "camail", + "aventail", + "ventail", + "camber arch", + "cambric", + "Cambridge University", + "Cambridge", + "camcorder", + "camel's hair", + "camelhair", + "cameo", + "camera", + "photographic camera", + "camera lens", + "optical lens", + "camera lucida", + "camera obscura", + "camera tripod", + "camise", + "camisole", + "camisole", + "underbodice", + "camlet", + "camlet", + "camouflage", + "camouflage", + "camo", + "camp", + "encampment", + "cantonment", + "bivouac", + "camp", + "camp", + "camp", + "summer camp", + "camp", + "refugee camp", + "campaign hat", + "campanile", + "belfry", + "camp chair", + "camper", + "camping bus", + "motor home", + "camper trailer", + "camphor ice", + "campstool", + "camshaft", + "can", + "tin", + "tin can", + "canal", + "canal boat", + "narrow boat", + "narrowboat", + "candelabrum", + "candelabra", + "candid camera", + "candle", + "taper", + "wax light", + "candlepin", + "candlesnuffer", + "candlestick", + "candle holder", + "candlewick", + "candlewick", + "candy thermometer", + "cane", + "cane", + "cangue", + "canister", + "cannister", + "tin", + "cannabis", + "marijuana", + "marihuana", + "ganja", + "cannery", + "cannikin", + "cannikin", + "cannon", + "cannon", + "cannon", + "cannon", + "cannonball", + "cannon ball", + "round shot", + "cannon cracker", + "cannula", + "canoe", + "can opener", + "tin opener", + "canopic jar", + "canopic vase", + "canopy", + "canopy", + "canopy", + "canteen", + "canteen", + "canteen", + "canteen", + "mobile canteen", + "canteen", + "cant hook", + "cantilever", + "cantilever bridge", + "cantle", + "Canton crepe", + "canvas", + "canvass", + "canvas", + "canvass", + "canvas", + "canvass", + "canvas tent", + "canvas", + "canvass", + "cap", + "cap", + "cap", + "capacitor", + "capacitance", + "condenser", + "electrical condenser", + "caparison", + "trapping", + "housing", + "cape", + "mantle", + "capeline bandage", + "capillary", + "capillary tube", + "capillary tubing", + "capital", + "chapiter", + "cap", + "capital ship", + "Capitol", + "Capitol Building", + "capitol", + "cap opener", + "capote", + "hooded cloak", + "capote", + "hooded coat", + "cap screw", + "capstan", + "capstone", + "copestone", + "coping stone", + "stretcher", + "capsule", + "capsule", + "captain's chair", + "captopril", + "Capoten", + "capuchin", + "car", + "auto", + "automobile", + "machine", + "motorcar", + "car", + "railcar", + "railway car", + "railroad car", + "car", + "elevator car", + "car", + "gondola", + "carabiner", + "karabiner", + "snap ring", + "carafe", + "decanter", + "caravansary", + "caravanserai", + "khan", + "caravan inn", + "car battery", + "automobile battery", + "carbine", + "car bomb", + "carbomycin", + "carbon", + "carbon copy", + "carbon arc lamp", + "carbon arc", + "carboy", + "carburetor", + "carburettor", + "car carrier", + "card", + "cardcase", + "cardiac monitor", + "heart monitor", + "cardigan", + "card index", + "card catalog", + "card catalogue", + "cardiograph", + "electrocardiograph", + "cardioid microphone", + "car door", + "cardroom", + "card table", + "card table", + "car-ferry", + "cargo", + "lading", + "freight", + "load", + "loading", + "payload", + "shipment", + "consignment", + "cargo area", + "cargo deck", + "cargo hold", + "hold", + "storage area", + "cargo container", + "cargo door", + "cargo hatch", + "cargo helicopter", + "cargo liner", + "cargo ship", + "cargo vessel", + "carillon", + "carminative", + "car mirror", + "Carnegie Mellon University", + "caroche", + "carousel", + "carrousel", + "merry-go-round", + "roundabout", + "whirligig", + "carousel", + "carrousel", + "luggage carousel", + "luggage carrousel", + "carpenter's hammer", + "claw hammer", + "clawhammer", + "carpenter's kit", + "tool kit", + "carpenter's level", + "carpenter's mallet", + "carpenter's rule", + "carpenter's square", + "carpetbag", + "carpet beater", + "rug beater", + "carpet loom", + "carpet pad", + "rug pad", + "underlay", + "underlayment", + "carpet sweeper", + "sweeper", + "carpet tack", + "carport", + "car port", + "carrack", + "carack", + "carrel", + "carrell", + "cubicle", + "stall", + "carriage", + "equipage", + "rig", + "carriage", + "carriage bolt", + "carriageway", + "carriage wrench", + "carrick bend", + "carrick bitt", + "carrier", + "carrier", + "carron oil", + "carryall", + "holdall", + "tote", + "tote bag", + "carrycot", + "car seat", + "cart", + "car tire", + "automobile tire", + "auto tire", + "rubber tire", + "carton", + "cartouche", + "cartouch", + "car train", + "cartridge", + "cartridge", + "pickup", + "cartridge", + "cartridge belt", + "cartridge ejector", + "ejector", + "cartridge extractor", + "cartridge remover", + "extractor", + "cartridge fuse", + "cartridge holder", + "cartridge clip", + "clip", + "magazine", + "cartwheel", + "carvedilol", + "carving", + "carving fork", + "carving knife", + "car wheel", + "car window", + "caryatid", + "cascade liquefier", + "cascade transformer", + "case", + "case", + "display case", + "showcase", + "vitrine", + "case", + "pillowcase", + "slip", + "pillow slip", + "case", + "compositor's case", + "typesetter's case", + "casein paint", + "casein", + "case knife", + "sheath knife", + "case knife", + "casement", + "casement window", + "casern", + "case shot", + "canister", + "canister shot", + "cash bar", + "cashbox", + "money box", + "till", + "cash machine", + "cash dispenser", + "automated teller machine", + "automatic teller machine", + "automated teller", + "automatic teller", + "ATM", + "cashmere", + "cash register", + "register", + "casing", + "case", + "casing", + "casino", + "gambling casino", + "casket", + "jewel casket", + "casque", + "casquet", + "casquetel", + "Cassegrainian telescope", + "Gregorian telescope", + "casserole", + "cassette", + "cassette deck", + "cassette player", + "cassette recorder", + "cassette tape", + "cassock", + "cast", + "casting", + "cast", + "plaster cast", + "plaster bandage", + "caster", + "castor", + "caster", + "castor", + "castile soap", + "castle", + "castle", + "rook", + "castor oil", + "catacomb", + "catafalque", + "catalytic converter", + "catalytic cracker", + "cat cracker", + "catamaran", + "catapult", + "arbalest", + "arbalist", + "ballista", + "bricole", + "mangonel", + "onager", + "trebuchet", + "trebucket", + "catapult", + "launcher", + "catboat", + "cat box", + "catch", + "catch", + "stop", + "catchall", + "catcher's mask", + "catchment", + "Caterpillar", + "cat", + "catgut", + "gut", + "cathedra", + "bishop's throne", + "cathedral", + "cathedral", + "duomo", + "catherine wheel", + "pinwheel", + "catheter", + "cathode", + "cathode", + "cathode-ray tube", + "CRT", + "catling", + "cat-o'-nine-tails", + "cat", + "cat rig", + "cat's-paw", + "catsup bottle", + "ketchup bottle", + "cattle car", + "cattle guard", + "cattle grid", + "cattleship", + "cattle boat", + "cattle trail", + "catwalk", + "catwalk", + "causeway", + "cautery", + "cauterant", + "cavalier hat", + "slouch hat", + "cavalry sword", + "saber", + "sabre", + "cavetto", + "cavity wall", + "C battery", + "C-clamp", + "CD drive", + "CD player", + "CD-R", + "compact disc recordable", + "CD-WO", + "compact disc write-once", + "CD-ROM", + "compact disc read-only memory", + "CD-ROM drive", + "cedar chest", + "cefadroxil", + "Ultracef", + "cefoperazone", + "Cefobid", + "cefotaxime", + "Claforan", + "ceftazidime", + "Fortaz", + "Tazicef", + "ceftriaxone", + "Rocephin", + "cefuroxime", + "Ceftin", + "Zinacef", + "ceiling", + "celecoxib", + "Celebrex", + "celesta", + "celestial globe", + "cell", + "electric cell", + "cell", + "jail cell", + "prison cell", + "cell", + "cubicle", + "cell", + "cellar", + "wine cellar", + "cellarage", + "cellblock", + "ward", + "cello", + "violoncello", + "cellophane", + "cellular telephone", + "cellular phone", + "cellphone", + "cell", + "mobile phone", + "cellulose tape", + "Scotch tape", + "Sellotape", + "Celtic cross", + "cenotaph", + "empty tomb", + "censer", + "thurible", + "center", + "centre", + "center bit", + "centre bit", + "centerboard", + "centreboard", + "drop keel", + "sliding keel", + "center field", + "centerfield", + "center", + "centerpiece", + "centrepiece", + "center punch", + "Centigrade thermometer", + "central", + "telephone exchange", + "exchange", + "central heating", + "central processing unit", + "CPU", + "C.P.U.", + "central processor", + "processor", + "mainframe", + "centrex", + "centrifugal pump", + "centrifuge", + "extractor", + "separator", + "cephalexin", + "Keflex", + "Keflin", + "Keftab", + "cephaloglycin", + "Kafocin", + "cephaloridine", + "cephalosporin", + "Mefoxin", + "cephalothin", + "ceramic", + "ceramic ware", + "cerate", + "cereal bowl", + "cereal box", + "cerecloth", + "cerivastatin", + "Baycol", + "cervical cap", + "cesspool", + "cesspit", + "sink", + "sump", + "chachka", + "tsatske", + "tshatshke", + "tchotchke", + "chador", + "chadar", + "chaddar", + "chuddar", + "chaff", + "chafing dish", + "chafing gear", + "chain", + "chain", + "string", + "strand", + "chain", + "chain", + "chainlink fence", + "chain mail", + "ring mail", + "mail", + "chain armor", + "chain armour", + "ring armor", + "ring armour", + "chain printer", + "chain saw", + "chainsaw", + "chain stitch", + "chain stitch", + "chain store", + "chain tongs", + "chain wrench", + "chair", + "chair", + "chair of state", + "chairlift", + "chair lift", + "chaise", + "shay", + "chaise longue", + "chaise", + "daybed", + "chalet", + "chalice", + "goblet", + "chalk", + "chalk line", + "snap line", + "snapline", + "chalkpit", + "chalk pit", + "challis", + "chamber", + "chamber", + "chamberpot", + "potty", + "thunder mug", + "chambray", + "chamfer bit", + "chamfer plane", + "chamois cloth", + "chancel", + "sanctuary", + "bema", + "chancellery", + "chancery", + "chandelier", + "pendant", + "pendent", + "chandlery", + "chandlery", + "chanfron", + "chamfron", + "testiere", + "frontstall", + "front-stall", + "change", + "change", + "channel", + "channel", + "television channel", + "TV channel", + "chanter", + "melody pipe", + "chantry", + "chap", + "chapel", + "chapterhouse", + "fraternity house", + "frat house", + "chapterhouse", + "character printer", + "character-at-a-time printer", + "serial printer", + "charcoal", + "fusain", + "charcoal", + "charcoal burner", + "charcuterie", + "charge", + "burster", + "bursting charge", + "explosive charge", + "charge", + "bearing", + "heraldic bearing", + "armorial bearing", + "charge-exchange accelerator", + "charger", + "battery charger", + "chariot", + "chariot", + "Charlestown Navy Yard", + "charm", + "good luck charm", + "charnel house", + "charnel", + "chart", + "charterhouse", + "Chartres Cathedral", + "chase", + "chassis", + "chassis", + "chasuble", + "chateau", + "chatelaine", + "check", + "checker", + "chequer", + "checkerboard", + "checker board", + "checkout", + "checkout counter", + "checkroom", + "left-luggage office", + "cheekpiece", + "cheeseboard", + "cheese tray", + "cheesecake", + "cheesecloth", + "cheese cutter", + "cheese press", + "chemical bomb", + "gas bomb", + "chemical plant", + "chemical reactor", + "chemical weapon", + "chemise", + "sack", + "shift", + "chemise", + "shimmy", + "shift", + "slip", + "teddy", + "chemistry lab", + "chemistry laboratory", + "chem lab", + "chenille", + "chenille", + "chenille cord", + "cheroot", + "cherry bomb", + "chessboard", + "chess board", + "chessman", + "chess piece", + "chest", + "chesterfield", + "chesterfield", + "chest of drawers", + "chest", + "bureau", + "dresser", + "chest protector", + "cheval-de-frise", + "chevaux-de-frise", + "cheval glass", + "chevron", + "chiaroscuro", + "chicane", + "chicken coop", + "coop", + "hencoop", + "henhouse", + "chicken farm", + "chicken wire", + "chicken yard", + "hen yard", + "chicken run", + "fowl run", + "chiffon", + "chiffonier", + "commode", + "child's room", + "chime", + "bell", + "gong", + "chimney", + "chimney breast", + "chimney corner", + "inglenook", + "chimneypot", + "chimneystack", + "china", + "china cabinet", + "china closet", + "chinaware", + "china", + "chinchilla", + "Chinese lantern", + "Chinese puzzle", + "Chinese Wall", + "Great Wall", + "Great Wall of China", + "chinning bar", + "chino", + "chino", + "chinoiserie", + "chin rest", + "chin strap", + "chintz", + "chip", + "microchip", + "micro chip", + "silicon chip", + "microprocessor chip", + "chip", + "poker chip", + "chip", + "chisel", + "Chisholm Trail", + "chiton", + "chlamys", + "chloral hydrate", + "chlorambucil", + "Leukeran", + "chloramine", + "chloramine-T", + "chloramphenicol", + "Chloromycetin", + "chlordiazepoxide", + "Librium", + "Libritabs", + "chlorhexidine", + "chloroform", + "trichloromethane", + "chloroquine", + "chlorothiazide", + "Diuril", + "chlorpheniramine maleate", + "Coricidin", + "Chlor-Trimeton", + "chlorpromazine", + "Thorazine", + "chlortetracycline", + "Aureomycin", + "chlorthalidone", + "Hygroton", + "Thalidone", + "chock", + "wedge", + "choir", + "choir loft", + "choke", + "choke", + "choke coil", + "choking coil", + "choker", + "ruff", + "ruffle", + "neck ruff", + "choker", + "collar", + "dog collar", + "neckband", + "chokey", + "choky", + "choo-choo", + "chopine", + "platform", + "chopping block", + "chopping board", + "cutting board", + "chop shop", + "chopstick", + "chordophone", + "choropleth map", + "chrism", + "chrisom", + "sacramental oil", + "holy oil", + "Christmas stocking", + "Christmas tree", + "chromatogram", + "chronograph", + "chronometer", + "chronoscope", + "chuck", + "chuck wagon", + "chukka", + "chukka boot", + "chum", + "chunnel", + "Channel Tunnel", + "church", + "church building", + "church bell", + "church hat", + "Churchill Downs", + "church key", + "church tower", + "churidars", + "churn", + "butter churn", + "chute", + "slide", + "slideway", + "sloping trough", + "cider mill", + "ciderpress", + "cigar", + "cigar band", + "cigar box", + "cigar butt", + "cigar cutter", + "cigarette", + "cigaret", + "coffin nail", + "butt", + "fag", + "cigarette butt", + "cigarette case", + "cigarette holder", + "cigarillo", + "cigar lighter", + "cigarette lighter", + "pocket lighter", + "cimetidine", + "Tagamet", + "cinch", + "girth", + "cinder block", + "clinker block", + "breeze block", + "cinder track", + "cinema", + "movie theater", + "movie theatre", + "movie house", + "picture palace", + "cinquefoil", + "ciprofloxacin", + "Cipro", + "circle", + "round", + "circle", + "dress circle", + "circlet", + "circuit", + "electrical circuit", + "electric circuit", + "circuit board", + "circuit card", + "board", + "card", + "plug-in", + "add-in", + "circuit breaker", + "breaker", + "circuitry", + "circular plane", + "compass plane", + "circular saw", + "buzz saw", + "circus", + "circus", + "circus tent", + "big top", + "round top", + "top", + "cistern", + "cistern", + "water tank", + "cittern", + "cithern", + "cither", + "citole", + "gittern", + "city hall", + "cityscape", + "city university", + "civies", + "civvies", + "civilian clothing", + "civilian dress", + "civilian garb", + "plain clothes", + "clack valve", + "clack", + "clapper valve", + "clamp", + "clinch", + "clamshell", + "grapple", + "clapper", + "tongue", + "clapperboard", + "clarence", + "clarinet", + "clarion", + "Clark cell", + "Clark standard cell", + "claro", + "clasp", + "clasp knife", + "jackknife", + "classic", + "classroom", + "schoolroom", + "clavichord", + "clavier", + "Klavier", + "claw hatchet", + "clay pigeon", + "claymore mine", + "claymore", + "claymore", + "clay pipe", + "clean bomb", + "cleaners", + "dry cleaners", + "cleaning implement", + "cleaning device", + "cleaning equipment", + "cleaning pad", + "clean room", + "white room", + "cleansing agent", + "cleanser", + "cleaner", + "clearway", + "cleat", + "cleat", + "cleat", + "cleats", + "cleaver", + "meat cleaver", + "chopper", + "clerestory", + "clearstory", + "clerical collar", + "Roman collar", + "dog collar", + "clevis", + "clews", + "cliff dwelling", + "climbing frame", + "clinch", + "clinch", + "clench", + "clincher", + "clinic", + "clinical thermometer", + "mercury-in-glass clinical thermometer", + "clinker", + "clinker brick", + "clinometer", + "inclinometer", + "clip", + "clip", + "clip art", + "clipboard", + "clip joint", + "clip lead", + "clip-on", + "clipper", + "clipper", + "clipper", + "clipper ship", + "cloak", + "cloak", + "cloakroom", + "coatroom", + "cloakroom", + "cloche", + "cloche", + "clock", + "clock face", + "clock dial", + "clock pendulum", + "clock radio", + "clock tower", + "clockwork", + "clofibrate", + "Atromid-S", + "clog", + "clog", + "geta", + "patten", + "sabot", + "cloisonne", + "cloister", + "clomiphene", + "clomiphene citrate", + "Clomid", + "clomipramine", + "clonidine", + "Catapres", + "clopidogrel bisulfate", + "Plavix", + "closed circuit", + "loop", + "closed-circuit television", + "closed loop", + "closed-loop system", + "closet", + "closet auger", + "closeup", + "closeup lens", + "cloth cap", + "flat cap", + "cloth covering", + "clothesbrush", + "clothes closet", + "clothespress", + "clothes dryer", + "clothes drier", + "clothes hamper", + "laundry basket", + "clothes basket", + "voider", + "clotheshorse", + "clothesline", + "clothespin", + "clothes pin", + "clothes peg", + "clothes tree", + "coat tree", + "coat stand", + "clothing", + "article of clothing", + "vesture", + "wear", + "wearable", + "habiliment", + "clothing store", + "haberdashery", + "haberdashery store", + "mens store", + "cloud chamber", + "Wilson cloud chamber", + "clout nail", + "clout", + "clove hitch", + "cloverleaf", + "clozapine", + "Clozaril", + "club", + "club", + "club car", + "lounge car", + "club drug", + "clubhouse", + "club", + "clubroom", + "cluster bomb", + "clutch", + "clutch", + "clutch pedal", + "clutch bag", + "clutch", + "CN Tower", + "coach", + "four-in-hand", + "coach-and-four", + "coach house", + "carriage house", + "remise", + "coalbin", + "coalhole", + "coal car", + "coal chute", + "coal house", + "coal mine", + "coalpit", + "coal shovel", + "coaming", + "coaster", + "coaster brake", + "coat", + "coat button", + "coat closet", + "coatdress", + "coatee", + "coat hanger", + "clothes hanger", + "dress hanger", + "coating", + "coat", + "coating", + "coat of arms", + "arms", + "blazon", + "blazonry", + "coat of paint", + "coatrack", + "coat rack", + "hatrack", + "coattail", + "coaxial cable", + "coax", + "coax cable", + "cobble", + "cobblestone", + "sett", + "cobweb", + "cobweb", + "gossamer", + "cobweb", + "coca", + "cocaine", + "cocain", + "cockade", + "Cockcroft and Walton accelerator", + "Cockcroft-Walton accelerator", + "Cockcroft and Walton voltage multiplier", + "Cockcroft-Walton voltage multiplier", + "cocked hat", + "cockhorse", + "cockleshell", + "cockloft", + "cockpit", + "cockpit", + "cockpit", + "cockscomb", + "coxcomb", + "cocktail dress", + "sheath", + "cocktail lounge", + "cocktail shaker", + "cocotte", + "codeine", + "codpiece", + "coelostat", + "coffee can", + "coffee cup", + "coffee filter", + "coffee maker", + "coffee mill", + "coffee grinder", + "coffee mug", + "coffeepot", + "coffee stall", + "coffee table", + "cocktail table", + "coffee-table book", + "coffee urn", + "coffer", + "coffer", + "caisson", + "lacuna", + "Coffey still", + "coffin", + "casket", + "cog", + "sprocket", + "cog railway", + "rack railway", + "coif", + "coil", + "spiral", + "volute", + "whorl", + "helix", + "coil", + "coil", + "coil", + "coil", + "coil spring", + "volute spring", + "coin box", + "coin slot", + "coke", + "blow", + "nose candy", + "snow", + "C", + "colander", + "cullender", + "colchicine", + "cold cathode", + "cold chisel", + "set chisel", + "cold cream", + "coldcream", + "face cream", + "vanishing cream", + "cold frame", + "cold medicine", + "cold-water flat", + "collage", + "montage", + "collar", + "neckband", + "collar", + "collar", + "shoe collar", + "collar", + "collar", + "collectible", + "collectable", + "collector", + "collector's item", + "showpiece", + "piece de resistance", + "college", + "collet", + "collet", + "collet chuck", + "collider", + "colliery", + "pit", + "collimator", + "collimator", + "cologne", + "cologne water", + "eau de cologne", + "colonnade", + "colonoscope", + "colophon", + "colorimeter", + "tintometer", + "coloring book", + "colors", + "colours", + "colors", + "colours", + "color television", + "colour television", + "color television system", + "colour television system", + "color TV", + "colour TV", + "color tube", + "colour tube", + "color television tube", + "colour television tube", + "color TV tube", + "colour TV tube", + "color wash", + "colour wash", + "Colosseum", + "Amphitheatrum Flavium", + "Colossus of Rhodes", + "Colt", + "colter", + "coulter", + "columbarium", + "columbarium", + "cinerarium", + "Columbia University", + "Columbia", + "column", + "pillar", + "column", + "pillar", + "column", + "chromatography column", + "comb", + "comb", + "comber", + "combination lock", + "combination plane", + "combine", + "comforter", + "pacifier", + "baby's dummy", + "teething ring", + "command module", + "command post", + "general headquarters", + "GHQ", + "commercial art", + "commissary", + "commissary", + "commodity", + "trade good", + "good", + "commodity exchange", + "commodities exchange", + "commodities market", + "Commodore John Barry Bridge", + "common ax", + "common axe", + "Dayton ax", + "Dayton axe", + "common room", + "communications satellite", + "communication system", + "communication equipment", + "communication system", + "community center", + "civic center", + "commutator", + "commuter", + "commuter train", + "compact", + "powder compact", + "compact", + "compact car", + "compact disk", + "compact disc", + "CD", + "compact-disk burner", + "CD burner", + "companionway", + "compartment", + "compartment", + "compass", + "compass", + "compass card", + "mariner's compass", + "compass saw", + "component", + "constituent", + "element", + "composition", + "compound", + "compound lens", + "compound lever", + "compound microscope", + "compress", + "compression bandage", + "tourniquet", + "compressor", + "computer", + "computing machine", + "computing device", + "data processor", + "electronic computer", + "information processing system", + "computer accessory", + "computer circuit", + "computer graphics", + "computerized axial tomography scanner", + "CAT scanner", + "computer keyboard", + "keypad", + "computer monitor", + "computer network", + "computer screen", + "computer display", + "computer store", + "computer system", + "computing system", + "automatic data processing system", + "ADP system", + "ADPS", + "concentration camp", + "stockade", + "concert grand", + "concert piano", + "concert hall", + "concertina", + "concertina", + "concourse", + "concrete mixer", + "cement mixer", + "condensation pump", + "diffusion pump", + "condenser", + "optical condenser", + "condenser", + "condenser", + "condenser microphone", + "capacitor microphone", + "conditioner", + "condom", + "rubber", + "safety", + "safe", + "prophylactic", + "condominium", + "condominium", + "condo", + "conductor", + "conduit", + "cone", + "cone clutch", + "cone friction clutch", + "confectionery", + "confectionary", + "candy store", + "conference center", + "conference house", + "conference room", + "conference table", + "council table", + "council board", + "confessional", + "confetti", + "conformal projection", + "orthomorphic projection", + "conge", + "congee", + "congress boot", + "congress shoe", + "congress gaiter", + "conic projection", + "conical projection", + "connecting rod", + "connecting room", + "connection", + "connexion", + "connector", + "connecter", + "connective", + "conning tower", + "conning tower", + "conservatory", + "hothouse", + "indoor garden", + "conservatory", + "conservatoire", + "console", + "console", + "console table", + "console", + "Constitution", + "Old Ironsides", + "consulate", + "consumer goods", + "contact", + "tangency", + "contact", + "contact lens", + "contact print", + "container", + "container ship", + "containership", + "container vessel", + "containment", + "contour map", + "relief map", + "contraband", + "contrabassoon", + "contrafagotto", + "double bassoon", + "contraceptive", + "preventive", + "preventative", + "contraceptive device", + "prophylactic device", + "birth control device", + "control", + "controller", + "control center", + "control circuit", + "negative feedback circuit", + "control key", + "command key", + "controlled substance", + "control panel", + "instrument panel", + "control board", + "board", + "panel", + "control rod", + "control room", + "control system", + "control tower", + "convector", + "convenience store", + "convent", + "conventicle", + "meetinghouse", + "converging lens", + "convex lens", + "converter", + "convertor", + "convertible", + "convertible", + "sofa bed", + "conveyance", + "transport", + "conveyer belt", + "conveyor belt", + "conveyer", + "conveyor", + "transporter", + "cooker", + "cookfire", + "cookhouse", + "cookie cutter", + "cookie jar", + "cooky jar", + "cookie sheet", + "baking tray", + "cooking utensil", + "cookware", + "cookstove", + "coolant system", + "cooler", + "ice chest", + "cooler", + "tank", + "cooling system", + "cooling", + "cooling system", + "engine cooling system", + "cooling tower", + "coonskin cap", + "coonskin", + "Cooper Union", + "Cooper Union for the Advancement of Science and Art", + "cope", + "coping saw", + "copper mine", + "copperplate", + "copperplate engraving", + "copperplate", + "copperware", + "copy", + "copyholder", + "coquille", + "coracle", + "corbel", + "truss", + "corbel arch", + "corbel step", + "corbie-step", + "corbiestep", + "crow step", + "corbie gable", + "cord", + "cord", + "corduroy", + "cord", + "electric cord", + "cordage", + "cordite", + "cordon", + "cords", + "corduroys", + "corduroy", + "core", + "core", + "core", + "magnetic core", + "core bit", + "core drill", + "corer", + "cork", + "bottle cork", + "corker", + "corkscrew", + "bottle screw", + "corncrib", + "Cornell University", + "corner", + "street corner", + "turning point", + "corner", + "quoin", + "corner", + "nook", + "corner pocket", + "corner post", + "cornerstone", + "cornerstone", + "cornet", + "horn", + "trumpet", + "trump", + "corn exchange", + "cornice", + "cornice", + "cornice", + "valance", + "valance board", + "pelmet", + "corona", + "coronet", + "correctional institution", + "corrective", + "restorative", + "corridor", + "corrugated fastener", + "wiggle nail", + "corrugated iron", + "corsair", + "corselet", + "corslet", + "corset", + "girdle", + "stays", + "corvette", + "cosmetic", + "cosmography", + "cosmotron", + "costume", + "costume", + "costume", + "costume", + "cosy", + "tea cosy", + "cozy", + "tea cozy", + "cot", + "camp bed", + "cote", + "cottage tent", + "cotter", + "cottar", + "cotter pin", + "cotton", + "cotton", + "cotton flannel", + "Canton flannel", + "cotton gin", + "gin", + "cotton mill", + "couch", + "couch", + "couchette", + "coude telescope", + "coude system", + "coulisse", + "coulisse", + "wing flat", + "counter", + "counter", + "tabulator", + "counter", + "heel counter", + "counter", + "counter", + "counterbore", + "countersink", + "countersink bit", + "counterirritant", + "counterpart", + "similitude", + "twin", + "countersink", + "countertop", + "counter tube", + "counterweight", + "counterbalance", + "counterpoise", + "balance", + "equalizer", + "equaliser", + "countinghouse", + "country house", + "country store", + "general store", + "trading post", + "coupe", + "coupling", + "coupler", + "course", + "course", + "row", + "court", + "courtyard", + "court", + "court", + "courtroom", + "court", + "Courtelle", + "courthouse", + "courthouse", + "court plaster", + "cover", + "cover version", + "cover song", + "coverall", + "covered bridge", + "covered couch", + "covered wagon", + "Conestoga wagon", + "Conestoga", + "prairie wagon", + "prairie schooner", + "cover glass", + "cover slip", + "covering", + "coverlet", + "cover plate", + "cowbarn", + "cowshed", + "cow barn", + "cowhouse", + "byre", + "cowbell", + "cowboy boot", + "cowboy hat", + "ten-gallon hat", + "cowhide", + "cowl", + "cow pen", + "cattle pen", + "corral", + "Cox-2 inhibitor", + "CPU board", + "mother board", + "crack", + "crack cocaine", + "tornado", + "cracker", + "snapper", + "cracker bonbon", + "crackle", + "crackleware", + "crackle china", + "cradle", + "craft", + "cramp", + "cramp iron", + "cramp", + "crampon", + "crampoon", + "climbing iron", + "climber", + "crampon", + "crampoon", + "crane", + "craniometer", + "crank", + "starter", + "crankcase", + "crank handle", + "starting handle", + "crankshaft", + "crash barrier", + "crash helmet", + "crate", + "cravat", + "crayon", + "wax crayon", + "crazy quilt", + "cream", + "ointment", + "emollient", + "creamery", + "cream pitcher", + "creamer", + "creation", + "creche", + "foundling hospital", + "creche", + "credenza", + "credence", + "creel", + "creep", + "crematory", + "crematorium", + "cremation chamber", + "crematory", + "crematorium", + "crenel", + "crenelle", + "crepe", + "crape", + "crepe de Chine", + "crescent wrench", + "crest", + "cretonne", + "crewelwork", + "crew neck", + "crew neckline", + "crib", + "cot", + "crib", + "cribbage board", + "cricket ball", + "cricket bat", + "bat", + "cricket equipment", + "cringle", + "eyelet", + "loop", + "grommet", + "grummet", + "crinoline", + "crinoline", + "crochet", + "crocheting", + "crochet needle", + "crochet hook", + "crochet stitch", + "crock", + "earthenware jar", + "crockery", + "dishware", + "crocket", + "Crock Pot", + "croft", + "crook", + "shepherd's crook", + "Crookes radiometer", + "Crookes tube", + "crop", + "crop", + "croquet ball", + "croquet equipment", + "croquet mallet", + "Cross", + "cross", + "crossbar", + "crossbar", + "crossbar", + "crossbench", + "cross bit", + "crossbow", + "crosscut saw", + "crosscut handsaw", + "cutoff saw", + "crosse", + "cross hair", + "cross wire", + "crosshead", + "crossing", + "crosswalk", + "crossover", + "crossjack", + "mizzen course", + "crosspiece", + "cross-stitch", + "cross-stitch", + "cross street", + "crotchet", + "croupier's rake", + "crowbar", + "wrecking bar", + "pry", + "pry bar", + "crown", + "crown", + "diadem", + "crown", + "crown", + "crest", + "crown", + "crownwork", + "jacket", + "jacket crown", + "cap", + "crown jewel", + "crown jewels", + "crown lens", + "crown of thorns", + "crown saw", + "crow's nest", + "crucible", + "melting pot", + "crucifix", + "rood", + "rood-tree", + "cruet", + "crewet", + "cruet-stand", + "cruise control", + "cruise missile", + "cruiser", + "cruiser", + "police cruiser", + "patrol car", + "police car", + "prowl car", + "squad car", + "cruise ship", + "cruise liner", + "crupper", + "cruse", + "crusher", + "crutch", + "cryocautery", + "cryometer", + "cryoscope", + "cryostat", + "crypt", + "cryptograph", + "crystal", + "watch crystal", + "watch glass", + "crystal", + "crystal", + "crystal ball", + "crystal counter", + "crystal detector", + "crystal microphone", + "crystal oscillator", + "quartz oscillator", + "crystal pickup", + "crystal set", + "Cuban heel", + "cubby", + "cubbyhole", + "snuggery", + "snug", + "cubbyhole", + "pigeonhole", + "cube", + "square block", + "cubeb", + "cubeb cigarette", + "cubitiere", + "cucking stool", + "ducking stool", + "cuckoo clock", + "cuddy", + "cudgel", + "cue", + "cue stick", + "pool cue", + "pool stick", + "cue ball", + "cuff", + "turnup", + "cufflink", + "cuirass", + "cuisse", + "cul", + "cul de sac", + "dead end", + "culdoscope", + "cullis", + "culotte", + "cultivator", + "tiller", + "culverin", + "culverin", + "culvert", + "cummerbund", + "cup", + "cup", + "loving cup", + "cup", + "cupboard", + "closet", + "cup hook", + "Cupid's bow", + "cupola", + "cupola", + "curb", + "curbing", + "kerb", + "curb", + "curb bit", + "curb market", + "curb roof", + "curbside", + "curbstone", + "kerbstone", + "curette", + "curet", + "curio", + "curiosity", + "oddity", + "oddment", + "peculiarity", + "rarity", + "curler", + "hair curler", + "roller", + "crimper", + "curling iron", + "currycomb", + "cursor", + "pointer", + "curtain", + "drape", + "drapery", + "mantle", + "pall", + "curtain ring", + "cushion", + "cushion", + "cusp", + "cuspidation", + "custard pie", + "customhouse", + "customshouse", + "custom-made", + "custom-built", + "cut", + "gash", + "cut", + "cutaway", + "cutaway", + "cutaway drawing", + "cutaway model", + "cut glass", + "cutlas", + "cutlass", + "cutlery", + "eating utensil", + "cutoff", + "cutout", + "cutout", + "cutout", + "cutter", + "cutlery", + "cutting tool", + "cutter", + "cutting implement", + "cutting room", + "cutty stool", + "cutwork", + "cyberart", + "cybercafe", + "cyclobenzaprine", + "Flexeril", + "cyclopean masonry", + "cyclopropane", + "cycloserine", + "cyclostyle", + "cyclotron", + "cylinder", + "cylinder", + "piston chamber", + "cylinder head", + "cylinder lock", + "cyma", + "cymatium", + "cyma recta", + "cymbal", + "cyproheptadine", + "Periactin", + "cytophotometer", + "cytotoxic drug", + "dacha", + "Dachau", + "Dacron", + "Terylene", + "dado", + "dado", + "dado plane", + "dagger", + "sticker", + "daggerboard", + "daguerreotype", + "dairy", + "dairy farm", + "dais", + "podium", + "pulpit", + "rostrum", + "ambo", + "stump", + "soapbox", + "daisy chain", + "daisy print wheel", + "daisy wheel", + "daisywheel printer", + "dam", + "dike", + "dyke", + "damascene", + "damask", + "damask", + "dampener", + "moistener", + "damp-proof course", + "damp course", + "damper", + "muffler", + "damper", + "damper block", + "piano damper", + "dance floor", + "dapsone", + "dark lantern", + "bull's-eye", + "darkroom", + "darning needle", + "embroidery needle", + "dart", + "dart", + "dartboard", + "dart board", + "Dartmouth College", + "Dartmouth", + "dashboard", + "fascia", + "dashiki", + "daishiki", + "dash-pot", + "dasymeter", + "data converter", + "data input device", + "input device", + "data multiplexer", + "data system", + "information system", + "daub", + "davenport", + "davenport", + "Davis Cup", + "davit", + "daybed", + "divan bed", + "daybook", + "ledger", + "day camp", + "day nursery", + "day care center", + "day school", + "dead-air space", + "dead axle", + "deadeye", + "deadhead", + "deadlight", + "dead load", + "deanery", + "deathbed", + "death camp", + "death house", + "death row", + "death knell", + "death bell", + "death mask", + "death seat", + "deathtrap", + "decal", + "decalcomania", + "deck", + "deck", + "deck", + "deck chair", + "beach chair", + "decker", + "deck-house", + "deckle", + "deckle edge", + "deckle", + "declinometer", + "transit declinometer", + "decoder", + "decolletage", + "decongestant", + "decoration", + "ornament", + "ornamentation", + "decoupage", + "dedicated file server", + "deep-freeze", + "Deepfreeze", + "deep freezer", + "freezer", + "deerstalker", + "deer trail", + "defense laboratory", + "defense system", + "defence system", + "defensive structure", + "defense", + "defence", + "defibrillator", + "defilade", + "deflector", + "defroster", + "deicer", + "delavirdine", + "Rescriptor", + "Delaware Memorial Bridge", + "delayed action", + "delay line", + "delf", + "delft", + "delicatessen", + "deli", + "food shop", + "delineation", + "depiction", + "limning", + "line drawing", + "deliverable", + "delivery truck", + "delivery van", + "panel truck", + "delta wing", + "demeclocycline hydrochloride", + "Declomycin", + "demijohn", + "demister", + "demitasse", + "demulcent", + "Demulen", + "den", + "denim", + "dungaree", + "jean", + "densimeter", + "densitometer", + "densitometer", + "dental appliance", + "dental floss", + "floss", + "dental implant", + "dentifrice", + "dentist's drill", + "burr drill", + "denture", + "dental plate", + "plate", + "deodorant", + "deodourant", + "department store", + "emporium", + "departure gate", + "departure lounge", + "depilatory", + "depilator", + "epilator", + "depository", + "deposit", + "depositary", + "repository", + "depressor", + "depth charge", + "depth bomb", + "depth finder", + "depth gauge", + "depth gage", + "dermatome", + "derrick", + "derrick", + "derringer", + "design", + "pattern", + "figure", + "design", + "designer drug", + "desk", + "desk phone", + "desktop computer", + "desipramine", + "dessert plate", + "dessert spoon", + "destroyer", + "guided missile destroyer", + "destroyer escort", + "detached house", + "single dwelling", + "detector", + "sensor", + "sensing element", + "detector", + "detector", + "demodulator", + "detention home", + "detention house", + "house of detention", + "detention camp", + "detergent", + "detonating fuse", + "detonator", + "detonating device", + "cap", + "detour", + "roundabout way", + "detox", + "deuce", + "two", + "developer", + "device", + "device", + "device", + "Dewar flask", + "Dewar", + "dextroamphetamine sulphate", + "Dexedrine", + "dhoti", + "dhow", + "diagram", + "dial", + "dial", + "telephone dial", + "dial", + "dial", + "dialog box", + "panel", + "dial telephone", + "dial phone", + "dialyzer", + "dialysis machine", + "diamond", + "diamond point", + "diamante", + "diapason", + "diapason stop", + "diaper", + "nappy", + "napkin", + "diaper", + "diaphone", + "diaphoretic", + "diaphragm", + "stop", + "diaphragm", + "diaphragm", + "pessary", + "contraceptive diaphragm", + "diary", + "diathermy machine", + "diazepam", + "Valium", + "diazoxide", + "Hyperstat", + "dibble", + "dibber", + "dibucaine", + "dideoxycytosine", + "ddC", + "DDC", + "zalcitabine", + "dideoxyinosine", + "ddI", + "DDI", + "didanosine", + "die", + "dice", + "dice cup", + "dice box", + "dicer", + "dickey", + "dickie", + "dicky", + "shirtfront", + "dickey", + "dickie", + "dicky", + "dickey-seat", + "dickie-seat", + "dicky-seat", + "diclofenac potassium", + "Cataflam", + "diclofenac sodium", + "Voltaren", + "dicloxacillin", + "Dynapen", + "Dictaphone", + "dicumarol", + "dicoumarol", + "die", + "die", + "diesel", + "diesel engine", + "diesel motor", + "diesel-electric locomotive", + "diesel-electric", + "diesel-hydraulic locomotive", + "diesel-hydraulic", + "diesel locomotive", + "diestock", + "diethylstilbesterol", + "DES", + "stilbesterol", + "differential analyzer", + "differential gear", + "differential", + "diffraction grating", + "grating", + "diffuser", + "diffusor", + "diffuser", + "diffusor", + "diflunisal", + "Dolobid", + "digester", + "diggings", + "digs", + "domiciliation", + "lodgings", + "pad", + "diggings", + "digs", + "digital-analog converter", + "digital-to-analog converter", + "digital audiotape", + "DAT", + "digital camera", + "digital clock", + "digital computer", + "digital display", + "alphanumeric display", + "digital plethysmograph", + "digital subscriber line", + "DSL", + "digital voltmeter", + "digital watch", + "digitizer", + "digitiser", + "analog-digital converter", + "analog-to-digital converter", + "digitoxin", + "digoxin", + "Lanoxin", + "dihydrostreptomycin", + "dilator", + "dilater", + "dilator", + "dildo", + "diltiazem", + "Cardizem", + "dime bag", + "dime", + "dimenhydrinate", + "Dramamine", + "Dimetapp", + "dimity", + "dimmer", + "diner", + "dinette", + "dinghy", + "dory", + "rowboat", + "dinky", + "dinkey", + "dining area", + "dining car", + "diner", + "dining compartment", + "buffet car", + "dining-hall", + "dining room", + "dining-room", + "dining-room furniture", + "dining-room table", + "dining table", + "board", + "dinner bell", + "dinner dress", + "dinner gown", + "formal", + "evening gown", + "dinner jacket", + "tux", + "tuxedo", + "black tie", + "dinner napkin", + "dinner pail", + "dinner bucket", + "dinner plate", + "dinner service", + "dinner set", + "dinner table", + "dinner theater", + "dinner theatre", + "dinnerware", + "diode", + "semiconductor diode", + "junction rectifier", + "crystal rectifier", + "diode", + "rectifying tube", + "rectifying valve", + "dip", + "diphenhydramine", + "Benadryl", + "diphenylhydantoin", + "phenytoin", + "Dilantin", + "diphenylbutyl piperidine", + "diplomatic building", + "diplomatic pouch", + "dipole", + "dipole antenna", + "dipper", + "dipstick", + "DIP switch", + "dual inline package switch", + "diptych", + "directional antenna", + "directional microphone", + "direction finder", + "dirk", + "dirndl", + "dirndl", + "dirt track", + "dirty bomb", + "discharge lamp", + "discharge pipe", + "disco", + "discotheque", + "discount house", + "discount store", + "discounter", + "wholesale house", + "discus", + "saucer", + "disguise", + "dish", + "dish", + "dish aerial", + "dish antenna", + "saucer", + "dishpan", + "dish rack", + "dishrag", + "dishcloth", + "dishtowel", + "dish towel", + "tea towel", + "dishwasher", + "dish washer", + "dishwashing machine", + "dishwasher detergent", + "dishwashing detergent", + "dishwashing liquid", + "disinfectant", + "germicide", + "antimicrobic", + "antimicrobial", + "disk", + "disc", + "disk access", + "disk brake", + "disc brake", + "disk cache", + "disk clutch", + "disk controller", + "disk drive", + "disc drive", + "hard drive", + "Winchester drive", + "diskette", + "floppy", + "floppy disk", + "disk harrow", + "disc harrow", + "dispatch case", + "dispatch box", + "dispensary", + "dispenser", + "display", + "presentation", + "display", + "video display", + "display adapter", + "display adaptor", + "display panel", + "display board", + "board", + "display window", + "shop window", + "shopwindow", + "show window", + "disposable", + "disposal", + "electric pig", + "garbage disposal", + "disrupting explosive", + "bursting explosive", + "distaff", + "distemper", + "distemper", + "distillery", + "still", + "distributor", + "distributer", + "electrical distributor", + "distributor cam", + "distributor cap", + "distributor housing", + "distributor point", + "breaker point", + "point", + "disulfiram", + "Antabuse", + "ditch", + "ditch spade", + "long-handled spade", + "ditty bag", + "diuretic drug", + "diuretic", + "water pill", + "divan", + "divan", + "diwan", + "dive bomber", + "diverging lens", + "concave lens", + "divided highway", + "dual carriageway", + "divider", + "diving bell", + "diving board", + "divining rod", + "dowser", + "dowsing rod", + "waterfinder", + "water finder", + "diving suit", + "diving dress", + "dixie", + "Dixie cup", + "paper cup", + "dock", + "dockage", + "docking facility", + "dock", + "dock", + "loading dock", + "document", + "doeskin", + "dogcart", + "dog collar", + "doggie bag", + "doggy bag", + "dogleg", + "dogsled", + "dog sled", + "dog sleigh", + "dogtooth", + "dog wrench", + "doodad", + "doohickey", + "doojigger", + "gimmick", + "gizmo", + "gismo", + "gubbins", + "thingamabob", + "thingumabob", + "thingmabob", + "thingamajig", + "thingumajig", + "thingmajig", + "thingummy", + "whatchamacallit", + "whatchamacallum", + "whatsis", + "widget", + "doily", + "doyley", + "doyly", + "doll", + "dolly", + "dollhouse", + "doll's house", + "dollhouse", + "doll's house", + "dolly", + "dolly", + "dolman", + "dolman", + "dolman jacket", + "dolman sleeve", + "dolmen", + "cromlech", + "portal tomb", + "dolphin striker", + "martingale", + "dome", + "dome", + "domed stadium", + "covered stadium", + "domino", + "domino", + "half mask", + "eye mask", + "domino", + "dongle", + "donkey jacket", + "doodlebug", + "door", + "door", + "door", + "doorbell", + "bell", + "buzzer", + "doorframe", + "doorcase", + "doorjamb", + "doorpost", + "doorknob", + "doorhandle", + "doorlock", + "doormat", + "welcome mat", + "doornail", + "doorplate", + "doorsill", + "doorstep", + "threshold", + "doorstop", + "doorstopper", + "doorway", + "door", + "room access", + "threshold", + "dooryard", + "Doppler radar", + "dormer", + "dormer window", + "dormer window", + "dormitory", + "dorm", + "residence hall", + "hall", + "student residence", + "dormitory", + "dormitory room", + "dorm room", + "dose", + "dosage", + "dosemeter", + "dosimeter", + "dossal", + "dossel", + "dot matrix printer", + "matrix printer", + "dot printer", + "double bed", + "double-bitted ax", + "double-bitted axe", + "Western ax", + "Western axe", + "double boiler", + "double saucepan", + "double-breasted jacket", + "double-breasted suit", + "double clinch", + "double crochet", + "double stitch", + "double door", + "double glazing", + "double-hung window", + "double knit", + "double-prop", + "double-propeller plane", + "twin-prop", + "twin-propeller-plane", + "doubler", + "double reed", + "double-reed instrument", + "double reed", + "doublet", + "doubletree", + "douche", + "douche bag", + "dovecote", + "columbarium", + "columbary", + "Dover's powder", + "dovetail", + "dovetail joint", + "dovetail plane", + "dowel", + "dowel pin", + "joggle", + "downcast", + "downstage", + "doxazosin", + "Cardura", + "doxepin", + "doxepin hydrochloride", + "Adapin", + "Sinequan", + "doxorubicin", + "doxycycline", + "Vibramycin", + "DPT vaccine", + "draft", + "draught", + "draft", + "rough drawing", + "draft", + "drafting board", + "drawing board", + "drafting instrument", + "drafting table", + "drawing table", + "drag", + "dragee", + "Dragunov", + "drain", + "drainpipe", + "waste pipe", + "drain", + "drainage ditch", + "drainage system", + "drain basket", + "drainboard", + "draining board", + "drainplug", + "drape", + "drapery", + "draw", + "draw", + "lot", + "drawbar", + "drawbridge", + "lift bridge", + "drawer", + "drawers", + "underdrawers", + "shorts", + "boxers", + "boxershorts", + "drawing", + "drawing card", + "loss leader", + "leader", + "drawing chalk", + "drawing room", + "withdrawing room", + "drawing room", + "drawknife", + "drawshave", + "drawnwork", + "drawstring", + "drawing string", + "string", + "drawstring bag", + "dray", + "camion", + "dreadnought", + "dreadnaught", + "dredge", + "dredger", + "dredging bucket", + "dress", + "frock", + "dress blues", + "dress whites", + "dresser", + "dress hat", + "high hat", + "opera hat", + "silk hat", + "stovepipe", + "top hat", + "topper", + "beaver", + "dressing", + "medical dressing", + "dressing case", + "dressing gown", + "robe-de-chambre", + "lounging robe", + "dressing room", + "dressing sack", + "dressing sacque", + "dressing station", + "aid station", + "dressing table", + "dresser", + "vanity", + "toilet table", + "dress rack", + "dress shirt", + "evening shirt", + "dress suit", + "full dress", + "tailcoat", + "tail coat", + "tails", + "white tie", + "white tie and tails", + "dress uniform", + "drift", + "heading", + "gallery", + "drift net", + "drill", + "electric drill", + "drilling bit", + "drill bit", + "drilling pipe", + "drilling platform", + "offshore rig", + "drill press", + "drill rig", + "drilling rig", + "oilrig", + "oil rig", + "drill site", + "drinking fountain", + "water fountain", + "bubbler", + "drinking vessel", + "drip", + "drip mold", + "drip mould", + "drip loop", + "drip mat", + "drip pan", + "dripping pan", + "drip pan", + "drip pot", + "dripstone", + "hoodmold", + "hoodmould", + "drive", + "parkway", + "drive", + "drive", + "drive-in", + "drive line", + "drive line system", + "driven well", + "tube well", + "driver", + "number one wood", + "driveshaft", + "driveway", + "drive", + "private road", + "driving belt", + "driving iron", + "one iron", + "driving wheel", + "Drixoral", + "drogue", + "drogue chute", + "drogue parachute", + "drogue parachute", + "dronabinol", + "drone", + "drone pipe", + "bourdon", + "drone", + "pilotless aircraft", + "radio-controlled aircraft", + "drop", + "drop arch", + "drop cloth", + "drop curtain", + "drop cloth", + "drop", + "drop forge", + "drop hammer", + "drop press", + "drop-leaf", + "drop-leaf table", + "dropper", + "eye dropper", + "droshky", + "drosky", + "drove", + "drove chisel", + "drug", + "drug cocktail", + "highly active antiretroviral therapy", + "HAART", + "drugget", + "drug of abuse", + "street drug", + "drugstore", + "apothecary's shop", + "chemist's", + "chemist's shop", + "pharmacy", + "drum", + "membranophone", + "tympan", + "drum", + "metal drum", + "drum brake", + "drumhead", + "head", + "drum printer", + "drum sander", + "electric sander", + "sander", + "smoother", + "drumstick", + "dry battery", + "dry-bulb thermometer", + "dry cell", + "dry dock", + "drydock", + "graving dock", + "dryer", + "drier", + "dry fly", + "drygoods", + "soft goods", + "dry kiln", + "dry masonry", + "dry point", + "dry point", + "dry wall", + "dry-stone wall", + "dual scan display", + "dubbing", + "duck", + "duckboard", + "duckpin", + "duct", + "duct tape", + "dudeen", + "duffel", + "duffle", + "duffel bag", + "duffle bag", + "duffel", + "duffle", + "duffel coat", + "duffle coat", + "dugout", + "dugout canoe", + "dugout", + "pirogue", + "Duke University", + "dulciana", + "dulcimer", + "dulcimer", + "dumbbell", + "dumb bomb", + "gravity bomb", + "dumbwaiter", + "food elevator", + "dumdum", + "dumdum bullet", + "dummy", + "dump", + "dumpcart", + "Dumpster", + "dump truck", + "dumper", + "tipper truck", + "tipper lorry", + "tip truck", + "tipper", + "Dumpy level", + "dunce cap", + "dunce's cap", + "fool's cap", + "dune buggy", + "beach buggy", + "dungeon", + "duplex apartment", + "duplex", + "duplex house", + "duplex", + "semidetached house", + "duplicate", + "duplication", + "duplicator", + "copier", + "durables", + "durable goods", + "consumer durables", + "durbar", + "dust bag", + "vacuum bag", + "dustcloth", + "dustrag", + "duster", + "dust cover", + "dust cover", + "dust sheet", + "duster", + "gaberdine", + "gabardine", + "smock", + "dust coat", + "dustmop", + "dust mop", + "dry mop", + "dustpan", + "Dutch door", + "half door", + "Dutch oven", + "Dutch oven", + "dwelling", + "home", + "domicile", + "abode", + "habitation", + "dwelling house", + "dye-works", + "dynamite", + "dynamo", + "dynamometer", + "ergometer", + "Eames chair", + "earflap", + "earlap", + "ear hole", + "early warning radar", + "early warning system", + "earmuff", + "earphone", + "earpiece", + "headphone", + "phone", + "earplug", + "earplug", + "earring", + "earthenware", + "earthwork", + "easel", + "easy chair", + "lounge chair", + "overstuffed chair", + "eaves", + "ecce homo", + "ecclesiastical attire", + "ecclesiastical robe", + "echelon", + "echinus", + "echocardiograph", + "echoencephalograph", + "echo chamber", + "edge", + "edge", + "edger", + "edge tool", + "edging", + "efficiency apartment", + "effigy", + "image", + "simulacrum", + "egg-and-dart", + "egg-and-anchor", + "egg-and-tongue", + "eggbeater", + "eggwhisk", + "eggcup", + "egg cup", + "egg timer", + "eiderdown", + "duvet", + "continental quilt", + "Eiffel Tower", + "eight ball", + "eightpenny nail", + "eight-spot", + "eight", + "ejection seat", + "ejector seat", + "capsule", + "elastic", + "elastic bandage", + "elastic device", + "Elastoplast", + "elbow", + "elbow", + "elbow", + "elbow pad", + "electric", + "electric automobile", + "electric car", + "electrical cable", + "electrical contact", + "electrical converter", + "electrical device", + "electrical system", + "electrical system", + "electrical plant", + "electric bell", + "electric blanket", + "electric chair", + "chair", + "death chair", + "hot seat", + "electric clock", + "electric-discharge lamp", + "gas-discharge lamp", + "electric fan", + "blower", + "electric frying pan", + "electric furnace", + "electric guitar", + "electric hammer", + "electric heater", + "electric fire", + "electric lamp", + "electric locomotive", + "electric main", + "electric meter", + "power meter", + "electric mixer", + "electric motor", + "electric organ", + "electronic organ", + "Hammond organ", + "organ", + "electric range", + "electric refrigerator", + "fridge", + "electric socket", + "electric toothbrush", + "electric typewriter", + "electro-acoustic transducer", + "electrode", + "electrodynamometer", + "electroencephalograph", + "electrograph", + "electrograph", + "electrolytic", + "electrolytic capacitor", + "electrolytic condenser", + "electrolytic cell", + "electromagnet", + "electromagnetic delay line", + "electromechanical device", + "electrometer", + "electromyograph", + "electron accelerator", + "electron gun", + "electronic balance", + "electronic converter", + "electronic device", + "electronic equipment", + "electronic fetal monitor", + "electronic foetal monitor", + "fetal monitor", + "foetal monitor", + "electronic instrument", + "electronic musical instrument", + "electronic voltmeter", + "electron microscope", + "electron multiplier", + "electrophorus", + "electroplate", + "electroscope", + "electrostatic generator", + "electrostatic machine", + "Wimshurst machine", + "Van de Graaff generator", + "electrostatic printer", + "elevated railway", + "elevated railroad", + "elevated", + "el", + "overhead railway", + "elevation", + "elevator", + "lift", + "elevator", + "elevator shaft", + "ell", + "elongation", + "extension", + "embankment", + "embassy", + "embellishment", + "emblem", + "embroidery", + "fancywork", + "emergency room", + "ER", + "emesis basin", + "emetic", + "vomit", + "vomitive", + "nauseant", + "Emetrol", + "emitter", + "Empire State Building", + "emplacement", + "empty", + "emulsion", + "photographic emulsion", + "enamel", + "enamel", + "enamelware", + "enalapril", + "Vasotec", + "encainide", + "Enkaid", + "encaustic", + "encephalogram", + "pneumoencephalogram", + "enclosure", + "end", + "remainder", + "remnant", + "oddment", + "endoscope", + "endotracheal tube", + "end product", + "output", + "energizer", + "energiser", + "enflurane", + "Ethrane", + "engagement ring", + "engine", + "engine", + "engine block", + "cylinder block", + "block", + "engineering", + "engine room", + "enginery", + "English horn", + "cor anglais", + "English saddle", + "English cavalry saddle", + "engraving", + "engraving", + "enlargement", + "blowup", + "magnification", + "enlarger", + "Enovid", + "ensemble", + "ensign", + "entablature", + "enteric-coated aspirin", + "entertainment center", + "entrance", + "entranceway", + "entryway", + "entry", + "entree", + "entrant", + "entrenching tool", + "trenching spade", + "entrenchment", + "intrenchment", + "envelope", + "envelope", + "envelope", + "gasbag", + "eolith", + "epaulet", + "epaulette", + "epauliere", + "epee", + "epergne", + "epicyclic train", + "epicyclic gear train", + "epidiascope", + "epilating wax", + "Epsom salts", + "equal-area projection", + "equal-area map projection", + "equalizer", + "equaliser", + "equatorial", + "equipment", + "erasable programmable read-only memory", + "EPROM", + "eraser", + "erecting prism", + "erection", + "Erlenmeyer flask", + "erythromycin", + "Erythrocin", + "E-Mycin", + "Ethril", + "Ilosone", + "Pediamycin", + "escalator", + "moving staircase", + "moving stairway", + "escape hatch", + "escapement", + "escape wheel", + "escarpment", + "escarp", + "scarp", + "protective embankment", + "escutcheon", + "scutcheon", + "escutcheon", + "esmolol", + "Brevibloc", + "esophagoscope", + "oesophagoscope", + "espadrille", + "espalier", + "esplanade", + "espresso maker", + "espresso shop", + "establishment", + "estaminet", + "estazolam", + "ProSom", + "estradiol patch", + "estrogen antagonist", + "tamoxifen", + "etagere", + "etamine", + "etamin", + "etanercept", + "Enbrel", + "etcetera", + "etching", + "etching", + "ethacrynic acid", + "Edecrin", + "ethchlorvynol", + "Placidyl", + "ether", + "ethoxyethane", + "divinyl ether", + "vinyl ether", + "diethyl ether", + "ethyl ether", + "ethernet", + "ethernet cable", + "ethosuximide", + "Emeside", + "Zarontin", + "ethyl chloride", + "etodolac", + "Lodine", + "Eton collar", + "Eton jacket", + "etui", + "eudiometer", + "euphonium", + "euphoriant", + "evaporative cooler", + "evening bag", + "Excalibur", + "excavation", + "exchange", + "exercise bike", + "exercycle", + "exercise device", + "exhaust", + "exhaust system", + "exhaust fan", + "exhaust manifold", + "exhaust pipe", + "exhaust valve", + "exhibition hall", + "exhibition area", + "exit", + "issue", + "outlet", + "way out", + "Exocet", + "expansion bit", + "expansive bit", + "expansion bolt", + "expectorant", + "expectorator", + "explosive", + "explosive compound", + "explosive detection system", + "EDS", + "explosive device", + "explosive mixture", + "explosive trace detection", + "ETD", + "export", + "exportation", + "express", + "limited", + "expressway", + "freeway", + "motorway", + "pike", + "state highway", + "superhighway", + "throughway", + "thruway", + "extension", + "telephone extension", + "extension phone", + "extension cord", + "extension ladder", + "exterior door", + "outside door", + "external-combustion engine", + "external drive", + "extra", + "duplicate", + "extractor", + "eye", + "eyebrow pencil", + "eyecup", + "eyebath", + "eye cup", + "eyelet", + "eyehole", + "eyeliner", + "eye-lotion", + "eyewash", + "collyrium", + "eyepatch", + "patch", + "eyepiece", + "ocular", + "eyeshadow", + "fabric", + "cloth", + "material", + "textile", + "facade", + "frontage", + "frontal", + "face", + "face", + "face", + "face card", + "picture card", + "court card", + "face guard", + "face mask", + "faceplate", + "face powder", + "face veil", + "facility", + "installation", + "facing", + "cladding", + "facing", + "facing", + "veneer", + "facsimile", + "facsimile machine", + "fax", + "facsimile", + "autotype", + "factory", + "mill", + "manufacturing plant", + "manufactory", + "factory ship", + "factory whistle", + "fag end", + "fagot", + "faggot", + "fagoting", + "faggoting", + "fagot stitch", + "faggot stitch", + "Fahrenheit thermometer", + "faience", + "faille", + "fail-safe", + "fairlead", + "fairy light", + "fake", + "sham", + "postiche", + "fake book", + "falchion", + "fallboard", + "fall-board", + "fallout shelter", + "false bottom", + "false face", + "false teeth", + "falsie", + "family room", + "famotidine", + "Pepcid", + "fan", + "fan belt", + "fan blade", + "fancy dress", + "masquerade", + "masquerade costume", + "fancy goods", + "fanion", + "fanlight", + "fanjet", + "fan-jet", + "fanjet engine", + "turbojet", + "turbojet engine", + "turbofan", + "turbofan engine", + "fanjet", + "fan-jet", + "turbofan", + "turbojet", + "fanny pack", + "butt pack", + "fantail", + "fan tracery", + "fan vaulting", + "farm", + "farm building", + "farmer's market", + "green market", + "greenmarket", + "farmhouse", + "farm machine", + "farmplace", + "farm-place", + "farmstead", + "farmyard", + "farthingale", + "fashion plate", + "fashion", + "fastener", + "fastening", + "holdfast", + "fixing", + "fast lane", + "fast reactor", + "fat farm", + "fatigues", + "faucet", + "spigot", + "fauld", + "fauteuil", + "feather bed", + "featherbed", + "feather boa", + "boa", + "featheredge", + "feature", + "fedora", + "felt hat", + "homburg", + "Stetson", + "trilby", + "feedback circuit", + "feedback loop", + "feeder line", + "feedlot", + "fell", + "felled seam", + "felloe", + "felly", + "felt", + "felt-tip pen", + "felt-tipped pen", + "felt tip", + "Magic Marker", + "felucca", + "fence", + "fencing", + "fencing mask", + "fencer's mask", + "fencing sword", + "fender", + "wing", + "fender", + "fender", + "buffer", + "cowcatcher", + "pilot", + "fenoprofen", + "fenoprofen calcium", + "Nalfon", + "Fentanyl", + "Sublimaze", + "Feosol", + "Fergon", + "Ferris wheel", + "ferrule", + "collet", + "ferry", + "ferryboat", + "fertility drug", + "ferule", + "fesse", + "fess", + "festoon", + "festoonery", + "festoon", + "festoon", + "fetoscope", + "foetoscope", + "fetter", + "hobble", + "fez", + "tarboosh", + "fiber", + "fibre", + "vulcanized fiber", + "fiberboard", + "fibreboard", + "particle board", + "fiber optic cable", + "fibre optic cable", + "fiber-optic transmission system", + "fibre-optic transmission system", + "FOTS", + "fiberscope", + "fichu", + "fiddlestick", + "violin bow", + "field artillery", + "field gun", + "field coil", + "field winding", + "field-effect transistor", + "FET", + "field-emission microscope", + "field glass", + "glass", + "spyglass", + "field hockey ball", + "field hospital", + "field house", + "field house", + "sports arena", + "field lens", + "field magnet", + "field-sequential color television", + "field-sequential color TV", + "field-sequential color television system", + "field-sequential color TV system", + "field tent", + "fieldwork", + "fife", + "fife rail", + "fifth wheel", + "fifth wheel", + "spare", + "fighter", + "fighter aircraft", + "attack aircraft", + "fighting chair", + "fig leaf", + "figure", + "figure eight", + "figure of eight", + "figurehead", + "figure loom", + "figured-fabric loom", + "figure skate", + "figurine", + "statuette", + "filament", + "filature", + "file", + "file", + "file cabinet", + "filing cabinet", + "file folder", + "file server", + "filet", + "filigree", + "filagree", + "fillagree", + "filler", + "fillet", + "stopping", + "filling", + "film", + "film", + "photographic film", + "film", + "plastic film", + "film advance", + "filter", + "filter", + "filter bed", + "filter tip", + "filter-tipped cigarette", + "fin", + "finder", + "viewfinder", + "view finder", + "finery", + "fine-tooth comb", + "fine-toothed comb", + "finger", + "fingerboard", + "finger bowl", + "finger hole", + "finger hole", + "finger paint", + "fingerpaint", + "finger-painting", + "finger plate", + "escutcheon", + "scutcheon", + "fingerstall", + "cot", + "finial", + "finish coat", + "finishing coat", + "finish coat", + "finishing coat", + "finisher", + "fin keel", + "fipple", + "fipple flute", + "fipple pipe", + "recorder", + "vertical flute", + "fire", + "fire alarm", + "smoke alarm", + "firearm", + "piece", + "small-arm", + "firebase", + "fire bell", + "fireboat", + "firebox", + "firebrick", + "fire control radar", + "fire control system", + "firecracker", + "cracker", + "banger", + "fire door", + "fire engine", + "fire truck", + "fire escape", + "emergency exit", + "fire extinguisher", + "extinguisher", + "asphyxiator", + "fire hose", + "fire iron", + "fireman's ax", + "fireman's axe", + "fireplace", + "hearth", + "open fireplace", + "fireplug", + "fire hydrant", + "plug", + "fire screen", + "fireguard", + "fire ship", + "fire station", + "firehouse", + "fire tongs", + "coal tongs", + "fire tower", + "firetrap", + "fire trench", + "firewall", + "firewall", + "firework", + "pyrotechnic", + "firing chamber", + "gun chamber", + "firing pin", + "firing range", + "target range", + "firkin", + "firmer chisel", + "first-aid kit", + "first-aid station", + "first base", + "first class", + "first gear", + "first", + "low gear", + "low", + "fishbowl", + "fish bowl", + "goldfish bowl", + "fisherman's bend", + "fisherman's knot", + "true lover's knot", + "truelove knot", + "fisherman's lure", + "fish lure", + "fishery", + "piscary", + "fish farm", + "fishhook", + "fishing boat", + "fishing smack", + "fishing vessel", + "fishing gear", + "tackle", + "fishing tackle", + "fishing rig", + "rig", + "fishing line", + "fishing rod", + "fishing pole", + "fish joint", + "fish knife", + "fish ladder", + "fishnet", + "fishing net", + "fishplate", + "fish slice", + "fishtail bit", + "blade bit", + "fitment", + "fitted sheet", + "contour sheet", + "fitting", + "five-spot", + "five", + "fixative", + "fixed-combination drug", + "fixer-upper", + "fixings", + "trimmings", + "fixture", + "fizgig", + "flag", + "flag", + "flagstone", + "flageolet", + "treble recorder", + "shepherd's pipe", + "flagging", + "flagon", + "flagpole", + "flagstaff", + "flagship", + "flagship", + "flail", + "flambeau", + "flamethrower", + "Flaminian Way", + "flange", + "rim", + "flannel", + "flannel", + "gabardine", + "tweed", + "white", + "flannelette", + "flap", + "flap", + "flaps", + "flare", + "flare path", + "flash", + "photoflash", + "flash lamp", + "flashgun", + "flashbulb", + "flash bulb", + "flash", + "flashboard", + "flashboarding", + "flash camera", + "flasher", + "flashing", + "flashlight", + "torch", + "flashlight battery", + "flash memory", + "flask", + "flat", + "flat", + "flat tire", + "flat", + "flat arch", + "straight arch", + "flatbed", + "flatbed press", + "cylinder press", + "flat bench", + "flatcar", + "flatbed", + "flat", + "flat coat", + "ground", + "primer", + "priming", + "primer coat", + "priming coat", + "undercoat", + "flat file", + "flatiron", + "flatlet", + "flat panel display", + "FPD", + "flats", + "flat tip screwdriver", + "flatware", + "silver", + "flatware", + "flatwork", + "flat wash", + "fleabag", + "fleapit", + "flecainide", + "Tambocor", + "fleece", + "fleet ballistic missile submarine", + "fleur-de-lis", + "fleur-de-lys", + "flight", + "flight of stairs", + "flight of steps", + "flight deck", + "landing deck", + "flight simulator", + "trainer", + "flintlock", + "flintlock", + "firelock", + "flip-flop", + "flip-flop", + "thong", + "flipper", + "fin", + "float", + "float", + "plasterer's float", + "float", + "floating dock", + "floating dry dock", + "floating mine", + "marine mine", + "floatplane", + "pontoon plane", + "flood", + "floodlight", + "flood lamp", + "photoflood", + "floor", + "flooring", + "floor", + "level", + "storey", + "story", + "floor", + "trading floor", + "floor", + "floorboard", + "floor board", + "floorboard", + "floor cover", + "floor covering", + "floor joist", + "floor lamp", + "floor plan", + "flophouse", + "dosshouse", + "florist", + "florist shop", + "flower store", + "floss", + "flotilla", + "flotilla", + "flotsam", + "jetsam", + "flour bin", + "flour mill", + "flower arrangement", + "floral arrangement", + "flowerbed", + "flower bed", + "bed of flowers", + "flower chain", + "flower garden", + "floxuridine", + "flue", + "flue pipe", + "flue", + "labial pipe", + "flue stop", + "flugelhorn", + "fluegelhorn", + "fluid drive", + "fluid flywheel", + "fluke", + "flue", + "fluke", + "flume", + "flunitrazepan", + "Rohypnol", + "fluorescent", + "fluorescent fixture", + "fluorescent lamp", + "fluoroscope", + "roentgenoscope", + "fluorouracil", + "fluoxetine", + "fluoxetine hydrocholoride", + "Prozac", + "Sarafem", + "fluphenazine", + "flurazepam", + "flurazepam hydrochloride", + "Dalmane", + "flurbiprofen", + "Ansaid", + "flushless toilet", + "flush toilet", + "lavatory", + "flute", + "transverse flute", + "flute", + "fluting", + "flute", + "flute glass", + "champagne flute", + "fluvastatin", + "Lescol", + "flux applicator", + "fluxmeter", + "fly", + "fly front", + "fly", + "fly gallery", + "fly floor", + "flying boat", + "flying bridge", + "flybridge", + "fly bridge", + "monkey bridge", + "flying buttress", + "arc-boutant", + "flying carpet", + "flying jib", + "fly rod", + "fly tent", + "flytrap", + "flywheel", + "fob", + "watch chain", + "watch guard", + "fob", + "fob", + "watch pocket", + "foghorn", + "foglamp", + "foible", + "foil", + "foil", + "foil", + "transparency", + "fold", + "sheepfold", + "sheep pen", + "sheepcote", + "folder", + "folderal", + "falderol", + "frill", + "gimcrackery", + "gimcrack", + "nonsense", + "trumpery", + "folding chair", + "folding door", + "accordion door", + "folding saw", + "foliation", + "foliage", + "folio", + "folk art", + "follow-up", + "followup", + "food additive", + "artificial additive", + "food court", + "food processor", + "food hamper", + "foot", + "footage", + "football", + "football field", + "gridiron", + "football helmet", + "football stadium", + "footbath", + "footboard", + "footboard", + "foot brake", + "footbridge", + "overcrossing", + "pedestrian bridge", + "foothold", + "footing", + "footlights", + "footlocker", + "locker", + "footplate", + "foot rule", + "footstool", + "footrest", + "ottoman", + "tuffet", + "footwear", + "footgear", + "footwear", + "forceps", + "force pump", + "fore-and-after", + "fore-and-aft rig", + "fore-and-aft sail", + "forecastle", + "fo'c'sle", + "forecourt", + "foredeck", + "fore edge", + "foredge", + "foreground", + "foremast", + "fore plane", + "foresail", + "forestay", + "foretop", + "fore-topmast", + "fore-topsail", + "forge", + "smithy", + "forge", + "fork", + "fork", + "forklift", + "form", + "formal garden", + "formalwear", + "eveningwear", + "evening dress", + "evening clothes", + "formation", + "Formica", + "forte", + "fortification", + "munition", + "fortress", + "fort", + "forty-five", + "forum", + "assembly", + "meeting place", + "Foucault pendulum", + "foulard", + "foul-weather gear", + "foundation", + "base", + "fundament", + "foot", + "groundwork", + "substructure", + "understructure", + "foundation garment", + "foundation", + "foundation stone", + "foundry", + "metalworks", + "fountain", + "fount", + "fountain", + "jet", + "fountain", + "fountain pen", + "four-in-hand", + "fourpenny nail", + "four-poster", + "four-pounder", + "four-spot", + "four", + "four-stroke engine", + "four-stroke internal-combustion engine", + "four-tailed bandage", + "four-wheel drive", + "4WD", + "four-wheel drive", + "4WD", + "four-wheeler", + "fowling piece", + "foxhole", + "fox hole", + "fraction", + "fragmentation bomb", + "antipersonnel bomb", + "anti-personnel bomb", + "daisy cutter", + "frail", + "fraise", + "fraise", + "frame", + "framing", + "frame", + "frame", + "frame buffer", + "framework", + "Francis turbine", + "franking machine", + "freeboard deck", + "free house", + "free-reed", + "free-reed instrument", + "free throw lane", + "freewheel", + "freight car", + "freight elevator", + "service elevator", + "freight liner", + "liner train", + "freight train", + "rattler", + "French door", + "French heel", + "French horn", + "horn", + "French knot", + "French polish", + "French polish shellac", + "French roof", + "French window", + "fresco", + "freshener", + "Fresnel lens", + "fret", + "fret", + "Greek fret", + "Greek key", + "key pattern", + "friary", + "friction clutch", + "friction tape", + "insulating tape", + "frieze", + "frieze", + "frigate", + "frigate", + "frill", + "flounce", + "ruffle", + "furbelow", + "fringe", + "Frisbee", + "frock", + "frock coat", + "frog", + "front", + "frontage road", + "service road", + "frontal", + "front bench", + "front door", + "front entrance", + "frontispiece", + "frontispiece", + "frontlet", + "frontal", + "front porch", + "front projector", + "front yard", + "fruit machine", + "frying pan", + "frypan", + "skillet", + "fuel-air explosive", + "FAE", + "fuel cell", + "fuel filter", + "fuel gauge", + "fuel indicator", + "fuel injection", + "fuel injection system", + "fuel line", + "gas line", + "petrol line", + "fuel system", + "fulcrum", + "full-dress uniform", + "full metal jacket", + "full skirt", + "full-wave rectifier", + "fumigator", + "funeral home", + "funeral parlor", + "funeral parlour", + "funeral chapel", + "funeral church", + "funeral-residence", + "fungible", + "funk hole", + "funnel", + "funnel", + "funnel web", + "funny wagon", + "fur", + "fur coat", + "fur hat", + "furnace", + "furnace lining", + "refractory", + "furnace room", + "furnishing", + "furnishing", + "trappings", + "furniture", + "piece of furniture", + "article of furniture", + "furosemide", + "Lasix", + "fur-piece", + "furring strip", + "furring", + "furrow", + "fuse", + "fuze", + "fusee", + "fuzee", + "primer", + "priming", + "fuse", + "electrical fuse", + "safety fuse", + "fusee", + "fuzee", + "fusee", + "fuzee", + "fusee drive", + "fusee", + "fuselage", + "fusil", + "fustian", + "futon", + "futtock shroud", + "future", + "futures exchange", + "futures market", + "forward market", + "gabapentin", + "Neurontin", + "gabardine", + "gable", + "gable end", + "gable wall", + "gable roof", + "saddle roof", + "saddleback", + "saddleback roof", + "gaddi", + "gadgetry", + "gaff", + "gaff", + "gaff", + "gaffsail", + "gaff-headed sail", + "gaff topsail", + "fore-and-aft topsail", + "gag", + "muzzle", + "gaiter", + "gaiter", + "Galilean telescope", + "galleon", + "gallery", + "gallery", + "gallery", + "gallery", + "art gallery", + "picture gallery", + "galley", + "ship's galley", + "caboose", + "cookhouse", + "galley", + "galley", + "galley", + "gallows", + "gallows tree", + "gallows-tree", + "gibbet", + "gallous", + "galvanometer", + "gambling house", + "gambling den", + "gambling hell", + "gaming house", + "gambrel", + "gambrel roof", + "game", + "gamebag", + "game equipment", + "gaming card", + "gaming table", + "gamma hydroxybutyrate", + "GHB", + "gamma-interferon", + "gamp", + "brolly", + "gang", + "gangplank", + "gangboard", + "gangway", + "gangsaw", + "gangway", + "gantlet", + "gantry", + "gauntry", + "gap", + "crack", + "garage", + "garage", + "service department", + "Garand rifle", + "Garand", + "M-1", + "M-1 rifle", + "garbage", + "garbage truck", + "dustcart", + "garboard", + "garboard plank", + "garboard strake", + "garden", + "garden", + "garden hose", + "garden rake", + "garden roller", + "garden spade", + "garden tool", + "lawn tool", + "garden trowel", + "gargoyle", + "gargoyle", + "garibaldi", + "garlic press", + "garment", + "garment bag", + "garnish", + "garrison", + "fort", + "garrison cap", + "overseas cap", + "garrote", + "garotte", + "garrotte", + "iron collar", + "garter", + "supporter", + "garter belt", + "suspender belt", + "garter stitch", + "gas guzzler", + "gas shell", + "gas bracket", + "gas burner", + "gas jet", + "gas chamber", + "death chamber", + "gas-cooled reactor", + "gas-discharge tube", + "gas engine", + "gas fitting", + "gas fixture", + "gas furnace", + "gas gun", + "gas heat", + "gas heater", + "gas holder", + "gasometer", + "gasket", + "gas lamp", + "gas line", + "gas main", + "gas maser", + "gasmask", + "respirator", + "gas helmet", + "gas meter", + "gasometer", + "gasoline engine", + "petrol engine", + "gasoline gauge", + "gasoline gage", + "gas gauge", + "gas gage", + "petrol gauge", + "petrol gage", + "gasoline station", + "gas station", + "filling station", + "petrol station", + "gas oven", + "gas oven", + "gas pump", + "gasoline pump", + "petrol pump", + "island dispenser", + "gas range", + "gas stove", + "gas cooker", + "gas ring", + "gas system", + "gas tank", + "gasoline tank", + "petrol tank", + "gas thermometer", + "air thermometer", + "gastroscope", + "gas turbine", + "gas-turbine ship", + "gas well", + "gasworks", + "gat", + "rod", + "gate", + "gate", + "logic gate", + "gate", + "gatehouse", + "gateleg table", + "gatepost", + "gateway", + "gateway drug", + "gather", + "gathering", + "gathered skirt", + "Gatling gun", + "gauge", + "gage", + "gauntlet", + "gantlet", + "gauntlet", + "gantlet", + "metal glove", + "gauze", + "netting", + "veiling", + "gauze", + "gauze bandage", + "gavel", + "gazebo", + "summerhouse", + "gear", + "gear wheel", + "geared wheel", + "cogwheel", + "gear", + "paraphernalia", + "appurtenance", + "gear", + "gear mechanism", + "gearbox", + "gear box", + "gear case", + "gearing", + "gear", + "geartrain", + "power train", + "train", + "gearset", + "gearshift", + "gearstick", + "shifter", + "gear lever", + "Geiger counter", + "Geiger-Muller counter", + "Geiger tube", + "Geiger-Muller tube", + "gelatin", + "gel", + "gelignite", + "gelly", + "gem", + "treasure", + "gemfibrozil", + "Lopid", + "gene chip", + "DNA chip", + "general anesthetic", + "general anaesthetic", + "general-purpose bomb", + "GP bomb", + "generator", + "generator", + "generator", + "generic", + "generic drug", + "Geneva gown", + "genre", + "genre painting", + "gentamicin", + "Garamycin", + "geodesic dome", + "georgette", + "George Washington Bridge", + "gharry", + "ghat", + "ghetto blaster", + "boom box", + "ghillie", + "gillie", + "gift shop", + "novelty shop", + "gift wrapping", + "gig", + "gig", + "gig", + "gig", + "gildhall", + "gill net", + "gilt", + "gilding", + "gimbal", + "gingham", + "girandole", + "girandola", + "girder", + "girdle", + "cincture", + "sash", + "waistband", + "waistcloth", + "glass", + "drinking glass", + "glass", + "glass cutter", + "glasses case", + "glass eye", + "glassware", + "glasswork", + "glassworks", + "glebe house", + "Glen Canyon Dam", + "Glengarry", + "glider", + "sailplane", + "glipizide", + "Glucotrol", + "Global Positioning System", + "GPS", + "globe", + "glockenspiel", + "orchestral bells", + "glory hole", + "lazaretto", + "glossy", + "glove", + "glove compartment", + "glow lamp", + "glow tube", + "glutethimide", + "Doriden", + "glyburide", + "DiaBeta", + "Micronase", + "glyph", + "glyptic art", + "glyptography", + "glyptics", + "lithoglyptics", + "gnomon", + "goal", + "goalmouth", + "goalpost", + "goblet", + "go board", + "godown", + "goffer", + "gauffer", + "goffer", + "gauffer", + "goffering iron", + "gauffering iron", + "goggles", + "go-kart", + "Golconda", + "goldbrick", + "golden calf", + "Golden Gate Bridge", + "gold foil", + "gold leaf", + "gold medal", + "goldmine", + "gold mine", + "goldmine", + "gold mine", + "gold plate", + "gold plate", + "golf bag", + "golf ball", + "golfcart", + "golf cart", + "golf club", + "golf-club", + "club", + "golf-club head", + "club head", + "club-head", + "clubhead", + "golf course", + "links course", + "golf equipment", + "golf glove", + "golf range", + "driving range", + "golliwog", + "golliwogg", + "gondola", + "gondola car", + "gondola", + "gong", + "tam-tam", + "goniometer", + "Gordian knot", + "gore", + "panel", + "gorgerin", + "necking", + "gorget", + "gossamer", + "Gota Canal", + "Gothic arch", + "gouache", + "gouache", + "gouge", + "gourd", + "calabash", + "government building", + "government office", + "governor", + "regulator", + "gown", + "gown", + "robe", + "gown", + "surgical gown", + "scrubs", + "grab", + "grab bag", + "grab bar", + "grace cup", + "grade separation", + "graduate", + "graduated cylinder", + "graffito", + "graffiti", + "grail", + "Holy Grail", + "Sangraal", + "gramicidin", + "gramophone", + "acoustic gramophone", + "granary", + "garner", + "grandfather clock", + "longcase clock", + "grand piano", + "grand", + "grandstand", + "covered stand", + "grange", + "graniteware", + "granny knot", + "granny", + "grape arbor", + "grape arbour", + "grapeshot", + "grape", + "graphic", + "computer graphic", + "graphic art", + "graphics", + "grapnel", + "grapnel anchor", + "grapnel", + "grapple", + "grappler", + "grappling hook", + "grappling iron", + "grass skirt", + "grate", + "grating", + "grate", + "grating", + "grater", + "grave", + "tomb", + "gravel pit", + "graver", + "graving tool", + "pointel", + "pointrel", + "gravestone", + "headstone", + "tombstone", + "gravimeter", + "gravity meter", + "gravure", + "photogravure", + "heliogravure", + "gravure", + "gravy boat", + "gravy holder", + "sauceboat", + "boat", + "grey", + "gray", + "grease-gun", + "gun", + "greasepaint", + "greasy spoon", + "greatcoat", + "overcoat", + "topcoat", + "Greater New Orleans Bridge", + "great hall", + "great seal", + "Great Seal of the United States", + "greave", + "jambeau", + "Greek cross", + "greengrocery", + "greengrocery", + "greenhouse", + "nursery", + "glasshouse", + "greenroom", + "grenade", + "grid", + "gridiron", + "grid", + "control grid", + "grid", + "storage-battery grid", + "reef", + "reference grid", + "griddle", + "grigri", + "gres-gris", + "greegree", + "grill", + "grille", + "grillwork", + "grille", + "radiator grille", + "grillroom", + "grill", + "grinder", + "grinding wheel", + "emery wheel", + "grindstone", + "gripsack", + "grisaille", + "griseofulvin", + "Fulvicin", + "gristmill", + "grizzle", + "grocery", + "foodstuff", + "grocery bag", + "grocery store", + "grocery", + "food market", + "market", + "grogram", + "groin", + "groined vault", + "groover", + "grosgrain", + "gros point", + "gros point", + "grotesque", + "ground", + "ground", + "earth", + "ground bait", + "ground cable", + "ground control", + "ground floor", + "first floor", + "ground level", + "ground plan", + "groundsheet", + "ground cloth", + "grove", + "woodlet", + "orchard", + "plantation", + "G-string", + "thong", + "guanabenz", + "Wytensin", + "guard", + "safety", + "safety device", + "guard boat", + "guardhouse", + "guardroom", + "guardroom", + "guard ship", + "guard's van", + "gueridon", + "Guarnerius", + "guesthouse", + "guestroom", + "guidance system", + "guidance device", + "guide", + "guided missile", + "guided missile cruiser", + "guided missile frigate", + "guide rope", + "guildhall", + "guilloche", + "guillotine", + "guimpe", + "guimpe", + "guitar", + "guitar pick", + "gulag", + "gun", + "gunboat", + "gun carriage", + "gun case", + "gun deck", + "gun emplacement", + "weapons emplacement", + "gun enclosure", + "gun turret", + "turret", + "gunflint", + "gunlock", + "firing mechanism", + "gun muzzle", + "muzzle", + "gunnery", + "gunnysack", + "gunny sack", + "burlap bag", + "gun pendulum", + "gun room", + "gunsight", + "gun-sight", + "gun trigger", + "trigger", + "gunwale", + "gunnel", + "gun rest", + "gurney", + "gusher", + "gusset", + "inset", + "gusset", + "gusset plate", + "gutter", + "trough", + "gutter", + "guy", + "guy cable", + "guy wire", + "guy rope", + "Guy", + "gymnasium", + "gym", + "gymnastic apparatus", + "exerciser", + "gym shoe", + "sneaker", + "tennis shoe", + "gym suit", + "gymslip", + "gypsy cab", + "gyrocompass", + "gyroscope", + "gyro", + "gyrostabilizer", + "gyrostabiliser", + "haberdashery", + "men's furnishings", + "habergeon", + "habit", + "habit", + "riding habit", + "hacienda", + "hack", + "hackney", + "hackney carriage", + "hackney coach", + "hacksaw", + "hack saw", + "metal saw", + "haft", + "helve", + "Hagia Sophia", + "Hagia Sofia", + "Santa Sophia", + "Santa Sofia", + "haik", + "haick", + "hairbrush", + "haircloth", + "hair", + "hairdressing", + "hair tonic", + "hair oil", + "hair grease", + "hairnet", + "hairpiece", + "false hair", + "postiche", + "hairpin", + "hairpin bend", + "hair shirt", + "hair slide", + "hair space", + "hair spray", + "hairspring", + "hair trigger", + "halberd", + "half binding", + "half cross stitch", + "half hatchet", + "half hitch", + "half-length", + "half sole", + "halftone", + "halftone engraving", + "photoengraving", + "halftone", + "half track", + "half track", + "hall", + "hall", + "hall", + "Hall of Fame", + "hall of residence", + "hallstand", + "hallucinogen", + "hallucinogenic drug", + "psychedelic drug", + "psychodelic drug", + "hallway", + "hall", + "haloperidol", + "Haldol", + "halothane", + "halter", + "halter", + "hackamore", + "halyard", + "halliard", + "hame", + "hammer", + "hammer", + "power hammer", + "hammer", + "hammer", + "cock", + "hammer", + "hammerhead", + "hammock", + "sack", + "hamper", + "hand", + "hand ax", + "hand axe", + "handball", + "handball court", + "handbarrow", + "handbell", + "hand blower", + "blow dryer", + "blow drier", + "hair dryer", + "hair drier", + "handbow", + "hand brake", + "emergency", + "emergency brake", + "parking brake", + "hand calculator", + "pocket calculator", + "handcar", + "handcart", + "pushcart", + "cart", + "go-cart", + "hand cream", + "handcuff", + "cuff", + "handlock", + "manacle", + "hand drill", + "handheld drill", + "hand glass", + "simple microscope", + "magnifying glass", + "hand glass", + "hand mirror", + "hand grenade", + "hand-held computer", + "hand-held microcomputer", + "handhold", + "handicraft", + "handcraft", + "handiwork", + "handwork", + "handkerchief", + "hankie", + "hanky", + "hankey", + "handle", + "grip", + "handgrip", + "hold", + "handlebar", + "handline", + "hand line", + "handloom", + "hand lotion", + "hand luggage", + "hand-me-down", + "hand mower", + "hand pump", + "hand puppet", + "glove puppet", + "glove doll", + "handrest", + "handsaw", + "hand saw", + "carpenter's saw", + "handset", + "French telephone", + "hand shovel", + "handspike", + "handstamp", + "rubber stamp", + "hand throttle", + "hand tool", + "hand towel", + "face towel", + "hand truck", + "truck", + "handwear", + "hand wear", + "handwheel", + "handwheel", + "hangar queen", + "hanger", + "hang glider", + "hanging", + "wall hanging", + "Hanging Gardens of Babylon", + "hangman's rope", + "hangman's halter", + "halter", + "hemp", + "hempen necktie", + "hank", + "hansom", + "hansom cab", + "harbor", + "harbour", + "hardback", + "hardcover", + "hard disc", + "hard disk", + "fixed disk", + "hard drug", + "hard hat", + "tin hat", + "safety hat", + "hard shoulder", + "hardtop", + "hardware", + "computer hardware", + "hardware", + "hardware", + "ironware", + "hardware store", + "ironmonger", + "ironmonger's shop", + "harem", + "hareem", + "seraglio", + "serail", + "harmonica", + "mouth organ", + "harp", + "mouth harp", + "harmonium", + "organ", + "reed organ", + "harness", + "harness", + "harp", + "harp", + "harpoon", + "harpoon gun", + "harpoon line", + "harpoon log", + "harpsichord", + "cembalo", + "Harris Tweed", + "harrow", + "Harvard University", + "Harvard", + "harvester", + "reaper", + "hash house", + "hashish", + "hasheesh", + "haschisch", + "hash", + "hasp", + "hassock", + "hat", + "chapeau", + "lid", + "hatband", + "hatbox", + "hatch", + "hatchback", + "hatchback door", + "hatchback", + "hatchel", + "heckle", + "hatchet", + "hatchway", + "opening", + "scuttle", + "hatpin", + "hauberk", + "byrnie", + "havelock", + "haven", + "oasis", + "Hawaiian guitar", + "steel guitar", + "hawse", + "hawsehole", + "hawsepipe", + "hawser", + "hawser bend", + "hay bale", + "hayfork", + "hayloft", + "haymow", + "mow", + "haymaker", + "hay conditioner", + "hayrack", + "hayrig", + "hayrack", + "haywire", + "hazard", + "head", + "head", + "head", + "head", + "headband", + "headboard", + "head covering", + "veil", + "headdress", + "headgear", + "header", + "header", + "header", + "coping", + "cope", + "header", + "lintel", + "headfast", + "head gasket", + "head gate", + "headgear", + "headgear", + "headlight", + "headlamp", + "headpiece", + "headpin", + "kingpin", + "headquarters", + "HQ", + "military headquarters", + "headquarters", + "central office", + "main office", + "home office", + "home base", + "headrace", + "headrest", + "headrest", + "head restraint", + "headsail", + "headscarf", + "headset", + "head shop", + "headshot", + "headstall", + "headpiece", + "headstock", + "health spa", + "spa", + "health club", + "hearing aid", + "ear trumpet", + "hearing aid", + "deaf-aid", + "hearse", + "heart", + "hearth", + "fireside", + "hearthrug", + "hearthstone", + "heart-lung machine", + "heart valve", + "heat engine", + "heater", + "warmer", + "heat exchanger", + "heating element", + "heating pad", + "hot pad", + "heating system", + "heating plant", + "heating", + "heat", + "heat lamp", + "infrared lamp", + "heat pump", + "heat-seeking missile", + "heat shield", + "heat sink", + "heaume", + "heaver", + "heavier-than-air craft", + "heckelphone", + "basset oboe", + "hectograph", + "heliotype", + "hedge", + "hedgerow", + "hedge trimmer", + "heel", + "heel", + "heel", + "helicon", + "bombardon", + "helicopter", + "chopper", + "whirlybird", + "eggbeater", + "heliograph", + "heliometer", + "heliport", + "helm", + "helmet", + "helmet", + "hem", + "hematinic", + "haematinic", + "hematocrit", + "haematocrit", + "hemming-stitch", + "hemostat", + "haemostat", + "hemstitch", + "hemstitch", + "hemstitching", + "henroost", + "heparin", + "Lipo-Hepin", + "Liquaemin", + "heraldry", + "herbal medicine", + "herb garden", + "herm", + "hermitage", + "heroin", + "diacetylmorphine", + "herringbone", + "herringbone", + "herringbone pattern", + "Herschelian telescope", + "off-axis reflector", + "Hessian boot", + "hessian", + "jackboot", + "Wellington", + "Wellington boot", + "heterodyne receiver", + "superheterodyne receiver", + "superhet", + "hexachlorophene", + "hex nut", + "hibachi", + "hideaway", + "retreat", + "hi-fi", + "high fidelity sound system", + "high altar", + "high-angle gun", + "highball glass", + "highboard", + "highboy", + "tallboy", + "highchair", + "feeding chair", + "high gear", + "high", + "high-hat cymbal", + "high hat", + "highlighter", + "highlighter", + "high-pass filter", + "high-rise", + "tower block", + "highroad", + "trunk road", + "high table", + "high-warp loom", + "highway", + "main road", + "highway system", + "high wire", + "hijab", + "hilt", + "hindrance", + "hinderance", + "hitch", + "preventive", + "preventative", + "encumbrance", + "incumbrance", + "interference", + "hinge", + "flexible joint", + "hinging post", + "swinging post", + "hip boot", + "thigh boot", + "hipflask", + "pocket flask", + "hip pad", + "hip pocket", + "hippodrome", + "hip roof", + "hipped roof", + "histamine blocker", + "hit", + "hitch", + "hitch", + "hitching post", + "hitchrack", + "hitching bar", + "hob", + "hob", + "hobble skirt", + "hobby", + "hobbyhorse", + "rocking horse", + "hobnail", + "hockey skate", + "hockey stick", + "hod", + "hodoscope", + "hoe", + "hoe handle", + "hogan", + "hogshead", + "hoist", + "hold", + "keep", + "hold", + "holder", + "holding cell", + "holding device", + "holding pen", + "holding paddock", + "holding yard", + "hole", + "hole", + "golf hole", + "hole card", + "hollowware", + "holloware", + "hologram", + "holograph", + "holster", + "holster", + "holy of holies", + "sanctum sanctorum", + "Holy Sepulcher", + "Holy Sepulchre", + "home", + "nursing home", + "rest home", + "home appliance", + "household appliance", + "home computer", + "home court", + "home-farm", + "home plate", + "home base", + "home", + "plate", + "home room", + "homeroom", + "homespun", + "homestead", + "homestretch", + "home theater", + "home theatre", + "homing device", + "homing torpedo", + "homolosine projection", + "hone", + "honeycomb", + "honkytonk", + "dive", + "hood", + "bonnet", + "cowl", + "cowling", + "hood", + "hood", + "hood", + "exhaust hood", + "hood", + "hood", + "lens hood", + "hood latch", + "hoodoo", + "hood ornament", + "hook", + "hook", + "claw", + "hook", + "hookah", + "narghile", + "nargileh", + "sheesha", + "shisha", + "chicha", + "calean", + "kalian", + "water pipe", + "hubble-bubble", + "hubbly-bubbly", + "hook and eye", + "hookup", + "assemblage", + "hookup", + "hook wrench", + "hook spanner", + "hoop", + "ring", + "hoop", + "hoopskirt", + "crinoline", + "hoosegow", + "hoosgow", + "Hoover", + "Hoover Dam", + "hope chest", + "wedding chest", + "hop garden", + "hop field", + "hopper", + "hop-picker", + "hopper", + "hop pole", + "hopsacking", + "hopsack", + "horizontal bar", + "high bar", + "horizontal section", + "horizontal stabilizer", + "horizontal stabiliser", + "tailplane", + "horizontal surface", + "level", + "horizontal tail", + "horn", + "horn", + "saddle horn", + "horn", + "horn", + "horn button", + "hornpipe", + "pibgorn", + "stockhorn", + "horoscope", + "horror", + "horse", + "gymnastic horse", + "horsebox", + "horsecar", + "horse cart", + "horse-cart", + "horsecloth", + "horse-drawn vehicle", + "horsehair", + "horsehair wig", + "horseless carriage", + "horse pistol", + "horse-pistol", + "horseshoe", + "shoe", + "horseshoe", + "horse-trail", + "horsewhip", + "hose", + "hosepipe", + "hose", + "hosiery", + "hose", + "hospice", + "hospital", + "infirmary", + "hospital bed", + "hospital room", + "hospital ship", + "hospital train", + "hostel", + "youth hostel", + "student lodging", + "hostel", + "hostelry", + "inn", + "lodge", + "auberge", + "hot-air balloon", + "hotbed", + "hotbox", + "hotel", + "hotel-casino", + "casino-hotel", + "hotel-casino", + "casino-hotel", + "hotel room", + "hot line", + "hot pants", + "hot plate", + "hotplate", + "hot rod", + "hot-rod", + "hot spot", + "hotspot", + "hot tub", + "hot-water bottle", + "hot-water bag", + "houndstooth check", + "hound's-tooth check", + "dogstooth check", + "dogs-tooth check", + "dog's-tooth check", + "hourglass", + "hour hand", + "little hand", + "house", + "house", + "houseboat", + "houselights", + "house of cards", + "cardhouse", + "card-house", + "cardcastle", + "house of correction", + "house paint", + "housepaint", + "housetop", + "housing", + "lodging", + "living accommodations", + "housing", + "hovel", + "hut", + "hutch", + "shack", + "shanty", + "hovercraft", + "ground-effect machine", + "howdah", + "houdah", + "huarache", + "huaraches", + "hub", + "hub-and-spoke", + "hub-and-spoke system", + "hubcap", + "huck", + "huckaback", + "hug-me-tight", + "hula-hoop", + "hulk", + "hull", + "Humber Bridge", + "humeral veil", + "veil", + "humming top", + "Humvee", + "Hum-Vee", + "hunter", + "hunting watch", + "hunting knife", + "hurdle", + "hurricane deck", + "hurricane roof", + "promenade deck", + "awning deck", + "hurricane lamp", + "hurricane lantern", + "tornado lantern", + "storm lantern", + "storm lamp", + "hut", + "army hut", + "field hut", + "hutch", + "hutment", + "hydantoin", + "hydralazine", + "Apresoline", + "hydrant", + "hydraulic brake", + "hydraulic brakes", + "hydraulic press", + "hydraulic pump", + "hydraulic ram", + "hydraulic system", + "hydraulic transmission", + "hydraulic transmission system", + "hydrochlorothiazide", + "Microzide", + "Esidrix", + "HydroDIURIL", + "hydroelectric turbine", + "hydroflumethiazide", + "hydrofoil", + "hydroplane", + "hydrofoil", + "foil", + "hydrogen bomb", + "H-bomb", + "fusion bomb", + "thermonuclear bomb", + "hydrometer", + "gravimeter", + "hydromorphone hydrochloride", + "hydromorphone", + "Dilaudid", + "hydroxychloroquine", + "Plaquenil", + "hydroxyzine hydrochloride", + "hydroxyzine", + "Atarax", + "Vistaril", + "hygrodeik", + "hygrometer", + "hygroscope", + "hyoscyamine", + "hyperbaric chamber", + "hypercoaster", + "hypermarket", + "hypodermic needle", + "hypodermic syringe", + "hypodermic", + "hypo", + "hypsometer", + "hysterosalpingogram", + "I-beam", + "ibuprofen", + "isobutylphenyl propionic acid", + "Advil", + "Motrin", + "Nuprin", + "ice ax", + "ice axe", + "piolet", + "iceboat", + "ice yacht", + "scooter", + "icebreaker", + "iceboat", + "ice cube", + "iced-tea spoon", + "ice hockey rink", + "ice-hockey rink", + "icehouse", + "ice machine", + "ice maker", + "ice pack", + "ice bag", + "icepick", + "ice pick", + "ice rink", + "ice-skating rink", + "ice", + "ice skate", + "ice tongs", + "icetray", + "ice wagon", + "ice-wagon", + "icon", + "ikon", + "iconography", + "iconoscope", + "Identikit", + "Identikit picture", + "Iditarod Trail", + "idle pulley", + "idler pulley", + "idle wheel", + "idol", + "graven image", + "god", + "igloo", + "iglu", + "ignition", + "ignition system", + "ignition coil", + "ignition key", + "ignition switch", + "illustration", + "imaret", + "imbrication", + "overlapping", + "lapping", + "imipramine", + "impramine hydrochloride", + "Imavate", + "Tofranil", + "imitation", + "counterfeit", + "forgery", + "immersion heater", + "immovable bandage", + "immunogen", + "immunizing agent", + "immunosuppressant", + "immunosuppressor", + "immunosuppressive drug", + "immunosuppressive", + "immune suppressant drug", + "impact printer", + "impedimenta", + "impeller", + "imperial", + "implant", + "implement", + "import", + "importation", + "impression", + "Impressionism", + "imprint", + "improvisation", + "improvised explosive device", + "I.E.D.", + "IED", + "impulse turbine", + "in-basket", + "in-tray", + "incendiary bomb", + "incendiary", + "firebomb", + "incinerator", + "inclined plane", + "inclinometer", + "dip circle", + "inclinometer", + "incrustation", + "encrustation", + "incubator", + "brooder", + "indapamide", + "Lozal", + "Independence Hall", + "index register", + "Indiaman", + "Indian club", + "Indian trail", + "indicator", + "indinavir", + "Crixivan", + "indirect lighting", + "indomethacin", + "Indocin", + "induction coil", + "inductor", + "inductance", + "industrial watercourse", + "inertial guidance system", + "inertial navigation system", + "inflater", + "inflator", + "infliximab", + "Remicade", + "infrastructure", + "base", + "infrastructure", + "substructure", + "ingot", + "metal bar", + "block of metal", + "ingredient", + "inhalation anesthetic", + "inhalation anaesthetic", + "inhalation general anesthetic", + "inhalation general anaesthetic", + "inhalant", + "inhalation", + "inhaler", + "inhalator", + "injector", + "ink bottle", + "inkpot", + "ink cartridge", + "ink eraser", + "ink-jet printer", + "inkle", + "inkstand", + "inkwell", + "inkstand", + "inlay", + "inlay", + "inlet manifold", + "inner tube", + "input", + "insert", + "inset", + "inset", + "inside caliper", + "inside clinch", + "insole", + "innersole", + "inspiration", + "brainchild", + "instep", + "instillator", + "institution", + "instrument", + "instrumentality", + "instrumentation", + "instrument of execution", + "instrument of punishment", + "instrument of torture", + "intaglio", + "diaglyph", + "intake", + "inlet", + "intake manifold", + "intake valve", + "integrated circuit", + "microcircuit", + "integrator", + "planimeter", + "Intelnet", + "interceptor", + "interchange", + "intercommunication system", + "intercom", + "intercontinental ballistic missile", + "ICBM", + "interface", + "interface", + "port", + "interferometer", + "interferon", + "interior decoration", + "decor", + "interior door", + "interlayer", + "interlock", + "ignition interlock", + "internal-combustion engine", + "ICE", + "internal drive", + "internet", + "net", + "cyberspace", + "interphone", + "interrupter", + "intersection", + "crossroad", + "crossway", + "crossing", + "carrefour", + "interstate", + "interstate highway", + "interstice", + "intoxicant", + "intranet", + "intraocular lens", + "intrauterine device", + "IUD", + "intravenous anesthetic", + "intravenous pyelogram", + "IVP", + "invention", + "innovation", + "inverted pleat", + "inverter", + "iodochlorhydroxyquin", + "Clioquinol", + "iodoform", + "triiodomethane", + "ion engine", + "ionization chamber", + "ionization tube", + "ion pump", + "ipecac", + "ipratropium bromide", + "Atrovent", + "iPod", + "video iPod", + "iproclozide", + "iris", + "iris diaphragm", + "iron", + "smoothing iron", + "iron", + "iron", + "branding iron", + "irons", + "chains", + "ironclad", + "iron foundry", + "iron horse", + "ironing", + "ironing board", + "iron lung", + "iron maiden", + "ironmongery", + "ironwork", + "ironworks", + "irregular", + "second", + "irrigation ditch", + "island", + "isocarboxazid", + "Marplan", + "isoflurane", + "isoniazid", + "INH", + "Nydrazid", + "isoproterenol", + "Isuprel", + "isosorbide", + "Isordil", + "izar", + "item", + "itraconazole", + "Sporanox", + "jabot", + "jack", + "jack", + "knave", + "jack", + "jack", + "jackstones", + "jack", + "jack", + "jacket", + "jacket", + "jacket", + "jack-in-the-box", + "jacklight", + "jack-o'-lantern", + "jack plane", + "jackscrew", + "screw jack", + "Jacob's ladder", + "jack ladder", + "pilot ladder", + "jaconet", + "jackstraw", + "spillikin", + "Jacquard loom", + "Jacquard", + "jacquard", + "jag", + "dag", + "jag", + "jail", + "jailhouse", + "gaol", + "clink", + "slammer", + "poky", + "pokey", + "jalousie", + "jamb", + "jammer", + "jampan", + "jampot", + "jamjar", + "japan", + "japan", + "jar", + "Jarvik heart", + "Jarvik artificial heart", + "jaunting car", + "jaunty car", + "javelin", + "jaw", + "Jaws of Life", + "jean", + "blue jean", + "denim", + "jeep", + "landrover", + "jellaba", + "je ne sais quoi", + "jerkin", + "jeroboam", + "double-magnum", + "jersey", + "jersey", + "T-shirt", + "tee shirt", + "Jerusalem cross", + "jet", + "jet plane", + "jet-propelled plane", + "jet bridge", + "jet engine", + "jetliner", + "jetsam", + "jewel", + "gem", + "precious stone", + "jeweler's glass", + "jewelled headdress", + "jeweled headdress", + "jewelry", + "jewellery", + "jew's harp", + "jews' harp", + "mouth bow", + "jib", + "jibboom", + "jig", + "jig", + "jiggermast", + "jigger", + "jigsaw", + "scroll saw", + "fretsaw", + "jigsaw puzzle", + "jim crow", + "jimdandy", + "jimhickey", + "crackerjack", + "jimmy", + "jemmy", + "jinrikisha", + "ricksha", + "rickshaw", + "job", + "job", + "jobcentre", + "job-oriented terminal", + "jodhpurs", + "jodhpur breeches", + "riding breeches", + "jodhpur", + "jodhpur boot", + "jodhpur shoe", + "Johns Hopkins", + "joinery", + "joint", + "marijuana cigarette", + "reefer", + "stick", + "spliff", + "joint", + "joint", + "Joint Direct Attack Munition", + "JDAM", + "jointer", + "jointer plane", + "jointing plane", + "long plane", + "joist", + "joker", + "jolly boat", + "jolly", + "jorum", + "joss", + "joss house", + "journal", + "journal", + "journal bearing", + "journal box", + "joystick", + "judas", + "juke", + "jook", + "juke joint", + "jook joint", + "juke house", + "jook house", + "jungle gym", + "junk", + "jug", + "Juggernaut", + "juju", + "voodoo", + "hoodoo", + "fetish", + "fetich", + "jukebox", + "nickelodeon", + "jumbojet", + "jumbo jet", + "jumper", + "pinafore", + "pinny", + "jumper", + "jumper", + "jumper", + "jumper cable", + "jumper lead", + "lead", + "booster cable", + "jumping jack", + "jump rope", + "skip rope", + "skipping rope", + "jump seat", + "jump suit", + "jump suit", + "jumpsuit", + "junction", + "junction", + "conjunction", + "junction barrier", + "barrier strip", + "junk shop", + "jury box", + "jury mast", + "K", + "jet", + "super acid", + "special K", + "honey oil", + "green", + "cat valium", + "super C", + "Kaaba", + "Caaba", + "kachina", + "kaffiyeh", + "Kakemono", + "kalansuwa", + "Kalashnikov", + "kaleidoscope", + "kameez", + "kamikaze", + "Kammon Strait Bridge", + "kanamycin", + "Kantrex", + "kanzu", + "Kaopectate", + "kat", + "khat", + "qat", + "quat", + "cat", + "Arabian tea", + "African tea", + "katharometer", + "kayak", + "kazoo", + "keel", + "keelboat", + "keelson", + "keep", + "donjon", + "dungeon", + "keepsake", + "souvenir", + "token", + "relic", + "keg", + "kennel", + "doghouse", + "dog house", + "kepi", + "peaked cap", + "service cap", + "yachting cap", + "keratoscope", + "kerchief", + "kern", + "Kerr cell", + "ketamine", + "ketamine hydrochloride", + "Ketalar", + "ketch", + "ketoprofen", + "Orudis", + "Orudis KT", + "Oruvail", + "ketorolac", + "Torodal", + "ketorolac tromethamine", + "Acular", + "Toradol", + "kettle", + "boiler", + "kettle", + "kettledrum", + "tympanum", + "tympani", + "timpani", + "key", + "key", + "keyboard", + "keyboard", + "keyboard buffer", + "keyboard instrument", + "keyhole", + "keyhole saw", + "key ring", + "keystone", + "key", + "headstone", + "khadi", + "khaddar", + "khaki", + "khakis", + "khimar", + "khukuri", + "kibble", + "kick pleat", + "kicksorter", + "pulse height analyzer", + "kickstand", + "kick starter", + "kick start", + "kid glove", + "suede glove", + "kiln", + "kilt", + "kimono", + "kinescope", + "picture tube", + "television tube", + "Kinetoscope", + "king", + "king", + "king", + "kingbolt", + "kingpin", + "swivel pin", + "king post", + "Kipp's apparatus", + "kirk", + "kirpan", + "kirtle", + "kirtle", + "kit", + "outfit", + "kit", + "kitbag", + "kit bag", + "kitchen", + "kitchen appliance", + "kitchenette", + "kitchen garden", + "vegetable garden", + "vegetable patch", + "kitchen island", + "kitchen match", + "kitchen sink", + "kitchen table", + "kitchen utensil", + "kitchenware", + "kite", + "kite balloon", + "kite tail", + "kitsch", + "klaxon", + "claxon", + "Klein bottle", + "klieg light", + "klystron", + "knee", + "knee brace", + "knee-high", + "knee-hi", + "kneeler", + "knee pad", + "knee piece", + "knickknack", + "novelty", + "knife", + "knife", + "knife blade", + "knife edge", + "cutting edge", + "knife pleat", + "knight", + "horse", + "knit", + "knitting", + "knitwork", + "knit", + "knit stitch", + "plain", + "plain stitch", + "knit", + "knitting machine", + "knitting needle", + "knitting stitch", + "knitwear", + "knob", + "knob", + "boss", + "knob", + "pommel", + "knobble", + "knobkerrie", + "knobkerry", + "knockabout", + "knocker", + "doorknocker", + "rapper", + "knockoff", + "clone", + "knockout drops", + "knot", + "knout", + "knuckle joint", + "hinge joint", + "kohl", + "koto", + "kraal", + "kremlin", + "Kremlin", + "kris", + "creese", + "crease", + "krummhorn", + "crumhorn", + "cromorne", + "Kundt's tube", + "Kurdistan", + "kurta", + "kylie", + "kiley", + "kylix", + "cylix", + "kymograph", + "cymograph", + "laager", + "lager", + "lab", + "laboratory", + "research lab", + "research laboratory", + "science lab", + "science laboratory", + "lab bench", + "laboratory bench", + "lab coat", + "laboratory coat", + "labetalol", + "labetalol hydrochloride", + "Trandate", + "Normodyne", + "labor camp", + "labour camp", + "Labyrinth of Minos", + "lace", + "lace", + "lacing", + "lacework", + "lacquer", + "lacquerware", + "lacrosse ball", + "lacuna", + "blank", + "ladder", + "ladder-back", + "ladder-back", + "ladder-back chair", + "ladder truck", + "aerial ladder truck", + "ladies' room", + "powder room", + "ladle", + "lady chapel", + "lagan", + "lagend", + "ligan", + "lagerphone", + "lag screw", + "lag bolt", + "lake dwelling", + "pile dwelling", + "Lake Mead", + "Lake Powell", + "Lake Volta", + "lally", + "lally column", + "lamasery", + "lambrequin", + "lambrequin", + "lame", + "lamella", + "laminar flow clean room", + "laminate", + "lamination", + "lamivudine", + "3TC", + "lamp", + "lamp", + "lamp chimney", + "chimney", + "lamp house", + "lamphouse", + "lamp housing", + "lamppost", + "lampshade", + "lamp shade", + "lanai", + "lancet", + "lance", + "lancet arch", + "lancet", + "lancet window", + "landau", + "lander", + "landing", + "landing place", + "landing", + "landing craft", + "landing flap", + "landing gear", + "landing net", + "landing skid", + "landing stage", + "land line", + "landline", + "land mine", + "ground-emplaced mine", + "booby trap", + "land office", + "landscape", + "landscape painting", + "landscape", + "landscaping", + "landside", + "lane", + "lane", + "lanolin", + "lantern", + "lantern pinion", + "lantern wheel", + "lanyard", + "laniard", + "lanyard", + "laniard", + "lanyard", + "laniard", + "lap", + "overlap", + "lap", + "lap covering", + "laparoscope", + "lapboard", + "lapel", + "lap joint", + "splice", + "lappet", + "laptop", + "laptop computer", + "larboard", + "port", + "laryngoscope", + "laser", + "optical maser", + "laser-guided bomb", + "LGB", + "laser printer", + "lash", + "thong", + "lashing", + "lash-up", + "contrivance", + "lasso", + "lariat", + "riata", + "reata", + "last", + "shoemaker's last", + "cobbler's last", + "Lastex", + "latch", + "latch", + "door latch", + "latchet", + "latchkey", + "latchstring", + "lateen", + "lateen sail", + "lateen-rig", + "Lateran Palace", + "latex paint", + "latex", + "rubber-base paint", + "lath", + "lathe", + "lathi", + "lathee", + "Latin cross", + "latrine", + "lattice", + "latticework", + "fretwork", + "laudanum", + "tincture of opium", + "laugh track", + "launch", + "launcher", + "rocket launcher", + "launching pad", + "launchpad", + "launch pad", + "launch area", + "pad", + "launderette", + "Laundromat", + "laundry", + "laundry", + "wash", + "washing", + "washables", + "laundry cart", + "laundry detergent", + "laundry truck", + "laurel", + "laurel wreath", + "bay wreath", + "lavalava", + "lavaliere", + "lavalier", + "lavalliere", + "laver", + "court", + "lawcourt", + "court of law", + "court of justice", + "lawn chair", + "garden chair", + "lawn furniture", + "lawn mower", + "mower", + "laxative", + "layer", + "bed", + "layette", + "lay figure", + "lazaretto", + "lazaret", + "lazarette", + "lazar house", + "pesthouse", + "lazy daisy stitch", + "lead", + "pencil lead", + "lead", + "leading", + "lead-acid battery", + "lead-acid accumulator", + "lead-in", + "leading edge", + "leading rein", + "lead line", + "sounding line", + "lead pencil", + "leaf", + "leaf spring", + "Leaning Tower", + "Leaning Tower of Pisa", + "lean-to", + "lean-to tent", + "leash", + "tether", + "lead", + "leatherette", + "imitation leather", + "leather strip", + "leatherwork", + "Leclanche cell", + "lectern", + "reading desk", + "lecture room", + "lederhosen", + "ledger board", + "leflunomide", + "Arava", + "left field", + "leftfield", + "left", + "leg", + "leg", + "legging", + "leging", + "leg covering", + "Lego", + "Lego set", + "Leiden jar", + "Leyden jar", + "leister", + "leisure wear", + "lemon", + "stinker", + "lemon grove", + "lending library", + "circulating library", + "length", + "lenitive", + "lens", + "lense", + "lens system", + "lens", + "electron lens", + "lens cap", + "lens cover", + "lens implant", + "interocular lens implant", + "IOL", + "leotard", + "unitard", + "body suit", + "cat suit", + "lethal dose", + "letter bomb", + "parcel bomb", + "package bomb", + "letter case", + "letter opener", + "paper knife", + "paperknife", + "levallorphan", + "Lorfan", + "levee", + "levee", + "level", + "spirit level", + "level crossing", + "grade crossing", + "lever", + "lever", + "lever tumbler", + "lever", + "lever lock", + "Levi's", + "levis", + "Liberty Bell", + "liberty cap", + "Liberty ship", + "library", + "depository library", + "library", + "library", + "license plate", + "numberplate", + "lid", + "lidar", + "lido", + "Lidocaine", + "Xylocaine", + "lido deck", + "Liebig condenser", + "lie detector", + "lifeboat", + "life buoy", + "lifesaver", + "life belt", + "life ring", + "life jacket", + "life vest", + "cork jacket", + "lifeline", + "lifeline", + "life mask", + "life office", + "life preserver", + "preserver", + "flotation device", + "life raft", + "Carling float", + "life-support system", + "life support", + "life-support system", + "life support", + "lift", + "lift", + "lifting device", + "lift pump", + "ligament", + "ligature", + "ligature", + "light", + "light source", + "light arm", + "light bulb", + "lightbulb", + "bulb", + "incandescent lamp", + "electric light", + "electric-light bulb", + "light circuit", + "lighting circuit", + "light-emitting diode", + "LED", + "lighter", + "light", + "igniter", + "ignitor", + "lighter-than-air craft", + "light filter", + "diffusing screen", + "lighting", + "lighting fixture", + "light machine gun", + "light meter", + "exposure meter", + "photometer", + "light microscope", + "lightning rod", + "lightning conductor", + "light pen", + "electronic stylus", + "lightship", + "likeness", + "semblance", + "Lilo", + "limb", + "limb", + "limber", + "limbers", + "limekiln", + "limelight", + "calcium light", + "limiter", + "clipper", + "limousine", + "limo", + "linchpin", + "lynchpin", + "Lincoln Memorial", + "lincomycin", + "Lincocin", + "line", + "line", + "railway line", + "rail line", + "line", + "line", + "product line", + "line of products", + "line of merchandise", + "business line", + "line of business", + "linear accelerator", + "linac", + "linecut", + "line block", + "line engraving", + "linecut", + "line engraving", + "linen", + "linen", + "line of defense", + "line of defence", + "line printer", + "line-at-a-time printer", + "liner", + "ocean liner", + "liner", + "lining", + "lingerie", + "intimate apparel", + "liniment", + "embrocation", + "lining", + "liner", + "link", + "linkup", + "tie", + "tie-in", + "link", + "data link", + "linkage", + "links", + "golf links", + "Link trainer", + "linocut", + "linocut", + "linoleum knife", + "linoleum cutter", + "Linotype", + "Linotype machine", + "linsey-woolsey", + "linstock", + "lint", + "lion-jaw forceps", + "lip balm", + "lip-gloss", + "lipid-lowering medicine", + "lipid-lowering medication", + "statin drug", + "statin", + "lipstick", + "lip rouge", + "liqueur glass", + "liquid crystal display", + "LCD", + "liquid detergent", + "liquid metal reactor", + "liquid soap", + "lisinopril", + "Prinival", + "Zestril", + "lisle", + "lisle thread", + "lisle", + "lister", + "lister plow", + "lister plough", + "middlebreaker", + "middle buster", + "lithograph", + "lithograph machine", + "lithograph", + "litter", + "litterbin", + "litter basket", + "litter-basket", + "little theater", + "little theatre", + "live axle", + "driving axle", + "live load", + "superload", + "livery", + "livery stable", + "living quarters", + "quarters", + "living room", + "living-room", + "sitting room", + "front room", + "parlor", + "parlour", + "load", + "loading", + "burden", + "load", + "Loafer", + "loaner", + "loan office", + "lobe", + "lobster pot", + "local", + "local anesthetic", + "local anaesthetic", + "local", + "topical anesthetic", + "topical anaesthetic", + "local area network", + "LAN", + "local oscillator", + "heterodyne oscillator", + "local road", + "local street", + "location", + "Lochaber ax", + "lock", + "lock", + "ignition lock", + "lock", + "lock chamber", + "lock", + "lockage", + "locker", + "locker room", + "locket", + "lock-gate", + "locking pliers", + "locknut", + "safety nut", + "lockring", + "lock ring", + "lock washer", + "lockstitch", + "lockup", + "locomotive", + "engine", + "locomotive engine", + "railway locomotive", + "lodge", + "indian lodge", + "lodge", + "hunting lodge", + "lodge", + "lodging house", + "rooming house", + "Loestrin", + "loft", + "attic", + "garret", + "loft", + "pigeon loft", + "loft", + "log", + "log cabin", + "loge", + "loggia", + "logic element", + "log line", + "Lomotil", + "lomustine", + "longboat", + "longbow", + "long iron", + "long johns", + "longshot", + "long sleeve", + "long tom", + "long trousers", + "long pants", + "long underwear", + "union suit", + "looking glass", + "glass", + "lookout", + "observation tower", + "lookout station", + "observatory", + "loom", + "loop", + "loophole", + "loop knot", + "loop-line", + "Lo/Ovral", + "lorazepam", + "Ativan", + "lorgnette", + "Lorraine cross", + "cross of Lorraine", + "lorry", + "camion", + "lorry", + "lost-and-found", + "lota", + "lotion", + "lotion", + "application", + "loudspeaker", + "speaker", + "speaker unit", + "loudspeaker system", + "speaker system", + "lounge", + "waiting room", + "waiting area", + "lounger", + "lounging jacket", + "smoking jacket", + "lounging pajama", + "lounging pyjama", + "loungewear", + "loupe", + "jeweler's loupe", + "louver", + "louvre", + "fin", + "louvered window", + "jalousie", + "Louvre", + "Louvre Museum", + "lovastatin", + "Mevacor", + "love knot", + "lovers' knot", + "lover's knot", + "true lovers' knot", + "true lover's knot", + "love seat", + "loveseat", + "tete-a-tete", + "vis-a-vis", + "love-token", + "loving cup", + "lowboy", + "lower berth", + "lower", + "lower deck", + "third deck", + "low-pass filter", + "low-warp-loom", + "loxapine", + "Loxitane", + "LP", + "L-P", + "L-plate", + "lubber's hole", + "lubricating system", + "force-feed lubricating system", + "force feed", + "pressure-feed lubricating system", + "pressure feed", + "luff", + "lug", + "luge", + "Luger", + "luggage carrier", + "luggage compartment", + "automobile trunk", + "trunk", + "luggage rack", + "roof rack", + "lugger", + "lugsail", + "lug", + "lug wrench", + "lumberjack", + "lumber jacket", + "lumbermill", + "sawmill", + "lumber room", + "lumberyard", + "lunar excursion module", + "lunar module", + "LEM", + "lunchroom", + "lunette", + "fenestella", + "lunette", + "lungi", + "lungyi", + "longyi", + "lunula", + "lusterware", + "lute", + "luxury liner", + "express luxury liner", + "lyceum", + "lychgate", + "lichgate", + "lymphangiogram", + "lypressin", + "lyre", + "lysergic acid diethylamide", + "LSD", + "machete", + "matchet", + "panga", + "machicolation", + "machine", + "machine", + "simple machine", + "machine bolt", + "machine gun", + "machinery", + "machine screw", + "machine shop", + "machine stitch", + "sewing-machine stitch", + "machine tool", + "machinist's vise", + "metalworking vise", + "machmeter", + "macintosh", + "mackintosh", + "mac", + "mack", + "Mackinac Bridge", + "mackinaw", + "mackinaw", + "Mackinaw boat", + "mackinaw", + "Mackinaw blanket", + "mackinaw", + "Mackinaw coat", + "mackintosh", + "macintosh", + "macrame", + "madras", + "Mae West", + "air jacket", + "magazine", + "powder store", + "powder magazine", + "magazine", + "magazine", + "cartridge", + "magazine rack", + "magic bullet", + "magic lantern", + "magic realism", + "Maginot Line", + "magnet", + "magnetic bottle", + "magnetic bubble memory", + "magnetic compass", + "magnetic core memory", + "core memory", + "magnetic disk", + "magnetic disc", + "disk", + "disc", + "magnetic head", + "magnetic mine", + "magnetic needle", + "magnetic recorder", + "magnetic stripe", + "magnetic tape", + "mag tape", + "tape", + "magneto", + "magnetoelectric machine", + "magnetograph", + "magnetometer", + "gaussmeter", + "magnetron", + "magnifier", + "magnum", + "magnum opus", + "magnus hitch", + "mail", + "mailbag", + "postbag", + "mailbag", + "mail pouch", + "mailboat", + "mail boat", + "packet", + "packet boat", + "mailbox", + "letter box", + "mail car", + "maildrop", + "mailer", + "maillot", + "maillot", + "tank suit", + "mail slot", + "mailsorter", + "mail train", + "main", + "main course", + "main deck", + "second deck", + "main drag", + "mainframe", + "mainframe computer", + "main line", + "mainmast", + "main rotor", + "mainsail", + "mainspring", + "mainstay", + "main street", + "high street", + "main-topmast", + "main-topsail", + "main yard", + "maisonette", + "maisonnette", + "maisonette", + "maisonnette", + "majolica", + "maiolica", + "major suit", + "major tranquilizer", + "major tranquillizer", + "major tranquilliser", + "antipsychotic drug", + "antipsychotic agent", + "antipsychotic", + "neuroleptic drug", + "neuroleptic agent", + "neuroleptic", + "makeup", + "make-up", + "war paint", + "makeweight", + "makeweight", + "filler", + "making", + "Maksutov telescope", + "malacca", + "malacca cane", + "mallet", + "beetle", + "mallet", + "hammer", + "mallet", + "Maltese cross", + "mammogram", + "man", + "piece", + "mandala", + "mandola", + "mandolin", + "manger", + "trough", + "mangle", + "manhole", + "manhole cover", + "manifold", + "mannequin", + "manikin", + "mannikin", + "manakin", + "form", + "mannitol", + "Osmitrol", + "man-of-war", + "ship of the line", + "manometer", + "manor", + "manor house", + "manor hall", + "hall", + "MANPAD", + "mansard", + "mansard roof", + "manse", + "mansion", + "mansion house", + "manse", + "hall", + "residence", + "manta", + "mantel", + "mantelpiece", + "mantle", + "mantlepiece", + "chimneypiece", + "mantelet", + "mantilla", + "mantelet", + "mantlet", + "mantilla", + "mantrap", + "mantua", + "Mao jacket", + "map", + "map projection", + "maquiladora", + "maraca", + "marble", + "marble", + "marching order", + "marimba", + "xylophone", + "marina", + "Marineland", + "marker", + "marker", + "market garden", + "marketplace", + "market place", + "mart", + "market", + "marline", + "marlinespike", + "marlinspike", + "marlingspike", + "marmite", + "marocain", + "crepe marocain", + "maroon", + "marquee", + "marquise", + "marquetry", + "marqueterie", + "marriage bed", + "marseille", + "marshalling yard", + "martello tower", + "martingale", + "mascara", + "maser", + "masher", + "mashie", + "five iron", + "mashie niblick", + "seven iron", + "masjid", + "musjid", + "mask", + "mask", + "masking piece", + "masking", + "masking tape", + "masking paper", + "Masonite", + "Mason jar", + "masonry", + "mason's level", + "Massachusetts Institute of Technology", + "MIT", + "massage parlor", + "massage parlor", + "mass spectrograph", + "mass spectrometer", + "spectrometer", + "mast", + "mast", + "mastaba", + "mastabah", + "master", + "master copy", + "original", + "master bedroom", + "masterpiece", + "chef-d'oeuvre", + "masthead", + "mat", + "mat", + "gym mat", + "mat", + "mat", + "matting", + "match", + "lucifer", + "friction match", + "match", + "mate", + "match", + "matchboard", + "matchbook", + "matchbox", + "matchlock", + "match plane", + "tonguing and grooving plane", + "matchstick", + "material", + "materiel", + "equipage", + "maternity hospital", + "maternity ward", + "matrix", + "Matthew Walker", + "Matthew Walker knot", + "matting", + "mattock", + "mattress", + "mattress cover", + "mattress pad", + "maul", + "sledge", + "sledgehammer", + "maulstick", + "mahlstick", + "Mauser", + "mausoleum", + "Mausoleum at Halicarnasus", + "maxi", + "Maxim gun", + "maximum and minimum thermometer", + "Maxzide", + "Mayflower", + "maypole", + "maze", + "labyrinth", + "mazer", + "means", + "measure", + "measuring cup", + "measuring instrument", + "measuring system", + "measuring device", + "measuring stick", + "measure", + "measuring rod", + "meat counter", + "meat grinder", + "meat hook", + "meat house", + "meat safe", + "meat thermometer", + "mebendazole", + "Meccano", + "Meccano set", + "mechanical device", + "mechanical drawing", + "mechanical piano", + "Pianola", + "player piano", + "mechanical system", + "mechanism", + "meclizine", + "meclizine hydrochloride", + "Antivert", + "meclofenamate", + "meclofenamate sodium", + "Meclomen", + "medical building", + "health facility", + "healthcare facility", + "medical instrument", + "medicine", + "medication", + "medicament", + "medicinal drug", + "medicine ball", + "medicine chest", + "medicine cabinet", + "MEDLINE", + "meerschaum", + "mefenamic acid", + "Ponstel", + "mefloquine", + "mefloquine hydrochloride", + "Larium", + "Mephaquine", + "megalith", + "megalithic structure", + "megaphone", + "megaton bomb", + "melphalan", + "Alkeran", + "membrane", + "memorial", + "monument", + "memory", + "computer memory", + "storage", + "computer storage", + "store", + "memory board", + "memory chip", + "memory device", + "storage device", + "menagerie", + "zoo", + "zoological garden", + "mend", + "patch", + "darn", + "mending", + "menhir", + "standing stone", + "meniscus", + "meniscus", + "menorah", + "Menorah", + "man's clothing", + "men's room", + "men's", + "mental hospital", + "psychiatric hospital", + "mental institution", + "institution", + "mental home", + "insane asylum", + "asylum", + "menthol", + "mentholated salve", + "meperidine", + "meperidine hydrochloride", + "Demerol", + "mephenytoin", + "Mesantoin", + "mephobarbital", + "Mebaral", + "meprobamate", + "Miltown", + "Equanil", + "Meprin", + "merbromine", + "Mercurochrome", + "mercantile establishment", + "retail store", + "sales outlet", + "outlet", + "mercaptopurine", + "Purinethol", + "Mercator projection", + "Mercator's projection", + "merchandise", + "ware", + "product", + "mercurial ointment", + "mercury barometer", + "mercury cell", + "mercury thermometer", + "mercury-in-glass thermometer", + "mercury-vapor lamp", + "mercy seat", + "mercy seat", + "merlon", + "Merrimac", + "mescaline", + "peyote", + "mess", + "mess hall", + "mess jacket", + "monkey jacket", + "shell jacket", + "mess kit", + "messuage", + "metal detector", + "metallic", + "metallic", + "metal screw", + "metalware", + "metal wood", + "metalwork", + "metaproterenol", + "Alupent", + "meteorological balloon", + "meter", + "meterstick", + "metrestick", + "metformin", + "Glucophage", + "methacholine", + "Mecholyl", + "methadone", + "methadone hydrochloride", + "methadon", + "dolophine hydrochloride", + "fixer", + "synthetic heroin", + "methamphetamine", + "methamphetamine hydrochloride", + "Methedrine", + "meth", + "deoxyephedrine", + "chalk", + "chicken feed", + "crank", + "glass", + "ice", + "shabu", + "trash", + "methapyrilene", + "methaqualone", + "Quaalude", + "metharbital", + "Gemonil", + "methenamine", + "Mandelamine", + "Urex", + "methicillin", + "methocarbamol", + "Robaxin", + "methotrexate", + "methotrexate sodium", + "amethopterin", + "methyldopa", + "alpha methyl dopa", + "Aldomet", + "methylenedioxymethamphetamine", + "MDMA", + "methylphenidate", + "Ritalin", + "metoprolol", + "Lopressor", + "metro", + "tube", + "underground", + "subway system", + "subway", + "metronidazole", + "Flagyl", + "metronome", + "mews", + "mexiletine", + "Mexitil", + "mezzanine", + "mezzanine floor", + "entresol", + "mezzanine", + "first balcony", + "mezzo-relievo", + "mezzo-rilievo", + "half-relief", + "mezzotint", + "Mickey Finn", + "miconazole", + "Monistat", + "microbalance", + "microbrewery", + "microdot", + "microfiche", + "microfilm", + "micrometer", + "micrometer gauge", + "micrometer caliper", + "Micronor", + "microphone", + "mike", + "microphotometer", + "microprocessor", + "microscope", + "microtome", + "microwave", + "microwave oven", + "microwave bomb", + "E-bomb", + "microwave diathermy machine", + "microwave linear accelerator", + "midazolam", + "Versed", + "middling", + "middy", + "middy blouse", + "midiron", + "two iron", + "mihrab", + "mihrab", + "mild silver protein", + "Argyrol", + "military hospital", + "military installation", + "military post", + "post", + "military quarters", + "military uniform", + "military vehicle", + "milk bar", + "milk can", + "milk float", + "milking machine", + "milking stool", + "milk of magnesia", + "milk wagon", + "milkwagon", + "mill", + "grinder", + "milling machinery", + "milldam", + "miller", + "milling machine", + "milliammeter", + "millinery", + "woman's hat", + "millinery", + "hat shop", + "milling", + "millivoltmeter", + "millrace", + "millrun", + "millstone", + "millstone", + "millwheel", + "mill wheel", + "millwork", + "mimeograph", + "mimeo", + "mimeograph machine", + "Roneo", + "Roneograph", + "minaret", + "Minato Ohashi Bridge", + "mincer", + "mincing machine", + "mine", + "mine", + "mine detector", + "minelayer", + "mineshaft", + "minesweeper", + "miniature", + "toy", + "miniature", + "illumination", + "minibar", + "cellaret", + "minibike", + "motorbike", + "minibus", + "minicab", + "minicar", + "minicomputer", + "ministry", + "miniskirt", + "mini", + "minisub", + "minisubmarine", + "minivan", + "miniver", + "mink", + "mink coat", + "minocycline", + "Minocin", + "minor suit", + "minor tranquilizer", + "minor tranquillizer", + "minor tranquilliser", + "antianxiety drug", + "anxiolytic", + "anxiolytic drug", + "minoxidil", + "Loniten", + "Rogaine", + "minster", + "mint", + "minute gun", + "minute hand", + "big hand", + "Minuteman", + "miotic drug", + "myotic drug", + "miotic", + "myotic", + "mirror", + "mise en scene", + "stage setting", + "setting", + "missile", + "missile defense system", + "missile defence system", + "miter", + "mitre", + "miter", + "mitre", + "miter box", + "mitre box", + "miter joint", + "mitre joint", + "miter", + "mitre", + "mithramycin", + "Mithracin", + "mitomycin", + "Mutamycin", + "mitten", + "mixer", + "mixer", + "mixing bowl", + "mixing faucet", + "mizzen", + "mizen", + "mizzenmast", + "mizenmast", + "mizzen", + "mizen", + "moat", + "fosse", + "mobcap", + "mobile", + "mobile home", + "manufactured home", + "Mobius strip", + "moccasin", + "mocassin", + "mock-up", + "mod con", + "model", + "simulation", + "Model T", + "modem", + "modernism", + "Modicon", + "modification", + "modillion", + "module", + "module", + "module", + "mohair", + "moire", + "watered-silk", + "mold", + "mould", + "cast", + "mold", + "mould", + "molding", + "moulding", + "modeling", + "clay sculpture", + "moldboard", + "mouldboard", + "moldboard plow", + "mouldboard plough", + "molding", + "moulding", + "border", + "molding", + "moulding", + "moleskin", + "molindone", + "Moban", + "Molotov cocktail", + "petrol bomb", + "gasoline bomb", + "monastery", + "monastic habit", + "moneybag", + "money belt", + "monitor", + "monitor", + "monitor", + "monitoring device", + "Monitor", + "monkey bridge", + "monkey ladder", + "monkey-wrench", + "monkey wrench", + "monk's cloth", + "monoamine oxidase inhibitor", + "MAOI", + "monochrome", + "monocle", + "eyeglass", + "monofocal lens implant", + "monofocal IOL", + "monolith", + "monoplane", + "monopoly board", + "monorail", + "monotype", + "monstrance", + "ostensorium", + "mooring", + "mooring line", + "mooring anchor", + "mooring tower", + "mooring mast", + "Moorish arch", + "horseshoe arch", + "moped", + "mop handle", + "moquette", + "moreen", + "morgue", + "mortuary", + "dead room", + "morion", + "cabasset", + "morning-after pill", + "morning dress", + "morning dress", + "morning room", + "morphine", + "morphia", + "Morris chair", + "mortar", + "howitzer", + "trench mortar", + "mortar", + "mortarboard", + "mortarboard", + "hawk", + "mortise", + "mortice", + "mortise joint", + "mortise-and-tenon joint", + "mosaic", + "mosaic", + "arial mosaic", + "photomosaic", + "mosaic", + "mosque", + "mosquito net", + "motel", + "motel room", + "mothball", + "camphor ball", + "Mother Hubbard", + "muumuu", + "motif", + "motive", + "motion-picture camera", + "movie camera", + "cine-camera", + "motion-picture film", + "movie film", + "cine-film", + "motley", + "motley", + "motor", + "motorboat", + "powerboat", + "motorcycle", + "bike", + "motor hotel", + "motor inn", + "motor lodge", + "tourist court", + "court", + "motorized wheelchair", + "motor scooter", + "scooter", + "motor vehicle", + "automotive vehicle", + "mound", + "hill", + "mound", + "hill", + "pitcher's mound", + "mount", + "setting", + "mountain bike", + "all-terrain bike", + "off-roader", + "mountain tent", + "mountain trail", + "mounting", + "mourning ring", + "mouse", + "computer mouse", + "mouse button", + "mouse-tooth forceps", + "mousetrap", + "mousse", + "hair mousse", + "hair gel", + "mousseline de sole", + "mouth", + "mouth hole", + "mousepad", + "mouse mat", + "mouthpiece", + "embouchure", + "mouthpiece", + "mouthpiece", + "mouthpiece", + "gumshield", + "mouthpiece", + "movable barrier", + "movement", + "movie projector", + "cine projector", + "film projector", + "moving-coil galvanometer", + "moving van", + "mud brick", + "mudguard", + "splash guard", + "splash-guard", + "mudhif", + "muff", + "muffle", + "muffler", + "mufti", + "mug", + "mug shot", + "mugshot", + "mukataa", + "mulch", + "mule", + "scuff", + "muller", + "mullion", + "multichannel recorder", + "multiengine airplane", + "multiengine plane", + "multifocal lens implant", + "multifocal IOL", + "multiplex", + "multiplexer", + "multiprocessor", + "multistage rocket", + "step rocket", + "munition", + "ordnance", + "ordnance store", + "mural", + "wall painting", + "Murphy bed", + "muscle relaxant", + "musette", + "shepherd's pipe", + "musette pipe", + "museum", + "mushroom anchor", + "musical instrument", + "instrument", + "music box", + "musical box", + "music hall", + "vaudeville theater", + "vaudeville theatre", + "music school", + "music stand", + "music rack", + "music stool", + "piano stool", + "musket", + "musket ball", + "ball", + "muslin", + "musnud", + "mustache cup", + "moustache cup", + "mustard plaster", + "sinapism", + "mute", + "muzzle loader", + "muzzle", + "mycomycin", + "mydriatic", + "mydriatic drug", + "myelogram", + "mystification", + "nabumetone", + "Relafen", + "nacelle", + "nadolol", + "Corgard", + "nafcillin", + "Nafcil", + "nail", + "nailbrush", + "nailfile", + "nailhead", + "nailhead", + "nail hole", + "nail polish", + "nail enamel", + "nail varnish", + "nainsook", + "nalidixic acid", + "NegGram", + "nalorphine", + "Nalline", + "naloxone", + "Narcan", + "naltrexone", + "nameplate", + "NAND circuit", + "NAND gate", + "nankeen", + "naphazoline", + "Privine", + "Sudafed", + "Napier's bones", + "Napier's rods", + "napkin", + "table napkin", + "serviette", + "napkin ring", + "naproxen", + "Naprosyn", + "naproxen sodium", + "Aleve", + "Anaprox", + "Aflaxen", + "narcoleptic", + "narcotic", + "narcotic antagonist", + "nard", + "spikenard", + "narrowbody aircraft", + "narrow-body aircraft", + "narrow-body", + "narrow gauge", + "narrow wale", + "narthex", + "narthex", + "nasal decongestant", + "National Association of Securities Dealers Automated Quotations", + "NASDAQ", + "nasotracheal tube", + "National Baseball Hall of Fame", + "National Library of Medicine", + "United States National Library of Medicine", + "U.S. National Library of Medicine", + "national monument", + "naumachy", + "naumachia", + "nautilus", + "nuclear submarine", + "nuclear-powered submarine", + "navigational system", + "naval chart", + "navigational chart", + "pilot chart", + "naval equipment", + "naval gun", + "naval installation", + "shore station", + "naval missile", + "naval radar", + "Naval Research Laboratory", + "NRL", + "naval tactical data system", + "naval weaponry", + "nave", + "navigational instrument", + "navigation light", + "navy base", + "navy yard", + "naval shipyard", + "nearside", + "nebuchadnezzar", + "neck", + "neck opening", + "neck", + "neckband", + "neck brace", + "neckcloth", + "stock", + "neckerchief", + "necklace", + "necklet", + "neckline", + "neckpiece", + "necktie", + "tie", + "neckwear", + "needle", + "needle", + "needlenose pliers", + "needlepoint", + "needlepoint embroidery", + "needlework", + "needlecraft", + "nefazodone", + "Serzone", + "negative", + "negative magnetic pole", + "negative pole", + "south-seeking pole", + "negative pole", + "negligee", + "neglige", + "peignoir", + "wrapper", + "housecoat", + "nelfinavir", + "Viracept", + "neolith", + "neomycin", + "fradicin", + "Neobiotic", + "neon lamp", + "neon induction lamp", + "neon tube", + "Neosporin", + "neostigmine", + "Prostigmin", + "nephoscope", + "nest", + "nest", + "nest egg", + "net", + "network", + "mesh", + "meshing", + "meshwork", + "net", + "net", + "net", + "network", + "network", + "electronic network", + "network", + "neutron bomb", + "nevirapine", + "Viramune", + "newel", + "newel post", + "newel", + "Newgate", + "newmarket", + "New River Gorge Bridge", + "newspaper", + "paper", + "newsroom", + "newsroom", + "newsstand", + "Newtonian telescope", + "Newtonian reflector", + "New York Stock Exchange", + "N. Y. Stock Exchange", + "NYSE", + "big board", + "nib", + "pen nib", + "niblick", + "nine iron", + "nicad", + "nickel-cadmium accumulator", + "nick", + "nickel-iron battery", + "nickel-iron accumulator", + "Nicol prism", + "nifedipine", + "Procardia", + "night bell", + "nightcap", + "nightgown", + "gown", + "nightie", + "night-robe", + "nightdress", + "night latch", + "night-light", + "night-line", + "nightshirt", + "nightwear", + "sleepwear", + "nightclothes", + "ninepin", + "skittle", + "skittle pin", + "ninepin ball", + "skittle ball", + "nine-spot", + "nine", + "ninon", + "nipple", + "nipple shield", + "niqab", + "Nissen hut", + "Quonset hut", + "nitrazepam", + "nitrofurantoin", + "Macrodantin", + "Nitrospan", + "Nitrostat", + "nitrous oxide", + "laughing gas", + "node", + "client", + "guest", + "nog", + "nogging", + "noisemaker", + "nomogram", + "nomograph", + "non-dedicated file server", + "nonsmoker", + "nonsmoking car", + "non-nucleoside reverse transcriptase inhibitor", + "NNRTI", + "nonsteroidal anti-inflammatory", + "nonsteroidal anti-inflammatory drug", + "NSAID", + "nontricyclic", + "nontricyclic drug", + "nontricyclic antidepressant", + "nontricyclic antidepressant drug", + "non-volatile storage", + "nonvolatile storage", + "noose", + "running noose", + "slip noose", + "Norfolk jacket", + "noria", + "Norinyl", + "Norlestrin", + "Nor-Q-D", + "nortriptyline", + "Pamelor", + "nose", + "nose", + "nosebag", + "feedbag", + "noseband", + "nosepiece", + "nose cone", + "ogive", + "nose flute", + "nosepiece", + "nose ring", + "nosewheel", + "nostrum", + "notch", + "notebook", + "notebook computer", + "notion", + "notions counter", + "novel", + "novillada", + "novobiocin", + "nozzle", + "nose", + "n-type semiconductor", + "nuclear-powered ship", + "nuclear reactor", + "reactor", + "nuclear rocket", + "nuclear weapon", + "atomic weapon", + "nucleoside reverse transcriptase inhibitor", + "NRTI", + "nude", + "nude painting", + "nude", + "nude sculpture", + "nude statue", + "number", + "number cruncher", + "numdah", + "numdah rug", + "nammad", + "nunnery", + "nun's habit", + "nursery", + "baby's room", + "nut", + "nut and bolt", + "nutcracker", + "nux vomica", + "nylon", + "nylons", + "nylon stocking", + "rayons", + "rayon stocking", + "silk stocking", + "nystatin", + "Mycostatin", + "Nystan", + "oar", + "oast", + "oast house", + "obelisk", + "object ball", + "objectification", + "objective", + "objective lens", + "object lens", + "object glass", + "objet d'art", + "art object", + "piece", + "oblique bandage", + "oboe", + "hautboy", + "hautbois", + "oboe da caccia", + "oboe d'amore", + "observation dome", + "observation station", + "observatory", + "obstacle", + "obstruction", + "obstructor", + "obstructer", + "impediment", + "impedimenta", + "obturator", + "obverse", + "ocarina", + "sweet potato", + "octant", + "odd-leg caliper", + "odometer", + "hodometer", + "mileometer", + "milometer", + "oeil de boeuf", + "oeuvre", + "work", + "body of work", + "office", + "business office", + "office building", + "office block", + "office furniture", + "officer's mess", + "off-line equipment", + "auxiliary equipment", + "ogee", + "cyma reversa", + "ogee arch", + "keel arch", + "Ohio State University", + "ohmmeter", + "oil", + "oil color", + "oil colour", + "oil burner", + "oil furnace", + "oilcan", + "oilcloth", + "oil filter", + "oil future", + "petroleum future", + "oil heater", + "oilstove", + "kerosene heater", + "kerosine heater", + "oil lamp", + "kerosene lamp", + "kerosine lamp", + "oil paint", + "oil painting", + "oil pipeline", + "oil pump", + "oil refinery", + "petroleum refinery", + "oilskin", + "slicker", + "oil slick", + "oilstone", + "oil tanker", + "oiler", + "tanker", + "tank ship", + "oil well", + "oiler", + "ointment", + "unction", + "unguent", + "balm", + "salve", + "old school tie", + "olive drab", + "olive drab", + "olive-drab uniform", + "Olympian Zeus", + "omelet pan", + "omelette pan", + "omnidirectional antenna", + "nondirectional antenna", + "omnirange", + "omnidirectional range", + "omnidirectional radio range", + "one-spot", + "one-way street", + "onion dome", + "op art", + "open-air market", + "open-air marketplace", + "market square", + "open circuit", + "open-end wrench", + "tappet wrench", + "opener", + "open-hearth furnace", + "opening", + "openside plane", + "rabbet plane", + "open sight", + "open weave", + "openwork", + "opera", + "opera house", + "opera cloak", + "opera hood", + "operating microscope", + "operating room", + "OR", + "operating theater", + "operating theatre", + "surgery", + "operating table", + "ophthalmoscope", + "opiate", + "opium", + "opium den", + "optical bench", + "optical device", + "optical disk", + "optical disc", + "optical fiber", + "glass fiber", + "optical fibre", + "glass fibre", + "optical instrument", + "optical pyrometer", + "pyroscope", + "optical telescope", + "oracle", + "orange grove", + "orb web", + "orchestra", + "orchestra pit", + "pit", + "OR circuit", + "OR gate", + "order book", + "ordinary", + "ordinary", + "ordinary bicycle", + "organ", + "pipe organ", + "organdy", + "organdie", + "organic light-emitting diode", + "OLED", + "organ loft", + "organ pipe", + "pipe", + "pipework", + "organ stop", + "organza", + "oriel", + "oriel window", + "oriflamme", + "O ring", + "Orlon", + "orlop deck", + "orlop", + "fourth deck", + "orphanage", + "orphans' asylum", + "orphenadrine", + "Norflex", + "orphrey", + "orrery", + "orthicon", + "image orthicon", + "orthochromatic film", + "orthopter", + "ornithopter", + "orthoscope", + "oscillator", + "oscillogram", + "oscillograph", + "oscilloscope", + "scope", + "cathode-ray oscilloscope", + "CRO", + "ossuary", + "otoscope", + "auriscope", + "auroscope", + "ottoman", + "pouf", + "pouffe", + "puff", + "hassock", + "oubliette", + "Ouija", + "Ouija board", + "out-basket", + "out-tray", + "outboard motor", + "outboard", + "outboard motorboat", + "outboard", + "outbuilding", + "outerwear", + "overclothes", + "outfall", + "outfield", + "outfit", + "getup", + "rig", + "turnout", + "outfitter", + "outhouse", + "privy", + "earth-closet", + "jakes", + "outlet box", + "outpost", + "output", + "outturn", + "turnout", + "output device", + "outrigger", + "outrigger canoe", + "outside caliper", + "outside clinch", + "outside mirror", + "outsider art", + "self-taught art", + "vernacular art", + "naive art", + "primitive art", + "outsole", + "outwork", + "Oval Office", + "oven", + "oven thermometer", + "ovenware", + "overall", + "overall", + "boilersuit", + "boilers suit", + "overcast", + "overcasting", + "overcoat", + "overcoating", + "overdrive", + "overgarment", + "outer garment", + "overhand knot", + "overhand stitch", + "overhang", + "overhead", + "overhead projector", + "overlay", + "overload", + "overburden", + "overload", + "overmantel", + "overnighter", + "overnight bag", + "overnight case", + "overpass", + "flyover", + "overprint", + "surprint", + "override", + "overshoe", + "overskirt", + "over-the-counter drug", + "over-the-counter medicine", + "over-the-counter market", + "OTC market", + "Ovocon", + "ovolo", + "thumb", + "quarter round", + "Ovral", + "Ovrette", + "Ovulen", + "oxacillin", + "oxaprozin", + "Daypro", + "oxazepam", + "Serax", + "oxbow", + "Oxbridge", + "oxcart", + "oxeye", + "oxford", + "Oxford University", + "Oxford", + "oximeter", + "oxyacetylene torch", + "oxygen mask", + "oxyphenbutazone", + "Tandearil", + "oxyphencyclimine", + "Daricon", + "oxytetracycline", + "hydroxytetracycline", + "oxytetracycline hydrochloride", + "Terramycin", + "oxytocic", + "oxytocic drug", + "oyster bar", + "oyster bed", + "oyster bank", + "oyster park", + "pace car", + "pacemaker", + "artificial pacemaker", + "pacifier", + "pack", + "pack", + "pack", + "pack", + "face pack", + "package", + "parcel", + "packaged goods", + "package store", + "liquor store", + "off-licence", + "packaging", + "packet", + "packing box", + "packing case", + "packinghouse", + "packing plant", + "packinghouse", + "packing needle", + "packsaddle", + "packthread", + "pad", + "pad", + "inkpad", + "inking pad", + "stamp pad", + "padding", + "cushioning", + "paddle", + "boat paddle", + "paddle", + "paddle", + "paddle", + "paddle box", + "paddle-box", + "paddle steamer", + "paddle-wheeler", + "paddlewheel", + "paddle wheel", + "paddock", + "padlock", + "page printer", + "page-at-a-time printer", + "pagoda", + "paillasse", + "palliasse", + "paint", + "pigment", + "paintball", + "paintball gun", + "paintbox", + "paintbrush", + "painter", + "painting", + "picture", + "paint roller", + "paisley", + "pajama", + "pyjama", + "pj's", + "jammies", + "pajama", + "pyjama", + "palace", + "palace", + "castle", + "palace", + "palanquin", + "palankeen", + "paleolith", + "palestra", + "palaestra", + "palette", + "pallet", + "palette knife", + "palisade", + "pall", + "shroud", + "cerement", + "winding-sheet", + "winding-clothes", + "pallet", + "pallet", + "pallet", + "pallette", + "palette", + "palliative", + "alleviant", + "alleviator", + "pallium", + "pallium", + "pan", + "pan", + "cooking pan", + "panacea", + "nostrum", + "catholicon", + "cure-all", + "panache", + "Panama Canal", + "panatela", + "panetela", + "panetella", + "pancake turner", + "panchromatic film", + "panda car", + "Pandora's box", + "pane", + "pane of glass", + "window glass", + "panel", + "panel", + "panel heating", + "paneling", + "panelling", + "pane", + "panel light", + "panhandle", + "panic button", + "pannier", + "pannier", + "pannier", + "pannikin", + "panopticon", + "panopticon", + "panorama", + "cyclorama", + "diorama", + "panoramic sight", + "panpipe", + "pandean pipe", + "syrinx", + "pantaloon", + "pantechnicon", + "pantheon", + "pantheon", + "pantie", + "panty", + "scanty", + "step-in", + "panting", + "trousering", + "pant leg", + "trouser leg", + "pantograph", + "pantry", + "larder", + "buttery", + "pants suit", + "pantsuit", + "panty girdle", + "pantyhose", + "panzer", + "papal cross", + "papaverine", + "Kavrin", + "paperback book", + "paper-back book", + "paperback", + "softback book", + "softback", + "soft-cover book", + "soft-cover", + "paper chain", + "paper clip", + "paperclip", + "gem clip", + "paper cutter", + "paper doll", + "paper fastener", + "paper feed", + "paper mill", + "paper plate", + "paper towel", + "paperweight", + "parabolic mirror", + "parabolic reflector", + "paraboloid reflector", + "parachute", + "chute", + "parallel bars", + "bars", + "parallel circuit", + "shunt circuit", + "parallel interface", + "parallel port", + "paramagnet", + "parang", + "parapet", + "breastwork", + "parapet", + "parasail", + "parasol", + "sunshade", + "paregoric", + "camphorated tincture of opium", + "parer", + "paring knife", + "parfait glass", + "pargeting", + "pargetting", + "pargetry", + "pari-mutuel machine", + "totalizer", + "totaliser", + "totalizator", + "totalisator", + "Paris University", + "University of Paris", + "Sorbonne", + "park", + "parka", + "windbreaker", + "windcheater", + "anorak", + "park bench", + "parking meter", + "parlor", + "parlour", + "parlor car", + "parlour car", + "drawing-room car", + "palace car", + "chair car", + "paroxetime", + "Paxil", + "parquet", + "parquet", + "parquet floor", + "parquet circle", + "parterre", + "parquetry", + "parqueterie", + "parsonage", + "vicarage", + "rectory", + "Parsons table", + "part", + "portion", + "parterre", + "Parthenon", + "partial denture", + "particle detector", + "partisan", + "partizan", + "partition", + "divider", + "parts bin", + "party favor", + "party favour", + "favor", + "favour", + "party line", + "party wall", + "parvis", + "passage", + "passageway", + "passenger car", + "coach", + "carriage", + "passenger ship", + "passenger train", + "passenger van", + "passe-partout", + "passive matrix display", + "passkey", + "passe-partout", + "master key", + "master", + "pass-through", + "paste-up", + "pastiche", + "pastry cart", + "pasty", + "patch", + "patchcord", + "patchouli", + "patchouly", + "pachouli", + "patch pocket", + "patchwork", + "patchwork", + "patchwork quilt", + "patent log", + "screw log", + "taffrail log", + "patent medicine", + "paternoster", + "path", + "pathway", + "footpath", + "patina", + "patio", + "terrace", + "patisserie", + "patka", + "patriarchal cross", + "patrol boat", + "patrol ship", + "patty-pan", + "pave", + "paved surface", + "pavement", + "paving", + "pavilion", + "marquee", + "paving stone", + "pavior", + "paviour", + "paving machine", + "pavis", + "pavise", + "pawl", + "detent", + "click", + "dog", + "pawn", + "pawnbroker's shop", + "pawnshop", + "loan office", + "pay-phone", + "pay-station", + "PC board", + "peacekeeper", + "peach orchard", + "peacock-throne", + "pea jacket", + "peacoat", + "pearl fishery", + "pea shooter", + "peavey", + "peavy", + "cant dog", + "dog hook", + "pectoral", + "pectoral medallion", + "pedal", + "treadle", + "foot pedal", + "foot lever", + "pedal pusher", + "toreador pants", + "pedestal", + "plinth", + "footstall", + "pedestal table", + "pedestrian crossing", + "zebra crossing", + "pedicab", + "cycle rickshaw", + "pediment", + "pedometer", + "peeler", + "peen", + "peephole", + "spyhole", + "eyehole", + "peep sight", + "peg", + "nog", + "peg", + "pin", + "thole", + "tholepin", + "rowlock", + "oarlock", + "peg", + "peg", + "wooden leg", + "leg", + "pegleg", + "pegboard", + "peg top", + "Pelham", + "pelican crossing", + "pelisse", + "pelvimeter", + "pen", + "pen", + "penal colony", + "penal institution", + "penal facility", + "penalty box", + "pen-and-ink", + "pencil", + "pencil", + "pencil box", + "pencil case", + "pencil sharpener", + "pendant", + "pendent", + "pendant earring", + "drop earring", + "eardrop", + "pendulum", + "pendulum clock", + "pendulum watch", + "penetration bomb", + "penicillamine", + "Cuprimine", + "penicillin", + "penicillinase-resistant antibiotic", + "penicillin F", + "penicillin G", + "benzylpenicillin", + "penicillin O", + "penicillin V", + "phenoxymethyl penicillin", + "penicillin V potassium", + "Ledercillin VK", + "penile implant", + "penitentiary", + "pen", + "penknife", + "penlight", + "pennant", + "pennon", + "streamer", + "waft", + "pennoncel", + "penoncel", + "pennoncelle", + "penny arcade", + "pennywhistle", + "tin whistle", + "whistle", + "pentaerythritol", + "Peritrate", + "Pentagon", + "pentazocine", + "Talwin", + "penthouse", + "pentimento", + "pentobarbital sodium", + "pentobarbital", + "Nembutal", + "yellow jacket", + "pentode", + "pentoxifylline", + "Trental", + "pentylenetetrazol", + "pentamethylenetetrazol", + "Metrazol", + "peplos", + "peplus", + "peplum", + "peplum", + "pepper-and-salt", + "pepper mill", + "pepper grinder", + "pepper shaker", + "pepper box", + "pepper pot", + "pepper spray", + "percale", + "perch", + "percolator", + "percussion cap", + "percussion instrument", + "percussive instrument", + "perforation", + "perfume", + "essence", + "perfumery", + "perfumery", + "perfumery", + "period piece", + "peripheral", + "computer peripheral", + "peripheral device", + "periscope", + "peristyle", + "periwig", + "peruke", + "periwinkle plant derivative", + "permanent magnet", + "static magnet", + "permanent press", + "durable press", + "perpendicular", + "perpetual motion machine", + "perphenazine", + "Triavil", + "personal computer", + "PC", + "microcomputer", + "personal digital assistant", + "PDA", + "personal organizer", + "personal organiser", + "organizer", + "organiser", + "personnel carrier", + "pestle", + "pestle", + "muller", + "pounder", + "petard", + "petcock", + "Peter Pan collar", + "petit point", + "petit point", + "tent stitch", + "Petri dish", + "petrolatum gauze", + "Petronas Towers", + "pet shop", + "petticoat", + "half-slip", + "underskirt", + "pew", + "church bench", + "pharmaceutical", + "pharmaceutic", + "pharmacopoeia", + "phenazopyridine", + "Pyridium", + "phencyclidine", + "phencyclidine hydrochloride", + "PCP", + "angel dust", + "phenelzine", + "Nardil", + "pheniramine", + "phenolphthalein", + "phensuximide", + "Milontin", + "phentolamine", + "Vasomax", + "phenylbutazone", + "Butazolidin", + "phenylephrine", + "phenylpropanolamine", + "phenyltoloxamine", + "phial", + "vial", + "ampule", + "ampul", + "ampoule", + "Phillips screw", + "Phillips screwdriver", + "phonograph album", + "record album", + "phonograph needle", + "needle", + "phonograph record", + "phonograph recording", + "record", + "disk", + "disc", + "platter", + "photocathode", + "photocoagulator", + "photocopier", + "photocopy", + "photoelectric cell", + "photoconductive cell", + "photocell", + "electric eye", + "magic eye", + "photograph", + "photo", + "exposure", + "picture", + "pic", + "photograph album", + "photographic equipment", + "photographic paper", + "photographic material", + "photographic print", + "print", + "photolithograph", + "photometer", + "photomicrograph", + "photomontage", + "Photostat", + "Photostat machine", + "photostat", + "phrontistery", + "physical pendulum", + "compound pendulum", + "physics lab", + "physics laboratory", + "piano", + "pianoforte", + "forte-piano", + "piano action", + "piano keyboard", + "fingerboard", + "clavier", + "piano wire", + "piccolo", + "pick", + "pickax", + "pickaxe", + "pick", + "pick", + "plectrum", + "plectron", + "pickelhaube", + "picket", + "pale", + "picket", + "picket boat", + "picket fence", + "paling", + "picket ship", + "pickle barrel", + "pickup", + "pickup truck", + "pickup", + "pick-me-up", + "picot", + "picture", + "image", + "icon", + "ikon", + "picture book", + "picture frame", + "picture hat", + "picture rail", + "picture window", + "piece", + "piece", + "piece of cloth", + "piece of material", + "piece of leather", + "pied-a-terre", + "pier", + "wharf", + "wharfage", + "dock", + "pier", + "pier", + "pier arch", + "pier glass", + "pier mirror", + "Pierre Laporte Bridge", + "pier table", + "pieta", + "piezoelectric crystal", + "piezometer", + "pig", + "pig bed", + "pig", + "piggery", + "pig farm", + "piggy bank", + "penny bank", + "pike", + "pike", + "pikestaff", + "pilaster", + "pile", + "nap", + "pile", + "spile", + "piling", + "stilt", + "pile driver", + "pill", + "lozenge", + "tablet", + "tab", + "pill", + "pill", + "birth control pill", + "contraceptive pill", + "oral contraceptive pill", + "oral contraceptive", + "anovulatory drug", + "anovulant", + "pillar box", + "pill bottle", + "pillbox", + "pillbox", + "pillbox", + "toque", + "turban", + "pillion", + "pillory", + "pillow", + "pillow block", + "pillow lace", + "bobbin lace", + "pillow sham", + "pilocarpine", + "pilot balloon", + "pilot bit", + "pilot boat", + "pilot burner", + "pilot light", + "pilot", + "pilot cloth", + "pilot engine", + "pilothouse", + "wheelhouse", + "pilot light", + "pilot lamp", + "indicator lamp", + "Pimlico", + "pimozide", + "pin", + "pin", + "pin", + "flag", + "pin", + "pin tumbler", + "pinata", + "pinball machine", + "pin table", + "pince-nez", + "pincer", + "pair of pincers", + "tweezer", + "pair of tweezers", + "pinch bar", + "pincurl clip", + "pincushion", + "pindolol", + "Visken", + "pine-tar rag", + "pinfold", + "pinger", + "ping-pong ball", + "pinhead", + "pinhole", + "pinion", + "pinnacle", + "pinner", + "pinpoint", + "pinprick", + "pinstripe", + "pinstripe", + "pinstripe", + "pintle", + "pinwheel", + "pinwheel wind collector", + "pinwheel", + "pin wrench", + "pipe", + "pipage", + "piping", + "pipe", + "tobacco pipe", + "tabor pipe", + "pipe", + "pipe bomb", + "pipe cleaner", + "pipe cutter", + "pipefitting", + "pipe fitting", + "pipeline", + "line", + "piperacillin", + "Pipracil", + "pipe rack", + "piperazine", + "piperocaine", + "piperocaine hydrochloride", + "Metycaine", + "pipet", + "pipette", + "pipe vise", + "pipe clamp", + "pipe wrench", + "tube wrench", + "piping", + "pique", + "pirate", + "pirate ship", + "piroxicam", + "Feldene", + "piste", + "piste", + "pistol", + "handgun", + "side arm", + "shooting iron", + "pistol grip", + "piston", + "plunger", + "piston ring", + "piston rod", + "pit", + "quarry", + "stone pit", + "pit", + "pitfall", + "pit", + "pit", + "pit", + "pitcher", + "ewer", + "pitchfork", + "pitching wedge", + "pitch pipe", + "pithead", + "pith hat", + "pith helmet", + "sun helmet", + "topee", + "topi", + "piton", + "Pitot-static tube", + "Pitot head", + "Pitot tube", + "Pitot tube", + "Pitot", + "pitprop", + "sprag", + "pitsaw", + "pivot", + "pin", + "pivoting window", + "pixel", + "pel", + "picture element", + "pizzeria", + "pizza shop", + "pizza parlor", + "placebo", + "place mat", + "place of business", + "business establishment", + "place of worship", + "house of prayer", + "house of God", + "house of worship", + "place setting", + "setting", + "placket", + "plain weave", + "taffeta weave", + "plan", + "architectural plan", + "planchet", + "coin blank", + "planchette", + "plane", + "carpenter's plane", + "woodworking plane", + "plane", + "planer", + "planing machine", + "plane seat", + "plane table", + "planetarium", + "planetarium", + "planetarium", + "planetary gear", + "epicyclic gear", + "planet wheel", + "planet gear", + "plank-bed", + "planking", + "planner", + "plant", + "works", + "industrial plant", + "planter", + "plaster", + "adhesive plaster", + "sticking plaster", + "plaster", + "plasterwork", + "plasterboard", + "gypsum board", + "plastering trowel", + "plastic art", + "plastic bag", + "plastic bomb", + "plastic explosive", + "plastique", + "plastic laminate", + "plastic wrap", + "plastron", + "plastron", + "plastron", + "plastron", + "plat", + "plate", + "plate", + "scale", + "shell", + "plate", + "plate", + "collection plate", + "plate", + "plate", + "plate", + "photographic plate", + "plate", + "plate glass", + "sheet glass", + "plate iron", + "platen", + "platen", + "platen", + "plate rack", + "plate rail", + "platform", + "platform", + "weapons platform", + "platform", + "platform bed", + "platform rocker", + "plating", + "metal plating", + "platter", + "playback", + "playbox", + "play-box", + "playground", + "playhouse", + "wendy house", + "playing card", + "playpen", + "pen", + "playsuit", + "plaything", + "toy", + "plaza", + "mall", + "center", + "shopping mall", + "shopping center", + "shopping centre", + "pleat", + "plait", + "plenum", + "plethysmograph", + "pleximeter", + "plessimeter", + "plexor", + "plessor", + "percussor", + "pliers", + "pair of pliers", + "plyers", + "plimsoll", + "plotter", + "plow", + "plough", + "plowshare", + "ploughshare", + "share", + "plug", + "stopper", + "stopple", + "plug", + "male plug", + "plug fuse", + "plughole", + "plumb bob", + "plumb", + "plummet", + "plumber's snake", + "auger", + "plumbing", + "plumbing system", + "plumbing fixture", + "plumb level", + "plumb line", + "perpendicular", + "plumb rule", + "plume", + "plunger", + "plumber's helper", + "plus fours", + "plush", + "plutonium trigger", + "plutonium pit", + "ply", + "ply", + "plywood", + "plyboard", + "pneumatic drill", + "pneumatic tire", + "pneumatic tyre", + "pneumococcal vaccine", + "Pneumovax", + "p-n junction", + "p-n-p transistor", + "poacher", + "pocket", + "pocket", + "pocket battleship", + "pocketbook", + "pocket book", + "pocket edition", + "pocketcomb", + "pocket comb", + "pocket flap", + "pocket-handkerchief", + "pocketknife", + "pocket knife", + "pocket watch", + "pod", + "fuel pod", + "pogo stick", + "point", + "point", + "power point", + "point", + "gunpoint", + "point-and-shoot camera", + "pointed arch", + "pointer", + "pointillism", + "pointing trowel", + "point lace", + "needlepoint", + "poker", + "stove poker", + "fire hook", + "salamander", + "polarimeter", + "polariscope", + "Polaroid", + "Polaroid camera", + "Polaroid Land camera", + "pole", + "pole", + "magnetic pole", + "pole", + "poleax", + "poleaxe", + "poleax", + "poleaxe", + "police boat", + "police station", + "police headquarters", + "station house", + "police van", + "police wagon", + "paddy wagon", + "patrol wagon", + "wagon", + "black Maria", + "poliovirus vaccine", + "polka dot", + "polling booth", + "polo ball", + "polo mallet", + "polo stick", + "polonaise", + "polo shirt", + "sport shirt", + "polychrome", + "polyconic projection", + "polyester", + "polygraph", + "polymyxin", + "polypropenonitrile", + "Acrilan", + "pomade", + "pomatum", + "pommel", + "saddlebow", + "pommel", + "pommel horse", + "side horse", + "pompon", + "pom-pom", + "poncho", + "pongee", + "poniard", + "bodkin", + "Ponte 25 de Abril", + "pontifical", + "pontoon", + "pontoon", + "pontoon bridge", + "bateau bridge", + "floating bridge", + "pony cart", + "ponycart", + "donkey cart", + "tub-cart", + "pool", + "pool ball", + "poolroom", + "pool table", + "billiard table", + "snooker table", + "poop deck", + "poor box", + "alms box", + "mite box", + "poorhouse", + "Pop Art", + "pop bottle", + "soda bottle", + "popgun", + "poplin", + "popper", + "popper", + "poppet", + "poppet valve", + "pop tent", + "porcelain", + "porch", + "porkpie", + "porkpie hat", + "porringer", + "port", + "embrasure", + "porthole", + "portable", + "portable computer", + "portable circular saw", + "portable saw", + "portage", + "portal", + "portcullis", + "porte-cochere", + "porte-cochere", + "portfolio", + "porthole", + "portico", + "portiere", + "portmanteau", + "Gladstone", + "Gladstone bag", + "portrait", + "portrayal", + "portrait camera", + "portrait lens", + "positive", + "positive pole", + "positive magnetic pole", + "north-seeking pole", + "positive pole", + "positron emission tomography scanner", + "PET scanner", + "post", + "postage meter", + "post and lintel", + "postbox", + "mailbox", + "letter box", + "post chaise", + "postern", + "post exchange", + "PX", + "posthole", + "post hole", + "posthole digger", + "post-hole digger", + "post horn", + "posthouse", + "post house", + "postmodernism", + "Post-Office box", + "PO Box", + "POB", + "call box", + "letter box", + "post road", + "pot", + "pot", + "grass", + "green goddess", + "dope", + "weed", + "gage", + "sess", + "sens", + "smoke", + "skunk", + "locoweed", + "Mary Jane", + "pot", + "flowerpot", + "potbelly", + "potbelly stove", + "Potemkin village", + "potential divider", + "voltage divider", + "potentiometer", + "pot", + "potentiometer", + "pot farm", + "potholder", + "pothook", + "potpourri", + "potsherd", + "potter's wheel", + "pottery", + "clayware", + "pottery", + "pottle", + "potty seat", + "potty chair", + "pouch", + "poultice", + "cataplasm", + "plaster", + "pound", + "dog pound", + "pound net", + "powder", + "powder and shot", + "powdered mustard", + "dry mustard", + "powder horn", + "powder flask", + "powder keg", + "powderpuff", + "puff", + "power brake", + "power cord", + "power drill", + "power line", + "power cable", + "power loom", + "power module", + "power mower", + "motor mower", + "power pack", + "power saw", + "saw", + "sawing machine", + "power shovel", + "excavator", + "digger", + "shovel", + "power station", + "power plant", + "powerhouse", + "power steering", + "power-assisted steering", + "power system", + "power grid", + "grid", + "power takeoff", + "PTO", + "power tool", + "practice range", + "praetorium", + "pretorium", + "pravastatin", + "Pravachol", + "prayer rug", + "prayer mat", + "prayer shawl", + "tallith", + "tallis", + "prazosin", + "Minipress", + "precipitator", + "electrostatic precipitator", + "Cottrell precipitator", + "predictor", + "prefab", + "presbytery", + "prescription drug", + "prescription", + "prescription medicine", + "ethical drug", + "presence chamber", + "presidio", + "press", + "mechanical press", + "press", + "printing press", + "press", + "press box", + "press gallery", + "pressing", + "press of sail", + "press of canvas", + "pressure cabin", + "pressure cooker", + "pressure dome", + "pressure gauge", + "pressure gage", + "pressurized water reactor", + "PWR", + "pressure suit", + "preventive", + "preventative", + "prophylactic", + "pricket", + "prie-dieu", + "primaquine", + "Primaxin", + "primary coil", + "primary winding", + "primary", + "primidone", + "Mysoline", + "primitivism", + "Primus stove", + "Primus", + "Prince Albert", + "Princeton University", + "Princeton", + "print", + "print", + "print", + "print buffer", + "printed circuit", + "printer", + "printing machine", + "printer", + "printer cable", + "print shop", + "printing shop", + "priory", + "prism", + "optical prism", + "prison", + "prison house", + "prison camp", + "internment camp", + "prisoner of war camp", + "POW camp", + "privateer", + "private line", + "privet hedge", + "probe", + "probenecid", + "procaine", + "Ethocaine", + "procaine hydrochloride", + "novocaine", + "Novocain", + "procarbazine", + "prochlorperazine", + "proctoscope", + "procyclidine", + "Kemadrin", + "prod", + "goad", + "product", + "production", + "production line", + "assembly line", + "line", + "projectile", + "missile", + "projection", + "projection", + "projector", + "projector", + "prolonge", + "prolonge knot", + "sailor's breastplate", + "promenade", + "mall", + "promethazine", + "Phenergan", + "prompt box", + "prompter's box", + "prompter", + "autocue", + "prong", + "proof", + "prop", + "propanolol", + "Inderal", + "propellant explosive", + "impulse explosive", + "propeller", + "propellor", + "propeller plane", + "property", + "prop", + "propjet", + "turboprop", + "turbo-propeller plane", + "proportional counter tube", + "proportional counter", + "propoxyphene", + "propoxyphene hydrochloride", + "Darvon", + "propulsion system", + "proscenium", + "proscenium wall", + "proscenium", + "apron", + "forestage", + "proscenium arch", + "prosthesis", + "prosthetic device", + "protease inhibitor", + "PI", + "protective covering", + "protective cover", + "protection", + "protective garment", + "proteosome vaccine", + "proteosome", + "proton accelerator", + "protractor", + "protriptyline", + "proving ground", + "pruner", + "pruning hook", + "lopper", + "pruning knife", + "pruning saw", + "pruning shears", + "psaltery", + "psilocybin", + "psilocin", + "psychoactive drug", + "mind-altering drug", + "consciousness-altering drug", + "psychoactive substance", + "psychotropic agent", + "psychrometer", + "PT boat", + "mosquito boat", + "mosquito craft", + "motor torpedo boat", + "p-type semiconductor", + "public address system", + "P.A. system", + "PA system", + "P.A.", + "PA", + "public house", + "pub", + "saloon", + "pothouse", + "gin mill", + "taphouse", + "public toilet", + "comfort station", + "public convenience", + "convenience", + "public lavatory", + "restroom", + "toilet facility", + "wash room", + "public transit", + "public transport", + "public works", + "puck", + "hockey puck", + "pull", + "pullback", + "tieback", + "pull chain", + "pulley", + "pulley-block", + "pulley block", + "block", + "pull-in", + "pull-up", + "pull-off", + "rest area", + "rest stop", + "layby", + "lay-by", + "Pullman", + "Pullman car", + "pullover", + "slipover", + "pull-through", + "pulse counter", + "pulse generator", + "pulse timing circuit", + "pump", + "pump", + "pump action", + "slide action", + "pump house", + "pumping station", + "pump room", + "pump-type pliers", + "pump well", + "punch", + "puncher", + "punchboard", + "punch bowl", + "punched card", + "punch card", + "Hollerith card", + "punching bag", + "punch bag", + "punching ball", + "punchball", + "punch pliers", + "punch press", + "puncture", + "pung", + "punkah", + "punnet", + "punt", + "puppet", + "puppet", + "marionette", + "pup tent", + "shelter tent", + "purdah", + "purgative", + "cathartic", + "physic", + "aperient", + "purifier", + "purl", + "purl stitch", + "purl", + "purse", + "purse seine", + "purse string", + "push-bike", + "push broom", + "push button", + "push", + "button", + "push-button radio", + "push-down storage", + "push-down store", + "stack", + "pusher", + "zori", + "put-put", + "puttee", + "putter", + "putting iron", + "putty knife", + "puzzle", + "pyelogram", + "pylon", + "power pylon", + "pylon", + "pyocyanase", + "pyocyanin", + "Pyramid", + "Great Pyramid", + "Pyramids of Egypt", + "pyramidal tent", + "pyrilamine", + "pyrograph", + "pyrometer", + "pyrometric cone", + "pyrostat", + "pyx", + "pix", + "pyx", + "pix", + "pyx chest", + "pix chest", + "pyxis", + "quad", + "quadrangle", + "quad", + "space", + "quadrant", + "quadraphony", + "quadraphonic system", + "quadriphonic system", + "quadruplicate", + "Quaker gun", + "quarrel", + "quarter", + "quarterdeck", + "quartering", + "quartering", + "quarterlight", + "quarter plate", + "quarterstaff", + "quartz battery", + "quartz mill", + "quartz crystal", + "quartz lamp", + "quay", + "Quebec Bridge", + "queen", + "queen", + "queen post", + "Queensboro Bridge", + "quern", + "quill", + "quill pen", + "quilt", + "comforter", + "comfort", + "puff", + "quilted bedspread", + "quilting", + "quilting", + "quinacrine", + "quinacrine hydrochloride", + "mepacrine", + "Atabrine", + "quinidine", + "Quinidex", + "Quinora", + "quinine", + "quipu", + "quirk", + "quirk bead", + "bead and quirk", + "quirk molding", + "quirk moulding", + "quirt", + "quiver", + "quoin", + "coign", + "coigne", + "quoin", + "coign", + "coigne", + "quoit", + "QWERTY keyboard", + "R-2", + "Mexican valium", + "rophy", + "rope", + "roofy", + "roach", + "forget me drug", + "circle", + "rabato", + "rebato", + "rabbet", + "rebate", + "rabbet joint", + "rabbit ears", + "rabbit hutch", + "raceabout", + "racer", + "race car", + "racing car", + "racetrack", + "racecourse", + "raceway", + "track", + "raceway", + "race", + "racing boat", + "racing circuit", + "circuit", + "racing gig", + "racing skiff", + "single shell", + "rack", + "stand", + "rack", + "rack", + "wheel", + "rack and pinion", + "racket", + "racquet", + "racquetball", + "radar", + "microwave radar", + "radio detection and ranging", + "radiolocation", + "radial", + "radial tire", + "radial-ply tire", + "radial engine", + "rotary engine", + "radiation pyrometer", + "radiator", + "radiator", + "radiator cap", + "radiator hose", + "radio", + "wireless", + "radio antenna", + "radio aerial", + "radio beacon", + "beacon", + "radio chassis", + "radio compass", + "radiogram", + "radiograph", + "shadowgraph", + "skiagraph", + "skiagram", + "radio interferometer", + "radio link", + "link", + "radiometer", + "radiomicrometer", + "radiopharmaceutical", + "radio-phonograph", + "radio-gramophone", + "radiophotograph", + "radiophoto", + "radio receiver", + "receiving set", + "radio set", + "radio", + "tuner", + "wireless", + "radio station", + "radiotelegraph", + "radiotelegraphy", + "wireless telegraph", + "wireless telegraphy", + "radiotelephone", + "radiophone", + "wireless telephone", + "radio telescope", + "radio reflector", + "radiotherapy equipment", + "radio transmitter", + "radome", + "radar dome", + "raft", + "rafter", + "balk", + "baulk", + "raft foundation", + "rag", + "shred", + "tag", + "tag end", + "tatter", + "ragbag", + "rag doll", + "raglan", + "raglan sleeve", + "rail", + "rail", + "rail fence", + "railhead", + "railhead", + "railing", + "rail", + "railing", + "railroad bed", + "railroad flat", + "railroad track", + "railroad", + "railway", + "railroad tunnel", + "railway", + "railroad", + "railroad line", + "railway line", + "railway system", + "railway junction", + "railway station", + "railroad station", + "railroad terminal", + "train station", + "train depot", + "rain barrel", + "raincoat", + "waterproof", + "rain gauge", + "rain gage", + "pluviometer", + "udometer", + "rain stick", + "rake", + "rake handle", + "ram", + "RAM disk", + "ramekin", + "ramequin", + "ramipril", + "Altace", + "ramjet", + "ramjet engine", + "atherodyde", + "athodyd", + "flying drainpipe", + "rammer", + "ramp", + "incline", + "rampant arch", + "rampart", + "bulwark", + "wall", + "ramrod", + "ramrod", + "ranch", + "spread", + "cattle ranch", + "cattle farm", + "ranch house", + "random-access memory", + "random access memory", + "random memory", + "RAM", + "read/write memory", + "range", + "rangefinder", + "range finder", + "range hood", + "range pole", + "ranging pole", + "flagpole", + "ranitidine", + "Zantac", + "rapid transit", + "mass rapid transit", + "rapier", + "tuck", + "rappee", + "rariora", + "rasp", + "wood file", + "raster", + "rat", + "ratchet", + "rachet", + "ratch", + "ratchet wheel", + "rathole", + "rathskeller", + "ratline", + "ratlin", + "rat-tail file", + "rattan", + "ratan", + "rattle", + "rattrap", + "rattrap", + "ravehook", + "Rayleigh disk", + "rayon", + "razor", + "razorblade", + "razor edge", + "reaction-propulsion engine", + "reaction engine", + "reaction turbine", + "reactor", + "reading lamp", + "reading room", + "read-only memory", + "ROM", + "read-only storage", + "fixed storage", + "read-only memory chip", + "readout", + "read-out", + "read/write head", + "head", + "ready-made", + "ready-to-wear", + "real storage", + "reamer", + "reamer", + "juicer", + "juice reamer", + "rear", + "back", + "rearview mirror", + "rear window", + "Reaumur thermometer", + "reboxetine", + "Edronax", + "rebozo", + "receiver", + "receiving system", + "receptacle", + "receptacle", + "reception desk", + "reception room", + "recess", + "niche", + "reciprocating engine", + "recliner", + "reclining chair", + "lounger", + "reconnaissance plane", + "reconnaissance vehicle", + "scout car", + "restoration", + "record changer", + "auto-changer", + "changer", + "recorder", + "recording equipment", + "recording machine", + "recording", + "recording", + "recording studio", + "recording system", + "record jacket", + "record player", + "phonograph", + "record sleeve", + "record cover", + "recovery room", + "recreational drug", + "recreational facility", + "recreation facility", + "recreational vehicle", + "RV", + "R.V.", + "recreation room", + "rec room", + "rectifier", + "recycling bin", + "recycling plant", + "redbrick university", + "red carpet", + "redoubt", + "redoubt", + "reducer", + "reduction gear", + "reed", + "vibrating reed", + "reed pipe", + "reed stop", + "reef knot", + "flat knot", + "reel", + "reel", + "refectory", + "refectory table", + "refill", + "refill", + "refinery", + "reflecting telescope", + "reflector", + "reflection", + "reflexion", + "reflectometer", + "reflector", + "reflex camera", + "reflux condenser", + "reformatory", + "reform school", + "training school", + "reformer", + "refracting telescope", + "refractometer", + "refrigeration system", + "refrigerator", + "icebox", + "refrigerator car", + "refuge", + "sanctuary", + "asylum", + "regalia", + "regimentals", + "register", + "register", + "register", + "regulator", + "rein", + "relaxant", + "relay", + "electrical relay", + "release", + "release", + "button", + "relic", + "relief", + "relievo", + "rilievo", + "embossment", + "sculptural relief", + "religious residence", + "cloister", + "reliquary", + "remake", + "remaking", + "remedy", + "curative", + "cure", + "therapeutic", + "remise", + "remote control", + "remote", + "remote-control bomb", + "remote terminal", + "link-attached terminal", + "remote station", + "link-attached station", + "removable disk", + "rendering", + "rendering", + "rep", + "repp", + "repair shop", + "fix-it shop", + "repeater", + "repeating firearm", + "repeater", + "repertory", + "replica", + "replication", + "reproduction", + "repository", + "monument", + "representation", + "reproducer", + "rerebrace", + "upper cannon", + "rescue equipment", + "research center", + "research facility", + "reseau", + "reseau", + "reserpine", + "Raudixin", + "Rau-Sed", + "Sandril", + "Serpasil", + "reservoir", + "reservoir", + "artificial lake", + "man-made lake", + "reset", + "reset button", + "residence", + "resistance pyrometer", + "resistance thermometer", + "platinum thermometer", + "resistor", + "resistance", + "resonator", + "resonator", + "resonant circuit", + "resonator", + "cavity resonator", + "resonating chamber", + "resort hotel", + "spa", + "respirator", + "inhalator", + "rest", + "restaurant", + "eating house", + "eating place", + "eatery", + "rest house", + "restraint", + "constraint", + "resuscitator", + "retainer", + "retaining wall", + "reticle", + "reticule", + "graticule", + "reticulation", + "reticule", + "restoration", + "retort", + "retractor", + "retread", + "recap", + "retrenchment", + "retrofit", + "retrorocket", + "return key", + "return", + "reverberatory furnace", + "revers", + "revere", + "reverse", + "reverse gear", + "reverse", + "verso", + "reverse transcriptase inhibitor", + "reversible", + "reversing thermometer", + "revetment", + "revetement", + "stone facing", + "revetment", + "reviewing stand", + "revolver", + "six-gun", + "six-shooter", + "revolving door", + "revolver", + "rheometer", + "rheostat", + "variable resistor", + "rhinoscope", + "rib", + "rib", + "riband", + "ribband", + "ribavirin", + "Virazole", + "ribbed vault", + "ribbing", + "ribbon", + "ribbon", + "typewriter ribbon", + "ribbon development", + "rib joint pliers", + "ricer", + "rickrack", + "ricrac", + "riddle", + "ride", + "rider plate", + "ridge", + "ridgepole", + "rooftree", + "ridge rope", + "riding bitt", + "riding boot", + "riding crop", + "hunting crop", + "riding mower", + "rifampin", + "Rifadin", + "Rimactane", + "rifle", + "rifle ball", + "rifle butt", + "rifle grenade", + "rifle range", + "rig", + "rig", + "rigging", + "rigger", + "rigger brush", + "rigger", + "rigging", + "tackle", + "right field", + "rightfield", + "right", + "right of way", + "rigout", + "rim", + "rim", + "ring", + "band", + "ring", + "ringlet", + "rings", + "ringside", + "ringside seat", + "rink", + "skating rink", + "riot gun", + "ripcord", + "ripcord", + "ripping bar", + "ripping chisel", + "ripsaw", + "splitsaw", + "riser", + "riser", + "riser pipe", + "riser pipeline", + "riser main", + "ritonavir", + "Norvir", + "Ritz", + "river boat", + "rivet", + "riveting machine", + "riveter", + "rivetter", + "rivet line", + "roach", + "roach clip", + "roach holder", + "road", + "route", + "roadbed", + "roadblock", + "barricade", + "roadhouse", + "road map", + "roadster", + "runabout", + "two-seater", + "road surface", + "roadway", + "roaster", + "robe", + "Robitussin", + "robotics equipment", + "Rochon prism", + "Wollaston prism", + "rock bit", + "roller bit", + "rocker", + "rocker", + "rocker", + "cradle", + "rocker arm", + "valve rocker", + "rocket", + "rocket engine", + "rocket", + "projectile", + "rocket base", + "rocket range", + "rock garden", + "rockery", + "rocking chair", + "rocker", + "rod", + "rodeo", + "roentgenogram", + "X ray", + "X-ray", + "X-ray picture", + "X-ray photograph", + "rofecoxib", + "Vioxx", + "roll", + "roll", + "roller", + "roller", + "roller bandage", + "in-line skate", + "Rollerblade", + "roller blind", + "roller coaster", + "big dipper", + "chute-the-chute", + "roller skate", + "roller towel", + "roll film", + "rolling hitch", + "rolling mill", + "rolling pin", + "rolling stock", + "roll of tobacco", + "smoke", + "roll-on", + "roll-on", + "roll-on roll-off", + "Rolodex", + "Roman arch", + "semicircular arch", + "Roman building", + "Roman candle", + "romper", + "romper suit", + "rood screen", + "roof", + "roof", + "roof garden", + "roofing", + "roof peak", + "room", + "roomette", + "room light", + "roost", + "roost", + "root cellar", + "cellar", + "rope", + "rope bridge", + "rope ladder", + "rope tow", + "ropewalk", + "rope yard", + "rope yarn", + "rosary", + "prayer beads", + "rose bed", + "bed of roses", + "rose garden", + "rosemaling", + "rosette", + "rose water", + "rose window", + "rosette", + "rosin bag", + "rotary actuator", + "positioner", + "rotary engine", + "rotary press", + "rotating mechanism", + "rotating shaft", + "shaft", + "rotisserie", + "rotisserie", + "rotor", + "rotor", + "rotor coil", + "rotor", + "rotor blade", + "rotary wing", + "rotor head", + "rotor shaft", + "rotunda", + "rotunda", + "rouge", + "paint", + "blusher", + "roughcast", + "rouleau", + "rouleau", + "roulette", + "toothed wheel", + "roulette ball", + "roulette wheel", + "wheel", + "round", + "unit of ammunition", + "one shot", + "round arch", + "round-bottom flask", + "roundel", + "rounder", + "round file", + "roundhouse", + "Round Table", + "King Arthur's Round Table", + "router", + "router", + "router plane", + "rowel", + "row house", + "town house", + "rowing boat", + "rowlock arch", + "row of bricks", + "royal", + "royal brace", + "royal mast", + "rubber band", + "elastic band", + "elastic", + "rubber boot", + "gum boot", + "rubber bullet", + "rubber eraser", + "rubber", + "pencil eraser", + "rubbing", + "rubbing alcohol", + "rubefacient", + "rudder", + "rudder", + "rudder blade", + "rudderpost", + "rudderstock", + "rue", + "rug", + "carpet", + "carpeting", + "rugby ball", + "ruin", + "rule", + "ruler", + "rumble", + "rumble seat", + "rummer", + "rumpus room", + "playroom", + "game room", + "runcible spoon", + "rundle", + "spoke", + "rung", + "rung", + "round", + "stave", + "runner", + "runner", + "running board", + "running shoe", + "running stitch", + "running suit", + "runway", + "runway", + "runway", + "rushlight", + "rush candle", + "russet", + "rya", + "rya rug", + "saber", + "sabre", + "saber saw", + "jigsaw", + "reciprocating saw", + "Sabin vaccine", + "oral poliovirus vaccine", + "OPV", + "trivalent live oral poliomyelitis vaccine", + "TOPV", + "sable", + "sable", + "sable brush", + "sable's hair pencil", + "sable coat", + "sabot", + "wooden shoe", + "sachet", + "sack", + "poke", + "paper bag", + "carrier bag", + "sack", + "sacque", + "sackbut", + "sackcloth", + "sackcloth", + "sack coat", + "sacking", + "bagging", + "saddle", + "saddle", + "saddlebag", + "saddle blanket", + "saddlecloth", + "horse blanket", + "saddle oxford", + "saddle shoe", + "saddlery", + "saddle seat", + "saddle soap", + "leather soap", + "saddle stitch", + "safe", + "safe", + "safe-deposit", + "safe-deposit box", + "safety-deposit", + "safety deposit box", + "deposit box", + "lockbox", + "safehold", + "safe house", + "safety arch", + "safety belt", + "life belt", + "safety harness", + "safety bicycle", + "safety bike", + "safety bolt", + "safety lock", + "safety catch", + "safety lock", + "safety curtain", + "safety fuse", + "safety lamp", + "Davy lamp", + "safety match", + "book matches", + "safety net", + "safety pin", + "safety rail", + "guardrail", + "safety razor", + "safety valve", + "relief valve", + "escape valve", + "escape cock", + "escape", + "sail", + "canvas", + "canvass", + "sheet", + "sail", + "sailboat", + "sailing boat", + "sailcloth", + "sailing vessel", + "sailing ship", + "sailing warship", + "sailor cap", + "sailor suit", + "Saint Lawrence Seaway", + "St. Lawrence Seaway", + "salad bar", + "salad bowl", + "salad fork", + "salad plate", + "salad bowl", + "salinometer", + "Salk vaccine", + "IPV", + "sallet", + "salade", + "salon", + "salon", + "salon", + "beauty salon", + "beauty parlor", + "beauty parlour", + "beauty shop", + "saltbox", + "saltcellar", + "salt mine", + "saltshaker", + "salt shaker", + "saltworks", + "salver", + "salvinorin", + "salwar", + "shalwar", + "Salyut", + "Sam Browne belt", + "samisen", + "shamisen", + "samite", + "samovar", + "sampan", + "sampler", + "sampling station", + "sampler", + "sanatorium", + "sanatarium", + "sanitarium", + "sanctuary", + "sandal", + "sandbag", + "sandblaster", + "sandbox", + "sandpile", + "sandpit", + "sandbox", + "sandglass", + "sand painting", + "sand wedge", + "sandwich board", + "sanitary napkin", + "sanitary towel", + "Kotex", + "Santa Fe Trail", + "cling film", + "clingfilm", + "Saran Wrap", + "sarcenet", + "sarsenet", + "sarcophagus", + "sari", + "saree", + "sarong", + "sash", + "window sash", + "sash cord", + "sash line", + "sash fastener", + "sash lock", + "window lock", + "sash weight", + "sash window", + "satchel", + "sateen", + "satellite", + "artificial satellite", + "orbiter", + "satellite receiver", + "satellite television", + "satellite TV", + "satellite transmitter", + "satin", + "satinet", + "satinette", + "satin stitch", + "satin weave", + "Saturday night special", + "saucepan", + "saucepot", + "saucer", + "sauna", + "sweat room", + "save-all", + "save-all", + "save-all", + "savings bank", + "coin bank", + "money box", + "bank", + "saw", + "sawdust doll", + "sawdust saloon", + "sawed-off shotgun", + "sawhorse", + "horse", + "sawbuck", + "buck", + "sawmill", + "saw set", + "sawtooth", + "sax", + "saxophone", + "saxhorn", + "scabbard", + "scaffold", + "scaffold", + "scaffolding", + "staging", + "scale", + "scale", + "weighing machine", + "scaler", + "scaling ladder", + "scalpel", + "scan", + "CAT scan", + "scanner", + "electronic scanner", + "scanner", + "scanner", + "digital scanner", + "image scanner", + "scantling", + "stud", + "scapular", + "scapulary", + "scarecrow", + "straw man", + "strawman", + "bird-scarer", + "scarer", + "scarf", + "scarf joint", + "scarf", + "scatter pin", + "scatter rug", + "throw rug", + "scauper", + "scorper", + "scene", + "view", + "scenery", + "scene", + "scenic railway", + "scheduler", + "schematic", + "schematic drawing", + "schlock", + "shlock", + "dreck", + "Schmidt telescope", + "Schmidt camera", + "school", + "schoolhouse", + "schoolbag", + "school bell", + "school bus", + "school crossing", + "school ship", + "training ship", + "school system", + "schooner", + "schooner", + "science museum", + "scientific instrument", + "scimitar", + "scintillation counter", + "scissors", + "pair of scissors", + "sclerometer", + "scoinson arch", + "sconcheon arch", + "sconce", + "sconce", + "sconce", + "sconce", + "scoop", + "scoop", + "scoop shovel", + "scooter", + "scopolamine", + "hyoscine", + "scoreboard", + "scourge", + "flagellum", + "scouring pad", + "scow", + "scow", + "scrambler", + "scrap", + "scrapbook", + "scraper", + "scratcher", + "scratchpad", + "screed", + "screen", + "screen", + "cover", + "covert", + "concealment", + "screen", + "screen", + "CRT screen", + "screen", + "silver screen", + "projection screen", + "screen door", + "screen", + "screening", + "screen saver", + "screw", + "screw", + "screw propeller", + "screw", + "screwdriver", + "screw eye", + "screw key", + "screw thread", + "thread", + "screwtop", + "screw wrench", + "scribble", + "scrabble", + "doodle", + "scriber", + "scribe", + "scratch awl", + "scrim", + "scrimshaw", + "scriptorium", + "scrubber", + "scrub brush", + "scrubbing brush", + "scrubber", + "scrub plane", + "scuffer", + "scuffle", + "scuffle hoe", + "Dutch hoe", + "scull", + "scull", + "scull", + "scullery", + "sculpture", + "scum", + "scupper", + "scuttle", + "coal scuttle", + "scyphus", + "scythe", + "sea anchor", + "drogue", + "seabag", + "sea boat", + "sea chest", + "seal", + "stamp", + "seal", + "seal", + "sea ladder", + "sea steps", + "seal bomb", + "sealing wax", + "seal", + "sealskin", + "seam", + "seaplane", + "hydroplane", + "searchlight", + "searing iron", + "Sears Tower", + "seascape", + "waterscape", + "seat", + "seat", + "seat", + "seat", + "seat belt", + "seatbelt", + "seat cushion", + "seating", + "seats", + "seating room", + "seating area", + "seaway", + "sea lane", + "ship route", + "trade route", + "secateurs", + "secobarbital sodium", + "secobarbital", + "Seconal", + "red devil", + "secondary coil", + "secondary winding", + "secondary", + "second balcony", + "family circle", + "upper balcony", + "peanut gallery", + "second base", + "second gear", + "second", + "second hand", + "secretary", + "writing table", + "escritoire", + "secretaire", + "section", + "segment", + "sectional", + "sector", + "security blanket", + "security blanket", + "security system", + "security measure", + "security", + "security system", + "sedan", + "saloon", + "sedan", + "sedan chair", + "sedative", + "sedative drug", + "depressant", + "downer", + "sedative-hypnotic", + "sedative-hypnotic drug", + "seedbed", + "seeder", + "seeder", + "seeker", + "seersucker", + "seesaw", + "teeter", + "teeter-totter", + "teetertotter", + "teeterboard", + "tilting board", + "dandle board", + "segmental arch", + "Segway", + "Segway Human Transporter", + "Segway HT", + "seidel", + "seine", + "seismogram", + "seismograph", + "seizing", + "selective-serotonin reuptake inhibitor", + "SSRI", + "selector", + "selector switch", + "selenium cell", + "self-feeder", + "feeder", + "self-portrait", + "self-propelled vehicle", + "self-registering thermometer", + "self-starter", + "selsyn", + "synchro", + "selvage", + "selvedge", + "selvage", + "selvedge", + "semaphore", + "semi-abstraction", + "semiautomatic firearm", + "semiautomatic pistol", + "semiautomatic", + "semiconductor device", + "semiconductor unit", + "semiconductor", + "semi-detached house", + "semigloss", + "semitrailer", + "semi", + "sennit", + "sensitometer", + "sentry box", + "separate", + "septic tank", + "sequence", + "episode", + "sequencer", + "sequencer", + "sequenator", + "sequin", + "spangle", + "diamante", + "serape", + "sarape", + "serge", + "serger", + "serial port", + "series circuit", + "serpent", + "serpent", + "serration", + "sertraline", + "Zoloft", + "server", + "server", + "host", + "service", + "table service", + "service club", + "service door", + "service entrance", + "servant's entrance", + "service station", + "serving cart", + "serving dish", + "servo", + "servomechanism", + "servosystem", + "set", + "set-back", + "setoff", + "offset", + "set decoration", + "set gun", + "spring gun", + "set piece", + "setscrew", + "setscrew", + "set square", + "settee", + "settle", + "settee", + "settlement house", + "seven-spot", + "seven", + "seventy-eight", + "78", + "Seven Wonders of the Ancient World", + "Seven Wonders of the World", + "sewage disposal plant", + "disposal plant", + "sewage farm", + "sewage system", + "sewer system", + "sewage works", + "sewer", + "sewerage", + "cloaca", + "sewer main", + "sewer line", + "sewing", + "stitchery", + "sewing basket", + "sewing kit", + "sewing machine", + "sewing needle", + "sewing room", + "sewing stitch", + "embroidery stitch", + "sextant", + "sgraffito", + "shackle", + "bond", + "hamper", + "trammel", + "shackle", + "shade", + "shade", + "shadow box", + "shaft", + "shaft", + "shaft", + "scape", + "shaft", + "shag", + "shag rug", + "shaker", + "shampoo", + "shank", + "waist", + "shank", + "shank", + "shank", + "stem", + "shantung", + "shaper", + "shaping machine", + "shaping tool", + "shard", + "sherd", + "fragment", + "sharkskin", + "sharp", + "sharpener", + "sharpie", + "Sharpie", + "sharpshooter", + "shaver", + "electric shaver", + "electric razor", + "shaving brush", + "shaving cream", + "shaving soap", + "shaving foam", + "shawl", + "shawm", + "shear", + "shears", + "sheath", + "sheathing", + "overlay", + "overlayer", + "shed", + "sheep bell", + "sheepshank", + "sheepskin coat", + "afghan", + "sheepwalk", + "sheeprun", + "sheet", + "bed sheet", + "sheet", + "tack", + "mainsheet", + "weather sheet", + "shroud", + "sheet", + "flat solid", + "sheet anchor", + "waist anchor", + "sheet bend", + "becket bend", + "weaver's knot", + "weaver's hitch", + "sheeting", + "sheet iron", + "sheet metal", + "sheet pile", + "sheath pile", + "sheet piling", + "Sheetrock", + "sheet web", + "shelf", + "shelf bracket", + "shell", + "shell", + "case", + "casing", + "shell", + "racing shell", + "shellac", + "shellac varnish", + "shell plating", + "shell stitch", + "shelter", + "shelter", + "shelter", + "sheltered workshop", + "Sheraton", + "shield", + "buckler", + "shield", + "shielding", + "shielding", + "shift key", + "shift", + "shift register", + "shillelagh", + "shillalah", + "shim", + "shingle", + "shin guard", + "shinpad", + "ship", + "shipboard system", + "ship canal", + "shipway", + "shipping", + "cargo ships", + "merchant marine", + "merchant vessels", + "shipping office", + "shipping room", + "ship-towed long-range acoustic detection system", + "shipwreck", + "shipyard", + "shirt", + "shirt button", + "shirtdress", + "shirtfront", + "shirting", + "shirtsleeve", + "shirttail", + "shirtwaist", + "shirtwaister", + "shiv", + "shock absorber", + "shock", + "cushion", + "shoe", + "shoe", + "shoe bomb", + "shoebox", + "shoebox", + "shoehorn", + "shoelace", + "shoe lace", + "shoestring", + "shoe string", + "shoe shop", + "shoe-shop", + "shoe store", + "shoetree", + "shofar", + "shophar", + "shoji", + "shoofly", + "shook", + "shooting brake", + "shooting gallery", + "shooting range", + "shooting gallery", + "shooting lodge", + "shooting box", + "shooting stick", + "shop", + "store", + "shop bell", + "shop floor", + "shopfront", + "storefront", + "shopping", + "shopping bag", + "shopping basket", + "shopping cart", + "shore", + "shoring", + "short", + "short circuit", + "short", + "shortcut", + "cutoff", + "crosscut", + "short iron", + "short line", + "short pants", + "shorts", + "trunks", + "short sleeve", + "shortwave diathermy machine", + "shot", + "pellet", + "shot", + "shot", + "shot glass", + "jigger", + "pony", + "shotgun", + "scattergun", + "shotgun shell", + "shot hole", + "shot tower", + "shoulder", + "berm", + "shoulder", + "shoulder bag", + "shoulder board", + "shoulder mark", + "shouldered arch", + "shoulder holster", + "shoulder pad", + "shoulder patch", + "shovel", + "shovel", + "shovel hat", + "showboat", + "shower", + "shower cap", + "shower curtain", + "showerhead", + "shower room", + "shower stall", + "shower bath", + "showroom", + "salesroom", + "saleroom", + "shrapnel", + "shredder", + "shrimper", + "shrine", + "shrink-wrap", + "shroud", + "shunt", + "shunt", + "electrical shunt", + "bypass", + "shunter", + "shutter", + "shutter", + "shutting post", + "shuttle", + "shuttle", + "shuttle bus", + "shuttlecock", + "bird", + "birdie", + "shuttle", + "shuttle helicopter", + "siamese", + "siamese connection", + "Sibley tent", + "sick bag", + "sickbag", + "sickbay", + "sick berth", + "sickbed", + "sickle", + "reaping hook", + "reap hook", + "sickroom", + "side", + "sideboard", + "sideboard", + "sidecar", + "side chapel", + "side door", + "side entrance", + "sidelight", + "running light", + "sideline", + "side pocket", + "side road", + "sidesaddle", + "side street", + "sidewalk", + "pavement", + "sidewall", + "sidewall", + "side-wheeler", + "sidewinder", + "side yard", + "siding", + "railroad siding", + "turnout", + "sidetrack", + "Siege Perilous", + "Siegfried line", + "sieve", + "screen", + "sifter", + "sights", + "sight setting", + "sigmoidoscope", + "flexible sigmoidoscope", + "signal box", + "signal tower", + "signaling device", + "signboard", + "sign", + "signet", + "signet ring", + "seal ring", + "sildenafil", + "sildenafil citrate", + "Viagra", + "silencer", + "muffler", + "silencer", + "silent butler", + "silesia", + "Silex", + "silhouette", + "silk", + "silks", + "silkscreen", + "silk screen print", + "serigraph", + "sill", + "silo", + "silo", + "silver medal", + "silver", + "silver mine", + "silver plate", + "silver plate", + "silverpoint", + "silver protein", + "silverware", + "silverwork", + "simple pendulum", + "simulator", + "simvastatin", + "Zocor", + "single bed", + "single-breasted jacket", + "single-breasted suit", + "single crochet", + "single stitch", + "single prop", + "single-propeller plane", + "single-reed instrument", + "single-reed woodwind", + "single-rotor helicopter", + "singlestick", + "fencing stick", + "backsword", + "singlet", + "vest", + "undershirt", + "singleton", + "sink", + "sinker", + "sinusoidal projection", + "Sanson-Flamsteed projection", + "siphon", + "syphon", + "siren", + "sister ship", + "Sistine Chapel", + "sitar", + "sitz bath", + "hip bath", + "six-pack", + "six pack", + "sixpack", + "sixpenny nail", + "six-spot", + "six", + "size stick", + "skate", + "skateboard", + "skeen arch", + "skene arch", + "scheme arch", + "diminished arch", + "skeg", + "skein", + "skeleton", + "skeletal frame", + "frame", + "underframe", + "skeleton key", + "skep", + "skep", + "sketch", + "study", + "sketchbook", + "sketch block", + "sketch pad", + "sketcher", + "sketch map", + "skew arch", + "skewer", + "ski", + "ski binding", + "binding", + "skibob", + "ski boot", + "ski cap", + "stocking cap", + "toboggan cap", + "skid", + "skidder", + "skid lid", + "skidpan", + "skid road", + "skiff", + "ski jump", + "ski lodge", + "ski mask", + "skimmer", + "skin", + "skin", + "ski parka", + "ski jacket", + "ski-plane", + "ski pole", + "ski rack", + "skirt", + "skirt", + "skirt of tasses", + "ski run", + "ski trail", + "ski tow", + "ski lift", + "lift", + "Skivvies", + "skull and crossbones", + "skullcap", + "skybox", + "skyhook", + "skyhook", + "Skylab", + "skylight", + "fanlight", + "skyrocket", + "rocket", + "skysail", + "skyscraper", + "skywalk", + "slab", + "slack", + "slacks", + "slack suit", + "slapstick", + "slasher", + "slash pocket", + "slat", + "spline", + "slate", + "slate pencil", + "slate roof", + "slave market", + "slave ship", + "sled", + "sledge", + "sleigh", + "sleeper", + "sleeper", + "sleeping bag", + "sleeping car", + "sleeper", + "wagon-lit", + "sleeping pill", + "sleeping tablet", + "sleeping capsule", + "sleeping draught", + "sleeve", + "arm", + "sleeve", + "sleigh bed", + "sleigh bell", + "cascabel", + "slice", + "slice bar", + "slicer", + "slicer", + "slick", + "slick", + "slide", + "lantern slide", + "slide", + "microscope slide", + "slide", + "playground slide", + "sliding board", + "slide fastener", + "zip", + "zipper", + "zip fastener", + "slide projector", + "slide rule", + "slipstick", + "slide valve", + "sliding door", + "sliding seat", + "sliding window", + "sling", + "scarf bandage", + "triangular bandage", + "sling", + "slingback", + "sling", + "slinger ring", + "slingshot", + "sling", + "catapult", + "slip", + "slip of paper", + "slip clutch", + "slip friction clutch", + "slip coach", + "slip carriage", + "slipcover", + "slip-joint pliers", + "slipknot", + "slip-on", + "slipper", + "carpet slipper", + "slip ring", + "slip stitch", + "slit", + "slit lamp", + "slit trench", + "sloop", + "sloop of war", + "slop basin", + "slop bowl", + "slop chest", + "slop pail", + "slop jar", + "slops", + "slopshop", + "slopseller's shop", + "slot", + "slot", + "one-armed bandit", + "slot", + "expansion slot", + "slot machine", + "coin machine", + "slow lane", + "slow match", + "sluice", + "sluiceway", + "penstock", + "sluicegate", + "sluice valve", + "floodgate", + "penstock", + "head gate", + "water gate", + "smack", + "small boat", + "small computer system interface", + "SCSI", + "small ship", + "small stores", + "small stuff", + "smart bomb", + "smelling bottle", + "smelter", + "smeltery", + "smocking", + "smoke bomb", + "smoke grenade", + "smoke hole", + "smokehouse", + "meat house", + "smoker", + "smoking car", + "smoking carriage", + "smoking compartment", + "smoke screen", + "smokescreen", + "smokestack", + "stack", + "smoking mixture", + "smoking room", + "smoothbore", + "smooth plane", + "smoothing plane", + "snack bar", + "snack counter", + "buffet", + "snaffle", + "snaffle bit", + "snake", + "snap", + "snap fastener", + "press stud", + "snap brim", + "snap-brim hat", + "snapshot", + "snap", + "shot", + "snare", + "gin", + "noose", + "snare", + "snare", + "snare drum", + "snare", + "side drum", + "snatch block", + "Snellen chart", + "snifter", + "brandy snifter", + "brandy glass", + "snip", + "snippet", + "snipping", + "sniper rifle", + "precision rifle", + "snips", + "tinsnips", + "Sno-cat", + "snood", + "snorkel", + "schnorkel", + "schnorchel", + "snorkel breather", + "breather", + "snorkel", + "snorter", + "snowball", + "snowbank", + "snow bank", + "snowboard", + "snowman", + "snowmobile", + "snowplow", + "snowplough", + "snowshoe", + "snowsuit", + "snow thrower", + "snow blower", + "snow tire", + "snuff", + "snuffbox", + "snuffer", + "snuffers", + "soap", + "soap", + "scoop", + "max", + "liquid ecstasy", + "grievous bodily harm", + "goop", + "Georgia home boy", + "easy lay", + "soapbox", + "soap dish", + "soap dispenser", + "soap film", + "soap flakes", + "soap pad", + "soap powder", + "built-soap powder", + "washing powder", + "soccer ball", + "sock", + "socket", + "socket", + "socket wrench", + "socle", + "soda can", + "soda fountain", + "soda fountain", + "sod house", + "soddy", + "adobe house", + "sodium salicylate", + "sodium thiopental", + "phenobarbital", + "phenobarbitone", + "Luminal", + "purple heart", + "sodium-vapor lamp", + "sodium-vapour lamp", + "sofa", + "couch", + "lounge", + "soffit", + "softball", + "playground ball", + "soft drug", + "soft pedal", + "soft soap", + "green soap", + "software package", + "software product", + "soil pipe", + "solar array", + "solar battery", + "solar panel", + "solar cell", + "photovoltaic cell", + "solar dish", + "solar collector", + "solar furnace", + "solar heater", + "solar house", + "solar telescope", + "solar thermal system", + "soldering iron", + "sole", + "solenoid", + "solitaire", + "solleret", + "sabaton", + "sombrero", + "sonar", + "echo sounder", + "asdic", + "sonic depth finder", + "fathometer", + "sonogram", + "echogram", + "sonograph", + "soothing syrup", + "soporific", + "hypnotic", + "sorter", + "souk", + "sound bow", + "soundbox", + "body", + "sound camera", + "sounder", + "sound film", + "sound hole", + "sounding board", + "soundboard", + "sounding lead", + "sounding rocket", + "sound recording", + "audio recording", + "audio", + "sound spectrograph", + "soundtrack", + "sound truck", + "soup bowl", + "soup ladle", + "soup plate", + "soupspoon", + "soup spoon", + "source", + "source of illumination", + "sourdine", + "sourdine", + "sordino", + "soutache", + "soutane", + "sou'wester", + "soybean future", + "space bar", + "space capsule", + "capsule", + "spacecraft", + "ballistic capsule", + "space vehicle", + "space heater", + "space helmet", + "Space Needle", + "space probe", + "space rocket", + "space shuttle", + "space station", + "space platform", + "space laboratory", + "spacesuit", + "spade", + "spade", + "spade bit", + "spaghetti junction", + "Spandau", + "spandex", + "spandrel", + "spandril", + "spanker", + "spar", + "spare part", + "spare", + "sparge pipe", + "spark arrester", + "sparker", + "spark arrester", + "spark chamber", + "spark counter", + "spark coil", + "spark gap", + "spark gap", + "sparkler", + "spark lever", + "spark plug", + "sparking plug", + "plug", + "sparkplug wrench", + "spark transmitter", + "spat", + "gaiter", + "spatula", + "spatula", + "speakeasy", + "speakerphone", + "speaking trumpet", + "speaking tube", + "spear", + "lance", + "shaft", + "spear", + "gig", + "fizgig", + "fishgig", + "lance", + "spearhead", + "spearpoint", + "spear-point", + "specialty store", + "specific", + "specimen bottle", + "spectacle", + "spectacles", + "specs", + "eyeglasses", + "glasses", + "spectator pump", + "spectator", + "spectinomycin", + "spectrogram", + "spectrograph", + "spectrograph", + "spectrophotometer", + "spectroscope", + "prism spectroscope", + "speculum", + "speculum", + "speedboat", + "speed bump", + "speedometer", + "speed indicator", + "speed skate", + "racing skate", + "speedway", + "speedway", + "sperm bank", + "spermicide", + "spermatocide", + "sphere", + "spherometer", + "sphinx", + "sphygmomanometer", + "spicemill", + "spice rack", + "spider", + "spider web", + "spider's web", + "spider web", + "spider's web", + "spike", + "spike", + "spike", + "spindle", + "spike", + "spike", + "spike", + "spike heel", + "spike", + "stiletto heel", + "spike mike", + "spillway", + "spill", + "wasteweir", + "spinal anesthetic", + "spinal anaesthetic", + "spindle", + "spindle", + "mandrel", + "mandril", + "arbor", + "spindle", + "spin dryer", + "spin drier", + "spine", + "backbone", + "spinet", + "spinet", + "spinnaker", + "spinner", + "spinner", + "spinning frame", + "spinning jenny", + "spinning machine", + "spinning rod", + "spinning wheel", + "spiral", + "volute", + "spiral bandage", + "spiral ratchet screwdriver", + "ratchet screwdriver", + "spiral spring", + "spirit lamp", + "spirit stove", + "spirogram", + "spirograph", + "spirometer", + "spit", + "spitball", + "spittoon", + "cuspidor", + "splashboard", + "splasher", + "dashboard", + "splasher", + "splat", + "splay", + "splice", + "splicing", + "splicer", + "spline", + "splint", + "split", + "split rail", + "fence rail", + "Spode", + "spoiler", + "spoiler", + "spoke", + "wheel spoke", + "radius", + "spokeshave", + "sponge cloth", + "sponge mop", + "spoon", + "spoon", + "Spork", + "sporran", + "sporting goods", + "sport kite", + "stunt kite", + "sports car", + "sport car", + "sports equipment", + "sports implement", + "sportswear", + "athletic wear", + "activewear", + "sport utility", + "sport utility vehicle", + "S.U.V.", + "SUV", + "spot", + "spot", + "spotlight", + "spot", + "spot market", + "spot weld", + "spot-weld", + "spout", + "spouter", + "sprag", + "spray", + "spray gun", + "spray paint", + "spreader", + "sprig", + "spring", + "spring balance", + "spring scale", + "springboard", + "springer", + "impost", + "spring mattress", + "sprinkler", + "sprinkler system", + "sprit", + "spritsail", + "sprocket", + "sprocket wheel", + "sprocket", + "spud", + "stump spud", + "spun yarn", + "spur", + "gad", + "spur gear", + "spur wheel", + "sputnik", + "spy satellite", + "squab", + "squad room", + "squad room", + "square", + "square", + "square knot", + "square nut", + "square-rigger", + "square sail", + "squash ball", + "squash court", + "squash racket", + "squash racquet", + "bat", + "squawk box", + "squawker", + "intercom speaker", + "squeaker", + "squeegee", + "squeezer", + "squelch circuit", + "squelch", + "squelcher", + "squib", + "saquinavir", + "Invirase", + "squinch", + "squirrel cage", + "stabile", + "stabilizer", + "stabiliser", + "stabilizer", + "stabilizer bar", + "anti-sway bar", + "stable", + "stalls", + "horse barn", + "stable gear", + "saddlery", + "tack", + "stabling", + "stacked heel", + "stacks", + "staddle", + "stadium", + "bowl", + "arena", + "sports stadium", + "staff", + "stage", + "stage", + "microscope stage", + "stagecoach", + "stage", + "stage door", + "stage set", + "set", + "stained-glass window", + "stair-carpet", + "stairhead", + "stair-rod", + "stairs", + "steps", + "stairway", + "staircase", + "stairwell", + "stake", + "stake", + "stalking-horse", + "stall", + "stand", + "sales booth", + "stall", + "stall bar", + "stall", + "stammel", + "stamp", + "stamp", + "pestle", + "stamp album", + "stamp mill", + "stamping mill", + "stamping machine", + "stamper", + "stanchion", + "stand", + "stand", + "standard", + "banner", + "standard", + "standard cell", + "standard gauge", + "standard transmission", + "stick shift", + "standby", + "standee", + "standing press", + "standing room", + "standpipe", + "St. Andrew's cross", + "saltire", + "Stanford University", + "Stanford", + "stanhope", + "Stanley Steamer", + "staple", + "staple", + "staple gun", + "staplegun", + "tacker", + "stapler", + "stapling machine", + "starboard", + "star drill", + "Stars and Bars", + "Confederate flag", + "starship", + "spaceship", + "starter", + "starter motor", + "starting motor", + "starting block", + "starting gate", + "starting stall", + "stash house", + "Stassano furnace", + "electric-arc furnace", + "Statehouse", + "stately home", + "state prison", + "stateroom", + "static line", + "static tube", + "station", + "Station of the Cross", + "stator", + "stator coil", + "statue", + "Statue of Liberty", + "stave", + "lag", + "stay", + "stay", + "staysail", + "steakhouse", + "chophouse", + "steak knife", + "stealth aircraft", + "stealth bomber", + "stealth fighter", + "steam bath", + "steam room", + "vapor bath", + "vapour bath", + "steamboat", + "steam chest", + "steam engine", + "steamer", + "steamship", + "steamer", + "steam heat", + "steam heating", + "steam iron", + "steam line", + "steam pipe", + "steam locomotive", + "steamroller", + "road roller", + "steamship company", + "steamship line", + "steam shovel", + "steam turbine", + "steam whistle", + "steel", + "steel arch bridge", + "steel drum", + "steel engraving", + "steel engraving", + "steel mill", + "steelworks", + "steel plant", + "steel factory", + "steel plate", + "steel trap", + "steel-wool pad", + "steelyard", + "lever scale", + "beam scale", + "steeper", + "steeple", + "spire", + "steerage", + "steering gear", + "steering linkage", + "steering system", + "steering mechanism", + "steering wheel", + "wheel", + "stele", + "stela", + "stem", + "stemmer", + "stemmer", + "stem-winder", + "stencil", + "Sten gun", + "stenograph", + "stent", + "step", + "stair", + "step", + "step-down transformer", + "stepper", + "stepping motor", + "step ladder", + "stepladder", + "step stool", + "step-up transformer", + "stereo", + "stereophony", + "stereo system", + "stereophonic system", + "stereo", + "stereoscopic picture", + "stereoscopic photograph", + "stereoscope", + "stern", + "after part", + "quarter", + "poop", + "tail", + "stern chaser", + "sternpost", + "sternwheeler", + "stethoscope", + "stewing pan", + "stewpan", + "stick", + "stick", + "stick", + "control stick", + "joystick", + "stick", + "stick figure", + "stick horse", + "stickpin", + "stile", + "stiletto", + "still", + "still", + "still life", + "stillroom", + "still room", + "Stillson wrench", + "stilt", + "stimulant", + "stimulant drug", + "excitant", + "Stinger", + "stink bomb", + "stench bomb", + "stinker", + "stirrer", + "stirrup", + "stirrup iron", + "stirrup pump", + "stitch", + "stob", + "stock", + "inventory", + "stock", + "stock", + "gunstock", + "stock", + "stockade", + "stockcar", + "stock car", + "stock car", + "stock exchange", + "stock market", + "securities market", + "stockinet", + "stockinette", + "stockinette stitch", + "stocking", + "stock-in-trade", + "stockpot", + "stockroom", + "stock room", + "stocks", + "stocks", + "stocks", + "stock saddle", + "Western saddle", + "stockyard", + "stogy", + "stogie", + "stokehold", + "stokehole", + "fireroom", + "stoker", + "stole", + "stomacher", + "stomach pump", + "stone", + "stone wall", + "stoneware", + "stonework", + "stool", + "stool pigeon", + "stoop", + "stoep", + "stop", + "stop bath", + "short-stop", + "short-stop bath", + "stopcock", + "cock", + "turncock", + "stopper", + "stopper knot", + "stopwatch", + "stop watch", + "storage battery", + "accumulator", + "storage cell", + "secondary cell", + "storage ring", + "storage space", + "storehouse", + "depot", + "entrepot", + "storage", + "store", + "storeroom", + "storage room", + "stowage", + "storm cellar", + "cyclone cellar", + "tornado cellar", + "storm door", + "storm window", + "storm sash", + "stoup", + "stoop", + "stoup", + "stove", + "stove", + "kitchen stove", + "range", + "kitchen range", + "cooking stove", + "stove bolt", + "stovepipe", + "stovepipe iron", + "Stradavarius", + "Strad", + "straightaway", + "straight", + "straight chair", + "side chair", + "straightedge", + "straightener", + "straight flute", + "straight-fluted drill", + "straight pin", + "straight razor", + "strainer", + "strain gauge", + "strain gage", + "straitjacket", + "straightjacket", + "strand", + "strap", + "strap", + "strap", + "shoulder strap", + "strap", + "strap hinge", + "joint hinge", + "strapless", + "straw", + "drinking straw", + "streamer fly", + "streamliner", + "street", + "street", + "streetcar", + "tram", + "tramcar", + "trolley", + "trolley car", + "street clothes", + "streetlight", + "street lamp", + "strengthener", + "reinforcement", + "streptomycin", + "streptothricin", + "stretch", + "stretcher", + "stretcher", + "stretcher", + "stretch pants", + "strickle", + "strickle", + "strickle", + "striker", + "string", + "twine", + "string", + "string", + "stringed instrument", + "stringer", + "stringer", + "string tie", + "strip", + "slip", + "strip", + "strip lighting", + "strip mall", + "strip mine", + "stripper well", + "stripper", + "stroboscope", + "strobe", + "strobe light", + "strongbox", + "deedbox", + "stronghold", + "fastness", + "strongroom", + "strop", + "structural member", + "structure", + "construction", + "strut", + "stub nail", + "stud", + "rivet", + "student center", + "student lamp", + "student union", + "stud farm", + "stud finder", + "studio", + "studio", + "studio apartment", + "studio", + "studio couch", + "day bed", + "study", + "study hall", + "stuff", + "stuffing", + "stuffing box", + "packing box", + "stuffing nut", + "packing nut", + "stumbling block", + "stump", + "stun gun", + "stun baton", + "stupa", + "tope", + "sty", + "pigsty", + "pigpen", + "stylus", + "style", + "stylus", + "sub-assembly", + "subbase", + "subcompact", + "subcompact car", + "subject", + "content", + "depicted object", + "submachine gun", + "submarine", + "pigboat", + "sub", + "U-boat", + "submarine torpedo", + "submersible", + "submersible warship", + "submersible", + "subsection", + "subdivision", + "substation", + "subtilin", + "subtracter", + "subway station", + "subway token", + "subway train", + "subwoofer", + "succinylcholine", + "sucralfate", + "Carafate", + "suction cup", + "suction pump", + "sudatorium", + "sudatory", + "sudorific", + "sudatory", + "suede cloth", + "suede", + "sugar bowl", + "sugar refinery", + "sugar spoon", + "sugar shell", + "suit", + "suit of clothes", + "suit", + "suite", + "rooms", + "suiting", + "sulfacetamide", + "Sulamyd", + "sulfadiazine", + "sulfa drug", + "sulfa", + "sulpha", + "sulfonamide", + "sulfamethazine", + "sulfamezathine", + "sulfamethoxazole", + "Gantanol", + "sulfanilamide", + "sulfapyridine", + "sulfisoxazole", + "Gantrisin", + "sulfonylurea", + "sulindac", + "Clinoril", + "sulky", + "sulphur mine", + "sulfur mine", + "sum", + "total", + "totality", + "aggregate", + "summer house", + "sumo ring", + "sump", + "sump", + "sump pump", + "sunbonnet", + "sunburst", + "sunburst", + "sunburst pleat", + "sunray pleat", + "Sunday best", + "Sunday clothes", + "sun deck", + "sundial", + "sundress", + "sundries", + "sun gear", + "sunglass", + "sunglasses", + "dark glasses", + "shades", + "sunken garden", + "sunk fence", + "ha-ha", + "haw-haw", + "sunhat", + "sun hat", + "sunlamp", + "sun lamp", + "sunray lamp", + "sun-ray lamp", + "sun parlor", + "sun parlour", + "sun porch", + "sunporch", + "sunroom", + "sun lounge", + "solarium", + "sunroof", + "sunshine-roof", + "sunscreen", + "sunblock", + "sun blocker", + "sunsuit", + "suntrap", + "solar trap", + "sun visor", + "supercharger", + "supercomputer", + "superconducting supercollider", + "superficies", + "superhighway", + "information superhighway", + "supermarket", + "superstructure", + "supertanker", + "supper club", + "supplejack", + "supply chamber", + "supply closet", + "support", + "support", + "support column", + "support hose", + "support stocking", + "supporting structure", + "supporting tower", + "suppository", + "suppressant", + "appetite suppressant", + "suppressor", + "suppresser", + "surbase", + "surcoat", + "surface", + "surface gauge", + "surface gage", + "scribing block", + "surface lift", + "surface search radar", + "surface ship", + "surface-to-air missile", + "SAM", + "surface-to-air missile system", + "surfboard", + "surfboat", + "surcoat", + "surgeon's knot", + "surgery", + "surge suppressor", + "surge protector", + "spike suppressor", + "spike arrester", + "lightning arrester", + "surgical dressing", + "surgical instrument", + "surgical knife", + "surplice", + "surrey", + "surtout", + "surveillance system", + "surveying instrument", + "surveyor's instrument", + "surveyor's level", + "sushi bar", + "suspension", + "suspension system", + "suspension bridge", + "suspensory", + "suspensory bandage", + "sustaining pedal", + "loud pedal", + "suture", + "suture", + "surgical seam", + "swab", + "swob", + "mop", + "swab", + "swaddling clothes", + "swaddling bands", + "swag", + "swage block", + "swagger stick", + "swallow-tailed coat", + "swallowtail", + "morning coat", + "swamp buggy", + "marsh buggy", + "swan's down", + "swatch", + "swathe", + "wrapping", + "swathing", + "swatter", + "flyswatter", + "flyswat", + "sweat bag", + "sweatband", + "sweatband", + "sweatbox", + "sweatbox", + "sweater", + "jumper", + "sweat pants", + "sweatpants", + "sweatshirt", + "sweatshop", + "sweat suit", + "sweatsuit", + "sweats", + "workout suit", + "sweep", + "sweep oar", + "sweep hand", + "sweep-second", + "swimming pool", + "swimming bath", + "natatorium", + "swimming trunks", + "bathing trunks", + "swimsuit", + "swimwear", + "bathing suit", + "swimming costume", + "bathing costume", + "swing", + "swing door", + "swinging door", + "switch", + "switch", + "electric switch", + "electrical switch", + "switch", + "switch", + "switchblade", + "switchblade knife", + "flick-knife", + "flick knife", + "switchboard", + "patchboard", + "plugboard", + "switch engine", + "donkey engine", + "swivel", + "swivel chair", + "swizzle stick", + "sword", + "blade", + "brand", + "steel", + "sword cane", + "sword stick", + "sword knot", + "S wrench", + "Sydney Harbor Bridge", + "synagogue", + "temple", + "tabernacle", + "synchrocyclotron", + "synchroflash", + "synchromesh", + "synchronous converter", + "rotary", + "rotary converter", + "synchronous motor", + "synchrotron", + "synchroscope", + "synchronoscope", + "synchronizer", + "synchroniser", + "synergist", + "synthesizer", + "synthesiser", + "synthetism", + "syringe", + "system", + "system clock", + "system clock", + "tab", + "tabard", + "Tabernacle", + "Tabernacle", + "Mormon Tabernacle", + "tabi", + "tabis", + "tab key", + "tab", + "table", + "table", + "tablecloth", + "tablefork", + "table knife", + "table lamp", + "table linen", + "napery", + "table mat", + "hot pad", + "table saw", + "tablespoon", + "tablet", + "tablet", + "tablet-armed chair", + "table-tennis table", + "ping-pong table", + "pingpong table", + "table-tennis racquet", + "table-tennis bat", + "pingpong paddle", + "tabletop", + "tableware", + "tabor", + "tabour", + "taboret", + "tabouret", + "tachistoscope", + "t-scope", + "tachograph", + "tachometer", + "tach", + "tachymeter", + "tacheometer", + "tack", + "tack hammer", + "Tacoma Narrows Bridge", + "tadalafil", + "Cialis", + "taenia", + "tenia", + "fillet", + "taffeta", + "taffrail", + "tail", + "tail assembly", + "empennage", + "tail", + "tail fin", + "tailfin", + "fin", + "tailgate", + "tailboard", + "tail gate", + "taillight", + "tail lamp", + "rear light", + "rear lamp", + "tailor-made", + "tailor's chalk", + "tailor's tack", + "tailpiece", + "tailpipe", + "tailrace", + "tail rotor", + "anti-torque rotor", + "tailstock", + "Taj Mahal", + "take-up", + "talaria", + "talcum", + "talcum powder", + "talking book", + "tam", + "tam-o'-shanter", + "tammy", + "tambour", + "tambour", + "embroidery frame", + "embroidery hoop", + "tambourine", + "tammy", + "tamp", + "tamper", + "tamping bar", + "Tampax", + "tampion", + "tompion", + "tampon", + "tandem trailer", + "tandoor", + "tangram", + "tank", + "storage tank", + "tank", + "army tank", + "armored combat vehicle", + "armoured combat vehicle", + "tanka", + "tankard", + "tank car", + "tank", + "tank circuit", + "tank destroyer", + "tank engine", + "tank locomotive", + "tanker plane", + "tank furnace", + "tank iron", + "tank shell", + "tank top", + "tannery", + "tannoy", + "tap", + "spigot", + "tap", + "tap", + "tapa", + "tappa", + "tape", + "tape", + "tape recording", + "taping", + "tape", + "tapeline", + "tape measure", + "tape cartridge", + "tape deck", + "tape drive", + "tape transport", + "transport", + "tape player", + "tape recorder", + "tape machine", + "taper file", + "tapestry", + "arras", + "tapestry", + "tapis", + "Tappan Zee Bridge", + "tappet", + "tap wrench", + "tare", + "target", + "butt", + "target acquisition system", + "tarmacadam", + "tarmac", + "macadam", + "tarot card", + "tarot", + "tarpaulin", + "tarp", + "tartan", + "plaid", + "tassel", + "tasset", + "tasse", + "tatting", + "tattoo", + "tau cross", + "St. Anthony's cross", + "tavern", + "tap house", + "taw", + "shooter", + "tawse", + "taximeter", + "taxiway", + "taxi strip", + "T-bar lift", + "T-bar", + "Alpine lift", + "tea bag", + "tea ball", + "tea cart", + "teacart", + "tea trolley", + "tea wagon", + "tea chest", + "teaching aid", + "tea cloth", + "teacup", + "tea garden", + "tea gown", + "teakettle", + "tea maker", + "tea napkin", + "teapot", + "teaser", + "tea service", + "tea set", + "teashop", + "teahouse", + "tearoom", + "tea parlor", + "tea parlour", + "teaspoon", + "tea-strainer", + "tea table", + "tea tray", + "tea urn", + "technical", + "teddy", + "teddy bear", + "tee", + "golf tee", + "tee", + "football tee", + "tee hinge", + "T hinge", + "telecom hotel", + "telco building", + "telecommunication system", + "telecom system", + "telecommunication equipment", + "telecom equipment", + "telegraph", + "telegraphy", + "telegraph key", + "telemeter", + "telephone", + "phone", + "telephone set", + "telephone bell", + "telephone booth", + "phone booth", + "call box", + "telephone box", + "telephone kiosk", + "telephone cord", + "phone cord", + "telephone jack", + "phone jack", + "telephone line", + "phone line", + "telephone circuit", + "subscriber line", + "line", + "telephone plug", + "phone plug", + "telephone pole", + "telegraph pole", + "telegraph post", + "telephone receiver", + "receiver", + "telephone system", + "phone system", + "telephone wire", + "telephone line", + "telegraph wire", + "telegraph line", + "telephotograph", + "telephoto", + "telephotograph", + "telephoto lens", + "zoom lens", + "Teleprompter", + "telescope", + "scope", + "telescopic sight", + "telescope sight", + "telethermometer", + "teletypewriter", + "teleprinter", + "teletype machine", + "telex", + "telex machine", + "television", + "television system", + "television antenna", + "tv-antenna", + "television camera", + "tv camera", + "camera", + "television-camera tube", + "television pickup tube", + "television equipment", + "video equipment", + "television monitor", + "tv monitor", + "television receiver", + "television", + "television set", + "tv", + "tv set", + "idiot box", + "boob tube", + "telly", + "goggle box", + "television room", + "tv room", + "television station", + "TV station", + "television transmitter", + "telpher", + "telfer", + "telpherage", + "telferage", + "temazepam", + "Restoril", + "tempera", + "poster paint", + "poster color", + "poster colour", + "temple", + "temple", + "Temple of Apollo", + "Oracle of Apollo", + "Delphic oracle", + "oracle of Delphi", + "Temple of Artemis", + "Temple of Jerusalem", + "Temple of Solomon", + "temporary hookup", + "patch", + "tender", + "supply ship", + "tender", + "ship's boat", + "pinnace", + "cutter", + "tender", + "tenement", + "tenement house", + "tennis ball", + "tennis camp", + "tennis court", + "tennis racket", + "tennis racquet", + "tenon", + "tenor drum", + "tom-tom", + "Tenoretic", + "tenoroon", + "tenpenny nail", + "tenpin", + "tensimeter", + "tensiometer", + "tensiometer", + "tensiometer", + "ten-spot", + "ten", + "tent", + "collapsible shelter", + "tenter", + "tenterhook", + "tent-fly", + "rainfly", + "fly sheet", + "fly", + "tent flap", + "tent peg", + "tepee", + "tipi", + "teepee", + "terazosin", + "Hytrin", + "terbinafine", + "Lamisil", + "terminal", + "terminus", + "depot", + "terminal", + "pole", + "terminal", + "terminus", + "terminus", + "terminal figure", + "term", + "terraced house", + "terra cotta", + "terrarium", + "terra sigillata", + "Samian ware", + "terry", + "terry cloth", + "terrycloth", + "Tesla coil", + "tessella", + "tessera", + "test bed", + "test equipment", + "tester", + "test paper", + "test range", + "test rocket", + "research rocket", + "test instrument vehicle", + "test room", + "testing room", + "test tube", + "testudo", + "tetracaine", + "tetrachlorethylene", + "tetrachloroethylene", + "ethylene tetrachloride", + "carbon dichloride", + "tetracycline", + "Achromycin", + "tetrahydrocannabinol", + "THC", + "tetraskelion", + "tetraskele", + "tetrode", + "textile machine", + "textile mill", + "thalidomide", + "thatch", + "thatched roof", + "theater", + "theatre", + "house", + "theater curtain", + "theatre curtain", + "theater light", + "theater stage", + "theatre stage", + "theodolite", + "transit", + "theophylline", + "Elixophyllin", + "Slo-Bid", + "Theobid", + "theremin", + "thermal printer", + "thermal reactor", + "thermistor", + "thermal resistor", + "thermobaric bomb", + "fuel-air bomb", + "vacuum bomb", + "volume-detonation bomb", + "aerosol bomb", + "thermocouple", + "thermocouple junction", + "thermoelectric thermometer", + "thermel", + "electric thermometer", + "thermograph", + "thermometrograph", + "thermograph", + "thermohydrometer", + "thermogravimeter", + "thermojunction", + "thermometer", + "thermonuclear reactor", + "fusion reactor", + "thermopile", + "thermos", + "thermos bottle", + "thermos flask", + "thermostat", + "thermoregulator", + "thiabendazole", + "thiazide", + "thigh pad", + "thill", + "thimble", + "thimerosal", + "sodium ethylmercurithiosalicylate", + "Merthiolate", + "thing", + "thing", + "thinning shears", + "thioguanine", + "thiopental", + "thiopental sodium", + "thiopentobarbital sodium", + "Pentothal", + "thioridazine", + "Mellaril", + "Thiosulfil", + "thiotepa", + "thiothixene", + "Navane", + "third base", + "third", + "third gear", + "third", + "third rail", + "thong", + "thong", + "thoroughfare", + "thread", + "yarn", + "three-centered arch", + "basket-handle arch", + "three-decker", + "three-decker", + "three-dimensional radar", + "3d radar", + "three-piece suit", + "three-quarter binding", + "three-way switch", + "three-point switch", + "thresher", + "thrasher", + "threshing machine", + "threshing floor", + "threshold element", + "threshold gate", + "thriftshop", + "second-hand store", + "throat", + "throat", + "throat protector", + "thrombolytic", + "thrombolytic agent", + "clot buster", + "throne", + "throstle", + "throughput", + "throw", + "throwing stick", + "throwing board", + "spear thrower", + "dart thrower", + "throw pillow", + "thrust bearing", + "thruster", + "thrust stage", + "thumb", + "thumbhole", + "thumbhole", + "thumb index", + "thumbscrew", + "thumbscrew", + "thumbstall", + "thumbtack", + "drawing pin", + "pushpin", + "thunderer", + "thwart", + "cross thwart", + "tiara", + "tick", + "ticker", + "stock ticker", + "ticket window", + "ticking", + "tickler coil", + "tidemark", + "tidy", + "tie", + "tie", + "tie beam", + "tie", + "railroad tie", + "crosstie", + "sleeper", + "tie clip", + "tier", + "tier", + "tie rack", + "tiered seat", + "tie rod", + "tie tack", + "tiepin", + "scarfpin", + "tightrope", + "tights", + "leotards", + "tile", + "tile", + "tile cutter", + "tile roof", + "tiller", + "tilter", + "tilt-top table", + "tip-top table", + "tip table", + "timber", + "timber", + "timber hitch", + "timbrel", + "time-ball", + "time bomb", + "infernal machine", + "time capsule", + "timecard", + "time clock", + "time-delay measuring instrument", + "time-delay measuring system", + "time exposure", + "time-fuse", + "time machine", + "timepiece", + "timekeeper", + "horologe", + "timer", + "timer", + "time-switch", + "timolol", + "Blocadren", + "tin", + "tin can", + "tincture", + "tincture of iodine", + "iodine", + "tinderbox", + "tine", + "tinfoil", + "tin foil", + "tin plate", + "tinplate", + "tinsel", + "tinsel", + "tintack", + "tinware", + "tippet", + "tire", + "tyre", + "tire chain", + "snow chain", + "tire iron", + "tire tool", + "tissue plasminogen activator", + "Activase", + "titfer", + "tithe barn", + "titrator", + "T-junction", + "T-network", + "TNT", + "trinitrotoluene", + "toaster", + "toaster oven", + "toasting fork", + "toastrack", + "tobacco", + "baccy", + "tobacco pouch", + "tobacco shop", + "tobacconist shop", + "tobacconist", + "toboggan", + "tobramycin", + "Nebcin", + "toby", + "toby jug", + "toby fillpot jug", + "tocainide", + "Tonocard", + "tocsin", + "warning bell", + "toe", + "toe", + "toe box", + "toecap", + "toehold", + "toga", + "toga virilis", + "toggle", + "toggle bolt", + "toggle joint", + "toggle switch", + "toggle", + "on-off switch", + "on/off switch", + "togs", + "threads", + "duds", + "toilet", + "lavatory", + "lav", + "can", + "john", + "privy", + "bathroom", + "toilet", + "can", + "commode", + "crapper", + "pot", + "potty", + "stool", + "throne", + "toilet bag", + "sponge bag", + "toilet bowl", + "toilet kit", + "travel kit", + "toilet powder", + "bath powder", + "dusting powder", + "toiletry", + "toilet articles", + "toilet seat", + "toilet soap", + "face soap", + "bath soap", + "toilet water", + "eau de toilette", + "tokamak", + "token", + "tolazamide", + "Tolinase", + "tolazoline", + "tolbutamide", + "Orinase", + "tole", + "tollbooth", + "tolbooth", + "tollhouse", + "toll bridge", + "tollgate", + "tollbar", + "toll line", + "tolmetin sodium", + "Tolectin", + "tomahawk", + "hatchet", + "Tommy gun", + "Thompson submachine gun", + "tomograph", + "tone arm", + "pickup", + "pickup arm", + "toner", + "tongs", + "pair of tongs", + "tongue", + "tongue and groove joint", + "tongue depressor", + "tonic", + "restorative", + "tonometer", + "tool", + "tool bag", + "toolbox", + "tool chest", + "tool cabinet", + "tool case", + "toolshed", + "toolhouse", + "tooth", + "tooth", + "toothbrush", + "toothpaste", + "toothpick", + "tooth powder", + "toothpowder", + "top", + "top", + "cover", + "top", + "whirligig", + "teetotum", + "spinning top", + "top", + "topgallant", + "topgallant mast", + "topgallant", + "topgallant sail", + "topiary", + "topknot", + "top lift", + "topmast", + "top of the line", + "topper", + "topsail", + "topside", + "toque", + "torch", + "tormenter", + "tormentor", + "teaser", + "torpedo", + "torpedo", + "torpedo", + "torpedo", + "torpedo boat", + "torpedo-boat destroyer", + "torpedo tube", + "torque converter", + "torque wrench", + "torsion balance", + "torture chamber", + "torus", + "tore", + "totem", + "totem pole", + "touch screen", + "touchscreen", + "toupee", + "toupe", + "touring car", + "phaeton", + "tourer", + "tourist class", + "third class", + "towel", + "toweling", + "towelling", + "towel rack", + "towel horse", + "towel rail", + "towel bar", + "towel ring", + "tower", + "Tower of Babel", + "Babel", + "Tower of London", + "Tower of Pharos", + "towline", + "towrope", + "towing line", + "towing rope", + "town hall", + "towpath", + "towing path", + "tow truck", + "tow car", + "wrecker", + "toy", + "toy box", + "toy chest", + "toy", + "toyshop", + "toy soldier", + "trace", + "trace detector", + "tracer", + "tracer bullet", + "tracer", + "tracer", + "tracery", + "tracing", + "trace", + "track", + "cart track", + "cartroad", + "track", + "rail", + "rails", + "runway", + "track", + "track", + "track", + "data track", + "track", + "caterpillar track", + "caterpillar tread", + "trackball", + "tracked vehicle", + "tract house", + "tract housing", + "traction engine", + "tractor", + "tractor", + "trading card", + "traffic circle", + "circle", + "rotary", + "roundabout", + "traffic island", + "safety island", + "safety isle", + "safety zone", + "traffic lane", + "trail", + "trail bike", + "dirt bike", + "scrambler", + "trailer", + "house trailer", + "trailer", + "trailer camp", + "trailer park", + "trailer truck", + "tractor trailer", + "trucking rig", + "rig", + "articulated lorry", + "semi", + "trailing edge", + "train", + "railroad train", + "train", + "train set", + "tramcar", + "tram", + "tramline", + "tramway", + "streetcar track", + "trammel", + "trammel", + "trammel net", + "trammel", + "trampoline", + "tramp steamer", + "tramp", + "tramway", + "tram", + "aerial tramway", + "cable tramway", + "ropeway", + "trandolapril", + "Mavik", + "tranquilizer", + "tranquillizer", + "tranquilliser", + "antianxiety agent", + "ataractic drug", + "ataractic agent", + "ataractic", + "transcription", + "transdermal patch", + "skin patch", + "transducer", + "transept", + "transformer", + "transistor", + "junction transistor", + "electronic transistor", + "transit instrument", + "transit line", + "transmission", + "transmission system", + "transmission shaft", + "transmitter", + "sender", + "transom", + "traverse", + "transom", + "transom window", + "fanlight", + "transponder", + "transportation system", + "transportation", + "transit", + "transporter", + "transporter", + "car transporter", + "transport ship", + "tranylcypromine", + "trap", + "trap", + "trap", + "trap", + "trap-and-drain auger", + "trap door", + "trapeze", + "trave", + "traverse", + "crossbeam", + "crosspiece", + "travel iron", + "trawl", + "dragnet", + "trawl net", + "trawl", + "trawl line", + "spiller", + "setline", + "trotline", + "trawler", + "dragger", + "tray", + "tray cloth", + "trazodone", + "trazodone hydrochloride", + "Desyrel", + "tread", + "tread", + "tread", + "treadmill", + "treadwheel", + "tread-wheel", + "treadmill", + "treasure chest", + "treasure house", + "treasure ship", + "treasury", + "tree house", + "treenail", + "trenail", + "trunnel", + "trefoil", + "trefoil arch", + "trellis", + "treillage", + "trench", + "trench", + "trench coat", + "trencher", + "trench knife", + "trepan", + "trepan", + "trephine", + "trestle", + "trestle", + "trestle bridge", + "trestle table", + "trestlework", + "trews", + "trey", + "three", + "trial balloon", + "triazolam", + "Halcion", + "triangle", + "triangle", + "tribromoethanol", + "tribromoethyl alcohol", + "tribune", + "trichlormethiazide", + "Naqua", + "triclinium", + "triclinium", + "tricolor", + "tricolour", + "tricolor television tube", + "tricolour television tube", + "tricolor tube", + "tricolour tube", + "tricorn", + "tricorne", + "tricot", + "tricycle", + "trike", + "velocipede", + "tricyclic", + "tricyclic antidepressant", + "tricyclic antidepressant drug", + "trident", + "trigger", + "trigon", + "trimaran", + "trimipramine", + "Surmontil", + "trimmer", + "trimmer joist", + "trimmer", + "trimming capacitor", + "trimmer", + "trimmer arch", + "trimming", + "trim", + "passementerie", + "triode", + "triphammer", + "triplicate", + "trip line", + "tripod", + "tripper", + "trip", + "triptych", + "trip wire", + "trireme", + "triskelion", + "triskele", + "triumphal arch", + "trivet", + "trivet", + "triviality", + "trivia", + "trifle", + "small beer", + "troika", + "Trojan Horse", + "Wooden Horse", + "troll", + "trolleybus", + "trolley coach", + "trackless trolley", + "trolley line", + "trombone", + "trompe l'oeil", + "troop carrier", + "troop transport", + "troopship", + "trophy", + "prize", + "trophy case", + "trou-de-loup", + "trough", + "trouser", + "trouser cuff", + "trouser press", + "pants presser", + "trouser", + "pant", + "trousseau", + "trowel", + "truck", + "motortruck", + "truck bed", + "truck farm", + "truck garden", + "truck stop", + "trump", + "trump", + "trump card", + "trumpet arch", + "truncheon", + "nightstick", + "baton", + "billy", + "billystick", + "billy club", + "trundle", + "trundle bed", + "trundle", + "truckle bed", + "truckle", + "trunk", + "trunk hose", + "trunk lid", + "trunk line", + "trunk line", + "trunk route", + "truss", + "truss", + "truss bridge", + "truth serum", + "truth drug", + "try square", + "T-square", + "tub", + "vat", + "tube", + "tubing", + "tube", + "vacuum tube", + "thermionic vacuum tube", + "thermionic tube", + "electron tube", + "thermionic valve", + "tubeless", + "tubeless tire", + "tuck", + "tuck box", + "tucker", + "tucker-bag", + "tuck shop", + "Tudor arch", + "four-centered arch", + "tudung", + "tugboat", + "tug", + "towboat", + "tower", + "Tuileries", + "Tuileries Gardens", + "Tuileries", + "Tuileries Palace", + "tuille", + "tulip bed", + "tulle", + "tumble-dryer", + "tumble drier", + "tumbler", + "tumbler", + "tumbrel", + "tumbril", + "tun", + "tunic", + "tuning fork", + "tunnel", + "tupik", + "tupek", + "sealskin tent", + "turban", + "turbine", + "turbogenerator", + "tureen", + "Turing machine", + "Turkish bath", + "Turkish towel", + "terry towel", + "Turk's head", + "turnaround", + "turnbuckle", + "turner", + "food turner", + "turnery", + "turnery", + "turning", + "turnip bed", + "turnoff", + "turnout", + "widening", + "turnpike", + "toll road", + "turnpike", + "turnspit", + "turnstile", + "turntable", + "turntable", + "turntable", + "lazy Susan", + "turret", + "turret clock", + "turtleneck", + "turtle", + "polo-neck", + "turtleneck collar", + "polo-neck collar", + "tweed", + "tweeter", + "twenty-two", + ".22", + "twenty-two pistol", + "twenty-two rifle", + "twill", + "twill", + "twill weave", + "twin bed", + "twinjet", + "twist bit", + "twist drill", + "two-by-four", + "two-handed saw", + "whipsaw", + "two-man saw", + "lumberman's saw", + "two-man tent", + "two-piece", + "two-piece suit", + "lounge suit", + "two-way street", + "type", + "typesetting machine", + "type slug", + "slug", + "typewriter", + "typewriter carriage", + "typewriter keyboard", + "tyrocidine", + "tyrocidin", + "tyrolean", + "tirolean", + "tyrosine kinase inhibitor", + "tyrothricin", + "uke", + "ukulele", + "ulster", + "ultracentrifuge", + "ultramicroscope", + "dark-field microscope", + "Ultrasuede", + "ultraviolet lamp", + "ultraviolet source", + "umbrella", + "umbrella tent", + "undercarriage", + "undercharge", + "undercoat", + "underseal", + "undercut", + "underfelt", + "undergarment", + "unmentionable", + "underpants", + "underpass", + "subway", + "underwear", + "underclothes", + "underclothing", + "undies", + "uneven parallel bars", + "uneven bars", + "unicycle", + "monocycle", + "uniform", + "union", + "Union Jack", + "Union flag", + "United States Army Criminal Investigation Laboratory", + "U.S. Army Criminal Investigation Laboratory", + "US Army Criminal Investigation Laboratory", + "USACIL", + "United States Mint", + "U.S. Mint", + "US Mint", + "universal joint", + "universal", + "university", + "University of California at Berkeley", + "University of Chicago", + "University of Michigan", + "University of Nebraska", + "University of North Carolina", + "University of Pennsylvania", + "Pennsylvania", + "Penn", + "University of Pittsburgh", + "University of Sussex", + "Sussex University", + "University of Texas", + "University of Vermont", + "University of Washington", + "University of West Virginia", + "University of Wisconsin", + "upcast", + "upgrade", + "upholstery", + "upholstery material", + "upholstery needle", + "uplift", + "upper", + "upper berth", + "upper", + "upper deck", + "upper surface", + "upright", + "upright piano", + "upright", + "vertical", + "upset", + "swage", + "upstage", + "upstairs", + "urceole", + "urinal", + "urn", + "urn", + "used-car", + "secondhand car", + "USS Cole", + "utensil", + "utility", + "Uzi", + "vacation home", + "vaccine", + "vaccinum", + "vacuum", + "vacuum cleaner", + "vacuum chamber", + "vacuum flask", + "vacuum bottle", + "vacuum gauge", + "vacuum gage", + "valdecoxib", + "Bextra", + "Valenciennes", + "Valenciennes lace", + "valise", + "valproic acid", + "Depokene", + "valsartan", + "Diovan", + "valve", + "valve", + "valve-in-head engine", + "vambrace", + "lower cannon", + "vamp", + "van", + "van", + "caravan", + "van", + "vancomycin", + "Vancocin", + "vane", + "vaporizer", + "vaporiser", + "vapor lock", + "vapour lock", + "vardenafil", + "Levitra", + "variable-pitch propeller", + "variation", + "variometer", + "varnish", + "vase", + "Vaseline", + "vasoconstrictor", + "vasoconstrictive", + "pressor", + "vasodilator", + "vasodilative", + "vasopressor", + "Vatican", + "Vatican Palace", + "vault", + "vault", + "burial vault", + "vault", + "bank vault", + "vaulting", + "vaulting horse", + "long horse", + "buck", + "vehicle", + "Velcro", + "velocipede", + "velodrome", + "velour", + "velours", + "velvet", + "velveteen", + "vending machine", + "veneer", + "veneering", + "Venetian blind", + "Venetian glass", + "Venn diagram", + "Venn's diagram", + "venogram", + "phlebogram", + "vent", + "venthole", + "vent-hole", + "blowhole", + "vent", + "ventilation", + "ventilation system", + "ventilating system", + "ventilation shaft", + "ventilator", + "ventriloquist's dummy", + "venturi", + "Venturi tube", + "veranda", + "verandah", + "gallery", + "verapamil", + "Calan", + "Isoptin", + "verdigris", + "verge", + "vermicide", + "vermiculation", + "vermifuge", + "anthelmintic", + "anthelminthic", + "helminthic", + "vernier caliper", + "vernier micrometer", + "vernier scale", + "vernier", + "Verrazano-Narrows Bridge", + "Versailles", + "Palace of Versailles", + "vertical file", + "vertical section", + "vertical stabilizer", + "vertical stabiliser", + "vertical fin", + "tail fin", + "tailfin", + "vertical surface", + "vertical tail", + "Very pistol", + "Verey pistol", + "vessel", + "watercraft", + "vessel", + "vest", + "waistcoat", + "vestiture", + "vestment", + "vest pocket", + "vestry", + "sacristy", + "viaduct", + "vibraphone", + "vibraharp", + "vibes", + "vibrator", + "vibrator", + "victory garden", + "Victrola", + "vicuna", + "videocassette", + "videocassette recorder", + "VCR", + "videodisk", + "videodisc", + "DVD", + "video recording", + "video", + "videotape", + "videotape", + "viewer", + "viewgraph", + "overhead", + "vigil light", + "vigil candle", + "vignette", + "vignette", + "villa", + "villa", + "villa", + "vinblastine", + "Velban", + "vincristine", + "Oncovin", + "vineyard", + "vinery", + "viol", + "viola", + "viola da braccio", + "viola da gamba", + "gamba", + "bass viol", + "viola d'amore", + "violin", + "fiddle", + "viomycin", + "Viocin", + "virginal", + "pair of virginals", + "virility drug", + "anti-impotence drug", + "virtu", + "virtual memory", + "virtual storage", + "viscometer", + "viscosimeter", + "viscose rayon", + "viscose", + "vise", + "bench vise", + "visible speech", + "visor", + "vizor", + "visual display unit", + "VDU", + "vivarium", + "Viyella", + "V neck", + "voider", + "gusset", + "voile", + "volatile storage", + "volleyball", + "volleyball court", + "volleyball net", + "voltage regulator", + "voltaic battery", + "galvanic battery", + "voltaic cell", + "galvanic cell", + "primary cell", + "voltaic pile", + "pile", + "galvanic pile", + "voltmeter", + "volumeter", + "vomitory", + "von Neumann machine", + "voting booth", + "voting machine", + "vouge", + "voussoir", + "vox angelica", + "voix celeste", + "vox humana", + "waders", + "wading pool", + "waffle iron", + "wagon", + "waggon", + "wagon", + "coaster wagon", + "wagon tire", + "wagon wheel", + "wain", + "wainscot", + "wainscoting", + "wainscotting", + "wainscot", + "dado", + "wainscoting", + "wainscotting", + "waist pack", + "belt bag", + "wake board", + "wakeboard", + "wale", + "strake", + "walk", + "walkway", + "paseo", + "walker", + "baby-walker", + "go-cart", + "walker", + "Zimmer", + "Zimmer frame", + "walker", + "walkie-talkie", + "walky-talky", + "walk-in", + "walking shoe", + "walking stick", + "Walkman", + "walk-up", + "walk-up apartment", + "walk-up", + "walk-through", + "wall", + "wall", + "wall", + "wallboard", + "drywall", + "dry wall", + "wall clock", + "wallet", + "billfold", + "notecase", + "pocketbook", + "wall panel", + "wall plate", + "wall socket", + "wall plug", + "electric outlet", + "electrical outlet", + "outlet", + "electric receptacle", + "wall tent", + "wall unit", + "Walt Whitman Bridge", + "wampum", + "peag", + "wampumpeag", + "wand", + "Wankel engine", + "Wankel rotary engine", + "epitrochoidal engine", + "ward", + "hospital ward", + "wardrobe", + "closet", + "press", + "wardrobe", + "wardrobe", + "wardroom", + "ware", + "warehouse", + "storage warehouse", + "warfarin", + "Coumadin", + "warhead", + "payload", + "load", + "warhorse", + "warming pan", + "warp", + "war paint", + "war paint", + "warplane", + "military plane", + "war room", + "warship", + "war vessel", + "combat ship", + "wash", + "wash drawing", + "wash", + "wash-and-wear", + "washbasin", + "handbasin", + "washbowl", + "lavabo", + "wash-hand basin", + "washbasin", + "basin", + "washbowl", + "washstand", + "lavatory", + "washboard", + "splashboard", + "washboard", + "washcloth", + "washrag", + "flannel", + "face cloth", + "washer", + "automatic washer", + "washing machine", + "washer", + "washhouse", + "Washington Monument", + "washroom", + "washstand", + "wash-hand stand", + "washtub", + "wastepaper basket", + "waste-paper basket", + "wastebasket", + "waste basket", + "circular file", + "watch", + "ticker", + "watchband", + "watchstrap", + "wristband", + "watch bracelet", + "bracelet", + "watch cap", + "watch case", + "watch glass", + "watch key", + "watchtower", + "water back", + "water-base paint", + "water bed", + "water bottle", + "water butt", + "water cannon", + "watercannon", + "water cart", + "water chute", + "water clock", + "clepsydra", + "water glass", + "water closet", + "closet", + "W.C.", + "loo", + "watercolor", + "water-color", + "watercolour", + "water-colour", + "watercolor", + "water-color", + "watercolour", + "water-colour", + "water-cooled reactor", + "water cooler", + "watercourse", + "waterway", + "water faucet", + "water tap", + "tap", + "hydrant", + "water filter", + "water gauge", + "water gage", + "water glass", + "water glass", + "water hazard", + "water heater", + "hot-water heater", + "hot-water tank", + "watering can", + "watering pot", + "watering cart", + "water jacket", + "water jug", + "water jump", + "water level", + "water main", + "water meter", + "water mill", + "water pistol", + "water gun", + "squirt gun", + "squirter", + "waterproof", + "waterproofing", + "water pump", + "water scooter", + "sea scooter", + "scooter", + "water ski", + "waterskin", + "water skin", + "waterspout", + "water system", + "water supply", + "water", + "water tower", + "water wagon", + "water waggon", + "waterwheel", + "water wheel", + "waterwheel", + "water wheel", + "water wings", + "waterworks", + "WATS", + "WATS line", + "wattle", + "wattmeter", + "waveguide", + "wave guide", + "waxwork", + "wax figure", + "way", + "ways", + "shipway", + "slipway", + "wayside", + "roadside", + "weapon", + "arm", + "weapon system", + "weapon of mass destruction", + "WMD", + "W.M.D.", + "weaponry", + "arms", + "implements of war", + "weapons system", + "munition", + "weapons carrier", + "weathercock", + "weather deck", + "shelter deck", + "weatherglass", + "weather map", + "weather chart", + "weather radar", + "weather satellite", + "meteorological satellite", + "weather ship", + "weather strip", + "weatherstrip", + "weather stripping", + "weatherstripping", + "weathervane", + "weather vane", + "vane", + "wind vane", + "weave", + "web", + "entanglement", + "web", + "webbing", + "webbing", + "webcam", + "wedding picture", + "wedding ring", + "wedding band", + "wedge", + "wedge", + "wedge heel", + "wedge", + "wedgie", + "Wedgwood", + "weeder", + "weed-whacker", + "weeds", + "widow's weeds", + "weed", + "mourning band", + "weekender", + "weighbridge", + "weight", + "weight", + "free weight", + "exercising weight", + "weir", + "weir", + "welcome wagon", + "weld", + "welder's mask", + "weldment", + "well", + "well", + "well", + "well", + "wellhead", + "well point", + "wellpoint", + "welt", + "Weston cell", + "cadmium cell", + "wet bar", + "wet-bulb thermometer", + "wet cell", + "wet fly", + "wet suit", + "whacker", + "whopper", + "whaleboat", + "whaler", + "whaling ship", + "whaling gun", + "Wheatstone bridge", + "wheat future", + "wheel", + "wheel", + "wheel and axle", + "wheelchair", + "wheeled vehicle", + "wheel lock", + "wheelwork", + "wherry", + "wherry", + "Norfolk wherry", + "whetstone", + "whiffletree", + "whippletree", + "swingletree", + "whip", + "whipcord", + "whipcord", + "whipping post", + "whipping top", + "whip top", + "whipstitch", + "whipping", + "whipstitching", + "whirler", + "whisk", + "whisk broom", + "whisk", + "whiskey bottle", + "whiskey jug", + "whispering gallery", + "whispering dome", + "whistle", + "whistle", + "whistle stop", + "flag stop", + "way station", + "white", + "white flag", + "flag of truce", + "white goods", + "household linen", + "white goods", + "White House", + "white tie", + "whitewash", + "whizbang", + "whizzbang", + "whizbang", + "whizzbang", + "whizbang shell", + "whorehouse", + "brothel", + "bordello", + "bagnio", + "house of prostitution", + "house of ill repute", + "bawdyhouse", + "cathouse", + "sporting house", + "wick", + "taper", + "wick", + "wicker", + "wickerwork", + "caning", + "wicker basket", + "wicket", + "lattice", + "grille", + "wicket", + "wicket door", + "wicket gate", + "wicket", + "hoop", + "wicket", + "wickiup", + "wikiup", + "wide-angle lens", + "fisheye lens", + "wide area network", + "WAN", + "widebody aircraft", + "wide-body aircraft", + "wide-body", + "twin-aisle airplane", + "wide screen", + "wide wale", + "widow's walk", + "Wiffle", + "Wiffle Ball", + "wig", + "wigwam", + "wild card", + "wildcat well", + "wildcat", + "willow", + "willowware", + "willow-pattern", + "Wilton", + "Wilton carpet", + "wimple", + "wincey", + "winceyette", + "winch", + "windlass", + "Winchester", + "windbreak", + "shelterbelt", + "wind chime", + "wind bell", + "winder", + "winder", + "key", + "wind farm", + "wind park", + "wind energy facility", + "wind instrument", + "wind", + "windjammer", + "windmill", + "aerogenerator", + "wind generator", + "windmill", + "window", + "window", + "window", + "window", + "window", + "window blind", + "window box", + "window envelope", + "window frame", + "windowpane", + "window", + "window screen", + "window seat", + "window shade", + "windowsill", + "wind rose", + "windshield", + "windscreen", + "windshield wiper", + "windscreen wiper", + "wiper", + "wiper blade", + "Windsor chair", + "Windsor knot", + "Windsor tie", + "wind tee", + "wind tunnel", + "wind turbine", + "wine bar", + "wine bottle", + "wine bucket", + "wine cooler", + "wine cask", + "wine barrel", + "wineglass", + "wineglass heel", + "winepress", + "winery", + "wine maker", + "wineskin", + "wing", + "wing", + "offstage", + "backstage", + "wing chair", + "wing nut", + "wing-nut", + "wing screw", + "butterfly nut", + "thumbnut", + "wing tip", + "wing tip", + "winker", + "blinker", + "blinder", + "wiper", + "wiper arm", + "contact arm", + "wiper motor", + "wire", + "wire", + "conducting wire", + "wire cloth", + "wire cutter", + "wire gauge", + "wire gage", + "wireless local area network", + "WLAN", + "wireless fidelity", + "WiFi", + "wire matrix printer", + "wire printer", + "stylus printer", + "wire recorder", + "wire stripper", + "wirework", + "grillwork", + "wiring", + "wiring diagram", + "wishing cap", + "witch hazel", + "wych hazel", + "withe", + "witness box", + "witness stand", + "wobbler", + "wok", + "woman's clothing", + "wood", + "woodcarving", + "wood chisel", + "woodcut", + "wood block", + "wood engraving", + "woodcut", + "wood engraving", + "woodenware", + "wooden spoon", + "wooden spoon", + "woodscrew", + "woodshed", + "wood vise", + "woodworking vise", + "shoulder vise", + "woodwind", + "woodwind instrument", + "wood", + "woodwork", + "woof", + "weft", + "filling", + "pick", + "woofer", + "wool", + "woolen", + "woollen", + "work", + "piece of work", + "worldly possession", + "worldly good", + "workbasket", + "workbox", + "workbag", + "workbench", + "work bench", + "bench", + "workboard", + "work-board", + "work camp", + "prison camp", + "prison farm", + "work-clothing", + "work-clothes", + "workhouse", + "workhouse", + "workhorse", + "working", + "workings", + "work in progress", + "work of art", + "workpiece", + "workplace", + "work", + "workroom", + "works", + "workings", + "work-shirt", + "workshop", + "shop", + "workstation", + "work surface", + "worktable", + "work table", + "workwear", + "World Trade Center", + "WTC", + "twin towers", + "World Wide Web", + "WWW", + "web", + "worm", + "worm fence", + "snake fence", + "snake-rail fence", + "Virginia fence", + "worm gear", + "worm wheel", + "worsted", + "worsted", + "worsted yarn", + "wrap", + "wrapper", + "wraparound", + "wrapping", + "wrap", + "wrapper", + "wreath", + "garland", + "coronal", + "chaplet", + "lei", + "wreck", + "wreckage", + "wrench", + "spanner", + "wrestling mat", + "wrestling ring", + "wringer", + "wristband", + "wristlet", + "wrist band", + "wrist pad", + "wrist pin", + "gudgeon pin", + "wristwatch", + "wrist watch", + "writing arm", + "writing board", + "writing desk", + "writing desk", + "writing implement", + "xerographic printer", + "Xerox", + "xerographic copier", + "Xerox machine", + "xerox", + "xerox copy", + "X-OR circuit", + "XOR circuit", + "XOR gate", + "X-ray film", + "X-ray machine", + "X-ray tube", + "yacht", + "racing yacht", + "yacht chair", + "yagi", + "Yagi aerial", + "Yale University", + "Yale", + "yard", + "yard", + "yard", + "grounds", + "curtilage", + "yard", + "railway yard", + "railyard", + "yardarm", + "yarder", + "yard donkey", + "yard goods", + "piece goods", + "yard marker", + "yardstick", + "yard measure", + "yarmulke", + "yarmulka", + "yarmelke", + "yashmak", + "yashmac", + "yataghan", + "yawl", + "dandy", + "yawl", + "yellow jack", + "yield", + "fruit", + "yoke", + "yoke", + "yoke", + "coupling", + "yoke", + "yo-yo", + "yurt", + "Zamboni", + "zapper", + "zarf", + "zeppelin", + "Graf Zeppelin", + "zero", + "ziggurat", + "zikkurat", + "zikurat", + "zill", + "zinc ointment", + "zip gun", + "zither", + "cither", + "zithern", + "zodiac", + "zoot suit", + "ramp", + "human nature", + "trait", + "character", + "unit character", + "thing", + "common denominator", + "personality", + "identity", + "personal identity", + "individuality", + "gender identity", + "identification", + "personhood", + "personableness", + "anal personality", + "anal retentive personality", + "genital personality", + "narcissistic personality", + "obsessive-compulsive personality", + "oral personality", + "character", + "fiber", + "fibre", + "spirit", + "outwardness", + "inwardness", + "internality", + "spirituality", + "spiritualism", + "spiritism", + "otherworldliness", + "worldliness", + "extraversion", + "extroversion", + "introversion", + "ambiversion", + "aloneness", + "loneliness", + "lonesomeness", + "solitariness", + "friendlessness", + "reclusiveness", + "privacy", + "privateness", + "seclusion", + "nature", + "animality", + "animal nature", + "disposition", + "temperament", + "complexion", + "animalism", + "physicality", + "bloodiness", + "bloodthirstiness", + "heart", + "spirit", + "nervousness", + "esprit de corps", + "morale", + "team spirit", + "restlessness", + "uneasiness", + "queasiness", + "jactitation", + "jactation", + "skittishness", + "restiveness", + "compulsiveness", + "compulsivity", + "obsessiveness", + "obsessivity", + "workaholism", + "emotionality", + "emotionalism", + "drama", + "demonstrativeness", + "affectionateness", + "fondness", + "lovingness", + "warmth", + "tenderness", + "uxoriousness", + "mawkishness", + "sentimentality", + "drippiness", + "mushiness", + "soupiness", + "sloppiness", + "corn", + "schmaltz", + "shmaltz", + "schmalz", + "sentimentalism", + "heat", + "warmth", + "passion", + "fieriness", + "temperament", + "moodiness", + "blood", + "excitability", + "excitableness", + "volatility", + "boiling point", + "unemotionality", + "emotionlessness", + "blandness", + "coldness", + "coolness", + "frigidity", + "frigidness", + "iciness", + "chilliness", + "stone", + "dispassion", + "dispassionateness", + "dryness", + "stoicism", + "stolidity", + "stolidness", + "tepidness", + "lukewarmness", + "cheerfulness", + "cheer", + "sunniness", + "sunshine", + "good-temperedness", + "good-humoredness", + "good-humouredness", + "good-naturedness", + "uncheerfulness", + "gloominess", + "lugubriousness", + "sadness", + "animation", + "spiritedness", + "invigoration", + "brio", + "vivification", + "chirpiness", + "liveliness", + "life", + "spirit", + "sprightliness", + "pertness", + "airiness", + "delicacy", + "alacrity", + "briskness", + "smartness", + "energy", + "muscularity", + "vigor", + "vigour", + "vim", + "vitality", + "verve", + "elan", + "esprit", + "breeziness", + "jauntiness", + "irrepressibility", + "buoyancy", + "high-spiritedness", + "vivacity", + "mettlesomeness", + "exuberance", + "enthusiasm", + "ebullience", + "lyricism", + "pep", + "peppiness", + "ginger", + "inanition", + "activeness", + "activity", + "dynamism", + "pizzazz", + "pizzaz", + "oomph", + "zing", + "inactiveness", + "inactivity", + "inertia", + "languor", + "lethargy", + "sluggishness", + "phlegm", + "flatness", + "restfulness", + "passivity", + "passiveness", + "apathy", + "indifference", + "numbness", + "spiritlessness", + "listlessness", + "torpidity", + "torpidness", + "torpor", + "indolence", + "laziness", + "faineance", + "idleness", + "sloth", + "slothfulness", + "shiftlessness", + "perfectionism", + "permissiveness", + "tolerance", + "toleration", + "acceptance", + "sufferance", + "self acceptance", + "indulgence", + "lenience", + "leniency", + "softness", + "overtolerance", + "unpermissiveness", + "restrictiveness", + "sternness", + "strictness", + "Puritanism", + "severity", + "severeness", + "harshness", + "rigor", + "rigour", + "rigorousness", + "rigourousness", + "inclemency", + "hardness", + "stiffness", + "good nature", + "grace", + "good will", + "goodwill", + "patience", + "forbearance", + "longanimity", + "easygoingness", + "risibility", + "agreeableness", + "agreeability", + "complaisance", + "compliance", + "compliancy", + "obligingness", + "deference", + "ill nature", + "crabbiness", + "crabbedness", + "crossness", + "crankiness", + "crotchetiness", + "contrariness", + "grumpiness", + "sulkiness", + "sullenness", + "moroseness", + "sourness", + "temper", + "biliousness", + "irritability", + "peevishness", + "pettishness", + "snappishness", + "surliness", + "impatience", + "intolerance", + "shrewishness", + "querulousness", + "asperity", + "sharpness", + "disagreeableness", + "bitterness", + "acrimony", + "acerbity", + "jaundice", + "tartness", + "thorniness", + "aggressiveness", + "belligerence", + "pugnacity", + "bellicosity", + "bellicoseness", + "quarrelsomeness", + "contentiousness", + "truculence", + "truculency", + "litigiousness", + "willingness", + "readiness", + "eagerness", + "zeal", + "forwardness", + "receptiveness", + "receptivity", + "openness", + "wholeheartedness", + "unwillingness", + "involuntariness", + "reluctance", + "hesitancy", + "hesitation", + "disinclination", + "indisposition", + "resistance", + "seriousness", + "earnestness", + "serious-mindedness", + "sincerity", + "committedness", + "commitment", + "investment", + "graveness", + "gravity", + "sobriety", + "soberness", + "somberness", + "sombreness", + "sedateness", + "staidness", + "solemnity", + "solemness", + "stodginess", + "stuffiness", + "frivolity", + "frivolousness", + "giddiness", + "silliness", + "lightsomeness", + "lightness", + "levity", + "flippancy", + "light-mindedness", + "jocoseness", + "jocosity", + "merriness", + "humorousness", + "playfulness", + "fun", + "facetiousness", + "impertinence", + "perkiness", + "pertness", + "sauciness", + "archness", + "friskiness", + "frolicsomeness", + "sportiveness", + "impishness", + "mischievousness", + "puckishness", + "whimsicality", + "humor", + "humour", + "sense of humor", + "sense of humour", + "communicativeness", + "frankness", + "outspokenness", + "bluffness", + "effusiveness", + "expansiveness", + "expansivity", + "fluency", + "volubility", + "articulateness", + "garrulity", + "garrulousness", + "loquaciousness", + "loquacity", + "talkativeness", + "leresis", + "uncommunicativeness", + "muteness", + "silence", + "secrecy", + "secretiveness", + "silence", + "mum", + "reserve", + "reticence", + "taciturnity", + "sociality", + "sociability", + "sociableness", + "conviviality", + "joviality", + "companionability", + "companionableness", + "chumminess", + "camaraderie", + "comradeliness", + "comradery", + "comradeship", + "gregariousness", + "openness", + "nakedness", + "friendliness", + "affability", + "affableness", + "amiability", + "amiableness", + "bonhomie", + "geniality", + "amicability", + "amicableness", + "condescension", + "condescendingness", + "familiarity", + "intimacy", + "closeness", + "approachability", + "accessibility", + "congeniality", + "amity", + "cordiality", + "neighborliness", + "neighbourliness", + "good-neighborliness", + "good-neighbourliness", + "hospitableness", + "mellowness", + "sweetness and light", + "unsociability", + "unsociableness", + "aloofness", + "remoteness", + "standoffishness", + "withdrawnness", + "unapproachability", + "closeness", + "secretiveness", + "furtiveness", + "sneakiness", + "stealthiness", + "unfriendliness", + "hostility", + "ill will", + "aggression", + "virulence", + "virulency", + "misanthropy", + "uncongeniality", + "unneighborliness", + "inhospitableness", + "adaptability", + "flexibility", + "flexibleness", + "wiggle room", + "pliability", + "pliancy", + "pliantness", + "suppleness", + "unadaptability", + "inflexibility", + "rigidity", + "rigidness", + "thoughtfulness", + "pensiveness", + "meditativeness", + "contemplativeness", + "introspectiveness", + "deliberation", + "deliberateness", + "intentionality", + "reflectiveness", + "reflectivity", + "unthoughtfulness", + "thoughtlessness", + "recklessness", + "foolhardiness", + "rashness", + "adventurism", + "brashness", + "desperation", + "impulsiveness", + "impetuousness", + "impetuosity", + "hastiness", + "attentiveness", + "attentiveness", + "inattentiveness", + "carefulness", + "mindfulness", + "heedfulness", + "caution", + "cautiousness", + "carefulness", + "precaution", + "wariness", + "chariness", + "alertness", + "sharp-sightedness", + "on the qui vive", + "watchfulness", + "vigilance", + "weather eye", + "carelessness", + "sloppiness", + "incaution", + "incautiousness", + "unwariness", + "unmindfulness", + "heedlessness", + "inadvertence", + "inadvertency", + "negligence", + "neglect", + "neglectfulness", + "delinquency", + "dereliction", + "willful neglect", + "laxness", + "laxity", + "remissness", + "slackness", + "masculinity", + "manfulness", + "manliness", + "virility", + "boyishness", + "machismo", + "hoydenism", + "tomboyishness", + "femininity", + "muliebrity", + "womanliness", + "womanlike", + "ladylikeness", + "maidenliness", + "girlishness", + "effeminacy", + "effeminateness", + "sissiness", + "softness", + "womanishness", + "unmanliness", + "emasculation", + "trustworthiness", + "trustiness", + "creditworthiness", + "responsibility", + "responsibleness", + "fault", + "accountability", + "answerability", + "answerableness", + "dependability", + "dependableness", + "reliability", + "reliableness", + "untrustworthiness", + "untrustiness", + "irresponsibility", + "irresponsibleness", + "solidity", + "solidness", + "undependability", + "undependableness", + "unreliability", + "unreliableness", + "flightiness", + "arbitrariness", + "whimsicality", + "whimsy", + "whimsey", + "capriciousness", + "carefreeness", + "conscientiousness", + "painstakingness", + "meticulousness", + "meticulosity", + "punctiliousness", + "scrupulousness", + "thoroughness", + "diligence", + "strictness", + "stringency", + "unconscientiousness", + "nonchalance", + "unconcern", + "indifference", + "recommendation", + "passport", + "appearance", + "visual aspect", + "agerasia", + "look", + "view", + "color", + "colour", + "complexion", + "impression", + "effect", + "figure", + "image", + "mark", + "perspective", + "linear perspective", + "phase", + "tout ensemble", + "vanishing point", + "superficies", + "format", + "form", + "shape", + "cast", + "persona", + "image", + "semblance", + "gloss", + "color", + "colour", + "color of law", + "colour of law", + "simulacrum", + "face value", + "guise", + "pretense", + "pretence", + "pretext", + "disguise", + "camouflage", + "verisimilitude", + "face", + "countenance", + "visage", + "expression", + "look", + "aspect", + "facial expression", + "face", + "leer", + "poker face", + "marking", + "band", + "banding", + "stria", + "striation", + "collar", + "stretch mark", + "blaze", + "speck", + "pinpoint", + "crisscross", + "cross", + "mark", + "eyespot", + "ocellus", + "hatch", + "hatching", + "crosshatch", + "hachure", + "shading", + "nebula", + "splash", + "spot", + "speckle", + "dapple", + "patch", + "fleck", + "maculation", + "worn spot", + "fret", + "stripe", + "streak", + "bar", + "hairiness", + "pilosity", + "hirsuteness", + "hirsutism", + "hairlessness", + "beauty", + "raw beauty", + "glory", + "resplendence", + "resplendency", + "exquisiteness", + "picturesqueness", + "pleasingness", + "pulchritude", + "glamor", + "glamour", + "comeliness", + "fairness", + "loveliness", + "beauteousness", + "prettiness", + "cuteness", + "handsomeness", + "good looks", + "attractiveness", + "adorability", + "adorableness", + "bewitchery", + "beguilement", + "animal magnetism", + "charisma", + "personal appeal", + "personal magnetism", + "curvaceousness", + "shapeliness", + "voluptuousness", + "sex appeal", + "desirability", + "desirableness", + "oomph", + "sultriness", + "appeal", + "appealingness", + "charm", + "siren call", + "siren song", + "spiff", + "winsomeness", + "associability", + "associableness", + "attraction", + "attractiveness", + "affinity", + "allure", + "allurement", + "temptingness", + "invitation", + "binding", + "drawing power", + "fascination", + "lure", + "enticement", + "come-on", + "sexual attraction", + "show-stopper", + "showstopper", + "ugliness", + "unsightliness", + "grotesqueness", + "grotesquery", + "grotesquerie", + "garishness", + "gaudiness", + "unpleasingness", + "hideousness", + "disfigurement", + "disfiguration", + "deformity", + "unattractiveness", + "homeliness", + "plainness", + "shapelessness", + "ballast", + "blemish", + "defect", + "mar", + "birthmark", + "nevus", + "chatter mark", + "check", + "chip", + "crack", + "craze", + "dent", + "ding", + "gouge", + "nick", + "dig", + "eyesore", + "mole", + "scratch", + "scrape", + "scar", + "mark", + "burn", + "burn mark", + "cigarette burn", + "smudge", + "spot", + "blot", + "daub", + "smear", + "smirch", + "slur", + "blotch", + "splodge", + "splotch", + "fingermark", + "fingerprint", + "inkblot", + "stain", + "discoloration", + "discolouration", + "scorch", + "bloodstain", + "iron mold", + "iron mould", + "mud stain", + "oil stain", + "tarnish", + "stigma", + "port-wine stain", + "nevus flammeus", + "strawberry", + "strawberry mark", + "hemangioma simplex", + "wart", + "verruca", + "common wart", + "genital wart", + "venereal wart", + "condyloma acuminatum", + "verruca acuminata", + "juvenile wart", + "plantar wart", + "plainness", + "chasteness", + "restraint", + "simplicity", + "simpleness", + "austereness", + "severity", + "severeness", + "bareness", + "starkness", + "ornateness", + "elaborateness", + "baroque", + "baroqueness", + "classical style", + "order", + "Doric order", + "Dorian order", + "Ionic order", + "Ionian order", + "Corinthian order", + "Composite order", + "Tuscan order", + "rococo", + "flamboyance", + "floridness", + "floridity", + "showiness", + "fussiness", + "decorativeness", + "etiolation", + "coating", + "finish", + "finishing", + "glaze", + "luster", + "lustre", + "shoeshine", + "clearness", + "clarity", + "uncloudedness", + "pellucidness", + "pellucidity", + "limpidity", + "transparency", + "transparence", + "transparentness", + "translucence", + "translucency", + "semitransparency", + "visibility", + "distinctness", + "sharpness", + "definition", + "discernability", + "legibility", + "focus", + "opacity", + "opaqueness", + "cloudiness", + "murkiness", + "muddiness", + "turbidity", + "turbidness", + "haziness", + "mistiness", + "steaminess", + "vaporousness", + "vapourousness", + "indistinctness", + "softness", + "blurriness", + "fogginess", + "fuzziness", + "dimness", + "faintness", + "vagueness", + "divisibility", + "fissiparity", + "sharpness", + "keenness", + "acuteness", + "dullness", + "bluntness", + "obtuseness", + "conspicuousness", + "obviousness", + "noticeability", + "noticeableness", + "patency", + "apparentness", + "apparency", + "blatancy", + "obtrusiveness", + "boldness", + "strikingness", + "predomination", + "predominance", + "inconspicuousness", + "unnoticeableness", + "unobtrusiveness", + "ease", + "easiness", + "simplicity", + "simpleness", + "effortlessness", + "facility", + "readiness", + "smoothness", + "difficulty", + "difficultness", + "effortfulness", + "arduousness", + "strenuousness", + "laboriousness", + "operoseness", + "toilsomeness", + "asperity", + "grimness", + "hardship", + "rigor", + "rigour", + "severity", + "severeness", + "rigorousness", + "rigourousness", + "sternness", + "hardness", + "ruggedness", + "formidability", + "toughness", + "burdensomeness", + "heaviness", + "onerousness", + "oppressiveness", + "subtlety", + "niceness", + "troublesomeness", + "inconvenience", + "worriment", + "awkwardness", + "cumbersomeness", + "unwieldiness", + "flea bite", + "fly in the ointment", + "unwieldiness", + "combustibility", + "combustibleness", + "burnability", + "flammability", + "inflammability", + "compatibility", + "congenialness", + "congeniality", + "harmony", + "harmoniousness", + "accord", + "agreement", + "correspondence", + "conformity", + "conformance", + "justness", + "rightness", + "nicety", + "normality", + "congruity", + "congruousness", + "congruence", + "incompatibility", + "conflict", + "incongruity", + "incongruousness", + "irony", + "Socratic irony", + "suitability", + "suitableness", + "arability", + "appropriateness", + "felicity", + "felicitousness", + "aptness", + "appositeness", + "ticket", + "just the ticket", + "fitness", + "fittingness", + "qualification", + "making", + "eligibility", + "insurability", + "marriageability", + "ineligibility", + "uninsurability", + "convenience", + "opportuneness", + "patness", + "timeliness", + "handiness", + "accessibility", + "availability", + "availableness", + "command", + "impressiveness", + "navigability", + "neediness", + "painfulness", + "distressingness", + "sharpness", + "piquancy", + "piquance", + "piquantness", + "publicity", + "spinnability", + "spinnbarkeit", + "unsuitability", + "unsuitableness", + "ineptness", + "inaptness", + "inappositeness", + "inappropriateness", + "unworthiness", + "infelicity", + "habitability", + "habitableness", + "unfitness", + "disqualification", + "inconvenience", + "inaccessibility", + "unavailability", + "inopportuneness", + "untimeliness", + "ethos", + "eidos", + "protectiveness", + "quality", + "nature", + "humanness", + "humanity", + "manhood", + "air", + "aura", + "atmosphere", + "mystique", + "note", + "vibration", + "vibe", + "quality", + "caliber", + "calibre", + "superiority", + "high quality", + "fineness", + "choiceness", + "excellence", + "ultimate", + "admirability", + "admirableness", + "wonderfulness", + "impressiveness", + "grandness", + "magnificence", + "richness", + "expansiveness", + "expansivity", + "stateliness", + "majesty", + "loftiness", + "first class", + "first water", + "ingenuity", + "ingeniousness", + "cleverness", + "inferiority", + "low quality", + "poorness", + "scrawniness", + "scrubbiness", + "second class", + "wretchedness", + "characteristic", + "point", + "spot", + "point", + "salability", + "salableness", + "selling point", + "hallmark", + "trademark", + "earmark", + "stylemark", + "mold", + "mould", + "saving grace", + "aspect", + "gaseousness", + "bubbliness", + "effervescence", + "frothiness", + "foaminess", + "changeableness", + "changeability", + "commutability", + "transmutability", + "fluidity", + "fluidness", + "reversibility", + "shiftiness", + "inconstancy", + "changefulness", + "capriciousness", + "unpredictability", + "variability", + "variableness", + "variance", + "variedness", + "diversity", + "variegation", + "exchangeability", + "interchangeability", + "interchangeableness", + "fungibility", + "duality", + "transferability", + "convertibility", + "inconvertibility", + "replaceability", + "substitutability", + "commutability", + "liquidity", + "permutability", + "permutableness", + "transposability", + "progressiveness", + "progressivity", + "changelessness", + "unchangeability", + "unchangeableness", + "unchangingness", + "absoluteness", + "constancy", + "stability", + "invariance", + "metastability", + "monotony", + "innateness", + "irreversibility", + "invariability", + "invariableness", + "invariance", + "unvariedness", + "monotony", + "humdrum", + "sameness", + "fixedness", + "unalterability", + "unexchangeability", + "incommutability", + "irreplaceableness", + "mutability", + "mutableness", + "alterability", + "vicissitude", + "immutability", + "immutableness", + "fixity", + "unalterability", + "incurability", + "agelessness", + "sameness", + "otherness", + "distinctness", + "separateness", + "identity", + "identicalness", + "indistinguishability", + "oneness", + "unity", + "selfsameness", + "similarity", + "approximation", + "homogeny", + "homology", + "homomorphism", + "homomorphy", + "isomorphism", + "isomorphy", + "likeness", + "alikeness", + "similitude", + "parallelism", + "correspondence", + "uniformity", + "uniformness", + "homogeneity", + "homogeneousness", + "consistency", + "consistence", + "approach", + "sort", + "analogue", + "analog", + "parallel", + "echo", + "comparison", + "compare", + "equivalence", + "comparability", + "mirror image", + "reflection", + "reflexion", + "naturalness", + "resemblance", + "spitting image", + "mutual resemblance", + "affinity", + "equality", + "equatability", + "equivalence", + "parity", + "evenness", + "isometry", + "difference", + "differential", + "differentia", + "distinction", + "discrepancy", + "disagreement", + "divergence", + "variance", + "allowance", + "leeway", + "margin", + "tolerance", + "dissimilarity", + "unsimilarity", + "disparateness", + "distinctiveness", + "heterology", + "unlikeness", + "dissimilitude", + "nonuniformity", + "heterogeneity", + "heterogeneousness", + "diverseness", + "diversity", + "multifariousness", + "variety", + "biodiversity", + "inconsistency", + "variety", + "change", + "inequality", + "nonequivalence", + "disparity", + "far cry", + "gap", + "spread", + "gulf", + "disconnect", + "disconnection", + "unevenness", + "certainty", + "sure thing", + "foregone conclusion", + "cert", + "ineluctability", + "unavoidability", + "inevitability", + "inevitableness", + "determinateness", + "definiteness", + "finality", + "conclusiveness", + "decisiveness", + "surety", + "indisputability", + "indubitability", + "unquestionability", + "unquestionableness", + "incontrovertibility", + "incontrovertibleness", + "positivity", + "positiveness", + "demonstrability", + "provability", + "givenness", + "moral certainty", + "predictability", + "probability", + "odds", + "likelihood", + "likeliness", + "uncertainty", + "uncertainness", + "precariousness", + "slam dunk", + "doubt", + "dubiousness", + "doubtfulness", + "question", + "indefiniteness", + "indeterminateness", + "indefinity", + "indetermination", + "indeterminacy", + "inconclusiveness", + "unpredictability", + "improbability", + "improbableness", + "unlikelihood", + "unlikeliness", + "fortuitousness", + "speculativeness", + "factuality", + "factualness", + "counterfactuality", + "concreteness", + "tangibility", + "tangibleness", + "palpability", + "intangibility", + "intangibleness", + "impalpability", + "literalness", + "materiality", + "physicalness", + "corporeality", + "corporality", + "substantiality", + "substantialness", + "solidness", + "immateriality", + "incorporeality", + "insubstantiality", + "smoke", + "abstractness", + "reality", + "unreality", + "particularity", + "specialness", + "specificity", + "specificity", + "individuality", + "individualism", + "individuation", + "singularity", + "uniqueness", + "peculiarity", + "specialness", + "specialty", + "speciality", + "distinctiveness", + "idiosyncrasy", + "foible", + "mannerism", + "generality", + "commonality", + "commonness", + "solidarity", + "pervasiveness", + "prevalence", + "currency", + "universality", + "catholicity", + "totality", + "simplicity", + "simpleness", + "complexity", + "complexness", + "complicatedness", + "complication", + "knottiness", + "tortuousness", + "elaborateness", + "elaboration", + "intricacy", + "involution", + "tapestry", + "trickiness", + "regularity", + "cyclicity", + "periodicity", + "rhythm", + "regular recurrence", + "cardiac rhythm", + "heart rhythm", + "atrioventricular nodal rhythm", + "nodal rhythm", + "orderliness", + "methodicalness", + "organization", + "organisation", + "system", + "uniformity", + "homogeneity", + "inhomogeneity", + "evenness", + "invariability", + "smoothness", + "even spacing", + "steadiness", + "irregularity", + "unregularity", + "fitfulness", + "jerkiness", + "intermittence", + "intermittency", + "fluctuation", + "wavering", + "scintillation", + "randomness", + "haphazardness", + "stochasticity", + "noise", + "ergodicity", + "spasticity", + "unevenness", + "variability", + "rockiness", + "ruggedness", + "hilliness", + "jaggedness", + "patchiness", + "waviness", + "personal equation", + "unsteadiness", + "mobility", + "locomotion", + "motive power", + "motivity", + "motility", + "movability", + "movableness", + "maneuverability", + "manoeuvrability", + "manipulability", + "looseness", + "play", + "restlessness", + "weatherliness", + "wiggliness", + "slack", + "slackness", + "unsteadiness", + "ricketiness", + "instability", + "unstableness", + "shakiness", + "portability", + "immobility", + "immotility", + "inertness", + "immovability", + "immovableness", + "tightness", + "tautness", + "fastness", + "fixedness", + "fixity", + "fixture", + "secureness", + "looseness", + "lodgment", + "lodgement", + "lodging", + "steadiness", + "firmness", + "granite", + "sureness", + "stability", + "stableness", + "pleasantness", + "sweetness", + "agreeableness", + "amenity", + "enjoyableness", + "niceness", + "unpleasantness", + "disagreeableness", + "abrasiveness", + "acridity", + "acridness", + "unpalatability", + "unpalatableness", + "disgustingness", + "unsavoriness", + "nastiness", + "offensiveness", + "odiousness", + "distastefulness", + "loathsomeness", + "repulsiveness", + "sliminess", + "vileness", + "lousiness", + "wickedness", + "hatefulness", + "obnoxiousness", + "objectionableness", + "beastliness", + "awfulness", + "dreadfulness", + "horridness", + "terribleness", + "frightfulness", + "ghastliness", + "grimness", + "gruesomeness", + "luridness", + "credibility", + "credibleness", + "believability", + "authenticity", + "genuineness", + "legitimacy", + "real McCoy", + "real thing", + "real stuff", + "cogency", + "validity", + "rigor", + "rigour", + "plausibility", + "plausibleness", + "reasonableness", + "tenability", + "tenableness", + "incredibility", + "incredibleness", + "implausibility", + "implausibleness", + "street credibility", + "street cred", + "cred", + "logicality", + "logicalness", + "rationality", + "rationalness", + "consistency", + "completeness", + "illogicality", + "illogicalness", + "illogic", + "inconsequence", + "naturalness", + "unaffectedness", + "simplicity", + "simmpleness", + "sincerity", + "unassumingness", + "spontaneity", + "spontaneousness", + "ease", + "informality", + "unpretentiousness", + "naturalization", + "naturalisation", + "unnaturalness", + "affectedness", + "airs", + "pose", + "coyness", + "demureness", + "preciosity", + "preciousness", + "artificiality", + "staginess", + "theatricality", + "pretension", + "pretense", + "pretence", + "pretentiousness", + "pretension", + "largeness", + "ostentation", + "supernaturalism", + "supernaturalness", + "virtu", + "vertu", + "wholesomeness", + "nutritiousness", + "nutritiveness", + "healthfulness", + "salubrity", + "salubriousness", + "unwholesomeness", + "morbidness", + "morbidity", + "harmfulness", + "noisomeness", + "noxiousness", + "perniciousness", + "toxicity", + "deadliness", + "lethality", + "fatality", + "jejunity", + "jejuneness", + "putrescence", + "rottenness", + "unhealthfulness", + "insalubrity", + "insalubriousness", + "satisfactoriness", + "adequacy", + "adequateness", + "acceptability", + "acceptableness", + "admissibility", + "permissibility", + "unsatisfactoriness", + "inadequacy", + "inadequateness", + "perishability", + "perishableness", + "unacceptability", + "unacceptableness", + "inadmissibility", + "impermissibility", + "palatability", + "palatableness", + "ordinariness", + "mundaneness", + "mundanity", + "averageness", + "mediocrity", + "expectedness", + "normality", + "normalcy", + "commonness", + "commonplaceness", + "everydayness", + "prosiness", + "prosaicness", + "usualness", + "familiarity", + "extraordinariness", + "unexpectedness", + "surprisingness", + "uncommonness", + "uncommonness", + "unusualness", + "unfamiliarity", + "strangeness", + "oddity", + "queerness", + "quirk", + "quirkiness", + "crotchet", + "eeriness", + "ghostliness", + "abnormality", + "freakishness", + "singularity", + "outlandishness", + "bizarreness", + "weirdness", + "quaintness", + "eccentricity", + "oddity", + "oddness", + "ethnicity", + "foreignness", + "strangeness", + "curiousness", + "exoticism", + "exoticness", + "exotism", + "alienage", + "alienism", + "nativeness", + "indigenousness", + "autochthony", + "endemism", + "originality", + "freshness", + "novelty", + "unorthodoxy", + "heterodoxy", + "unconventionality", + "nonconformity", + "unoriginality", + "orthodoxy", + "conventionality", + "convention", + "conventionalism", + "ossification", + "conformity", + "traditionalism", + "traditionality", + "scholasticism", + "academicism", + "academism", + "correctness", + "rightness", + "incorrectness", + "wrongness", + "erroneousness", + "error", + "deviation", + "accuracy", + "truth", + "accuracy", + "exactness", + "exactitude", + "minuteness", + "preciseness", + "precision", + "trueness", + "fidelity", + "inaccuracy", + "inexactness", + "inexactitude", + "impreciseness", + "imprecision", + "looseness", + "infallibility", + "inerrancy", + "errancy", + "papal infallibility", + "errancy", + "instability", + "reproducibility", + "duplicability", + "irreproducibility", + "fallibility", + "distinction", + "worthiness", + "deservingness", + "merit", + "meritoriousness", + "praiseworthiness", + "laudability", + "laudableness", + "quotability", + "roadworthiness", + "unworthiness", + "baseness", + "sordidness", + "contemptibility", + "despicableness", + "despicability", + "shamefulness", + "disgracefulness", + "ignominiousness", + "scandalousness", + "popularity", + "hot stuff", + "unpopularity", + "legality", + "validity", + "validness", + "effect", + "force", + "lawfulness", + "legitimacy", + "licitness", + "illegality", + "invalidity", + "invalidness", + "fallaciousness", + "unlawfulness", + "lawlessness", + "outlawry", + "infection", + "illegitimacy", + "illicitness", + "shadiness", + "refinement", + "civilization", + "civilisation", + "elegance", + "elegance", + "dash", + "elan", + "flair", + "panache", + "style", + "daintiness", + "delicacy", + "fineness", + "courtliness", + "tastefulness", + "breeding", + "genteelness", + "gentility", + "chic", + "chicness", + "chichi", + "modishness", + "smartness", + "stylishness", + "swank", + "last word", + "jauntiness", + "nattiness", + "dapperness", + "rakishness", + "magnificence", + "brilliance", + "splendor", + "splendour", + "grandeur", + "grandness", + "eclat", + "pomp", + "eclat", + "class", + "inelegance", + "awkwardness", + "clumsiness", + "gracelessness", + "stiffness", + "woodenness", + "rusticity", + "gaucherie", + "urbanity", + "dowdiness", + "drabness", + "homeliness", + "shabbiness", + "seediness", + "manginess", + "sleaziness", + "tweediness", + "raggedness", + "coarseness", + "commonness", + "grossness", + "vulgarity", + "vulgarism", + "raunch", + "crudeness", + "roughness", + "boorishness", + "uncouthness", + "ostentation", + "ostentatiousness", + "pomposity", + "pompousness", + "pretentiousness", + "puffiness", + "splashiness", + "inflation", + "tastelessness", + "cheapness", + "tackiness", + "tat", + "sleaze", + "flashiness", + "garishness", + "gaudiness", + "loudness", + "brashness", + "meretriciousness", + "tawdriness", + "glitz", + "comprehensibility", + "understandability", + "legibility", + "readability", + "intelligibility", + "expressiveness", + "picturesqueness", + "readability", + "speech intelligibility", + "clarity", + "lucidity", + "lucidness", + "pellucidity", + "clearness", + "limpidity", + "monosemy", + "focus", + "coherence", + "coherency", + "preciseness", + "clearcutness", + "perspicuity", + "perspicuousness", + "plainness", + "unambiguity", + "unequivocalness", + "explicitness", + "incomprehensibility", + "inscrutability", + "illegibility", + "impenetrability", + "impenetrableness", + "noise", + "opacity", + "opaqueness", + "obscureness", + "obscurity", + "abstruseness", + "reconditeness", + "unintelligibility", + "unclearness", + "elusiveness", + "vagueness", + "haziness", + "inexplicitness", + "implicitness", + "ambiguity", + "equivocalness", + "equivocation", + "prevarication", + "evasiveness", + "polysemy", + "lexical ambiguity", + "twilight zone", + "no man's land", + "righteousness", + "impeccability", + "uprightness", + "rectitude", + "piety", + "piousness", + "devoutness", + "religiousness", + "religiosity", + "religionism", + "religiousism", + "pietism", + "dutifulness", + "godliness", + "unrighteousness", + "sin", + "sinfulness", + "wickedness", + "mark of Cain", + "impiety", + "impiousness", + "undutifulness", + "irreligiousness", + "irreligion", + "ungodliness", + "godlessness", + "humaneness", + "humanity", + "mercifulness", + "mercy", + "compassion", + "pity", + "forgivingness", + "kindness", + "lenience", + "leniency", + "mildness", + "lenity", + "inhumaneness", + "inhumanity", + "atrocity", + "atrociousness", + "barbarity", + "barbarousness", + "heinousness", + "bestiality", + "ferociousness", + "brutality", + "viciousness", + "savagery", + "murderousness", + "mercilessness", + "unmercifulness", + "pitilessness", + "ruthlessness", + "relentlessness", + "inexorability", + "inexorableness", + "generosity", + "generousness", + "charitableness", + "bounty", + "bounteousness", + "bigheartedness", + "liberality", + "liberalness", + "munificence", + "largess", + "largesse", + "magnanimity", + "openhandedness", + "unselfishness", + "altruism", + "selflessness", + "stinginess", + "meanness", + "minginess", + "niggardliness", + "niggardness", + "parsimony", + "parsimoniousness", + "tightness", + "tightfistedness", + "closeness", + "pettiness", + "littleness", + "smallness", + "miserliness", + "penuriousness", + "illiberality", + "selfishness", + "greediness", + "voraciousness", + "rapaciousness", + "egoism", + "egocentrism", + "self-interest", + "self-concern", + "self-centeredness", + "self-love", + "narcism", + "narcissism", + "opportunism", + "self-interest", + "self-seeking", + "expedience", + "drive", + "action", + "enterprise", + "enterprisingness", + "initiative", + "go-ahead", + "ambition", + "ambitiousness", + "aspiration", + "power hunger", + "status seeking", + "energy", + "push", + "get-up-and-go", + "second wind", + "aggressiveness", + "competitiveness", + "fight", + "combativeness", + "militance", + "militancy", + "scrappiness", + "intrusiveness", + "meddlesomeness", + "officiousness", + "boldness", + "nerve", + "brass", + "face", + "cheek", + "audacity", + "audaciousness", + "presumption", + "presumptuousness", + "effrontery", + "assumption", + "uppityness", + "uppishness", + "fairness", + "equity", + "non-discrimination", + "sportsmanship", + "unfairness", + "inequity", + "gamesmanship", + "kindness", + "benevolence", + "charity", + "brotherly love", + "beneficence", + "grace", + "grace of God", + "free grace", + "benignity", + "benignancy", + "graciousness", + "loving-kindness", + "consideration", + "considerateness", + "thoughtfulness", + "kindliness", + "helpfulness", + "tact", + "tactfulness", + "delicacy", + "diplomacy", + "discreetness", + "finesse", + "savoir-faire", + "address", + "malevolence", + "malevolency", + "malice", + "cattiness", + "bitchiness", + "spite", + "spitefulness", + "nastiness", + "malignity", + "malignancy", + "malignance", + "sensitivity", + "sensitiveness", + "antenna", + "feeler", + "defensiveness", + "bunker mentality", + "perceptiveness", + "insensitivity", + "insensitiveness", + "crassness", + "crassitude", + "tin ear", + "unfeelingness", + "callousness", + "callosity", + "hardness", + "insensibility", + "dullness", + "unperceptiveness", + "unkindness", + "cruelty", + "cruelness", + "harshness", + "beastliness", + "meanness", + "unhelpfulness", + "inconsideration", + "inconsiderateness", + "thoughtlessness", + "tactlessness", + "bluntness", + "maleficence", + "mischief", + "balefulness", + "morality", + "rightness", + "virtue", + "virtuousness", + "moral excellence", + "virtue", + "cardinal virtue", + "natural virtue", + "theological virtue", + "supernatural virtue", + "hope", + "saintliness", + "conscience", + "conscientiousness", + "religiousness", + "unconscientiousness", + "good", + "goodness", + "summum bonum", + "virtue", + "chastity", + "sexual morality", + "honor", + "honour", + "purity", + "pureness", + "justice", + "justness", + "right", + "rightfulness", + "immorality", + "corruption", + "degeneracy", + "depravation", + "depravity", + "putrefaction", + "infection", + "corruptibility", + "licentiousness", + "wantonness", + "anomie", + "anomy", + "wrongness", + "evil", + "evilness", + "worst", + "nefariousness", + "wickedness", + "vileness", + "ugliness", + "filthiness", + "enormity", + "reprehensibility", + "villainy", + "villainousness", + "perversity", + "perverseness", + "error", + "wrongdoing", + "frailty", + "vice", + "corruptness", + "corruption", + "venality", + "injustice", + "unjustness", + "wrong", + "wrongfulness", + "amorality", + "divinity", + "holiness", + "sanctity", + "sanctitude", + "sacredness", + "ideality", + "holy of holies", + "unholiness", + "profaneness", + "unsanctification", + "sacrilegiousness", + "safeness", + "dangerousness", + "precariousness", + "curability", + "curableness", + "incurability", + "incurableness", + "courage", + "courageousness", + "bravery", + "braveness", + "heart", + "mettle", + "nerve", + "spunk", + "heroism", + "gallantry", + "valor", + "valour", + "valorousness", + "valiance", + "valiancy", + "dauntlessness", + "intrepidity", + "Dutch courage", + "stoutheartedness", + "fearlessness", + "coolness", + "nervelessness", + "boldness", + "daring", + "hardiness", + "hardihood", + "adventurousness", + "venturesomeness", + "daredevilry", + "daredeviltry", + "audacity", + "audaciousness", + "temerity", + "shamelessness", + "brazenness", + "gutsiness", + "pluck", + "pluckiness", + "cowardice", + "cowardliness", + "cravenness", + "faintheartedness", + "faintness", + "fearfulness", + "timidity", + "timorousness", + "pusillanimity", + "pusillanimousness", + "poltroonery", + "dastardliness", + "gutlessness", + "resoluteness", + "firmness", + "firmness of purpose", + "resolve", + "resolution", + "self-control", + "self-possession", + "possession", + "willpower", + "will power", + "self-command", + "self-will", + "nerves", + "steadiness", + "sturdiness", + "presence of mind", + "stiffness", + "stubbornness", + "bullheadedness", + "obstinacy", + "obstinance", + "pigheadedness", + "self-will", + "impenitence", + "impenitency", + "intransigency", + "intransigence", + "single-mindedness", + "adamance", + "obduracy", + "unyieldingness", + "decisiveness", + "decision", + "determination", + "purpose", + "doggedness", + "perseverance", + "persistence", + "persistency", + "tenacity", + "tenaciousness", + "pertinacity", + "indefatigability", + "indefatigableness", + "tirelessness", + "steadfastness", + "diligence", + "industriousness", + "industry", + "assiduity", + "assiduousness", + "concentration", + "intentness", + "engrossment", + "singleness", + "sedulity", + "sedulousness", + "studiousness", + "bookishness", + "irresoluteness", + "irresolution", + "volatility", + "unpredictability", + "indecisiveness", + "indecision", + "sincerity", + "sooth", + "heartiness", + "wholeheartedness", + "singleness", + "straightforwardness", + "insincerity", + "falseness", + "hollowness", + "hypocrisy", + "sanctimoniousness", + "sanctimony", + "fulsomeness", + "oiliness", + "oleaginousness", + "smarminess", + "unctuousness", + "unction", + "honorableness", + "honourableness", + "honor", + "honour", + "scrupulousness", + "venerability", + "venerableness", + "integrity", + "probity", + "incorruptness", + "incorruption", + "incorruptibility", + "nobility", + "nobleness", + "magnanimousness", + "grandeur", + "high-mindedness", + "idealism", + "noble-mindedness", + "sublimity", + "respectability", + "reputability", + "decency", + "honesty", + "honestness", + "candor", + "candour", + "candidness", + "frankness", + "directness", + "forthrightness", + "good faith", + "straightness", + "truthfulness", + "veracity", + "ingenuousness", + "artlessness", + "parental quality", + "motherliness", + "maternalism", + "maternal quality", + "maternity", + "fatherliness", + "paternal quality", + "dishonorableness", + "dishonourableness", + "ignobleness", + "ignobility", + "dishonor", + "dishonour", + "unscrupulousness", + "sleaziness", + "unrespectability", + "disreputability", + "disreputableness", + "dishonesty", + "deceptiveness", + "obliquity", + "speciousness", + "meretriciousness", + "fraudulence", + "deceit", + "jobbery", + "crookedness", + "deviousness", + "rascality", + "shiftiness", + "slipperiness", + "trickiness", + "thievishness", + "larcenous", + "untruthfulness", + "mendacity", + "disingenuousness", + "craftiness", + "deceitfulness", + "guile", + "artfulness", + "cunning", + "fidelity", + "faithfulness", + "constancy", + "dedication", + "loyalty", + "trueness", + "steadfastness", + "staunchness", + "allegiance", + "fealty", + "patriotism", + "nationalism", + "regionalism", + "Americanism", + "chauvinism", + "jingoism", + "superpatriotism", + "ultranationalism", + "infidelity", + "unfaithfulness", + "faithlessness", + "falseness", + "fickleness", + "inconstancy", + "disloyalty", + "disaffection", + "treason", + "subversiveness", + "traitorousness", + "betrayal", + "perfidy", + "perfidiousness", + "treachery", + "insidiousness", + "sophistication", + "worldliness", + "mundaneness", + "mundanity", + "naivete", + "naivety", + "naiveness", + "artlessness", + "innocence", + "ingenuousness", + "naturalness", + "innocency", + "credulousness", + "gullibility", + "simplicity", + "simpleness", + "simple mindedness", + "discipline", + "self-discipline", + "self-denial", + "austerity", + "asceticism", + "nonindulgence", + "monasticism", + "eremitism", + "abstinence", + "abstention", + "continence", + "continency", + "restraint", + "control", + "self-restraint", + "temperateness", + "stiff upper lip", + "temperance", + "moderation", + "sobriety", + "dryness", + "abstemiousness", + "inhibition", + "continence", + "taboo", + "tabu", + "indiscipline", + "undiscipline", + "indulgence", + "self-indulgence", + "dissoluteness", + "incontinence", + "self-gratification", + "rakishness", + "unrestraint", + "intemperance", + "abandon", + "wantonness", + "unconstraint", + "looseness", + "madness", + "rabidity", + "rabidness", + "sottishness", + "gluttony", + "greediness", + "hoggishness", + "piggishness", + "edacity", + "esurience", + "rapaciousness", + "rapacity", + "voracity", + "voraciousness", + "pride", + "civic pride", + "civic spirit", + "dignity", + "self-respect", + "self-regard", + "self-worth", + "conceit", + "conceitedness", + "vanity", + "boastfulness", + "vainglory", + "egotism", + "self-importance", + "swelled head", + "posturing", + "superiority complex", + "arrogance", + "haughtiness", + "hauteur", + "high-handedness", + "lordliness", + "condescension", + "superciliousness", + "disdainfulness", + "contemptuousness", + "hubris", + "imperiousness", + "domineeringness", + "overbearingness", + "superiority", + "snobbery", + "snobbism", + "snobbishness", + "clannishness", + "cliquishness", + "exclusiveness", + "humility", + "humbleness", + "meekness", + "subduedness", + "spinelessness", + "wisdom", + "wiseness", + "judiciousness", + "sagacity", + "sagaciousness", + "knowledgeability", + "knowledgeableness", + "initiation", + "statesmanship", + "statecraft", + "diplomacy", + "discretion", + "discernment", + "circumspection", + "caution", + "folly", + "foolishness", + "unwiseness", + "indiscretion", + "injudiciousness", + "absurdity", + "fatuity", + "fatuousness", + "silliness", + "asininity", + "judgment", + "judgement", + "sound judgment", + "sound judgement", + "perspicacity", + "objectivity", + "objectiveness", + "subjectivity", + "subjectiveness", + "prudence", + "providence", + "foresight", + "foresightedness", + "foresightfulness", + "frugality", + "frugalness", + "parsimony", + "parsimoniousness", + "thrift", + "penny-pinching", + "economy", + "thriftiness", + "imprudence", + "heedlessness", + "mindlessness", + "rashness", + "lightheadedness", + "improvidence", + "shortsightedness", + "extravagance", + "prodigality", + "profligacy", + "thriftlessness", + "waste", + "wastefulness", + "trust", + "trustingness", + "trustfulness", + "credulity", + "overcredulity", + "distrust", + "distrustfulness", + "mistrust", + "suspicion", + "suspiciousness", + "cleanliness", + "fastidiousness", + "tidiness", + "neatness", + "uncleanliness", + "slovenliness", + "slatternliness", + "sluttishness", + "squeamishness", + "untidiness", + "messiness", + "disarray", + "disorderliness", + "demeanor", + "demeanour", + "behavior", + "behaviour", + "conduct", + "deportment", + "manners", + "citizenship", + "swashbuckling", + "propriety", + "properness", + "correctitude", + "decorum", + "decorousness", + "appropriateness", + "rightness", + "correctness", + "good form", + "faultlessness", + "impeccability", + "political correctness", + "political correctitude", + "priggishness", + "primness", + "modesty", + "reserve", + "demureness", + "seemliness", + "grace", + "becomingness", + "decency", + "modesty", + "modestness", + "primness", + "prudishness", + "prudery", + "Grundyism", + "impropriety", + "improperness", + "incorrectness", + "political incorrectness", + "inappropriateness", + "wrongness", + "indelicacy", + "gaminess", + "raciness", + "ribaldry", + "spiciness", + "indecorum", + "indecorousness", + "unseemliness", + "unbecomingness", + "indecency", + "immodesty", + "outrageousness", + "enormity", + "obscenity", + "lewdness", + "bawdiness", + "salaciousness", + "salacity", + "smuttiness", + "dirtiness", + "composure", + "calm", + "calmness", + "equanimity", + "aplomb", + "assuredness", + "cool", + "poise", + "sang-froid", + "repose", + "quiet", + "placidity", + "serenity", + "tranquillity", + "tranquility", + "ataraxia", + "discomposure", + "disquiet", + "unease", + "uneasiness", + "perturbation", + "fluster", + "tractability", + "tractableness", + "flexibility", + "manageability", + "manageableness", + "docility", + "tameness", + "domestication", + "amenability", + "amenableness", + "cooperativeness", + "obedience", + "submissiveness", + "obsequiousness", + "servility", + "subservience", + "sycophancy", + "passivity", + "passiveness", + "subordination", + "intractability", + "intractableness", + "refractoriness", + "unmanageableness", + "recalcitrance", + "recalcitrancy", + "wildness", + "defiance", + "rebelliousness", + "insubordination", + "obstreperousness", + "unruliness", + "fractiousness", + "willfulness", + "wilfulness", + "balkiness", + "stubbornness", + "obstinacy", + "obstinance", + "mulishness", + "contrariness", + "perversity", + "perverseness", + "cussedness", + "orneriness", + "disobedience", + "naughtiness", + "mischievousness", + "badness", + "prankishness", + "rascality", + "roguishness", + "wildness", + "manner", + "personal manner", + "bearing", + "comportment", + "presence", + "mien", + "bedside manner", + "dignity", + "lordliness", + "gravitas", + "foppishness", + "dandyism", + "gentleness", + "softness", + "mildness", + "formality", + "formalness", + "ceremoniousness", + "stateliness", + "informality", + "casualness", + "familiarity", + "slanginess", + "unceremoniousness", + "courtesy", + "good manners", + "politeness", + "niceness", + "urbanity", + "suavity", + "suaveness", + "blandness", + "smoothness", + "graciousness", + "chivalry", + "gallantry", + "politesse", + "deference", + "respect", + "respectfulness", + "civility", + "discourtesy", + "rudeness", + "boorishness", + "impoliteness", + "bad manners", + "ill-breeding", + "ungraciousness", + "crudeness", + "crudity", + "gaucheness", + "incivility", + "abruptness", + "brusqueness", + "curtness", + "gruffness", + "shortness", + "contempt", + "disrespect", + "crust", + "gall", + "impertinence", + "impudence", + "insolence", + "cheekiness", + "freshness", + "chutzpa", + "chutzpah", + "hutzpah", + "property", + "actinism", + "isotropy", + "symmetry", + "anisotropy", + "characteristic", + "device characteristic", + "connectivity", + "directness", + "straightness", + "downrightness", + "straightforwardness", + "immediacy", + "immediateness", + "pointedness", + "indirectness", + "allusiveness", + "mediacy", + "mediateness", + "deviousness", + "obliqueness", + "discursiveness", + "robustness", + "rurality", + "ruralism", + "streak", + "duality", + "wave-particle duality", + "heredity", + "genetic endowment", + "inheritance", + "heritage", + "birthright", + "background", + "birthright", + "upbringing", + "education", + "training", + "breeding", + "raising", + "rearing", + "nurture", + "inheritance", + "hereditary pattern", + "heterosis", + "hybrid vigor", + "ancestry", + "lineage", + "derivation", + "filiation", + "linkage", + "gene linkage", + "X-linked dominant inheritance", + "X-linked recessive inheritance", + "origin", + "descent", + "extraction", + "pedigree", + "bloodline", + "full blood", + "age", + "chronological age", + "bone age", + "developmental age", + "fetal age", + "fertilization age", + "gestational age", + "mental age", + "oldness", + "obsoleteness", + "superannuation", + "ancientness", + "antiquity", + "old-fashionedness", + "quaintness", + "vintage", + "time of origin", + "hoariness", + "newness", + "brand-newness", + "freshness", + "crispness", + "recency", + "recentness", + "oldness", + "agedness", + "senescence", + "senility", + "longevity", + "seniority", + "staleness", + "mustiness", + "must", + "moldiness", + "youngness", + "youth", + "youthfulness", + "juvenility", + "childishness", + "puerility", + "manner", + "mode", + "style", + "way", + "fashion", + "artistic style", + "idiom", + "High Renaissance", + "treatment", + "drape", + "fit", + "form", + "life style", + "life-style", + "lifestyle", + "modus vivendi", + "fast lane", + "free living", + "vanity fair", + "setup", + "touch", + "signature", + "common touch", + "wise", + "hang", + "structure", + "computer architecture", + "architecture", + "complex instruction set computing", + "complex instruction set computer", + "CISC", + "reduced instruction set computing", + "reduced instruction set computer", + "RISC", + "cytoarchitecture", + "cytoarchitectonics", + "framework", + "fabric", + "constitution", + "composition", + "physical composition", + "makeup", + "make-up", + "phenotype", + "genotype", + "genetic constitution", + "texture", + "grain", + "consistency", + "consistence", + "eubstance", + "body", + "viscosity", + "viscousness", + "stickiness", + "sliminess", + "adhesiveness", + "adhesion", + "adherence", + "bond", + "cohesiveness", + "glueyness", + "gluiness", + "gumminess", + "tackiness", + "ropiness", + "viscidity", + "viscidness", + "gelatinousness", + "glutinosity", + "glutinousness", + "thickness", + "semifluidity", + "creaminess", + "soupiness", + "thinness", + "fluidity", + "fluidness", + "liquidity", + "liquidness", + "runniness", + "wateriness", + "hardness", + "hardness", + "firmness", + "softness", + "compressibility", + "squeezability", + "sponginess", + "incompressibility", + "downiness", + "featheriness", + "fluffiness", + "flabbiness", + "limpness", + "flaccidity", + "mushiness", + "pulpiness", + "breakableness", + "brittleness", + "crispness", + "crispiness", + "crumbliness", + "friability", + "flakiness", + "unbreakableness", + "porosity", + "porousness", + "sponginess", + "permeability", + "permeableness", + "penetrability", + "perviousness", + "absorbency", + "solidity", + "solidness", + "compactness", + "density", + "denseness", + "specific gravity", + "vapor density", + "vapour density", + "impermeability", + "impermeableness", + "retentiveness", + "retentivity", + "retention", + "urinary retention", + "impenetrability", + "imperviousness", + "nonabsorbency", + "disposition", + "aptness", + "propensity", + "mordacity", + "predisposition", + "proneness", + "separatism", + "tendency", + "inclination", + "buoyancy", + "electronegativity", + "negativity", + "stainability", + "basophilia", + "desire", + "hunger", + "hungriness", + "thirst", + "thirstiness", + "greed", + "avarice", + "avariciousness", + "covetousness", + "cupidity", + "possessiveness", + "acquisitiveness", + "bibliomania", + "retentiveness", + "retentivity", + "tactile property", + "feel", + "touch", + "texture", + "nap", + "smoothness", + "silkiness", + "sleekness", + "slickness", + "slick", + "slipperiness", + "slip", + "soapiness", + "fineness", + "powderiness", + "roughness", + "raggedness", + "scaliness", + "coarseness", + "nubbiness", + "tweediness", + "slub", + "knot", + "burl", + "harshness", + "abrasiveness", + "scratchiness", + "coarseness", + "graininess", + "granularity", + "sandiness", + "shagginess", + "bumpiness", + "prickliness", + "bristliness", + "spininess", + "thorniness", + "optics", + "visual property", + "sleekness", + "texture", + "grain", + "wood grain", + "woodgrain", + "woodiness", + "graining", + "woodgraining", + "marbleization", + "marbleisation", + "marbleizing", + "marbleising", + "light", + "lightness", + "aura", + "aureole", + "halo", + "nimbus", + "glory", + "gloriole", + "sunniness", + "cloudlessness", + "highlight", + "highlighting", + "brightness", + "glare", + "blaze", + "brilliance", + "dazzle", + "glitter", + "glister", + "glisten", + "scintillation", + "sparkle", + "flash", + "glint", + "sparkle", + "twinkle", + "spark", + "light", + "opalescence", + "iridescence", + "radiance", + "radiancy", + "shine", + "effulgence", + "refulgence", + "refulgency", + "radio brightness", + "gleam", + "gleaming", + "glow", + "lambency", + "shininess", + "sheen", + "luster", + "lustre", + "luster", + "lustre", + "brilliancy", + "splendor", + "splendour", + "polish", + "gloss", + "glossiness", + "burnish", + "French polish", + "glaze", + "dullness", + "dimness", + "subduedness", + "flatness", + "lusterlessness", + "lustrelessness", + "mat", + "matt", + "matte", + "softness", + "color", + "colour", + "coloring", + "colouring", + "primary color", + "primary colour", + "primary color for pigments", + "primary colour for pigments", + "primary color for light", + "primary colour for light", + "primary subtractive color for light", + "primary subtractive colour for light", + "heather mixture", + "heather", + "mellowness", + "richness", + "colorlessness", + "colourlessness", + "achromatism", + "achromaticity", + "mottle", + "achromia", + "shade", + "tint", + "tincture", + "tone", + "undertone", + "tinge", + "chromatic color", + "chromatic colour", + "spectral color", + "spectral colour", + "achromatic color", + "achromatic colour", + "black", + "blackness", + "inkiness", + "coal black", + "ebony", + "jet black", + "pitch black", + "sable", + "soot black", + "white", + "whiteness", + "alabaster", + "bleach", + "bone", + "ivory", + "pearl", + "off-white", + "chalk", + "frostiness", + "hoariness", + "gray", + "grayness", + "grey", + "greyness", + "ash grey", + "ash gray", + "silver", + "silver grey", + "silver gray", + "charcoal", + "charcoal grey", + "charcoal gray", + "oxford grey", + "oxford gray", + "dapple-grey", + "dapple-gray", + "dappled-grey", + "dappled-gray", + "iron-grey", + "iron-gray", + "tattletale grey", + "tattletale gray", + "red", + "redness", + "sanguine", + "chrome red", + "Turkey red", + "alizarine red", + "cardinal", + "carmine", + "crimson", + "ruby", + "deep red", + "dark red", + "burgundy", + "claret", + "oxblood red", + "wine", + "wine-colored", + "wine-coloured", + "purplish red", + "purplish-red", + "cerise", + "cherry", + "cherry red", + "magenta", + "fuschia", + "maroon", + "scarlet", + "vermilion", + "orange red", + "orange", + "orangeness", + "salmon", + "reddish orange", + "tangerine", + "yellow", + "yellowness", + "blond", + "blonde", + "canary yellow", + "canary", + "amber", + "gold", + "brownish yellow", + "gamboge", + "lemon", + "lemon yellow", + "maize", + "old gold", + "orange yellow", + "saffron", + "ocher", + "ochre", + "pale yellow", + "straw", + "wheat", + "greenish yellow", + "green", + "greenness", + "viridity", + "greenishness", + "sea green", + "sage green", + "bottle green", + "chrome green", + "emerald", + "olive green", + "olive-green", + "yellow green", + "yellowish green", + "chartreuse", + "Paris green", + "pea green", + "bluish green", + "blue green", + "teal", + "cyan", + "jade green", + "jade", + "blue", + "blueness", + "azure", + "cerulean", + "sapphire", + "lazuline", + "sky-blue", + "powder blue", + "steel blue", + "Prussian blue", + "dark blue", + "navy", + "navy blue", + "greenish blue", + "aqua", + "aquamarine", + "turquoise", + "cobalt blue", + "peacock blue", + "purplish blue", + "royal blue", + "purple", + "purpleness", + "Tyrian purple", + "indigo", + "lavender", + "mauve", + "reddish purple", + "royal purple", + "violet", + "reddish blue", + "pink", + "pinkness", + "carnation", + "rose", + "rosiness", + "old rose", + "solferino", + "purplish pink", + "yellowish pink", + "apricot", + "peach", + "salmon pink", + "coral", + "brown", + "brownness", + "Vandyke brown", + "chestnut", + "chocolate", + "coffee", + "deep brown", + "umber", + "burnt umber", + "hazel", + "light brown", + "mocha", + "tan", + "topaz", + "dun", + "greyish brown", + "grayish brown", + "fawn", + "beige", + "ecru", + "reddish brown", + "sepia", + "burnt sienna", + "Venetian red", + "mahogany", + "brick red", + "copper", + "copper color", + "Indian red", + "yellowish brown", + "raw sienna", + "buff", + "caramel", + "caramel brown", + "puce", + "olive brown", + "olive", + "olive drab", + "drab", + "pastel", + "snuff-color", + "snuff-colour", + "taupe", + "ultramarine", + "color property", + "hue", + "chromaticity", + "saturation", + "chroma", + "intensity", + "vividness", + "paleness", + "pallidity", + "complementary color", + "complementary", + "coloration", + "colouration", + "hair coloring", + "pigmentation", + "chromatism", + "melanoderma", + "depigmentation", + "poliosis", + "complexion", + "skin color", + "skin colour", + "paleness", + "blondness", + "fairness", + "ruddiness", + "rosiness", + "lividness", + "lividity", + "luridness", + "paleness", + "pallidness", + "pallor", + "wanness", + "achromasia", + "sallowness", + "tawniness", + "darkness", + "duskiness", + "swarthiness", + "whiteness", + "nonsolid color", + "nonsolid colour", + "dithered color", + "dithered colour", + "protective coloration", + "aposematic coloration", + "warning coloration", + "apatetic coloration", + "cryptic coloration", + "value", + "lightness", + "darkness", + "olfactory property", + "smell", + "aroma", + "odor", + "odour", + "scent", + "bouquet", + "fragrance", + "fragrancy", + "redolence", + "sweetness", + "malodorousness", + "stinkiness", + "foulness", + "rankness", + "fetidness", + "body odor", + "body odour", + "B.O.", + "muskiness", + "sound", + "noisiness", + "racketiness", + "ring", + "unison", + "voice", + "androglossia", + "silence", + "quiet", + "hush", + "stillness", + "still", + "speechlessness", + "quietness", + "soundlessness", + "noiselessness", + "sound property", + "musicality", + "musicalness", + "lyricality", + "lyricism", + "songfulness", + "melodiousness", + "tunefulness", + "texture", + "harmony", + "consonance", + "harmoniousness", + "dissonance", + "discordance", + "discord", + "disharmony", + "inharmoniousness", + "cacophony", + "boisterousness", + "pitch", + "concert pitch", + "philharmonic pitch", + "international pitch", + "high pitch", + "high frequency", + "soprano", + "treble", + "tenor", + "key", + "low pitch", + "low frequency", + "deepness", + "alto", + "alto", + "bass", + "tone", + "tune", + "registration", + "timbre", + "timber", + "quality", + "tone", + "harmonic", + "resonance", + "color", + "colour", + "coloration", + "colouration", + "harshness", + "roughness", + "gruffness", + "hoarseness", + "huskiness", + "fullness", + "mellowness", + "richness", + "nasality", + "twang", + "nasal twang", + "plangency", + "resonance", + "reverberance", + "ringing", + "sonorousness", + "sonority", + "vibrancy", + "shrillness", + "stridence", + "stridency", + "volume", + "loudness", + "intensity", + "crescendo", + "swell", + "forte", + "fortissimo", + "softness", + "faintness", + "decrescendo", + "diminuendo", + "piano", + "pianissimo", + "rhythmicity", + "meter", + "metre", + "time", + "cadence", + "cadency", + "lilt", + "swing", + "taste property", + "rancidness", + "spiciness", + "spice", + "spicery", + "pungency", + "bite", + "sharpness", + "raciness", + "nip", + "piquance", + "piquancy", + "piquantness", + "tang", + "tanginess", + "zest", + "hotness", + "pepperiness", + "saltiness", + "brininess", + "salinity", + "brackishness", + "sourness", + "sour", + "acidity", + "acerbity", + "tartness", + "vinegariness", + "vinegarishness", + "sweetness", + "sweet", + "saccharinity", + "sugariness", + "bitterness", + "bitter", + "acerbity", + "acridity", + "acridness", + "palatability", + "palatableness", + "pleasingness", + "tastiness", + "appetizingness", + "appetisingness", + "delectability", + "deliciousness", + "lusciousness", + "toothsomeness", + "flavorsomeness", + "flavoursomeness", + "savoriness", + "sapidity", + "sapidness", + "succulence", + "succulency", + "juiciness", + "unpalatability", + "unpalatableness", + "disgustingness", + "distastefulness", + "nauseatingness", + "sickeningness", + "unsavoriness", + "unappetizingness", + "unappetisingness", + "flavorlessness", + "flavourlessness", + "savorlessness", + "savourlessness", + "tastelessness", + "blandness", + "insipidity", + "insipidness", + "edibility", + "edibleness", + "digestibility", + "digestibleness", + "indigestibility", + "indigestibleness", + "bodily property", + "bipedalism", + "laterality", + "dominance", + "physique", + "build", + "body-build", + "habitus", + "lankiness", + "dumpiness", + "squattiness", + "body type", + "somatotype", + "asthenic type", + "ectomorphy", + "endomorphy", + "pyknic type", + "athletic type", + "mesomorphy", + "fatness", + "fat", + "blubber", + "avoirdupois", + "adiposity", + "adiposeness", + "fattiness", + "abdominousness", + "paunchiness", + "greasiness", + "oiliness", + "oleaginousness", + "fleshiness", + "obesity", + "corpulency", + "corpulence", + "overweight", + "stoutness", + "adiposis", + "exogenous obesity", + "steatopygia", + "plumpness", + "embonpoint", + "roundness", + "chubbiness", + "pudginess", + "tubbiness", + "rolypoliness", + "buxomness", + "leanness", + "thinness", + "spareness", + "skinniness", + "scrawniness", + "bonyness", + "boniness", + "emaciation", + "gauntness", + "maceration", + "slenderness", + "slightness", + "slimness", + "stature", + "height", + "tallness", + "shortness", + "carriage", + "bearing", + "posture", + "walk", + "manner of walking", + "slouch", + "gracefulness", + "grace", + "gracility", + "agility", + "legerity", + "lightness", + "lightsomeness", + "nimbleness", + "lissomeness", + "litheness", + "suppleness", + "awkwardness", + "clumsiness", + "gracelessness", + "ungracefulness", + "gawkiness", + "ungainliness", + "stiffness", + "physiology", + "physiological property", + "animateness", + "aliveness", + "liveness", + "animation", + "vitality", + "sentience", + "inanimateness", + "lifelessness", + "deadness", + "insentience", + "sex", + "gender", + "sexuality", + "sex characteristic", + "sexual characteristic", + "sex character", + "primary sex characteristic", + "primary sexual characteristic", + "primary sex character", + "secondary sex characteristic", + "secondary sexual characteristic", + "secondary sex character", + "asexuality", + "sexlessness", + "maleness", + "masculinity", + "virility", + "virilism", + "androgyny", + "hermaphroditism", + "bisexuality", + "femaleness", + "feminineness", + "physical property", + "chemical property", + "volatility", + "absorptivity", + "absorption factor", + "dissolubility", + "solubleness", + "drippiness", + "reflection", + "reflexion", + "reflectivity", + "echo", + "reverberation", + "sound reflection", + "replication", + "re-echo", + "echo", + "deflection", + "deflexion", + "bending", + "windage", + "wind deflection", + "refractivity", + "refractiveness", + "temperature", + "heat content", + "total heat", + "enthalpy", + "H", + "randomness", + "entropy", + "S", + "conformational entropy", + "absolute temperature", + "absolute zero", + "Curie temperature", + "Curie point", + "dew point", + "flash point", + "flashpoint", + "freezing point", + "melting point", + "boiling point", + "boil", + "mercury", + "room temperature", + "simmer", + "basal body temperature", + "basal temperature", + "body temperature", + "blood heat", + "coldness", + "cold", + "low temperature", + "frigidity", + "frigidness", + "chill", + "iciness", + "gelidity", + "chilliness", + "coolness", + "nip", + "frostiness", + "cool", + "hotness", + "heat", + "high temperature", + "calefaction", + "incalescence", + "fieriness", + "red heat", + "torridity", + "warmth", + "warmness", + "lukewarmness", + "tepidity", + "tepidness", + "white heat", + "perceptibility", + "visibility", + "visibleness", + "visual range", + "invisibility", + "invisibleness", + "luminosity", + "brightness", + "brightness level", + "luminance", + "luminousness", + "light", + "illuminance", + "illumination", + "incandescence", + "luminescence", + "glow", + "audibility", + "audibleness", + "inaudibility", + "inaudibleness", + "imperceptibility", + "reluctivity", + "sensitivity", + "sensitiveness", + "frequency response", + "magnetization", + "magnetisation", + "elasticity", + "snap", + "resilience", + "resiliency", + "bounce", + "bounciness", + "give", + "spring", + "springiness", + "stretch", + "stretchiness", + "stretchability", + "temper", + "toughness", + "elasticity of shear", + "malleability", + "plasticity", + "ductility", + "ductileness", + "fibrosity", + "fibrousness", + "flexibility", + "flexibleness", + "bendability", + "pliability", + "whip", + "pliancy", + "pliantness", + "suppleness", + "inelasticity", + "deadness", + "stiffness", + "rigidity", + "rigidness", + "unmalleability", + "inflexibility", + "inflexibleness", + "mass", + "body", + "biomass", + "critical mass", + "rest mass", + "relativistic mass", + "bulk", + "gravitational mass", + "inertial mass", + "atomic mass", + "atomic weight", + "relative atomic mass", + "mass energy", + "molecular weight", + "relative molecular mass", + "equivalent", + "equivalent weight", + "combining weight", + "eq", + "milliequivalent", + "meq", + "weight", + "body weight", + "reporting weight", + "dead weight", + "heaviness", + "weightiness", + "heft", + "heftiness", + "massiveness", + "ponderousness", + "ponderosity", + "preponderance", + "poundage", + "tare", + "throw-weight", + "lightness", + "weightlessness", + "airiness", + "buoyancy", + "momentum", + "angular momentum", + "sustainability", + "strength", + "good part", + "tensile strength", + "brawn", + "brawniness", + "muscle", + "muscularity", + "sinew", + "heftiness", + "might", + "mightiness", + "power", + "vigor", + "vigour", + "dynamism", + "heartiness", + "robustness", + "hardiness", + "lustiness", + "validity", + "huskiness", + "ruggedness", + "toughness", + "smallness", + "littleness", + "stoutness", + "stalwartness", + "sturdiness", + "firmness", + "soundness", + "indomitability", + "invincibility", + "fortitude", + "backbone", + "grit", + "guts", + "moxie", + "sand", + "gumption", + "endurance", + "sufferance", + "stamina", + "staying power", + "toughness", + "legs", + "wiriness", + "long-sufferance", + "long-suffering", + "tolerance", + "capacity", + "invulnerability", + "immunity", + "power of appointment", + "potency", + "effectiveness", + "strength", + "valence", + "valency", + "covalence", + "covalency", + "valence", + "valency", + "sea power", + "force", + "forcefulness", + "strength", + "brunt", + "momentum", + "impulse", + "energy", + "vigor", + "vigour", + "zip", + "athleticism", + "strenuosity", + "intensity", + "intensiveness", + "badness", + "severity", + "severeness", + "foulness", + "raininess", + "seriousness", + "distressfulness", + "vehemence", + "emphasis", + "top", + "overemphasis", + "ferocity", + "fierceness", + "furiousness", + "fury", + "vehemence", + "violence", + "wildness", + "savageness", + "savagery", + "concentration", + "titer", + "titre", + "hydrogen ion concentration", + "pH", + "pH scale", + "acidity", + "hyperacidity", + "alkalinity", + "neutrality", + "molality", + "molal concentration", + "molarity", + "molar concentration", + "M", + "weakness", + "adynamia", + "feebleness", + "tenuity", + "faintness", + "flimsiness", + "shoddiness", + "fragility", + "delicacy", + "insubstantiality", + "attenuation", + "enervation", + "fatigability", + "inanition", + "lassitude", + "lethargy", + "slackness", + "weak part", + "weak spot", + "soft spot", + "Achilles' heel", + "jugular", + "underbelly", + "vulnerability", + "defenselessness", + "defencelessness", + "unprotectedness", + "assailability", + "destructibility", + "indestructibility", + "fragility", + "breakability", + "frangibleness", + "frangibility", + "exposure", + "windage", + "wind exposure", + "solarization", + "solarisation", + "temporal property", + "temporal arrangement", + "temporal order", + "sequence", + "chronological sequence", + "succession", + "successiveness", + "chronological succession", + "rain", + "pelting", + "rotation", + "row", + "run", + "timing", + "approach", + "approaching", + "coming", + "earliness", + "forwardness", + "lateness", + "priority", + "antecedence", + "antecedency", + "anteriority", + "precedence", + "precedency", + "posteriority", + "subsequentness", + "subsequence", + "punctuality", + "promptness", + "tardiness", + "simultaneity", + "simultaneousness", + "concurrence", + "coincidence", + "conjunction", + "co-occurrence", + "concomitance", + "overlap", + "contemporaneity", + "contemporaneousness", + "unison", + "seasonableness", + "timeliness", + "unseasonableness", + "untimeliness", + "pastness", + "recency", + "recentness", + "futurity", + "presentness", + "nowness", + "currentness", + "currency", + "up-to-dateness", + "modernity", + "modernness", + "modernism", + "contemporaneity", + "contemporaneousness", + "spark advance", + "lead", + "duration", + "length", + "longness", + "longevity", + "length of service", + "lengthiness", + "prolongation", + "continuation", + "protraction", + "fermata", + "endlessness", + "continuousness", + "ceaselessness", + "incessancy", + "incessantness", + "shortness", + "brevity", + "briefness", + "transience", + "permanence", + "permanency", + "perpetuity", + "sempiternity", + "lastingness", + "durability", + "enduringness", + "strength", + "continuity", + "persistence", + "changelessness", + "everlastingness", + "imperishability", + "imperishableness", + "imperishingness", + "perdurability", + "impermanence", + "impermanency", + "temporariness", + "transience", + "transiency", + "transitoriness", + "fugacity", + "fugaciousness", + "ephemerality", + "ephemeralness", + "fleetingness", + "fugacity", + "mortality", + "immortality", + "viability", + "audio", + "audio frequency", + "radio frequency", + "infrared", + "infrared frequency", + "station", + "extremely low frequency", + "ELF", + "very low frequency", + "VLF", + "low frequency", + "LF", + "medium frequency", + "MF", + "high frequency", + "HF", + "very high frequency", + "VHF", + "ultrahigh frequency", + "UHF", + "superhigh frequency", + "SHF", + "extremely high frequency", + "EHF", + "speed", + "swiftness", + "fastness", + "pace", + "rate", + "beat", + "fleetness", + "celerity", + "quickness", + "rapidity", + "rapidness", + "speediness", + "immediacy", + "immediateness", + "instantaneousness", + "instancy", + "dispatch", + "despatch", + "expedition", + "expeditiousness", + "promptness", + "promptitude", + "haste", + "hastiness", + "hurry", + "hurriedness", + "precipitation", + "abruptness", + "precipitateness", + "precipitousness", + "precipitance", + "precipitancy", + "suddenness", + "acceleration", + "pickup", + "getaway", + "precipitation", + "deceleration", + "slowing", + "retardation", + "execution speed", + "graduality", + "gradualness", + "slowness", + "deliberation", + "deliberateness", + "unhurriedness", + "leisureliness", + "dilatoriness", + "procrastination", + "sluggishness", + "spatial property", + "spatiality", + "dimensionality", + "one-dimensionality", + "linearity", + "two-dimensionality", + "flatness", + "planeness", + "three-dimensionality", + "third-dimensionality", + "cubicity", + "directionality", + "shape", + "form", + "configuration", + "contour", + "conformation", + "topography", + "lobularity", + "symmetry", + "symmetricalness", + "correspondence", + "balance", + "regularity", + "geometrical regularity", + "bilaterality", + "bilateralism", + "bilateral symmetry", + "radial symmetry", + "asymmetry", + "dissymmetry", + "imbalance", + "irregularity", + "geometrical irregularity", + "lopsidedness", + "skewness", + "obliqueness", + "radial asymmetry", + "directivity", + "directionality", + "directivity", + "directiveness", + "handedness", + "laterality", + "ambidexterity", + "ambidextrousness", + "left-handedness", + "sinistrality", + "right-handedness", + "dextrality", + "footedness", + "eyedness", + "occlusion", + "tilt", + "list", + "inclination", + "lean", + "leaning", + "gradient", + "slope", + "grade", + "upgrade", + "rise", + "rising slope", + "downgrade", + "pitch", + "rake", + "slant", + "loft", + "abruptness", + "precipitousness", + "steepness", + "gradualness", + "gentleness", + "concavity", + "concaveness", + "hollowness", + "convexity", + "convexness", + "roundedness", + "bulginess", + "oblateness", + "ellipticity", + "angularity", + "narrowing", + "coarctation", + "taper", + "point", + "pointedness", + "unpointedness", + "rectangularity", + "oblongness", + "orthogonality", + "perpendicularity", + "squareness", + "triangularity", + "curvature", + "curve", + "roundness", + "sphericity", + "sphericalness", + "globosity", + "globularness", + "rotundity", + "rotundness", + "cylindricality", + "cylindricalness", + "circularity", + "disk shape", + "concentricity", + "eccentricity", + "straightness", + "crookedness", + "curliness", + "waviness", + "straightness", + "stratification", + "position", + "spatial relation", + "placement", + "arrangement", + "columniation", + "point of view", + "camera angle", + "composition", + "composing", + "fenestration", + "proportion", + "proportionality", + "balance", + "alignment", + "true", + "misalignment", + "coincidence", + "dead center", + "dead centre", + "centrality", + "marginality", + "anteriority", + "posteriority", + "outwardness", + "externality", + "inwardness", + "malposition", + "misplacement", + "northernness", + "southernness", + "horizontality", + "verticality", + "verticalness", + "erectness", + "uprightness", + "position", + "posture", + "attitude", + "ballet position", + "decubitus", + "eversion", + "lithotomy position", + "lotus position", + "missionary position", + "pose", + "presentation", + "ectopia", + "arabesque", + "asana", + "matsyendra", + "guard", + "sprawl", + "sprawling", + "stance", + "address", + "attention", + "erectness", + "uprightness", + "ramification", + "spacing", + "spatial arrangement", + "tandem", + "tuck", + "openness", + "patency", + "distance", + "way", + "piece", + "mean distance", + "farness", + "remoteness", + "farawayness", + "far cry", + "nearness", + "closeness", + "proximity", + "propinquity", + "adjacency", + "contiguity", + "contiguousness", + "wavelength", + "focal distance", + "focal length", + "hyperfocal distance", + "leap", + "elevation", + "span", + "wheelbase", + "distribution", + "dispersion", + "complementary distribution", + "complementation", + "diaspora", + "dissemination", + "diffusion", + "innervation", + "scatter", + "spread", + "diffuseness", + "concentration", + "density", + "denseness", + "tightness", + "compactness", + "bits per inch", + "bpi", + "flux density", + "flux", + "optical density", + "transmission density", + "photographic density", + "absorbance", + "rarity", + "tenuity", + "low density", + "relative density", + "interval", + "separation", + "clearance", + "remove", + "magnitude", + "absolute magnitude", + "proportion", + "dimension", + "order", + "order of magnitude", + "information", + "selective information", + "entropy", + "probability", + "chance", + "conditional probability", + "contingent probability", + "cross section", + "exceedance", + "fair chance", + "sporting chance", + "fat chance", + "slim chance", + "joint probability", + "risk", + "risk of exposure", + "risk", + "risk of infection", + "dimension", + "degree", + "grade", + "level", + "grind", + "degree", + "depth", + "profundity", + "profoundness", + "superficiality", + "shallowness", + "glibness", + "slickness", + "sciolism", + "size", + "extra large", + "large", + "number", + "octavo", + "eightvo", + "8vo", + "outsize", + "petite", + "quarto", + "4to", + "regular", + "small", + "stout", + "tall", + "highness", + "high", + "low", + "lowness", + "extreme", + "extremeness", + "amplitude", + "amplitude level", + "signal level", + "noise level", + "background level", + "multiplicity", + "triplicity", + "size", + "size", + "bulk", + "mass", + "volume", + "muchness", + "intensity", + "strength", + "intensity level", + "threshold level", + "field strength", + "field intensity", + "magnetic field strength", + "magnetic intensity", + "magnetic induction", + "magnetic flux density", + "candlepower", + "light intensity", + "acoustic power", + "sound pressure level", + "acoustic radiation pressure", + "half-intensity", + "circumference", + "perimeter", + "girth", + "spread", + "circumference", + "diameter", + "diam", + "radius", + "r", + "semidiameter", + "curvature", + "radius of curvature", + "center of curvature", + "centre of curvature", + "circle of curvature", + "osculating circle", + "thickness", + "bore", + "gauge", + "caliber", + "calibre", + "gauge", + "windage", + "thinness", + "tenuity", + "slenderness", + "largeness", + "bigness", + "ampleness", + "bulkiness", + "massiveness", + "enormousness", + "grandness", + "greatness", + "immenseness", + "immensity", + "sizeableness", + "vastness", + "wideness", + "enormity", + "capaciousness", + "roominess", + "spaciousness", + "commodiousness", + "airiness", + "seating capacity", + "fullness", + "voluminosity", + "voluminousness", + "gigantism", + "giantism", + "largeness", + "extensiveness", + "smallness", + "littleness", + "diminutiveness", + "minuteness", + "petiteness", + "tininess", + "weeness", + "delicacy", + "slightness", + "grain", + "puniness", + "runtiness", + "stuntedness", + "dwarfishness", + "amount", + "positivity", + "positiveness", + "negativity", + "negativeness", + "critical mass", + "quantity", + "increase", + "increment", + "amplification", + "gain", + "complement", + "accompaniment", + "decrease", + "decrement", + "fare increase", + "price increase", + "raise", + "rise", + "wage hike", + "hike", + "wage increase", + "salary increase", + "rise", + "boost", + "hike", + "cost increase", + "smallness", + "supplement", + "supplementation", + "tax-increase", + "tax boost", + "tax hike", + "up-tick", + "loop gain", + "correction", + "voltage drop", + "drop", + "dip", + "fall", + "free fall", + "shrinkage", + "dollar volume", + "turnover", + "stuffiness", + "closeness", + "sufficiency", + "adequacy", + "ampleness", + "insufficiency", + "inadequacy", + "deficiency", + "meagerness", + "meagreness", + "leanness", + "poorness", + "scantiness", + "scantness", + "exiguity", + "wateriness", + "abstemiousness", + "deficit", + "shortage", + "shortfall", + "oxygen deficit", + "sparseness", + "spareness", + "sparsity", + "thinness", + "abundance", + "copiousness", + "teemingness", + "amplitude", + "bountifulness", + "bounty", + "plenty", + "plentifulness", + "plenteousness", + "plenitude", + "plentitude", + "profusion", + "profuseness", + "richness", + "cornucopia", + "wealth", + "luxuriance", + "lushness", + "voluptuousness", + "overgrowth", + "greenness", + "verdancy", + "verdure", + "wilderness", + "scarcity", + "scarceness", + "dearth", + "paucity", + "rarity", + "rareness", + "infrequency", + "slenderness", + "moderation", + "moderateness", + "golden mean", + "reasonableness", + "immoderation", + "immoderateness", + "excess", + "excessiveness", + "inordinateness", + "sun protection factor", + "SPF", + "extravagance", + "extravagancy", + "exorbitance", + "outrageousness", + "luxury", + "overabundance", + "overmuch", + "overmuchness", + "superabundance", + "excess", + "surplus", + "surplusage", + "nimiety", + "glut", + "oversupply", + "surfeit", + "bellyful", + "overplus", + "plethora", + "superfluity", + "embarrassment", + "redundancy", + "redundance", + "fifth wheel", + "deadwood", + "margin", + "margin of safety", + "safety margin", + "margin of error", + "narrow margin", + "narrowness", + "slimness", + "number", + "figure", + "numerousness", + "numerosity", + "multiplicity", + "preponderance", + "prevalence", + "multitudinousness", + "innumerableness", + "countlessness", + "majority", + "bulk", + "minority", + "fewness", + "roundness", + "extent", + "coverage", + "frontage", + "limit", + "bound", + "boundary", + "knife-edge", + "starkness", + "absoluteness", + "utterness", + "thermal barrier", + "heat barrier", + "utmost", + "uttermost", + "maximum", + "level best", + "verge", + "brink", + "scope", + "range", + "reach", + "orbit", + "compass", + "ambit", + "approximate range", + "ballpark", + "confines", + "contrast", + "internationality", + "internationalism", + "register", + "head register", + "head voice", + "head tone", + "falsetto", + "chest register", + "chest voice", + "chest tone", + "latitude", + "horizon", + "view", + "purview", + "sweep", + "expanse", + "gamut", + "spectrum", + "palette", + "pallet", + "area", + "expanse", + "surface area", + "acreage", + "land area", + "footprint", + "length", + "distance", + "length", + "arm's length", + "gauge", + "light time", + "skip distance", + "wingspan", + "wingspread", + "wingspread", + "yardage", + "hour", + "minute", + "mileage", + "milage", + "elevation", + "isometry", + "altitude", + "height", + "level", + "grade", + "ground level", + "water level", + "sea level", + "ceiling", + "ceiling", + "absolute ceiling", + "combat ceiling", + "service ceiling", + "length", + "longness", + "extension", + "lengthiness", + "prolongation", + "coextension", + "elongation", + "shortness", + "curtailment", + "briefness", + "depth", + "depth", + "deepness", + "deepness", + "profundity", + "profoundness", + "draft", + "draught", + "penetration", + "sounding", + "bottomlessness", + "shallowness", + "superficiality", + "width", + "breadth", + "wideness", + "broadness", + "beam", + "thickness", + "heaviness", + "narrowness", + "fineness", + "thinness", + "height", + "tallness", + "highness", + "loftiness", + "lowness", + "squatness", + "stubbiness", + "shortness", + "truncation", + "third dimension", + "worth", + "value", + "merit", + "virtue", + "demerit", + "fault", + "praisworthiness", + "worthwhileness", + "worthlessness", + "ineptitude", + "fecklessness", + "groundlessness", + "idleness", + "paltriness", + "sorriness", + "valuelessness", + "shoddiness", + "trashiness", + "damn", + "darn", + "hoot", + "red cent", + "shit", + "shucks", + "tinker's damn", + "tinker's dam", + "vanity", + "emptiness", + "invaluableness", + "preciousness", + "pricelessness", + "valuableness", + "gold", + "price", + "desirability", + "desirableness", + "undesirability", + "good", + "goodness", + "benefit", + "welfare", + "advantage", + "reward", + "sake", + "interest", + "behalf", + "better", + "better", + "optimum", + "bad", + "badness", + "worse", + "evil", + "Four Horsemen", + "monetary value", + "price", + "cost", + "average cost", + "marginal cost", + "incremental cost", + "differential cost", + "expensiveness", + "assessment", + "tax assessment", + "costliness", + "dearness", + "preciousness", + "lavishness", + "luxury", + "sumptuosity", + "sumptuousness", + "inexpensiveness", + "reasonableness", + "moderateness", + "modestness", + "bargain rate", + "cheapness", + "cut rate", + "cut price", + "fruitfulness", + "fecundity", + "richness", + "rankness", + "prolificacy", + "fertility", + "productiveness", + "productivity", + "fruitlessness", + "aridity", + "barrenness", + "poorness", + "unproductiveness", + "utility", + "usefulness", + "detergency", + "detergence", + "function", + "purpose", + "role", + "use", + "raison d'etre", + "helpfulness", + "avail", + "help", + "service", + "use", + "serviceability", + "serviceableness", + "usableness", + "useableness", + "usability", + "instrumentality", + "inutility", + "uselessness", + "unusefulness", + "futility", + "worthlessness", + "practicality", + "functionality", + "viability", + "sensibleness", + "realism", + "pragmatism", + "practicability", + "practicableness", + "feasibility", + "feasibleness", + "impracticality", + "idealism", + "romanticism", + "knight errantry", + "quixotism", + "impracticability", + "impracticableness", + "infeasibility", + "unfeasibility", + "competence", + "competency", + "fitness", + "linguistic competence", + "proficiency", + "incompetence", + "incompetency", + "asset", + "plus", + "resource", + "aid", + "assistance", + "help", + "recourse", + "refuge", + "resort", + "shadow", + "resourcefulness", + "inner resource", + "advantage", + "vantage", + "favor", + "favour", + "leverage", + "bargaining chip", + "handicap", + "homecourt advantage", + "lead", + "pull", + "clout", + "start", + "head start", + "profit", + "gain", + "account", + "profitableness", + "profitability", + "gainfulness", + "lucrativeness", + "preference", + "privilege", + "expedience", + "expediency", + "superiority", + "favorable position", + "favourable position", + "edge", + "inside track", + "upper hand", + "whip hand", + "forte", + "strong suit", + "long suit", + "metier", + "specialty", + "speciality", + "strong point", + "strength", + "green thumb", + "green fingers", + "weak point", + "good", + "common good", + "commonweal", + "wisdom", + "wiseness", + "soundness", + "unsoundness", + "advisability", + "reasonableness", + "favorableness", + "favourableness", + "advantageousness", + "positivity", + "positiveness", + "profitableness", + "auspiciousness", + "propitiousness", + "liability", + "disadvantage", + "unfavorableness", + "unfavourableness", + "inauspiciousness", + "unpropitiousness", + "limitation", + "defect", + "shortcoming", + "awkwardness", + "nuisance value", + "loss", + "deprivation", + "penalty", + "scratch", + "game misconduct", + "price", + "cost", + "toll", + "richness", + "death toll", + "drawback", + "catch", + "gimmick", + "penalty", + "inadvisability", + "inferiority", + "unfavorable position", + "inexpedience", + "inexpediency", + "unprofitableness", + "unprofitability", + "constructiveness", + "destructiveness", + "harmfulness", + "injuriousness", + "insidiousness", + "poison", + "virulence", + "virulency", + "positivity", + "positiveness", + "positivism", + "affirmativeness", + "assertiveness", + "self-assertiveness", + "bumptiousness", + "cockiness", + "pushiness", + "forwardness", + "negativity", + "negativeness", + "negativism", + "occidentalism", + "orientalism", + "importance", + "big deal", + "face", + "magnitude", + "account", + "matter", + "momentousness", + "prominence", + "greatness", + "illustriousness", + "significance", + "historicalness", + "meaningfulness", + "purposefulness", + "sense of purpose", + "consequence", + "import", + "moment", + "hell to pay", + "essentiality", + "essentialness", + "vitalness", + "indispensability", + "indispensableness", + "vitalness", + "urgency", + "edge", + "sharpness", + "imperativeness", + "instancy", + "weight", + "weightiness", + "unimportance", + "inessentiality", + "dispensability", + "dispensableness", + "pettiness", + "triviality", + "slightness", + "puniness", + "joke", + "insignificance", + "meaninglessness", + "inanity", + "senselessness", + "mindlessness", + "vacuity", + "pointlessness", + "purposelessness", + "aimlessness", + "inconsequence", + "right", + "access", + "advowson", + "cabotage", + "claim", + "title", + "due", + "entree", + "access", + "accession", + "admission", + "admittance", + "floor", + "grant", + "authority", + "authorization", + "authorisation", + "sanction", + "human right", + "legal right", + "compulsory process", + "conjugal right", + "conjugal visitation right", + "conjugal visitation", + "preemption", + "pre-emption", + "preemption", + "pre-emption", + "prerogative", + "privilege", + "perquisite", + "exclusive right", + "public easement", + "easement", + "privilege of the floor", + "privilege", + "attorney-client privilege", + "informer's privilege", + "journalist's privilege", + "marital communications privilege", + "husband-wife privilege", + "physician-patient privilege", + "priest-penitent privilege", + "door", + "open door", + "title", + "claim", + "own right", + "entitlement", + "right to privacy", + "right to life", + "right to liberty", + "right to the pursuit of happiness", + "freedom of thought", + "equality before the law", + "civil right", + "civil liberty", + "habeas corpus", + "freedom of religion", + "freedom of speech", + "freedom of the press", + "freedom of assembly", + "freedom to bear arms", + "freedom from search and seizure", + "right to due process", + "freedom from self-incrimination", + "privilege against self incrimination", + "freedom from double jeopardy", + "right to speedy and public trial by jury", + "right to an attorney", + "right to confront accusors", + "freedom from cruel and unusual punishment", + "freedom from involuntary servitude", + "equal protection of the laws", + "right to vote", + "vote", + "suffrage", + "universal suffrage", + "freedom from discrimination", + "equal opportunity", + "eminent domain", + "franchise", + "enfranchisement", + "representation", + "right of action", + "right of search", + "right of way", + "states' rights", + "voting right", + "water right", + "riparian right", + "patent right", + "right of election", + "right of entry", + "right of re-entry", + "right of offset", + "right of privacy", + "right of way", + "seat", + "use", + "enjoyment", + "usufruct", + "visitation right", + "power", + "powerfulness", + "preponderance", + "puissance", + "persuasiveness", + "strength", + "convincingness", + "irresistibility", + "irresistibleness", + "interest", + "interestingness", + "newsworthiness", + "news", + "topicality", + "color", + "colour", + "vividness", + "shrillness", + "stranglehold", + "chokehold", + "throttlehold", + "sway", + "influence", + "dead hand", + "dead hand of the past", + "mortmain", + "force", + "grip", + "grasp", + "tentacle", + "pressure", + "duress", + "heartbeat", + "lifeblood", + "wheel", + "repellent", + "repellant", + "hydrophobicity", + "control", + "authority", + "authorization", + "authorisation", + "potency", + "dominance", + "say-so", + "corporatism", + "hold", + "iron fist", + "rein", + "carte blanche", + "command", + "imperium", + "lordship", + "muscle", + "sovereignty", + "legal power", + "jurisdiction", + "disposal", + "free will", + "discretion", + "veto", + "self-determination", + "effectiveness", + "effectivity", + "effectualness", + "effectuality", + "incisiveness", + "trenchancy", + "efficacy", + "efficaciousness", + "ability", + "form", + "interoperability", + "magical ability", + "magical power", + "lycanthropy", + "Midas touch", + "penetration", + "physical ability", + "contractility", + "astringency", + "stypsis", + "voice", + "lung-power", + "capability", + "capableness", + "defensibility", + "executability", + "capacity", + "military capability", + "military strength", + "strength", + "military posture", + "posture", + "firepower", + "operating capability", + "performance capability", + "overkill", + "envelope", + "powerlessness", + "impotence", + "impotency", + "helplessness", + "weakness", + "impuissance", + "unpersuasiveness", + "uninterestingness", + "voicelessness", + "dullness", + "boringness", + "dreariness", + "insipidness", + "insipidity", + "tediousness", + "tedium", + "tiresomeness", + "drag", + "jejunity", + "jejuneness", + "tameness", + "vapidity", + "vapidness", + "ponderousness", + "heaviness", + "inability", + "unfitness", + "paper tiger", + "incapability", + "incapableness", + "incapacity", + "ineffectiveness", + "ineffectualness", + "ineffectuality", + "inefficacy", + "inefficaciousness", + "romanticism", + "romance", + "stardust", + "analyticity", + "compositeness", + "primality", + "selectivity", + "domesticity", + "infiniteness", + "infinitude", + "unboundedness", + "boundlessness", + "limitlessness", + "finiteness", + "finitude", + "boundedness", + "quantifiability", + "measurability", + "ratability", + "scalability", + "solubility", + "insolubility", + "stuff", + "comicality", + "hot stuff", + "voluptuousness", + "humor", + "humour", + "pathos", + "poignancy", + "tone", + "optimism", + "pessimism", + "epicurism", + "gourmandism", + "brachycephaly", + "brachycephalism", + "dolichocephaly", + "dolichocephalism", + "relativity", + "response", + "responsiveness", + "unresponsiveness", + "deadness", + "frigidity", + "frigidness", + "resistance", + "subjectivism", + "fair use", + "fruition", + "vascularity", + "extension", + "snootiness", + "totipotency", + "totipotence", + "ulteriority", + "solvability", + "solubility", + "unsolvability", + "insolubility", + "memorability", + "woodiness", + "woodsiness", + "waxiness", + "body", + "organic structure", + "physical structure", + "life form", + "human body", + "physical body", + "material body", + "soma", + "build", + "figure", + "physique", + "anatomy", + "shape", + "bod", + "chassis", + "frame", + "form", + "flesh", + "person", + "body", + "dead body", + "cadaver", + "corpse", + "stiff", + "clay", + "remains", + "cremains", + "mummy", + "live body", + "apparatus", + "system", + "juvenile body", + "child's body", + "adult body", + "male body", + "female body", + "adult female body", + "woman's body", + "adult male body", + "man's body", + "body part", + "corpus", + "adnexa", + "annexa", + "area", + "region", + "dilator", + "groove", + "vallecula", + "partition", + "septum", + "nasal septum", + "costal groove", + "fissure", + "sulcus", + "fissure of Rolando", + "Rolando's fissure", + "central sulcus", + "sulcus centralis", + "fissure of Sylvius", + "Sylvian fissure", + "lateral cerebral sulcus", + "sulcus lateralis cerebri", + "parieto-occipital sulcus", + "parieto-occipital fissure", + "calcarine sulcus", + "calcarine fissure", + "hilus", + "hilum", + "erogenous zone", + "external body part", + "arthromere", + "structure", + "anatomical structure", + "complex body part", + "bodily structure", + "body structure", + "birth canal", + "bulb", + "carina", + "carina fornicis", + "fornix", + "trigonum cerebrale", + "fornix", + "mamillary body", + "mammillary body", + "corpus mamillare", + "cauda", + "keel", + "chiasma", + "chiasm", + "decussation", + "cingulum", + "optic chiasma", + "optic chiasm", + "chiasma opticum", + "optic radiation", + "radiatio optica", + "concha", + "nasal concha", + "filament", + "filum", + "fiber", + "fibre", + "germ", + "infundibulum", + "interstice", + "landmark", + "craniometric point", + "acanthion", + "asterion", + "auriculare", + "auricular point", + "bregma", + "condylion", + "coronion", + "crotaphion", + "dacryon", + "entomion", + "glabella", + "mesophyron", + "gnathion", + "gonion", + "inion", + "jugale", + "jugal point", + "lambda", + "mandibular notch", + "mastoidale", + "metopion", + "nasion", + "obelion", + "ophryon", + "orbitale", + "orbital point", + "pogonion", + "prosthion", + "prostheon", + "alveolar point", + "pterion", + "rhinion", + "sphenion", + "stephanion", + "symphysion", + "limbus", + "rib", + "blade", + "radicle", + "plexus", + "rete", + "aortic plexus", + "autonomic plexus", + "plexus autonomici", + "nerve plexus", + "system", + "body covering", + "sheath", + "case", + "skin", + "tegument", + "cutis", + "pressure point", + "integument", + "skin graft", + "buff", + "dewlap", + "epithelium", + "epithelial tissue", + "exuviae", + "epidermis", + "cuticle", + "endothelium", + "mesothelium", + "neuroepithelium", + "skin cell", + "epidermal cell", + "melanoblast", + "melanocyte", + "prickle cell", + "epithelial cell", + "columnar cell", + "columnar epithelial cell", + "spongioblast", + "cuboidal cell", + "cuboidal epithelial cell", + "goblet cell", + "hair cell", + "Kupffer's cell", + "squamous cell", + "stratum corneum", + "corneum", + "horny layer", + "stratum lucidum", + "stratum granulosum", + "stratum germinativum", + "stratum basale", + "malpighian layer", + "rete Malpighii", + "dermis", + "corium", + "derma", + "mantle", + "pallium", + "plaque", + "amyloid plaque", + "amyloid protein plaque", + "arterial plaque", + "dental plaque", + "bacterial plaque", + "macule", + "macula", + "freckle", + "lentigo", + "liver spot", + "plague spot", + "whitehead", + "milium", + "blackhead", + "comedo", + "pore", + "aortic orifice", + "stoma", + "tube", + "tube-shaped structure", + "tubule", + "microtubule", + "salpinx", + "nephron", + "uriniferous tubule", + "malpighian body", + "malpighian corpuscle", + "renal corpuscle", + "Bowman's capsule", + "glomerular capsule", + "capsula glomeruli", + "glomerulus", + "tomentum", + "tomentum cerebri", + "passage", + "passageway", + "meatus", + "auditory meatus", + "acoustic meatus", + "ear canal", + "auditory canal", + "external auditory canal", + "deltoid tuberosity", + "deltoid eminence", + "nasal meatus", + "spinal canal", + "vertebral canal", + "canalis vertebralis", + "anastomosis", + "inosculation", + "orifice", + "opening", + "porta", + "porta hepatis", + "spiracle", + "blowhole", + "stigma", + "duct", + "epithelial duct", + "canal", + "channel", + "ductule", + "ductulus", + "canaliculus", + "canal of Schlemm", + "Schlemm's canal", + "sinus venosus sclerae", + "venous sinus", + "sinus", + "cavernous sinus", + "sinus cavernosus", + "coronary sinus", + "sinus coronarius", + "sigmoid sinus", + "sinus sigmoideus", + "straight sinus", + "tentorial sinus", + "sinus rectus", + "transverse sinus", + "sinus transversus", + "sinus", + "ethmoid sinus", + "ethmoidal sinus", + "sinus ethmoidales", + "frontal sinus", + "maxillary sinus", + "paranasal sinus", + "sinus paranasales", + "nasal sinus", + "sinusoid", + "locule", + "loculus", + "lumen", + "ampulla", + "hair", + "pilus", + "ingrown hair", + "hair", + "headful", + "body hair", + "down", + "pile", + "lanugo", + "mane", + "head of hair", + "hairline", + "part", + "parting", + "widow's peak", + "cowlick", + "hairdo", + "hairstyle", + "hair style", + "coiffure", + "coif", + "beehive", + "bouffant", + "haircut", + "lock", + "curl", + "ringlet", + "whorl", + "sausage curl", + "forelock", + "quiff", + "crimp", + "pin curl", + "spit curl", + "kiss curl", + "dreadlock", + "Afro", + "Afro hairdo", + "bang", + "fringe", + "bob", + "wave", + "finger wave", + "braid", + "plait", + "tress", + "twist", + "chignon", + "queue", + "pigtail", + "marcel", + "pageboy", + "pompadour", + "ponytail", + "permanent wave", + "permanent", + "perm", + "brush cut", + "crew cut", + "flattop", + "mohawk", + "mohawk haircut", + "roach", + "scalp lock", + "thatch", + "facial hair", + "beard", + "face fungus", + "whiskers", + "fuzz", + "imperial", + "imperial beard", + "beaver", + "mustache", + "moustache", + "soup-strainer", + "toothbrush", + "mustachio", + "moustachio", + "handle-bars", + "walrus mustache", + "walrus moustache", + "sideburn", + "burnside", + "mutton chop", + "side-whiskers", + "goatee", + "stubble", + "vandyke beard", + "vandyke", + "soul patch", + "Attilio", + "pubic hair", + "bush", + "crotch hair", + "minge", + "body substance", + "solid body substance", + "scab", + "eschar", + "fundus", + "funiculus", + "node", + "nodule", + "smear", + "cytologic smear", + "cytosmear", + "alimentary tract smear", + "esophageal smear", + "gastric smear", + "oral smear", + "paraduodenal smear", + "duodenal smear", + "cervical smear", + "Pap smear", + "Papanicolaou smear", + "lower respiratory tract smear", + "bronchoscopic smear", + "sputum smear", + "vaginal smear", + "specimen", + "cytologic specimen", + "isthmus", + "band", + "tissue", + "animal tissue", + "flesh", + "areolar tissue", + "beta cell", + "capillary bed", + "parenchyma", + "interstitial tissue", + "adipose tissue", + "fat", + "fatty tissue", + "flab", + "atheroma", + "cellulite", + "puppy fat", + "bone", + "os", + "anklebone", + "astragal", + "astragalus", + "talus", + "bare bone", + "cuboid bone", + "carpal bone", + "carpal", + "wrist bone", + "carpal tunnel", + "scaphoid bone", + "os scaphoideum", + "navicular", + "lunate bone", + "semilunar bone", + "os lunatum", + "triquetral", + "triquetral bone", + "os triquetrum", + "cuneiform bone", + "pyramidal bone", + "pisiform", + "pisiform bone", + "os pisiforme", + "trapezium", + "trapezium bone", + "os trapezium", + "trapezoid", + "trapezoid bone", + "os trapezoideum", + "capitate", + "capitate bone", + "os capitatum", + "hamate", + "hamate bone", + "unciform bone", + "os hamatum", + "cartilage bone", + "centrum", + "cheekbone", + "zygomatic bone", + "zygomatic", + "malar", + "malar bone", + "jugal bone", + "os zygomaticum", + "clavicle", + "collarbone", + "coccyx", + "tail bone", + "dentine", + "dentin", + "ethmoid", + "ethmoid bone", + "heelbone", + "calcaneus", + "os tarsi fibulare", + "hipbone", + "innominate bone", + "hyoid", + "hyoid bone", + "os hyoideum", + "ilium", + "ischium", + "ischial bone", + "os ischii", + "long bone", + "os longum", + "lower jaw", + "mandible", + "mandibula", + "mandibular bone", + "submaxilla", + "lower jawbone", + "jawbone", + "jowl", + "ramus", + "raphe", + "rhaphe", + "palatine raphe", + "mandibular joint", + "temporomandibular joint", + "articulatio temporomandibularis", + "membrane bone", + "mentum", + "metacarpal", + "metacarpal bone", + "metatarsal", + "nasal", + "nasal bone", + "os nasale", + "ossicle", + "bonelet", + "ossiculum", + "auditory ossicle", + "palatine", + "palatine bone", + "os palatinum", + "patella", + "kneecap", + "kneepan", + "phalanx", + "pubis", + "pubic bone", + "os pubis", + "punctum", + "rib", + "costa", + "round bone", + "sacrum", + "scapula", + "shoulder blade", + "shoulder bone", + "glenoid fossa", + "glenoid cavity", + "glenoid fossa", + "mandibular fossa", + "acromion", + "acromial process", + "sesamoid bone", + "sesamoid", + "os sesamoideum", + "short bone", + "os breve", + "socket", + "sphenoid bone", + "sphenoid", + "os sphenoidale", + "sternum", + "breastbone", + "gladiolus", + "corpus sternum", + "manubrium", + "xiphoid process", + "tarsal", + "tarsal bone", + "temporal bone", + "os temporale", + "primary dentition", + "secondary dentition", + "dentition", + "teeth", + "diastema", + "tooth", + "pulp cavity", + "chopper", + "pearly", + "carnassial tooth", + "turbinate bone", + "turbinate", + "turbinal", + "tympanic bone", + "upper jaw", + "upper jawbone", + "maxilla", + "maxillary", + "vertebra", + "intervertebral disc", + "intervertebral disk", + "zygoma", + "zygomatic arch", + "arcus zygomaticus", + "hip socket", + "eye socket", + "orbit", + "cranial orbit", + "orbital cavity", + "tooth socket", + "alveolus", + "marrow", + "bone marrow", + "red marrow", + "red bone marrow", + "yellow marrow", + "yellow bone marrow", + "axolemma", + "basilar membrane", + "cambium", + "connective tissue", + "collagen", + "elastic tissue", + "endoneurium", + "elastin", + "lymphatic tissue", + "lymphoid tissue", + "cartilage", + "gristle", + "meniscus", + "semilunar cartilage", + "fibrocartilage", + "hyaline cartilage", + "erectile tissue", + "muscle", + "muscular tissue", + "muscle", + "musculus", + "contractile organ", + "contractor", + "striated muscle tissue", + "skeletal muscle", + "striated muscle", + "head", + "voluntary muscle", + "abductor", + "abductor muscle", + "musculus abductor digiti minimi manus", + "musculus abductor digiti minimi pedis", + "musculus abductor hallucis", + "musculus abductor pollicis", + "adductor", + "adductor muscle", + "musculus adductor brevis", + "musculus adductor longus", + "musculus adductor magnus", + "great adductor muscle", + "musculus adductor hallucis", + "pronator", + "supinator", + "levator", + "anconeous muscle", + "musculus anconeus", + "antagonistic muscle", + "agonist", + "antagonist", + "articular muscle", + "musculus articularis cubiti", + "musculus articularis genus", + "cheek muscle", + "buccinator muscle", + "musculus buccinator", + "masseter", + "platysma", + "extensor muscle", + "extensor", + "quadriceps", + "quadriceps femoris", + "musculus quadriceps femoris", + "quad", + "fibrous tissue", + "trabecula", + "ligament", + "falciform ligament", + "round ligament of the uterus", + "ligamentum teres uteri", + "perineurium", + "perimysium", + "tendon", + "sinew", + "flexor muscle", + "flexor", + "articulatory system", + "nervous tissue", + "nerve tissue", + "ganglion", + "autonomic ganglion", + "otic ganglion", + "otoganglion", + "organ", + "primordium", + "anlage", + "vital organ", + "vitals", + "effector", + "external organ", + "internal organ", + "viscus", + "viscera", + "entrails", + "innards", + "sense organ", + "sensory receptor", + "receptor", + "interoceptor", + "enteroceptor", + "exteroceptor", + "third eye", + "pineal eye", + "baroreceptor", + "chemoreceptor", + "thermoreceptor", + "auditory system", + "auditory apparatus", + "visual system", + "tongue", + "lingua", + "glossa", + "clapper", + "articulator", + "glottis", + "epiglottis", + "mouth", + "trap", + "cakehole", + "hole", + "maw", + "yap", + "gob", + "os", + "mouth", + "oral cavity", + "oral fissure", + "rima oris", + "buccal cavity", + "incompetent cervix", + "cervix", + "uterine cervix", + "cervix uteri", + "cavity", + "bodily cavity", + "cavum", + "antrum", + "cloaca", + "vestibule", + "vestibule of the ear", + "gingiva", + "gum", + "tastebud", + "taste bud", + "gustatory organ", + "taste cell", + "gustatory cell", + "speech organ", + "vocal organ", + "organ of speech", + "lip", + "overlip", + "underlip", + "front tooth", + "anterior", + "bucktooth", + "back tooth", + "posterior", + "malposed tooth", + "permanent tooth", + "adult tooth", + "primary tooth", + "deciduous tooth", + "baby tooth", + "milk tooth", + "canine", + "canine tooth", + "eyetooth", + "eye tooth", + "dogtooth", + "cuspid", + "premolar", + "bicuspid", + "cusp", + "incisor", + "molar", + "grinder", + "wisdom tooth", + "crown", + "root", + "tooth root", + "root canal", + "enamel", + "tooth enamel", + "cementum", + "cement", + "pulp", + "tonsil", + "palatine tonsil", + "faucial tonsil", + "tonsilla", + "uvula", + "soft palate", + "velum", + "hard palate", + "palate", + "roof of the mouth", + "ala", + "alveolar arch", + "alveolar ridge", + "gum ridge", + "alveolar process", + "caul", + "veil", + "embryonic membrane", + "fetal membrane", + "eye", + "oculus", + "optic", + "naked eye", + "peeper", + "oculus dexter", + "OD", + "oculus sinister", + "OS", + "simple eye", + "stemma", + "ocellus", + "compound eye", + "ommatidium", + "cell membrane", + "cytomembrane", + "plasma membrane", + "choroid", + "choroid coat", + "ciliary body", + "eyebrow", + "brow", + "supercilium", + "protective fold", + "eyelid", + "lid", + "palpebra", + "canthus", + "epicanthus", + "epicanthic fold", + "nasal canthus", + "temporal canthus", + "nictitating membrane", + "third eyelid", + "haw", + "eyelash", + "lash", + "cilium", + "conjunctiva", + "bulbar conjunctiva", + "conjunctival layer of bulb", + "tunica conjunctiva bulbi", + "palpebra conjunctiva", + "conjunctival layer of eyelids", + "tunica conjunctiva palpebrarum", + "pinguecula", + "eyeball", + "orb", + "ocular muscle", + "eye muscle", + "abducens muscle", + "lateral rectus muscle", + "lateral rectus", + "rectus lateralis", + "rectus", + "inferior rectus muscle", + "inferior rectus", + "rectus inferior", + "medial rectus muscle", + "medial rectus", + "rectus medialis", + "superior rectus muscle", + "superior rectus", + "rectus superior", + "capsule", + "cornea", + "pterygium", + "arcus", + "arcus senilis", + "uvea", + "uveoscleral pathway", + "aqueous humor", + "aqueous humour", + "vitreous humor", + "vitreous humour", + "vitreous body", + "diaphragm", + "midriff", + "eardrum", + "tympanum", + "tympanic membrane", + "myringa", + "endocranium", + "endosteum", + "ependyma", + "fertilization membrane", + "hyaloid membrane", + "hyaloid", + "intima", + "iris", + "pupil", + "lens", + "crystalline lens", + "lens of the eye", + "lens cortex", + "cortex", + "lens nucleus", + "nucleus", + "ear", + "organ of hearing", + "inner ear", + "internal ear", + "labyrinth", + "membranous labyrinth", + "bony labyrinth", + "osseous labyrinth", + "endolymph", + "perilymph", + "utricle", + "utriculus", + "saccule", + "sacculus", + "modiolus", + "organ of Corti", + "vestibular apparatus", + "vestibular system", + "semicircular canal", + "stretch receptor", + "earlobe", + "ear lobe", + "external ear", + "outer ear", + "auricle", + "pinna", + "ear", + "tragus", + "cauliflower ear", + "perforated eardrum", + "umbo", + "mediastinum", + "middle ear", + "tympanic cavity", + "tympanum", + "Eustachian tube", + "auditory tube", + "fenestra", + "fenestra ovalis", + "fenestra vestibuli", + "oval window", + "fenestra of the vestibule", + "fenestra rotunda", + "fenestra cochleae", + "round window", + "fenestra of the cochlea", + "malleus", + "hammer", + "lamella", + "lens capsule", + "incus", + "anvil", + "stapes", + "stirrup", + "cochlea", + "meninx", + "meninges", + "mucous membrane", + "mucosa", + "periosteum", + "perithelium", + "gland", + "secretory organ", + "secretor", + "secreter", + "oil gland", + "sebaceous gland", + "sebaceous follicle", + "glandulae sebaceae", + "Meibomian gland", + "tarsal gland", + "Montgomery's tubercle", + "exocrine gland", + "exocrine", + "duct gland", + "digestive system", + "gastrointestinal system", + "systema alimentarium", + "systema digestorium", + "endocrine system", + "endocrine gland", + "endocrine", + "ductless gland", + "thyroid gland", + "thyroid", + "parathyroid gland", + "parathyroid", + "sweat duct", + "sweat gland", + "sudoriferous gland", + "apocrine gland", + "eccrine gland", + "adrenal gland", + "adrenal", + "suprarenal gland", + "prostate gland", + "prostate", + "lacrimal gland", + "lachrymal gland", + "tear gland", + "lacrimal duct", + "lachrymal duct", + "tear duct", + "lacrimal sac", + "tear sac", + "dacryocyst", + "lacrimal bone", + "nasolacrimal duct", + "thymus gland", + "thymus", + "kidney", + "excretory organ", + "urinary organ", + "spleen", + "lien", + "artery", + "arteria", + "arterial blood vessel", + "alveolar artery", + "arteria alveolaris", + "inferior alveolar artery", + "arteria alveolaris inferior", + "superior alveolar artery", + "arteria alveolaris superior", + "angular artery", + "arteria angularis", + "aorta", + "ascending aorta", + "aortic arch", + "descending aorta", + "abdominal aorta", + "thoracic aorta", + "appendicular artery", + "arteria appendicularis", + "arcuate artery", + "arteria arcuata", + "arcuate artery of the kidney", + "arteriole", + "arteriola", + "capillary artery", + "artery of the penis bulb", + "arteria bulbi penis", + "artery of the vestibule bulb", + "arteria bulbi vestibuli", + "ascending artery", + "arteria ascendens", + "auricular artery", + "arteria auricularis", + "axillary artery", + "arteria axillaris", + "basilar artery", + "arteria basilaris", + "brachial artery", + "arteria brachialis", + "radial artery", + "arteria radialis", + "bronchial artery", + "buccal artery", + "arteria buccalis", + "carotid artery", + "arteria carotis", + "common carotid artery", + "common carotid", + "external carotid artery", + "external carotid", + "internal carotid artery", + "carotid body", + "celiac trunk", + "celiac artery", + "truncus celiacus", + "arteria celiaca", + "central artery of the retina", + "arteria centralis retinae", + "cerebellar artery", + "arteria cerebelli", + "inferior cerebellar artery", + "superior cerebellar artery", + "cerebral artery", + "arteria cerebri", + "anterior cerebral artery", + "middle cerebral artery", + "posterior cerebral artery", + "cervical artery", + "areteria cervicalis", + "choroidal artery", + "arteria choroidea", + "ciliary artery", + "arteria ciliaris", + "circle of Willis", + "circumflex artery", + "circumflex artery of the thigh", + "arteria circumflexa femoris", + "circumflex humeral artery", + "arteria circumflexa humeri", + "circumflex iliac artery", + "arteria circumflexa ilium", + "circumflex scapular artery", + "arteria circumflexa scapulae", + "colic artery", + "arteria colica", + "communicating artery", + "arteria communicans", + "coronary artery", + "arteria coronaria", + "atrial artery", + "right coronary artery", + "left coronary artery", + "cystic artery", + "arteria cystica", + "digital arteries", + "arteria digitalis", + "epigastric artery", + "arteria epigastrica", + "ethmoidal artery", + "arteria ethmoidalis", + "facial artery", + "arteria facialis", + "external maxillary artery", + "femoral artery", + "arteria femoralis", + "popliteal artery", + "arteria poplitea", + "gastric artery", + "arteria gastrica", + "right gastric artery", + "ateria gastrica dextra", + "left gastric artery", + "arteria gastrica sinistra", + "short gastric artery", + "arteria gastrica breves", + "vasa brevis", + "gluteal artery", + "arteria glutes", + "hepatic artery", + "arteria hepatica", + "ileal artery", + "intestinal artery", + "arteria ileum", + "ileocolic artery", + "arteria ileocolica", + "iliac artery", + "arteria iliaca", + "common iliac artery", + "external iliac artery", + "internal iliac artery", + "hypogastric artery", + "iliolumbar artery", + "arteria iliolumbalis", + "infraorbital artery", + "arteria infraorbitalis", + "innominate artery", + "intercostal artery", + "arteria intercostalis", + "jejunal artery", + "intestinal artery", + "labial artery", + "arteria labialis", + "inferior labial artery", + "arteria labialis inferior", + "superior labial artery", + "arteria labialis superior", + "labyrinthine artery", + "artery of the labyrinth", + "internal auditory artery", + "lacrimal artery", + "arteria lacrimalis", + "laryngeal artery", + "arteria laryngea", + "lienal artery", + "splenic artery", + "arteria lienalis", + "lingual artery", + "arteria lingualis", + "lumbar artery", + "arteria lumbalis", + "maxillary artery", + "arteria maxillaris", + "internal maxillary artery", + "meningeal artery", + "arteria meningea", + "anterior meningeal artery", + "middle meningeal artery", + "posterior meningeal artery", + "mesenteric artery", + "arteria mesenterica", + "inferior mesenteric artery", + "superior mesenteric artery", + "metacarpal artery", + "arteria metacarpea", + "metatarsal artery", + "arteria metatarsea", + "musculophrenic artery", + "arteria musculophrenica", + "nutrient artery", + "arteria nutricia", + "ophthalmic artery", + "arteria ophthalmica", + "ovarian artery", + "arteria ovarica", + "palatine artery", + "arteria palatina", + "pancreatic artery", + "arteria pancreatica", + "perineal artery", + "arteria perinealis", + "pudendal artery", + "arteria pudenda", + "pulmonary artery", + "arteria pulmonalis", + "pulmonary trunk", + "truncus pulmonalis", + "rectal artery", + "arteria rectalis", + "renal artery", + "arteria renalis", + "subclavian artery", + "arteria subclavia", + "temporal artery", + "anterior temporal artery", + "arteria temporalis anterior", + "intermediate temporal artery", + "arteria temporalis intermedia", + "posterior temporal artery", + "arteria temporalis posterior", + "testicular artery", + "internal spermatic artery", + "arteria testicularis", + "ulnar artery", + "arteria ulnaris", + "uterine artery", + "arteria uterina", + "vaginal artery", + "arteria vaginalis", + "vertebral artery", + "arteria vertebralis", + "accessory cephalic vein", + "vena cephalica accessoria", + "accessory hemiazygos vein", + "accessory hemiazygous vein", + "vena hemiazygos accessoria", + "accessory vertebral vein", + "vena vertebralis accessoria", + "accompanying vein", + "vena comitans", + "anastomotic vein", + "vena anastomotica", + "angular vein", + "vena angularis", + "anterior vertebral vein", + "vena vertebralis anterior", + "appendicular vein", + "vena appendicularis", + "arcuate vein of the kidney", + "vena arcuata renis", + "auricular vein", + "vena auricularis", + "axillary vein", + "vena axillaris", + "azygos vein", + "azygous vein", + "vena azygos", + "basal vein", + "vena basalis", + "basilic vein", + "vena basilica", + "basivertebral vein", + "vena basivertebralis", + "brachial vein", + "vena brachialis", + "brachiocephalic vein", + "innominate vein", + "vena brachiocephalica", + "bronchial vein", + "vena bronchialis", + "cardinal vein", + "anterior cardinal vein", + "posterior cardinal vein", + "common cardinal vein", + "central veins of liver", + "venae centrales hepatis", + "central vein of retina", + "vena centrales retinae", + "central vein of suprarenal gland", + "vena centralis glandulae suprarenalis", + "cephalic vein", + "vena cephalica", + "cerebellar vein", + "vena cerebellum", + "cerebral vein", + "vena cerebri", + "anterior cerebral vein", + "vena cerebri anterior", + "anterior facial vein", + "vena facialis anterior", + "great cerebral vein", + "vena cerebri magna", + "inferior cerebral vein", + "venae cerebrum inferior", + "internal cerebral vein", + "vena cerebrum internus", + "middle cerebral vein", + "vena cerebri media", + "deep middle cerebral vein", + "superficial middle cerebral vein", + "superior cerebral vein", + "vena cerebrum superior", + "cervical vein", + "deep cervical vein", + "vena cervicalis profunda", + "choroid vein", + "vena choroidea", + "ciliary veins", + "venae ciliares", + "circumflex vein", + "vena circumflexa", + "circumflex iliac vein", + "vena circumflexa ilium", + "circumflex femoral vein", + "vena circumflexus femoris", + "clitoral vein", + "vena clitoridis", + "colic vein", + "vena colica", + "common facial vein", + "conjunctival veins", + "venae conjunctivales", + "costoaxillary vein", + "cutaneous vein", + "vena cutanea", + "cystic vein", + "vena cystica", + "digital vein", + "vena digitalis", + "diploic vein", + "vena diploica", + "dorsal scapular vein", + "vena scapularis dorsalis", + "dorsal root", + "dorsal horn", + "emissary vein", + "vena emissaria", + "epigastric vein", + "inferior epigastric vein", + "vena epigastrica inferior", + "superficial epigastric vein", + "vena epigastrica superficialis", + "superior epigastric veins", + "venae epigastricae superiores", + "episcleral veins", + "venae episclerales", + "esophageal veins", + "oesophageal veins", + "venae esophageae", + "ethmoidal vein", + "vena ethmoidalis", + "external nasal vein", + "vena nasalis externa", + "facial vein", + "vena facialis", + "femoral vein", + "vena femoralis", + "gastric vein", + "vena gastrica", + "gastroomental vein", + "gastroepiploic vein", + "vena gastroomentalis", + "genicular vein", + "vena genus", + "glans", + "glans clitoridis", + "glans penis", + "gluteal vein", + "vena gluteus", + "hemizygos vein", + "hemizygous vein", + "vena hemizygos", + "hemorrhoidal vein", + "rectal vein", + "vena rectalis", + "hepatic vein", + "vena hepatica", + "hypogastric vein", + "internal iliac vein", + "ileocolic vein", + "vena ileocolica", + "external iliac vein", + "common iliac vein", + "iliac vein", + "vena iliaca", + "iliolumbar vein", + "vena iliolumbalis", + "intercapitular vein", + "vena intercapitalis", + "intercostal vein", + "vena intercostalis", + "intervertebral vein", + "vena intervertebralis", + "jugular vein", + "vena jugularis", + "jugular", + "anterior jugular vein", + "external jugular vein", + "internal jugular vein", + "labial vein", + "vena labialis", + "inferior labial vein", + "vena labialis inferior", + "superior labial vein", + "vena labialis superior", + "labial vein", + "vena labialis", + "labyrinthine vein", + "internal auditory vein", + "lacrimal vein", + "vena lacrimalis", + "laryngeal vein", + "vena laryngea", + "left gastric vein", + "vena gastrica sinistra", + "lingual vein", + "vena lingualis", + "lumbar vein", + "vena lumbalis", + "maxillary vein", + "vena maxillaris", + "meningeal veins", + "venae meningeae", + "mesenteric vein", + "vena mesenterica", + "metacarpal vein", + "vena metacarpus", + "metatarsal vein", + "vena metatarsus", + "musculophrenic vein", + "vena musculophrenica", + "nasofrontal vein", + "vena nasofrontalis", + "oblique vein of the left atrium", + "vena obliqua atrii sinistri", + "obturator vein", + "vena obturatoria", + "occipital vein", + "vena occipitalis", + "ophthalmic vein", + "vena ophthalmica", + "inferior ophthalmic vein", + "superior ophthalmic vein", + "ovarian vein", + "vena ovarica", + "palatine vein", + "vena palatina", + "pancreatic vein", + "venae pancreatica", + "paraumbilical vein", + "vena paraumbilicalis", + "parotid vein", + "pectoral vein", + "vena pectoralis", + "perforating vein", + "vena perforantis", + "pericardial vein", + "vena pericardiaca", + "peroneal vein", + "fibular vein", + "vena peroneus", + "pharyngeal vein", + "vena pharyngeus", + "phrenic vein", + "vena phrenica", + "popliteal vein", + "vena poplitea", + "portal system", + "portal vein", + "hepatic portal vein", + "portal", + "vena portae", + "posterior vein of the left ventricle", + "vena posterior ventriculi sinistri", + "prepyloric vein", + "vena pylorica", + "pudendal vein", + "venae pudendum", + "pulmonary vein", + "vena pulmonalis", + "inferior pulmonary vein", + "vena pulmanalis inferior", + "superior pulmonary vein", + "vena pulmonalis superior", + "pyloric vein", + "right gastric vein", + "vena gastrica-dextra", + "radial vein", + "vena radialis", + "renal vein", + "vena renalis", + "retromandibular vein", + "vena retromandibularis", + "posterior facial vein", + "sacral vein", + "vena sacralis", + "saphenous vein", + "vena saphena", + "long saphenous vein", + "great saphenous vein", + "short saphenous vein", + "scleral veins", + "venae sclerales", + "scrotal vein", + "vena scrotalis", + "sigmoid vein", + "vena sigmoideus", + "spinal vein", + "vena spinalis", + "splenic vein", + "vena lienalis", + "stellate venule", + "sternocleidomastoid vein", + "vena sternocleidomastoidea", + "stylomastoid vein", + "vena stylomastoidea", + "subclavian vein", + "vena subclavia", + "sublingual vein", + "vena sublingualis", + "supraorbital vein", + "vena supraorbitalis", + "supratrochlear vein", + "vena supratrochlearis", + "temporal vein", + "vena temporalis", + "deep temporal vein", + "middle temporal vein", + "superficial temporal vein", + "testicular vein", + "vena testicularis", + "thalamostriate vein", + "thoracoepigastric vein", + "vena thoracoepigastrica", + "superior thalamostriate vein", + "inferior thalamostriate vein", + "striate vein", + "thoracic vein", + "vena thoracica", + "thyroid vein", + "vena thyroidea", + "inferior thyroid vein", + "middle thyroid vein", + "superior thyroid vein", + "tibial vein", + "vena tibialis", + "tracheal vein", + "vena trachealis", + "tympanic vein", + "ulnar vein", + "vena ulnaris", + "umbilical vein", + "vena umbilicalis", + "uterine vein", + "gallbladder", + "gall bladder", + "hypochondrium", + "liver", + "Haversian canal", + "hepatic lobe", + "hepatic duct", + "inguinal canal", + "canalis inguinalis", + "common bile duct", + "bile duct", + "biliary ductule", + "pancreas", + "pancreatic duct", + "lung", + "alveolar bed", + "lobe of the lung", + "pleura", + "parietal pleura", + "visceral pleura", + "pleural cavity", + "pleural space", + "heart", + "pump", + "ticker", + "athlete's heart", + "biauriculate heart", + "pacemaker", + "cardiac pacemaker", + "sinoatrial node", + "SA node", + "cusp", + "leaflet", + "flap", + "cardiac muscle", + "heart muscle", + "papillary muscle", + "atrioventricular bundle", + "bundle of His", + "atrioventricular trunk", + "truncus atrioventricularis", + "atrioventricular node", + "myocardium", + "Purkinje fiber", + "Purkinje network", + "Purkinje's tissue", + "Purkinje's system", + "area of cardiac dullness", + "ventricle", + "heart ventricle", + "left ventricle", + "right ventricle", + "auricle", + "atrial auricle", + "auricula atrii", + "auricula", + "auricular appendage", + "auricular appendix", + "chamber", + "cranial cavity", + "intracranial cavity", + "atrium", + "atrium cordis", + "atrium of the heart", + "right atrium", + "right atrium of the heart", + "atrium dextrum", + "left atrium", + "left atrium of the heart", + "atrium sinistrum", + "mitral valve", + "bicuspid valve", + "left atrioventricular valve", + "tricuspid valve", + "right atrioventricular valve", + "atrioventricular valve", + "aortic valve", + "pulmonary valve", + "semilunar valve", + "heart valve", + "cardiac valve", + "valve", + "valvule", + "valvelet", + "valvula", + "stomach", + "tummy", + "tum", + "breadbasket", + "epigastrium", + "cardia", + "lymphatic system", + "systema lymphaticum", + "thoracic duct", + "lymph vessel", + "lymphatic vessel", + "lacteal", + "vascular structure", + "vessel", + "vas", + "liquid body substance", + "bodily fluid", + "body fluid", + "humor", + "humour", + "extracellular fluid", + "ECF", + "interstitial fluid", + "intracellular fluid", + "juice", + "succus", + "cancer juice", + "karyolymph", + "milk", + "mother's milk", + "colostrum", + "foremilk", + "amniotic cavity", + "amniotic fluid", + "amnionic fluid", + "waters", + "blood", + "arterial blood", + "blood group", + "blood type", + "A", + "type A", + "group A", + "B", + "type B", + "group B", + "AB", + "type AB", + "group AB", + "O", + "type O", + "group O", + "Rh-positive blood type", + "Rh positive", + "Rh-negative blood type", + "Rh-negative blood", + "Rh negative", + "gore", + "lifeblood", + "bloodstream", + "blood stream", + "clot", + "coagulum", + "blood clot", + "grume", + "cord blood", + "menorrhea", + "menstrual blood", + "menstrual flow", + "venous blood", + "whole blood", + "serum", + "blood serum", + "plasma", + "plasm", + "blood plasma", + "antiserum", + "chyle", + "lymph", + "semen", + "seed", + "seminal fluid", + "ejaculate", + "cum", + "come", + "ink", + "secretion", + "lacrimal secretion", + "lachrymal secretion", + "tear", + "teardrop", + "lacrimal apparatus", + "perspiration", + "sweat", + "sudor", + "digestive juice", + "digestive fluid", + "gastric juice", + "gastric acid", + "pancreatic juice", + "bile", + "gall", + "black bile", + "melancholy", + "yellow bile", + "choler", + "hormone", + "endocrine", + "internal secretion", + "intestinal juice", + "noradrenaline", + "norepinephrine", + "adrenocorticotropic hormone", + "adrenocorticotrophic hormone", + "ACTH", + "adrenocorticotropin", + "adrenocorticotrophin", + "corticotropin", + "corticotrophin", + "epinephrine", + "epinephrin", + "adrenaline", + "Adrenalin", + "gastrointestinal hormone", + "GI hormones", + "gastrin", + "cholecystokinin", + "secretin", + "ghrelin", + "motilin", + "glucagon", + "gonadotropin", + "gonadotrophin", + "gonadotropic hormone", + "gonadotrophic hormone", + "insulin", + "Lente Insulin", + "Lente Iletin", + "recombinant human insulin", + "Humulin", + "melatonin", + "neurohormone", + "oxytocin", + "Pitocin", + "parathyroid hormone", + "parathormone", + "relaxin", + "releasing hormone", + "RH", + "releasing factor", + "hypothalamic releasing hormone", + "hypothalamic releasing factor", + "somatotropin", + "somatotrophin", + "somatotropic hormone", + "somatotrophic hormone", + "STH", + "human growth hormone", + "growth hormone", + "Protropin", + "thymosin", + "thyroid hormone", + "calcitonin", + "thyrocalcitonin", + "thyroxine", + "thyroxin", + "tetraiodothyronine", + "T", + "triiodothyronine", + "liothyronine", + "T", + "vasopressin", + "antidiuretic hormone", + "ADH", + "Pitressin", + "autacoid", + "autocoid", + "histamine", + "prostaglandin", + "synovia", + "synovial fluid", + "mucus", + "mucous secretion", + "phlegm", + "sputum", + "snot", + "booger", + "saliva", + "spit", + "spittle", + "salivary duct", + "drool", + "dribble", + "drivel", + "slobber", + "tobacco juice", + "sebum", + "smegma", + "lochia", + "pus", + "purulence", + "suppuration", + "ichor", + "sanies", + "festering", + "gleet", + "leukorrhea", + "leucorrhea", + "blood vessel", + "ductus arteriosus", + "patent ductus arteriosus", + "vasa vasorum", + "vein", + "vena", + "venous blood vessel", + "venation", + "venous blood system", + "varicose vein", + "vena bulbi penis", + "vena canaliculi cochleae", + "vein of penis", + "venae dorsales penis superficiales", + "venae dorsales penis profunda", + "vena profunda penis", + "vena bulbi vestibuli", + "vena cava", + "inferior vena cava", + "postcava", + "superior vena cava", + "precava", + "venae profundae clitoridis", + "vena dorsalis clitoridis profunda", + "venae dorsales clitoridis superficiales", + "venae palpebrales", + "venae interlobulares renis", + "venae interlobulares hepatis", + "venae renis", + "venae labiales anteriores", + "anterior labial veins", + "venae labiales posteriores", + "posterior labial veins", + "venter", + "venter", + "ventral root", + "ventral horn", + "anterior root", + "anterior horn", + "vertebral vein", + "vena vertebralis", + "vesical vein", + "vena vesicalis", + "vestibular vein", + "vena vestibularis", + "vortex vein", + "vorticose vein", + "vena vorticosum", + "capillary", + "capillary vessel", + "venule", + "venula", + "capillary vein", + "membrane", + "tissue layer", + "retina", + "ganglion cell", + "gangliocyte", + "sarcolemma", + "peritoneum", + "peritoneal cavity", + "greater peritoneal sac", + "bursa omentalis", + "omental bursa", + "lesser peritoneal cavity", + "endocardium", + "pericardium", + "epicardium", + "visceral pericardium", + "parietal pericardium", + "pericardial cavity", + "pericardial space", + "mesentery", + "mesocolon", + "omentum", + "greater omentum", + "gastrocolic omentum", + "caul", + "lesser omentum", + "submucosa", + "lymph node", + "lymph gland", + "node", + "axillary node", + "Peyer's patch", + "Peter's gland", + "somatic cell", + "vegetative cell", + "neoplastic cell", + "cancer cell", + "blastema", + "energid", + "protoplast", + "pronucleus", + "zygote", + "fertilized ovum", + "heterozygote", + "homozygote", + "parthenote", + "protoplasm", + "living substance", + "cytoplasm", + "cytol", + "cytoplast", + "cytoskeleton", + "cytosol", + "ectoplasm", + "endoplasm", + "hyaloplasm", + "ground substance", + "lysosome", + "microsome", + "Golgi body", + "Golgi apparatus", + "Golgi complex", + "dictyosome", + "nucleoplasm", + "karyoplasm", + "nucleus", + "cell nucleus", + "karyon", + "nucleolus", + "nucleole", + "nucleolus organizer", + "nucleolus organiser", + "nucleolar organizer", + "nucleolar organiser", + "germ plasm", + "plasm", + "sex chromatin", + "chromatin", + "chromatin granule", + "achromatin", + "linin", + "gene", + "cistron", + "factor", + "dominant gene", + "allele", + "allelomorph", + "dominant allele", + "dominant", + "recessive allele", + "recessive", + "genetic marker", + "homeotic gene", + "homeobox", + "homeobox gene", + "lethal gene", + "linkage group", + "linked genes", + "modifier", + "modifier gene", + "mutant gene", + "haplotype", + "cystic fibrosis transport regulator", + "CFTR", + "nonallele", + "operator gene", + "operon", + "oncogene", + "transforming gene", + "polygene", + "proto-oncogene", + "recessive gene", + "regulatory gene", + "regulator gene", + "repressor gene", + "structural gene", + "suppressor", + "suppresser", + "suppressor gene", + "suppresser gene", + "transgene", + "tumor suppressor gene", + "X-linked gene", + "Y-linked gene", + "holandric gene", + "chromosome", + "X chromosome", + "XX", + "XXX", + "XXY", + "XY", + "XYY", + "Y chromosome", + "sex chromosome", + "autosome", + "somatic chromosome", + "chromatid", + "centromere", + "kinetochore", + "acentric chromosome", + "acrocentric chromosome", + "karyotype", + "metacentric chromosome", + "telocentric chromosome", + "mitochondrion", + "chondriosome", + "sarcosome", + "organelle", + "cell organelle", + "cell organ", + "aster", + "centriole", + "ribosome", + "centrosome", + "central body", + "sarcoplasm", + "vacuole", + "sclera", + "sclerotic coat", + "semipermeable membrane", + "bone cell", + "embryonic cell", + "formative cell", + "blastocyte", + "ameloblast", + "osteoblast", + "bone-forming cell", + "erythroblast", + "fibroblast", + "neuroblast", + "myelocyte", + "myeloblast", + "sideroblast", + "megakaryocyte", + "osteoclast", + "osteocyte", + "blood cell", + "blood corpuscle", + "corpuscle", + "akaryocyte", + "akaryote", + "acaryote", + "megalocyte", + "macrocyte", + "megaloblast", + "leukocyte", + "leucocyte", + "white blood cell", + "white cell", + "white blood corpuscle", + "white corpuscle", + "WBC", + "packed cells", + "histiocyte", + "macrophage", + "phagocyte", + "scavenger cell", + "fixed phagocyte", + "free phagocyte", + "lymphocyte", + "lymph cell", + "B cell", + "B lymphocyte", + "T cell", + "T lymphocyte", + "helper T cell", + "helper cell", + "CD4 T cell", + "CD4 cell", + "killer T cell", + "killer cell", + "cytotoxic T cell", + "CD8 T cell", + "CD8 cell", + "lymphoblast", + "plasma cell", + "plasmacyte", + "plasmablast", + "granulocyte", + "monocyte", + "monoblast", + "basophil", + "basophile", + "neutrophil", + "neutrophile", + "microphage", + "eosinophil", + "eosinophile", + "red blood cell", + "RBC", + "erythrocyte", + "acanthocyte", + "microcyte", + "reticulocyte", + "sickle cell", + "siderocyte", + "spherocyte", + "target cell", + "fovea", + "fovea centralis", + "parafovea", + "macula", + "macula lutea", + "macular area", + "yellow spot", + "visual cell", + "blind spot", + "optic disc", + "optic disk", + "cone", + "cone cell", + "retinal cone", + "rod", + "rod cell", + "retinal rod", + "fat cell", + "adipose cell", + "reproductive cell", + "germ cell", + "sex cell", + "gamete", + "anisogamete", + "isogamete", + "sperm", + "sperm cell", + "spermatozoon", + "spermatozoan", + "acrosome", + "ovum", + "egg cell", + "ootid", + "ovule", + "gametocyte", + "oocyte", + "polar body", + "spermatocele", + "spermatocyte", + "spermatid", + "muscle cell", + "muscle fiber", + "muscle fibre", + "Leydig cell", + "Leydig's cell", + "Sertoli cell", + "Sertoli's cell", + "striated muscle cell", + "striated muscle fiber", + "myofibril", + "myofibrilla", + "sarcostyle", + "sarcomere", + "smooth muscle", + "smooth muscle", + "involuntary muscle", + "smooth muscle cell", + "immune system", + "integumentary system", + "reticuloendothelial system", + "RES", + "mononuclear phagocyte system", + "MPS", + "system of macrophages", + "muscular structure", + "musculature", + "muscle system", + "musculoskeletal system", + "nervous system", + "systema nervosum", + "neural structure", + "reflex arc", + "center", + "centre", + "nerve center", + "nerve centre", + "auditory center", + "nerve fiber", + "nerve fibre", + "medullated nerve fiber", + "myelinated nerve fiber", + "Ranvier's nodes", + "nodes of Ranvier", + "medullary sheath", + "myelin sheath", + "neurolemma", + "neurilemma", + "Schwann cell", + "effector", + "end organ", + "nerve cell", + "neuron", + "brain cell", + "Golgi's cell", + "Golgi cell", + "Purkinje cell", + "end-plate", + "endplate", + "motor end plate", + "osmoreceptor", + "motor neuron", + "efferent neuron", + "motor nerve fiber", + "motoneuron", + "sensory neuron", + "afferent neuron", + "neuroglia", + "glia", + "neurogliacyte", + "neuroglial cell", + "glial cell", + "astroglia", + "macroglia", + "astrocyte", + "fibrous astrocyte", + "protoplasmic astrocyte", + "microglia", + "microgliacyte", + "oligodendroglia", + "oligodendria", + "oligodendrocyte", + "axon", + "axone", + "nerve ending", + "nerve end", + "free nerve ending", + "Pacinian corpuscle", + "proprioceptor", + "dendrite", + "hybridoma", + "process", + "outgrowth", + "appendage", + "caruncle", + "caruncula", + "wattle", + "lappet", + "condyle", + "condylar process", + "condyloid process", + "mandibular condyle", + "coronoid process", + "processus coronoideus", + "coronoid process of the mandible", + "lateral condyle", + "medial condyle", + "epicondyle", + "lateral epicondyle", + "fimbria", + "apophysis", + "spicule", + "spiculum", + "osteophyte", + "papilla", + "papilla", + "synapse", + "neuromuscular junction", + "myoneural junction", + "nerve", + "nervus", + "motor nerve", + "efferent nerve", + "efferent", + "motor fiber", + "efferent fiber", + "sensory nerve", + "afferent nerve", + "afferent", + "sensory fiber", + "afferent fiber", + "lemniscus", + "fillet", + "fiber bundle", + "fibre bundle", + "fascicle", + "fasciculus", + "nerve pathway", + "tract", + "nerve tract", + "pathway", + "commissure", + "cranial nerve", + "depressor", + "depressor nerve", + "peduncle", + "cerebral peduncle", + "hemisphere", + "cerebral hemisphere", + "left hemisphere", + "left brain", + "pyriform area", + "piriform area", + "pyriform lobe", + "piriform lobe", + "right hemisphere", + "right brain", + "rhinencephalon", + "olfactory brain", + "olfactory nerve", + "nervii olfactorii", + "first cranial nerve", + "olfactory bulb", + "optic nerve", + "nervus opticus", + "second cranial nerve", + "optic tract", + "oculomotor", + "oculomotor nerve", + "nervus oculomotorius", + "third cranial nerve", + "trochlear", + "trochlear nerve", + "trochlearis", + "fourth cranial nerve", + "trigeminal", + "trigeminal nerve", + "trigeminus", + "nervus trigeminus", + "fifth cranial nerve", + "abducent", + "abducent nerve", + "abducens", + "abducens nerve", + "nervus abducens", + "sixth cranial nerve", + "facial", + "facial nerve", + "nervus facialis", + "seventh cranial nerve", + "acoustic nerve", + "auditory nerve", + "vestibulocochlear nerve", + "nervus vestibulocochlearis", + "eighth cranial nerve", + "glossopharyngeal nerve", + "nervus glossopharyngeus", + "ninth cranial nerve", + "vagus", + "vagus nerve", + "nervus vagus", + "pneumogastric", + "pneumogastric nerve", + "tenth cranial nerve", + "wandering nerve", + "accessory nerve", + "spinal accessory", + "nervus accessorius", + "eleventh cranial nerve", + "hypoglossal", + "hypoglossal nerve", + "nervus hypoglosus", + "twelfth cranial nerve", + "central nervous system", + "CNS", + "systema nervosum centrale", + "brain", + "encephalon", + "neencephalon", + "neoencephalon", + "neopallium", + "neocortex", + "archipallium", + "paleocortex", + "metencephalon", + "paleencephalon", + "paleoencephalon", + "palaeencephalon", + "leptomeninges", + "dura mater", + "dura", + "arachnoid", + "arachnoid membrane", + "pia mater", + "subarachnoid space", + "neuropil", + "neuropile", + "grey matter", + "gray matter", + "grey substance", + "gray substance", + "substantia grisea", + "white matter", + "substantia alba", + "pituitary", + "pituitary gland", + "pituitary body", + "hypophysis", + "hypophyseal stalk", + "anterior pituitary", + "anterior pituitary gland", + "adenohypophysis", + "pars distilis", + "pars anterior", + "pars intermedia", + "posterior pituitary", + "posterior pituitary gland", + "neurohypophysis", + "pars nervosa", + "pineal gland", + "pineal body", + "epiphysis cerebri", + "epiphysis", + "islands of Langerhans", + "isles of Langerhans", + "islets of Langerhans", + "cerebellum", + "cerebellar hemisphere", + "dentate nucleus", + "vermis", + "vermis cerebelli", + "paleocerebellum", + "cerebral cortex", + "cerebral mantle", + "pallium", + "cortex", + "cortical area", + "cortical region", + "association area", + "association cortex", + "geniculate body", + "lateral geniculate body", + "corpus geniculatum laterale", + "lateral geniculate", + "medial geniculate body", + "corpus geniculatum mediale", + "medial geniculate", + "auditory area", + "auditory cortex", + "Broca's area", + "Broca's center", + "Broca's gyrus", + "Broca's convolution", + "convolution of Broca", + "Brodmann's area", + "frontal gyrus", + "temporal gyrus", + "parietal gyrus", + "occipital gyrus", + "language area", + "language zone", + "motor area", + "motor region", + "motor cortex", + "Rolando's area", + "excitable area", + "sensorium", + "sensorimotor area", + "sensorimotor region", + "visual area", + "visual cortex", + "Wernicke's area", + "Wernicke's center", + "cortex", + "medulla", + "adrenal cortex", + "renal cortex", + "adrenal medulla", + "corpus callosum", + "pyramidal tract", + "pyramidal motor system", + "corticospinal tract", + "cerebrum", + "fold", + "plica", + "gyrus", + "convolution", + "central gyrus", + "precentral gyrus", + "precordium", + "postcentral gyrus", + "lobe", + "lobule", + "frontal lobe", + "frontal cortex", + "prefrontal lobe", + "prefrontal cortex", + "parietal lobe", + "parietal cortex", + "occipital lobe", + "occipital cortex", + "striate cortex", + "striate area", + "first visual area", + "area 17 of Brodmann", + "Brodmann's area 17", + "temporal lobe", + "temporal ccortex", + "medulla oblongata", + "medulla", + "bulb", + "amygdala", + "amygdaloid nucleus", + "corpus amygdaloideum", + "forebrain", + "prosencephalon", + "hippocampus", + "cingulate gyrus", + "gyrus cinguli", + "telencephalon", + "diencephalon", + "interbrain", + "betweenbrain", + "thalmencephalon", + "basal ganglion", + "caudate nucleus", + "caudate", + "claustrum", + "lenticular nucleus", + "lentiform nucleus", + "pallidum", + "globus pallidus", + "paleostriatum", + "putamen", + "subthalamic nucleus", + "limbic system", + "visceral brain", + "limbic brain", + "subthalamus", + "thalamus", + "hypothalamus", + "corpus striatum", + "striatum", + "striate body", + "midbrain", + "mesencephalon", + "substantia nigra", + "nucleus niger", + "locus niger", + "superior colliculus", + "inferior colliculus", + "hindbrain", + "rhombencephalon", + "myelencephalon", + "pons", + "pons Varolii", + "brainstem", + "brain-stem", + "brain stem", + "reticulum", + "neural network", + "neural net", + "nucleus", + "reticular formation", + "RF", + "reticular activating system", + "RAS", + "ventricle", + "fourth ventricle", + "third ventricle", + "lateral ventricle", + "cerebral aqueduct", + "Sylvian aqueduct", + "aqueductus cerebri", + "radiation", + "spinal cord", + "medulla spinalis", + "spinal fluid", + "cerebrospinal fluid", + "peripheral nervous system", + "systema nervosum periphericum", + "autonomic nervous system", + "ANS", + "radial nerve", + "nervus radialis", + "musculospiral nerve", + "sympathetic nervous system", + "splanchnic nerve", + "parasympathetic nervous system", + "parasympathetic", + "brachial plexus", + "plexus brachialis", + "cardiac plexus", + "plexus cardiacus", + "carotid plexus", + "plexus caroticus", + "cervical plexus", + "plexus cervicalis", + "choroid plexus", + "plexus choroideus", + "coccygeal plexus", + "plexus coccygeus", + "hypogastric plexus", + "plexus hypogastricus", + "lumbar plexus", + "plexus lumbalis", + "lumbar plexus", + "plexus lumbalis", + "lumbosacral plexus", + "mesenteric plexus", + "plexus mesentericus", + "myenteric plexus", + "plexus myentericus", + "periarterial plexus", + "plexus periarterialis", + "plexus dentalis", + "pterygoid plexus", + "pulmonary plexis", + "plexus pulmonalis", + "sacral plexus", + "plexus sacralis", + "solar plexus", + "coeliac plexus", + "plexus celiacus", + "abdominal nerve plexus", + "pit of the stomach", + "epigastric fossa", + "reproductive system", + "genital system", + "urogenital system", + "urogenital apparatus", + "urinary system", + "urinary apparatus", + "genitourinary system", + "genitourinary apparatus", + "systema urogenitale", + "apparatus urogenitalis", + "respiratory system", + "systema respiratorium", + "respiratory tract", + "airway", + "lower respiratory tract", + "upper respiratory tract", + "sensory system", + "tract", + "urinary tract", + "vascular system", + "circulatory system", + "cardiovascular system", + "fetal circulation", + "foetal circulation", + "bladder", + "vesica", + "urinary bladder", + "introitus", + "urethral orifice", + "external orifice", + "ureter", + "urethra", + "reproductive organ", + "sex organ", + "female reproductive system", + "male reproductive system", + "genitalia", + "genital organ", + "genitals", + "private parts", + "privates", + "crotch", + "pudendum", + "female genitalia", + "female genitals", + "female genital organ", + "fanny", + "female internal reproductive organ", + "male genitalia", + "male genitals", + "male genital organ", + "family jewels", + "male internal reproductive organ", + "ovary", + "ovotestis", + "sac", + "target organ", + "taret organ", + "acinus", + "bursa", + "cisterna", + "cistern", + "pouch", + "pocket", + "cheek pouch", + "marsupium", + "scrotum", + "vesicle", + "cyst", + "blister", + "bulla", + "bleb", + "follicle", + "hair follicle", + "Graafian follicle", + "corpus luteum", + "Fallopian tube", + "uterine tube", + "oviduct", + "uterus", + "womb", + "uterine cavity", + "cervical canal", + "canalis cervicis uteri", + "decidua", + "endometrium", + "myometrium", + "liposome", + "umbilical cord", + "umbilical", + "placenta", + "afterbirth", + "vagina", + "cunt", + "puss", + "pussy", + "slit", + "snatch", + "twat", + "vulva", + "hymen", + "maidenhead", + "virginal membrane", + "imperforate hymen", + "mons", + "mons veneris", + "mons pubis", + "labium", + "labia majora", + "pudendal cleft", + "urogenital cleft", + "rima pudendi", + "rima vulvae", + "pudendal cleavage", + "pudendal slit", + "vulvar slit", + "labia minora", + "vestibule of the vagina", + "erectile organ", + "clitoris", + "clit", + "button", + "Cowper's gland", + "bulbourethral gland", + "Bartholin's gland", + "cervical glands", + "cervical glands of the uterus", + "glandulae cervicales uteri", + "seminiferous tubule", + "gonad", + "sex gland", + "testis", + "testicle", + "orchis", + "ball", + "ballock", + "bollock", + "nut", + "egg", + "cobblers", + "male reproductive gland", + "undescended testis", + "undescended testicle", + "epididymis", + "rete testis", + "vasa efferentia", + "vas deferens", + "ductus deferens", + "penis", + "phallus", + "member", + "cock", + "prick", + "dick", + "shaft", + "pecker", + "peter", + "tool", + "putz", + "micropenis", + "microphallus", + "prepuce", + "foreskin", + "prepuce", + "foreskin", + "seminal duct", + "ejaculatory duct", + "seminal vesicle", + "spermatic cord", + "respiratory organ", + "book lung", + "alveolus", + "air sac", + "air cell", + "nasal cavity", + "nasopharynx", + "oropharynx", + "laryngopharynx", + "pharyngeal tonsil", + "adenoid", + "Luschka's tonsil", + "third tonsil", + "tonsilla pharyngealis", + "tonsilla adenoidea", + "larynx", + "voice box", + "arytenoid", + "arytaenoid", + "arytenoid cartilage", + "thyroid cartilage", + "Adam's apple", + "vocal cord", + "vocal fold", + "vocal band", + "plica vocalis", + "false vocal cord", + "false vocal fold", + "superior vocal cord", + "ventricular fold", + "vestibular fold", + "true vocal cord", + "true vocal fold", + "inferior vocal cord", + "inferior vocal fold", + "cartilaginous structure", + "cartilaginous tube", + "bronchus", + "bronchial tube", + "bronchiole", + "trachea", + "windpipe", + "trachea", + "alimentary canal", + "alimentary tract", + "digestive tube", + "digestive tract", + "gastrointestinal tract", + "GI tract", + "enteron", + "digestive gland", + "salivary gland", + "parotid gland", + "sublingual gland", + "sublingual salivary gland", + "submaxillary gland", + "submaxillary salivary gland", + "submandibular gland", + "submandibular salivary gland", + "mandibular gland", + "esophagus", + "oesophagus", + "gorge", + "gullet", + "epicardia", + "intestine", + "bowel", + "gut", + "hindgut", + "small intestine", + "duodenum", + "pylorus", + "jejunum", + "ileum", + "large intestine", + "colon", + "megacolon", + "cecum", + "caecum", + "blind gut", + "ileocecal valve", + "transverse colon", + "ascending colon", + "descending colon", + "sigmoid colon", + "sigmoid flexure", + "appendix", + "vermiform appendix", + "vermiform process", + "cecal appendage", + "rectum", + "anus", + "arse", + "arsehole", + "asshole", + "bunghole", + "imperforate anus", + "perineum", + "head", + "caput", + "poll", + "human head", + "bullethead", + "attic", + "bean", + "bonce", + "noodle", + "noggin", + "dome", + "pate", + "poll", + "crown", + "tonsure", + "epicranium", + "scalp", + "skull", + "calvaria", + "skullcap", + "cranium", + "braincase", + "brainpan", + "occiput", + "sinciput", + "frontal bone", + "os frontale", + "forehead", + "frontal eminence", + "parietal bone", + "occipital bone", + "occipital protuberance", + "mastoid", + "mastoid process", + "mastoid bone", + "mastoidal", + "styloid process", + "pterygoid process", + "tuberosity", + "tubercle", + "eminence", + "suture", + "sutura", + "fibrous joint", + "synovial joint", + "articulatio synovialis", + "diarthrosis", + "anterior fontanelle", + "sphenoid fontanelle", + "sphenoid fontanel", + "sphenoidal fontanelle", + "sphenoidal fontanel", + "coronal suture", + "sutura coronalis", + "frontal suture", + "sutura frontalis", + "intermaxillary suture", + "sutura intermaxillaris", + "internasal suture", + "sutura internasalis", + "lamboid suture", + "sutura lamboidea", + "occipitomastoid suture", + "parietomastoid suture", + "sagittal suture", + "interparietal suture", + "sutura sagittalis", + "fontanelle", + "fontanel", + "soft spot", + "foramen", + "hiatus", + "interventricular foramen", + "foramen of Monro", + "Monro's foramen", + "foramen magnum", + "jaw", + "chop", + "zygomatic process", + "neck", + "cervix", + "frill", + "ruff", + "frill", + "bull neck", + "nape", + "scruff", + "nucha", + "throat", + "pharynx", + "fauces", + "fistula", + "sinus", + "bypass", + "portacaval shunt", + "shunt", + "tubular cavity", + "shoulder", + "shoulder", + "shoulder joint", + "articulatio humeri", + "deltoid", + "deltoid muscle", + "musculus deltoideus", + "armpit", + "axilla", + "axillary cavity", + "axillary fossa", + "torso", + "trunk", + "body", + "serratus", + "serratus muscles", + "anterior serratus muscle", + "serratus anterior", + "musculus serratus anterior", + "serratus magnus", + "posterior serratus muscle", + "serratus posterior", + "musculus serratus posterior", + "serratus posterior inferior", + "serratus posterior superior", + "side", + "female chest", + "bust", + "male chest", + "pectoral", + "pectoral muscle", + "pectoralis", + "musculus pectoralis", + "pecs", + "pectoralis major", + "musculus pectoralis major", + "greater pectoral muscle", + "pectoralis minor", + "musculus pectoralis minor", + "smaller pectoral muscle", + "intercostal", + "intercostal muscle", + "musculus intercostalis", + "depressor", + "depressor muscle", + "thorax", + "chest", + "pectus", + "chest cavity", + "thoracic cavity", + "breast", + "chest", + "bosom", + "thorax", + "rib cage", + "cleavage", + "lactiferous duct", + "mammary gland", + "mamma", + "breast", + "bosom", + "knocker", + "boob", + "tit", + "titty", + "nipple", + "mammilla", + "mamilla", + "pap", + "teat", + "tit", + "areola", + "ring of color", + "areola", + "nabothian gland", + "vestibular gland", + "middle", + "midriff", + "midsection", + "waist", + "waistline", + "wasp waist", + "belly", + "paunch", + "pot", + "potbelly", + "bay window", + "corporation", + "tummy", + "spare tire", + "love handle", + "hip", + "haunch", + "navel", + "umbilicus", + "bellybutton", + "belly button", + "omphalos", + "omphalus", + "abdomen", + "venter", + "stomach", + "belly", + "abdominal", + "abdominal muscle", + "ab", + "dorsum", + "underbelly", + "underbody", + "external oblique muscle", + "musculus obliquus externus abdominis", + "abdominal external oblique muscle", + "oblique", + "transversus abdominis muscle", + "transverse muscle of abdomen", + "musculus transversalis abdominis", + "transversus abdominis", + "abdominal cavity", + "abdomen", + "pubes", + "pubic region", + "loins", + "back", + "dorsum", + "small", + "latissimus dorsi", + "lat", + "buttocks", + "nates", + "arse", + "butt", + "backside", + "bum", + "buns", + "can", + "fundament", + "hindquarters", + "hind end", + "keister", + "posterior", + "prat", + "rear", + "rear end", + "rump", + "stern", + "seat", + "tail", + "tail end", + "tooshie", + "tush", + "bottom", + "behind", + "derriere", + "fanny", + "ass", + "buttock", + "cheek", + "extremity", + "appendage", + "member", + "limb", + "stump", + "leg", + "crus", + "leg", + "pin", + "peg", + "stick", + "bowleg", + "bow leg", + "bandyleg", + "bandy leg", + "genu varum", + "tibia vara", + "shank's mare", + "shanks' mare", + "shank's pony", + "shanks' pony", + "spindlelegs", + "spindleshanks", + "thigh", + "lap", + "shank", + "shin", + "vertebrate foot", + "pedal extremity", + "foot", + "human foot", + "pes", + "arm", + "cubitus", + "forearm", + "hand", + "manus", + "mitt", + "paw", + "fist", + "clenched fist", + "hooks", + "meat hooks", + "maulers", + "right", + "right hand", + "left", + "left hand", + "palm", + "thenar", + "thenar", + "digit", + "dactyl", + "minimus", + "finger", + "extremity", + "fingertip", + "thumb", + "pollex", + "index", + "index finger", + "forefinger", + "ring finger", + "annualry", + "middle finger", + "little finger", + "pinkie", + "pinky", + "sciatic nerve", + "nervus ischiadicus", + "femoral nerve", + "nervus femoralis", + "anterior crural nerve", + "saphenous nerve", + "nervus saphenus", + "phrenic nerve", + "nervus phrenicus", + "ulnar nerve", + "cubital nerve", + "nervus ulnaris", + "spinal nerve", + "nervus spinalis", + "cervical nerve", + "coccygeal nerve", + "nervus coccygeus", + "lumbar nerve", + "sacral nerve", + "thoracic nerve", + "gluteus", + "gluteus muscle", + "gluteal muscle", + "glute", + "gluteus maximus", + "gluteus medius", + "gluteus minimus", + "hamstring", + "hamstring tendon", + "sphincter", + "anatomical sphincter", + "sphincter muscle", + "cardiac sphincter", + "esophagogastric junction", + "oesophagogastric junction", + "physiological sphincter", + "anal sphincter", + "sphincter ani", + "musculus sphincter ani", + "musculus sphincter ani externus", + "musculus sphincter ani internus", + "urethral sphincter", + "musculus sphincter urethrae", + "bladder sphincter", + "musculus sphincter vesicae", + "musculus sphincter ductus choledochi", + "musculus sphincter ductus pancreatici", + "pupillary sphincter", + "musculus sphincter pupillae", + "pyloric sphincter", + "pyloric valve", + "musculus sphincter pylori", + "tensor", + "tensor tympani", + "knee", + "knee joint", + "human knee", + "articulatio genus", + "genu", + "femur", + "thighbone", + "femoris", + "trochanter", + "calf", + "sura", + "mid-calf", + "gastrocnemius", + "gastrocnemius muscle", + "psoas", + "rhomboid", + "rhomboid muscle", + "rhomboideus major muscle", + "greater rhomboid muscle", + "musculus rhomboideus major", + "rhomboid minor muscle", + "lesser rhomboid muscle", + "musculus rhomboideus minor", + "soleus", + "soleus muscle", + "splenius", + "splenius muscle", + "peroneus", + "pterygoid muscle", + "ball", + "flatfoot", + "splayfoot", + "pes planus", + "arch", + "metatarsal arch", + "instep", + "sunken arch", + "fallen arch", + "sole", + "tiptoe", + "toe", + "toe", + "big toe", + "great toe", + "hallux", + "hammertoe", + "little toe", + "heel", + "gliding joint", + "articulatio plana", + "ankle", + "ankle joint", + "mortise joint", + "articulatio talocruralis", + "Achilles tendon", + "tendon of Achilles", + "girdle", + "musculus biceps femoris", + "femoral biceps", + "biceps", + "biceps brachii", + "musculus biceps brachii", + "biceps humeri", + "triceps", + "triceps brachii", + "musculus triceps brachii", + "elbow", + "elbow joint", + "human elbow", + "cubitus", + "cubital joint", + "articulatio cubiti", + "interphalangeal joint", + "hinge joint", + "ginglymus", + "ginglymoid joint", + "funny bone", + "crazy bone", + "lamina", + "lamina arcus vertebrae", + "plate", + "horny structure", + "unguis", + "nail", + "cuticle", + "half-moon", + "lunula", + "lunule", + "matrix", + "matrix", + "intercellular substance", + "ground substance", + "fascia", + "facia", + "aponeurosis", + "graft", + "transplant", + "autograft", + "autoplasty", + "homograft", + "allograft", + "heterograft", + "xenograft", + "scar tissue", + "adhesion", + "stroma", + "fingernail", + "thumbnail", + "toenail", + "ingrown toenail", + "onyxis", + "hangnail", + "agnail", + "wrist", + "carpus", + "wrist joint", + "radiocarpal joint", + "articulatio radiocarpea", + "knuckle", + "knuckle joint", + "metacarpophalangeal joint", + "skeletal system", + "skeleton", + "frame", + "systema skeletale", + "skeletal structure", + "column", + "pectoral girdle", + "shoulder girdle", + "pectoral arch", + "endoskeleton", + "exoskeleton", + "appendicular skeleton", + "axial skeleton", + "axial muscle", + "transverse process", + "hemal arch", + "haemal arch", + "neural arch", + "vertebral arch", + "spinal column", + "vertebral column", + "spine", + "backbone", + "back", + "rachis", + "cervical vertebra", + "neck bone", + "atlas", + "atlas vertebra", + "axis", + "axis vertebra", + "odontoid process", + "thoracic vertebra", + "dorsal vertebra", + "lumbar vertebra", + "sacral vertebra", + "coccygeal vertebra", + "caudal vertebra", + "sartorius", + "sartorius muscle", + "musculus sartorius", + "scalenus", + "scalene muscle", + "musculus scalenus", + "sternocleidomastoid", + "sternocleidomastoid muscle", + "sternocleido mastoideus", + "musculus sternocleidomastoideus", + "teres", + "teres muscle", + "teres major", + "teres major muscle", + "musculus teres major", + "teres minor", + "teres minor muscle", + "musculus teres minor", + "tibialis", + "tibialis muscle", + "musculus tibialis", + "tibialis anticus", + "tibialis anterior", + "tibialis posticus", + "tibialis posterior", + "trapezius", + "trapezius muscle", + "cowl muscle", + "musculus trapezius", + "true rib", + "costa", + "costal cartilage", + "epiphysis", + "diaphysis", + "shaft", + "metaphysis", + "arm bone", + "humerus", + "radius", + "ulna", + "elbow bone", + "olecranon", + "olecranon process", + "metacarpus", + "leg bone", + "fibula", + "calf bone", + "tibia", + "shinbone", + "shin bone", + "shin", + "metatarsus", + "tarsus", + "joint", + "articulation", + "articulatio", + "ball-and-socket joint", + "spheroid joint", + "cotyloid joint", + "enarthrodial joint", + "enarthrosis", + "articulatio spheroidea", + "head", + "hip", + "hip joint", + "coxa", + "articulatio coxae", + "acetabulum", + "cotyloid cavity", + "pelvis", + "renal pelvis", + "pelvis", + "pelvic girdle", + "pelvic arch", + "hip", + "pelvic cavity", + "pivot joint", + "rotary joint", + "rotatory joint", + "articulatio trochoidea", + "crotch", + "fork", + "loins", + "groin", + "inguen", + "quick", + "nose", + "olfactory organ", + "beak", + "honker", + "hooter", + "nozzle", + "snoot", + "snout", + "schnozzle", + "schnoz", + "conk", + "hawk nose", + "proboscis", + "bridge", + "pug nose", + "Roman nose", + "hooknose", + "chin", + "mentum", + "double chin", + "buccula", + "dimple", + "lantern jaw", + "nostril", + "anterior naris", + "posterior naris", + "naris", + "face", + "human face", + "face", + "countenance", + "physiognomy", + "phiz", + "visage", + "kisser", + "smiler", + "mug", + "pudding face", + "pudding-face", + "feature", + "lineament", + "facial muscle", + "temporalis muscle", + "temporal muscle", + "temporalis", + "musculus temporalis", + "brow", + "forehead", + "temple", + "cheek", + "jowl", + "jaw", + "ridge", + "supraorbital ridge", + "supraorbital torus", + "superciliary ridge", + "superciliary arch", + "excrescence", + "vegetation", + "rudiment", + "wall", + "paries", + "abdominal wall", + "humor", + "humour", + "pericardial sac", + "rotator cuff", + "respiratory center", + "spindle", + "syncytium", + "serous membrane", + "serosa", + "synovial membrane", + "synovium", + "tunica albuginea testes", + "albuginea", + "tunic", + "tunica", + "adventitia", + "celom", + "coelom", + "celoma", + "cornu", + "corona", + "ruga", + "tentorium", + "mast cell", + "mastocyte", + "labrocyte", + "stem cell", + "hematopoeitic stem cell", + "target cell", + "McBurney's point", + "zona pellucida", + "receptor", + "alpha receptor", + "alpha-adrenergic receptor", + "alpha-adrenoceptor", + "beta receptor", + "beta-adrenergic receptor", + "beta-adrenoceptor", + "pharyngeal recess", + "rima", + "rima glottidis", + "rima vocalis", + "true glottis", + "glottis vera", + "rima vestibuli", + "rima respiratoria", + "false glottis", + "glottis spuria", + "telomere", + "vomer", + "Wormian bone", + "sutural bone", + "zone", + "zona", + "zonule", + "zonula", + "mind", + "head", + "brain", + "psyche", + "nous", + "noddle", + "place", + "public knowledge", + "general knowledge", + "common knowledge", + "episteme", + "ancient history", + "light", + "open", + "surface", + "tabula rasa", + "ego", + "unconscious mind", + "unconscious", + "subconscious mind", + "subconscious", + "superego", + "id", + "astuteness", + "profundity", + "profoundness", + "depth", + "deepness", + "sagacity", + "sagaciousness", + "judgment", + "judgement", + "discernment", + "eye", + "common sense", + "good sense", + "gumption", + "horse sense", + "sense", + "mother wit", + "logic", + "nous", + "road sense", + "judiciousness", + "discretion", + "discreetness", + "circumspection", + "prudence", + "confidentiality", + "caution", + "precaution", + "care", + "forethought", + "injudiciousness", + "indiscreetness", + "ability", + "power", + "know-how", + "bag of tricks", + "wisdom", + "sapience", + "leadership", + "generalship", + "intelligence", + "brain", + "brainpower", + "learning ability", + "mental capacity", + "mentality", + "wit", + "breadth", + "comprehensiveness", + "largeness", + "capaciousness", + "roominess", + "mind", + "intellect", + "nonverbal intelligence", + "verbal intelligence", + "mental quickness", + "quickness", + "quick-wittedness", + "nimbleness", + "mental dexterity", + "brilliance", + "genius", + "coruscation", + "pyrotechnics", + "scintillation", + "precociousness", + "precocity", + "acuteness", + "acuity", + "sharpness", + "keenness", + "steel trap", + "brightness", + "cleverness", + "smartness", + "craft", + "craftiness", + "cunning", + "foxiness", + "guile", + "slyness", + "wiliness", + "shrewdness", + "astuteness", + "perspicacity", + "perspicaciousness", + "insightfulness", + "acumen", + "knowingness", + "street smarts", + "wits", + "marbles", + "aptitude", + "bilingualism", + "instinct", + "inherent aptitude", + "capacity", + "mental ability", + "capability", + "capableness", + "potentiality", + "perfectibility", + "compass", + "range", + "reach", + "grasp", + "sight", + "ken", + "natural ability", + "endowment", + "gift", + "talent", + "natural endowment", + "bent", + "knack", + "hang", + "flair", + "genius", + "raw talent", + "creativity", + "creativeness", + "creative thinking", + "fecundity", + "fruitfulness", + "flight", + "genius", + "wizardry", + "imagination", + "imaginativeness", + "vision", + "imaginary place", + "mythical place", + "fictitious place", + "afterworld", + "Annwfn", + "Annwn", + "Asgard", + "Atlantis", + "Brobdingnag", + "cloud-cuckoo-land", + "Cockaigne", + "El Dorado", + "eldorado", + "fairyland", + "faerie", + "faery", + "Heaven", + "Abraham's bosom", + "bosom of Abraham", + "Celestial City", + "City of God", + "Heavenly City", + "Holy City", + "Elysium", + "Elysian Fields", + "Elysium", + "Eden", + "Garden of Eden", + "Paradise", + "Promised Land", + "Valhalla", + "Walhalla", + "Hell", + "Hades", + "infernal region", + "netherworld", + "Scheol", + "underworld", + "Hell", + "perdition", + "Inferno", + "infernal region", + "nether region", + "pit", + "Houyhnhnms", + "Gehenna", + "Tartarus", + "hellfire", + "red region", + "Laputa", + "Lilliput", + "limbo", + "limbo", + "Midgard", + "never-never land", + "dreamland", + "dreamworld", + "purgatory", + "Ruritania", + "spirit world", + "Utopia", + "Zion", + "Sion", + "wonderland", + "fancy", + "fantasy", + "phantasy", + "pipe dream", + "dream", + "fantasy life", + "phantasy life", + "fantasy world", + "phantasy world", + "fairyland", + "paracosm", + "invention", + "innovation", + "excogitation", + "conception", + "design", + "inventiveness", + "ingeniousness", + "ingenuity", + "cleverness", + "resource", + "resourcefulness", + "imagination", + "armory", + "armoury", + "inventory", + "concoction", + "contrivance", + "originality", + "innovativeness", + "unconventionality", + "novelty", + "freshness", + "aviation", + "airmanship", + "eristic", + "falconry", + "fortification", + "homiletics", + "horology", + "minstrelsy", + "musicianship", + "enology", + "oenology", + "puppetry", + "taxidermy", + "telescopy", + "ventriloquism", + "ventriloquy", + "skill", + "science", + "nose", + "virtuosity", + "bravura", + "skill", + "accomplishment", + "acquirement", + "acquisition", + "attainment", + "hand", + "craft", + "craftsmanship", + "workmanship", + "horsemanship", + "literacy", + "marksmanship", + "mastership", + "mixology", + "superior skill", + "art", + "artistry", + "prowess", + "numeracy", + "oarsmanship", + "salesmanship", + "seamanship", + "boatmanship", + "showmanship", + "soldiering", + "soldiership", + "swordsmanship", + "skillfulness", + "expertness", + "expertise", + "handiness", + "professionalism", + "sophistication", + "coordination", + "coordination", + "incoordination", + "versatility", + "command", + "control", + "mastery", + "adeptness", + "adroitness", + "deftness", + "facility", + "quickness", + "touch", + "finishing touch", + "capstone", + "copestone", + "dexterity", + "manual dexterity", + "sleight", + "fluency", + "disfluency", + "proficiency", + "technique", + "brushwork", + "musketry", + "housecraft", + "priestcraft", + "stagecraft", + "tradecraft", + "watercraft", + "woodcraft", + "efficiency", + "economy", + "inability", + "block", + "mental block", + "writer's block", + "stupidity", + "denseness", + "dumbness", + "slow-wittedness", + "dullness", + "obtuseness", + "retardation", + "mental retardation", + "backwardness", + "slowness", + "subnormality", + "abnormality", + "mental defectiveness", + "feeblemindedness", + "moronity", + "mental deficiency", + "idiocy", + "amentia", + "imbecility", + "folly", + "foolishness", + "craziness", + "madness", + "vacuousness", + "inaptitude", + "talentlessness", + "incapability", + "incapableness", + "imperfectibility", + "incapacity", + "unskillfulness", + "awkwardness", + "clumsiness", + "ineptness", + "ineptitude", + "maladroitness", + "slowness", + "rustiness", + "inefficiency", + "amateurishness", + "illiteracy", + "analphabetism", + "uncreativeness", + "fruitlessness", + "unoriginality", + "triteness", + "staleness", + "camp", + "conventionality", + "faculty", + "mental faculty", + "module", + "attention", + "language", + "speech", + "lexis", + "vocabulary", + "lexicon", + "mental lexicon", + "memory", + "retention", + "retentiveness", + "retentivity", + "reason", + "understanding", + "intellect", + "sense", + "sensation", + "sentience", + "sentiency", + "sensory faculty", + "modality", + "sense modality", + "sensory system", + "volition", + "will", + "velleity", + "sensitivity", + "sensitiveness", + "sensibility", + "acuteness", + "hypersensitivity", + "responsiveness", + "reactivity", + "excitability", + "irritability", + "exteroception", + "interoception", + "photosensitivity", + "radiosensitivity", + "sight", + "vision", + "visual sense", + "visual modality", + "stigmatism", + "somatosense", + "touch", + "sense of touch", + "skin senses", + "touch modality", + "cutaneous senses", + "achromatic vision", + "acuity", + "visual acuity", + "sharp-sightedness", + "twenty-twenty", + "20/20", + "oxyopia", + "binocular vision", + "central vision", + "color vision", + "chromatic vision", + "trichromacy", + "distance vision", + "eyesight", + "seeing", + "sightedness", + "foveal vision", + "monocular vision", + "near vision", + "night vision", + "night-sight", + "scotopic vision", + "twilight vision", + "daylight vision", + "photopic vision", + "peripheral vision", + "stereoscopic vision", + "stereoscopy", + "hearing", + "audition", + "auditory sense", + "sense of hearing", + "auditory modality", + "ear", + "absolute pitch", + "perfect pitch", + "taste", + "gustation", + "sense of taste", + "gustatory modality", + "smell", + "sense of smell", + "olfaction", + "olfactory modality", + "nose", + "kinesthesis", + "kinaesthesis", + "kinesthesia", + "kinaesthesia", + "kinesthetics", + "muscle sense", + "sense of movement", + "kinanesthesia", + "equilibrium", + "labyrinthine sense", + "vestibular sense", + "sense of balance", + "sense of equilibrium", + "proprioception", + "somesthesia", + "somesthesis", + "somaesthesia", + "somaesthesis", + "somatesthesia", + "somataesthesis", + "somatosensory system", + "somatic sensory system", + "somatic sense", + "method", + "scientific method", + "experimental method", + "teaching method", + "pedagogics", + "pedagogy", + "Socratic method", + "maieutic method", + "method of choice", + "methodology", + "mnemonics", + "solution", + "silver bullet", + "system", + "system of rules", + "accounting", + "discipline", + "frame of reference", + "frame", + "vocabulary", + "gambling system", + "government", + "honor system", + "logic", + "logical system", + "system of logic", + "Aristotelian logic", + "merit system", + "point system", + "spoils system", + "organon", + "technique", + "antialiasing", + "Benday process", + "bonding", + "emulation", + "terminal emulation", + "immunofluorescence", + "photomechanics", + "simulation", + "computer simulation", + "technicolor", + "practice", + "custom", + "tradition", + "convention", + "normal", + "pattern", + "rule", + "formula", + "mores", + "code of conduct", + "code of behavior", + "universal", + "courtly love", + "knight errantry", + "protocol", + "habit", + "wont", + "Hadith", + "institution", + "levirate", + "heritage", + "cognitive state", + "state of mind", + "enthusiasm", + "Anglomania", + "balletomania", + "concern", + "worldly concern", + "earthly concern", + "world", + "earth", + "interestedness", + "matter", + "affair", + "thing", + "least", + "personal business", + "personal matters", + "affairs", + "dirty linen", + "dirty laundry", + "part", + "point of honor", + "cult of personality", + "amnesia", + "memory loss", + "blackout", + "paramnesia", + "anterograde amnesia", + "posttraumatic amnesia", + "retrograde amnesia", + "forgetfulness", + "senior moment", + "selective amnesia", + "posthypnotic amnesia", + "forgetfulness", + "obliviousness", + "oblivion", + "transient global amnesia", + "set", + "readiness", + "ivory tower", + "consciousness", + "stream of consciousness", + "self", + "ego", + "anima", + "awareness", + "consciousness", + "cognizance", + "cognisance", + "knowingness", + "incognizance", + "self-awareness", + "orientation", + "self-consciousness", + "unselfconsciousness", + "feel", + "sense", + "sense of direction", + "sense of responsibility", + "awareness", + "sentience", + "sensibility", + "esthesia", + "aesthesia", + "waking", + "wakefulness", + "arousal", + "vigil", + "unconsciousness", + "automatic pilot", + "autopilot", + "unknowingness", + "unawareness", + "blackout", + "grogginess", + "stupor", + "stupefaction", + "semiconsciousness", + "coma", + "comatoseness", + "diabetic coma", + "Kussmaul's coma", + "hepatic coma", + "electrosleep", + "semicoma", + "insensibility", + "sleeping", + "hebetude", + "trance", + "semitrance", + "hypnotic trance", + "religious trance", + "ecstatic state", + "narcosis", + "nitrogen narcosis", + "subconsciousness", + "curiosity", + "wonder", + "desire to know", + "lust for learning", + "thirst for knowledge", + "interest", + "involvement", + "curiousness", + "inquisitiveness", + "nosiness", + "prying", + "snoopiness", + "confusion", + "mental confusion", + "confusedness", + "muddiness", + "disarray", + "disorientation", + "culture shock", + "distraction", + "daze", + "fog", + "haze", + "half-cock", + "jamais vu", + "bewilderment", + "obfuscation", + "puzzlement", + "befuddlement", + "mystification", + "bafflement", + "bemusement", + "perplexity", + "mystery", + "enigma", + "secret", + "closed book", + "tangle", + "snarl", + "maze", + "dilemma", + "quandary", + "double bind", + "cognitive factor", + "divine guidance", + "inspiration", + "difficulty", + "trouble", + "problem", + "pressure point", + "can of worms", + "deep water", + "growing pains", + "hydra", + "matter", + "facer", + "killer", + "kink", + "pisser", + "pitfall", + "booby trap", + "snorter", + "hindrance", + "hinderance", + "deterrent", + "impediment", + "balk", + "baulk", + "check", + "handicap", + "albatross", + "millstone", + "bind", + "diriment impediment", + "drag", + "obstacle", + "obstruction", + "straitjacket", + "barrier", + "roadblock", + "hang-up", + "hitch", + "rub", + "snag", + "hurdle", + "stymie", + "stymy", + "ideological barrier", + "iron curtain", + "language barrier", + "bamboo curtain", + "color bar", + "colour bar", + "color line", + "colour line", + "Jim Crow", + "determinant", + "determiner", + "determinative", + "determining factor", + "causal factor", + "clincher", + "decisive factor", + "influence", + "imponderable", + "imprint", + "morale builder", + "pestilence", + "canker", + "support", + "anchor", + "mainstay", + "keystone", + "backbone", + "linchpin", + "lynchpin", + "lifeline", + "temptation", + "enticement", + "forbidden fruit", + "bait", + "come-on", + "hook", + "lure", + "sweetener", + "allurement", + "equivalent", + "counterpart", + "opposite number", + "vis-a-vis", + "match", + "mismatch", + "complement", + "substitute", + "replacement", + "ersatz", + "successor", + "succedaneum", + "certainty", + "assurance", + "self-assurance", + "confidence", + "self-confidence", + "authority", + "sureness", + "certitude", + "cocksureness", + "overconfidence", + "reliance", + "trust", + "doubt", + "uncertainty", + "incertitude", + "dubiety", + "doubtfulness", + "dubiousness", + "mental reservation", + "reservation", + "arriere pensee", + "misgiving", + "mistrust", + "distrust", + "suspicion", + "incredulity", + "disbelief", + "skepticism", + "mental rejection", + "indecision", + "indecisiveness", + "irresolution", + "hesitation", + "vacillation", + "wavering", + "peradventure", + "suspense", + "morbidity", + "morbidness", + "preoccupation", + "preoccupancy", + "absorption", + "engrossment", + "obsession", + "fixation", + "abstractedness", + "abstraction", + "reverie", + "revery", + "dream", + "brown study", + "absentmindedness", + "process", + "cognitive process", + "mental process", + "operation", + "cognitive operation", + "process", + "unconscious process", + "basic cognitive process", + "attention", + "attending", + "attention span", + "attentiveness", + "heed", + "regard", + "paying attention", + "clock-watching", + "ear", + "eye", + "notice", + "observation", + "observance", + "notice", + "mind", + "advertence", + "advertency", + "concentration", + "engrossment", + "absorption", + "immersion", + "mental note", + "focus", + "focusing", + "focussing", + "focal point", + "direction", + "centering", + "particularism", + "specialism", + "study", + "hang-up", + "hobbyhorse", + "watchfulness", + "wakefulness", + "vigilance", + "alertness", + "jealousy", + "inattention", + "inattentiveness", + "heedlessness", + "distraction", + "disregard", + "neglect", + "oversight", + "inadvertence", + "omission", + "pretermission", + "exception", + "exclusion", + "elision", + "intuition", + "feeling", + "intuitive feeling", + "sprachgefuhl", + "gnosis", + "insight", + "sixth sense", + "immediacy", + "immediate apprehension", + "perception", + "apperception", + "constancy", + "perceptual constancy", + "brightness constancy", + "color constancy", + "colour constancy", + "shape constancy", + "size constancy", + "perception", + "discernment", + "perceptiveness", + "penetration", + "insight", + "cognizance", + "remark", + "detection", + "sensing", + "visual perception", + "beholding", + "seeing", + "contrast", + "face recognition", + "object recognition", + "visual space", + "auditory perception", + "sound perception", + "speech perception", + "musical perception", + "melody", + "tonal pattern", + "sensation", + "esthesis", + "aesthesis", + "sense experience", + "sense impression", + "sense datum", + "threshold", + "limen", + "absolute threshold", + "pain threshold", + "difference threshold", + "differential threshold", + "difference limen", + "differential limen", + "just-noticeable difference", + "jnd", + "masking", + "vision", + "visual sensation", + "smell", + "odor", + "odour", + "olfactory sensation", + "olfactory perception", + "scent", + "musk", + "aroma", + "fragrance", + "perfume", + "scent", + "incense", + "malodor", + "malodour", + "stench", + "stink", + "reek", + "fetor", + "foetor", + "mephitis", + "niff", + "pong", + "taste", + "taste sensation", + "gustatory sensation", + "taste perception", + "gustatory perception", + "relish", + "flavor", + "flavour", + "sapidity", + "savor", + "savour", + "smack", + "nip", + "tang", + "lemon", + "vanilla", + "sweet", + "sweetness", + "sugariness", + "sour", + "sourness", + "tartness", + "acidity", + "acidulousness", + "bitter", + "bitterness", + "acridity", + "salt", + "saltiness", + "salinity", + "astringency", + "astringence", + "finish", + "flatness", + "mellowness", + "sound", + "auditory sensation", + "music", + "euphony", + "music", + "piano music", + "music of the spheres", + "tone", + "pure tone", + "harmonic", + "fundamental", + "fundamental frequency", + "first harmonic", + "overtone", + "partial", + "partial tone", + "noise", + "dissonance", + "racket", + "dub", + "synesthesia", + "synaesthesia", + "chromesthesia", + "chromaesthesia", + "colored hearing", + "colored audition", + "somesthesia", + "somaesthesia", + "somatesthesia", + "somatic sensation", + "feeling", + "constriction", + "tightness", + "tactual sensation", + "tactility", + "touch perception", + "skin perceptiveness", + "kinesthesia", + "kinaesthesia", + "feeling of movement", + "touch", + "touch sensation", + "tactual sensation", + "tactile sensation", + "feeling", + "pins and needles", + "prickling", + "tingle", + "tingling", + "creepiness", + "cutaneous sensation", + "haptic sensation", + "skin sensation", + "tickle", + "itch", + "itchiness", + "itching", + "pruritus", + "pruritus ani", + "pruritus vulvae", + "topognosia", + "topognosis", + "urtication", + "pressure", + "pressure sensation", + "pain", + "pain sensation", + "painful sensation", + "mittelschmerz", + "phantom limb pain", + "twinge", + "temperature", + "heat", + "warmth", + "cold", + "coldness", + "comfort zone", + "believing", + "doublethink", + "structure", + "arrangement", + "organization", + "organisation", + "system", + "classification system", + "Dewey decimal classification", + "Dewey decimal system", + "decimal system of classification", + "contrivance", + "coordinate system", + "frame of reference", + "reference system", + "reference frame", + "Cartesian coordinate system", + "data structure", + "design", + "plan", + "distribution", + "statistical distribution", + "equidistribution", + "genetic map", + "kinship system", + "lattice", + "living arrangement", + "redundancy", + "topology", + "network topology", + "bus topology", + "bus", + "loop topology", + "loop", + "star topology", + "star", + "mesh topology", + "mesh", + "physical topology", + "logical topology", + "unitization", + "unitisation", + "chunking", + "configuration", + "constellation", + "space lattice", + "crystal lattice", + "Bravais lattice", + "hierarchical structure", + "hierarchical data structure", + "hierarchical classification system", + "file system", + "filing system", + "classification", + "categorization", + "categorisation", + "sorting", + "grouping", + "pigeonholing", + "rating system", + "scoring system", + "ABO blood group system", + "ABO system", + "ABO group", + "appraisal", + "assessment", + "critical appraisal", + "critical analysis", + "criticism", + "critique", + "examen", + "knock", + "roast", + "self-criticism", + "attribution", + "ascription", + "attribution", + "ascription", + "zoomorphism", + "animatism", + "imputation", + "externalization", + "externalisation", + "cross-classification", + "cross-division", + "subsumption", + "evaluation", + "valuation", + "rating", + "overvaluation", + "undervaluation", + "pricing", + "price gouging", + "reevaluation", + "mark", + "grade", + "score", + "grade point", + "percentile", + "centile", + "decile", + "quartile", + "bond rating", + "assay", + "check", + "countercheck", + "double check", + "diagnostic test", + "diagnostic assay", + "Apgar score", + "agglutination test", + "heterophil test", + "Widal test", + "Widal's test", + "bioassay", + "bio-assay", + "immunoassay", + "immunochemical assay", + "radioimmunoassay", + "biopsy", + "cloze procedure", + "cloze test", + "fecal occult test", + "faecal occult test", + "stool test", + "GI series", + "glucose tolerance test", + "complement fixation test", + "Wassermann test", + "Wasserman reaction", + "Wassermann", + "blood test", + "PSA blood test", + "chorionic villus sampling", + "chorionic villus biopsy", + "needle biopsy", + "Pap test", + "Papanicolaou test", + "smear test", + "paternity test", + "PKU test", + "pregnancy test", + "Friedman test", + "rabbit test", + "Queckenstedt's test", + "radioactive iodine test", + "radioactive iodine excretion test", + "radioactive iodine uptake test", + "RAIU", + "Rubin test", + "skin test", + "Dick test", + "patch test", + "Schick test", + "scratch test", + "tuberculin test", + "tuberculin skin test", + "Mantoux test", + "tine test", + "intradermal test", + "subcutaneous test", + "tissue typing", + "Snellen test", + "stress test", + "treadmill test", + "acid test", + "reappraisal", + "revaluation", + "review", + "reassessment", + "stocktaking", + "stock-taking", + "underevaluation", + "discrimination", + "secernment", + "differentiation", + "distinction", + "contradistinction", + "line", + "dividing line", + "demarcation", + "contrast", + "Rubicon", + "point of no return", + "hairsplitting", + "word-splitting", + "individualization", + "individualisation", + "individuation", + "taste", + "appreciation", + "discernment", + "perceptiveness", + "virtu", + "vertu", + "connoisseurship", + "vogue", + "trend", + "style", + "New Look", + "fashion", + "cut", + "haute couture", + "high fashion", + "high style", + "fad", + "craze", + "furor", + "furore", + "cult", + "rage", + "retro", + "bandwagon", + "delicacy", + "discretion", + "culture", + "counterculture", + "mass culture", + "flower power", + "letters", + "learning", + "acquisition", + "conditioning", + "developmental learning", + "digestion", + "education", + "internalization", + "internalisation", + "incorporation", + "introjection", + "introjection", + "imprinting", + "language learning", + "audio lingual acquisition", + "memorization", + "memorisation", + "committal to memory", + "rote", + "rote learning", + "accommodation", + "assimilation", + "study", + "work", + "transfer", + "transfer of training", + "carry-over", + "generalization", + "generalisation", + "stimulus generalization", + "stimulus generalisation", + "irradiation", + "physical education", + "acculturation", + "assimilation", + "mastering", + "self-education", + "self-cultivation", + "school", + "schooling", + "special education", + "vocational training", + "vocational education", + "experience", + "familiarization", + "familiarisation", + "woodcraft", + "extinction", + "experimental extinction", + "aversive conditioning", + "conditioned emotional response", + "CER", + "conditioned emotion", + "classical conditioning", + "instrumental conditioning", + "operant conditioning", + "counter conditioning", + "memory", + "remembering", + "short-term memory", + "STM", + "immediate memory", + "working memory", + "long-term memory", + "LTM", + "episodic memory", + "personal memory", + "semantic memory", + "motor memory", + "muscle memory", + "retrieval", + "recall", + "recollection", + "reminiscence", + "remembrance", + "recollection", + "anamnesis", + "mind", + "reconstruction", + "reconstructive memory", + "reproduction", + "reproductive memory", + "regurgitation", + "reminiscence", + "recognition", + "identification", + "identity", + "speaker identification", + "talker identification", + "association", + "connection", + "connexion", + "colligation", + "overlap", + "convergence", + "intersection", + "crossroads", + "interface", + "retrospection", + "representational process", + "symbol", + "symbolization", + "symbolisation", + "symbolic representation", + "typification", + "exemplification", + "picture", + "interpretation", + "interpreting", + "rendition", + "rendering", + "broad interpretation", + "judicial activism", + "depicting", + "depiction", + "portraying", + "portrayal", + "mirror", + "anthropomorphism", + "theanthropism", + "theanthropism", + "imagination", + "imaging", + "imagery", + "mental imagery", + "mind's eye", + "vision", + "picturing", + "envisioning", + "dream", + "dreaming", + "dream", + "dreaming", + "nightmare", + "wet dream", + "chimera", + "chimaera", + "reverie", + "revery", + "daydream", + "daydreaming", + "oneirism", + "air castle", + "castle in the air", + "castle in Spain", + "woolgathering", + "evocation", + "pretense", + "pretence", + "make-believe", + "search", + "hunt", + "pursuit", + "pursuance", + "quest", + "higher cognitive process", + "thinking", + "thought", + "thought process", + "cerebration", + "intellection", + "mentation", + "free association", + "suggestion", + "construction", + "mental synthesis", + "crystallization", + "gestation", + "reasoning", + "logical thinking", + "abstract thought", + "analysis", + "analytic thinking", + "argumentation", + "logical argument", + "argument", + "line of reasoning", + "line", + "line of thought", + "train of thought", + "thread", + "line of inquiry", + "line of questioning", + "conjecture", + "deduction", + "deductive reasoning", + "synthesis", + "generalization", + "generalisation", + "induction", + "inductive reasoning", + "inference", + "illation", + "prediction", + "anticipation", + "prevision", + "projection", + "prophecy", + "prognostication", + "vaticination", + "crystal gazing", + "prevision", + "retrovision", + "prefiguration", + "foreshadowing", + "adumbration", + "divination", + "foretelling", + "soothsaying", + "fortune telling", + "arithmancy", + "dowse", + "dowsing", + "rhabdomancy", + "geomancy", + "hydromancy", + "lithomancy", + "necromancy", + "oneiromancy", + "onomancy", + "palmistry", + "palm reading", + "chiromancy", + "chirology", + "pyromancy", + "astrology", + "star divination", + "horoscopy", + "alchemy", + "pseudoscience", + "syllogism", + "theorization", + "theorisation", + "ideology", + "supposition", + "supposal", + "presupposition", + "abstraction", + "generalization", + "generalisation", + "analogy", + "corollary", + "derivation", + "deduction", + "entailment", + "implication", + "extrapolation", + "presumption", + "conclusion", + "non sequitur", + "breakdown", + "partitioning", + "cost-benefit analysis", + "dissection", + "elimination", + "reasoning by elimination", + "reductionism", + "reductionism", + "systems analysis", + "resolution", + "resolving", + "factorization", + "factorisation", + "factoring", + "diagonalization", + "diagonalisation", + "ratiocination", + "regress", + "reasoning backward", + "synthesis", + "synthetic thinking", + "trend analysis", + "cogitation", + "study", + "lucubration", + "mysticism", + "ideation", + "consideration", + "deliberation", + "weighing", + "advisement", + "exploration", + "contemplation", + "reflection", + "reflexion", + "rumination", + "musing", + "thoughtfulness", + "meditation", + "speculation", + "meditation", + "think", + "introspection", + "self-contemplation", + "self-examination", + "soul-searching", + "self-analysis", + "examen", + "examination", + "inwardness", + "outwardness", + "omphaloskepsis", + "navel-gazing", + "retrospect", + "decision making", + "deciding", + "determination", + "eclecticism", + "eclectic method", + "groupthink", + "settlement", + "resolution", + "closure", + "judgment", + "judgement", + "judging", + "prejudgment", + "prejudgement", + "reversal", + "change of mind", + "flip-flop", + "turnabout", + "turnaround", + "reconsideration", + "second thought", + "afterthought", + "rethink", + "choice", + "pick", + "selection", + "pleasure", + "cull", + "reject", + "favorite", + "favourite", + "option", + "alternative", + "choice", + "obverse", + "preference", + "druthers", + "wish", + "way", + "default option", + "default", + "possibility", + "possible action", + "opening", + "possible", + "impossibility", + "impossible action", + "impossible", + "Hobson's choice", + "soft option", + "excogitation", + "explanation", + "rationale", + "principle", + "basis", + "base", + "foundation", + "fundament", + "groundwork", + "cornerstone", + "meat and potatoes", + "key", + "natural history", + "rationalization", + "rationalisation", + "raison d'etre", + "planning", + "preparation", + "provision", + "agreement", + "arrangement", + "collusion", + "prearrangement", + "reservation", + "upgrade", + "applecart", + "mens rea", + "malice aforethought", + "premeditation", + "calculation", + "deliberation", + "premeditation", + "forethought", + "problem solving", + "convergent thinking", + "divergent thinking", + "out-of-the-box thinking", + "inspiration", + "inquiry", + "enquiry", + "research", + "nature study", + "experiment", + "experimentation", + "empirical research", + "control experiment", + "control condition", + "control", + "condition", + "experimental condition", + "pilot experiment", + "trial", + "trial run", + "test", + "tryout", + "field trial", + "field test", + "alpha test", + "beta test", + "road test", + "testament", + "test drive", + "trial balloon", + "probe", + "investigation", + "fishing expedition", + "poll", + "opinion poll", + "public opinion poll", + "canvass", + "exit poll", + "straw vote", + "straw poll", + "heraldry", + "calculation", + "computation", + "figuring", + "reckoning", + "extrapolation", + "interpolation", + "conversion", + "data conversion", + "digitization", + "digitisation", + "estimate", + "estimation", + "approximation", + "idea", + "credit rating", + "credit", + "guess", + "guesswork", + "guessing", + "shot", + "dead reckoning", + "guesstimate", + "guestimate", + "overestimate", + "overestimation", + "overrating", + "overreckoning", + "underestimate", + "underestimation", + "underrating", + "underreckoning", + "knowing", + "know", + "cognizance", + "ken", + "prevision", + "foresight", + "farsightedness", + "prospicience", + "understanding", + "apprehension", + "discernment", + "savvy", + "comprehension", + "incomprehension", + "self-knowledge", + "smattering", + "appreciation", + "grasp", + "hold", + "grasping", + "sense", + "hindsight", + "insight", + "brainstorm", + "brainwave", + "realization", + "realisation", + "recognition", + "light", + "revelation", + "discovery", + "breakthrough", + "find", + "flash", + "linguistic process", + "language", + "reading", + "speed-reading", + "content", + "cognitive content", + "mental object", + "tradition", + "world", + "reality", + "otherworld", + "real world", + "real life", + "deja vu", + "life", + "living", + "reliving", + "re-experiencing", + "object", + "food", + "food for thought", + "intellectual nourishment", + "pabulum", + "antipathy", + "bugbear", + "hobgoblin", + "execration", + "center", + "centre", + "center of attention", + "centre of attention", + "conversation piece", + "crosshairs", + "cynosure", + "eye-catcher", + "hallucination", + "infatuation", + "love", + "passion", + "noumenon", + "thing-in-itself", + "reminder", + "memento", + "souvenir", + "memento mori", + "shades of", + "universe", + "universe of discourse", + "topic", + "subject", + "issue", + "matter", + "issue", + "gut issue", + "hot-button issue", + "paramount issue", + "pocketbook issue", + "bread-and-butter issue", + "quodlibet", + "area", + "blind spot", + "remit", + "res judicata", + "res adjudicata", + "information", + "datum", + "data point", + "reading", + "meter reading", + "indication", + "acquaintance", + "familiarity", + "conversance", + "conversancy", + "fact", + "case", + "detail", + "item", + "point", + "particular", + "specific", + "general", + "matter of fact", + "observation", + "scientific fact", + "reason", + "score", + "truth", + "home truth", + "verity", + "minutia", + "nook and cranny", + "nooks and crannies", + "respect", + "regard", + "sticking point", + "technicality", + "trifle", + "triviality", + "example", + "illustration", + "instance", + "representative", + "apology", + "excuse", + "exception", + "precedent", + "case in point", + "quintessence", + "sample", + "coupon", + "cross section", + "specimen", + "grab sample", + "random sample", + "tasting", + "circumstance", + "condition", + "consideration", + "justification", + "mitigating circumstance", + "background", + "background knowledge", + "descriptor", + "evidence", + "grounds", + "predictor", + "probable cause", + "proof", + "cogent evidence", + "reductio ad absurdum", + "reductio", + "confirmation", + "verification", + "check", + "substantiation", + "bed check", + "crosscheck", + "parity check", + "redundancy check", + "odd-even check", + "checksum", + "establishment", + "validation", + "disproof", + "falsification", + "refutation", + "confutation", + "counterexample", + "lead", + "track", + "trail", + "tip-off", + "evocation", + "induction", + "elicitation", + "kick", + "stimulation", + "stimulus", + "stimulant", + "input", + "turn-on", + "turnoff", + "negative stimulation", + "conditioned stimulus", + "reinforcing stimulus", + "reinforcer", + "reinforcement", + "positive reinforcing stimulus", + "positive reinforcer", + "negative reinforcing stimulus", + "negative reinforcer", + "discriminative stimulus", + "cue", + "positive stimulus", + "negative stimulus", + "bonus", + "fillip", + "joy", + "delight", + "pleasure", + "annoyance", + "bother", + "botheration", + "pain", + "infliction", + "pain in the neck", + "pain in the ass", + "nuisance", + "abatable nuisance", + "attractive nuisance", + "mixed nuisance", + "private nuisance", + "public nuisance", + "common nuisance", + "irritant", + "thorn", + "plague", + "aversive stimulus", + "concern", + "worry", + "headache", + "vexation", + "bugaboo", + "burden", + "load", + "encumbrance", + "incumbrance", + "onus", + "business", + "dead weight", + "fardel", + "imposition", + "pill", + "grief", + "sorrow", + "idea", + "thought", + "inspiration", + "source", + "seed", + "germ", + "taproot", + "muse", + "mother", + "afflatus", + "cogitation", + "concept", + "conception", + "construct", + "conceptualization", + "conceptualisation", + "conceptuality", + "perception", + "notion", + "mumpsimus", + "preoccupation", + "self-absorption", + "layout", + "trap", + "snare", + "iron trap", + "speed trap", + "idea", + "judgment", + "judgement", + "mind", + "decision", + "determination", + "conclusion", + "predetermination", + "category", + "kind", + "sort", + "form", + "variety", + "breed", + "pigeonhole", + "rubric", + "way", + "description", + "type", + "nature", + "version", + "variant", + "variation", + "edition", + "antitype", + "art form", + "architectural style", + "style of architecture", + "type of architecture", + "Bauhaus", + "Byzantine architecture", + "classical architecture", + "Greco-Roman architecture", + "Greek architecture", + "Roman architecture", + "Gothic", + "Gothic architecture", + "Romanesque", + "Romanesque architecture", + "Norman architecture", + "perpendicular", + "perpendicular style", + "English-Gothic", + "English-Gothic architecture", + "Tudor architecture", + "Moorish", + "Moorish architecture", + "Victorian architecture", + "style", + "flavor", + "flavour", + "charm", + "strangeness", + "color", + "colour", + "species", + "genus", + "brand", + "make", + "genre", + "like", + "ilk", + "manner", + "model", + "stripe", + "like", + "the like", + "the likes of", + "rule", + "regulation", + "restriction", + "limitation", + "narrowness", + "rule", + "formula", + "metarule", + "algorithm", + "algorithmic rule", + "algorithmic program", + "sorting algorithm", + "stemmer", + "stemming algorithm", + "heuristic", + "heuristic rule", + "heuristic program", + "lateral thinking", + "recursion", + "guidepost", + "guideline", + "rule of thumb", + "cy pres", + "rule of cy pres", + "cy pres doctrine", + "working principle", + "working rule", + "property", + "attribute", + "dimension", + "quality", + "character", + "lineament", + "texture", + "feature", + "characteristic", + "feature of speech", + "feature", + "invariant", + "aspect", + "facet", + "attraction", + "attractor", + "attracter", + "attractive feature", + "magnet", + "badge", + "centerpiece", + "centrepiece", + "contour", + "excellence", + "excellency", + "external", + "peculiarity", + "distinctive feature", + "distinguishing characteristic", + "calling card", + "safety feature", + "side", + "downside", + "hand", + "sector", + "sphere", + "department", + "surface", + "attention", + "tourist attraction", + "foil", + "enhancer", + "abstraction", + "abstract", + "absolute", + "teacher", + "thing", + "quantity", + "quantum", + "quantum", + "term", + "numerical quantity", + "zero", + "zero point", + "value", + "eigenvalue", + "eigenvalue of a matrix", + "eigenvalue of a square matrix", + "characteristic root of a square matrix", + "scale value", + "average", + "vote", + "voter turnout", + "operand", + "variable", + "variable quantity", + "argument", + "arity", + "independent variable", + "experimental variable", + "factor", + "correlate", + "correlative", + "degree of freedom", + "dependent variable", + "constant", + "constant quantity", + "invariable", + "parameter", + "parametric quantity", + "parameter", + "degree of freedom", + "product", + "mathematical product", + "factorial", + "multiple", + "double", + "triple", + "quadruple", + "lowest common multiple", + "least common multiple", + "lcm", + "grand total", + "subtotal", + "sum", + "amount", + "total", + "degree", + "degree of a term", + "degree of a polynomial", + "first degree", + "polynomial", + "multinomial", + "biquadratic", + "biquadratic polynomial", + "quartic polynomial", + "homogeneous polynomial", + "monic polynomial", + "quadratic", + "quadratic polynomial", + "quantic", + "series", + "power series", + "convergence", + "convergency", + "divergence", + "divergency", + "geometric series", + "Fourier series", + "predictor variable", + "proportional", + "infinitesimal", + "random variable", + "variate", + "variant", + "stochastic variable", + "chance variable", + "scalar", + "tensor", + "vector", + "vector product", + "cross product", + "scalar product", + "inner product", + "dot product", + "vector sum", + "resultant", + "radius vector", + "radius vector", + "be-all and end-all", + "be all and end all", + "plot element", + "McGuffin", + "MacGuffin", + "point", + "attractor", + "attracter", + "strange attractor", + "chaotic attractor", + "intersection", + "intersection point", + "point of intersection", + "metacenter", + "metacentre", + "vertex", + "part", + "section", + "division", + "beginning", + "middle", + "end", + "high point", + "component", + "constituent", + "element", + "factor", + "ingredient", + "leaven", + "leavening", + "whole", + "unit", + "one", + "compound", + "complex", + "composite", + "hybrid", + "syndrome", + "law", + "natural law", + "divine law", + "dictate", + "fundamentals", + "basics", + "fundamental principle", + "basic principle", + "bedrock", + "logic", + "pleasure principle", + "pleasure-pain principle", + "pleasure-unpleasure principle", + "reality principle", + "insurrectionism", + "principle", + "rudiment", + "first rudiment", + "first principle", + "alphabet", + "ABC", + "ABC's", + "ABCs", + "law", + "law of nature", + "lexicalized concept", + "all-or-none law", + "principle", + "rule", + "Archimedes' principle", + "law of Archimedes", + "Avogadro's law", + "Avogadro's hypothesis", + "Bernoulli's law", + "law of large numbers", + "Benford's law", + "Bose-Einstein statistics", + "Boyle's law", + "Mariotte's law", + "Coulomb's Law", + "Dalton's law", + "Dalton's law of partial pressures", + "law of partial pressures", + "distribution law", + "Maxwell-Boltzmann distribution law", + "Boltzmann distribution law", + "equilibrium law", + "law of chemical equilibrium", + "Fechner's law", + "Weber-Fechner law", + "Fermi-Dirac statistics", + "Gay-Lussac's law", + "Charles's law", + "law of volumes", + "Gestalt law of organization", + "Gestalt principle of organization", + "Henry's law", + "Hooke's law", + "Hubble's law", + "Hubble law", + "Kepler's law", + "Kepler's law of planetary motion", + "Kepler's first law", + "Kepler's second law", + "law of areas", + "law of equal areas", + "Kepler's third law", + "harmonic law", + "Kirchhoff's laws", + "law of averages", + "law of constant proportion", + "law of definite proportions", + "law of diminishing returns", + "law of effect", + "law of equivalent proportions", + "law of reciprocal proportions", + "law of gravitation", + "Newton's law of gravitation", + "law of multiple proportions", + "Dalton's law", + "law of mass action", + "law of thermodynamics", + "second law of thermodynamics", + "third law of thermodynamics", + "zeroth law of thermodynamics", + "Le Chatelier's principle", + "Le Chatelier's law", + "Le Chatelier principle", + "Le Chatelier-Braun principle", + "Gresham's Law", + "Mendel's law", + "law of segregation", + "law of independent assortment", + "mass-energy equivalence", + "Naegele's rule", + "Newton's law of motion", + "Newton's law", + "law of motion", + "first law of motion", + "Newton's first law of motion", + "Newton's first law", + "second law of motion", + "Newton's second law of motion", + "Newton's second law", + "third law of motion", + "Newton's third law of motion", + "Newton's third law", + "law of action and reaction", + "Ohm's law", + "Pascal's law", + "Pascal's law of fluid pressures", + "Pauli exclusion principle", + "exclusion principle", + "periodic law", + "Mendeleev's law", + "Planck's law", + "Planck's radiation law", + "big-bang theory", + "big bang theory", + "nebular hypothesis", + "planetesimal hypothesis", + "steady state theory", + "continuous creation theory", + "hypothesis", + "possibility", + "theory", + "hypothetical", + "gemmule", + "fact", + "mean sun", + "model", + "theoretical account", + "framework", + "Copernican system", + "Ptolemaic system", + "M-theory", + "string theory", + "audit program", + "audit programme", + "outline", + "schema", + "scheme", + "speculation", + "conjecture", + "assumption", + "supposition", + "supposal", + "prerequisite", + "requirement", + "requirement", + "demand", + "precondition", + "academic requirement", + "language requirement", + "essential condition", + "sine qua non", + "given", + "presumption", + "precondition", + "basic assumption", + "constatation", + "self-evident truth", + "misconception", + "fallacy", + "false belief", + "logical fallacy", + "hysteron proteron", + "ignoratio elenchi", + "pathetic fallacy", + "petitio principii", + "petitio", + "post hoc", + "post hoc ergo propter hoc", + "sophism", + "sophistry", + "sophistication", + "paralogism", + "error", + "erroneous belief", + "self-deception", + "self-deceit", + "mistake", + "misunderstanding", + "misapprehension", + "illusion", + "fantasy", + "phantasy", + "fancy", + "bubble", + "will-o'-the-wisp", + "ignis fatuus", + "wishful thinking", + "delusion", + "hallucination", + "autism", + "infantile autism", + "apparition", + "phantom", + "phantasm", + "phantasma", + "fantasm", + "shadow", + "unidentified flying object", + "UFO", + "flying saucer", + "Flying Dutchman", + "ghost", + "shade", + "spook", + "wraith", + "specter", + "spectre", + "disorientation", + "freak out", + "plan", + "program", + "programme", + "program", + "programme", + "master plan", + "Apollo program", + "Gemini program", + "Mercury program", + "defense program", + "defense policy", + "defence program", + "defence policy", + "educational program", + "rehabilitation program", + "space program", + "Superfund program", + "Superfund", + "vocational rehabilitation program", + "tax program", + "tax policy", + "policy", + "activism", + "beggar-my-neighbor policy", + "beggar-my-neighbour policy", + "beggar-my-neighbor strategy", + "beggar-my-neighbour strategy", + "blueprint", + "design", + "pattern", + "plan of action", + "battle plan", + "system", + "credit system", + "legal system", + "bail", + "jury system", + "patent system", + "tax system", + "voting system", + "electoral system", + "uninominal system", + "uninominal voting system", + "single-member system", + "scrutin uninomial system", + "scrutin uninominal voting system", + "list system", + "scrutin de liste", + "scrutin de liste system", + "pricing system", + "promotion system", + "tactic", + "tactics", + "maneuver", + "manoeuvre", + "scheme", + "strategy", + "travel plan", + "itinerary", + "contrivance", + "stratagem", + "dodge", + "plant", + "pump-and-dump scheme", + "wangle", + "wangling", + "counterterrorism", + "game plan", + "game plan", + "house of cards", + "bubble", + "playbook", + "plot", + "secret plan", + "game", + "pyramid scheme", + "counterplot", + "counterplan", + "intrigue", + "machination", + "priestcraft", + "conspiracy", + "cabal", + "Gunpowder Plot", + "waiting game", + "wheeze", + "regimen", + "regime", + "academic program", + "training program", + "biofeedback", + "preemployment training program", + "project", + "projection", + "moneymaker", + "money-spinner", + "cash cow", + "vocational program", + "works program", + "agenda", + "docket", + "schedule", + "menu", + "fare", + "pension plan", + "pension account", + "retirement plan", + "retirement savings plan", + "retirement savings account", + "retirement account", + "retirement program", + "401-k plan", + "401-k", + "individual retirement account", + "IRA", + "Keogh plan", + "employee savings plan", + "road map", + "guideline", + "stock purchase plan", + "employee stock ownership plan", + "ESOP", + "figment", + "generalization", + "generalisation", + "generality", + "principle", + "rule", + "pillar", + "pillar of Islam", + "shahadah", + "salat", + "salaat", + "salah", + "salaah", + "sawm", + "zakat", + "hajj", + "haj", + "hadj", + "yang", + "yin", + "feng shui", + "suggestion", + "inkling", + "intimation", + "glimmering", + "glimmer", + "posthypnotic suggestion", + "impression", + "feeling", + "belief", + "notion", + "opinion", + "presence", + "reaction", + "effect", + "first blush", + "sound effect", + "special effect", + "stage effect", + "theorem", + "Bayes' theorem", + "Bayes' postulate", + "intuition", + "hunch", + "suspicion", + "heart", + "bosom", + "prescience", + "prevision", + "notion", + "whim", + "whimsy", + "whimsey", + "meaning", + "substance", + "burden", + "theme", + "motif", + "topos", + "semantics", + "significance", + "import", + "implication", + "kernel", + "substance", + "core", + "center", + "centre", + "essence", + "gist", + "heart", + "heart and soul", + "inwardness", + "marrow", + "meat", + "nub", + "pith", + "sum", + "nitty-gritty", + "bare bones", + "hypostasis", + "quiddity", + "haecceity", + "quintessence", + "stuff", + "tenor", + "strain", + "drift", + "purport", + "undertone", + "undercurrent", + "reference", + "denotation", + "extension", + "reference", + "connotation", + "ideal", + "value", + "introject", + "idealization", + "idealisation", + "paragon", + "idol", + "perfection", + "beau ideal", + "gold standard", + "criterion", + "standard", + "design criteria", + "exemplar", + "example", + "model", + "good example", + "beauty", + "beaut", + "ego ideal", + "keynote", + "kink", + "wisdom", + "reconditeness", + "abstruseness", + "abstrusity", + "profoundness", + "profundity", + "representation", + "mental representation", + "internal representation", + "instantiation", + "antitype", + "stereotype", + "schema", + "scheme", + "image", + "mental image", + "imagination image", + "thought-image", + "interpretation", + "reading", + "version", + "reinterpretation", + "phantasmagoria", + "character", + "role", + "theatrical role", + "part", + "persona", + "bit part", + "minor role", + "soubrette", + "heavy", + "hero", + "ingenue", + "title role", + "name part", + "psychosexuality", + "percept", + "perception", + "perceptual experience", + "figure", + "ground", + "form", + "shape", + "pattern", + "fractal", + "gestalt", + "grid", + "Amsler grid", + "kaleidoscope", + "mosaic", + "strand", + "sonata form", + "visual percept", + "visual image", + "eye candy", + "field", + "field of view", + "sight", + "view", + "aspect", + "prospect", + "scene", + "vista", + "panorama", + "visual field", + "field of vision", + "field of regard", + "background", + "ground", + "coast", + "exposure", + "foreground", + "glimpse", + "middle distance", + "side view", + "tableau", + "microscopic field", + "operative field", + "memory", + "recollection", + "engram", + "memory trace", + "confabulation", + "screen memory", + "memory image", + "memory picture", + "afterimage", + "aftersensation", + "aftertaste", + "visual image", + "visualization", + "visualisation", + "fusion", + "optical fusion", + "mental picture", + "picture", + "impression", + "auditory image", + "model", + "example", + "lodestar", + "loadstar", + "prototype", + "paradigm", + "epitome", + "image", + "concentrate", + "imago", + "type specimen", + "holotype", + "microcosm", + "original", + "archetype", + "pilot", + "pacesetter", + "pacemaker", + "pattern", + "template", + "templet", + "guide", + "prefiguration", + "prodigy", + "appearance", + "illusion", + "semblance", + "irradiation", + "three-D", + "3-D", + "3D", + "phantom limb", + "mirage", + "front", + "blur", + "fuzz", + "unsoundness", + "abstractionism", + "unrealism", + "concretism", + "concrete representation", + "shape", + "embodiment", + "belief", + "apophatism", + "cataphatism", + "doctrine of analogy", + "analogy", + "conviction", + "strong belief", + "article of faith", + "faith", + "trust", + "doctrine", + "philosophy", + "philosophical system", + "school of thought", + "ism", + "philosophy", + "expectation", + "outlook", + "prospect", + "fetishism", + "fetichism", + "geneticism", + "meliorism", + "opinion", + "sentiment", + "persuasion", + "view", + "thought", + "autotelism", + "originalism", + "pacifism", + "pacificism", + "predestinarianism", + "religion", + "faith", + "religious belief", + "cult", + "cultus", + "religious cult", + "cult", + "ecclesiasticism", + "mysticism", + "religious mysticism", + "quietism", + "Sufism", + "nature worship", + "revealed religion", + "eyes", + "public opinion", + "popular opinion", + "opinion", + "vox populi", + "preconception", + "prepossession", + "parti pris", + "preconceived opinion", + "preconceived idea", + "preconceived notion", + "taboo", + "tabu", + "irrational hostility", + "pole", + "promise", + "hope", + "rainbow", + "foretaste", + "possibility", + "anticipation", + "expectancy", + "apprehension", + "misgiving", + "revolutionism", + "sacerdotalism", + "spiritualism", + "spiritual world", + "spiritual domain", + "unseen", + "suffragism", + "supernaturalism", + "superstition", + "superstitious notion", + "supremacism", + "theory", + "egoism", + "patchwork", + "hodgepodge", + "jumble", + "theosophy", + "theosophism", + "anthroposophy", + "Kabbalah", + "Kabbala", + "Kabala", + "Cabbalah", + "Cabbala", + "Cabala", + "Qabbalah", + "Qabbala", + "Kabbalism", + "Cabalism", + "thought", + "totemism", + "tribalism", + "values", + "vampirism", + "mainstream", + "principle", + "accounting principle", + "accounting standard", + "chivalry", + "knightliness", + "ethic", + "moral principle", + "value-system", + "value orientation", + "Chartism", + "Hellenism", + "legal principle", + "judicial principle", + "judicial doctrine", + "jus sanguinis", + "jus soli", + "preemption", + "pre-emption", + "relation back", + "relation", + "scruple", + "Golden Rule", + "Athanasian Creed", + "abolitionism", + "absolutism", + "amoralism", + "animalism", + "animism", + "antiestablishmentarianism", + "antiestablishmentism", + "asceticism", + "British empiricism", + "contextualism", + "creationism", + "creation science", + "creed", + "credo", + "divine right", + "divine right of kings", + "dogma", + "dualism", + "dynamism", + "epicureanism", + "establishmentarianism", + "establishmentism", + "ethicism", + "expansionism", + "experimentalism", + "formalism", + "functionalism", + "Girondism", + "gospel", + "gymnosophy", + "imitation", + "mimesis", + "individualism", + "laissez faire", + "individualism", + "rugged individualism", + "internationalism", + "unilateralism", + "one-way street", + "irredentism", + "irridentism", + "literalism", + "majority rule", + "democracy", + "monism", + "multiculturalism", + "nationalism", + "nationalism", + "nihilism", + "pacifism", + "pacificism", + "passivism", + "pluralism", + "populism", + "predestination", + "foreordination", + "preordination", + "predetermination", + "presentism", + "election", + "rationalism", + "freethinking", + "reformism", + "humanism", + "secular humanism", + "humanitarianism", + "humanism", + "egalitarianism", + "equalitarianism", + "feminism", + "juju", + "magic", + "thaumaturgy", + "mojo", + "occultism", + "occultism", + "reincarnationism", + "secessionism", + "secularism", + "aesthetic", + "esthetic", + "Aristotelianism", + "peripateticism", + "conceptualism", + "Confucianism", + "deconstruction", + "deconstructionism", + "empiricism", + "empiricist philosophy", + "sensationalism", + "environmentalism", + "existentialism", + "existential philosophy", + "existentialist philosophy", + "determinism", + "fatalism", + "formalism", + "hereditarianism", + "idealism", + "intuitionism", + "logicism", + "materialism", + "physicalism", + "mechanism", + "mentalism", + "nativism", + "naturalism", + "Neoplatonism", + "nominalism", + "operationalism", + "Platonism", + "realism", + "pragmatism", + "instrumentalism", + "probabilism", + "rationalism", + "realism", + "naive realism", + "relativism", + "Scholasticism", + "semiotics", + "semiology", + "sensualism", + "sensationalism", + "solipsism", + "spiritualism", + "Stoicism", + "subjectivism", + "Taoism", + "Daoism", + "teleology", + "traditionalism", + "vitalism", + "conjuring", + "conjuration", + "conjury", + "invocation", + "old wives' tale", + "exorcism", + "dispossession", + "evocation", + "summoning", + "sorcery", + "black magic", + "black art", + "necromancy", + "theurgy", + "witchcraft", + "witchery", + "enchantment", + "bewitchment", + "diabolism", + "demonism", + "Satanism", + "white magic", + "unbelief", + "disbelief", + "agnosticism", + "skepticism", + "scepticism", + "atheism", + "heresy", + "unorthodoxy", + "iconoclasm", + "goal", + "end", + "aim", + "object", + "objective", + "target", + "bourn", + "bourne", + "end-all", + "destination", + "terminus", + "grail", + "no-goal", + "purpose", + "intent", + "intention", + "aim", + "design", + "intention", + "mind", + "idea", + "cross-purpose", + "final cause", + "sake", + "view", + "will", + "business", + "occasions", + "point", + "thing", + "education", + "experience", + "acculturation", + "culture", + "meme", + "lore", + "traditional knowledge", + "folklore", + "eruditeness", + "erudition", + "learnedness", + "learning", + "scholarship", + "encyclopedism", + "encyclopaedism", + "letters", + "enlightenment", + "foundation", + "grounding", + "centralism", + "containment", + "moderationism", + "obscurantism", + "Thatcherism", + "ultramontanism", + "edification", + "sophistication", + "satori", + "disenchantment", + "disillusion", + "disillusionment", + "ignorance", + "dark", + "darkness", + "ignorantness", + "nescience", + "unknowing", + "unknowingness", + "inexperience", + "rawness", + "unenlightenment", + "illiteracy", + "theory", + "theory of gravitation", + "theory of gravity", + "gravitational theory", + "Newton's theory of gravitation", + "principle of relativity", + "Occam's Razor", + "Ockham's Razor", + "principle of parsimony", + "law of parsimony", + "principle of equivalence", + "principle of liquid displacement", + "principle of superposition", + "Huygens' principle of superposition", + "principle of superposition", + "superposition principle", + "superposition", + "mass-action principle", + "mass action", + "localization of function", + "localisation of function", + "localization principle", + "localisation principle", + "localization", + "localisation", + "lateralization", + "lateralisation", + "laterality", + "blastogenesis", + "preformation", + "theory of preformation", + "dialectical materialism", + "positivism", + "logical positivism", + "Comtism", + "scientific theory", + "field theory", + "organicism", + "economic theory", + "consumerism", + "Keynesianism", + "liberalism", + "Malthusianism", + "Malthusian theory", + "monetarism", + "Stevens' law", + "power law", + "Stevens' power law", + "Weber's law", + "discipline", + "subject", + "subject area", + "subject field", + "field", + "field of study", + "study", + "bailiwick", + "communications", + "communication theory", + "major", + "region", + "realm", + "frontier", + "genealogy", + "allometry", + "bibliotics", + "ology", + "symbology", + "grey area", + "gray area", + "territory", + "knowledge domain", + "knowledge base", + "domain", + "metaknowledge", + "scientific knowledge", + "science", + "scientific discipline", + "natural science", + "mathematics", + "math", + "maths", + "pure mathematics", + "arithmetic", + "algorism", + "geometry", + "affine geometry", + "elementary geometry", + "parabolic geometry", + "Euclidean geometry", + "Euclid's axiom", + "Euclid's postulate", + "Euclidean axiom", + "Euclid's first axiom", + "Euclid's second axiom", + "Euclid's third axiom", + "Euclid's fourth axiom", + "Euclid's fifth axiom", + "parallel axiom", + "fractal geometry", + "non-Euclidean geometry", + "hyperbolic geometry", + "elliptic geometry", + "Riemannian geometry", + "numerical analysis", + "spherical geometry", + "spherical trigonometry", + "triangulation", + "analytic geometry", + "analytical geometry", + "coordinate geometry", + "axis", + "coordinate axis", + "origin", + "x-axis", + "y-axis", + "z-axis", + "major axis", + "semimajor axis", + "minor axis", + "semiminor axis", + "principal axis", + "optic axis", + "optic axis", + "inertial reference frame", + "inertial frame", + "space-time", + "space-time continuum", + "coordinate", + "co-ordinate", + "Cartesian coordinate", + "dimension", + "abscissa", + "ordinate", + "intercept", + "polar coordinate", + "plane geometry", + "solid geometry", + "projective geometry", + "descriptive geometry", + "trigonometry", + "trig", + "algebra", + "quadratics", + "linear algebra", + "vector algebra", + "decomposition", + "vector decomposition", + "matrix algebra", + "calculus", + "infinitesimal calculus", + "analysis", + "Fourier analysis", + "harmonic analysis", + "differential calculus", + "method of fluxions", + "derived function", + "derivative", + "differential coefficient", + "differential", + "first derivative", + "partial derivative", + "partial", + "integral calculus", + "integral", + "indefinite integral", + "definite integral", + "calculus of variations", + "set theory", + "interval", + "closed interval", + "bounded interval", + "open interval", + "unbounded interval", + "sub-interval", + "group", + "mathematical group", + "subgroup", + "group theory", + "Galois theory", + "Abelian group", + "commutative group", + "topology", + "analysis situs", + "metamathematics", + "applied mathematics", + "applied math", + "linear programming", + "statistics", + "statistical method", + "statistical procedure", + "least squares", + "method of least squares", + "multivariate analysis", + "statistic", + "average", + "norm", + "demographic", + "deviation", + "moment", + "nonparametric statistic", + "distribution free statistic", + "parametric statistic", + "age norm", + "outlier", + "mean deviation", + "mean deviation from the mean", + "mode", + "modal value", + "median", + "median value", + "mean", + "mean value", + "arithmetic mean", + "first moment", + "expectation", + "expected value", + "geometric mean", + "harmonic mean", + "second moment", + "variance", + "standard deviation", + "covariance", + "frequency distribution", + "normal distribution", + "Gaussian distribution", + "Poisson distribution", + "normal curve", + "bell-shaped curve", + "Gaussian curve", + "Gaussian shape", + "population", + "universe", + "subpopulation", + "sample distribution", + "sample", + "sampling", + "random sample", + "stratified sample", + "representative sample", + "proportional sample", + "regression", + "simple regression", + "regression toward the mean", + "statistical regression", + "multiple regression", + "multiple correlation", + "multicollinearity", + "regression analysis", + "regression equation", + "regression of y on x", + "regression coefficient", + "linear regression", + "rectilinear regression", + "curvilinear regression", + "regression line", + "regression curve", + "time series", + "vital statistics", + "correlational analysis", + "correlation matrix", + "factor analysis", + "analysis of variance", + "ANOVA", + "correlation table", + "correlation", + "correlational statistics", + "curvilinear correlation", + "nonlinear correlation", + "skew correlation", + "partial correlation", + "first-order correlation", + "correlation coefficient", + "coefficient of correlation", + "correlation", + "covariation", + "positive correlation", + "direct correlation", + "negative correlation", + "indirect correlation", + "product-moment correlation coefficient", + "Pearson product-moment correlation coefficient", + "multiple correlation coefficient", + "biserial correlation coefficient", + "biserial correlation", + "nonparametric statistics", + "rank-order correlation coefficient", + "rank-order correlation", + "rank-difference correlation coefficient", + "rank-difference correlation", + "Kendall test", + "Kendall partial rank correlation", + "coefficient of concordance", + "tau coefficient of correlation", + "Kendall's tau", + "Kendall rank correlation", + "phi coefficient", + "phi correlation", + "fourfold point correlation", + "split-half correlation", + "chance-half correlation", + "tetrachoric correlation coefficient", + "tetrachoric correlation", + "spurious correlation", + "binomial", + "binomial distribution", + "Bernoulli distribution", + "binomial theorem", + "probability theory", + "theory of probability", + "life science", + "bioscience", + "biology", + "biological science", + "biomedical science", + "biometrics", + "biometry", + "biostatistics", + "craniology", + "dermatoglyphics", + "dietetics", + "macrobiotics", + "eugenics", + "dysgenics", + "cacogenics", + "euthenics", + "medicine", + "medical specialty", + "medical science", + "phrenology", + "aeromedicine", + "aerospace medicine", + "aviation medicine", + "allergology", + "anesthesiology", + "angiology", + "bacteriology", + "biomedicine", + "biomedicine", + "cardiology", + "dentistry", + "dental medicine", + "odontology", + "cosmetic dentistry", + "dental surgery", + "endodontics", + "endodontia", + "exodontics", + "exodontia", + "orthodontics", + "orthodontia", + "orthodonture", + "dental orthopedics", + "dental orthopaedics", + "periodontics", + "periodontia", + "prosthetics", + "prosthodontics", + "prosthodontia", + "dermatology", + "emergency medicine", + "endocrinology", + "epidemiology", + "forensic medicine", + "forensic pathology", + "gastroenterology", + "geriatrics", + "gerontology", + "gynecology", + "gynaecology", + "hematology", + "haematology", + "hygiene", + "hygienics", + "immunology", + "immunochemistry", + "chemoimmunology", + "immunopathology", + "internal medicine", + "general medicine", + "nephrology", + "nuclear medicine", + "neurology", + "clinical neurology", + "neuropsychiatry", + "nosology", + "diagnostics", + "obstetrics", + "OB", + "tocology", + "midwifery", + "fetology", + "foetology", + "perinatology", + "oncology", + "ophthalmology", + "otology", + "pharmacology", + "pharmacological medicine", + "materia medica", + "pharmacy", + "pharmaceutics", + "pharmacokinetics", + "posology", + "psychopharmacology", + "psychiatry", + "psychopathology", + "psychological medicine", + "alienism", + "psychotherapy", + "psychotherapeutics", + "mental hygiene", + "clinical psychology", + "Freudian psychology", + "Jungian psychology", + "anatomy", + "general anatomy", + "clinical anatomy", + "applied anatomy", + "comparative anatomy", + "dental anatomy", + "developmental anatomy", + "functional anatomy", + "physiological anatomy", + "morphophysiology", + "gross anatomy", + "macroscopic anatomy", + "microscopic anatomy", + "neuroanatomy", + "osteology", + "regional anatomy", + "topographic anatomy", + "topology", + "audiology", + "audiometry", + "pathology", + "pediatrics", + "paediatrics", + "pediatric medicine", + "pedology", + "neonatology", + "podiatry", + "chiropody", + "proctology", + "radiology", + "rheumatology", + "rhinolaryngology", + "otorhinolaryngology", + "otolaryngology", + "serology", + "space medicine", + "sports medicine", + "surgery", + "orthopedics", + "orthopaedics", + "therapeutics", + "toxicology", + "thoracic medicine", + "traumatology", + "accident surgery", + "tropical medicine", + "urology", + "urogenital medicine", + "veterinary medicine", + "virology", + "agronomy", + "scientific agriculture", + "agrobiology", + "agrology", + "biogeography", + "botany", + "phytology", + "mycology", + "pomology", + "cryobiology", + "cryonics", + "cytology", + "cytogenetics", + "ecology", + "bionomics", + "environmental science", + "embryology", + "exobiology", + "space biology", + "astrobiology", + "forestry", + "silviculture", + "entomology", + "bugology", + "lepidopterology", + "lepidoptery", + "ethology", + "herpetology", + "ichthyology", + "malacology", + "mammalogy", + "oology", + "ornithology", + "primatology", + "protozoology", + "paleontology", + "palaeontology", + "fossilology", + "paleoanthropology", + "palaeoanthropology", + "human paleontology", + "human palaeontology", + "paleobotany", + "palaeobotany", + "phycology", + "algology", + "pteridology", + "paleodendrology", + "palaeodendrology", + "paleozoology", + "palaeozoology", + "paleomammalogy", + "paleornithology", + "palaeornithology", + "functional genomics", + "structural genomics", + "genetics", + "genetic science", + "genomics", + "proteomics", + "histology", + "microbiology", + "molecular genetics", + "molecular biology", + "morphology", + "neurobiology", + "paleobiology", + "palaeobiology", + "neurology", + "pharmacogenetics", + "teratology", + "biochemistry", + "enzymology", + "zymology", + "zymurgy", + "physiology", + "neurophysiology", + "neuroscience", + "brain science", + "cognitive neuroscience", + "hemodynamics", + "kinesiology", + "myology", + "paleoecology", + "palaeoecology", + "radiobiology", + "sociobiology", + "zoology", + "zoological science", + "chemistry", + "chemical science", + "organic chemistry", + "inorganic chemistry", + "physical chemistry", + "phytochemistry", + "electrochemistry", + "femtochemistry", + "geochemistry", + "photochemistry", + "radiochemistry", + "nuclear chemistry", + "surface chemistry", + "physics", + "natural philosophy", + "physics", + "physical science", + "acoustics", + "astronomy", + "uranology", + "astrodynamics", + "astrometry", + "radio astronomy", + "aeronautics", + "astronautics", + "avionics", + "biophysics", + "celestial mechanics", + "astrophysics", + "selenology", + "solar physics", + "cosmology", + "cosmogony", + "cosmogeny", + "cryogenics", + "cryogeny", + "crystallography", + "electromagnetism", + "electromagnetics", + "electronics", + "electrostatics", + "mechanics", + "nuclear physics", + "atomic physics", + "nucleonics", + "optics", + "catoptrics", + "holography", + "particle physics", + "high-energy physics", + "high energy physics", + "plasma physics", + "quantum physics", + "quasiparticle", + "rheology", + "atomism", + "atomic theory", + "atomist theory", + "atomistic theory", + "holism", + "holistic theory", + "atomic theory", + "Bohr theory", + "Rutherford atom", + "conservation", + "conservation of charge", + "conservation of electricity", + "conservation of energy", + "law of conservation of energy", + "first law of thermodynamics", + "conservation of mass", + "conservation of matter", + "law of conservation of mass", + "law of conservation of matter", + "conservation of momentum", + "parity", + "conservation of parity", + "space-reflection symmetry", + "mirror symmetry", + "cell theory", + "cell doctrine", + "wave theory", + "undulatory theory", + "wave theory of light", + "corpuscular theory", + "corpuscular theory of light", + "kinetic theory", + "kinetic theory of gases", + "relativity", + "theory of relativity", + "relativity theory", + "Einstein's theory of relativity", + "general relativity", + "general theory of relativity", + "general relativity theory", + "Einstein's general theory of relativity", + "special relativity", + "special theory of relativity", + "special relativity theory", + "Einstein's special theory of relativity", + "supersymmetry", + "quantum theory", + "wave mechanics", + "uncertainty principle", + "indeterminacy principle", + "kinetic theory of heat", + "germ theory", + "information theory", + "theory of dissociation", + "theory of electrolytic dissociation", + "Arrhenius theory of dissociation", + "theory of evolution", + "theory of organic evolution", + "evolutionism", + "theory of indicators", + "Ostwald's theory of indicators", + "theory of inheritance", + "Mendelism", + "Mendelianism", + "Darwinism", + "neo-Darwinism", + "Lamarckism", + "Neo-Lamarckism", + "thermochemistry", + "punctuated equilibrium", + "theory of punctuated equilibrium", + "harmonics", + "classical mechanics", + "Newtonian mechanics", + "solid-state physics", + "statistical mechanics", + "quantum mechanics", + "quantum field theory", + "quantum electrodynamics", + "QED", + "quantum chromodynamics", + "QCD", + "fluid mechanics", + "hydraulics", + "pneumatics", + "statics", + "hydrostatics", + "dynamics", + "kinetics", + "kinematics", + "hydrodynamics", + "hydrokinetics", + "magnetohydrodynamics", + "ballistics", + "aeromechanics", + "aerodynamics", + "thermodynamics", + "thermostatics", + "thermodynamics of equilibrium", + "electron optics", + "microelectronics", + "thermionics", + "earth science", + "geology", + "hypsography", + "paleogeology", + "palaeogeology", + "geophysics", + "geophysical science", + "morphology", + "geomorphology", + "orology", + "orography", + "stratigraphy", + "tectonics", + "plate tectonics", + "plate tectonic theory", + "meteorology", + "aerology", + "climatology", + "bioclimatology", + "nephology", + "hydrology", + "oceanography", + "oceanology", + "hydrography", + "limnology", + "seismology", + "volcanology", + "vulcanology", + "magnetism", + "magnetics", + "geodesy", + "mineralogy", + "petrology", + "lithology", + "speleology", + "spelaeology", + "petroleum geology", + "economic geology", + "mining geology", + "geography", + "geographics", + "physical geography", + "physiography", + "topography", + "topology", + "economic geography", + "cosmography", + "architecture", + "architectonics", + "tectonics", + "landscape architecture", + "urban planning", + "interior design", + "engineering", + "engineering science", + "applied science", + "technology", + "metallurgy", + "powder metallurgy", + "aeronautical engineering", + "bionics", + "biotechnology", + "bioengineering", + "ergonomics", + "biotechnology", + "biotech", + "bioremediation", + "genetic engineering", + "gene-splicing", + "recombinant DNA technology", + "chemical engineering", + "civil engineering", + "hydraulic engineering", + "electrical engineering", + "EE", + "telecommunication", + "computer science", + "computing", + "object", + "logic", + "artificial intelligence", + "AI", + "machine translation", + "MT", + "robotics", + "animatronics", + "telerobotics", + "architectural engineering", + "industrial engineering", + "industrial management", + "information technology", + "IT", + "mechanical engineering", + "nanotechnology", + "tribology", + "nuclear engineering", + "naval engineering", + "rocketry", + "metrology", + "nutrition", + "futurology", + "futuristics", + "psychology", + "psychological science", + "abnormal psychology", + "psychopathology", + "associationism", + "association theory", + "atomism", + "applied psychology", + "industrial psychology", + "cognitive psychology", + "comparative psychology", + "animal psychology", + "developmental psychology", + "genetic psychology", + "child psychology", + "differential psychology", + "experimental psychology", + "psychonomics", + "psychophysics", + "behaviorism", + "behaviourism", + "behavioristic psychology", + "behaviouristic psychology", + "functionalism", + "memory", + "problem solving", + "psycholinguistics", + "physiological psychology", + "neuropsychology", + "psychophysiology", + "psychometry", + "psychometrics", + "psychometrika", + "reflexology", + "Gestalt psychology", + "configurationism", + "social psychology", + "psychodynamics", + "group dynamics", + "information science", + "informatics", + "information processing", + "IP", + "natural language processing", + "NLP", + "human language technology", + "cybernetics", + "cognitive science", + "social science", + "civics", + "anthropology", + "archeology", + "archaeology", + "Assyriology", + "Egyptology", + "Sumerology", + "micropaleontology", + "marine archeology", + "marine archaeology", + "underwater archeology", + "underwater archaeology", + "paleoclimatology", + "palaeoclimatology", + "paleogeography", + "palaeogeography", + "paleography", + "paleopathology", + "palaeopathology", + "paletiology", + "palaetiology", + "epigraphy", + "paleology", + "palaeology", + "protohistory", + "protoanthropology", + "protoarcheology", + "protoarchaeology", + "ethnography", + "descriptive anthropology", + "paleoethnography", + "palaeoethnography", + "ethnology", + "physical anthropology", + "craniometry", + "social anthropology", + "cultural anthropology", + "garbology", + "mythology", + "ritualism", + "politics", + "political science", + "government", + "geopolitics", + "geostrategy", + "realpolitik", + "practical politics", + "politics", + "political sympathies", + "home economics", + "home ec", + "domestic science", + "household arts", + "economics", + "economic science", + "political economy", + "game theory", + "theory of games", + "econometrics", + "finance", + "macroeconomics", + "microeconomics", + "supply-side economics", + "proxemics", + "sociology", + "criminology", + "demography", + "human ecology", + "psephology", + "penology", + "poenology", + "sociometry", + "strategics", + "systematics", + "biosystematics", + "biosystematy", + "taxonomy", + "cladistics", + "cladistic analysis", + "thanatology", + "humanistic discipline", + "humanities", + "liberal arts", + "arts", + "neoclassicism", + "classicism", + "classicalism", + "Romanticism", + "Romantic Movement", + "English", + "history", + "historicism", + "art history", + "iconology", + "chronology", + "glottochronology", + "history", + "fine arts", + "beaux arts", + "performing arts", + "Occidentalism", + "Orientalism", + "Oriental Studies", + "philosophy", + "ethics", + "moral philosophy", + "bioethics", + "neuroethics", + "casuistry", + "casuistry", + "eudemonism", + "endaemonism", + "hedonism", + "probabilism", + "etiology", + "aetiology", + "aesthetics", + "esthetics", + "axiology", + "jurisprudence", + "law", + "legal philosophy", + "contract law", + "corporation law", + "matrimonial law", + "patent law", + "metaphysics", + "ontology", + "ontology", + "cosmology", + "dialectics", + "dialectic", + "logic", + "symbolic logic", + "mathematical logic", + "formal logic", + "Boolean logic", + "Boolean algebra", + "propositional logic", + "propositional calculus", + "predicate calculus", + "functional calculus", + "quantification", + "modal logic", + "alethic logic", + "deontic logic", + "epistemic logic", + "doxastic logic", + "fuzzy logic", + "modal logic", + "epistemology", + "methodology", + "methodological analysis", + "phenomenology", + "philosophical doctrine", + "philosophical theory", + "structuralism", + "structural sociology", + "structuralism", + "structural anthropology", + "computational linguistics", + "dialect geography", + "linguistic geography", + "etymology", + "historical linguistics", + "diachronic linguistics", + "diachrony", + "literary study", + "literature", + "lit", + "comparative literature", + "literary criticism", + "lit crit", + "poetics", + "prosody", + "metrics", + "classics", + "rhetoric", + "library science", + "linguistics", + "philology", + "dialectology", + "musicology", + "Sinology", + "stemmatology", + "stemmatics", + "trivium", + "quadrivium", + "cryptanalysis", + "cryptanalytics", + "cryptography", + "cryptology", + "linguistics", + "grammar", + "descriptive grammar", + "prescriptive grammar", + "syntax", + "sentence structure", + "phrase structure", + "syntax", + "generative grammar", + "orthoepy", + "phonetics", + "phonology", + "phonemics", + "morphology", + "sound structure", + "syllable structure", + "word structure", + "affixation", + "morphology", + "inflectional morphology", + "accidence", + "derivational morphology", + "compound morphology", + "morphophonemics", + "lexicology", + "onomastics", + "toponymy", + "toponomy", + "neurolinguistics", + "pragmatics", + "lexicostatistics", + "semantics", + "deixis", + "formal semantics", + "lexical semantics", + "cognitive semantics", + "conceptual semantics", + "semasiology", + "sound law", + "Grimm's law", + "Verner's law", + "sociolinguistics", + "structuralism", + "structural linguistics", + "synchronic linguistics", + "descriptive linguistics", + "prescriptive linguistics", + "theology", + "divinity", + "angelology", + "apologetics", + "ecclesiology", + "eschatology", + "hermeneutics", + "homiletics", + "liturgics", + "liturgiology", + "theodicy", + "theology", + "theological system", + "Christian theology", + "Christology", + "liberation theology", + "natural theology", + "Jesuitism", + "Jesuitry", + "patristics", + "patrology", + "polemics", + "states' rights", + "nullification", + "teaching", + "precept", + "commandment", + "mitzvah", + "mitsvah", + "theological doctrine", + "Christology", + "antinomianism", + "Thomism", + "utilitarianism", + "Arianism", + "Athanasianism", + "Boehmenism", + "Behmenism", + "consubstantiation", + "Episcopalianism", + "Erastianism", + "Byzantinism", + "Caesaropapism", + "Hinayanism", + "Jansenism", + "Mahayanism", + "Marcionism", + "millenarianism", + "millenarism", + "millenniumism", + "chiliasm", + "Monophysitism", + "Monothelitism", + "Nestorianism", + "Pelagianism", + "Quakerism", + "rationalism", + "reincarnation", + "Rosicrucianism", + "soteriology", + "synergism", + "total depravity", + "transcendentalism", + "transcendental philosophy", + "transubstantiation", + "universalism", + "vertebrate paleontology", + "Virgin Birth", + "Nativity", + "attitude", + "mental attitude", + "credence", + "acceptance", + "fatalism", + "recognition", + "culture", + "cyberculture", + "Kalashnikov culture", + "mosaic culture", + "defensive", + "defensive attitude", + "hardball", + "high horse", + "southernism", + "mentality", + "outlook", + "mindset", + "mind-set", + "paternalism", + "position", + "stance", + "posture", + "hard line", + "inclination", + "disposition", + "tendency", + "direction", + "tenor", + "drift", + "trend", + "movement", + "evolutionary trend", + "neoteny", + "gravitation", + "Call", + "denominationalism", + "devices", + "sympathy", + "understanding", + "favoritism", + "favouritism", + "proclivity", + "propensity", + "leaning", + "bent", + "set", + "literalism", + "perseveration", + "predisposition", + "predilection", + "preference", + "orientation", + "favor", + "favour", + "disfavor", + "disfavour", + "dislike", + "disapproval", + "doghouse", + "reprobation", + "partiality", + "partisanship", + "anthropocentrism", + "anthropocentricity", + "ethnocentrism", + "Eurocentrism", + "bias", + "prejudice", + "preconception", + "tilt", + "sectionalism", + "provincialism", + "localism", + "unfairness", + "impartiality", + "nonpartisanship", + "disinterestedness", + "fairness", + "fair-mindedness", + "candor", + "candour", + "experimenter bias", + "homophobia", + "Islamophobia", + "racism", + "anti-Semitism", + "antisemitism", + "white supremacy", + "tendentiousness", + "tolerance", + "broad-mindedness", + "liberality", + "liberalness", + "disinterest", + "neutrality", + "intolerance", + "narrow-mindedness", + "narrowness", + "parochialism", + "pettiness", + "provincialism", + "sectarianism", + "denominationalism", + "bigotry", + "dogmatism", + "fanaticism", + "fanatism", + "zealotry", + "religionism", + "zero tolerance", + "respect", + "esteem", + "regard", + "estimate", + "estimation", + "reputation", + "report", + "disrespect", + "reverence", + "irreverence", + "profaneness", + "orientation", + "wavelength", + "experimentalism", + "reorientation", + "position", + "view", + "perspective", + "bird's eye view", + "panoramic view", + "futurism", + "vanguard", + "forefront", + "cutting edge", + "cityscape", + "landscape", + "paradigm", + "point of view", + "viewpoint", + "stand", + "standpoint", + "light", + "sight", + "slant", + "angle", + "complexion", + "Weltanschauung", + "world view", + "clockwork universe", + "straddle", + "orthodoxy", + "conformity", + "conformism", + "conventionality", + "legalism", + "unorthodoxy", + "heterodoxy", + "heresy", + "nonconformity", + "nonconformism", + "nonconformance", + "political orientation", + "ideology", + "political theory", + "absolutism", + "totalitarianism", + "totalism", + "anarchism", + "autocracy", + "Machiavellianism", + "centrism", + "moderatism", + "collectivism", + "communism", + "Castroism", + "Leninism", + "Marxism-Leninism", + "Maoism", + "Marxism", + "Trotskyism", + "conservatism", + "conservativism", + "neoconservatism", + "reaction", + "segregationism", + "constitutionalism", + "democracy", + "social democracy", + "domino theory", + "elitism", + "extremism", + "fascism", + "federalism", + "imperialism", + "leftism", + "liberalism", + "meritocracy", + "neoliberalism", + "libertarianism", + "monarchism", + "Negritude", + "Orleanism", + "progressivism", + "radicalism", + "Jacobinism", + "reactionism", + "republicanism", + "rightism", + "socialism", + "Fabianism", + "guild socialism", + "utopian socialism", + "theocracy", + "Utopianism", + "dovishness", + "peace advocacy", + "hawkishness", + "militarism", + "warmongering", + "war advocacy", + "religious orientation", + "agnosticism", + "Docetism", + "Gnosticism", + "Mandaeanism", + "Mandeanism", + "atheism", + "godlessness", + "theism", + "deism", + "free thought", + "monotheism", + "polytheism", + "tritheism", + "paganism", + "pagan religion", + "heathenism", + "druidism", + "pantheism", + "pantheism", + "cargo cult", + "macumba", + "obeah", + "obi", + "Rastafarianism", + "Christianity", + "Christian religion", + "Adventism", + "Second Adventism", + "Seventh-Day Adventism", + "Catholicism", + "Catholicity", + "anti-Catholicism", + "Romanism", + "Roman Catholicism", + "papism", + "Albigensianism", + "Catharism", + "Donatism", + "Eastern Catholicism", + "Protestantism", + "Anglicanism", + "Anglo-Catholicism", + "High Anglicanism", + "Tractarianism", + "Puseyism", + "Arminianism", + "Calvinism", + "Christian Science", + "Lutheranism", + "Unitarianism", + "Trinitarianism", + "Congregationalism", + "Mennonitism", + "evangelicalism", + "revivalism", + "fundamentalism", + "Methodism", + "Wesleyanism", + "Wesleyism", + "Anabaptism", + "Baptistic doctrine", + "Mormonism", + "pentecostalism", + "Presbyterianism", + "Puritanism", + "Judaism", + "Orthodox Judaism", + "Hasidism", + "Hassidism", + "Chasidism", + "Chassidism", + "Chabad", + "Chabad Hasidism", + "Conservative Judaism", + "Reform Judaism", + "Islam", + "Islamism", + "Mohammedanism", + "Muhammadanism", + "Muslimism", + "Mahdism", + "Salafism", + "Salafi movement", + "Shiism", + "Ismailism", + "Wahhabism", + "Wahabism", + "Hinduism", + "Hindooism", + "Brahmanism", + "Brahminism", + "Darsana", + "Mimamsa", + "Vedanta", + "Krishnaism", + "Shivaism", + "Sivaism", + "Shaktism", + "Saktism", + "Vaishnavism", + "Vaisnavism", + "Vishnuism", + "yoga", + "Jainism", + "Sikhism", + "Buddhism", + "Mahayana", + "Mahayana Buddhism", + "Theravada", + "Theravada Buddhism", + "Hinayana", + "Hinayana Buddhism", + "Lamaism", + "Tibetan Buddhism", + "Zen", + "Zen Buddhism", + "Shingon", + "Tantra", + "Tantrism", + "Yogacara", + "Tao", + "Taoism", + "Hsuan Chiao", + "Shinto", + "Shintoism", + "Manichaeism", + "Manichaeanism", + "Mithraism", + "Mithraicism", + "Zoroastrianism", + "Mazdaism", + "Parsiism", + "Parseeism", + "Bahaism", + "shamanism", + "Asian shamanism", + "shamanism", + "Vedism", + "Wicca", + "obiism", + "voodoo", + "vodoun", + "voodooism", + "hoodooism", + "amateurism", + "anagoge", + "dynamical system", + "chaos", + "condensation", + "level", + "layer", + "stratum", + "transference", + "countertransference", + "restraint", + "floodgate", + "military science", + "escapology", + "graphology", + "numerology", + "protology", + "theogony", + "tactics", + "strategy", + "closure", + "law of closure", + "common fate", + "law of common fate", + "descriptivism", + "descriptivism", + "good continuation", + "continuation", + "law of continuation", + "prescriptivism", + "prescriptivism", + "proximity", + "law of proximity", + "similarity", + "law of similarity", + "wrinkle", + "wrinkle", + "Zurvanism", + "transmission", + "communication", + "communicating", + "intercommunication", + "conveyance", + "imparting", + "impartation", + "dissemination", + "airing", + "public exposure", + "spreading", + "circulation", + "propagation", + "extension", + "message", + "broadcast", + "cipher", + "cypher", + "heliogram", + "medium", + "medium", + "ether", + "aether", + "vehicle", + "air", + "airwave", + "paper", + "sheet", + "piece of paper", + "sheet of paper", + "signature", + "leaf", + "folio", + "flyleaf", + "interleaf", + "page", + "tear sheet", + "full page", + "half page", + "recto", + "verso", + "title page", + "half title", + "bastard title", + "sports page", + "spread", + "spread head", + "spreadhead", + "facing pages", + "center spread", + "centre spread", + "centerfold", + "centrefold", + "foldout", + "gatefold", + "pagination", + "folio", + "page number", + "paging", + "stationery", + "letter paper", + "letterhead", + "notepaper", + "Post-It", + "foolscap", + "style sheet", + "worksheet", + "channel", + "transmission channel", + "channel", + "communication channel", + "line", + "band", + "frequency band", + "waveband", + "back channel", + "lens", + "liaison", + "link", + "contact", + "inter-group communication", + "channels", + "medium", + "mass medium", + "multimedia", + "multimedia system", + "hypermedia", + "hypermedia system", + "interactive multimedia", + "interactive multimedia system", + "hypertext", + "film", + "cinema", + "celluloid", + "silver screen", + "gutter press", + "free press", + "press", + "public press", + "print media", + "storage medium", + "data-storage medium", + "magnetic storage medium", + "magnetic medium", + "magnetic storage", + "broadcast medium", + "broadcasting", + "mail", + "mail service", + "postal service", + "post", + "airmail", + "airpost", + "snail mail", + "rural free delivery", + "RFD", + "first class", + "1st class", + "first-class mail", + "1st-class mail", + "express", + "express mail", + "poste restante", + "pony express", + "parcel post", + "bulk mail", + "direct mail", + "journalism", + "news media", + "Fleet Street", + "photojournalism", + "news photography", + "rotogravure", + "newspaper", + "paper", + "daily", + "gazette", + "school newspaper", + "school paper", + "tabloid", + "rag", + "sheet", + "yellow journalism", + "tabloid", + "tab", + "article", + "column", + "column", + "editorial", + "newspaper column", + "feature", + "feature article", + "magazine article", + "news article", + "news story", + "newspaper article", + "piece", + "morceau", + "offprint", + "reprint", + "separate", + "paper", + "think piece", + "reissue", + "reprint", + "reprinting", + "new edition", + "article of faith", + "credendum", + "lead", + "lead-in", + "lede", + "opening line", + "lead", + "lead story", + "personal", + "sidebar", + "agony column", + "samizdat", + "underground press", + "telecommunication", + "telecom", + "telephone", + "telephony", + "voice mail", + "voicemail", + "call", + "phone call", + "telephone call", + "call-back", + "collect call", + "call forwarding", + "call-in", + "call waiting", + "crank call", + "local call", + "long distance", + "long-distance call", + "trunk call", + "toll call", + "conference call", + "wake-up call", + "three-way calling", + "telegraphy", + "cable", + "cablegram", + "overseas telegram", + "letter telegram", + "wireless", + "radiotelegraph", + "radiotelegraphy", + "wireless telegraphy", + "mail", + "third-class mail", + "third class", + "junk mail", + "phone message", + "telephone message", + "radiogram", + "radiotelephone", + "radiotelephony", + "wireless telephone", + "broadcasting", + "Rediffusion", + "multiplex", + "radio", + "radiocommunication", + "wireless", + "television", + "telecasting", + "TV", + "video", + "video", + "picture", + "video", + "audio", + "sound", + "cable television", + "cable", + "high-definition television", + "HDTV", + "electronic communication", + "digital communication", + "data communication", + "asynchronous transfer mode", + "ATM", + "electronic mail", + "e-mail", + "email", + "freemail", + "emoticon", + "smiley", + "smoking gun", + "spam", + "junk e-mail", + "messaging", + "electronic messaging", + "prompt", + "command prompt", + "fiber optics", + "fiberoptics", + "fibre optics", + "fibreoptics", + "reception", + "signal detection", + "detection", + "modulation", + "amplitude modulation", + "AM", + "frequency modulation", + "FM", + "phase modulation", + "PM", + "pulse modulation", + "pulse-time modulation", + "demodulation", + "contagion", + "infection", + "language", + "linguistic communication", + "usage", + "dead language", + "words", + "source language", + "object language", + "target language", + "language unit", + "linguistic unit", + "slot", + "discourse", + "context", + "linguistic context", + "context of use", + "sentence", + "simple sentence", + "complex sentence", + "loose sentence", + "periodic sentence", + "compound sentence", + "sentential function", + "word", + "anagram", + "anaphor", + "antonym", + "opposite word", + "opposite", + "back-formation", + "blend", + "portmanteau word", + "portmanteau", + "charade", + "cognate", + "cognate word", + "content word", + "open-class word", + "contraction", + "deictic", + "deictic word", + "derivative", + "diminutive", + "dirty word", + "disyllable", + "dissyllable", + "form", + "word form", + "signifier", + "descriptor", + "four-letter word", + "four-letter Anglo-Saxon word", + "function word", + "closed-class word", + "guide word", + "guideword", + "catchword", + "head", + "head word", + "headword", + "headword", + "head word", + "heteronym", + "holonym", + "whole name", + "homonym", + "hypernym", + "superordinate", + "superordinate word", + "hyponym", + "subordinate", + "subordinate word", + "key word", + "loanblend", + "loan-blend", + "hybrid", + "loanword", + "loan", + "Latinism", + "meronym", + "part name", + "metonym", + "antigram", + "monosyllable", + "monosyllabic word", + "neologism", + "neology", + "coinage", + "nonce word", + "hapax legomenon", + "oxytone", + "palindrome", + "primitive", + "primitive", + "plural", + "plural form", + "singular", + "singular form", + "ghost word", + "root", + "root word", + "base", + "stem", + "theme", + "radical", + "etymon", + "root", + "citation form", + "main entry word", + "entry word", + "lexical entry", + "dictionary entry", + "Beatitude", + "logion", + "calque", + "calque formation", + "loan translation", + "paroxytone", + "partitive", + "polysemant", + "polysemantic word", + "polysemous word", + "polysyllable", + "polysyllabic word", + "proparoxytone", + "quantifier", + "quantifier", + "logical quantifier", + "existential quantifier", + "existential operator", + "universal quantifier", + "reduplication", + "retronym", + "substantive", + "synonym", + "equivalent word", + "term", + "terminology", + "nomenclature", + "language", + "trisyllable", + "troponym", + "manner name", + "vocable", + "spoken word", + "syllable", + "ultima", + "penult", + "penultima", + "penultimate", + "antepenult", + "antepenultima", + "antepenultimate", + "jawbreaker", + "sesquipedalian", + "sesquipedalia", + "reduplication", + "direct antonym", + "indirect antonym", + "lexeme", + "morpheme", + "formative", + "allomorph", + "free morpheme", + "free form", + "bound morpheme", + "bound form", + "combining form", + "affix", + "prefix", + "classifier", + "alpha privative", + "ending", + "termination", + "suffix", + "postfix", + "inflectional ending", + "inflectional suffix", + "infix", + "grammatical category", + "syntactic category", + "substitution class", + "paradigm", + "subject", + "subject", + "object", + "prepositional object", + "object of a preposition", + "direct object", + "object of the verb", + "indirect object", + "retained object", + "case", + "grammatical case", + "nominative", + "nominative case", + "subject case", + "oblique", + "oblique case", + "accusative", + "accusative case", + "objective case", + "dative", + "dative case", + "genitive", + "genitive case", + "possessive", + "possessive case", + "attributive genitive", + "attributive genitive case", + "vocative", + "vocative case", + "ablative", + "ablative case", + "ablative absolute", + "adjunct", + "constituent", + "grammatical constituent", + "immediate constituent", + "syntagma", + "syntagm", + "construction", + "grammatical construction", + "expression", + "misconstruction", + "clause", + "main clause", + "independent clause", + "coordinate clause", + "subordinate clause", + "dependent clause", + "relative clause", + "restrictive clause", + "nonrestrictive clause", + "descriptive clause", + "complement", + "involution", + "parenthetical expression", + "parenthetical", + "phrase", + "predicator", + "noun phrase", + "nominal phrase", + "nominal", + "predicate", + "verb phrase", + "predicate", + "split infinitive", + "prepositional phrase", + "pronominal phrase", + "pronominal", + "part of speech", + "form class", + "word class", + "major form class", + "noun", + "verb", + "gerund", + "auxiliary verb", + "modal auxiliary verb", + "modal auxiliary", + "modal verb", + "modal", + "infinitive", + "adjective", + "adverb", + "noun", + "collective noun", + "mass noun", + "count noun", + "generic noun", + "proper noun", + "proper name", + "common noun", + "verbal noun", + "deverbal noun", + "adnoun", + "verb", + "modifier", + "qualifier", + "intensifier", + "intensive", + "adjective", + "descriptive adjective", + "qualifying adjective", + "relational adjective", + "classifying adjective", + "pertainym", + "positive", + "positive degree", + "comparative", + "comparative degree", + "superlative", + "superlative degree", + "adverb", + "dangling modifier", + "misplaced modifier", + "dangling participle", + "adverbial", + "determiner", + "determinative", + "article", + "definite article", + "indefinite article", + "preposition", + "pronoun", + "anaphoric pronoun", + "demonstrative pronoun", + "demonstrative", + "conjunction", + "conjunctive", + "connective", + "continuative", + "coordinating conjunction", + "subordinating conjunction", + "subordinate conjunction", + "particle", + "number", + "person", + "personal pronoun", + "reciprocal pronoun", + "relative pronoun", + "first person", + "second person", + "third person", + "reflexive pronoun", + "reflexive", + "reflexive verb", + "gender", + "grammatical gender", + "feminine", + "masculine", + "neuter", + "tense", + "present", + "present tense", + "historical present", + "aorist", + "past", + "past tense", + "future", + "future tense", + "participle", + "participial", + "phrasal verb", + "present participle", + "past participle", + "perfect participle", + "transitive verb", + "transitive verb form", + "transitive", + "doubly transitive verb", + "doubly transitive verb form", + "intransitive verb", + "intransitive verb form", + "intransitive", + "semantic role", + "participant role", + "affected role", + "patient role", + "patient", + "agentive role", + "agent", + "benefactive role", + "beneficiary", + "instrumental role", + "instrument", + "locative role", + "locative", + "recipient role", + "recipient", + "resultant role", + "result", + "temporal role", + "temporal", + "name", + "agnomen", + "assumed name", + "fictitious name", + "Doing Business As", + "DBA", + "eponym", + "eponym", + "extension", + "filename extension", + "file name extension", + "filename", + "file name", + "computer filename", + "computer file name", + "patronymic", + "patronym", + "matronymic", + "metronymic", + "street name", + "street name", + "street name", + "street name", + "surname", + "family name", + "cognomen", + "last name", + "maiden name", + "middle name", + "first name", + "given name", + "forename", + "Christian name", + "baptismal name", + "praenomen", + "nickname", + "moniker", + "cognomen", + "sobriquet", + "soubriquet", + "byname", + "nickname", + "alias", + "assumed name", + "false name", + "pseudonym", + "anonym", + "nom de guerre", + "misnomer", + "stage name", + "pen name", + "nom de plume", + "writer's name", + "author's name", + "appellation", + "denomination", + "designation", + "appellative", + "pet name", + "hypocorism", + "title", + "title of respect", + "form of address", + "Aga", + "Agha", + "Defender of the Faith", + "Don", + "Dona", + "Frau", + "Fraulein", + "Hakham", + "Herr", + "Miss", + "Mister", + "Mr", + "Mr.", + "Mrs", + "Mrs.", + "Ms", + "Ms.", + "Rabbi", + "Reverend", + "Senor", + "Senora", + "Senorita", + "Signora", + "Signorina", + "Very Reverend", + "Lordship", + "Ladyship", + "title", + "baronetcy", + "viscountcy", + "title", + "place name", + "toponym", + "heading", + "header", + "head", + "crossheading", + "crosshead", + "headline", + "newspaper headline", + "lemma", + "masthead", + "rubric", + "running head", + "running headline", + "subheading", + "subhead", + "running title", + "dropline", + "drop line", + "stepped line", + "stagger head", + "staggered head", + "stephead", + "screamer", + "streamer", + "banner", + "title", + "statute title", + "rubric", + "title", + "title", + "credit", + "caption", + "legend", + "subtitle", + "mistranslation", + "pony", + "trot", + "crib", + "retroversion", + "subtitle", + "caption", + "supertitle", + "surtitle", + "line of poetry", + "line of verse", + "acatalectic", + "Alexandrine", + "catalectic", + "hypercatalectic", + "by-line", + "credit line", + "dateline", + "written communication", + "written language", + "black and white", + "transcription", + "written text", + "transliteration", + "phonetic transcription", + "shorthand", + "stenography", + "tachygraphy", + "longhand", + "running hand", + "cursive", + "cursive script", + "minuscule", + "copperplate", + "italic", + "round hand", + "orthography", + "writing system", + "script", + "Aramaic", + "Aramaic script", + "Armenian", + "Armenian alphabet", + "Avestan", + "Babylonian", + "Brahmi", + "Devanagari", + "Devanagari script", + "Nagari", + "Nagari script", + "Pahlavi", + "Uighur", + "Uigur", + "Uygur", + "uncial", + "spelling", + "misspelling", + "coding system", + "code", + "access", + "access code", + "back door", + "backdoor", + "area code", + "bar code", + "Universal Product Code", + "color code", + "cryptogram", + "cryptograph", + "secret writing", + "cipher", + "cypher", + "cryptograph", + "secret code", + "Morse", + "Morse code", + "international Morse code", + "ZIP code", + "ZIP", + "postcode", + "postal code", + "code", + "computer code", + "argument", + "parameter", + "address", + "computer address", + "reference", + "American Standard Code for Information Interchange", + "ASCII", + "ASCII character set", + "binary code", + "error correction code", + "ECC", + "cyclic redundancy check", + "firmware", + "microcode", + "machine code", + "machine language", + "object code", + "operation code", + "order code", + "source code", + "URL", + "uniform resource locator", + "universal resource locator", + "web page", + "webpage", + "home page", + "homepage", + "web site", + "website", + "internet site", + "site", + "chat room", + "chatroom", + "portal site", + "portal", + "writing", + "written word", + "bigram", + "trigram", + "tetragram", + "Tetragrammaton", + "picture writing", + "alphabetic writing", + "alphabetic script", + "boustrophedon", + "cuneiform", + "syllabary", + "syllabic script", + "Linear A", + "Linear B", + "ideography", + "hieratic", + "hieratic script", + "hieroglyph", + "hieroglyphic", + "point system", + "braille", + "writing", + "written material", + "piece of writing", + "writing", + "patristics", + "patrology", + "rewrite", + "revision", + "rescript", + "literary composition", + "literary work", + "literature", + "literature", + "historiography", + "matter", + "prescription", + "prescription", + "acrostic", + "belles-lettres", + "belles lettres", + "dialogue", + "dialog", + "allegory", + "euphuism", + "fiction", + "fictionalization", + "fictionalisation", + "nonfiction", + "nonfictional prose", + "dystopia", + "novel", + "detective novel", + "mystery novel", + "dime novel", + "penny dreadful", + "fantasy", + "phantasy", + "science fiction", + "cyberpunk", + "novelette", + "novella", + "roman a clef", + "romance", + "Gothic romance", + "bodice ripper", + "roman fleuve", + "story", + "utopia", + "adventure story", + "heroic tale", + "thriller", + "saga", + "mystery", + "mystery story", + "whodunit", + "detective story", + "murder mystery", + "love story", + "romance", + "legend", + "fable", + "Arthurian legend", + "short story", + "fable", + "parable", + "allegory", + "apologue", + "Aesop's fables", + "Pilgrim's Progress", + "myth", + "Gotterdammerung", + "Ragnarok", + "Twilight of the Gods", + "parable", + "plot", + "action", + "storyline", + "plot line", + "climax", + "culmination", + "anticlimax", + "bathos", + "tearjerker", + "interior monologue", + "stream of consciousness", + "criticism", + "literary criticism", + "explication de texte", + "textual criticism", + "new criticism", + "higher criticism", + "lower criticism", + "Masorah", + "Masora", + "analysis", + "drama", + "prose", + "prose poem", + "polyphonic prose", + "hagiology", + "lucubration", + "pastoral", + "poem", + "verse form", + "abecedarius", + "Alcaic", + "Alcaic verse", + "ballad", + "lay", + "ballade", + "blank verse", + "clerihew", + "couplet", + "dithyramb", + "doggerel", + "doggerel verse", + "jingle", + "eclogue", + "bucolic", + "idyll", + "idyl", + "elegy", + "lament", + "epic poem", + "heroic poem", + "epic", + "epos", + "Aeneid", + "Divine Comedy", + "Divina Commedia", + "free verse", + "vers libre", + "haiku", + "limerick", + "lyric", + "lyric poem", + "rondeau", + "rondel", + "roundel", + "rondelet", + "sonnet", + "tanka", + "terza rima", + "verse", + "rhyme", + "Iliad", + "Odyssey", + "Nibelungenlied", + "chanson de geste", + "rhapsody", + "Petrarchan sonnet", + "Italian sonnet", + "octave", + "sestet", + "Shakespearean sonnet", + "Elizabethan sonnet", + "English sonnet", + "Spenserian sonnet", + "epos", + "ode", + "epithalamium", + "Horatian ode", + "Sapphic ode", + "Pindaric ode", + "Pindaric", + "choral ode", + "canto", + "envoy", + "envoi", + "quatrain", + "elegiac stanza", + "verse", + "verse line", + "iambic", + "Adonic", + "Adonic line", + "versicle", + "sursum corda", + "response", + "closed couplet", + "heroic couplet", + "heroic stanza", + "heroic verse", + "heroic meter", + "heroic", + "mock-heroic", + "Spenserian stanza", + "strophe", + "antistrophe", + "potboiler", + "tushery", + "dictation", + "cookie", + "session cookie", + "precision cookie", + "text", + "textual matter", + "text", + "machine-displayable text", + "machine-readable text", + "typescript", + "erasure", + "margin", + "space", + "blank space", + "place", + "indentation", + "indention", + "indent", + "indenture", + "word order", + "core dump", + "dump", + "fair copy", + "copy", + "written matter", + "front matter", + "prelims", + "back matter", + "end matter", + "draft", + "draft copy", + "electronic text", + "soft copy", + "hard copy", + "installment", + "instalment", + "fascicle", + "fascicule", + "section", + "subdivision", + "above", + "sports section", + "article", + "clause", + "arbitration clause", + "deductible", + "double indemnity", + "escalator clause", + "escalator", + "joker", + "reserve clause", + "rider", + "body", + "book", + "chapter", + "episode", + "spot", + "spot", + "insert", + "introduction", + "exordium", + "narration", + "opening", + "teaser", + "salutation", + "foreword", + "preface", + "prolusion", + "preamble", + "prolegomenon", + "conclusion", + "end", + "close", + "closing", + "ending", + "epilogue", + "epilog", + "epilogue", + "epilog", + "peroration", + "appendix", + "sequel", + "continuation", + "addendum", + "supplement", + "postscript", + "shirttail", + "paragraph", + "passage", + "excerpt", + "excerption", + "extract", + "selection", + "chrestomathy", + "locus classicus", + "place", + "purple passage", + "transition", + "flashback", + "flash-forward", + "diary", + "journal", + "web log", + "blog", + "capitalization", + "capitalisation", + "typing", + "typewriting", + "double-spacing", + "single-spacing", + "triple-spacing", + "touch typing", + "touch system", + "printing", + "handwriting", + "hand", + "script", + "hieroglyph", + "hieroglyphic", + "skywriting", + "calligraphy", + "penmanship", + "chirography", + "scribble", + "scratch", + "scrawl", + "cacography", + "chicken scratch", + "squiggle", + "signature", + "allograph", + "autograph", + "John Hancock", + "countersignature", + "countersign", + "endorsement", + "indorsement", + "blank endorsement", + "endorsement in blank", + "sign manual", + "inscription", + "lettering", + "Rosetta Stone", + "superscription", + "dedication", + "inscription", + "epigraph", + "epitaph", + "epitaph", + "festschrift", + "manuscript", + "ms", + "autograph", + "manuscript", + "holograph", + "codex", + "leaf-book", + "palimpsest", + "scroll", + "roll", + "Dead Sea scrolls", + "Megillah", + "Torah", + "treatise", + "adaptation", + "version", + "modernization", + "dissertation", + "thesis", + "tract", + "pamphlet", + "monograph", + "essay", + "composition", + "paper", + "report", + "theme", + "term paper", + "disquisition", + "memoir", + "thanatopsis", + "review", + "critique", + "critical review", + "review article", + "book review", + "notice", + "book", + "authority", + "curiosa", + "formulary", + "pharmacopeia", + "last word", + "trade book", + "trade edition", + "best seller", + "bestseller", + "bestiary", + "catechism", + "cookbook", + "cookery book", + "instruction book", + "pop-up book", + "pop-up", + "storybook", + "tome", + "volume", + "booklet", + "brochure", + "folder", + "leaflet", + "pamphlet", + "blue book", + "ticket book", + "textbook", + "text", + "text edition", + "schoolbook", + "school text", + "crammer", + "introduction", + "primer", + "reader", + "McGuffey Eclectic Readers", + "speller", + "notebook", + "commonplace book", + "jotter", + "workbook", + "copybook", + "appointment book", + "appointment calendar", + "catalog", + "catalogue", + "phrase book", + "playbook", + "playbook", + "prayer book", + "prayerbook", + "breviary", + "missal", + "Psalter", + "Book of Psalms", + "reference book", + "reference", + "reference work", + "book of facts", + "review copy", + "songbook", + "hymnal", + "hymnbook", + "hymnary", + "prayer wheel", + "source book", + "wordbook", + "dictionary", + "lexicon", + "bilingual dictionary", + "desk dictionary", + "collegiate dictionary", + "etymological dictionary", + "gazetteer", + "learner's dictionary", + "school dictionary", + "pocket dictionary", + "little dictionary", + "spell-checker", + "spelling checker", + "unabridged dictionary", + "unabridged", + "Oxford English Dictionary", + "O.E.D.", + "OED", + "onomasticon", + "vocabulary", + "glossary", + "gloss", + "thesaurus", + "synonym finder", + "word finder", + "wordfinder", + "handbook", + "enchiridion", + "vade mecum", + "hornbook", + "manual", + "consuetudinary", + "consuetudinal", + "grimoire", + "instruction manual", + "instructions", + "book of instructions", + "operating instructions", + "reference manual", + "sex manual", + "bible", + "guidebook", + "guide", + "field guide", + "roadbook", + "baedeker", + "travel guidebook", + "itinerary", + "reckoner", + "ready reckoner", + "directory", + "phonebook", + "phone book", + "telephone book", + "telephone directory", + "ballistic identification", + "ballistic fingerprinting", + "bullet fingerprinting", + "biometric identification", + "biometric authentication", + "identity verification", + "key", + "number", + "identification number", + "business card", + "bank identification number", + "BIN", + "ABA transit number", + "license number", + "registration number", + "Social Security number", + "phone number", + "telephone number", + "number", + "almanac", + "annual", + "yearly", + "yearbook", + "almanac", + "farmer's calendar", + "ephemeris", + "atlas", + "book of maps", + "map collection", + "dialect atlas", + "linguistic atlas", + "encyclopedia", + "cyclopedia", + "encyclopaedia", + "cyclopaedia", + "book of knowledge", + "editing", + "redaction", + "copy editing", + "deletion", + "excision", + "cut", + "correction", + "erasure", + "rewriting", + "revising", + "revision", + "revisal", + "revise", + "rescript", + "rewording", + "recasting", + "rephrasing", + "paraphrase", + "paraphrasis", + "translation", + "sacred text", + "sacred writing", + "religious writing", + "religious text", + "screed", + "scripture", + "sacred scripture", + "canon", + "Adi Granth", + "Granth", + "Granth Sahib", + "Avesta", + "Zend-Avesta", + "Bhagavad-Gita", + "Bhagavadgita", + "Gita", + "Mahabharata", + "Mahabharatam", + "Mahabharatum", + "Bible", + "Christian Bible", + "Book", + "Good Book", + "Holy Scripture", + "Holy Writ", + "Scripture", + "Word of God", + "Word", + "Genesis", + "Book of Genesis", + "Exodus", + "Book of Exodus", + "Leviticus", + "Book of Leviticus", + "Numbers", + "Book of Numbers", + "Deuteronomy", + "Book of Deuteronomy", + "mezuzah", + "mezuza", + "Joshua", + "Josue", + "Book of Joshua", + "Judges", + "Book of Judges", + "Ruth", + "Book of Ruth", + "I Samuel", + "1 Samuel", + "II Samuel", + "2 Samuel", + "I Kings", + "1 Kings", + "II Kings", + "2 Kings", + "Paralipomenon", + "I Chronicles", + "1 Chronicles", + "II Chronicles", + "2 Chronicles", + "Ezra", + "Book of Ezra", + "Nehemiah", + "Book of Nehemiah", + "Esther", + "Book of Esther", + "Job", + "Book of Job", + "Psalms", + "Book of Psalms", + "Proverbs", + "Book of Proverbs", + "Ecclesiastes", + "Book of Ecclesiastes", + "Song of Songs", + "Song of Solomon", + "Canticle of Canticles", + "Canticles", + "Isaiah", + "Book of Isaiah", + "Jeremiah", + "Book of Jeremiah", + "Lamentations", + "Book of Lamentations", + "Ezekiel", + "Ezechiel", + "Book of Ezekiel", + "Daniel", + "Book of Daniel", + "Book of the Prophet Daniel", + "Hosea", + "Book of Hosea", + "Joel", + "Book of Joel", + "Amos", + "Book of Amos", + "Obadiah", + "Abdias", + "Book of Obadiah", + "Jonah", + "Book of Jonah", + "Micah", + "Micheas", + "Book of Micah", + "Nahum", + "Book of Nahum", + "Habakkuk", + "Habacuc", + "Book of Habakkuk", + "Zephaniah", + "Sophonias", + "Book of Zephaniah", + "Haggai", + "Aggeus", + "Book of Haggai", + "Zechariah", + "Zacharias", + "Book of Zachariah", + "Malachi", + "Malachias", + "Book of Malachi", + "Matthew", + "Gospel According to Matthew", + "Mark", + "Gospel According to Mark", + "Luke", + "Gospel of Luke", + "Gospel According to Luke", + "John", + "Gospel According to John", + "Acts of the Apostles", + "Acts", + "Epistle", + "Epistle of Paul the Apostle to the Romans", + "Epistle to the Romans", + "Romans", + "First Epistle of Paul the Apostle to the Corinthians", + "First Epistle to the Corinthians", + "I Corinthians", + "Second Epistle of Paul the Apostle to the Corinthians", + "Second Epistle to the Corinthians", + "II Corinthians", + "Epistle of Paul the Apostle to the Galatians", + "Epistle to the Galatians", + "Galatians", + "Epistle of Paul the Apostle to the Ephesians", + "Epistle to the Ephesians", + "Ephesians", + "Epistle of Paul the Apostle to the Philippians", + "Epistle to the Philippians", + "Philippians", + "Epistle of Paul the Apostle to the Colossians", + "Epistle to the Colossians", + "Colossians", + "First Epistle of Paul the Apostle to the Thessalonians", + "First Epistle to the Thessalonians", + "I Thessalonians", + "Second Epistle of Paul the Apostle to the Thessalonians", + "Second Epistle to the Thessalonians", + "II Thessalonians", + "First Epistle of Paul the Apostle to Timothy", + "First Epistle to Timothy", + "I Timothy", + "Second Epistle of Paul the Apostle to Timothy", + "Second Epistle to Timothy", + "II Timothy", + "Epistle of Paul the Apostle to Titus", + "Epistle to Titus", + "Titus", + "Epistle of Paul the Apostle to Philemon", + "Epistle to Philemon", + "Philemon", + "Epistle to the Hebrews", + "Hebrews", + "Epistle of James", + "James", + "First Epistle of Peter", + "I Peter", + "Second Epistle of Peter", + "II Peter", + "First Epistle of John", + "I John", + "Second Epistel of John", + "II John", + "Third Epistel of John", + "III John", + "Epistle of Jude", + "Jude", + "Revelation", + "Revelation of Saint John the Divine", + "Apocalypse", + "Book of Revelation", + "family Bible", + "Septuagint", + "Vulgate", + "Douay Bible", + "Douay Version", + "Douay-Rheims Bible", + "Douay-Rheims Version", + "Rheims-Douay Bible", + "Rheims-Douay Version", + "Authorized Version", + "King James Version", + "King James Bible", + "Revised Version", + "New English Bible", + "American Standard Version", + "American Revised Version", + "Revised Standard Version", + "Old Testament", + "Torah", + "Pentateuch", + "Laws", + "Torah", + "Tanakh", + "Tanach", + "Hebrew Scripture", + "Prophets", + "Nebiim", + "Haftorah", + "Haftarah", + "Haphtorah", + "Haphtarah", + "Hagiographa", + "Ketubim", + "Writings", + "Testament", + "New Testament", + "Gospel", + "Gospels", + "evangel", + "Synoptic Gospels", + "Synoptics", + "Word of God", + "Book of Mormon", + "prayer", + "Agnus Dei", + "Angelus", + "Ave Maria", + "Hail Mary", + "Canticle of Simeon", + "Nunc dimittis", + "Evening Prayer", + "evensong", + "Kol Nidre", + "service book", + "Book of Common Prayer", + "Litany", + "Lord's Prayer", + "Paternoster", + "Apocrypha", + "Additions to Esther", + "Prayer of Azariah and Song of the Three Children", + "Susanna", + "Book of Susanna", + "Bel and the Dragon", + "Baruch", + "Book of Baruch", + "Letter of Jeremiah", + "Epistle of Jeremiah", + "Tobit", + "Book of Tobit", + "Judith", + "Book of Judith", + "I Esdra", + "1 Esdras", + "II Esdras", + "2 Esdras", + "Ben Sira", + "Sirach", + "Ecclesiasticus", + "Wisdom of Jesus the Son of Sirach", + "Wisdom of Solomon", + "Wisdom", + "I Maccabees", + "1 Maccabees", + "II Maccabees", + "2 Maccabees", + "sapiential book", + "wisdom book", + "wisdom literature", + "Pseudepigrapha", + "Koran", + "Quran", + "al-Qur'an", + "Book", + "sura", + "Fatiha", + "Fatihah", + "Talmudic literature", + "Talmud", + "Gemara", + "Mishna", + "Mishnah", + "Haggadah", + "Haggada", + "Hagada", + "Halakah", + "Halaka", + "Halacha", + "Sanskrit literature", + "Hastinapura", + "Purana", + "Ramayana", + "tantra", + "Vedic literature", + "Veda", + "Samhita", + "Rig-Veda", + "Sama-Veda", + "Atharva-Veda", + "Yajur-Veda", + "Brahmana", + "Aranyaka", + "Vedanga", + "Ayurveda", + "Upanishad", + "mantra", + "psalm", + "Psalm", + "summary", + "sum-up", + "summarization", + "summarisation", + "argument", + "literary argument", + "capitulation", + "compendium", + "condensation", + "abridgement", + "abridgment", + "capsule", + "conspectus", + "curriculum vitae", + "CV", + "resume", + "line score", + "brief", + "apercu", + "epitome", + "outline", + "synopsis", + "abstract", + "precis", + "overview", + "recapitulation", + "recap", + "review", + "roundup", + "sketch", + "survey", + "resume", + "summation", + "summing up", + "rundown", + "document", + "written document", + "papers", + "articles of incorporation", + "ballot", + "brevet", + "capitulation", + "certificate", + "certification", + "credential", + "credentials", + "charter", + "commercial document", + "commercial instrument", + "confession", + "confession", + "Augsburg Confession", + "copula", + "copulative", + "linking verb", + "frequentative", + "copyright", + "right of first publication", + "enclosure", + "inclosure", + "form", + "application form", + "claim form", + "order form", + "questionnaire", + "personality inventory", + "personality assessment", + "self-report personality inventory", + "self-report inventory", + "California Personality Inventory", + "CPI", + "Eysenck Personality Inventory", + "EPI", + "Minnesota Multiphasic Personality Inventory", + "MMPI", + "Sixteen Personality Factor Questionnaire", + "16 PF", + "requisition", + "requisition form", + "tax form", + "telegraph form", + "absentee ballot", + "certificate of incorporation", + "bank charter", + "Magna Carta", + "Magna Charta", + "The Great Charter", + "royal charter", + "card", + "identity card", + "donor card", + "keycard", + "membership card", + "union card", + "library card", + "borrower's card", + "ration card", + "birth certificate", + "diploma", + "sheepskin", + "Higher National Diploma", + "HND", + "commission", + "military commission", + "bill of health", + "registration", + "teaching certificate", + "teacher's certificate", + "legal document", + "legal instrument", + "official document", + "instrument", + "derivative instrument", + "derivative", + "futures contract", + "stock-index futures", + "negotiable instrument", + "list", + "listing", + "item", + "point", + "agenda item", + "incidental", + "inventory item", + "line item", + "news item", + "place", + "position", + "postposition", + "preposition", + "topicalization", + "ammunition", + "factoid", + "factoid", + "papyrus", + "agenda", + "agendum", + "order of business", + "A-list", + "docket", + "order of the day", + "order paper", + "order book", + "network programming", + "batting order", + "card", + "lineup", + "cleanup", + "cleanup position", + "cleanup spot", + "bibliography", + "bill", + "bill of entry", + "bill of goods", + "blacklist", + "black book", + "shitlist", + "calendar", + "calorie chart", + "canon", + "catalog", + "catalogue", + "discography", + "library catalog", + "library catalogue", + "card catalog", + "card catalogue", + "parts catalog", + "parts catalogue", + "seed catalog", + "seed catalogue", + "character set", + "checklist", + "class list", + "honours list", + "clericalism", + "codex", + "contents", + "table of contents", + "corrigenda", + "credits", + "criminal record", + "record", + "directory", + "distribution list", + "subdirectory", + "enumeration", + "numbering", + "FAQ", + "free list", + "grocery list", + "grocery list", + "shopping list", + "hit list", + "hit parade", + "index", + "concordance", + "key", + "key word", + "key", + "parts inventory", + "inventory", + "stock list", + "mailing list", + "menu", + "bill of fare", + "card", + "carte du jour", + "carte", + "masthead", + "flag", + "menu", + "computer menu", + "drop-down menu", + "hierarchical menu", + "cascading menu", + "submenu", + "necrology", + "playlist", + "play list", + "portfolio", + "posting", + "price list", + "push-down list", + "push-down stack", + "stack", + "queue", + "roll", + "roster", + "death-roll", + "schedule", + "shopping list", + "short list", + "shortlist", + "sick list", + "slate", + "ticket", + "standing", + "wish list", + "timetable", + "timetable", + "muster roll", + "church roll", + "rota", + "waiting list", + "a la carte", + "prix fixe", + "table d'hote", + "alphabet", + "Roman alphabet", + "Latin alphabet", + "Hebrew alphabet", + "Hebraic alphabet", + "Hebrew script", + "Greek alphabet", + "Cyrillic alphabet", + "Cyrillic", + "Arabic alphabet", + "alphanumerics", + "alphanumeric characters", + "phonetic alphabet", + "sound alphabet", + "visible speech", + "manual alphabet", + "finger alphabet", + "passport", + "patent", + "patent of invention", + "platform", + "political platform", + "political program", + "program", + "plank", + "ship's papers", + "manifest", + "push-down queue", + "cadaster", + "cadastre", + "written record", + "written account", + "blotter", + "day book", + "police blotter", + "rap sheet", + "charge sheet", + "casebook", + "chronology", + "Domesday Book", + "Doomsday Book", + "dossier", + "entry", + "log", + "logbook", + "log", + "bell book", + "note", + "paper trail", + "timecard", + "timeline", + "time sheet", + "nolle prosequi", + "nol pros", + "notebook entry", + "transcript", + "copy", + "memorabilia", + "jotting", + "jot", + "marginalia", + "scholium", + "scholia", + "memo", + "memorandum", + "memoranda", + "minute", + "aide-memoire", + "position paper", + "corker", + "reminder", + "check register", + "register", + "registry", + "studbook", + "rent-roll", + "won-lost record", + "blue book", + "stub", + "check stub", + "counterfoil", + "card", + "scorecard", + "minutes", + "proceedings", + "transactions", + "minute book", + "Congressional Record", + "Hansard", + "file", + "data file", + "Combined DNA Index System", + "computer file", + "backup file", + "binary file", + "master file", + "main file", + "disk file", + "transaction file", + "detail file", + "input file", + "input data", + "output file", + "read-only file", + "text file", + "document", + "ASCII text file", + "mug file", + "mug book", + "resignation", + "abdication", + "stepping down", + "resolution", + "declaration", + "resolve", + "Declaration of Independence", + "joint resolution", + "application", + "job application", + "credit application", + "loan application", + "mortgage application", + "patent application", + "request", + "petition", + "postulation", + "memorial", + "solicitation", + "appeal", + "collection", + "ingathering", + "whip-round", + "history", + "account", + "chronicle", + "story", + "ancient history", + "etymology", + "folk etymology", + "case history", + "family history", + "medical history", + "medical record", + "anamnesis", + "historical document", + "historical paper", + "historical record", + "annals", + "chronological record", + "biography", + "life", + "life story", + "life history", + "autobiography", + "hagiography", + "profile", + "memoir", + "statement", + "financial statement", + "bank statement", + "bill", + "account", + "invoice", + "electric bill", + "hotel bill", + "medical bill", + "doctor's bill", + "phone bill", + "telephone bill", + "reckoning", + "tally", + "tax bill", + "check", + "chit", + "tab", + "coupon", + "voucher", + "book token", + "meal ticket", + "luncheon voucher", + "twofer", + "ticket", + "commutation ticket", + "season ticket", + "plane ticket", + "airplane ticket", + "pass", + "transfer", + "railroad ticket", + "train ticket", + "theater ticket", + "theatre ticket", + "bus ticket", + "round-trip ticket", + "return ticket", + "day return", + "receipt", + "stub", + "ticket stub", + "rain check", + "bill of lading", + "waybill", + "contract", + "adhesion contract", + "contract of adhesion", + "aleatory contract", + "bilateral contract", + "charter", + "conditional contract", + "cost-plus contract", + "gambling contract", + "lease", + "marriage contract", + "marriage settlement", + "output contract", + "policy", + "insurance policy", + "insurance", + "purchase contract", + "purchase agreement", + "quasi contract", + "requirements contract", + "sealed instrument", + "contract under seal", + "special contract", + "service contract", + "severable contract", + "subcontract", + "conspiracy", + "confederacy", + "fair-trade agreement", + "conspiracy of silence", + "covenant", + "unilateral contract", + "debenture", + "floater", + "floating policy", + "partnership", + "articles of agreement", + "shipping articles", + "concession", + "grant", + "franchise", + "labor contract", + "labor agreement", + "collective agreement", + "yellow-dog contract", + "employment contract", + "employment agreement", + "distribution agreement", + "licensing agreement", + "merger agreement", + "acquisition agreement", + "sale", + "sales agreement", + "conditional sale", + "sale in gross", + "contract of hazard", + "sheriff's sale", + "execution sale", + "judicial sale", + "forced sale", + "appraisal", + "estimate", + "estimation", + "overestimate", + "overestimation", + "overvaluation", + "overappraisal", + "order", + "purchase order", + "credit order", + "bill-me order", + "open account", + "indent", + "market order", + "production order", + "reorder", + "stop order", + "stop-loss order", + "stop payment", + "mail order", + "power of attorney", + "stock power", + "proxy", + "stock symbol", + "letters of administration", + "letters testamentary", + "working papers", + "work papers", + "work permit", + "act", + "enactment", + "law", + "nullity", + "anti-drug law", + "anti-racketeering law", + "Racketeer Influenced and Corrupt Organizations Act", + "RICO Act", + "RICO", + "antitrust legislation", + "antitrust law", + "statute of limitations", + "fundamental law", + "organic law", + "constitution", + "Articles of Confederation", + "United States Constitution", + "U.S. Constitution", + "US Constitution", + "Constitution", + "Constitution of the United States", + "public law", + "Roman law", + "Justinian code", + "civil law", + "jus civile", + "Salic law", + "case law", + "precedent", + "common law", + "legislation", + "statute law", + "enabling legislation", + "occupational safety and health act", + "federal job safety law", + "advice and consent", + "statute book", + "translation", + "interlingual rendition", + "rendering", + "version", + "worksheet", + "bill", + "measure", + "appropriation bill", + "bill of attainder", + "bottle bill", + "farm bill", + "trade bill", + "bylaw", + "blue law", + "blue sky law", + "gag law", + "game law", + "homestead law", + "poor law", + "Riot Act", + "riot act", + "criminal law", + "court order", + "decree", + "edict", + "fiat", + "order", + "rescript", + "consent decree", + "curfew", + "decree nisi", + "divestiture", + "imperial decree", + "ukase", + "legal separation", + "judicial separation", + "pragmatic sanction", + "pragmatic", + "programma", + "prohibition", + "prohibition", + "ban", + "proscription", + "stay", + "stay of execution", + "banning-order", + "injunction", + "enjoining", + "enjoinment", + "cease and desist order", + "mandatory injunction", + "permanent injunction", + "final injunction", + "temporary injunction", + "interlocutory injunction", + "brief", + "legal brief", + "amicus curiae brief", + "will", + "testament", + "probate", + "probate will", + "codicil", + "living will", + "deed", + "deed of conveyance", + "title", + "assignment", + "bill of sale", + "deed poll", + "enfeoffment", + "mortgage deed", + "title deed", + "trust deed", + "deed of trust", + "conveyance", + "quitclaim", + "quitclaim deed", + "muniments", + "warrant", + "search warrant", + "bench warrant", + "arrest warrant", + "pickup", + "death warrant", + "cachet", + "lettre de cachet", + "reprieve", + "commutation", + "tax return", + "income tax return", + "return", + "amended return", + "declaration of estimated tax", + "estimated tax return", + "false return", + "information return", + "joint return", + "license", + "licence", + "permit", + "building permit", + "driver's license", + "driver's licence", + "driving license", + "driving licence", + "fishing license", + "fishing licence", + "fishing permit", + "hunting license", + "hunting licence", + "hunting permit", + "game license", + "learner's permit", + "letter of marque", + "letters of marque", + "letter of mark and reprisal", + "liquor license", + "liquor licence", + "on-license", + "marriage license", + "marriage licence", + "wedding license", + "wedding licence", + "occupation license", + "occupation licence", + "patent", + "letters patent", + "opinion", + "legal opinion", + "judgment", + "judgement", + "concurring opinion", + "dissenting opinion", + "majority opinion", + "pardon", + "amnesty", + "acquittance", + "release", + "writ", + "judicial writ", + "assize", + "certiorari", + "writ of certiorari", + "execution", + "writ of execution", + "execution", + "execution of instrument", + "habeas corpus", + "writ of habeas corpus", + "venire facias", + "mandamus", + "writ of mandamus", + "attachment", + "fieri facias", + "scire facias", + "sequestration", + "writ of detinue", + "writ of election", + "writ of error", + "writ of prohibition", + "writ of right", + "mandate", + "authorization", + "authorisation", + "summons", + "process", + "subpoena", + "subpoena ad testificandum", + "subpoena duces tecum", + "gag order", + "garnishment", + "interdict", + "interdiction", + "citation", + "monition", + "process of monition", + "ticket", + "speeding ticket", + "parking ticket", + "bill of Particulars", + "pleading", + "affirmative pleading", + "alternative pleading", + "pleading in the alternative", + "answer", + "evasive answer", + "nolo contendere", + "non vult", + "plea", + "counterplea", + "dilatory plea", + "insanity plea", + "plea of insanity", + "charge", + "complaint", + "complaint", + "libel", + "defective pleading", + "demurrer", + "rebutter", + "rebuttal", + "replication", + "rejoinder", + "special pleading", + "surrebutter", + "surrebuttal", + "surrejoinder", + "plea bargain", + "plea bargaining", + "legislative act", + "statute", + "fair-trade act", + "Stamp Act", + "enabling act", + "enabling clause", + "Foreign Intelligence Surveillance Act", + "FISA", + "ordinance", + "special act", + "software", + "software program", + "computer software", + "software system", + "software package", + "package", + "alpha software", + "authoring language", + "beta software", + "compatible software", + "compatible software", + "computer-aided design", + "CAD", + "freeware", + "groupware", + "operating system", + "OS", + "DOS", + "disk operating system", + "MS-DOS", + "Microsoft disk operating system", + "UNIX", + "UNIX system", + "UNIX operating system", + "Linux", + "program", + "programme", + "computer program", + "computer programme", + "anti-virus program", + "application", + "application program", + "applications programme", + "active application", + "applet", + "frame", + "binary", + "binary program", + "browser", + "web browser", + "Internet Explorer", + "Explorer", + "IE", + "Konqueror", + "lynx", + "Mosaic", + "Netscape", + "Opera", + "natural language processor", + "natural language processing application", + "disambiguator", + "job", + "word processor", + "word processing system", + "loop", + "malevolent program", + "patch", + "assembler", + "assembly program", + "checking program", + "compiler", + "compiling program", + "C compiler", + "Fortran compiler", + "LISP compiler", + "Pascal compiler", + "debugger", + "driver", + "device driver", + "diagnostic program", + "editor program", + "editor", + "input program", + "interface", + "user interface", + "command line interface", + "CLI", + "graphical user interface", + "GUI", + "interpreter", + "interpretive program", + "job control", + "library program", + "linkage editor", + "monitor program", + "monitoring program", + "text editor", + "object program", + "target program", + "source program", + "output program", + "parser", + "tagger", + "tagging program", + "sense tagger", + "part-of-speech tagger", + "pos tagger", + "relocatable program", + "reusable program", + "Web Map Service", + "Web Map Server", + "MapQuest", + "search engine", + "Google", + "Yahoo", + "Ask Jeeves", + "self-adapting program", + "snapshot program", + "spider", + "wanderer", + "spreadsheet", + "sort program", + "sorting program", + "stored program", + "supervisory program", + "supervisor", + "executive program", + "syntax checker", + "system program", + "systems program", + "systems software", + "trace program", + "text-matching", + "translator", + "translating program", + "utility program", + "utility", + "service program", + "Windows", + "decision table", + "flow chart", + "flowchart", + "flow diagram", + "flow sheet", + "logic diagram", + "logical diagram", + "routine", + "subroutine", + "subprogram", + "procedure", + "function", + "call", + "function call", + "cataloged procedure", + "contingency procedure", + "dump routine", + "input routine", + "library routine", + "output routine", + "random number generator", + "recursive routine", + "reusable routine", + "supervisory routine", + "executive routine", + "tracing routine", + "utility routine", + "service routine", + "instruction", + "command", + "statement", + "program line", + "logic bomb", + "slag code", + "trojan", + "trojan horse", + "virus", + "computer virus", + "worm", + "command line", + "link", + "hyperlink", + "macro", + "macro instruction", + "system error", + "system call", + "supervisor call instruction", + "toggle", + "shareware", + "shrink-wrapped software", + "spyware", + "supervisory software", + "software documentation", + "documentation", + "electronic database", + "on-line database", + "computer database", + "electronic information service", + "database management system", + "DBMS", + "relational database management system", + "object-oriented database management system", + "hypertext system", + "publication", + "read", + "impression", + "printing", + "edition", + "limited edition", + "variorum", + "variorum edition", + "proof", + "test copy", + "trial impression", + "galley proof", + "foundry proof", + "mackle", + "collection", + "compendium", + "anthology", + "album", + "record album", + "concept album", + "rock opera", + "tribute album", + "benefit album", + "divan", + "diwan", + "florilegium", + "garland", + "miscellany", + "omnibus", + "archives", + "compilation", + "digest", + "periodical", + "digest", + "pictorial", + "series", + "serial", + "serial publication", + "semiweekly", + "weekly", + "semimonthly", + "monthly", + "quarterly", + "bimonthly", + "biweekly", + "organ", + "house organ", + "magazine", + "mag", + "tip sheet", + "dope sheet", + "scratch sheet", + "colour supplement", + "comic book", + "news magazine", + "pulp", + "pulp magazine", + "slick", + "slick magazine", + "glossy", + "trade magazine", + "issue", + "number", + "edition", + "extra", + "journal", + "annals", + "review", + "literary review", + "reading", + "reading material", + "bumf", + "bumph", + "perusal", + "perusing", + "poring over", + "studying", + "browse", + "browsing", + "skim", + "skimming", + "message", + "content", + "subject matter", + "substance", + "latent content", + "subject", + "topic", + "theme", + "bone of contention", + "precedent", + "didacticism", + "digression", + "aside", + "excursus", + "divagation", + "parenthesis", + "declarative sentence", + "declaratory sentence", + "run-on sentence", + "topic sentence", + "meaning", + "significance", + "signification", + "import", + "lexical meaning", + "grammatical meaning", + "symbolization", + "symbolisation", + "sense", + "signified", + "word meaning", + "word sense", + "acceptation", + "intension", + "connotation", + "referent", + "referent", + "relatum", + "referent", + "antecedent", + "denotatum", + "designatum", + "effect", + "essence", + "burden", + "core", + "gist", + "alpha and omega", + "ambiguity", + "loophole", + "amphibology", + "amphiboly", + "parisology", + "euphemism", + "dysphemism", + "shucks", + "double entendre", + "intent", + "purport", + "spirit", + "moral", + "lesson", + "nuance", + "nicety", + "shade", + "subtlety", + "refinement", + "overtone", + "bottom line", + "crux", + "crux of the matter", + "point", + "rallying point", + "talking point", + "nonsense", + "bunk", + "nonsensicality", + "meaninglessness", + "hokum", + "absurdity", + "absurdness", + "ridiculousness", + "amphigory", + "nonsense verse", + "balderdash", + "fiddle-faddle", + "piffle", + "buzzword", + "cant", + "cobblers", + "crock", + "fa la", + "fal la", + "gibberish", + "gibber", + "incoherence", + "incoherency", + "unintelligibility", + "word salad", + "jabberwocky", + "mummery", + "flummery", + "palaver", + "hot air", + "empty words", + "empty talk", + "rhetoric", + "rigmarole", + "rigamarole", + "shmegegge", + "schmegegge", + "stuff", + "stuff and nonsense", + "hooey", + "poppycock", + "abracadabra", + "babble", + "babbling", + "lallation", + "blather", + "blatherskite", + "double Dutch", + "bill of goods", + "humbug", + "snake oil", + "double talk", + "jabber", + "jabbering", + "gabble", + "baloney", + "boloney", + "bilgewater", + "bosh", + "drool", + "humbug", + "taradiddle", + "tarradiddle", + "tommyrot", + "tosh", + "twaddle", + "bullshit", + "bull", + "Irish bull", + "horseshit", + "shit", + "crap", + "dogshit", + "bunk", + "bunkum", + "buncombe", + "guff", + "rot", + "hogwash", + "chickenshit", + "folderol", + "rubbish", + "tripe", + "trumpery", + "trash", + "wish-wash", + "applesauce", + "codswallop", + "pap", + "pablum", + "drivel", + "garbage", + "mumbo jumbo", + "analects", + "analecta", + "clipping", + "newspaper clipping", + "press clipping", + "cutting", + "press cutting", + "cut", + "track", + "quotation", + "quote", + "citation", + "epigraph", + "mimesis", + "misquotation", + "misquote", + "movie", + "film", + "picture", + "moving picture", + "moving-picture show", + "motion picture", + "motion-picture show", + "picture show", + "pic", + "flick", + "telefilm", + "scene", + "shot", + "outtake", + "feature", + "feature film", + "final cut", + "travelogue", + "travelog", + "home movie", + "attraction", + "counterattraction", + "collage film", + "coming attraction", + "Western", + "horse opera", + "shoot-'em-up", + "short subject", + "cartoon", + "animated cartoon", + "toon", + "newsreel", + "documentary", + "docudrama", + "documentary film", + "infotainment", + "cinema verite", + "film noir", + "skin flick", + "peepshow", + "rough cut", + "silent movie", + "silent picture", + "silents", + "slow motion", + "dissolve", + "cut", + "jump", + "jump cut", + "spaghetti Western", + "talking picture", + "talkie", + "three-D", + "3-D", + "3D", + "show", + "broadcast", + "program", + "programme", + "rebroadcast", + "news program", + "news show", + "news", + "rerun", + "talk show", + "chat show", + "phone-in", + "television program", + "TV program", + "television show", + "TV show", + "colorcast", + "colourcast", + "pilot program", + "pilot film", + "pilot", + "game show", + "giveaway", + "quiz program", + "film clip", + "serial", + "series", + "cliffhanger", + "episode", + "installment", + "instalment", + "sustaining program", + "soap opera", + "tetralogy", + "radio broadcast", + "simulcast", + "telecast", + "telegram", + "wire", + "night letter", + "airmail", + "air mail", + "surface mail", + "registered mail", + "registered post", + "special delivery", + "correspondence", + "Kamasutra", + "sutra", + "letter", + "missive", + "business letter", + "covering letter", + "cover letter", + "crank letter", + "encyclical", + "encyclical letter", + "fan letter", + "personal letter", + "form letter", + "open letter", + "chain letter", + "pastoral", + "round robin", + "airmail letter", + "air letter", + "aerogram", + "aerogramme", + "epistle", + "note", + "short letter", + "line", + "billet", + "excuse", + "love letter", + "billet doux", + "dead letter", + "dead mail", + "letter of intent", + "card", + "birthday card", + "get-well card", + "greeting card", + "Christmas card", + "Easter card", + "Valentine", + "postcard", + "post card", + "postal card", + "mailing-card", + "lettercard", + "picture postcard", + "sympathy card", + "Mass card", + "spiritual bouquet", + "acknowledgment", + "acknowledgement", + "farewell", + "word of farewell", + "adieu", + "adios", + "arrivederci", + "auf wiedersehen", + "au revoir", + "bye", + "bye-bye", + "cheerio", + "good-by", + "goodby", + "good-bye", + "goodbye", + "good day", + "sayonara", + "so long", + "bon voyage", + "send-off", + "greeting", + "salutation", + "well-wishing", + "regard", + "wish", + "compliments", + "reception", + "response", + "hail", + "pax", + "kiss of peace", + "welcome", + "cordial reception", + "hospitality", + "inhospitality", + "glad hand", + "aloha", + "ciao", + "handshake", + "shake", + "handshaking", + "handclasp", + "salute", + "hello", + "hullo", + "hi", + "howdy", + "how-do-you-do", + "good morning", + "morning", + "good afternoon", + "afternoon", + "good night", + "salute", + "military greeting", + "calling card", + "visiting card", + "card", + "apology", + "mea culpa", + "condolence", + "commiseration", + "congratulation", + "felicitation", + "refusal", + "declination", + "regrets", + "information", + "info", + "misinformation", + "blowback", + "disinformation", + "material", + "rehash", + "details", + "inside information", + "dope", + "poop", + "the skinny", + "low-down", + "fact", + "record", + "record book", + "book", + "format", + "formatting", + "data format", + "data formatting", + "high-level formatting", + "low-level formatting", + "initialization", + "initialisation", + "gen", + "database", + "relational database", + "Medical Literature Analysis and Retrieval System", + "MEDLARS", + "object-oriented database", + "subdata base", + "lexical database", + "machine readable dictionary", + "MRD", + "electronic dictionary", + "WordNet", + "Princeton WordNet", + "wordnet", + "basics", + "rudiments", + "index", + "index number", + "indicant", + "indicator", + "body mass index", + "BMI", + "business index", + "Dow Jones", + "Dow-Jones Industrial Average", + "Standard and Poor's", + "Standard and Poor's Index", + "leading indicator", + "price index", + "price level", + "retail price index", + "producer price index", + "wholesale price index", + "consumer price index", + "CPI", + "cost-of-living index", + "short account", + "stock index", + "stock market index", + "news", + "intelligence", + "tidings", + "word", + "news", + "nuts and bolts", + "intelligence", + "intelligence information", + "military intelligence", + "good word", + "latest", + "update", + "evidence", + "clue", + "clew", + "cue", + "DNA fingerprint", + "genetic fingerprint", + "face recognition", + "facial recognition", + "automatic face recognition", + "fingerprint", + "finger scan", + "finger scanning", + "loop", + "thumbprint", + "footprint", + "footmark", + "step", + "footprint evidence", + "iris scanning", + "signature recognition", + "retinal scanning", + "voiceprint", + "sign", + "mark", + "token", + "trace", + "vestige", + "tincture", + "shadow", + "footprint", + "trace", + "record", + "proof", + "mathematical proof", + "logical proof", + "demonstration", + "monstrance", + "testimony", + "testimonial", + "good authority", + "testament", + "argument", + "statement", + "counterargument", + "pro", + "con", + "case", + "clincher", + "determiner", + "determining factor", + "adducing", + "last word", + "attestation", + "confirmation", + "reinforcement", + "reenforcement", + "documentation", + "certification", + "corroboration", + "guidance", + "counsel", + "counseling", + "counselling", + "direction", + "career counseling", + "cynosure", + "genetic counseling", + "marriage counseling", + "tip", + "lead", + "steer", + "confidential information", + "wind", + "hint", + "insider information", + "rule", + "rule", + "prescript", + "rubric", + "rubric", + "order", + "rules of order", + "parliamentary law", + "parliamentary procedure", + "interpellation", + "rule of evidence", + "best evidence rule", + "estoppel", + "exclusionary rule", + "fruit of the poisonous tree", + "hearsay rule", + "parol evidence rule", + "res ipsa loquitur", + "standing order", + "Miranda rule", + "principle", + "precept", + "higher law", + "moral principle", + "golden rule", + "GIGO", + "categorical imperative", + "hypothetical imperative", + "policy", + "economic policy", + "fiscal policy", + "New Deal", + "control", + "price control", + "ceiling", + "roof", + "cap", + "glass ceiling", + "floor", + "base", + "price floor", + "wage floor", + "perestroika", + "protectionism", + "social policy", + "apartheid", + "glasnost", + "social action", + "affirmative action", + "fence mending", + "trade barrier", + "import barrier", + "quota", + "embargo", + "trade embargo", + "trade stoppage", + "nativism", + "party line", + "foreign policy", + "brinkmanship", + "imperialism", + "intervention", + "interference", + "nonintervention", + "noninterference", + "nonaggression", + "manifest destiny", + "isolationism", + "Monroe Doctrine", + "Truman doctrine", + "neutralism", + "regionalism", + "trade policy", + "national trading policy", + "open-door policy", + "open door", + "zero-tolerance policy", + "Zionism", + "ethic", + "ethical code", + "caveat emptor", + "dictate", + "regulation", + "ordinance", + "age limit", + "assize", + "speed limit", + "canon", + "etiquette", + "protocol", + "protocol", + "communications protocol", + "file transfer protocol", + "FTP", + "anonymous ftp", + "anonymous file transfer protocol", + "hypertext transfer protocol", + "HTTP", + "musical instrument digital interface", + "MIDI", + "transmission control protocol", + "TCP", + "transmission control protocol/internet protocol", + "TCP/IP", + "punctilio", + "closure", + "cloture", + "gag rule", + "gag law", + "closure by compartment", + "guillotine", + "point of order", + "code", + "codification", + "Bushido", + "legal code", + "penal code", + "United States Code", + "U. S. Code", + "building code", + "dress code", + "fire code", + "omerta", + "sanitary code", + "health code", + "Highway Code", + "double standard", + "double standard of sexual behavior", + "equation", + "linear equation", + "quadratic equation", + "quadratic", + "biquadratic equation", + "biquadratic", + "differential equation", + "Maxwell's equations", + "partial differential equation", + "Schrodinger equation", + "Schrodinger wave equation", + "simultaneous equations", + "wave equation", + "advice", + "recommendation", + "indication", + "referral", + "admonition", + "monition", + "warning", + "word of advice", + "example", + "deterrent example", + "lesson", + "object lesson", + "secret", + "arcanum", + "secret", + "confidence", + "esoterica", + "cabala", + "cabbala", + "cabbalah", + "kabala", + "kabbala", + "kabbalah", + "qabala", + "qabalah", + "open secret", + "password", + "watchword", + "word", + "parole", + "countersign", + "trade secret", + "propaganda", + "agitprop", + "course catalog", + "course catalogue", + "prospectus", + "source", + "specification", + "source materials", + "voucher", + "working papers", + "well", + "wellspring", + "fountainhead", + "copy", + "filler", + "course of study", + "program", + "programme", + "curriculum", + "syllabus", + "crash course", + "crash program", + "crash programme", + "reading program", + "degree program", + "printing", + "printing process", + "typography", + "composition", + "print", + "print", + "small print", + "fine print", + "relief printing", + "letterpress", + "intaglio printing", + "intaglio", + "gravure", + "process printing", + "photogravure", + "rotogravure", + "planographic printing", + "planography", + "collotype", + "collotype printing", + "photogelatin process", + "lithography", + "photolithography", + "chromolithography", + "photo-offset printing", + "photo-offset", + "offset", + "offset printing", + "offset lithography", + "letterset printing", + "carbon process", + "news", + "business news", + "report", + "news report", + "story", + "account", + "write up", + "newsletter", + "newssheet", + "market letter", + "bulletin", + "news bulletin", + "newsflash", + "flash", + "newsbreak", + "information bulletin", + "dispatch", + "despatch", + "communique", + "urban legend", + "exclusive", + "scoop", + "newscast", + "radio news", + "sportscast", + "television news", + "coverage", + "reporting", + "reportage", + "hard news", + "soft news", + "stop press", + "commitment", + "dedication", + "oath", + "swearing", + "affirmation", + "profession", + "giving", + "guarantee", + "warrant", + "warrantee", + "warranty", + "security", + "surety", + "deposit", + "stock warrant", + "guarantee", + "safety net", + "full faith and credit", + "approval", + "commendation", + "approbation", + "sanction", + "countenance", + "endorsement", + "indorsement", + "warrant", + "imprimatur", + "O.K.", + "OK", + "okay", + "okey", + "okeh", + "visa", + "nihil obstat", + "recognition", + "credit", + "memorial", + "commemoration", + "remembrance", + "ovation", + "standing ovation", + "salute", + "salutation", + "connivance", + "secret approval", + "tacit consent", + "permission", + "all clear", + "consent", + "dismissal", + "green light", + "leave", + "pass", + "liberty chit", + "pass", + "laissez passer", + "boarding card", + "boarding pass", + "hall pass", + "ticket-of-leave", + "pass", + "passport", + "safe-conduct", + "safeguard", + "encouragement", + "acclaim", + "acclamation", + "plaudits", + "plaudit", + "eclat", + "applause", + "hand clapping", + "clapping", + "hand", + "handclap", + "round", + "cheer", + "banzai", + "bravo", + "hurrah", + "hooray", + "salvo", + "praise", + "congratulations", + "kudos", + "extolment", + "praise", + "hallelujah", + "rave", + "superlative", + "encomium", + "eulogy", + "panegyric", + "paean", + "pean", + "eulogy", + "eulogium", + "recommendation", + "testimonial", + "good word", + "character", + "reference", + "character reference", + "puff", + "compliment", + "trade-last", + "flattery", + "adulation", + "blandishment", + "cajolery", + "palaver", + "blarney", + "coaxing", + "soft soap", + "sweet talk", + "puffery", + "unction", + "smarm", + "fulsomeness", + "award", + "accolade", + "honor", + "honour", + "laurels", + "aliyah", + "tribute", + "testimonial", + "academic degree", + "degree", + "associate degree", + "associate", + "Associate in Arts", + "AA", + "Associate in Applied Science", + "AAS", + "Associate in Nursing", + "AN", + "bachelor's degree", + "baccalaureate", + "Bachelor of Arts", + "BA", + "Artium Baccalaurens", + "AB", + "Bachelor of Arts in Library Science", + "ABLS", + "Bachelor of Arts in Nursing", + "BAN", + "Bachelor of Divinity", + "BD", + "Bachelor of Literature", + "BLitt", + "Bachelor of Medicine", + "MB", + "Bachelor of Music", + "BMus", + "Bachelor of Naval Science", + "BNS", + "Bachelor of Science", + "BS", + "SB", + "Bachelor of Science in Architecture", + "BSArch", + "Bachelor of Science in Engineering", + "Bachelor of Theology", + "ThB", + "honours", + "honours degree", + "first", + "first-class honours degree", + "double first", + "master's degree", + "Master of Architecture", + "MArch", + "Master of Arts", + "MA", + "Artium Magister", + "AM", + "Master of Arts in Library Science", + "MALS", + "Master of Arts in Teaching", + "MAT", + "Master in Business", + "Master in Business Administration", + "MBA", + "Master of Divinity", + "MDiv", + "Master of Education", + "MEd", + "Master of Fine Arts", + "MFA", + "Master of Literature", + "MLitt", + "Master of Library Science", + "MLS", + "Master in Public Affairs", + "Master of Science", + "MS", + "SM", + "MSc", + "Master of Science in Engineering", + "Master of Theology", + "ThM", + "doctor's degree", + "doctorate", + "Doctor of Dental Medicine", + "DMD", + "Doctor of Dental Surgery", + "DDS", + "Doctor of Divinity", + "DD", + "Doctor of Education", + "EdD", + "DEd", + "Doctor of Medicine", + "MD", + "Doctor of Music", + "DMus", + "MusD", + "Doctor of Musical Arts", + "AMusD", + "Doctor of Optometry", + "OD", + "Doctor of Osteopathy", + "DO", + "Doctor of Arts", + "D.A.", + "Doctor of Philosophy", + "Ph.D.", + "PhD", + "DPhil", + "Doctor of Public Health", + "DPH", + "Doctor of Theology", + "ThD", + "Doctor of Sacred Theology", + "STD", + "law degree", + "Bachelor of Laws", + "LLB", + "Master of Laws", + "LLM", + "honorary degree", + "honoris causa", + "Doctor of Arts", + "ArtsD", + "Doctor of Fine Arts", + "Doctor of Humane Letters", + "Doctor of Humanities", + "Doctor of Laws", + "LLD", + "Doctor of Science", + "DS", + "ScD", + "pennant", + "crown", + "cachet", + "seal", + "seal of approval", + "citation", + "commendation", + "mention", + "honorable mention", + "letter", + "varsity letter", + "decoration", + "laurel wreath", + "medal", + "medallion", + "palm", + "ribbon", + "Medal of Honor", + "Congressional Medal of Honor", + "Distinguished Service Medal", + "Distinguished Service Cross", + "Navy Cross", + "Distinguished Flying Cross", + "Air Medal", + "Silver Star Medal", + "Silver Star", + "Bronze Star Medal", + "Bronze Star", + "Order of the Purple Heart", + "Purple Heart", + "Oak Leaf Cluster", + "Victoria Cross", + "Distinguished Conduct Medal", + "Distinguished Service Order", + "Croix de Guerre", + "Medaille Militaire", + "trophy", + "disapproval", + "disapprobation", + "condemnation", + "censure", + "animadversion", + "demonization", + "demonisation", + "interdict", + "criticism", + "unfavorable judgment", + "brickbat", + "faultfinding", + "carping", + "fire", + "attack", + "flak", + "flack", + "blast", + "thrust", + "potshot", + "counterblast", + "rebuke", + "reproof", + "reproval", + "reprehension", + "reprimand", + "sermon", + "preaching", + "slating", + "static", + "stricture", + "chiding", + "scolding", + "objurgation", + "tongue-lashing", + "what for", + "wig", + "wigging", + "castigation", + "earful", + "bawling out", + "chewing out", + "upbraiding", + "going-over", + "dressing down", + "berating", + "blowing up", + "reproach", + "self-reproach", + "self-reproof", + "blame", + "rap", + "lecture", + "speech", + "talking to", + "curtain lecture", + "correction", + "chastening", + "chastisement", + "admonition", + "admonishment", + "monition", + "respects", + "ad-lib", + "courtesy", + "disrespect", + "discourtesy", + "abuse", + "insult", + "revilement", + "contumely", + "vilification", + "derision", + "ridicule", + "contempt", + "scorn", + "fleer", + "jeer", + "jeering", + "mockery", + "scoff", + "scoffing", + "sneer", + "leer", + "sneer", + "put-down", + "squelch", + "squelcher", + "takedown", + "stultification", + "befooling", + "disparagement", + "depreciation", + "derogation", + "cold water", + "denigration", + "belittling", + "aspersion", + "slur", + "ethnic slur", + "detraction", + "petty criticism", + "sour grapes", + "condescension", + "disdain", + "patronage", + "defamation", + "calumny", + "calumniation", + "obloquy", + "traducement", + "hatchet job", + "character assassination", + "assassination", + "blackwash", + "mud", + "smear", + "vilification", + "malignment", + "libel", + "slander", + "name calling", + "names", + "name", + "epithet", + "smear word", + "low blow", + "scurrility", + "billingsgate", + "stinger", + "cut", + "vituperation", + "invective", + "vitriol", + "impudence", + "cheek", + "impertinence", + "sass", + "sassing", + "backtalk", + "back talk", + "lip", + "mouth", + "interpolation", + "insertion", + "statement", + "statement", + "amendment", + "thing", + "truth", + "true statement", + "gospel", + "gospel truth", + "antinomy", + "paradox", + "description", + "verbal description", + "job description", + "specification", + "spec", + "computer architecture", + "neural network", + "neural net", + "network architecture", + "declaration", + "announcement", + "proclamation", + "annunciation", + "declaration", + "bastardization", + "edict", + "bull", + "papal bull", + "promulgation", + "confession", + "manifesto", + "pronunciamento", + "Communist Manifesto", + "pronouncement", + "dictum", + "say-so", + "Bill of Rights", + "First Amendment", + "Fifth Amendment", + "Fourteenth Amendment", + "Eighteenth Amendment", + "Nineteenth Amendment", + "assertion", + "averment", + "asseveration", + "claim", + "cause of action", + "dibs", + "pretension", + "claim", + "accusation", + "charge", + "countercharge", + "allegation", + "allegement", + "contention", + "submission", + "ipse dixit", + "ipsedixitism", + "formula", + "expression", + "formula", + "mathematical statement", + "avowal", + "avouchment", + "affirmation", + "reassertion", + "reaffirmation", + "testimony", + "profession", + "professing", + "protestation", + "postulation", + "predication", + "threat", + "commination", + "menace", + "evidence", + "exhibit", + "testimony", + "witness", + "corpus delicti", + "direct evidence", + "res gestae", + "circumstantial evidence", + "indirect evidence", + "corroborating evidence", + "hearsay evidence", + "state's evidence", + "declaration", + "attestation", + "affidavit", + "verification", + "subornation", + "bid", + "bidding", + "contract", + "declaration", + "takeout", + "overbid", + "overcall", + "preemptive bid", + "pre-empt", + "preempt", + "word", + "explanation", + "account", + "explicandum", + "explanandum", + "explanans", + "simplification", + "oversimplification", + "simplism", + "accounting", + "value statement", + "representation", + "reason", + "justification", + "cause", + "reason", + "grounds", + "defense", + "defence", + "vindication", + "apology", + "apologia", + "alibi", + "excuse", + "alibi", + "exculpation", + "self-justification", + "extenuation", + "mitigation", + "exposition", + "exposition", + "exposition", + "expounding", + "construal", + "philosophizing", + "moralizing", + "moralization", + "moralisation", + "preachification", + "explication", + "solution", + "answer", + "result", + "resolution", + "solvent", + "denouement", + "gloss", + "rubric", + "deriving", + "derivation", + "etymologizing", + "definition", + "contextual definition", + "dictionary definition", + "explicit definition", + "ostensive definition", + "recursive definition", + "redefinition", + "stipulative definition", + "answer", + "reply", + "response", + "rescript", + "feedback", + "announcement", + "promulgation", + "advisory", + "Annunciation", + "banns", + "handout", + "press release", + "release", + "notice", + "caveat", + "obituary", + "obit", + "necrology", + "Parallel Lives", + "program", + "programme", + "playbill", + "racecard", + "prediction", + "foretelling", + "forecasting", + "prognostication", + "extropy", + "fortunetelling", + "horoscope", + "meteorology", + "weather forecasting", + "prognosis", + "forecast", + "prophecy", + "divination", + "oracle", + "financial forecast", + "weather forecast", + "weather outlook", + "proposition", + "particular", + "particular proposition", + "universal", + "universal proposition", + "negation", + "converse", + "lemma", + "term", + "theorem", + "categorem", + "categoreme", + "syncategorem", + "syncategoreme", + "conclusion", + "ratiocination", + "postulate", + "posit", + "axiom", + "premise", + "premiss", + "assumption", + "major premise", + "major premiss", + "minor premise", + "minor premiss", + "subsumption", + "major term", + "minor term", + "middle term", + "specious argument", + "vicious circle", + "thesis", + "condition", + "precondition", + "stipulation", + "boundary condition", + "provision", + "proviso", + "scenario", + "quotation", + "falsehood", + "falsity", + "untruth", + "dodge", + "dodging", + "scheme", + "lie", + "prevarication", + "fib", + "story", + "tale", + "tarradiddle", + "taradiddle", + "fairytale", + "fairy tale", + "fairy story", + "cock-and-bull story", + "song and dance", + "jactitation", + "whopper", + "walloper", + "white lie", + "fabrication", + "fiction", + "fable", + "canard", + "misrepresentation", + "deceit", + "deception", + "half-truth", + "facade", + "window dressing", + "exaggeration", + "overstatement", + "magnification", + "understatement", + "snow job", + "pretense", + "pretence", + "feigning", + "dissembling", + "bluff", + "pretext", + "stalking-horse", + "putoff", + "hypocrisy", + "lip service", + "crocodile tears", + "subterfuge", + "blind", + "trickery", + "hocus-pocus", + "slickness", + "hanky panky", + "jiggery-pokery", + "skulduggery", + "skullduggery", + "fraudulence", + "duplicity", + "evasion", + "equivocation", + "circumlocution", + "indirect expression", + "doublespeak", + "hedge", + "hedging", + "quibble", + "quiddity", + "cavil", + "fine print", + "small print", + "weasel word", + "reservation", + "qualification", + "cautious statement", + "comment", + "commentary", + "Midrash", + "note", + "annotation", + "notation", + "citation", + "cite", + "acknowledgment", + "credit", + "reference", + "mention", + "quotation", + "footnote", + "footer", + "nota bene", + "NB", + "N.B.", + "postscript", + "PS", + "photo credit", + "cross-reference", + "cross-index", + "remark", + "comment", + "input", + "gambit", + "ploy", + "fatwah", + "obiter dictum", + "dictum", + "obiter dictum", + "passing comment", + "mention", + "reference", + "allusion", + "retrospection", + "name-dropping", + "observation", + "reflection", + "reflexion", + "Parkinson's law", + "Parkinson's law", + "rib", + "wisecrack", + "crack", + "sally", + "quip", + "shot", + "shaft", + "slam", + "dig", + "barb", + "jibe", + "gibe", + "cheap shot", + "conversation stopper", + "stopper", + "rhetorical question", + "misstatement", + "restatement", + "demythologization", + "demythologisation", + "mythologization", + "mythologisation", + "error", + "mistake", + "corrigendum", + "misprint", + "erratum", + "typographical error", + "typo", + "literal error", + "literal", + "malapropism", + "malaprop", + "slip of the tongue", + "spoonerism", + "agreement", + "understanding", + "condition", + "term", + "bargain", + "deal", + "working agreement", + "gentlemen's agreement", + "written agreement", + "submission", + "submission", + "covenant", + "compact", + "concordat", + "entente", + "entente cordiale", + "oral contract", + "indenture", + "indenture", + "obligation", + "debt", + "treaty", + "pact", + "accord", + "alliance", + "commercial treaty", + "peace", + "peace treaty", + "pacification", + "Peace of Westphalia", + "convention", + "Chemical Weapons Convention", + "Geneva Convention", + "Lateran Treaty", + "North Atlantic Treaty", + "SALT I", + "SALT II", + "Treaty of Versailles", + "sentimentalism", + "treacle", + "mush", + "slop", + "glop", + "wit", + "humor", + "humour", + "witticism", + "wittiness", + "jeu d'esprit", + "bon mot", + "mot", + "esprit de l'escalier", + "pungency", + "bite", + "sarcasm", + "irony", + "satire", + "caustic remark", + "repartee", + "banter", + "raillery", + "give-and-take", + "backchat", + "badinage", + "persiflage", + "joke", + "gag", + "laugh", + "jest", + "jape", + "punch line", + "laugh line", + "gag line", + "tag line", + "belly laugh", + "sidesplitter", + "howler", + "thigh-slapper", + "scream", + "wow", + "riot", + "dirty joke", + "dirty story", + "blue joke", + "blue story", + "ethnic joke", + "funny story", + "good story", + "funny remark", + "funny", + "in-joke", + "one-liner", + "shaggy dog story", + "sick joke", + "sight gag", + "visual joke", + "caricature", + "imitation", + "impersonation", + "parody", + "lampoon", + "spoof", + "sendup", + "mockery", + "takeoff", + "burlesque", + "travesty", + "charade", + "pasquinade", + "put-on", + "cartoon", + "sketch", + "fun", + "play", + "sport", + "jocosity", + "jocularity", + "waggery", + "waggishness", + "drollery", + "clowning", + "comedy", + "funniness", + "pun", + "punning", + "wordplay", + "paronomasia", + "ribaldry", + "topper", + "opinion", + "view", + "adverse opinion", + "guess", + "conjecture", + "supposition", + "surmise", + "surmisal", + "speculation", + "hypothesis", + "divination", + "side", + "position", + "approximation", + "estimate", + "question", + "head", + "problem", + "question of fact", + "matter of fact", + "question of law", + "matter of law", + "puzzle", + "puzzler", + "mystifier", + "teaser", + "case", + "homework problem", + "riddle", + "conundrum", + "enigma", + "brain-teaser", + "poser", + "stumper", + "toughie", + "sticker", + "Gordian knot", + "crossword puzzle", + "crossword", + "koan", + "sudoku", + "word square", + "acrostic", + "pons asinorum", + "rebus", + "direction", + "instruction", + "misdirection", + "address", + "destination", + "name and address", + "return address", + "markup", + "markup language", + "standard generalized markup language", + "SGML", + "hypertext markup language", + "hypertext mark-up language", + "HTML", + "toponymy", + "toponomy", + "prescription", + "recipe", + "formula", + "rule", + "stage direction", + "style", + "religious doctrine", + "church doctrine", + "gospel", + "creed", + "ahimsa", + "dogma", + "tenet", + "ecumenism", + "ecumenicism", + "ecumenicalism", + "Immaculate Conception", + "Immaculate Conception of the Virgin Mary", + "Incarnation", + "Nicene Creed", + "real presence", + "signal", + "signaling", + "sign", + "starting signal", + "start", + "storm signal", + "storm cone", + "radio beam", + "beam", + "tickler", + "tickler file", + "ticktack", + "time signal", + "sign", + "poster", + "posting", + "placard", + "notice", + "bill", + "card", + "show bill", + "show card", + "theatrical poster", + "flash card", + "flashcard", + "street sign", + "address", + "signpost", + "guidepost", + "fingerpost", + "fingerboard", + "mark", + "stigma", + "brand", + "stain", + "demerit", + "dog-ear", + "bar sinister", + "bend sinister", + "earmark", + "brand", + "cloven hoof", + "cloven foot", + "token", + "item", + "type", + "postage", + "postage stamp", + "stamp", + "trading stamp", + "animal communication", + "birdcall", + "call", + "birdsong", + "song", + "bell-like call", + "two-note call", + "indication", + "indicant", + "indication", + "contraindication", + "symptom", + "signalization", + "signalisation", + "pointing out", + "manifestation", + "mark", + "print", + "mintmark", + "stroke", + "downstroke", + "upstroke", + "flick", + "hoofprint", + "hoof mark", + "hoof-mark", + "line", + "dotted line", + "ascender", + "bar line", + "descender", + "squiggle", + "curlicue", + "spectrum line", + "trend line", + "underscore", + "underline", + "contour", + "contour line", + "isometric line", + "isometric", + "thalweg", + "graduation", + "guideline", + "hairline", + "hair stroke", + "glimpse", + "harbinger", + "forerunner", + "predecessor", + "herald", + "precursor", + "hint", + "clue", + "smoke", + "air alert", + "alarm", + "alert", + "warning signal", + "alarum", + "burglar alarm", + "distress signal", + "distress call", + "SOS", + "Mayday", + "all clear", + "bugle call", + "recall", + "taps", + "lights-out", + "curfew", + "reveille", + "wake-up signal", + "retreat", + "retreat", + "drumbeat", + "tattle", + "singing", + "telling", + "tattoo", + "telegraphic signal", + "radiotelegraphic signal", + "dot", + "dit", + "dash", + "dah", + "whistle", + "whistling", + "high sign", + "symbol", + "nose", + "numeral", + "number", + "Arabic numeral", + "Hindu numeral", + "Hindu-Arabic numeral", + "Roman numeral", + "symbolism", + "crossbones", + "horn of plenty", + "cornucopia", + "death's head", + "lingam", + "notation", + "notational system", + "mathematical notation", + "numeration system", + "number system", + "number representation system", + "system of numeration", + "oriflamme", + "positional notation", + "positional representation system", + "pound", + "pound sign", + "binary notation", + "binary numeration system", + "pure binary numeration system", + "binary number system", + "binary system", + "octal numeration system", + "octal number system", + "decimal notation", + "octal notation", + "algorism", + "decimal numeration system", + "decimal number system", + "decimal system", + "duodecimal notation", + "duodecimal number system", + "duodecimal system", + "hexadecimal notation", + "sexadecimal notation", + "hexadecimal number system", + "sexadecimal number system", + "hexadecimal system", + "sign", + "equal sign", + "plus sign", + "minus sign", + "radical sign", + "decimal point", + "percentage point", + "point", + "exponent", + "power", + "index", + "logarithm", + "log", + "antilogarithm", + "antilog", + "common logarithm", + "natural logarithm", + "Napierian logarithm", + "mantissa", + "fixed-point part", + "characteristic", + "fixed-point notation", + "fixed-point representation system", + "floating-point notation", + "floating-point representation system", + "infix notation", + "parenthesis-free notation", + "prefix notation", + "Lukasiewicz notation", + "Polish notation", + "postfix notation", + "suffix notation", + "reverse Polish notation", + "musical notation", + "lead sheet", + "piano music", + "score", + "musical score", + "obbligato", + "obligato", + "sheet music", + "tablature", + "choreography", + "Labanotation", + "chemical notation", + "formula", + "chemical formula", + "molecular formula", + "structural formula", + "empirical formula", + "written symbol", + "printed symbol", + "mark", + "arrow", + "pointer", + "broad arrow", + "call mark", + "call number", + "pressmark", + "caret", + "check mark", + "check", + "tick", + "character", + "grapheme", + "graphic symbol", + "allograph", + "readout", + "read-out", + "check character", + "superscript", + "superior", + "subscript", + "inferior", + "ASCII character", + "control character", + "ASCII control character", + "backspace character", + "diacritical mark", + "diacritic", + "ditto mark", + "ditto", + "dollar mark", + "dollar sign", + "dollar", + "dollar mark", + "dollar sign", + "shaft", + "phonogram", + "point", + "head", + "accent", + "accent mark", + "stress mark", + "acute accent", + "acute", + "ague", + "grave accent", + "grave", + "breve", + "cedilla", + "circumflex", + "hacek", + "wedge", + "macron", + "tilde", + "umlaut", + "dieresis", + "diaeresis", + "ligature", + "monogram", + "capital", + "capital letter", + "uppercase", + "upper-case letter", + "majuscule", + "small letter", + "lowercase", + "lower-case letter", + "minuscule", + "small capital", + "small cap", + "type", + "type family", + "font", + "fount", + "typeface", + "face", + "case", + "unicameral script", + "bicameral script", + "typewriter font", + "constant-width font", + "fixed-width font", + "monospaced font", + "proportional font", + "font cartridge", + "cartridge font", + "Gothic", + "black letter", + "modern", + "modern font", + "Bodoni", + "Bodoni font", + "old style", + "old style font", + "boldface", + "bold face", + "bold", + "italic", + "roman", + "roman type", + "roman letters", + "roman print", + "screen font", + "raster font", + "sans serif", + "Helvetica", + "serif", + "seriph", + "percent sign", + "percentage sign", + "asterisk", + "star", + "dagger", + "obelisk", + "double dagger", + "double obelisk", + "diesis", + "letter", + "letter of the alphabet", + "alphabetic character", + "ascender", + "descender", + "digraph", + "digram", + "initial", + "A", + "a", + "B", + "b", + "C", + "c", + "D", + "d", + "E", + "e", + "F", + "f", + "G", + "g", + "H", + "h", + "I", + "i", + "J", + "j", + "K", + "k", + "L", + "l", + "M", + "m", + "N", + "n", + "O", + "o", + "P", + "p", + "Q", + "q", + "R", + "r", + "S", + "s", + "T", + "t", + "U", + "u", + "V", + "v", + "W", + "w", + "double-u", + "X", + "x", + "ex", + "Y", + "y", + "wye", + "Z", + "z", + "zee", + "zed", + "ezed", + "izzard", + "alpha", + "beta", + "gamma", + "delta", + "epsilon", + "zeta", + "eta", + "theta", + "iota", + "kappa", + "lambda", + "mu", + "nu", + "xi", + "omicron", + "pi", + "rho", + "sigma", + "tau", + "upsilon", + "phi", + "chi", + "khi", + "psi", + "omega", + "aleph", + "beth", + "gimel", + "daleth", + "he", + "waw", + "zayin", + "heth", + "teth", + "yodh", + "kaph", + "lamedh", + "mem", + "nun", + "samekh", + "ayin", + "pe", + "sadhe", + "qoph", + "resh", + "sin", + "shin", + "taw", + "space", + "blank", + "polyphone", + "polyphonic letter", + "block letter", + "block capital", + "scarlet letter", + "phonetic symbol", + "mathematical symbol", + "rune", + "runic letter", + "thorn", + "pictograph", + "ideogram", + "ideograph", + "logogram", + "logograph", + "radical", + "stenograph", + "punctuation", + "punctuation mark", + "ampersand", + "apostrophe", + "brace", + "bracket", + "square bracket", + "bracket", + "angle bracket", + "colon", + "comma", + "exclamation mark", + "exclamation point", + "hyphen", + "dash", + "parenthesis", + "period", + "point", + "full stop", + "stop", + "full point", + "suspension point", + "question mark", + "interrogation point", + "quotation mark", + "quote", + "inverted comma", + "single quote", + "double quotes", + "scare quote", + "semicolon", + "solidus", + "slash", + "virgule", + "diagonal", + "stroke", + "separatrix", + "swung dash", + "company name", + "domain name", + "trade name", + "brand name", + "brand", + "marque", + "label", + "recording label", + "trademark", + "authentication", + "hallmark", + "assay-mark", + "stamp", + "impression", + "imprint", + "embossment", + "imprint", + "revenue stamp", + "stamp", + "seal", + "phylactery", + "tefillin", + "white feather", + "scale", + "musical scale", + "flourish", + "fanfare", + "tucket", + "glissando", + "swoop", + "slide", + "gamut", + "roulade", + "tonic", + "keynote", + "supertonic", + "mediant", + "subdominant", + "dominant", + "submediant", + "subtonic", + "leading tone", + "pedal point", + "pedal", + "interval", + "musical interval", + "tone", + "whole tone", + "step", + "whole step", + "semitone", + "half step", + "quarter tone", + "quarter-tone", + "octave", + "musical octave", + "third", + "fourth", + "fifth", + "sixth", + "seventh", + "trill", + "shake", + "diatonic scale", + "ecclesiastical mode", + "Gregorian mode", + "church mode", + "medieval mode", + "Greek mode", + "major scale", + "major diatonic scale", + "minor scale", + "minor diatonic scale", + "chromatic scale", + "gapped scale", + "pentatonic scale", + "pentatone", + "mode", + "musical mode", + "staff", + "stave", + "staff line", + "space", + "ledger line", + "leger line", + "clef", + "treble clef", + "treble staff", + "G clef", + "bass clef", + "F clef", + "alto clef", + "viola clef", + "C clef", + "soprano clef", + "tenor clef", + "key signature", + "signature", + "key", + "tonality", + "atonality", + "atonalism", + "major key", + "major mode", + "minor key", + "minor mode", + "tonic key", + "home key", + "time signature", + "musical time signature", + "measure", + "bar", + "double bar", + "alla breve", + "rest", + "note", + "musical note", + "tone", + "slur", + "tie", + "C", + "C major", + "C major scale", + "scale of C major", + "sharp", + "double sharp", + "flat", + "double flat", + "natural", + "cancel", + "accidental", + "fermata", + "solmization", + "solmisation", + "tonic solfa", + "solfa", + "solfa syllable", + "do", + "doh", + "ut", + "re", + "ray", + "mi", + "fa", + "sol", + "soh", + "so", + "la", + "lah", + "ti", + "te", + "si", + "segno", + "sforzando", + "arpeggio", + "sforzando", + "middle C", + "chord", + "common chord", + "triad", + "seventh chord", + "passing note", + "passing tone", + "whole note", + "semibreve", + "whole rest", + "half note", + "minim", + "half rest", + "quarter note", + "crotchet", + "quarter rest", + "eighth note", + "quaver", + "sixteenth note", + "semiquaver", + "thirty-second note", + "demisemiquaver", + "sixty-fourth note", + "hemidemisemiquaver", + "grace note", + "appoggiatura", + "acciaccatura", + "singing voice", + "bass", + "bass voice", + "basso", + "basso profundo", + "baritone", + "baritone voice", + "tenor", + "tenor voice", + "countertenor", + "alto", + "contralto", + "alto", + "mezzo-soprano", + "mezzo", + "soprano", + "visual communication", + "visual signal", + "watch fire", + "light", + "traffic light", + "traffic signal", + "stoplight", + "green light", + "go-ahead", + "red light", + "red light", + "warning light", + "idiot light", + "yellow light", + "flare", + "flash", + "flag", + "signal flag", + "pennant", + "code flag", + "nautical signal flag", + "blue peter", + "sign language", + "signing", + "finger spelling", + "fingerspelling", + "ASL", + "American sign language", + "sign", + "gesture", + "motion", + "gesticulation", + "body language", + "beck", + "facial expression", + "facial gesture", + "gape", + "rictus", + "grimace", + "face", + "pout", + "moue", + "wry face", + "frown", + "scowl", + "simper", + "smile", + "smiling", + "grin", + "grinning", + "laugh", + "smirk", + "snarl", + "straight face", + "wink", + "wince", + "demonstration", + "demo", + "display", + "show", + "eye contact", + "big stick", + "gaudery", + "pomp", + "expression", + "manifestation", + "reflection", + "reflexion", + "exemplification", + "illustration", + "emblem", + "allegory", + "cupid", + "donkey", + "dove", + "eagle", + "elephant", + "fasces", + "national flag", + "ensign", + "hammer and sickle", + "red flag", + "Star of David", + "Shield of David", + "Magen David", + "Mogen David", + "Solomon's seal", + "badge", + "merit badge", + "insignia", + "Agnus Dei", + "Paschal Lamb", + "maple-leaf", + "medallion", + "spread eagle", + "swastika", + "Hakenkreuz", + "mantle", + "Crown", + "British Crown", + "caduceus", + "insignia of rank", + "shoulder flash", + "service stripe", + "hashmark", + "hash mark", + "identification", + "positive identification", + "negative identification", + "facial profiling", + "fingerprint", + "linguistic profiling", + "profiling", + "green card", + "ID", + "I.D.", + "personal identification number", + "PIN", + "PIN number", + "projection", + "display", + "acting out", + "array", + "screening", + "showing", + "viewing", + "preview", + "preview", + "prevue", + "trailer", + "sneak preview", + "sight", + "spectacle", + "ostentation", + "fanfare", + "flash", + "bravado", + "bluster", + "exhibitionism", + "ritz", + "splurge", + "pedantry", + "flourish", + "brandish", + "flourish", + "flourish", + "flourish", + "paraph", + "flaunt", + "presentation", + "unveiling", + "performance", + "public presentation", + "act", + "routine", + "number", + "turn", + "bit", + "show-stopper", + "showstopper", + "stopper", + "benefit", + "benefit concert", + "concert", + "rock concert", + "pianism", + "play reading", + "premiere", + "recital", + "rendition", + "rendering", + "song and dance", + "theatrical performance", + "theatrical", + "representation", + "histrionics", + "matinee", + "spectacular", + "world premiere", + "artificial language", + "Antido", + "Arulo", + "Basic English", + "Blaia Zimondal", + "Esperantido", + "Esperanto", + "Europan", + "Idiom Neutral", + "Interlingua", + "Ido", + "Latinesce", + "Latino", + "Latino sine flexione", + "Lingualumina", + "Lingvo Kosmopolita", + "Monario", + "Nov-Esperanto", + "Novial", + "Nov-Latin", + "Occidental", + "Optez", + "Pasigraphy", + "Ro", + "Romanal", + "Solresol", + "Volapuk", + "programming language", + "programing language", + "algebraic language", + "algorithmic language", + "application-oriented language", + "problem-oriented language", + "assembly language", + "command language", + "query language", + "search language", + "computer language", + "computer-oriented language", + "machine language", + "machine-oriented language", + "high-level language", + "job-control language", + "metalanguage", + "multidimensional language", + "object language", + "target language", + "object-oriented programming language", + "object-oriented programing language", + "Java", + "one-dimensional language", + "stratified language", + "syntax language", + "unstratified language", + "ALGOL", + "LISP", + "list-processing language", + "LISP program", + "Prolog", + "logic programing", + "logic programming", + "FORTRAN", + "FORTRAN program", + "COBOL", + "C", + "C program", + "BASIC", + "Pascal", + "upgrade", + "native language", + "indigenous language", + "substrate", + "substratum", + "superstrate", + "superstratum", + "natural language", + "tongue", + "mother tongue", + "maternal language", + "first language", + "tone language", + "tonal language", + "contour language", + "register language", + "creole", + "Haitian Creole", + "pidgin", + "Chinook Jargon", + "Oregon Jargon", + "Sango", + "lingua franca", + "interlanguage", + "koine", + "Amerind", + "Amerindian language", + "American-Indian language", + "American Indian", + "Indian", + "Algonquian", + "Algonquin", + "Algonquian language", + "Atakapa", + "Atakapan", + "Attacapa", + "Attacapan", + "Athapaskan", + "Athapascan", + "Athabaskan", + "Athabascan", + "Athapaskan language", + "Abnaki", + "Algonkian", + "Algonkin", + "Arapaho", + "Arapahoe", + "Biloxi", + "Blackfoot", + "Catawba", + "Cheyenne", + "Chiwere", + "Iowa", + "Ioway", + "Missouri", + "Oto", + "Otoe", + "Cree", + "Crow", + "Dakota", + "Delaware", + "Dhegiha", + "Fox", + "Hidatsa", + "Gros Ventre", + "Hunkpapa", + "Illinois", + "Haida", + "Kansa", + "Kansas", + "Kickapoo", + "Malecite", + "Maleseet", + "Massachuset", + "Massachusetts", + "Menomini", + "Menominee", + "Micmac", + "Mohican", + "Mahican", + "Nanticoke", + "Ofo", + "Oglala", + "Ogalala", + "Ojibwa", + "Ojibway", + "Chippewa", + "Omaha", + "Osage", + "Pamlico", + "Ponca", + "Ponka", + "Potawatomi", + "Powhatan", + "Quapaw", + "Shawnee", + "Alabama", + "Chickasaw", + "Choctaw", + "Chahta", + "Hitchiti", + "Koasati", + "Muskogee", + "Santee", + "Seminole", + "Tlingit", + "Tutelo", + "Winnebago", + "Muskhogean", + "Muskhogean language", + "Muskogean", + "Muskogean language", + "Na-Dene", + "Mosan", + "Chemakuan", + "Chemakum", + "Salish", + "Salishan", + "Skagit", + "Wakashan", + "Wakashan language", + "Kwakiutl", + "Nootka", + "Shoshone", + "Comanche", + "Hopi", + "Paiute", + "Ute", + "Shoshonean", + "Shoshonean language", + "Shoshonian", + "Shoshonian language", + "Caddo", + "Caddoan", + "Caddoan language", + "Arikara", + "Aricara", + "Pawnee", + "Wichita", + "Cherokee", + "Cayuga", + "Mohawk", + "Seneca", + "Oneida", + "Onondaga", + "Tuscarora", + "Iroquoian", + "Iroquois", + "Iroquoian language", + "Quechua", + "Quechuan", + "Quechuan language", + "Kechua", + "Kechuan", + "Guarani", + "Maraco", + "Maracan language", + "Tupi", + "Tupi-Guarani", + "Tupi-Guarani language", + "Arawak", + "Arawakan", + "Carib", + "Caribbean language", + "Eskimo-Aleut", + "Eskimo-Aleut language", + "Eskimo", + "Esquimau", + "Aleut", + "Uto-Aztecan", + "Uto-Aztecan language", + "Pima", + "Aztecan", + "Nahuatl", + "Cahita", + "Tatahumara", + "Zapotec", + "Zapotecan", + "Maya", + "Mayan", + "Mayan language", + "Apache", + "Chiricahua Apache", + "San Carlos Apache", + "Navaho", + "Navajo", + "Hupa", + "Mattole", + "Chipewyan", + "Chippewyan", + "Chippewaian", + "Siouan", + "Siouan language", + "Tanoan", + "Tanoan language", + "Kiowa", + "Hokan", + "Hoka", + "Chimariko", + "Esselen", + "Kulanapan", + "Pomo", + "Quoratean", + "Karok", + "Shastan", + "Achomawi", + "Atsugewi", + "Shasta", + "Yuman", + "Akwa'ala", + "Cochimi", + "Cocopa", + "Cocopah", + "Diegueno", + "Havasupai", + "Kamia", + "Kiliwa", + "Kiliwi", + "Maricopa", + "Mohave", + "Mojave", + "Walapai", + "Hualapai", + "Hualpai", + "Yavapai", + "Yuma", + "Yanan", + "Yahi", + "Yana", + "Penutian", + "Copehan", + "Patwin", + "Wintun", + "Costanoan", + "Mariposan", + "Yokuts", + "Moquelumnan", + "Miwok", + "Pujunan", + "Maidu", + "Chinookan", + "Chinook", + "Kalapooian", + "Kalapuyan", + "Kusan", + "Shahaptian", + "Sahaptin", + "Nez Perce", + "Takilman", + "Takelma", + "Tsimshian", + "Kekchi", + "Mam", + "Yucatec", + "Yucateco", + "Quiche", + "Cakchiquel", + "Altaic", + "Altaic language", + "Turki", + "Turkic", + "Turko-Tatar", + "Turkic language", + "Turkish", + "Turkmen", + "Turkoman", + "Turcoman", + "Azerbaijani", + "Kazak", + "Kazakh", + "Tatar", + "Uzbek", + "Uzbeg", + "Uzbak", + "Usbek", + "Usbeg", + "Uighur", + "Uigur", + "Uygur", + "Yakut", + "Kirghiz", + "Kirgiz", + "Khirghiz", + "Karakalpak", + "Chuvash", + "Chagatai", + "Jagatai", + "Jaghatai", + "Eastern Turki", + "Chukchi", + "Chukchi language", + "Tungusic", + "Tungusic language", + "Tungus", + "Tunguz", + "Evenki", + "Ewenki", + "Manchu", + "Mongolian", + "Mongolic", + "Mongolic language", + "Khalkha", + "Khalka", + "Kalka", + "Korean", + "Japanese", + "Ryukyuan", + "Sinitic", + "Sinitic language", + "Chinese", + "Mandarin", + "Mandarin Chinese", + "Mandarin dialect", + "Beijing dialect", + "Wu", + "Wu dialect", + "Shanghai dialect", + "Yue", + "Yue dialect", + "Cantonese", + "Cantonese dialect", + "Min", + "Min dialect", + "Fukien", + "Fukkianese", + "Hokkianese", + "Amoy", + "Taiwanese", + "Hakka", + "Hakka dialect", + "Sino-Tibetan", + "Sino-Tibetan language", + "Tibeto-Burman", + "Tibeto-Burman language", + "Qiang", + "Qiangic", + "Bai", + "Baic", + "Himalayish", + "Kamarupan", + "Karen", + "Karenic", + "Lolo-Burmese", + "Burmese-Yi", + "Burmese", + "Loloish", + "Lisu", + "Hani", + "Akha", + "Lahu", + "Lolo", + "Yi", + "Kachin", + "Kachinic", + "Jinghpo", + "Jinghpaw", + "Chingpo", + "Kuki", + "Chin", + "Kuki-Chin", + "Naga", + "Mikir-Meithei", + "Bodo-Garo", + "Barish", + "Miri", + "Mirish", + "Abor", + "Dafla", + "Tibetan", + "Newari", + "Kadai", + "Kam-Tai", + "Kadai language", + "Kam-Sui", + "Tai", + "White Tai", + "Red Tai", + "Tai Dam", + "Black Tai", + "Tai Nuea", + "Chinese Shan", + "Dehong Dai", + "Tai Long", + "Shan", + "Tai Lue", + "Xishuangbanna Dai", + "Tai Yuan", + "Kam Muang", + "Khuen", + "Lao", + "Khamti", + "Southern Tai", + "Tay", + "Nung", + "Tho", + "Thai", + "Siamese", + "Central Thai", + "Bouyei", + "Buyi", + "Zhuang", + "Yay", + "Saek", + "Austro-Asiatic", + "Austro-Asiatic language", + "Munda-Mon-Khmer", + "Munda", + "Mon-Khmer", + "Hmong", + "Hmong language", + "Miao", + "Vietnamese", + "Annamese", + "Annamite", + "Khmer", + "Mon", + "Austronesian", + "Austronesian language", + "Malayo-Polynesian", + "Polynesian", + "Oceanic", + "Eastern Malayo-Polynesian", + "Tongan", + "Tahitian", + "Maori", + "Hawaiian", + "Fijian", + "Western Malayo-Polynesian", + "Malay", + "Malaysian", + "Bahasa Malaysia", + "Bahasa Melayu", + "Bahasa Kebangsaan", + "Indonesian", + "Bahasa Indonesia", + "Bahasa", + "Javanese", + "Sundanese", + "Balinese", + "Philippine", + "Filipino", + "Tagalog", + "Cebuan", + "Cebuano", + "Australian", + "Aboriginal Australian", + "Dyirbal", + "Jirrbal", + "Walbiri", + "Warlpiri", + "Formosan", + "Tayalic", + "Atayalic", + "Tsouic", + "Paiwanic", + "Papuan", + "Papuan language", + "Khoisan", + "Khoisan language", + "Khoikhoin", + "Khoikhoi", + "Hottentot", + "Indo-European", + "Indo-European language", + "Indo-Hittite", + "Proto-Indo European", + "PIE", + "Albanian", + "Gheg", + "Gheg dialect", + "Tosk", + "Tosk dialect", + "Armenian", + "Armenian language", + "Illyrian", + "Thraco-Phrygian", + "Thracian", + "Phrygian", + "Balto-Slavic", + "Balto-Slavic language", + "Balto-Slavonic", + "Slavic", + "Slavic language", + "Slavonic", + "Slavonic language", + "Old Church Slavonic", + "Old Church Slavic", + "Church Slavic", + "Old Bulgarian", + "Russian", + "Belarusian", + "Byelorussian", + "White Russian", + "Ukrainian", + "Polish", + "Slovak", + "Czech", + "Slovene", + "Serbo-Croat", + "Serbo-Croatian", + "Sorbian", + "Lusatian", + "Macedonian", + "Bulgarian", + "Baltic", + "Baltic language", + "Old Prussian", + "Lithuanian", + "Latvian", + "Lettish", + "Germanic", + "Germanic language", + "West Germanic", + "West Germanic language", + "English", + "English language", + "American English", + "American language", + "American", + "African American Vernacular English", + "AAVE", + "African American English", + "Black English", + "Black English Vernacular", + "Black Vernacular", + "Black Vernacular English", + "Ebonics", + "cockney", + "geordie", + "King's English", + "Queen's English", + "Received Pronunciation", + "Middle English", + "East Midland", + "West Midland", + "Northern", + "Kentish", + "Southwestern", + "West Saxon", + "Modern English", + "Old English", + "Anglo-Saxon", + "West Saxon", + "Anglian", + "Kentish", + "Jutish", + "Oxford English", + "Scottish", + "Scots", + "Scots English", + "Lallans", + "Scottish Lallans", + "German", + "High German", + "German language", + "Old High German", + "Middle High German", + "Yiddish", + "Pennsylvania Dutch", + "Low German", + "Plattdeutsch", + "Old Saxon", + "Middle Low German", + "Dutch", + "Flemish", + "Flemish dialect", + "Afrikaans", + "Taal", + "South African Dutch", + "Proto-Norse", + "Old Norse", + "Old Icelandic", + "Edda", + "Scandinavian", + "Scandinavian language", + "Nordic", + "Norse", + "North Germanic", + "North Germanic language", + "Danish", + "Icelandic", + "Norwegian", + "Bokmal", + "Bokmaal", + "Dano-Norwegian", + "Riksmal", + "Riksmaal", + "Nynorsk", + "New Norwegian", + "Landsmal", + "Landsmaal", + "Swedish", + "Faroese", + "Faeroese", + "Frisian", + "Old Frisian", + "East Germanic", + "East Germanic language", + "Gothic", + "Ural-Altaic", + "Uralic", + "Uralic language", + "Finno-Ugric", + "Finno-Ugrian", + "Fennic", + "Finnic", + "Non-Ugric", + "Udmurt", + "Votyak", + "Permic", + "Komi", + "Zyrian", + "Volgaic", + "Cheremis", + "Cheremiss", + "Mari", + "Mordva", + "Mordvin", + "Mordvinian", + "Baltic-Finnic", + "Livonian", + "Estonian", + "Esthonian", + "Karelian", + "Carelian", + "Ludian", + "Finnish", + "Suomi", + "Veps", + "Vepse", + "Vepsian", + "Ingrian", + "Ugric", + "Ugrian", + "Hungarian", + "Magyar", + "Khanty", + "Ostyak", + "Mansi", + "Vogul", + "Lappic", + "Lappish", + "Lapp", + "Sami", + "Saami", + "Same", + "Saame", + "Samoyedic", + "Samoyed", + "Nenets", + "Nentsi", + "Nentsy", + "Yurak-Samoyed", + "Enets", + "Entsi", + "Entsy", + "Yenisei", + "Yenisei-Samoyed", + "Yeniseian", + "Nganasan", + "Selkup", + "Ostyak-Samoyed", + "Celtic", + "Celtic language", + "Gaelic", + "Goidelic", + "Erse", + "Irish", + "Irish Gaelic", + "Old Irish", + "Middle Irish", + "Scottish Gaelic", + "Scots Gaelic", + "Manx", + "Brythonic", + "Brittanic", + "Welsh", + "Cymric", + "Cornish", + "Breton", + "Italic", + "Italic language", + "Osco-Umbrian", + "Umbrian", + "Oscan", + "Sabellian", + "Latin", + "Old Latin", + "classical Latin", + "Low Latin", + "Vulgar Latin", + "Late Latin", + "Biblical Latin", + "Medieval Latin", + "Neo-Latin", + "New Latin", + "Romance", + "Romance language", + "Latinian language", + "Italian", + "Old Italian", + "Sardinian", + "Tuscan", + "French", + "Langue d'oil", + "Langue d'oil French", + "Langue d'oc", + "Langue d'oc French", + "Old French", + "Norman-French", + "Norman French", + "Old North French", + "Anglo-French", + "Anglo-Norman", + "Canadian French", + "Walloon", + "Provencal", + "Occitan", + "Portuguese", + "Galician", + "Basque", + "Spanish", + "Castilian", + "Judeo-Spanish", + "Ladino", + "Mexican Spanish", + "Catalan", + "Rhaeto-Romance", + "Rhaeto-Romanic", + "Friulian", + "Friuli", + "Ladin", + "Romansh", + "Rumansh", + "Romanian", + "Rumanian", + "Elamitic", + "Elamite", + "Susian", + "Kassite", + "Cassite", + "Tocharian", + "Turfan", + "East Tocharian", + "Turfan dialect", + "Kuchean", + "West Tocharian", + "Kuchean dialect", + "Sanskrit", + "Sanskritic language", + "Sindhi", + "Romany", + "Gypsy", + "Urdu", + "Hindi", + "Hindustani", + "Hindoostani", + "Hindostani", + "Bihari", + "Magadhan", + "Assamese", + "Asamiya", + "Bengali", + "Bangla", + "Oriya", + "Marathi", + "Mahratti", + "Gujarati", + "Gujerati", + "Punjabi", + "Panjabi", + "Sinhalese", + "Singhalese", + "Sinhala", + "Indo-Iranian", + "Indo-Iranian language", + "Indic", + "Indo-Aryan", + "Dard", + "Dardic", + "Dardic language", + "Shina", + "Khowar", + "Kafiri", + "Kashmiri", + "Nepali", + "Prakrit", + "Pali", + "Prakrit", + "Iranian", + "Iranian language", + "Avestan", + "Zend", + "Gathic", + "Persian", + "Farsi", + "Dari", + "Dari Persian", + "Tajiki", + "Tajik", + "Tadzhik", + "Kurdish", + "Balochi", + "Baluchi", + "Pahlavi", + "Pehlevi", + "Parthian", + "Pashto", + "Pashtu", + "Paxto", + "Afghani", + "Afghan", + "Ossete", + "Scythian", + "Anatolian", + "Anatolian language", + "Hittite", + "Lycian", + "Luwian", + "Luvian", + "Lydian", + "Palaic", + "Greek", + "Hellenic", + "Hellenic language", + "Modern Greek", + "New Greek", + "Romaic", + "Demotic", + "Katharevusa", + "Late Greek", + "Medieval Greek", + "Middle Greek", + "Byzantine Greek", + "Koine", + "Ancient Greek", + "Attic", + "Ionic", + "Ionic dialect", + "Classical Greek", + "Aeolic", + "Aeolic dialect", + "Eolic", + "Arcadic", + "Arcadic dialect", + "Doric", + "Doric dialect", + "Caucasian", + "Caucasian language", + "Chechen", + "Circassian", + "Abkhazian", + "Abkhasian", + "Georgian", + "Ubykh", + "Dravidian", + "Dravidic", + "Dravidian language", + "South Dravidian", + "Irula", + "Kota", + "Kotar", + "Toda", + "Badaga", + "Kannada", + "Kanarese", + "Tulu", + "Malayalam", + "Tamil", + "South-Central Dravidian", + "Telugu", + "Savara", + "Gondi", + "Pengo", + "Manda", + "Kui", + "Kuvi", + "Central Dravidian", + "Kolami", + "Naiki", + "Parji", + "Ollari", + "Gadaba", + "North Dravidian", + "Kurux", + "Malto", + "Brahui", + "Hausa", + "Haussa", + "Bole", + "Bolanci", + "Angas", + "Ron", + "Bokkos", + "Daffo", + "Bade", + "Warji", + "Zaar", + "Sayanci", + "West Chadic", + "Tera", + "Pidlimdi", + "Yamaltu", + "Bura", + "Pabir", + "Higi", + "Kapsiki", + "Mandara", + "Wandala", + "Matakam", + "Mafa", + "Sukur", + "Daba", + "Kola", + "Musgoi", + "Bata", + "Kotoko", + "Musgu", + "Munjuk", + "Mulwi", + "Gidar", + "Biu-Mandara", + "Somrai", + "Sibine", + "Nancere", + "Kera", + "Dangla", + "Dangaleat", + "Mokulu", + "Sokoro", + "East Chadic", + "Masa", + "Chad", + "Chadic", + "Chadic language", + "Afroasiatic", + "Afro-Asiatic", + "Afroasiatic language", + "Afrasian", + "Afrasian language", + "Hamito-Semitic", + "Semitic", + "Hebrew", + "Modern Hebrew", + "Akkadian", + "Assyrian Akkadian", + "Assyrian", + "Amharic", + "Ethiopian language", + "Arabic", + "Arabic language", + "Aramaic", + "Biblical Aramaic", + "Assyrian Neo-Aramaic", + "Assyrian", + "Mandaean", + "Mandean", + "Maltese", + "Maltese language", + "Malti", + "Canaanitic", + "Canaanitic language", + "Canaanite", + "Phoenician", + "Punic", + "Ugaritic", + "Hamitic", + "Hamitic language", + "Egyptian", + "Demotic", + "Demotic script", + "Coptic", + "Berber", + "Tuareg", + "Cushitic", + "Somali", + "Omotic", + "Niger-Kordofanian", + "Niger-Kordofanian language", + "Kordofanian", + "Niger-Congo", + "Bantu", + "Bantoid language", + "Chichewa", + "ChiMwini", + "Chishona", + "Fang", + "Gikuyu", + "Giriama", + "Herero", + "Kamba", + "Kichaga", + "Chaga", + "Chagga", + "Kinyarwanda", + "Kiswahili", + "Kongo", + "Luba", + "Tshiluba", + "LuGanda", + "Luyia", + "Mashi", + "Mwera", + "Nguni", + "Ndebele", + "Matabele", + "Swazi", + "Xhosa", + "Zulu", + "Nyamwezi", + "Pokomo", + "Shona", + "Sotho", + "Umbundu", + "Sesotho", + "Basuto", + "Tswana", + "Setswana", + "Sechuana", + "Swahili", + "Tonga", + "Gur", + "Voltaic", + "West African", + "Fula", + "Ful", + "Fulani", + "Peul", + "Serer", + "Wolof", + "Mande", + "Kwa", + "Yoruba", + "Aku", + "Akan", + "Ewe", + "Nilo-Saharan", + "Nilo-Saharan language", + "Chari-Nile", + "Nilotic", + "Nilotic language", + "Dinka", + "Luo", + "Masai", + "Saharan", + "Songhai", + "artwork", + "art", + "graphics", + "nontextual matter", + "graphic design", + "illustration", + "picture", + "pictorial matter", + "figure", + "fig", + "chart", + "plot", + "graph", + "graphical record", + "frequency-response curve", + "frequency-response characteristic", + "curve", + "characteristic curve", + "characterisic function", + "organization chart", + "color chart", + "color circle", + "color wheel", + "bar chart", + "bar graph", + "histogram", + "eye chart", + "flip chart", + "pie chart", + "star chart", + "profile", + "population profile", + "tabulation", + "tabular matter", + "drawing", + "comic strip", + "cartoon strip", + "strip", + "funnies", + "frame", + "ballistocardiogram", + "echoencephalogram", + "echocardiogram", + "electrocardiogram", + "cardiogram", + "EKG", + "ECG", + "electroencephalogram", + "encephalogram", + "EEG", + "electromyogram", + "EMG", + "electroretinogram", + "Laffer curve", + "learning curve", + "myogram", + "radiation pattern", + "radiation diagram", + "pattern", + "lobe", + "major lobe", + "tachogram", + "thermogram", + "dramaturgy", + "dramatic art", + "dramatics", + "theater", + "theatre", + "stage", + "production", + "theatrical production", + "staging", + "coup de theatre", + "coup de theatre", + "summer stock", + "dramatic composition", + "dramatic work", + "play", + "drama", + "dramatic play", + "afterpiece", + "fragment", + "Grand Guignol", + "hiatus", + "snatch", + "bit", + "theater of the absurd", + "prologue", + "playlet", + "act", + "scene", + "script", + "book", + "playscript", + "promptbook", + "prompt copy", + "continuity", + "dialogue", + "dialog", + "duologue", + "actor's line", + "speech", + "words", + "aside", + "cue", + "monologue", + "soliloquy", + "throwaway", + "prompt", + "prompting", + "libretto", + "scenario", + "screenplay", + "shooting script", + "line", + "line", + "orphan", + "spiel", + "patter", + "line of gab", + "string", + "string of words", + "word string", + "linguistic string", + "substring", + "act", + "lipogram", + "effusion", + "gush", + "outburst", + "blowup", + "ebullition", + "acting out", + "cry", + "explosion", + "flare", + "collocation", + "high-five", + "closet drama", + "comedy", + "black comedy", + "commedia dell'arte", + "dark comedy", + "farce", + "farce comedy", + "travesty", + "high comedy", + "low comedy", + "melodrama", + "seriocomedy", + "tragicomedy", + "tragedy", + "tragicomedy", + "situation comedy", + "sitcom", + "special", + "situation comedy", + "sitcom", + "slapstick", + "burlesque", + "exode", + "miracle play", + "morality play", + "mystery play", + "Passion play", + "satyr play", + "play", + "musical", + "musical comedy", + "musical theater", + "curtain raiser", + "galanty show", + "shadow show", + "shadow play", + "puppet show", + "puppet play", + "minstrel show", + "revue", + "review", + "follies", + "Ziegfeld Follies", + "variety show", + "variety", + "vaudeville", + "music hall", + "dance", + "choreography", + "music", + "pizzicato", + "monophony", + "monophonic music", + "monody", + "polyphony", + "polyphonic music", + "concerted music", + "polytonality", + "polytonalism", + "popularism", + "counterpoint", + "black music", + "African-American music", + "classical music", + "classical", + "serious music", + "chamber music", + "opera", + "comic opera", + "opera bouffe", + "bouffe", + "opera comique", + "grand opera", + "musical drama", + "operetta", + "light opera", + "harmony", + "musical harmony", + "harmonization", + "harmonisation", + "reharmonization", + "reharmonisation", + "four-part harmony", + "preparation", + "resolution", + "tune", + "melody", + "air", + "strain", + "melodic line", + "line", + "melodic phrase", + "leitmotiv", + "leitmotif", + "theme song", + "signature", + "signature tune", + "theme song", + "theme", + "melodic theme", + "musical theme", + "idea", + "obbligato", + "obligato", + "motif", + "motive", + "statement", + "variation", + "inversion", + "augmentation", + "diminution", + "part", + "voice", + "part music", + "homophony", + "primo", + "secondo", + "voice part", + "canto", + "accompaniment", + "musical accompaniment", + "backup", + "support", + "descant", + "discant", + "vamp", + "bass", + "bass part", + "ground bass", + "figured bass", + "basso continuo", + "continuo", + "thorough bass", + "crossover", + "religious music", + "church music", + "antiphon", + "antiphony", + "gradual", + "Mass", + "Mass", + "Requiem", + "Shema", + "processional", + "prosodion", + "antiphonary", + "antiphonal", + "chant", + "Hallel", + "Hare Krishna", + "plainsong", + "plainchant", + "Gregorian chant", + "cantus firmus", + "religious song", + "spiritual", + "Negro spiritual", + "carol", + "Christmas carol", + "hymn", + "anthem", + "doxology", + "chorale", + "choral", + "canticle", + "Dies Irae", + "hymeneal", + "Internationale", + "paean", + "pean", + "Magnificat", + "recessional", + "Te Deum", + "musical composition", + "opus", + "composition", + "piece", + "piece of music", + "musical arrangement", + "arrangement", + "orchestration", + "instrumental music", + "instrumentation", + "realization", + "realisation", + "recapitulation", + "finale", + "coda", + "intermezzo", + "allegro", + "allegretto", + "andante", + "intermezzo", + "introit", + "prelude", + "chorale prelude", + "overture", + "solo", + "voluntary", + "postlude", + "duet", + "duette", + "duo", + "trio", + "quartet", + "quartette", + "quintet", + "quintette", + "sextet", + "sextette", + "sestet", + "septet", + "septette", + "octet", + "octette", + "cantata", + "oratorio", + "Messiah", + "bagatelle", + "divertimento", + "serenade", + "keen", + "canon", + "enigma canon", + "enigmatic canon", + "enigmatical canon", + "riddle canon", + "concerto", + "concerto grosso", + "etude", + "fugue", + "pastorale", + "pastoral", + "idyll", + "idyl", + "rondo", + "rondeau", + "sonata", + "piano sonata", + "toccata", + "fantasia", + "sonatina", + "symphony", + "symphonic music", + "passage", + "musical passage", + "intro", + "phrase", + "musical phrase", + "ligature", + "ostinato", + "riff", + "cadence", + "plagal cadence", + "amen cadence", + "cadenza", + "movement", + "largo", + "larghetto", + "scherzo", + "suite", + "partita", + "partita", + "symphonic poem", + "tone poem", + "medley", + "potpourri", + "pastiche", + "nocturne", + "notturno", + "adagio", + "song", + "vocal", + "study", + "antiphony", + "anthem", + "national anthem", + "Marseillaise", + "The Star-Spangled Banner", + "aria", + "arietta", + "short aria", + "ballad", + "lay", + "minstrelsy", + "barcarole", + "barcarolle", + "chantey", + "chanty", + "sea chantey", + "shanty", + "refrain", + "chorus", + "tra-la", + "tra-la-la", + "ditty", + "dirge", + "coronach", + "lament", + "requiem", + "threnody", + "drinking song", + "folk song", + "folksong", + "folk ballad", + "blues", + "fado", + "blue note", + "lied", + "love song", + "love-song", + "lullaby", + "cradlesong", + "berceuse", + "lyric", + "words", + "language", + "stanza", + "love lyric", + "oldie", + "golden oldie", + "partsong", + "madrigal", + "round", + "troll", + "prothalamion", + "prothalamium", + "roundelay", + "scolion", + "banquet song", + "serenade", + "torch song", + "work song", + "shivaree", + "chivaree", + "charivari", + "callithump", + "callathump", + "belling", + "ballet", + "dance music", + "beguine", + "bolero", + "carioca", + "conga", + "flamenco", + "gavotte", + "habanera", + "hornpipe", + "jig", + "gigue", + "landler", + "mazurka", + "minuet", + "paso doble", + "pavane", + "pavan", + "polka", + "quadrille", + "reel", + "rumba", + "rhumba", + "samba", + "saraband", + "schottische", + "serialism", + "serial music", + "syncopation", + "twelve-tone music", + "12-tone music", + "twelve-tone system", + "12-tone system", + "tango", + "tarantella", + "techno", + "waltz", + "marching music", + "march", + "military march", + "military music", + "martial music", + "quickstep", + "pibroch", + "processional march", + "recessional march", + "funeral march", + "dead march", + "wedding march", + "popular music", + "popular music genre", + "disco", + "disco music", + "macumba", + "pop music", + "pop", + "folk music", + "ethnic music", + "folk", + "country music", + "country and western", + "C and W", + "dance music", + "danceroom music", + "ballroom music", + "ragtime", + "rag", + "jazz", + "kwela", + "gospel", + "gospel singing", + "doo-wop", + "soul", + "bluegrass", + "hillbilly music", + "square-dance music", + "zydeco", + "jazz", + "bop", + "bebop", + "boogie", + "boogie-woogie", + "cool jazz", + "funk", + "hot jazz", + "modern jazz", + "new jazz", + "neo jazz", + "rap", + "rap music", + "hip-hop", + "rhythm and blues", + "R and B", + "rockabilly", + "rock 'n' roll", + "rock'n'roll", + "rock-and-roll", + "rock and roll", + "rock", + "rock music", + "heavy metal", + "heavy metal music", + "progressive rock", + "art rock", + "psychedelic rock", + "acid rock", + "punk rock", + "punk", + "trad", + "swing", + "swing music", + "jive", + "reggae", + "skiffle", + "expressive style", + "style", + "address", + "catch", + "analysis", + "bathos", + "black humor", + "black humour", + "Gongorism", + "conceit", + "development", + "device", + "doctorspeak", + "ecobabble", + "eloquence", + "fluency", + "smoothness", + "euphuism", + "Eurobabble", + "flatness", + "formulation", + "expression", + "gobbledygook", + "grandiosity", + "magniloquence", + "ornateness", + "grandiloquence", + "rhetoric", + "headlinese", + "honorific", + "jargon", + "journalese", + "legalese", + "manner of speaking", + "speech", + "delivery", + "music genre", + "musical genre", + "genre", + "musical style", + "officialese", + "pathos", + "prose", + "psychobabble", + "rhetoric", + "saltiness", + "coarseness", + "self-expression", + "articulation", + "voice", + "archaism", + "archaicism", + "boilerplate", + "colloquialism", + "mot juste", + "verbalization", + "verbalisation", + "verbalization", + "verbalisation", + "parlance", + "idiom", + "Americanism", + "Anglicism", + "Briticism", + "Britishism", + "Gallicism", + "wording", + "diction", + "phrasing", + "phraseology", + "choice of words", + "verbiage", + "paralanguage", + "paralinguistic communication", + "tongue", + "sharp tongue", + "shibboleth", + "tone", + "tone of voice", + "note", + "roundness", + "rotundity", + "undertone", + "elocution", + "barrage", + "bombardment", + "outpouring", + "onslaught", + "prosody", + "inflection", + "modulation", + "inflection", + "intonation", + "modulation", + "pitch contour", + "intonation pattern", + "monotone", + "drone", + "droning", + "monotone", + "singsong", + "caesura", + "enjambment", + "enjambement", + "stress", + "emphasis", + "accent", + "accentuation", + "tonic accent", + "pitch accent", + "word stress", + "word accent", + "sentence stress", + "rhythm", + "speech rhythm", + "rhythm", + "beat", + "musical rhythm", + "backbeat", + "downbeat", + "upbeat", + "offbeat", + "syncopation", + "recitative", + "arioso", + "transition", + "modulation", + "bombast", + "fustian", + "rant", + "claptrap", + "blah", + "sesquipedality", + "sensationalism", + "luridness", + "technobabble", + "terseness", + "turn of phrase", + "turn of expression", + "conceit", + "conciseness", + "concision", + "pithiness", + "succinctness", + "crispness", + "brevity", + "laconism", + "laconicism", + "vein", + "verboseness", + "verbosity", + "verbiage", + "verbalism", + "prolixity", + "prolixness", + "windiness", + "long-windedness", + "wordiness", + "circumlocution", + "periphrasis", + "ambage", + "turgidity", + "turgidness", + "flatulence", + "repetitiveness", + "repetitiousness", + "redundancy", + "pleonasm", + "tautology", + "tautology", + "abbreviation", + "apocope", + "acronym", + "writing style", + "literary genre", + "genre", + "form", + "poetry", + "poesy", + "verse", + "heroic poetry", + "epic poetry", + "poetry", + "versification", + "versification", + "versification", + "poetic rhythm", + "rhythmic pattern", + "prosody", + "meter", + "metre", + "measure", + "beat", + "cadence", + "catalexis", + "scansion", + "sprung rhythm", + "common measure", + "common meter", + "metrical foot", + "foot", + "metrical unit", + "dactyl", + "iamb", + "iambus", + "anapest", + "anapaest", + "amphibrach", + "trochee", + "spondee", + "pyrrhic", + "dibrach", + "tetrameter", + "pentameter", + "hexameter", + "octameter", + "octosyllable", + "decasyllable", + "rhyme", + "rime", + "internal rhyme", + "alliteration", + "initial rhyme", + "beginning rhyme", + "head rhyme", + "assonance", + "vowel rhyme", + "consonance", + "consonant rhyme", + "double rhyme", + "rhyme royal", + "ottava rima", + "eye rhyme", + "rhetorical device", + "anacoluthia", + "anacoluthon", + "asyndeton", + "repetition", + "anadiplosis", + "reduplication", + "epanalepsis", + "epanodos", + "epanodos", + "epiphora", + "epistrophe", + "gemination", + "ploce", + "polyptoton", + "epanaphora", + "anaphora", + "anaphora", + "symploce", + "anastrophe", + "inversion", + "antiphrasis", + "antithesis", + "antinomasia", + "apophasis", + "aposiopesis", + "apostrophe", + "catachresis", + "chiasmus", + "climax", + "conversion", + "dramatic irony", + "ecphonesis", + "exclamation", + "emphasis", + "enallage", + "epanorthosis", + "epiplexis", + "hendiadys", + "hypallage", + "hyperbaton", + "hypozeugma", + "hypozeuxis", + "hysteron proteron", + "litotes", + "meiosis", + "onomatopoeia", + "paralepsis", + "paraleipsis", + "paralipsis", + "preterition", + "paregmenon", + "polysyndeton", + "prolepsis", + "wellerism", + "trope", + "figure of speech", + "figure", + "image", + "conceit", + "irony", + "hyperbole", + "exaggeration", + "kenning", + "metaphor", + "dead metaphor", + "frozen metaphor", + "mixed metaphor", + "synesthetic metaphor", + "metonymy", + "metalepsis", + "oxymoron", + "personification", + "prosopopoeia", + "simile", + "synecdoche", + "syllepsis", + "zeugma", + "auditory communication", + "speech", + "speech communication", + "spoken communication", + "spoken language", + "language", + "voice communication", + "oral communication", + "words", + "utterance", + "vocalization", + "speech", + "voice", + "vocalization", + "vocalisation", + "vocalism", + "phonation", + "vox", + "phone", + "speech sound", + "sound", + "morphophoneme", + "phoneme", + "allophone", + "ablaut", + "grade", + "gradation", + "diphthong", + "vowel", + "vowel sound", + "accentual system", + "prosodic system", + "consonant system", + "consonantal system", + "morphophonemic system", + "phonemic system", + "phonological system", + "phonologic system", + "syllabicity", + "tense system", + "tone system", + "tonal system", + "vowel system", + "vocalism", + "schwa", + "shwa", + "murmur vowel", + "murmur", + "stem vowel", + "thematic vowel", + "semivowel", + "glide", + "palatal", + "vowel", + "vowel point", + "consonant", + "consonant", + "alveolar consonant", + "dental consonant", + "alveolar", + "dental", + "obstruent", + "stop consonant", + "stop", + "occlusive", + "plosive consonant", + "plosive speech sound", + "plosive", + "implosion", + "plosion", + "explosion", + "affrication", + "aspirate", + "aspiration", + "labial consonant", + "labial", + "labiodental consonant", + "labiodental", + "bilabial", + "labial stop", + "glottal stop", + "glottal plosive", + "glottal catch", + "epenthesis", + "nasalization", + "nasalisation", + "suction stop", + "click", + "continuant consonant", + "continuant", + "fricative consonant", + "fricative", + "spirant", + "sibilant", + "sibilant consonant", + "affricate", + "affricate consonant", + "affricative", + "nasal consonant", + "nasal", + "orinasal phone", + "orinasal", + "lingual", + "liquid", + "geminate", + "surd", + "voiceless consonant", + "velar", + "velar consonant", + "guttural", + "guttural consonant", + "pharyngeal", + "pharyngeal consonant", + "sonant", + "voiced sound", + "cry", + "outcry", + "call", + "yell", + "shout", + "vociferation", + "cry", + "yell", + "bellow", + "bellowing", + "holla", + "holler", + "hollering", + "hollo", + "holloa", + "roar", + "roaring", + "yowl", + "blue murder", + "catcall", + "clamor", + "clamoring", + "clamour", + "clamouring", + "hue and cry", + "halloo", + "hoot", + "hosanna", + "noise", + "scream", + "screaming", + "shriek", + "shrieking", + "screech", + "screeching", + "whoop", + "war cry", + "war whoop", + "rallying cry", + "battle cry", + "yelling", + "shouting", + "yodel", + "boo", + "hoot", + "Bronx cheer", + "hiss", + "raspberry", + "razzing", + "razz", + "snort", + "bird", + "blasphemy", + "obscenity", + "smut", + "vulgarism", + "filth", + "dirty word", + "bawdry", + "bawdy", + "scatology", + "curse", + "curse word", + "expletive", + "oath", + "swearing", + "swearword", + "cuss", + "croak", + "croaking", + "exclamation", + "exclaiming", + "devil", + "deuce", + "dickens", + "ejaculation", + "interjection", + "expostulation", + "expletive", + "groan", + "moan", + "hem", + "ahem", + "howl", + "howling", + "ululation", + "laugh", + "laughter", + "mumble", + "cachinnation", + "cackle", + "chortle", + "chuckle", + "giggle", + "guffaw", + "belly laugh", + "hee-haw", + "horselaugh", + "ha-ha", + "haw-haw", + "snicker", + "snort", + "snigger", + "titter", + "paging", + "profanity", + "pronunciation", + "orthoepy", + "pronunciation", + "sibilation", + "assibilation", + "exultation", + "rejoicing", + "jubilation", + "sigh", + "suspiration", + "snarl", + "speaking", + "speech production", + "speech", + "sputter", + "splutter", + "whisper", + "whispering", + "susurration", + "voicelessness", + "stage whisper", + "rasp", + "rasping", + "mispronunciation", + "homograph", + "homophone", + "homophony", + "accent", + "speech pattern", + "drawl", + "articulation", + "retroflection", + "retroflexion", + "enunciation", + "diction", + "mumbling", + "syncope", + "syncopation", + "sandhi", + "thickness", + "tongue twister", + "trill", + "conversation", + "crossfire", + "phatic speech", + "phatic communication", + "intercourse", + "social intercourse", + "communion", + "sharing", + "exchange", + "chat", + "confab", + "confabulation", + "schmooze", + "schmoose", + "chitchat", + "chit-chat", + "chit chat", + "small talk", + "gab", + "gabfest", + "gossip", + "tittle-tattle", + "chin wag", + "chin-wag", + "chin wagging", + "chin-wagging", + "causerie", + "gossiping", + "gossipmongering", + "scandalmongering", + "talk", + "talking", + "cant", + "pious platitude", + "dialogue", + "dialog", + "duologue", + "heart-to-heart", + "shmooze", + "shop talk", + "wind", + "malarkey", + "malarky", + "idle words", + "jazz", + "nothingness", + "yak", + "yack", + "yakety-yak", + "chatter", + "cackle", + "prate", + "prattle", + "idle talk", + "blether", + "chin music", + "nothings", + "sweet nothings", + "honeyed words", + "commerce", + "colloquy", + "detail", + "dilation", + "discussion", + "treatment", + "discourse", + "indirect discourse", + "direct discourse", + "direct quotation", + "consideration", + "expatiation", + "talk", + "reconsideration", + "exhortation", + "expression", + "verbal expression", + "verbalism", + "cold turkey", + "congratulation", + "felicitation", + "discussion", + "give-and-take", + "word", + "argument", + "argumentation", + "debate", + "logomachy", + "parley", + "rap", + "rap session", + "second-hand speech", + "table talk", + "telephone conversation", + "tete-a-tete", + "pillow talk", + "deliberation", + "conference", + "group discussion", + "bull session", + "colloquy", + "consultation", + "sidebar", + "consultation", + "audience", + "interview", + "panel discussion", + "postmortem", + "post-mortem", + "public discussion", + "ventilation", + "huddle", + "powwow", + "backgrounder", + "press conference", + "news conference", + "pretrial", + "pretrial conference", + "round table", + "roundtable", + "round-table conference", + "session", + "teach-in", + "teleconference", + "teleconferencing", + "sitting", + "clinic", + "reading clinic", + "basketball clinic", + "baseball clinic", + "hockey clinic", + "executive session", + "closed session", + "hearing", + "confirmation hearing", + "skull session", + "special session", + "tutorial", + "negotiation", + "dialogue", + "talks", + "diplomacy", + "diplomatic negotiations", + "dollar diplomacy", + "power politics", + "gunboat diplomacy", + "recognition", + "shuttle diplomacy", + "Strategic Arms Limitation Talks", + "SALT", + "bargaining", + "collective bargaining", + "haggle", + "haggling", + "wrangle", + "wrangling", + "holdout", + "horse trading", + "mediation", + "arbitration", + "conciliation", + "umpirage", + "saying", + "expression", + "locution", + "anatomical reference", + "anatomical", + "southernism", + "sound bite", + "motto", + "slogan", + "catchword", + "shibboleth", + "catchphrase", + "catch phrase", + "mantra", + "war cry", + "rallying cry", + "battle cry", + "cry", + "watchword", + "maxim", + "axiom", + "aphorism", + "apothegm", + "apophthegm", + "gnome", + "Murphy's Law", + "Sod's Law", + "moralism", + "epigram", + "quip", + "proverb", + "adage", + "saw", + "byword", + "platitude", + "cliche", + "banality", + "commonplace", + "bromide", + "truism", + "idiom", + "idiomatic expression", + "phrasal idiom", + "set phrase", + "phrase", + "ruralism", + "rusticism", + "agrapha", + "sumpsimus", + "non-standard speech", + "baby talk", + "babytalk", + "baby talk", + "babytalk", + "motherese", + "dialect", + "idiom", + "accent", + "eye dialect", + "patois", + "localism", + "regionalism", + "idiolect", + "monologue", + "telegraphese", + "vernacular", + "slang", + "cant", + "jargon", + "lingo", + "argot", + "patois", + "vernacular", + "rhyming slang", + "slang", + "slang expression", + "slang term", + "spell", + "magic spell", + "magical spell", + "charm", + "incantation", + "conjuration", + "invocation", + "hex", + "jinx", + "curse", + "whammy", + "dictation", + "soliloquy", + "monologue", + "speech act", + "proposal", + "proposition", + "contract offer", + "marriage proposal", + "proposal of marriage", + "marriage offer", + "proposal", + "proposition", + "question", + "proposal", + "counterproposal", + "hypothesis", + "suggestion", + "proposition", + "proffer", + "introduction", + "re-introduction", + "first reading", + "second reading", + "motion", + "question", + "previous question", + "hint", + "intimation", + "breath", + "touch", + "trace", + "ghost", + "overture", + "advance", + "approach", + "feeler", + "offer", + "offering", + "counteroffer", + "bid", + "tender", + "overbid", + "buyout bid", + "prospectus", + "preliminary prospectus", + "red herring", + "tender offer", + "reward", + "rights offering", + "rights issue", + "special", + "price", + "peace offering", + "olive branch", + "twofer", + "presentation", + "submission", + "entry", + "filing", + "command", + "bid", + "bidding", + "dictation", + "countermand", + "order", + "marching orders", + "summons", + "word", + "call up", + "commission", + "charge", + "direction", + "misdirection", + "commandment", + "Decalogue", + "Ten Commandments", + "directive", + "Presidential Directive", + "injunction", + "behest", + "open sesame", + "interpretation", + "clarification", + "elucidation", + "illumination", + "disambiguation", + "lexical disambiguation", + "eisegesis", + "exegesis", + "ijtihad", + "text", + "expansion", + "enlargement", + "elaboration", + "embellishment", + "embroidery", + "literal interpretation", + "letter", + "version", + "reading", + "construction", + "twist", + "reconstruction", + "popularization", + "popularisation", + "misinterpretation", + "misunderstanding", + "mistaking", + "imbroglio", + "misconstrual", + "misconstruction", + "misreading", + "agreement", + "assent", + "acquiescence", + "informed consent", + "acceptance", + "concession", + "conceding", + "yielding", + "bye", + "pass", + "concurrence", + "concurrency", + "accord", + "conformity", + "accordance", + "connivance", + "collusion", + "cahoot", + "accession", + "assenting", + "accommodation", + "conclusion", + "reservation", + "settlement", + "out-of-court settlement", + "property settlement", + "accord and satisfaction", + "severance agreement", + "golden handshake", + "suicide pact", + "modus vivendi", + "compromise", + "Missouri Compromise", + "subscription", + "ratification", + "confirmation", + "harmony", + "concord", + "concordance", + "second", + "secondment", + "endorsement", + "indorsement", + "citation", + "disagreement", + "confrontation", + "encounter", + "showdown", + "face-off", + "dissidence", + "dissent", + "nonconformity", + "discord", + "dissension", + "confrontation", + "division", + "variance", + "dispute", + "difference", + "difference of opinion", + "conflict", + "straw man", + "strawman", + "argy-bargy", + "argle-bargle", + "firestorm", + "sparring", + "special pleading", + "collision", + "controversy", + "contention", + "contestation", + "disputation", + "disceptation", + "tilt", + "argument", + "arguing", + "polemic", + "gap", + "generation gap", + "quarrel", + "wrangle", + "row", + "words", + "run-in", + "dustup", + "fight", + "affray", + "altercation", + "fracas", + "batrachomyomachia", + "bicker", + "bickering", + "spat", + "tiff", + "squabble", + "pettifoggery", + "fuss", + "bust-up", + "offer", + "offering", + "request", + "asking", + "notification", + "notice", + "wish", + "indirect request", + "invitation", + "bidding", + "summons", + "invite", + "entreaty", + "prayer", + "appeal", + "adjuration", + "demagoguery", + "demagogy", + "flag waving", + "jingoism", + "supplication", + "plea", + "solicitation", + "beggary", + "begging", + "mendicancy", + "touch", + "importunity", + "urgency", + "urging", + "suit", + "courtship", + "wooing", + "courting", + "suit", + "bundling", + "prayer", + "petition", + "orison", + "benediction", + "blessing", + "benison", + "collect", + "commination", + "deprecation", + "grace", + "blessing", + "thanksgiving", + "intercession", + "invocation", + "supplication", + "rogation", + "requiescat", + "call", + "recall", + "charge", + "billing", + "presentment", + "demand", + "challenge", + "ultimatum", + "insistence", + "insisting", + "purism", + "call", + "claim", + "requisition", + "call", + "margin call", + "call", + "wage claim", + "pay claim", + "trick or treat", + "questioning", + "inquiring", + "challenge", + "question", + "inquiry", + "enquiry", + "query", + "interrogation", + "interrogation", + "examination", + "interrogatory", + "catechism", + "deposition", + "inquisition", + "third degree", + "cross-examination", + "direct examination", + "redirect examination", + "reexamination", + "cross-question", + "leading question", + "yes-no question", + "interview", + "job interview", + "employment interview", + "telephone interview", + "question", + "interrogation", + "interrogative", + "interrogative sentence", + "examination", + "exam", + "test", + "bar examination", + "bar exam", + "comprehensive examination", + "comprehensive", + "comp", + "entrance examination", + "entrance exam", + "final examination", + "final exam", + "final", + "litmus test", + "midterm examination", + "midterm exam", + "midterm", + "pop quiz", + "oral", + "oral exam", + "oral examination", + "viva voce", + "viva", + "preliminary examination", + "preliminary exam", + "prelim", + "quiz", + "test paper", + "examination paper", + "exam paper", + "question sheet", + "tripos", + "reply", + "response", + "non sequitur", + "rejoinder", + "retort", + "return", + "riposte", + "replication", + "comeback", + "counter", + "echo", + "echolalia", + "answer", + "Urim and Thummim", + "refutation", + "defense", + "defence", + "confutation", + "rebuttal", + "description", + "characterization", + "characterisation", + "word picture", + "word-painting", + "delineation", + "depiction", + "picture", + "characterization", + "characterisation", + "epithet", + "portrayal", + "portraiture", + "portrait", + "label", + "particularization", + "particularisation", + "detailing", + "sketch", + "vignette", + "affirmation", + "assertion", + "statement", + "representation", + "say-so", + "affirmative", + "yes", + "yea", + "declaration", + "denial", + "disaffirmation", + "denial", + "abnegation", + "naysaying", + "negative", + "no", + "nay", + "double negative", + "double negative", + "refusal", + "repudiation", + "disavowal", + "disclaimer", + "retraction", + "abjuration", + "recantation", + "withdrawal", + "backdown", + "climb-down", + "negation", + "contradiction", + "self-contradiction", + "contradiction", + "contradiction in terms", + "cancellation", + "rejection", + "repudiation", + "renunciation", + "disclaimer", + "disownment", + "disowning", + "rebuff", + "snub", + "repulse", + "short shrift", + "summary treatment", + "objection", + "challenge", + "complaint", + "complaint", + "demur", + "demurral", + "demurrer", + "dissent", + "exception", + "caption", + "exclamation", + "gripe", + "kick", + "beef", + "bitch", + "squawk", + "protest", + "protestation", + "protest", + "grievance", + "growling", + "grumble", + "grumbling", + "murmur", + "murmuring", + "mutter", + "muttering", + "jeremiad", + "kvetch", + "pet peeve", + "whimper", + "whine", + "lament", + "lamentation", + "plaint", + "wail", + "informing", + "making known", + "telling", + "apprisal", + "notification", + "notice", + "warning", + "dismissal", + "dismission", + "pink slip", + "revelation", + "divine revelation", + "disclosure", + "revelation", + "revealing", + "display", + "histrionics", + "production", + "sackcloth and ashes", + "divulgence", + "divulgement", + "discovery", + "discovery", + "giveaway", + "informing", + "ratting", + "leak", + "news leak", + "exposure", + "expose", + "unmasking", + "muckraking", + "admission", + "confession", + "self-accusation", + "self-condemnation", + "concession", + "sop", + "stipulation", + "judicial admission", + "takeaway", + "wage concession", + "presentation", + "introduction", + "intro", + "debut", + "reintroduction", + "briefing", + "report", + "account", + "megillah", + "report", + "study", + "written report", + "skinny", + "stuff", + "assay", + "case study", + "white book", + "white paper", + "blue book", + "green paper", + "progress report", + "position paper", + "medical report", + "report card", + "report", + "debriefing", + "anecdote", + "narration", + "recital", + "yarn", + "narrative", + "narration", + "story", + "tale", + "Canterbury Tales", + "recital", + "tall tale", + "folktale", + "folk tale", + "Arabian Nights' Entertainment", + "Arabian Nights", + "Thousand and One Nights", + "sob story", + "sob stuff", + "fairytale", + "fairy tale", + "fairy story", + "nursery rhyme", + "relation", + "telling", + "recounting", + "earful", + "gossip", + "comment", + "scuttlebutt", + "rumor", + "rumour", + "hearsay", + "grapevine", + "pipeline", + "word of mouth", + "scandal", + "dirt", + "malicious gossip", + "talk", + "talk of the town", + "warning", + "wake-up call", + "alarmism", + "alert", + "alerting", + "Emergency Alert System", + "EAS", + "caution", + "caveat", + "false alarm", + "forewarning", + "premonition", + "heads-up", + "strategic warning", + "tactical warning", + "threat", + "warning of attack", + "warning of war", + "promise", + "oath", + "bayat", + "Hippocratic oath", + "parole", + "word", + "word of honor", + "assurance", + "clean bill of health", + "assurance", + "pledge", + "plight", + "troth", + "betrothal", + "troth", + "engagement", + "pinning", + "ringing", + "rain check", + "vow", + "thanks", + "appreciation", + "thank you", + "bow", + "curtain call", + "boast", + "boasting", + "self-praise", + "jactitation", + "brag", + "bragging", + "crow", + "crowing", + "vaporing", + "line-shooting", + "gasconade", + "braggadocio", + "bluster", + "rodomontade", + "rhodomontade", + "vaunt", + "self-assertion", + "naming", + "acrophony", + "numeration", + "indication", + "denotation", + "specification", + "challenge", + "dare", + "daring", + "confrontation", + "call-out", + "defiance", + "calling into question", + "demand for explanation", + "demand for identification", + "gauntlet", + "gantlet", + "explanation", + "elucidation", + "explication", + "denunciation", + "denouncement", + "excoriation", + "fulmination", + "diatribe", + "tirade", + "philippic", + "broadside", + "damnation", + "execration", + "condemnation", + "curse", + "anathema", + "imprecation", + "malediction", + "accusation", + "accusal", + "recrimination", + "recital", + "recitation", + "recital", + "reading", + "recitation", + "indictment", + "bill of indictment", + "murder charge", + "murder indictment", + "true bill", + "impeachment", + "arraignment", + "allegation", + "blame game", + "grievance", + "lodgment", + "lodgement", + "plaint", + "imprecation", + "imputation", + "finger-pointing", + "fingerpointing", + "indictment", + "information", + "preferment", + "incrimination", + "inculpation", + "blame", + "implication", + "unspoken accusation", + "veiled accusation", + "insinuation", + "innuendo", + "self-incrimination", + "address", + "speech", + "allocution", + "colloquium", + "dithyramb", + "Gettysburg Address", + "impromptu", + "impromptu", + "inaugural address", + "inaugural", + "keynote", + "keynote speech", + "keynote address", + "lecture", + "public lecture", + "talk", + "litany", + "nominating speech", + "nominating address", + "nomination", + "oratory", + "oration", + "peroration", + "public speaking", + "speechmaking", + "speaking", + "oral presentation", + "debate", + "disputation", + "public debate", + "declamation", + "declamation", + "epideictic oratory", + "harangue", + "rant", + "ranting", + "screed", + "raving", + "stump speech", + "salutatory address", + "salutatory oration", + "salutatory", + "valediction", + "valedictory address", + "valedictory oration", + "valedictory", + "sermon", + "discourse", + "preaching", + "baccalaureate", + "kerygma", + "kerugma", + "Sermon on the Mount", + "evangelism", + "televangelism", + "homily", + "preachment", + "persuasion", + "suasion", + "arm-twisting", + "dissuasion", + "electioneering", + "bell ringing", + "canvassing", + "exhortation", + "incitement", + "pep talk", + "proselytism", + "sloganeering", + "suggestion", + "prompting", + "expostulation", + "remonstrance", + "remonstration", + "objection", + "weapon", + "artillery", + "promotion", + "publicity", + "promotional material", + "packaging", + "buildup", + "sensationalism", + "shocker", + "public relations", + "PR", + "endorsement", + "indorsement", + "blurb", + "book jacket", + "dust cover", + "dust jacket", + "dust wrapper", + "ballyhoo", + "hoopla", + "hype", + "plug", + "sales talk", + "sales pitch", + "pitch", + "ad", + "advertisement", + "advertizement", + "advertising", + "advertizing", + "advert", + "advertorial", + "mailer", + "newspaper ad", + "newspaper advertisement", + "classified ad", + "classified advertisement", + "classified", + "sales promotion", + "want ad", + "commercial", + "commercial message", + "infomercial", + "informercial", + "circular", + "handbill", + "bill", + "broadside", + "broadsheet", + "flier", + "flyer", + "throwaway", + "stuffer", + "teaser", + "top billing", + "white pages", + "yellow pages", + "abetment", + "abettal", + "instigation", + "cheering", + "shouting", + "promotion", + "furtherance", + "advancement", + "fostering", + "fosterage", + "goad", + "goading", + "prod", + "prodding", + "urging", + "spur", + "spurring", + "provocation", + "incitement", + "subornation", + "subornation of perjury", + "vote of confidence", + "discouragement", + "disheartenment", + "dissuasion", + "determent", + "deterrence", + "intimidation", + "resignation", + "abdication", + "stepping down", + "renunciation", + "renouncement", + "relinquishment", + "relinquishing", + "giving up", + "yielding", + "surrender", + "prohibition", + "interdiction", + "ban", + "banning", + "forbiddance", + "forbidding", + "test ban", + "psychic communication", + "psychical communication", + "anomalous communication", + "telepathy", + "thought transference", + "telegnosis", + "psychic phenomena", + "psychic phenomenon", + "parapsychology", + "clairvoyance", + "second sight", + "extrasensory perception", + "E.S.P.", + "ESP", + "precognition", + "foreknowledge", + "telekinesis", + "psychokinesis", + "table rapping", + "table tapping", + "spirit rapping", + "table tipping", + "table tilting", + "table turning", + "table lifting", + "windsock", + "wind sock", + "sock", + "air sock", + "air-sleeve", + "wind sleeve", + "wind cone", + "drogue", + "post", + "stake", + "starting post", + "winning post", + "reference point", + "point of reference", + "reference", + "reference", + "source", + "republication", + "benchmark", + "bench mark", + "landmark", + "merestone", + "meerestone", + "mearstone", + "lubber's line", + "lubber line", + "lubber's mark", + "lubber's point", + "rule", + "linguistic rule", + "universal", + "linguistic universal", + "grammatical rule", + "rule of grammar", + "transformation", + "morphological rule", + "rule of morphology", + "standard", + "criterion", + "measure", + "touchstone", + "benchmark", + "earned run average", + "ERA", + "grade point average", + "GPA", + "procrustean standard", + "procrustean rule", + "procrustean bed", + "yardstick", + "target", + "mark", + "clout", + "drogue", + "white line", + "indicator", + "blinker", + "turn signal", + "turn indicator", + "trafficator", + "armband", + "rocket", + "skyrocket", + "electronic signal", + "blip", + "pip", + "radar target", + "radar echo", + "clutter", + "radar beacon", + "racon", + "radio beacon", + "beacon", + "beacon fire", + "star shell", + "Bengal light", + "Very light", + "Very-light", + "signal fire", + "signal light", + "input signal", + "input", + "output signal", + "output", + "printout", + "readout", + "read-out", + "fire alarm", + "foghorn", + "fogsignal", + "horn", + "red flag", + "siren", + "tocsin", + "alarm bell", + "stoplight", + "brake light", + "buoy", + "acoustic buoy", + "bell buoy", + "gong buoy", + "whistle buoy", + "whistling buoy", + "can", + "can buoy", + "conical buoy", + "nun", + "nun buoy", + "spar buoy", + "barber's pole", + "staff", + "crosier", + "crozier", + "mace", + "scepter", + "sceptre", + "verge", + "wand", + "bauble", + "tipstaff", + "cordon", + "wings", + "black belt", + "blue ribbon", + "cordon bleu", + "button", + "Emmy", + "Nobel prize", + "Academy Award", + "Oscar", + "Prix de Rome", + "Prix Goncourt", + "chevron", + "stripe", + "stripes", + "grade insignia", + "stripe", + "icon", + "marker", + "marking", + "mark", + "identifier", + "postmark", + "watermark", + "broad arrow", + "milestone", + "milepost", + "variable", + "placeholder", + "unknown", + "unknown quantity", + "peg", + "pin", + "spot", + "pip", + "logo", + "logotype", + "label", + "bookplate", + "ex libris", + "gummed label", + "sticker", + "paster", + "dog tag", + "dog tag", + "name tag", + "price tag", + "tag", + "ticket", + "tag", + "title bar", + "cairn", + "shrug", + "wave", + "waving", + "wafture", + "V sign", + "nod", + "bow", + "bowing", + "obeisance", + "sign of the cross", + "curtsy", + "curtsey", + "genuflection", + "genuflexion", + "kowtow", + "kotow", + "scrape", + "scraping", + "salaam", + "ground rule", + "sign", + "system command", + "walking papers", + "marching orders", + "wanted notice", + "wanted poster", + "International Wanted Notice", + "Red Notice", + "plagiarism", + "transcript", + "voice", + "Bach", + "Beethoven", + "Brahms", + "Chopin", + "Gilbert and Sullivan", + "Handel", + "Haydn", + "Mozart", + "Stravinsky", + "Wagner", + "language system", + "contact", + "touch", + "traffic", + "order", + "short order", + "recall", + "callback", + "uplink", + "capriccio", + "interrogation", + "motet", + "negation", + "packet", + "program music", + "programme music", + "incidental music", + "slanguage", + "Ta'ziyeh", + "sprechgesang", + "sprechstimme", + "vocal music", + "vocal", + "voice over", + "walk-through", + "yearbook", + "zinger", + "Das Kapital", + "Capital", + "Erewhon", + "Utopia", + "might-have-been", + "nonevent", + "happening", + "occurrence", + "occurrent", + "natural event", + "accompaniment", + "concomitant", + "attendant", + "co-occurrence", + "associate", + "avalanche", + "background", + "experience", + "appalling", + "augury", + "sign", + "foretoken", + "preindication", + "war cloud", + "omen", + "portent", + "presage", + "prognostic", + "prognostication", + "prodigy", + "auspice", + "foreboding", + "death knell", + "flash", + "flashing", + "good time", + "blast", + "loss", + "near-death experience", + "ordeal", + "out-of-body experience", + "taste", + "time", + "trip", + "head trip", + "vision", + "social event", + "miracle", + "trouble", + "treat", + "miracle", + "wonder", + "marvel", + "thing", + "episode", + "feast", + "drama", + "dramatic event", + "night terror", + "eventuality", + "contingency", + "contingence", + "beginning", + "casus belli", + "ending", + "conclusion", + "finish", + "end", + "last", + "final stage", + "endgame", + "end game", + "endgame", + "end game", + "homestretch", + "passing", + "result", + "resultant", + "final result", + "outcome", + "termination", + "denouement", + "deal", + "fair deal", + "square deal", + "raw deal", + "decision", + "decision", + "split decision", + "consequence", + "aftermath", + "corollary", + "deserts", + "comeuppance", + "comeupance", + "fruit", + "sequella", + "train", + "poetic justice", + "just deserts", + "offspring", + "materialization", + "materialisation", + "separation", + "sequel", + "subsequence", + "wages", + "reward", + "payoff", + "foregone conclusion", + "matter of course", + "worst", + "one-off", + "periodic event", + "recurrent event", + "change", + "alteration", + "modification", + "avulsion", + "break", + "mutation", + "sublimation", + "surprise", + "bombshell", + "thunderbolt", + "thunderclap", + "coup de theatre", + "eye opener", + "peripeteia", + "peripetia", + "peripety", + "shock", + "blow", + "blip", + "stunner", + "error", + "computer error", + "hardware error", + "disk error", + "software error", + "programming error", + "semantic error", + "run-time error", + "runtime error", + "syntax error", + "algorithm error", + "accident", + "stroke", + "fortuity", + "chance event", + "accident", + "collision", + "near miss", + "crash", + "wreck", + "prang", + "derailment", + "ground loop", + "collision", + "hit", + "fire", + "backfire", + "bonfire", + "balefire", + "brush fire", + "campfire", + "conflagration", + "inferno", + "forest fire", + "grassfire", + "prairie fire", + "smoulder", + "smolder", + "smudge", + "crown fire", + "ground fire", + "surface fire", + "wildfire", + "misfortune", + "bad luck", + "pity", + "shame", + "affliction", + "convulsion", + "embarrassment", + "disembarrassment", + "hell", + "blaze", + "calvary", + "martyrdom", + "onslaught", + "scandal", + "outrage", + "skeleton", + "skeleton in the closet", + "skeleton in the cupboard", + "Teapot Dome", + "Teapot Dome scandal", + "Watergate", + "Watergate scandal", + "chapter", + "idyll", + "incident", + "cause celebre", + "discharge", + "electrical discharge", + "nerve impulse", + "nervous impulse", + "neural impulse", + "impulse", + "action potential", + "spike", + "explosion", + "detonation", + "blowup", + "case", + "instance", + "example", + "humiliation", + "mortification", + "piece", + "bit", + "time", + "clip", + "movement", + "motion", + "crustal movement", + "tectonic movement", + "approach", + "approaching", + "passing", + "passage", + "deflection", + "deflexion", + "bending", + "bend", + "change of location", + "travel", + "fender-bender", + "ascension", + "Ascension", + "Ascension of Christ", + "Resurrection", + "Christ's Resurrection", + "Resurrection of Christ", + "circulation", + "creep", + "migration", + "migration", + "shrinking", + "shrinkage", + "compression", + "condensation", + "contraction", + "constriction", + "coarctation", + "injury", + "accidental injury", + "rupture", + "breach", + "break", + "severance", + "rift", + "falling out", + "schism", + "hap", + "mishap", + "misadventure", + "mischance", + "puncture", + "calamity", + "catastrophe", + "disaster", + "tragedy", + "cataclysm", + "act of God", + "force majeure", + "vis major", + "inevitable accident", + "unavoidable casualty", + "apocalypse", + "famine", + "the Irish Famine", + "the Great Hunger", + "the Great Starvation", + "the Great Calamity", + "kiss of death", + "meltdown", + "plague", + "visitation", + "break", + "good luck", + "happy chance", + "coincidence", + "happenstance", + "lottery", + "pileup", + "smash", + "smash-up", + "slip", + "trip", + "failure", + "downfall", + "ruin", + "ruination", + "flame-out", + "malfunction", + "blowout", + "stall", + "success", + "barnburner", + "Godspeed", + "miscarriage", + "abortion", + "miss", + "misfire", + "emergence", + "egress", + "issue", + "eruption", + "birth", + "nativity", + "nascency", + "nascence", + "delivery", + "live birth", + "blessed event", + "happy event", + "posthumous birth", + "posthumous birth", + "reincarnation", + "rebirth", + "renascence", + "transmigration", + "cycle of rebirth", + "moksa", + "appearance", + "reappearance", + "egress", + "emersion", + "ingress", + "immersion", + "Second Coming", + "Second Coming of Christ", + "Second Advent", + "Advent", + "Parousia", + "makeup", + "make-up", + "materialization", + "materialisation", + "manifestation", + "manifestation", + "apparition", + "epiphany", + "theophany", + "Word of God", + "origin", + "origination", + "inception", + "germination", + "genesis", + "generation", + "ground floor", + "emergence", + "outgrowth", + "growth", + "rise", + "crime wave", + "start", + "adrenarche", + "menarche", + "thelarche", + "onset", + "oncoming", + "dawn", + "morning", + "flying start", + "running start", + "opener", + "cause", + "antecedent", + "preliminary", + "overture", + "prelude", + "emanation", + "rise", + "procession", + "etiology", + "aetiology", + "factor", + "fundamental", + "parameter", + "unknown quantity", + "wild card", + "producer", + "creation", + "conception", + "alpha", + "opening", + "opening night", + "curtain raising", + "kickoff", + "send-off", + "start-off", + "racing start", + "flying start", + "running start", + "destiny", + "fate", + "inevitable", + "karma", + "kismet", + "kismat", + "predestination", + "annihilation", + "disintegration", + "eradication", + "obliteration", + "debilitation", + "enervation", + "enfeeblement", + "exhaustion", + "separation", + "breakup", + "detachment", + "diffusion", + "dispersion", + "scattering", + "Diaspora", + "dissipation", + "invasion", + "irradiation", + "extinction", + "extermination", + "Crucifixion", + "fatality", + "human death", + "finish", + "martyrdom", + "megadeath", + "passing", + "loss", + "departure", + "exit", + "expiration", + "going", + "release", + "wrongful death", + "doom", + "doomsday", + "day of reckoning", + "end of the world", + "destruction", + "demolition", + "wipeout", + "ravage", + "depredation", + "razing", + "wrecking", + "ruin", + "ruination", + "devastation", + "desolation", + "wrack", + "rack", + "disappearance", + "evanescence", + "vanishing", + "receding", + "fadeout", + "disappearance", + "adversity", + "hardship", + "knock", + "vagary", + "variation", + "fluctuation", + "vicissitude", + "allomerism", + "engagement", + "mesh", + "meshing", + "interlocking", + "flick", + "impact", + "blow", + "bump", + "slam", + "jolt", + "jar", + "jounce", + "shock", + "contact", + "impinging", + "striking", + "damage", + "equipment casualty", + "battle damage", + "combat casualty", + "operational damage", + "operational casualty", + "casualty", + "wound", + "injury", + "combat injury", + "blighty wound", + "flesh wound", + "personnel casualty", + "loss", + "sacrifice", + "cycle", + "oscillation", + "cardiac cycle", + "Carnot cycle", + "Carnot's ideal cycle", + "pass", + "repeat", + "repetition", + "sequence", + "cycle", + "merry-go-round", + "samsara", + "replay", + "rematch", + "recurrence", + "return", + "atavism", + "reversion", + "throwback", + "flashback", + "sunrise", + "sunset", + "ground swell", + "heavy swell", + "surf", + "breaker", + "breakers", + "wake", + "backwash", + "swash", + "ripple", + "rippling", + "riffle", + "wavelet", + "gravity wave", + "gravitation wave", + "sine wave", + "oscillation", + "vibration", + "ripple", + "wave", + "undulation", + "jitter", + "fluctuation", + "seiche", + "soliton", + "soliton wave", + "solitary wave", + "standing wave", + "stationary wave", + "traveling wave", + "travelling wave", + "sound wave", + "acoustic wave", + "air wave", + "transient", + "wave form", + "waveform", + "wave shape", + "shock wave", + "blast wave", + "sonic boom", + "swell", + "crestless wave", + "lift", + "rise", + "billow", + "surge", + "tidal wave", + "tidal wave", + "tidal wave", + "tsunami", + "roller", + "roll", + "rolling wave", + "periodic motion", + "periodic movement", + "harmonic motion", + "heave", + "recoil", + "repercussion", + "rebound", + "backlash", + "bounce", + "bouncing", + "resilience", + "resiliency", + "recoil", + "kick", + "seek", + "squeeze", + "wring", + "throw", + "stroke", + "cam stroke", + "instroke", + "outstroke", + "turning", + "turn", + "twist", + "wrench", + "undulation", + "wave", + "moving ridge", + "comber", + "whitecap", + "white horse", + "wave", + "shipwreck", + "wreck", + "capsizing", + "finish", + "draw", + "standoff", + "tie", + "dead heat", + "stalemate", + "photo finish", + "second-place finish", + "runner-up finish", + "third-place finish", + "win", + "first-place finish", + "omega", + "Z", + "conversion", + "Christianization", + "Christianisation", + "death", + "decease", + "expiry", + "decrease", + "lessening", + "drop-off", + "sinking", + "destabilization", + "increase", + "attrition", + "easing", + "moderation", + "relief", + "breath of fresh air", + "improvement", + "betterment", + "advance", + "refinement", + "elaboration", + "Assumption", + "deformation", + "Transfiguration", + "Transfiguration of Jesus", + "transition", + "ground swell", + "leap", + "jump", + "saltation", + "quantum leap", + "quantum jump", + "quantum jump", + "transformation", + "transmutation", + "shift", + "population shift", + "pyrolysis", + "sea change", + "sublimation", + "tin pest", + "tin disease", + "tin plague", + "infection", + "contagion", + "transmission", + "scene", + "sideshow", + "collapse", + "cave in", + "subsidence", + "killing", + "violent death", + "fatal accident", + "casualty", + "collateral damage", + "cessation", + "surcease", + "settling", + "subsiding", + "subsidence", + "drop", + "fall", + "free fall", + "gravitation", + "levitation", + "lightening", + "descent", + "set", + "shower", + "cascade", + "sinking", + "submergence", + "submerging", + "submersion", + "immersion", + "dip", + "foundering", + "going under", + "wobble", + "shimmy", + "flop", + "bust", + "fizzle", + "turkey", + "bomb", + "dud", + "debacle", + "fiasco", + "implosion", + "gravitational collapse", + "stop", + "halt", + "stand", + "standstill", + "tie-up", + "deviation", + "divergence", + "departure", + "difference", + "discrepancy", + "variance", + "variant", + "driftage", + "inflection", + "flection", + "flexion", + "malformation", + "miscreation", + "monstrosity", + "dislocation", + "disruption", + "break", + "snap", + "interruption", + "break", + "punctuation", + "suspension", + "respite", + "reprieve", + "hiatus", + "abatement", + "defervescence", + "eclipse", + "occultation", + "solar eclipse", + "lunar eclipse", + "annular eclipse", + "total eclipse", + "partial eclipse", + "augmentation", + "adjustment", + "accommodation", + "fitting", + "shakedown", + "entrance", + "entering", + "fall", + "climb", + "climbing", + "mounting", + "elevation", + "lift", + "raising", + "heave", + "heaving", + "liftoff", + "sound", + "fuss", + "trouble", + "bother", + "hassle", + "headway", + "head", + "trial", + "tribulation", + "visitation", + "union", + "amphimixis", + "fusion", + "merger", + "unification", + "combining", + "combine", + "recombination", + "recombination", + "consolidation", + "mix", + "mixture", + "concoction", + "conglomeration", + "conglobation", + "blend", + "rapid climb", + "rapid growth", + "zoom", + "takeoff", + "upheaval", + "uplift", + "upthrow", + "upthrust", + "uplifting", + "baa", + "bang", + "clap", + "eruption", + "blast", + "bam", + "bong", + "banging", + "bark", + "bark", + "bay", + "beat", + "beep", + "bleep", + "bell", + "toll", + "blare", + "blaring", + "cacophony", + "clamor", + "din", + "boom", + "roar", + "roaring", + "thunder", + "bleat", + "bray", + "bow-wow", + "buzz", + "bombilation", + "bombination", + "cackle", + "caterwaul", + "caw", + "chatter", + "chattering", + "chatter", + "chattering", + "cheep", + "peep", + "chink", + "click", + "clink", + "chirp", + "chirrup", + "twitter", + "chorus", + "chug", + "clack", + "clap", + "clang", + "clangor", + "clangour", + "clangoring", + "clank", + "clash", + "crash", + "clatter", + "click-clack", + "clickety-clack", + "clickety-click", + "clip-clop", + "clippety-clop", + "clop", + "clopping", + "clunking", + "clumping", + "cluck", + "clucking", + "cock-a-doodle-doo", + "coo", + "crack", + "cracking", + "snap", + "crackle", + "crackling", + "crepitation", + "creak", + "creaking", + "crepitation rale", + "crow", + "crunch", + "cry", + "decrepitation", + "ding", + "drip", + "dripping", + "drum", + "ding-dong", + "explosion", + "footfall", + "footstep", + "step", + "gargle", + "gobble", + "grate", + "grinding", + "growl", + "growling", + "grunt", + "oink", + "gurgle", + "hiss", + "hissing", + "hushing", + "fizzle", + "sibilation", + "honk", + "howl", + "howl", + "hubbub", + "uproar", + "brouhaha", + "katzenjammer", + "hum", + "humming", + "jingle", + "jangle", + "knell", + "knock", + "knocking", + "meow", + "mew", + "miaou", + "miaow", + "miaul", + "moo", + "mutter", + "muttering", + "murmur", + "murmuring", + "murmuration", + "mussitation", + "neigh", + "nicker", + "whicker", + "whinny", + "noise", + "pant", + "paradiddle", + "roll", + "drum roll", + "pat", + "rap", + "tap", + "patter", + "peal", + "pealing", + "roll", + "rolling", + "ping", + "pitter-patter", + "plonk", + "plop", + "plump", + "plunk", + "pop", + "popping", + "purr", + "quack", + "quaver", + "racket", + "rat-a-tat-tat", + "rat-a-tat", + "rat-tat", + "rattle", + "rattling", + "rale", + "report", + "rhonchus", + "ring", + "ringing", + "tintinnabulation", + "roar", + "rub-a-dub", + "rataplan", + "drumbeat", + "rumble", + "rumbling", + "grumble", + "grumbling", + "rustle", + "rustling", + "whisper", + "whispering", + "scrape", + "scraping", + "scratch", + "scratching", + "screech", + "screeching", + "shriek", + "shrieking", + "scream", + "screaming", + "scrunch", + "shrilling", + "sigh", + "sizzle", + "skirl", + "slam", + "snap", + "snore", + "song", + "spatter", + "spattering", + "splatter", + "splattering", + "sputter", + "splutter", + "sputtering", + "splash", + "plash", + "splat", + "squawk", + "squeak", + "squeal", + "squish", + "stridulation", + "strum", + "susurration", + "susurrus", + "swish", + "swoosh", + "whoosh", + "tapping", + "throbbing", + "thump", + "thumping", + "clump", + "clunk", + "thud", + "thrum", + "thunder", + "thunderclap", + "thunk", + "tick", + "ticking", + "ticktock", + "tocktact", + "tictac", + "ting", + "tinkle", + "toot", + "tootle", + "tramp", + "trample", + "trampling", + "twang", + "tweet", + "vibrato", + "tremolo", + "voice", + "vroom", + "water hammer", + "whack", + "whir", + "whirr", + "whirring", + "birr", + "whistle", + "whistling", + "whiz", + "yip", + "yelp", + "yelping", + "zing", + "news event", + "pulse", + "pulsation", + "heartbeat", + "beat", + "diastole", + "systole", + "extrasystole", + "throb", + "throbbing", + "pounding", + "high tide", + "high water", + "highwater", + "ebb", + "reflux", + "low tide", + "low water", + "ebbtide", + "tide", + "direct tide", + "flood tide", + "flood", + "rising tide", + "neap tide", + "neap", + "springtide", + "leeward tide", + "lee tide", + "slack water", + "slack tide", + "tidal bore", + "bore", + "eagre", + "aegir", + "eager", + "tidal flow", + "tidal current", + "undertow", + "sea puss", + "sea-puss", + "sea purse", + "sea-purse", + "sea-poose", + "riptide", + "rip current", + "rip", + "riptide", + "tide rip", + "crosscurrent", + "countercurrent", + "undertide", + "undercurrent", + "slide", + "avalanche", + "lahar", + "landslide", + "landslip", + "mudslide", + "Plinian eruption", + "rockslide", + "flow", + "flowing", + "backflow", + "backflowing", + "regurgitation", + "airflow", + "air flow", + "flow of air", + "current", + "stream", + "freshet", + "spate", + "overflow", + "runoff", + "overspill", + "dripping", + "drippage", + "torrent", + "violent stream", + "discharge", + "outpouring", + "run", + "flux", + "fluxion", + "airburst", + "blast", + "bomb blast", + "nuclear explosion", + "atomic explosion", + "backblast", + "back-blast", + "backfire", + "big bang", + "blowback", + "backfire", + "fragmentation", + "inflation", + "ricochet", + "carom", + "touch", + "touching", + "concussion", + "rap", + "strike", + "tap", + "knock", + "bash", + "bang", + "smash", + "belt", + "pounding", + "buffeting", + "sideswipe", + "slap", + "smack", + "deflection", + "deflexion", + "refraction", + "simple harmonic motion", + "reversal", + "turn around", + "yaw", + "swerve", + "concussion", + "twinkle", + "scintillation", + "sparkling", + "shimmer", + "play", + "flash", + "flicker", + "spark", + "glint", + "gleam", + "gleaming", + "glimmer", + "glitter", + "sparkle", + "coruscation", + "heat flash", + "lightning", + "heat lightning", + "sheet lighting", + "streak", + "brush", + "light touch", + "stroke", + "concentration", + "explosion", + "jump", + "leap", + "runup", + "run-up", + "waxing", + "convergence", + "meeting", + "encounter", + "conjunction", + "alignment", + "inferior conjunction", + "superior conjunction", + "conversion", + "transition", + "changeover", + "glycogenesis", + "isomerization", + "isomerisation", + "rectification", + "transmutation", + "juncture", + "occasion", + "climax", + "flood tide", + "conjuncture", + "emergency", + "exigency", + "pinch", + "crisis", + "landmark", + "turning point", + "watershed", + "Fall of Man", + "road to Damascus", + "milestone", + "pass", + "head", + "straits", + "reality check", + "compaction", + "compression", + "concretion", + "densification", + "rarefaction", + "conservation", + "preservation", + "recovery", + "remission", + "remittal", + "subsidence", + "resolution", + "curse", + "torment", + "fire", + "detriment", + "hurt", + "expense", + "damage", + "harm", + "impairment", + "pulsation", + "pulsing", + "pulse", + "impulse", + "breakdown", + "equipment failure", + "brake failure", + "engine failure", + "misfire", + "dud", + "outage", + "power outage", + "power failure", + "fault", + "blackout", + "flame-out", + "dwindling", + "dwindling away", + "waning", + "fading away", + "turn", + "turn of events", + "twist", + "development", + "phenomenon", + "complication", + "ramification", + "revolution", + "Cultural Revolution", + "Great Proletarian Cultural Revolution", + "green revolution", + "mutation", + "genetic mutation", + "chromosomal mutation", + "sex change", + "deletion", + "inversion", + "transposition", + "mutagenesis", + "insertional mutagenesis", + "point mutation", + "gene mutation", + "reversion", + "saltation", + "degeneration", + "retrogression", + "atrophy", + "withering", + "strengthening", + "weakening", + "attenuation", + "fading", + "fall", + "downfall", + "anticlimax", + "abiotrophy", + "cataplasia", + "perturbation", + "disturbance", + "magnetic storm", + "earthquake", + "quake", + "temblor", + "seism", + "shock", + "seismic disturbance", + "tremor", + "earth tremor", + "microseism", + "aftershock", + "foreshock", + "seaquake", + "submarine earthquake", + "invasion", + "encroachment", + "intrusion", + "noise", + "interference", + "disturbance", + "background", + "background signal", + "background noise", + "ground noise", + "surface noise", + "background radiation", + "crosstalk", + "XT", + "fadeout", + "jitter", + "static", + "atmospherics", + "atmospheric static", + "white noise", + "radio noise", + "seepage", + "ooze", + "oozing", + "exudation", + "transudation", + "drip", + "trickle", + "dribble", + "intravenous drip", + "eddy", + "twist", + "whirlpool", + "vortex", + "maelstrom", + "Charybdis", + "dismemberment", + "taking apart", + "mutilation", + "emission", + "distortion", + "deformation", + "warp", + "warping", + "plunge", + "precipitation", + "fertilization", + "fertilisation", + "fecundation", + "dressing", + "top dressing", + "dissilience", + "outburst", + "burst", + "flare-up", + "salvo", + "outbreak", + "eruption", + "irruption", + "epidemic", + "pandemic", + "recrudescence", + "jet", + "squirt", + "spurt", + "spirt", + "rush", + "volcanic eruption", + "eruption", + "escape", + "leak", + "leakage", + "outflow", + "fertilization", + "fertilisation", + "fecundation", + "impregnation", + "pollination", + "pollenation", + "cross-fertilization", + "cross-fertilisation", + "allogamy", + "self-fertilization", + "self-fertilisation", + "superfecundation", + "superfetation", + "autogamy", + "cross-pollination", + "self-pollination", + "cleistogamy", + "flap", + "flapping", + "flutter", + "fluttering", + "flush", + "gush", + "outpouring", + "radiation", + "adaptive radiation", + "rush", + "spate", + "surge", + "upsurge", + "debris surge", + "debris storm", + "onrush", + "springtide", + "rotation", + "revolution", + "gyration", + "dextrorotation", + "clockwise rotation", + "levorotation", + "counterclockwise rotation", + "axial rotation", + "axial motion", + "roll", + "orbital rotation", + "orbital motion", + "whirl", + "commotion", + "spin", + "backspin", + "English", + "side", + "topspin", + "wallow", + "run", + "ladder", + "ravel", + "relaxation", + "loosening", + "slackening", + "thaw", + "substitution", + "permutation", + "transposition", + "replacement", + "switch", + "business cycle", + "trade cycle", + "daily variation", + "diurnal variation", + "tide", + "shift", + "displacement", + "amplitude", + "luxation", + "subluxation", + "progress", + "progression", + "advance", + "rise", + "rising", + "ascent", + "ascension", + "spread", + "spreading", + "stampede", + "translation", + "spray", + "spritz", + "angelus bell", + "angelus", + "bell ringing", + "return", + "coming back", + "volution", + "affair", + "occasion", + "social occasion", + "function", + "social function", + "party", + "bash", + "do", + "brawl", + "birthday party", + "bunfight", + "bun-fight", + "ceilidh", + "cocktail party", + "dance", + "ball", + "formal", + "cotillion", + "cotilion", + "masked ball", + "masquerade ball", + "fancy-dress ball", + "promenade", + "prom", + "barn dance", + "hop", + "record hop", + "rave", + "fete", + "feast", + "fiesta", + "luau", + "house party", + "jolly", + "tea party", + "whist drive", + "celebration", + "jubilation", + "ceremony", + "ceremonial", + "ceremonial occasion", + "observance", + "circumstance", + "funeral", + "burial", + "entombment", + "inhumation", + "interment", + "sepulture", + "sky burial", + "wedding", + "wedding ceremony", + "nuptials", + "hymeneals", + "pageant", + "pageantry", + "dedication", + "rededication", + "opening", + "commemoration", + "memorialization", + "memorialisation", + "military ceremony", + "initiation", + "induction", + "installation", + "coronation", + "enthronement", + "enthronization", + "enthronisation", + "investiture", + "bar mitzvah", + "bat mitzvah", + "bath mitzvah", + "bas mitzvah", + "exercise", + "fire walking", + "commencement", + "commencement exercise", + "commencement ceremony", + "graduation", + "graduation exercise", + "formality", + "formalities", + "Maundy", + "potlatch", + "fundraiser", + "photo opportunity", + "photo op", + "sleepover", + "contest", + "competition", + "athletic contest", + "athletic competition", + "athletics", + "bout", + "decathlon", + "Olympic Games", + "Olympics", + "Olympiad", + "Special Olympics", + "Winter Olympic Games", + "Winter Olympics", + "preliminary", + "prelim", + "pentathlon", + "championship", + "chicken", + "cliffhanger", + "dogfight", + "race", + "automobile race", + "auto race", + "car race", + "Grand Prix", + "rally", + "bicycle race", + "Tour de France", + "boat race", + "burnup", + "chariot race", + "dog racing", + "sailing-race", + "yacht race", + "footrace", + "foot race", + "run", + "funrun", + "fun run", + "marathon", + "freestyle", + "cross country", + "Iditarod", + "Iditarod Trail Dog Sled Race", + "three-day event", + "heat", + "horse race", + "claiming race", + "selling race", + "harness race", + "harness racing", + "Kentucky Derby", + "Preakness", + "Belmont Stakes", + "stake race", + "steeplechase", + "Grand National", + "obstacle race", + "steeplechase", + "thoroughbred race", + "potato race", + "sack race", + "scratch race", + "ski race", + "skiing race", + "downhill", + "slalom", + "relay", + "relay race", + "repechage", + "torch race", + "World Cup", + "tournament", + "tourney", + "elimination tournament", + "open", + "playoff", + "series", + "home stand", + "World Series", + "boxing match", + "chess match", + "cockfight", + "cricket match", + "diving", + "diving event", + "field event", + "final", + "cup final", + "quarterfinal", + "semifinal", + "semi", + "round robin", + "field trial", + "meet", + "sports meeting", + "gymkhana", + "race meeting", + "regatta", + "swimming meet", + "swim meet", + "track meet", + "track event", + "dash", + "hurdles", + "hurdling", + "hurdle race", + "mile", + "high jump", + "long jump", + "broad jump", + "pole vault", + "pole vaulting", + "pole jump", + "pole jumping", + "shot put", + "hammer throw", + "discus", + "javelin", + "swimming event", + "match", + "tennis match", + "test match", + "match game", + "matched game", + "wrestling match", + "fall", + "pin", + "takedown", + "sparring match", + "prizefight", + "prize fight", + "triple jump", + "hop-step-and-jump", + "tug-of-war", + "tournament", + "joust", + "tilt", + "race", + "arms race", + "political campaign", + "campaign", + "run", + "governor's race", + "campaign for governor", + "senate campaign", + "senate race", + "victory", + "triumph", + "independence", + "landslide", + "last laugh", + "Pyrrhic victory", + "slam", + "sweep", + "grand slam", + "little slam", + "small slam", + "checkmate", + "runaway", + "blowout", + "romp", + "laugher", + "shoo-in", + "walkaway", + "service break", + "defeat", + "licking", + "walk-in", + "waltz", + "reverse", + "reversal", + "setback", + "blow", + "black eye", + "whammy", + "heartbreaker", + "lurch", + "rout", + "shutout", + "skunk", + "thrashing", + "walloping", + "debacle", + "drubbing", + "slaughter", + "trouncing", + "whipping", + "waterloo", + "whitewash", + "spelling bee", + "spelldown", + "spelling contest", + "trial", + "bite", + "boom", + "bonanza", + "gold rush", + "gravy", + "godsend", + "manna from heaven", + "windfall", + "bunce", + "crash", + "collapse", + "loss of consciousness", + "faint", + "swoon", + "syncope", + "deliquium", + "Fall", + "shipwreck", + "crash", + "head crash", + "spike", + "supervention", + "zap", + "zizz", + "affect", + "emotion", + "thing", + "glow", + "faintness", + "soul", + "soulfulness", + "passion", + "passionateness", + "infatuation", + "wildness", + "abandon", + "ardor", + "ardour", + "fervor", + "fervour", + "fervency", + "fire", + "fervidness", + "storminess", + "zeal", + "sentiment", + "sentimentality", + "mawkishness", + "bathos", + "razbliuto", + "complex", + "Oedipus complex", + "Oedipal complex", + "Electra complex", + "inferiority complex", + "ambivalence", + "ambivalency", + "conflict", + "apathy", + "emotionlessness", + "impassivity", + "impassiveness", + "phlegm", + "indifference", + "stolidity", + "unemotionality", + "languor", + "lassitude", + "listlessness", + "desire", + "ambition", + "aspiration", + "dream", + "American Dream", + "emulation", + "nationalism", + "bloodlust", + "temptation", + "craving", + "appetite", + "appetency", + "appetence", + "stomach", + "sweet tooth", + "addiction", + "wish", + "wishing", + "want", + "velleity", + "longing", + "yearning", + "hungriness", + "hankering", + "yen", + "pining", + "wishfulness", + "wistfulness", + "nostalgia", + "lovesickness", + "homesickness", + "sex", + "sexual urge", + "sexual desire", + "eros", + "concupiscence", + "physical attraction", + "love", + "sexual love", + "erotic love", + "aphrodisia", + "anaphrodisia", + "passion", + "sensuality", + "sensualness", + "sensualism", + "amorousness", + "eroticism", + "erotism", + "sexiness", + "amativeness", + "fetish", + "libido", + "lecherousness", + "lust", + "lustfulness", + "nymphomania", + "satyriasis", + "the hots", + "prurience", + "pruriency", + "lasciviousness", + "carnality", + "lubricity", + "urge", + "itch", + "caprice", + "impulse", + "whim", + "pleasure", + "pleasance", + "delight", + "delectation", + "entrancement", + "ravishment", + "amusement", + "Schadenfreude", + "enjoyment", + "joie de vivre", + "gusto", + "relish", + "zest", + "zestfulness", + "pleasantness", + "afterglow", + "comfort", + "consolation", + "solace", + "solacement", + "cold comfort", + "silver lining", + "bright side", + "relief", + "alleviation", + "assuagement", + "sexual pleasure", + "algolagnia", + "algophilia", + "sadism", + "sadomasochism", + "masochism", + "pain", + "painfulness", + "growing pains", + "unpleasantness", + "pang", + "stab", + "twinge", + "guilt pang", + "mental anguish", + "suffering", + "hurt", + "agony", + "torment", + "torture", + "throes", + "discomfort", + "soreness", + "irritation", + "chafing", + "intertrigo", + "distress", + "hurt", + "suffering", + "anguish", + "torment", + "torture", + "self-torture", + "self-torment", + "tsoris", + "wound", + "liking", + "fondness", + "fancy", + "partiality", + "captivation", + "enchantment", + "enthrallment", + "fascination", + "preference", + "penchant", + "predilection", + "taste", + "acquired taste", + "weakness", + "mysophilia", + "inclination", + "leaning", + "propensity", + "tendency", + "stomach", + "undertow", + "friendliness", + "amicability", + "amicableness", + "good will", + "goodwill", + "brotherhood", + "approval", + "favor", + "favour", + "approbation", + "admiration", + "esteem", + "Anglophilia", + "hero worship", + "philhellenism", + "philogyny", + "worship", + "adoration", + "dislike", + "disinclination", + "Anglophobia", + "unfriendliness", + "alienation", + "disaffection", + "estrangement", + "isolation", + "antipathy", + "aversion", + "distaste", + "disapproval", + "contempt", + "disdain", + "scorn", + "despite", + "disgust", + "abhorrence", + "abomination", + "detestation", + "execration", + "loathing", + "odium", + "creepy-crawlies", + "scunner", + "repugnance", + "repulsion", + "revulsion", + "horror", + "nausea", + "technophobia", + "gratitude", + "gratefulness", + "thankfulness", + "appreciativeness", + "ingratitude", + "ungratefulness", + "concern", + "care", + "solicitude", + "solicitousness", + "softheartedness", + "tenderness", + "unconcern", + "indifference", + "distance", + "aloofness", + "withdrawal", + "detachment", + "heartlessness", + "coldheartedness", + "hardheartedness", + "cruelty", + "mercilessness", + "pitilessness", + "ruthlessness", + "shame", + "conscience", + "self-disgust", + "self-hatred", + "embarrassment", + "self-consciousness", + "uneasiness", + "uncomfortableness", + "shamefacedness", + "sheepishness", + "chagrin", + "humiliation", + "mortification", + "confusion", + "discombobulation", + "abashment", + "bashfulness", + "discomfiture", + "discomposure", + "disconcertion", + "disconcertment", + "pride", + "pridefulness", + "self-esteem", + "self-pride", + "ego", + "egotism", + "self-importance", + "amour propre", + "conceit", + "self-love", + "vanity", + "humility", + "humbleness", + "meekness", + "submission", + "self-depreciation", + "astonishment", + "amazement", + "devastation", + "wonder", + "wonderment", + "admiration", + "awe", + "surprise", + "stupefaction", + "daze", + "shock", + "stupor", + "expectation", + "anticipation", + "expectancy", + "suspense", + "fever", + "buck fever", + "gold fever", + "hope", + "levity", + "gaiety", + "playfulness", + "gravity", + "solemnity", + "earnestness", + "seriousness", + "sincerity", + "sensitivity", + "sensitiveness", + "oversensitiveness", + "sensibility", + "feelings", + "insight", + "perceptiveness", + "perceptivity", + "sensuousness", + "agitation", + "unrest", + "fidget", + "fidgetiness", + "restlessness", + "impatience", + "stewing", + "stir", + "tumult", + "turmoil", + "electricity", + "sensation", + "calmness", + "placidity", + "placidness", + "coolness", + "imperturbability", + "imperturbableness", + "tranquillity", + "tranquility", + "quietness", + "quietude", + "peace", + "peacefulness", + "peace of mind", + "repose", + "serenity", + "heartsease", + "ataraxis", + "easiness", + "relaxation", + "languor", + "dreaminess", + "anger", + "choler", + "ire", + "dudgeon", + "high dudgeon", + "wrath", + "fury", + "rage", + "madness", + "lividity", + "infuriation", + "enragement", + "umbrage", + "offense", + "offence", + "indignation", + "outrage", + "huffiness", + "dander", + "hackles", + "bad temper", + "ill temper", + "annoyance", + "chafe", + "vexation", + "pique", + "temper", + "irritation", + "frustration", + "aggravation", + "exasperation", + "harassment", + "torment", + "fear", + "fearfulness", + "fright", + "alarm", + "dismay", + "consternation", + "creeps", + "frisson", + "shiver", + "chill", + "quiver", + "shudder", + "thrill", + "tingle", + "horror", + "hysteria", + "panic", + "terror", + "affright", + "swivet", + "fear", + "reverence", + "awe", + "veneration", + "scare", + "panic attack", + "stage fright", + "apprehension", + "apprehensiveness", + "dread", + "trepidation", + "foreboding", + "premonition", + "presentiment", + "boding", + "shadow", + "presage", + "suspense", + "timidity", + "timidness", + "timorousness", + "cold feet", + "shyness", + "diffidence", + "self-doubt", + "self-distrust", + "hesitance", + "hesitancy", + "unassertiveness", + "intimidation", + "anxiety", + "worry", + "trouble", + "concern", + "care", + "fear", + "anxiousness", + "disquiet", + "insecurity", + "edginess", + "uneasiness", + "inquietude", + "disquietude", + "willies", + "sinking", + "sinking feeling", + "scruple", + "qualm", + "misgiving", + "jitteriness", + "jumpiness", + "nervousness", + "restiveness", + "angst", + "fearlessness", + "bravery", + "security", + "confidence", + "happiness", + "bonheur", + "gladness", + "gladfulness", + "gladsomeness", + "joy", + "joyousness", + "joyfulness", + "elation", + "high spirits", + "lightness", + "exultation", + "jubilance", + "jubilancy", + "jubilation", + "triumph", + "exhilaration", + "excitement", + "bang", + "boot", + "charge", + "rush", + "flush", + "thrill", + "kick", + "intoxication", + "titillation", + "euphoria", + "euphory", + "gaiety", + "merriment", + "hilarity", + "mirth", + "mirthfulness", + "glee", + "gleefulness", + "rejoicing", + "jocundity", + "jocularity", + "belonging", + "comfortableness", + "closeness", + "intimacy", + "togetherness", + "cheerfulness", + "blitheness", + "buoyancy", + "perkiness", + "carefreeness", + "insouciance", + "lightheartedness", + "lightsomeness", + "contentment", + "satisfaction", + "pride", + "complacency", + "complacence", + "self-complacency", + "self-satisfaction", + "smugness", + "fulfillment", + "fulfilment", + "gloat", + "gloating", + "glee", + "sadness", + "unhappiness", + "dolefulness", + "heaviness", + "melancholy", + "gloom", + "gloominess", + "somberness", + "sombreness", + "heavyheartedness", + "pensiveness", + "brooding", + "world-weariness", + "Weltschmerz", + "woe", + "woefulness", + "misery", + "forlornness", + "loneliness", + "desolation", + "weepiness", + "tearfulness", + "sorrow", + "attrition", + "contrition", + "contriteness", + "broken heart", + "grief", + "heartache", + "heartbreak", + "brokenheartedness", + "mournfulness", + "sorrowfulness", + "ruthfulness", + "plaintiveness", + "dolor", + "dolour", + "sorrow", + "regret", + "rue", + "ruefulness", + "compunction", + "remorse", + "self-reproach", + "guilt", + "guilty conscience", + "guilt feelings", + "guilt trip", + "survivor guilt", + "repentance", + "penitence", + "penance", + "cheerlessness", + "uncheerfulness", + "chill", + "pall", + "joylessness", + "depression", + "downheartedness", + "dejectedness", + "low-spiritedness", + "lowness", + "dispiritedness", + "demoralization", + "demoralisation", + "helplessness", + "self-pity", + "despondency", + "despondence", + "heartsickness", + "disconsolateness", + "oppression", + "oppressiveness", + "weight", + "discontentment", + "discontent", + "discontentedness", + "disgruntlement", + "dysphoria", + "dissatisfaction", + "boredom", + "ennui", + "tedium", + "blahs", + "fatigue", + "displeasure", + "disappointment", + "letdown", + "frustration", + "defeat", + "hope", + "hopefulness", + "encouragement", + "optimism", + "sanguinity", + "sanguineness", + "despair", + "hopelessness", + "resignation", + "surrender", + "defeatism", + "discouragement", + "disheartenment", + "dismay", + "intimidation", + "pessimism", + "cynicism", + "love", + "agape", + "agape love", + "agape", + "filial love", + "ardor", + "ardour", + "amorousness", + "enamoredness", + "puppy love", + "calf love", + "crush", + "infatuation", + "devotion", + "devotedness", + "affection", + "affectionateness", + "fondness", + "tenderness", + "heart", + "warmness", + "warmheartedness", + "philia", + "attachment", + "fond regard", + "protectiveness", + "regard", + "respect", + "soft spot", + "benevolence", + "beneficence", + "heartstrings", + "lovingness", + "caring", + "warmheartedness", + "warmth", + "loyalty", + "hate", + "hatred", + "misanthropy", + "misogamy", + "misogyny", + "misogynism", + "misology", + "misoneism", + "misocainea", + "misopedia", + "murderousness", + "despisal", + "despising", + "hostility", + "enmity", + "ill will", + "animosity", + "animus", + "bad blood", + "class feeling", + "antagonism", + "aggression", + "aggressiveness", + "belligerence", + "belligerency", + "warpath", + "resentment", + "bitterness", + "gall", + "rancor", + "rancour", + "heartburning", + "sulkiness", + "huffishness", + "grudge", + "score", + "grievance", + "envy", + "enviousness", + "covetousness", + "jealousy", + "green-eyed monster", + "penis envy", + "malevolence", + "malignity", + "maleficence", + "malice", + "maliciousness", + "spite", + "spitefulness", + "venom", + "vindictiveness", + "vengefulness", + "temper", + "mood", + "humor", + "humour", + "peeve", + "sulk", + "sulkiness", + "good humor", + "good humour", + "good temper", + "amiability", + "jollity", + "jolliness", + "joviality", + "ill humor", + "ill humour", + "distemper", + "moodiness", + "moroseness", + "glumness", + "sullenness", + "irascibility", + "short temper", + "spleen", + "quick temper", + "irritability", + "crossness", + "fretfulness", + "fussiness", + "peevishness", + "petulance", + "choler", + "testiness", + "touchiness", + "tetchiness", + "pet", + "sympathy", + "fellow feeling", + "kindheartedness", + "kind-heartedness", + "compassion", + "compassionateness", + "commiseration", + "pity", + "ruth", + "pathos", + "mellowness", + "tenderness", + "tenderheartedness", + "mercifulness", + "mercy", + "forgiveness", + "compatibility", + "empathy", + "enthusiasm", + "eagerness", + "avidity", + "avidness", + "keenness", + "ardor", + "ardour", + "elan", + "zeal", + "exuberance", + "technophilia", + "food", + "solid food", + "comfort food", + "comestible", + "edible", + "eatable", + "pabulum", + "victual", + "victuals", + "tuck", + "course", + "dainty", + "delicacy", + "goody", + "kickshaw", + "treat", + "dish", + "fast food", + "finger food", + "ingesta", + "kosher", + "fare", + "diet", + "diet", + "dietary", + "allergy diet", + "balanced diet", + "bland diet", + "ulcer diet", + "clear liquid diet", + "diabetic diet", + "dietary supplement", + "carbohydrate loading", + "carbo loading", + "fad diet", + "gluten-free diet", + "high-protein diet", + "high-vitamin diet", + "vitamin-deficiency diet", + "leftovers", + "light diet", + "liquid diet", + "low-calorie diet", + "low-fat diet", + "low-sodium diet", + "low-salt diet", + "salt-free diet", + "macrobiotic diet", + "reducing diet", + "obesity diet", + "soft diet", + "pap", + "spoon food", + "vegetarianism", + "menu", + "chow", + "chuck", + "eats", + "grub", + "board", + "table", + "training table", + "mess", + "ration", + "field ration", + "K ration", + "C-ration", + "foodstuff", + "food product", + "starches", + "breadstuff", + "coloring", + "colouring", + "food coloring", + "food colouring", + "food color", + "food colour", + "concentrate", + "tomato concentrate", + "meal", + "kibble", + "cornmeal", + "Indian meal", + "farina", + "matzo meal", + "matzoh meal", + "matzah meal", + "oatmeal", + "rolled oats", + "pea flour", + "pinole", + "roughage", + "fiber", + "bran", + "flour", + "plain flour", + "wheat flour", + "whole wheat flour", + "graham flour", + "graham", + "whole meal flour", + "soybean meal", + "soybean flour", + "soy flour", + "semolina", + "blood meal", + "gluten", + "corn gluten", + "corn gluten feed", + "wheat gluten", + "nutriment", + "nourishment", + "nutrition", + "sustenance", + "aliment", + "alimentation", + "victuals", + "cuisine", + "culinary art", + "dim sum", + "haute cuisine", + "nouvelle cuisine", + "rechauffe", + "gastronomy", + "commissariat", + "provisions", + "provender", + "viands", + "victuals", + "food cache", + "larder", + "fresh food", + "fresh foods", + "frozen food", + "frozen foods", + "canned food", + "canned foods", + "canned goods", + "tinned goods", + "canned meat", + "tinned meat", + "Fanny Adams", + "Spam", + "dehydrated food", + "dehydrated foods", + "square meal", + "meal", + "repast", + "potluck", + "refection", + "refreshment", + "breakfast", + "continental breakfast", + "petit dejeuner", + "brunch", + "lunch", + "luncheon", + "tiffin", + "dejeuner", + "business lunch", + "high tea", + "tea", + "afternoon tea", + "teatime", + "dinner", + "supper", + "buffet", + "TV dinner", + "picnic", + "cookout", + "barbecue", + "barbeque", + "clambake", + "fish fry", + "wiener roast", + "weenie roast", + "bite", + "collation", + "snack", + "nosh", + "nosh-up", + "ploughman's lunch", + "coffee break", + "tea break", + "banquet", + "feast", + "spread", + "helping", + "portion", + "serving", + "taste", + "mouthful", + "morsel", + "bit", + "bite", + "swallow", + "sup", + "chew", + "chaw", + "cud", + "quid", + "plug", + "wad", + "entree", + "main course", + "piece de resistance", + "plate", + "adobo", + "side dish", + "side order", + "entremets", + "special", + "casserole", + "chicken casserole", + "chicken cacciatore", + "chicken cacciatora", + "hunter's chicken", + "roast", + "joint", + "confit", + "antipasto", + "appetizer", + "appetiser", + "starter", + "canape", + "cocktail", + "fruit cocktail", + "crab cocktail", + "shrimp cocktail", + "hors d'oeuvre", + "relish", + "dip", + "bean dip", + "cheese dip", + "clam dip", + "guacamole", + "soup", + "soup du jour", + "alphabet soup", + "consomme", + "madrilene", + "bisque", + "borsch", + "borsh", + "borscht", + "borsht", + "borshch", + "bortsch", + "broth", + "liquor", + "pot liquor", + "pot likker", + "barley water", + "bouillon", + "beef broth", + "beef stock", + "chicken broth", + "chicken stock", + "broth", + "stock", + "stock cube", + "chicken soup", + "cock-a-leekie", + "cocky-leeky", + "gazpacho", + "gumbo", + "julienne", + "marmite", + "mock turtle soup", + "mulligatawny", + "oxtail soup", + "pea soup", + "pepper pot", + "Philadelphia pepper pot", + "petite marmite", + "minestrone", + "vegetable soup", + "potage", + "pottage", + "pottage", + "turtle soup", + "green turtle soup", + "eggdrop soup", + "chowder", + "corn chowder", + "clam chowder", + "Manhattan clam chowder", + "New England clam chowder", + "fish chowder", + "won ton", + "wonton", + "wonton soup", + "split-pea soup", + "green pea soup", + "potage St. Germain", + "lentil soup", + "Scotch broth", + "vichyssoise", + "stew", + "bigos", + "Brunswick stew", + "burgoo", + "burgoo", + "olla podrida", + "Spanish burgoo", + "mulligan stew", + "mulligan", + "Irish burgoo", + "purloo", + "chicken purloo", + "poilu", + "goulash", + "Hungarian goulash", + "gulyas", + "hotchpotch", + "hot pot", + "hotpot", + "beef goulash", + "pork-and-veal goulash", + "porkholt", + "Irish stew", + "oyster stew", + "lobster stew", + "lobscouse", + "lobscuse", + "scouse", + "fish stew", + "bouillabaisse", + "matelote", + "paella", + "fricassee", + "chicken stew", + "turkey stew", + "beef stew", + "stew meat", + "ragout", + "ratatouille", + "salmi", + "pot-au-feu", + "slumgullion", + "smorgasbord", + "viand", + "convenience food", + "ready-mix", + "brownie mix", + "cake mix", + "lemonade mix", + "self-rising flour", + "self-raising flour", + "delicatessen", + "delicatessen food", + "takeout", + "takeout food", + "takeaway", + "choice morsel", + "tidbit", + "titbit", + "savory", + "savoury", + "calf's-foot jelly", + "caramel", + "caramelized sugar", + "lump sugar", + "sugarloaf", + "sugar loaf", + "loaf sugar", + "cane sugar", + "castor sugar", + "caster sugar", + "powdered sugar", + "granulated sugar", + "icing sugar", + "beet sugar", + "corn sugar", + "brown sugar", + "demerara", + "demerara sugar", + "sweet", + "confection", + "confectionery", + "confiture", + "sweetmeat", + "candy", + "confect", + "candy bar", + "carob", + "carob powder", + "Saint-John's-bread", + "carob bar", + "hardbake", + "hard candy", + "barley-sugar", + "barley candy", + "brandyball", + "jawbreaker", + "lemon drop", + "sourball", + "patty", + "peppermint patty", + "bonbon", + "brittle", + "toffee", + "toffy", + "peanut brittle", + "chewing gum", + "gum", + "gum ball", + "bubble gum", + "butterscotch", + "candied fruit", + "succade", + "crystallized fruit", + "candied apple", + "candy apple", + "taffy apple", + "caramel apple", + "toffee apple", + "crystallized ginger", + "grapefruit peel", + "lemon peel", + "orange peel", + "candied citrus peel", + "candy cane", + "candy corn", + "caramel", + "chocolate", + "bitter chocolate", + "baking chocolate", + "cooking chocolate", + "chocolate candy", + "center", + "centre", + "chocolate liquor", + "cocoa butter", + "cocoa powder", + "choc", + "chocolate bar", + "Hershey bar", + "bittersweet chocolate", + "semi-sweet chocolate", + "dark chocolate", + "couverture", + "Dutch-processed cocoa", + "jimmies", + "sprinkles", + "milk chocolate", + "white chocolate", + "nonpareil", + "comfit", + "cotton candy", + "spun sugar", + "candyfloss", + "dragee", + "dragee", + "fondant", + "fudge", + "chocolate fudge", + "divinity", + "divinity fudge", + "penuche", + "penoche", + "panoche", + "panocha", + "gumdrop", + "jujube", + "honey crisp", + "mint", + "mint candy", + "horehound", + "peppermint", + "peppermint candy", + "jelly bean", + "jelly egg", + "kiss", + "candy kiss", + "molasses kiss", + "meringue kiss", + "chocolate kiss", + "Scotch kiss", + "licorice", + "liquorice", + "Life Saver", + "lollipop", + "sucker", + "all-day sucker", + "lozenge", + "cachou", + "cough drop", + "troche", + "pastille", + "pastil", + "marshmallow", + "marzipan", + "marchpane", + "nougat", + "nougat bar", + "nut bar", + "peanut bar", + "popcorn ball", + "praline", + "rock candy", + "rock candy", + "rock", + "sugar candy", + "sugarplum", + "taffy", + "molasses taffy", + "truffle", + "chocolate truffle", + "Turkish Delight", + "dessert", + "sweet", + "afters", + "ambrosia", + "nectar", + "ambrosia", + "baked Alaska", + "blancmange", + "charlotte", + "compote", + "fruit compote", + "dumpling", + "flan", + "frozen dessert", + "junket", + "mousse", + "mousse", + "pavlova", + "peach melba", + "whip", + "prune whip", + "pudding", + "pudding", + "pud", + "syllabub", + "sillabub", + "tiramisu", + "trifle", + "tipsy cake", + "jello", + "Jell-O", + "charlotte russe", + "apple dumpling", + "ice", + "frappe", + "water ice", + "sorbet", + "ice cream", + "icecream", + "ice-cream cone", + "chocolate ice cream", + "choc-ice", + "Neapolitan ice cream", + "peach ice cream", + "sherbert", + "sherbet", + "strawberry ice cream", + "tutti-frutti", + "vanilla ice cream", + "ice lolly", + "lolly", + "lollipop", + "popsicle", + "ice milk", + "frozen yogurt", + "snowball", + "snowball", + "parfait", + "ice-cream sundae", + "sundae", + "split", + "banana split", + "frozen pudding", + "frozen custard", + "soft ice cream", + "pudding", + "flummery", + "fish mousse", + "chicken mousse", + "chocolate mousse", + "plum pudding", + "Christmas pudding", + "carrot pudding", + "corn pudding", + "steamed pudding", + "duff", + "plum duff", + "vanilla pudding", + "chocolate pudding", + "brown Betty", + "Nesselrode", + "Nesselrode pudding", + "pease pudding", + "custard", + "creme caramel", + "creme anglais", + "creme brulee", + "fruit custard", + "quiche", + "quiche Lorraine", + "tapioca", + "tapioca pudding", + "roly-poly", + "roly-poly pudding", + "suet pudding", + "spotted dick", + "Bavarian cream", + "maraschino", + "maraschino cherry", + "frosting", + "icing", + "ice", + "glaze", + "meringue", + "nonpareil", + "whipped cream", + "zabaglione", + "sabayon", + "garnish", + "topping", + "streusel", + "baked goods", + "crumb", + "breadcrumb", + "cracker crumbs", + "pastry", + "pastry", + "pastry dough", + "pie crust", + "pie shell", + "dowdy", + "pandowdy", + "frangipane", + "streusel", + "tart", + "apple tart", + "tart", + "apple tart", + "lobster tart", + "tartlet", + "turnover", + "apple turnover", + "knish", + "pirogi", + "piroshki", + "pirozhki", + "samosa", + "timbale", + "timbale case", + "timbale", + "pie", + "deep-dish pie", + "cobbler", + "shoofly pie", + "mince pie", + "apple pie", + "lemon meringue pie", + "blueberry pie", + "rhubarb pie", + "pecan pie", + "pumpkin pie", + "squash pie", + "French pastry", + "napoleon", + "patty shell", + "bouchee", + "patty", + "sausage roll", + "toad-in-the-hole", + "vol-au-vent", + "strudel", + "baklava", + "puff paste", + "pate feuillete", + "phyllo", + "puff batter", + "pouf paste", + "pate a choux", + "profiterole", + "puff", + "cream puff", + "chou", + "eclair", + "chocolate eclair", + "cake", + "applesauce cake", + "baba", + "baba au rhum", + "rum baba", + "birthday cake", + "cheesecake", + "chiffon cake", + "chocolate cake", + "coconut cake", + "coffeecake", + "coffee cake", + "babka", + "crumb cake", + "crumpet", + "cupcake", + "devil's food", + "devil's food cake", + "Eccles cake", + "fruitcake", + "Christmas cake", + "simnel", + "gateau", + "ice-cream cake", + "icebox cake", + "sponge cake", + "angel cake", + "angel food cake", + "jellyroll", + "Swiss roll", + "Madeira cake", + "Madeira sponge", + "Twinkie", + "wedding cake", + "bridecake", + "white cake", + "spice cake", + "gingerbread", + "pound cake", + "layer cake", + "torte", + "petit four", + "prune cake", + "jumble", + "jumbal", + "savarin", + "Boston cream pie", + "upside-down cake", + "skillet cake", + "honey cake", + "marble cake", + "genoise", + "seedcake", + "seed cake", + "teacake", + "teacake", + "tea biscuit", + "Sally Lunn", + "cookie", + "cooky", + "biscuit", + "dog biscuit", + "butter cookie", + "spice cookie", + "shortbread", + "shortbread cookie", + "almond cookie", + "almond crescent", + "brownie", + "gingersnap", + "ginger snap", + "snap", + "ginger nut", + "macaroon", + "ratafia", + "ratafia biscuit", + "coconut macaroon", + "kiss", + "ladyfinger", + "anise cookie", + "molasses cookie", + "oreo", + "oreo cookie", + "raisin-nut cookie", + "refrigerator cookie", + "raisin cookie", + "fruit bar", + "apricot bar", + "date bar", + "sugar cookie", + "oatmeal cookie", + "chocolate chip cookie", + "Toll House cookie", + "fortune cookie", + "gingerbread man", + "friedcake", + "doughboy", + "doughnut", + "donut", + "sinker", + "raised doughnut", + "Berlin doughnut", + "bismark", + "jelly doughnut", + "fastnacht", + "cruller", + "twister", + "French fritter", + "beignet", + "fritter", + "apple fritter", + "corn fritter", + "pancake", + "battercake", + "flannel cake", + "flannel-cake", + "flapcake", + "flapjack", + "griddlecake", + "hotcake", + "hot cake", + "yeast cake", + "buckwheat cake", + "buttermilk pancake", + "blini", + "bliny", + "blintz", + "blintze", + "crape", + "crepe", + "French pancake", + "crepe Suzette", + "pfannkuchen", + "german pancake", + "potato pancake", + "latke", + "waffle", + "Belgian waffle", + "fish cake", + "fish ball", + "rock cake", + "Victoria sandwich", + "Victoria sponge", + "fish stick", + "fish finger", + "conserve", + "preserve", + "conserves", + "preserves", + "apple butter", + "chowchow", + "jam", + "lemon curd", + "lemon cheese", + "strawberry jam", + "strawberry preserves", + "jelly", + "apple jelly", + "crabapple jelly", + "grape jelly", + "marmalade", + "orange marmalade", + "gelatin", + "jelly", + "gelatin dessert", + "bird", + "fowl", + "poultry", + "chicken", + "poulet", + "volaille", + "broiler", + "capon", + "fryer", + "frier", + "pullet", + "roaster", + "Oven Stuffer", + "Oven Stuffer Roaster", + "spatchcock", + "hen", + "Rock Cornish hen", + "guinea hen", + "squab", + "dove", + "duck", + "duckling", + "goose", + "wildfowl", + "grouse", + "quail", + "partridge", + "pheasant", + "turkey", + "drumstick", + "turkey leg", + "turkey drumstick", + "chicken leg", + "chicken drumstick", + "second joint", + "thigh", + "breast", + "white meat", + "wing", + "turkey wing", + "chicken wing", + "buffalo wing", + "barbecued wing", + "giblet", + "giblets", + "medallion", + "oyster", + "parson's nose", + "pope's nose", + "loaf", + "meat", + "game", + "dark meat", + "mess", + "mince", + "puree", + "raw meat", + "gobbet", + "red meat", + "variety meat", + "organs", + "offal", + "heart", + "liver", + "calves' liver", + "calf's liver", + "chicken liver", + "goose liver", + "sweetbread", + "sweetbreads", + "brain", + "calf's brain", + "stomach sweetbread", + "neck sweetbread", + "throat sweetbread", + "tongue", + "beef tongue", + "calf's tongue", + "venison", + "cut", + "cut of meat", + "chop", + "barbecue", + "barbeque", + "biryani", + "biriani", + "cold cuts", + "chine", + "piece", + "slice", + "cutlet", + "scallop", + "scollop", + "escallop", + "escalope de veau Orloff", + "saute", + "fillet", + "filet", + "fish fillet", + "fish filet", + "leg", + "side", + "side of meat", + "side of beef", + "forequarter", + "hindquarter", + "cut of beef", + "chuck", + "chuck short ribs", + "rib", + "entrecote", + "sparerib", + "shank", + "foreshank", + "hindshank", + "shin", + "shin bone", + "brisket", + "plate", + "flank", + "steak", + "fish steak", + "beefsteak", + "flank steak", + "minute steak", + "loin", + "beef loin", + "sirloin", + "wedge bone", + "flat bone", + "pin bone", + "sirloin tip", + "sirloin steak", + "tenderloin", + "undercut", + "beef tenderloin", + "fillet", + "filet", + "pork tenderloin", + "Chateaubriand", + "Delmonico steak", + "club steak", + "tournedos", + "filet mignon", + "porterhouse", + "porterhouse steak", + "T-bone steak", + "blade", + "blade roast", + "neck", + "beef neck", + "shoulder", + "pot roast", + "short ribs", + "rib roast", + "standing rib roast", + "round", + "round steak", + "top round", + "bottom round", + "rump steak", + "strip steak", + "New York strip", + "rump", + "rump roast", + "aitchbone", + "tripe", + "honeycomb tripe", + "buffalo", + "beef", + "boeuf", + "beef roast", + "roast beef", + "patty", + "cake", + "ground beef", + "hamburger", + "chopped steak", + "chop steak", + "chopsteak", + "hamburger steak", + "beef patty", + "bully beef", + "corned beef", + "corn beef", + "pastrami", + "carbonado", + "halal", + "jerky", + "jerked meat", + "jerk", + "beef jerky", + "biltong", + "pemmican", + "pemican", + "veal", + "veau", + "veal parmesan", + "veal parmigiana", + "cut of veal", + "scrag", + "scrag end", + "veal roast", + "roast veal", + "breast of veal", + "fricandeau", + "veal cordon bleu", + "calves' feet", + "horsemeat", + "horseflesh", + "rabbit", + "hare", + "mouton", + "mutton", + "mutton chop", + "scrag", + "cut of mutton", + "lamb", + "cut of lamb", + "breast of lamb", + "poitrine d'agneau", + "saddle", + "saddle of lamb", + "loin of lamb", + "lamb chop", + "lamb-chop", + "lambchop", + "rack", + "lamb roast", + "roast lamb", + "rack of lamb", + "crown roast", + "ham hock", + "leg of lamb", + "gigot", + "pork", + "porc", + "cut of pork", + "cochon de lait", + "suckling pig", + "flitch", + "side of bacon", + "gammon", + "pork loin", + "side of pork", + "pork belly", + "pork roast", + "roast pork", + "ham", + "jambon", + "gammon", + "Virginia ham", + "picnic ham", + "picnic shoulder", + "porkchop", + "prosciutto", + "bacon", + "bacon strip", + "rind", + "bacon rind", + "Canadian bacon", + "salt pork", + "fatback", + "sowbelly", + "spareribs", + "pigs' feet", + "pigs' knuckles", + "chitterlings", + "chitlins", + "chitlings", + "cracklings", + "haslet", + "edible fat", + "lard", + "marbling", + "shortening", + "suet", + "margarine", + "margarin", + "oleo", + "oleomargarine", + "marge", + "cooking oil", + "drippings", + "vegetable oil", + "oil", + "sweet oil", + "canola oil", + "canola", + "coconut oil", + "copra oil", + "corn oil", + "cottonseed oil", + "olive oil", + "palm oil", + "peanut oil", + "groundnut oil", + "salad oil", + "safflower oil", + "sesame oil", + "soybean oil", + "soyabean oil", + "sunflower oil", + "sunflower-seed oil", + "walnut oil", + "sausage", + "sausage meat", + "blood sausage", + "blood pudding", + "black pudding", + "bologna", + "Bologna sausage", + "chipolata", + "chorizo", + "frank", + "frankfurter", + "hotdog", + "hot dog", + "dog", + "wiener", + "wienerwurst", + "weenie", + "Vienna sausage", + "polony", + "headcheese", + "knackwurst", + "knockwurst", + "liver pudding", + "liver sausage", + "liverwurst", + "pepperoni", + "pork sausage", + "salami", + "banger", + "bratwurst", + "brat", + "linguica", + "saveloy", + "souse", + "lunch meat", + "luncheon meat", + "mincemeat", + "stuffing", + "dressing", + "turkey stuffing", + "oyster stuffing", + "oyster dressing", + "forcemeat", + "farce", + "bread", + "breadstuff", + "staff of life", + "anadama bread", + "bap", + "barmbrack", + "breadstick", + "bread-stick", + "grissino", + "brown bread", + "Boston brown bread", + "bun", + "roll", + "tea bread", + "caraway seed bread", + "challah", + "hallah", + "cinnamon bread", + "cracked-wheat bread", + "cracker", + "crouton", + "dark bread", + "whole wheat bread", + "whole meal bread", + "brown bread", + "English muffin", + "flatbread", + "garlic bread", + "gluten bread", + "graham bread", + "Host", + "flatbrod", + "bannock", + "chapatti", + "chapati", + "pita", + "pocket bread", + "loaf of bread", + "loaf", + "heel", + "French loaf", + "matzo", + "matzoh", + "matzah", + "unleavened bread", + "nan", + "naan", + "onion bread", + "raisin bread", + "quick bread", + "banana bread", + "date bread", + "date-nut bread", + "nut bread", + "oatcake", + "Irish soda bread", + "skillet bread", + "fry bread", + "rye bread", + "black bread", + "pumpernickel", + "Jewish rye bread", + "Jewish rye", + "limpa", + "Swedish rye bread", + "Swedish rye", + "salt-rising bread", + "simnel", + "sour bread", + "sourdough bread", + "toast", + "wafer", + "white bread", + "light bread", + "baguet", + "baguette", + "French bread", + "Italian bread", + "cornbread", + "corn cake", + "skillet corn bread", + "ashcake", + "ash cake", + "corn tash", + "hoecake", + "cornpone", + "pone", + "corn dab", + "corn dodger", + "dodger", + "hush puppy", + "hushpuppy", + "johnnycake", + "johnny cake", + "journey cake", + "Shawnee cake", + "spoon bread", + "batter bread", + "cinnamon toast", + "orange toast", + "Melba toast", + "zwieback", + "rusk", + "Brussels biscuit", + "twice-baked bread", + "frankfurter bun", + "hotdog bun", + "hamburger bun", + "hamburger roll", + "muffin", + "gem", + "bran muffin", + "corn muffin", + "Yorkshire pudding", + "popover", + "scone", + "drop scone", + "griddlecake", + "Scotch pancake", + "cross bun", + "hot cross bun", + "coffee ring", + "brioche", + "crescent roll", + "croissant", + "hard roll", + "Vienna roll", + "soft roll", + "kaiser roll", + "Parker House roll", + "clover-leaf roll", + "onion roll", + "bialy", + "bialystoker", + "sweet roll", + "coffee roll", + "bear claw", + "bear paw", + "cinnamon roll", + "cinnamon bun", + "cinnamon snail", + "honey bun", + "sticky bun", + "caramel bun", + "schnecken", + "pinwheel roll", + "danish", + "danish pastry", + "bagel", + "beigel", + "onion bagel", + "biscuit", + "rolled biscuit", + "drop biscuit", + "baking-powder biscuit", + "buttermilk biscuit", + "soda biscuit", + "shortcake", + "hardtack", + "pilot biscuit", + "pilot bread", + "sea biscuit", + "ship biscuit", + "wafer", + "brandysnap", + "saltine", + "soda cracker", + "oyster cracker", + "water biscuit", + "graham cracker", + "pretzel", + "soft pretzel", + "sandwich", + "sandwich plate", + "butty", + "ham sandwich", + "chicken sandwich", + "club sandwich", + "three-decker", + "triple-decker", + "open-face sandwich", + "open sandwich", + "hamburger", + "beefburger", + "burger", + "cheeseburger", + "tunaburger", + "hotdog", + "hot dog", + "red hot", + "Sloppy Joe", + "bomber", + "grinder", + "hero", + "hero sandwich", + "hoagie", + "hoagy", + "Cuban sandwich", + "Italian sandwich", + "poor boy", + "sub", + "submarine", + "submarine sandwich", + "torpedo", + "wedge", + "zep", + "gyro", + "bacon-lettuce-tomato sandwich", + "BLT", + "Reuben", + "western", + "western sandwich", + "wrap", + "pasta", + "alimentary paste", + "farfalle", + "bowtie pasta", + "noodle", + "orzo", + "egg noodle", + "spaghetti", + "spaghetti", + "spaghettini", + "tortellini", + "ziti", + "rigatoni", + "fedelline", + "linguine", + "linguini", + "fettuccine", + "fettuccini", + "fettuccine Alfredo", + "vermicelli", + "macaroni", + "lasagna", + "lasagne", + "penne", + "ravioli", + "cappelletti", + "tagliatelle", + "manicotti", + "couscous", + "gnocchi", + "matzo ball", + "matzoh ball", + "matzah ball", + "won ton", + "wonton", + "dumpling", + "dumplings", + "health food", + "junk food", + "breakfast food", + "cereal", + "muesli", + "Pablum", + "hot cereal", + "mush", + "cornmeal mush", + "atole", + "hasty pudding", + "polenta", + "hasty pudding", + "gruel", + "congee", + "jook", + "skilly", + "grits", + "hominy grits", + "kasha", + "frumenty", + "cold cereal", + "dry cereal", + "granola", + "granola bar", + "raisin bran", + "corn flake", + "bran flake", + "wheatflake", + "puffed rice", + "puffed wheat", + "produce", + "green goods", + "green groceries", + "garden truck", + "edible fruit", + "vegetable", + "veggie", + "veg", + "julienne", + "julienne vegetable", + "eater", + "raw vegetable", + "rabbit food", + "crudites", + "celery stick", + "legume", + "pulse", + "potherb", + "greens", + "green", + "leafy vegetable", + "chop-suey greens", + "bean curd", + "tofu", + "solanaceous vegetable", + "root vegetable", + "potato", + "white potato", + "Irish potato", + "murphy", + "spud", + "tater", + "baked potato", + "french fries", + "french-fried potatoes", + "fries", + "chips", + "home fries", + "home-fried potatoes", + "jacket potato", + "jacket", + "mashed potato", + "potato skin", + "potato peel", + "potato peelings", + "Uruguay potato", + "yam", + "sweet potato", + "yam", + "snack food", + "chip", + "crisp", + "potato chip", + "Saratoga chip", + "corn chip", + "tortilla chip", + "nacho", + "eggplant", + "aubergine", + "mad apple", + "pieplant", + "rhubarb", + "cruciferous vegetable", + "mustard", + "mustard greens", + "leaf mustard", + "Indian mustard", + "cabbage", + "chou", + "kale", + "kail", + "cole", + "collards", + "collard greens", + "Chinese cabbage", + "celery cabbage", + "Chinese celery", + "bok choy", + "bok choi", + "head cabbage", + "red cabbage", + "savoy cabbage", + "savoy", + "broccoli", + "cauliflower", + "brussels sprouts", + "broccoli rabe", + "broccoli raab", + "squash", + "summer squash", + "yellow squash", + "crookneck", + "crookneck squash", + "summer crookneck", + "zucchini", + "courgette", + "marrow", + "vegetable marrow", + "cocozelle", + "pattypan squash", + "spaghetti squash", + "winter squash", + "acorn squash", + "butternut squash", + "hubbard squash", + "turban squash", + "buttercup squash", + "cushaw", + "winter crookneck squash", + "cucumber", + "cuke", + "gherkin", + "artichoke", + "globe artichoke", + "artichoke heart", + "Jerusalem artichoke", + "sunchoke", + "asparagus", + "bamboo shoot", + "sprout", + "bean sprout", + "alfalfa sprout", + "beet", + "beetroot", + "beet green", + "sugar beet", + "mangel-wurzel", + "chard", + "Swiss chard", + "spinach beet", + "leaf beet", + "pepper", + "sweet pepper", + "bell pepper", + "green pepper", + "globe pepper", + "pimento", + "pimiento", + "hot pepper", + "chili", + "chili pepper", + "chilli", + "chilly", + "chile", + "jalapeno", + "jalapeno pepper", + "chipotle", + "cayenne", + "cayenne pepper", + "tabasco", + "red pepper", + "onion", + "Bermuda onion", + "green onion", + "spring onion", + "scallion", + "Vidalia onion", + "Spanish onion", + "purple onion", + "red onion", + "leek", + "shallot", + "salad green", + "salad greens", + "lettuce", + "butterhead lettuce", + "buttercrunch", + "Bibb lettuce", + "Boston lettuce", + "crisphead lettuce", + "iceberg lettuce", + "iceberg", + "cos", + "cos lettuce", + "romaine", + "romaine lettuce", + "leaf lettuce", + "loose-leaf lettuce", + "celtuce", + "bean", + "edible bean", + "goa bean", + "lentil", + "pea", + "green pea", + "garden pea", + "marrowfat pea", + "snow pea", + "sugar pea", + "sugar snap pea", + "split-pea", + "chickpea", + "garbanzo", + "cajan pea", + "pigeon pea", + "dahl", + "field pea", + "mushy peas", + "black-eyed pea", + "cowpea", + "common bean", + "kidney bean", + "navy bean", + "pea bean", + "white bean", + "pinto bean", + "frijole", + "black bean", + "turtle bean", + "fresh bean", + "flageolet", + "haricot", + "green bean", + "snap bean", + "snap", + "string bean", + "Kentucky wonder", + "Kentucky wonder bean", + "scarlet runner", + "scarlet runner bean", + "runner bean", + "English runner bean", + "haricot vert", + "haricots verts", + "French bean", + "wax bean", + "yellow bean", + "shell bean", + "lima bean", + "Fordhooks", + "sieva bean", + "butter bean", + "butterbean", + "civet bean", + "fava bean", + "broad bean", + "soy", + "soybean", + "soya", + "soya bean", + "green soybean", + "field soybean", + "cardoon", + "carrot", + "carrot stick", + "celery", + "pascal celery", + "Paschal celery", + "celeriac", + "celery root", + "chicory", + "curly endive", + "radicchio", + "coffee substitute", + "chicory", + "chicory root", + "Postum", + "chicory escarole", + "endive", + "escarole", + "Belgian endive", + "French endive", + "witloof", + "corn", + "edible corn", + "sweet corn", + "green corn", + "hominy", + "lye hominy", + "pearl hominy", + "popcorn", + "cress", + "watercress", + "garden cress", + "winter cress", + "dandelion green", + "gumbo", + "okra", + "kohlrabi", + "turnip cabbage", + "lamb's-quarter", + "pigweed", + "wild spinach", + "wild spinach", + "tomato", + "beefsteak tomato", + "cherry tomato", + "plum tomato", + "tomatillo", + "husk tomato", + "Mexican husk tomato", + "mushroom", + "stuffed mushroom", + "salsify", + "oyster plant", + "vegetable oyster", + "scorzonera", + "black salsify", + "parsnip", + "pumpkin", + "radish", + "turnip", + "white turnip", + "rutabaga", + "swede", + "swedish turnip", + "yellow turnip", + "turnip greens", + "sorrel", + "common sorrel", + "French sorrel", + "spinach", + "taro", + "taro root", + "cocoyam", + "dasheen", + "edda", + "truffle", + "earthnut", + "edible nut", + "bunya bunya", + "peanut", + "earthnut", + "goober", + "goober pea", + "groundnut", + "monkey nut", + "water chestnut", + "freestone", + "cling", + "clingstone", + "peel", + "skin", + "banana peel", + "banana skin", + "lemon peel", + "lemon rind", + "orange peel", + "orange rind", + "windfall", + "apple", + "crab apple", + "crabapple", + "eating apple", + "dessert apple", + "Baldwin", + "Cortland", + "Cox's Orange Pippin", + "Delicious", + "Golden Delicious", + "Yellow Delicious", + "Red Delicious", + "Empire", + "Grimes' golden", + "Jonathan", + "McIntosh", + "Macoun", + "Northern Spy", + "Pearmain", + "Pippin", + "Prima", + "Stayman", + "Winesap", + "Stayman Winesap", + "cooking apple", + "Bramley's Seedling", + "Granny Smith", + "Lane's Prince Albert", + "Newtown Wonder", + "Rome Beauty", + "berry", + "bilberry", + "whortleberry", + "European blueberry", + "huckleberry", + "blueberry", + "wintergreen", + "boxberry", + "checkerberry", + "teaberry", + "spiceberry", + "cranberry", + "lingonberry", + "mountain cranberry", + "cowberry", + "lowbush cranberry", + "currant", + "gooseberry", + "black currant", + "red currant", + "blackberry", + "boysenberry", + "dewberry", + "loganberry", + "raspberry", + "saskatoon", + "serviceberry", + "shadberry", + "juneberry", + "lanseh", + "lansa", + "lansat", + "lanset", + "strawberry", + "sugarberry", + "hackberry", + "persimmon", + "acerola", + "barbados cherry", + "surinam cherry", + "West Indian cherry", + "carambola", + "star fruit", + "ceriman", + "monstera", + "carissa plum", + "natal plum", + "citrus", + "citrus fruit", + "citrous fruit", + "section", + "orange", + "temple orange", + "mandarin", + "mandarin orange", + "clementine", + "satsuma", + "tangerine", + "tangelo", + "ugli", + "ugli fruit", + "bitter orange", + "Seville orange", + "sour orange", + "sweet orange", + "Jaffa orange", + "navel orange", + "Valencia orange", + "kumquat", + "lemon", + "lime", + "key lime", + "grapefruit", + "pomelo", + "shaddock", + "citrange", + "citron", + "almond", + "Jordan almond", + "apricot", + "peach", + "nectarine", + "pitahaya", + "plum", + "damson", + "damson plum", + "greengage", + "greengage plum", + "beach plum", + "sloe", + "Victoria plum", + "dried fruit", + "dried apricot", + "prune", + "raisin", + "seedless raisin", + "sultana", + "seeded raisin", + "currant", + "fig", + "pineapple", + "ananas", + "anchovy pear", + "river pear", + "banana", + "passion fruit", + "granadilla", + "sweet calabash", + "bell apple", + "sweet cup", + "water lemon", + "yellow granadilla", + "breadfruit", + "jackfruit", + "jak", + "jack", + "cacao bean", + "cocoa bean", + "cocoa", + "canistel", + "eggfruit", + "melon", + "melon ball", + "muskmelon", + "sweet melon", + "cantaloup", + "cantaloupe", + "winter melon", + "honeydew", + "honeydew melon", + "Persian melon", + "net melon", + "netted melon", + "nutmeg melon", + "casaba", + "casaba melon", + "watermelon", + "cherry", + "sweet cherry", + "black cherry", + "bing cherry", + "heart cherry", + "oxheart", + "oxheart cherry", + "blackheart", + "blackheart cherry", + "capulin", + "Mexican black cherry", + "sour cherry", + "amarelle", + "morello", + "cocoa plum", + "coco plum", + "icaco", + "gherkin", + "grape", + "fox grape", + "Concord grape", + "Catawba", + "muscadine", + "bullace grape", + "scuppernong", + "slipskin grape", + "vinifera grape", + "emperor", + "muscat", + "muscatel", + "muscat grape", + "ribier", + "sultana", + "Tokay", + "flame tokay", + "Thompson Seedless", + "custard apple", + "cherimoya", + "cherimolla", + "soursop", + "guanabana", + "bullock's heart", + "Jamaica apple", + "sweetsop", + "annon", + "sugar apple", + "ilama", + "pond apple", + "papaw", + "pawpaw", + "papaya", + "kai apple", + "ketembilla", + "kitembilla", + "kitambilla", + "ackee", + "akee", + "durian", + "feijoa", + "pineapple guava", + "genip", + "Spanish lime", + "genipap", + "genipap fruit", + "kiwi", + "kiwi fruit", + "Chinese gooseberry", + "loquat", + "Japanese plum", + "mangosteen", + "mango", + "sapodilla", + "sapodilla plum", + "sapota", + "sapote", + "mammee", + "marmalade plum", + "tamarind", + "tamarindo", + "avocado", + "alligator pear", + "avocado pear", + "aguacate", + "date", + "elderberry", + "guava", + "mombin", + "hog plum", + "yellow mombin", + "hog plum", + "wild plum", + "jaboticaba", + "jujube", + "Chinese date", + "Chinese jujube", + "litchi", + "litchi nut", + "litchee", + "lichi", + "leechee", + "lichee", + "lychee", + "longanberry", + "dragon's eye", + "mamey", + "mammee", + "mammee apple", + "marang", + "medlar", + "medlar", + "mulberry", + "olive", + "black olive", + "ripe olive", + "green olive", + "pear", + "bosc", + "anjou", + "bartlett", + "bartlett pear", + "seckel", + "seckel pear", + "plantain", + "plumcot", + "pomegranate", + "prickly pear", + "garambulla", + "Barbados gooseberry", + "blade apple", + "quandong", + "quandang", + "quantong", + "native peach", + "quandong nut", + "quince", + "rambutan", + "rambotan", + "pulasan", + "pulassan", + "rose apple", + "sorb", + "sorb apple", + "sour gourd", + "sour gourd", + "monkey bread", + "edible seed", + "pumpkin seed", + "betel nut", + "areca nut", + "beechnut", + "walnut", + "black walnut", + "English walnut", + "brazil nut", + "brazil", + "butternut", + "souari nut", + "cashew", + "cashew nut", + "chestnut", + "chincapin", + "chinkapin", + "chinquapin", + "water chinquapin", + "hazelnut", + "filbert", + "cobnut", + "cob", + "coconut", + "cocoanut", + "coconut", + "coconut meat", + "coconut milk", + "coconut water", + "copra", + "dika nut", + "dika bread", + "groundnut", + "potato bean", + "wild bean", + "grugru nut", + "hickory nut", + "cola extract", + "macadamia nut", + "pecan", + "pine nut", + "pignolia", + "pinon nut", + "pistachio", + "pistachio nut", + "sunflower seed", + "fish", + "saltwater fish", + "freshwater fish", + "seafood", + "bream", + "sea bream", + "bream", + "freshwater bream", + "freshwater bass", + "bass", + "largemouth bass", + "smallmouth bass", + "sea bass", + "bass", + "striped bass", + "striper", + "grouper", + "croaker", + "whiting", + "whiting", + "cusk", + "dolphinfish", + "mahimahi", + "carp", + "buffalofish", + "pike", + "muskellunge", + "pickerel", + "monkfish", + "sucker", + "catfish", + "mudcat", + "perch", + "sunfish", + "crappie", + "tuna", + "tuna fish", + "tunny", + "albacore", + "bonito", + "bluefin", + "bluefin tuna", + "mackerel", + "Spanish mackerel", + "pompano", + "squid", + "calamari", + "calamary", + "blowfish", + "sea squab", + "puffer", + "pufferfish", + "fugu", + "octopus", + "escargot", + "snail", + "periwinkle", + "winkle", + "whelk", + "panfish", + "stockfish", + "shellfish", + "mussel", + "anchovy", + "anchovy paste", + "eel", + "smoked eel", + "elver", + "mullet", + "grey mullet", + "gray mullet", + "herring", + "kingfish", + "lingcod", + "kipper", + "kippered herring", + "bloater", + "pickled herring", + "rollmops", + "alewife", + "bluefish", + "swordfish", + "butterfish", + "huitre", + "oyster", + "oysters Rockefeller", + "bluepoint", + "blue point", + "clam", + "quahaug", + "quahog", + "hard-shell clam", + "round clam", + "littleneck", + "littleneck clam", + "cherrystone", + "cherrystone clam", + "soft-shell clam", + "steamer", + "steamer clam", + "long-neck clam", + "cockle", + "crab", + "crabmeat", + "blue crab", + "crab legs", + "soft-shell crab", + "soft-shelled crab", + "Japanese crab", + "Alaska king crab", + "Alaskan king crab", + "king crab", + "Alaska crab", + "Dungeness crab", + "stone crab", + "crayfish", + "crawfish", + "crawdad", + "ecrevisse", + "cod", + "codfish", + "pollack", + "pollock", + "schrod", + "scrod", + "haddock", + "finnan haddie", + "finnan haddock", + "finnan", + "smoked haddock", + "salt cod", + "porgy", + "scup", + "scup", + "flatfish", + "flounder", + "yellowtail flounder", + "plaice", + "turbot", + "sand dab", + "sole", + "fillet of sole", + "grey sole", + "gray sole", + "lemon sole", + "English sole", + "lemon sole", + "winter flounder", + "halibut", + "flitch", + "hake", + "redfish", + "rosefish", + "ocean perch", + "rockfish", + "sailfish", + "weakfish", + "limpet", + "lobster", + "American lobster", + "Northern lobster", + "Maine lobster", + "European lobster", + "spiny lobster", + "langouste", + "rock lobster", + "crayfish", + "Norwegian lobster", + "langoustine", + "scampo", + "lobster tail", + "coral", + "tomalley", + "sardine", + "pilchard", + "prawn", + "shrimp", + "river prawn", + "trout", + "rainbow trout", + "sea trout", + "salmon trout", + "brook trout", + "speckled trout", + "lake trout", + "whitefish", + "whitefish", + "lake herring", + "cisco", + "rock salmon", + "salmon", + "Atlantic salmon", + "red salmon", + "sockeye", + "sockeye salmon", + "chinook salmon", + "chinook", + "king salmon", + "silver salmon", + "coho salmon", + "coho", + "cohoe", + "smoked salmon", + "lox", + "Scandinavian lox", + "Nova Scotia lox", + "Nova lox", + "Nova Scotia salmon", + "Nova salmon", + "Nova style salmon", + "snapper", + "red snapper", + "red rockfish", + "scallop", + "scollop", + "escallop", + "sea scallop", + "bay scallop", + "kippered salmon", + "red herring", + "smoked herring", + "shad", + "smelt", + "American smelt", + "rainbow smelt", + "European smelt", + "sparling", + "sprat", + "brisling", + "whitebait", + "roe", + "hard roe", + "milt", + "soft roe", + "caviar", + "caviare", + "beluga caviar", + "shad roe", + "smoked mackerel", + "feed", + "provender", + "cattle cake", + "creep feed", + "fodder", + "feed grain", + "eatage", + "forage", + "pasture", + "pasturage", + "grass", + "silage", + "ensilage", + "oil cake", + "oil meal", + "alfalfa", + "broad bean", + "horse bean", + "hay", + "timothy", + "stover", + "grain", + "food grain", + "cereal", + "grist", + "groats", + "millet", + "barley", + "barleycorn", + "pearl barley", + "buckwheat", + "bulgur", + "bulghur", + "bulgur wheat", + "wheat", + "wheat berry", + "cracked wheat", + "stodge", + "wheat germ", + "oat", + "rice", + "brown rice", + "white rice", + "polished rice", + "wild rice", + "Indian rice", + "paddy", + "slop", + "slops", + "swill", + "pigswill", + "pigwash", + "mash", + "chicken feed", + "scratch", + "cud", + "rechewed food", + "bird feed", + "bird food", + "birdseed", + "petfood", + "pet-food", + "pet food", + "mast", + "dog food", + "cat food", + "canary seed", + "salad", + "tossed salad", + "green salad", + "Caesar salad", + "salmagundi", + "salad nicoise", + "combination salad", + "chef's salad", + "potato salad", + "pasta salad", + "macaroni salad", + "fruit salad", + "Waldorf salad", + "crab Louis", + "herring salad", + "tuna fish salad", + "tuna salad", + "chicken salad", + "coleslaw", + "slaw", + "aspic", + "molded salad", + "tabbouleh", + "tabooli", + "ingredient", + "fixings", + "flavorer", + "flavourer", + "flavoring", + "flavouring", + "seasoner", + "seasoning", + "bouillon cube", + "beef tea", + "Bovril", + "lemon zest", + "orange zest", + "condiment", + "herb", + "fines herbes", + "spice", + "peppermint oil", + "spearmint oil", + "lemon oil", + "wintergreen oil", + "oil of wintergreen", + "salt", + "table salt", + "common salt", + "celery salt", + "garlic salt", + "onion salt", + "seasoned salt", + "sour salt", + "five spice powder", + "allspice", + "cinnamon", + "stick cinnamon", + "clove", + "cumin", + "cumin seed", + "fennel", + "ginger", + "gingerroot", + "ginger", + "powdered ginger", + "mace", + "nutmeg", + "pepper", + "peppercorn", + "black pepper", + "white pepper", + "sassafras", + "basil", + "sweet basil", + "bay leaf", + "borage", + "hyssop", + "caraway", + "chervil", + "chives", + "comfrey", + "healing herb", + "coriander", + "Chinese parsley", + "cilantro", + "coriander", + "coriander seed", + "costmary", + "fennel", + "common fennel", + "fennel", + "Florence fennel", + "finocchio", + "fennel seed", + "fenugreek", + "fenugreek seed", + "garlic", + "ail", + "clove", + "garlic clove", + "garlic chive", + "lemon balm", + "lovage", + "marjoram", + "oregano", + "mint", + "mustard seed", + "mustard", + "table mustard", + "Chinese mustard", + "nasturtium", + "parsley", + "salad burnet", + "rosemary", + "rue", + "sage", + "clary sage", + "savory", + "savoury", + "summer savory", + "summer savoury", + "winter savory", + "winter savoury", + "sweet woodruff", + "waldmeister", + "sweet cicely", + "tarragon", + "estragon", + "thyme", + "turmeric", + "caper", + "catsup", + "ketchup", + "cetchup", + "tomato ketchup", + "cardamom", + "cardamon", + "cardamum", + "cayenne", + "cayenne pepper", + "red pepper", + "chili powder", + "chili sauce", + "chili vinegar", + "chutney", + "Indian relish", + "steak sauce", + "taco sauce", + "salsa", + "mint sauce", + "cranberry sauce", + "curry powder", + "curry", + "lamb curry", + "duck sauce", + "hoisin sauce", + "horseradish", + "marinade", + "paprika", + "Spanish paprika", + "pickle", + "dill pickle", + "chowchow", + "bread and butter pickle", + "pickle relish", + "piccalilli", + "sweet pickle", + "applesauce", + "apple sauce", + "soy sauce", + "soy", + "Tabasco", + "Tabasco sauce", + "tomato paste", + "angelica", + "angelica", + "almond extract", + "anise", + "aniseed", + "anise seed", + "Chinese anise", + "star anise", + "star aniseed", + "juniper berries", + "saffron", + "sesame seed", + "benniseed", + "caraway seed", + "poppy seed", + "dill", + "dill weed", + "dill seed", + "celery seed", + "lemon extract", + "monosodium glutamate", + "MSG", + "vanilla bean", + "vanilla", + "vanilla extract", + "vinegar", + "acetum", + "cider vinegar", + "wine vinegar", + "sauce", + "anchovy sauce", + "hot sauce", + "hard sauce", + "horseradish sauce", + "sauce Albert", + "bolognese pasta sauce", + "carbonara", + "tomato sauce", + "tartare sauce", + "tartar sauce", + "wine sauce", + "marchand de vin", + "mushroom wine sauce", + "bread sauce", + "plum sauce", + "peach sauce", + "apricot sauce", + "pesto", + "ravigote", + "ravigotte", + "remoulade sauce", + "dressing", + "salad dressing", + "sauce Louis", + "bleu cheese dressing", + "blue cheese dressing", + "blue cheese dressing", + "Roquefort dressing", + "French dressing", + "vinaigrette", + "sauce vinaigrette", + "Lorenzo dressing", + "anchovy dressing", + "Italian dressing", + "half-and-half dressing", + "mayonnaise", + "mayo", + "green mayonnaise", + "sauce verte", + "aioli", + "aioli sauce", + "garlic sauce", + "Russian dressing", + "Russian mayonnaise", + "salad cream", + "Thousand Island dressing", + "barbecue sauce", + "hollandaise", + "bearnaise", + "Bercy", + "Bercy butter", + "bordelaise", + "bourguignon", + "bourguignon sauce", + "Burgundy sauce", + "brown sauce", + "sauce Espagnole", + "Espagnole", + "sauce Espagnole", + "Chinese brown sauce", + "brown sauce", + "blanc", + "cheese sauce", + "chocolate sauce", + "chocolate syrup", + "hot-fudge sauce", + "fudge sauce", + "cocktail sauce", + "seafood sauce", + "Colbert", + "Colbert butter", + "white sauce", + "bechamel sauce", + "bechamel", + "cream sauce", + "Mornay sauce", + "demiglace", + "demi-glaze", + "gravy", + "pan gravy", + "gravy", + "spaghetti sauce", + "pasta sauce", + "marinara", + "mole", + "hunter's sauce", + "sauce chausseur", + "mushroom sauce", + "mustard sauce", + "Nantua", + "shrimp sauce", + "Hungarian sauce", + "paprika sauce", + "pepper sauce", + "Poivrade", + "roux", + "Smitane", + "Soubise", + "white onion sauce", + "Lyonnaise sauce", + "brown onion sauce", + "veloute", + "allemande", + "allemande sauce", + "caper sauce", + "poulette", + "curry sauce", + "Worcester sauce", + "Worcestershire", + "Worcestershire sauce", + "coconut milk", + "coconut cream", + "egg", + "eggs", + "egg white", + "white", + "albumen", + "ovalbumin", + "egg yolk", + "yolk", + "boiled egg", + "coddled egg", + "hard-boiled egg", + "hard-cooked egg", + "Easter egg", + "Easter egg", + "chocolate egg", + "candy egg", + "poached egg", + "dropped egg", + "scrambled eggs", + "deviled egg", + "stuffed egg", + "shirred egg", + "baked egg", + "egg en cocotte", + "omelet", + "omelette", + "firm omelet", + "French omelet", + "fluffy omelet", + "western omelet", + "souffle", + "fried egg", + "dairy product", + "milk", + "milk", + "sour milk", + "soya milk", + "soybean milk", + "soymilk", + "formula", + "pasteurized milk", + "cows' milk", + "yak's milk", + "goats' milk", + "acidophilus milk", + "raw milk", + "scalded milk", + "homogenized milk", + "certified milk", + "powdered milk", + "dry milk", + "dried milk", + "milk powder", + "nonfat dry milk", + "evaporated milk", + "condensed milk", + "skim milk", + "skimmed milk", + "semi-skimmed milk", + "whole milk", + "low-fat milk", + "buttermilk", + "cream", + "clotted cream", + "Devonshire cream", + "double creme", + "heavy whipping cream", + "half-and-half", + "heavy cream", + "light cream", + "coffee cream", + "single cream", + "sour cream", + "soured cream", + "whipping cream", + "light whipping cream", + "butter", + "stick", + "clarified butter", + "drawn butter", + "ghee", + "brown butter", + "beurre noisette", + "Meuniere butter", + "lemon butter", + "yogurt", + "yoghurt", + "yoghourt", + "blueberry yogurt", + "raita", + "whey", + "curd", + "curd", + "clabber", + "cheese", + "cheese rind", + "paring", + "cream cheese", + "double cream", + "mascarpone", + "triple cream", + "triple creme", + "cottage cheese", + "pot cheese", + "farm cheese", + "farmer's cheese", + "process cheese", + "processed cheese", + "bleu", + "blue cheese", + "Stilton", + "Roquefort", + "gorgonzola", + "Danish blue", + "Bavarian blue", + "Brie", + "brick cheese", + "Camembert", + "cheddar", + "cheddar cheese", + "Armerican cheddar", + "American cheese", + "rat cheese", + "store cheese", + "Cheshire cheese", + "double Gloucester", + "Edam", + "goat cheese", + "chevre", + "Gouda", + "Gouda cheese", + "grated cheese", + "hand cheese", + "Liederkranz", + "Limburger", + "mozzarella", + "Muenster", + "Parmesan", + "quark cheese", + "quark", + "ricotta", + "string cheese", + "Swiss cheese", + "Emmenthal", + "Emmental", + "Emmenthaler", + "Emmentaler", + "Gruyere", + "sapsago", + "Velveeta", + "nut butter", + "peanut butter", + "marshmallow fluff", + "onion butter", + "pimento butter", + "shrimp butter", + "lobster butter", + "yak butter", + "spread", + "paste", + "cheese spread", + "anchovy butter", + "fishpaste", + "garlic butter", + "miso", + "wasabi", + "snail butter", + "hummus", + "humus", + "hommos", + "hoummos", + "humous", + "pate", + "duck pate", + "foie gras", + "pate de foie gras", + "tapenade", + "tahini", + "sweetening", + "sweetener", + "aspartame", + "honey", + "saccharin", + "sugar", + "refined sugar", + "syrup", + "sirup", + "sugar syrup", + "molasses", + "sorghum", + "sorghum molasses", + "treacle", + "golden syrup", + "grenadine", + "maple syrup", + "corn syrup", + "miraculous food", + "manna", + "manna from heaven", + "batter", + "dough", + "bread dough", + "pancake batter", + "fritter batter", + "sop", + "sops", + "coq au vin", + "chicken provencale", + "chicken and rice", + "moo goo gai pan", + "arroz con pollo", + "bacon and eggs", + "barbecued spareribs", + "spareribs", + "beef Bourguignonne", + "boeuf Bourguignonne", + "beef Wellington", + "filet de boeuf en croute", + "bitok", + "boiled dinner", + "New England boiled dinner", + "Boston baked beans", + "bubble and squeak", + "pasta", + "cannelloni", + "carbonnade flamande", + "Belgian beef stew", + "cheese souffle", + "chicken Marengo", + "chicken cordon bleu", + "Maryland chicken", + "chicken paprika", + "chicken paprikash", + "chicken Tetrazzini", + "Tetrazzini", + "chicken Kiev", + "chili", + "chili con carne", + "chili dog", + "chop suey", + "chow mein", + "codfish ball", + "codfish cake", + "coquille", + "coquilles Saint-Jacques", + "Cornish pasty", + "croquette", + "cottage pie", + "rissole", + "dolmas", + "stuffed grape leaves", + "egg foo yong", + "egg fu yung", + "egg roll", + "spring roll", + "eggs Benedict", + "enchilada", + "falafel", + "felafel", + "fish and chips", + "fondue", + "fondu", + "cheese fondue", + "chocolate fondue", + "fondue", + "fondu", + "beef fondue", + "boeuf fondu bourguignon", + "French toast", + "fried rice", + "Chinese fried rice", + "frittata", + "frog legs", + "galantine", + "gefilte fish", + "fish ball", + "haggis", + "ham and eggs", + "hash", + "corned beef hash", + "jambalaya", + "kabob", + "kebab", + "shish kebab", + "kedgeree", + "souvlaki", + "souvlakia", + "lasagna", + "lasagne", + "seafood Newburg", + "lobster Newburg", + "lobster a la Newburg", + "shrimp Newburg", + "Newburg sauce", + "lobster thermidor", + "lutefisk", + "lutfisk", + "macaroni and cheese", + "macedoine", + "meatball", + "porcupine ball", + "porcupines", + "Swedish meatball", + "meat loaf", + "meatloaf", + "meat pie", + "pasty", + "pork pie", + "tourtiere", + "mostaccioli", + "moussaka", + "osso buco", + "marrowbone", + "marrow", + "bone marrow", + "pheasant under glass", + "pigs in blankets", + "pilaf", + "pilaff", + "pilau", + "pilaw", + "bulgur pilaf", + "pizza", + "pizza pie", + "sausage pizza", + "pepperoni pizza", + "cheese pizza", + "anchovy pizza", + "Sicilian pizza", + "poi", + "pork and beans", + "porridge", + "oatmeal", + "burgoo", + "loblolly", + "potpie", + "rijsttaffel", + "rijstaffel", + "rijstafel", + "risotto", + "Italian rice", + "roulade", + "fish loaf", + "salmon loaf", + "Salisbury steak", + "sauerbraten", + "sauerkraut", + "scallopine", + "scallopini", + "veal scallopini", + "scampi", + "Scotch egg", + "Scotch woodcock", + "scrapple", + "shepherd's pie", + "spaghetti and meatballs", + "Spanish rice", + "steak and kidney pie", + "kidney pie", + "steak tartare", + "tartar steak", + "cannibal mound", + "pepper steak", + "steak au poivre", + "peppered steak", + "pepper steak", + "beef Stroganoff", + "stuffed cabbage", + "kishke", + "stuffed derma", + "stuffed peppers", + "stuffed tomato", + "hot stuffed tomato", + "stuffed tomato", + "cold stuffed tomato", + "succotash", + "sukiyaki", + "sashimi", + "sushi", + "Swiss steak", + "tamale", + "tamale pie", + "tempura", + "teriyaki", + "terrine", + "Welsh rarebit", + "Welsh rabbit", + "rarebit", + "schnitzel", + "Wiener schnitzel", + "tortilla", + "taco", + "chicken taco", + "burrito", + "beef burrito", + "quesadilla", + "tostada", + "tostada", + "bean tostada", + "refried beans", + "frijoles refritos", + "beverage", + "drink", + "drinkable", + "potable", + "wish-wash", + "concoction", + "mixture", + "intermixture", + "mix", + "premix", + "filling", + "lekvar", + "potion", + "elixir", + "elixir of life", + "philter", + "philtre", + "love-potion", + "love-philter", + "love-philtre", + "chaser", + "draft", + "draught", + "potation", + "tipple", + "quaff", + "round", + "round of drinks", + "pledge", + "toast", + "alcohol", + "alcoholic drink", + "alcoholic beverage", + "intoxicant", + "inebriant", + "drink", + "proof spirit", + "libation", + "libation", + "home brew", + "homebrew", + "hooch", + "hootch", + "kava", + "kavakava", + "aperitif", + "brew", + "brewage", + "beer", + "draft beer", + "draught beer", + "suds", + "Munich beer", + "Munchener", + "bock", + "bock beer", + "lager", + "lager beer", + "light beer", + "Oktoberfest", + "Octoberfest", + "Pilsner", + "Pilsener", + "shebeen", + "Weissbier", + "white beer", + "wheat beer", + "Weizenbier", + "Weizenbock", + "malt", + "wort", + "malt", + "malt liquor", + "ale", + "bitter", + "Burton", + "pale ale", + "porter", + "porter's beer", + "stout", + "Guinness", + "kvass", + "mead", + "metheglin", + "hydromel", + "oenomel", + "near beer", + "ginger beer", + "sake", + "saki", + "rice beer", + "nipa", + "wine", + "vino", + "vintage", + "red wine", + "white wine", + "blush wine", + "pink wine", + "rose", + "rose wine", + "altar wine", + "sacramental wine", + "sparkling wine", + "champagne", + "bubbly", + "cold duck", + "Burgundy", + "Burgundy wine", + "Beaujolais", + "Medoc", + "Canary wine", + "Chablis", + "white Burgundy", + "Montrachet", + "Chardonnay", + "Pinot Chardonnay", + "Pinot noir", + "Pinot blanc", + "Bordeaux", + "Bordeaux wine", + "claret", + "red Bordeaux", + "Chianti", + "Cabernet", + "Cabernet Sauvignon", + "Merlot", + "Sauvignon blanc", + "California wine", + "Cotes de Provence", + "dessert wine", + "Dubonnet", + "jug wine", + "macon", + "maconnais", + "Moselle", + "Muscadet", + "plonk", + "retsina", + "Rhine wine", + "Rhenish", + "hock", + "Riesling", + "liebfraumilch", + "Rhone wine", + "Rioja", + "sack", + "Saint Emilion", + "Soave", + "zinfandel", + "Sauterne", + "Sauternes", + "straw wine", + "table wine", + "Tokay", + "vin ordinaire", + "vermouth", + "sweet vermouth", + "Italian vermouth", + "dry vermouth", + "French vermouth", + "Chenin blanc", + "Verdicchio", + "Vouvray", + "Yquem", + "generic", + "generic wine", + "varietal", + "varietal wine", + "fortified wine", + "Madeira", + "malmsey", + "port", + "port wine", + "sherry", + "Manzanilla", + "Amontillado", + "Marsala", + "muscat", + "muscatel", + "muscadel", + "muscadelle", + "liquor", + "spirits", + "booze", + "hard drink", + "hard liquor", + "John Barleycorn", + "strong drink", + "neutral spirits", + "ethyl alcohol", + "aqua vitae", + "ardent spirits", + "eau de vie", + "moonshine", + "bootleg", + "corn liquor", + "bathtub gin", + "aquavit", + "akvavit", + "arrack", + "arak", + "bitters", + "brandy", + "applejack", + "Calvados", + "Armagnac", + "Cognac", + "grappa", + "kirsch", + "marc", + "slivovitz", + "gin", + "sloe gin", + "geneva", + "Holland gin", + "Hollands", + "grog", + "ouzo", + "rum", + "demerara", + "demerara rum", + "Jamaica rum", + "schnapps", + "schnaps", + "pulque", + "mescal", + "tequila", + "vodka", + "whiskey", + "whisky", + "blended whiskey", + "blended whisky", + "bourbon", + "corn whiskey", + "corn whisky", + "corn", + "firewater", + "Irish", + "Irish whiskey", + "Irish whisky", + "poteen", + "rye", + "rye whiskey", + "rye whisky", + "Scotch", + "Scotch whiskey", + "Scotch whisky", + "malt whiskey", + "malt whisky", + "Scotch malt whiskey", + "Scotch malt whisky", + "sour mash", + "sour mash whiskey", + "liqueur", + "cordial", + "absinth", + "absinthe", + "amaretto", + "anisette", + "anisette de Bordeaux", + "benedictine", + "Chartreuse", + "coffee liqueur", + "creme de cacao", + "creme de menthe", + "creme de fraise", + "Drambuie", + "Galliano", + "orange liqueur", + "curacao", + "curacoa", + "triple sec", + "Grand Marnier", + "kummel", + "maraschino", + "maraschino liqueur", + "pastis", + "Pernod", + "pousse-cafe", + "Kahlua", + "ratafia", + "ratafee", + "sambuca", + "mixed drink", + "cocktail", + "Dom Pedro", + "highball", + "eye opener", + "nightcap", + "hair of the dog", + "shandygaff", + "shandy", + "stirrup cup", + "sundowner", + "mixer", + "bishop", + "Bloody Mary", + "Virgin Mary", + "bloody shame", + "bullshot", + "cobbler", + "collins", + "Tom Collins", + "cooler", + "refresher", + "smoothie", + "daiquiri", + "rum cocktail", + "strawberry daiquiri", + "NADA daiquiri", + "spritzer", + "flip", + "gimlet", + "gin and tonic", + "grasshopper", + "Harvey Wallbanger", + "julep", + "mint julep", + "manhattan", + "Rob Roy", + "margarita", + "martini", + "gin and it", + "vodka martini", + "old fashioned", + "pink lady", + "posset", + "syllabub", + "sillabub", + "sangaree", + "sangria", + "Sazerac", + "screwdriver", + "sidecar", + "Scotch and soda", + "sling", + "brandy sling", + "gin sling", + "rum sling", + "sour", + "whiskey sour", + "whisky sour", + "stinger", + "whiskey neat", + "whisky neat", + "whiskey on the rocks", + "whisky on the rocks", + "swizzle", + "hot toddy", + "toddy", + "Tom and Jerry", + "zombie", + "zombi", + "fizz", + "Irish coffee", + "cafe au lait", + "cafe noir", + "demitasse", + "decaffeinated coffee", + "decaf", + "drip coffee", + "espresso", + "caffe latte", + "latte", + "cappuccino", + "cappuccino coffee", + "coffee cappuccino", + "iced coffee", + "ice coffee", + "instant coffee", + "mocha", + "mocha coffee", + "mocha", + "cassareep", + "Turkish coffee", + "chocolate milk", + "cider", + "cyder", + "hard cider", + "scrumpy", + "sweet cider", + "mulled cider", + "perry", + "pruno", + "rotgut", + "slug", + "cocoa", + "chocolate", + "hot chocolate", + "drinking chocolate", + "criollo", + "ice-cream soda", + "ice-cream float", + "float", + "root beer float", + "milkshake", + "milk shake", + "shake", + "eggshake", + "frappe", + "frappe", + "juice", + "fruit juice", + "fruit crush", + "nectar", + "apple juice", + "cranberry juice", + "grape juice", + "must", + "grapefruit juice", + "orange juice", + "frozen orange juice", + "orange-juice concentrate", + "pineapple juice", + "lemon juice", + "lime juice", + "papaya juice", + "tomato juice", + "carrot juice", + "V-8 juice", + "koumiss", + "kumis", + "fruit drink", + "ade", + "lacing", + "lemonade", + "limeade", + "orangeade", + "malted milk", + "malted", + "malt", + "malted milk", + "mate", + "mulled wine", + "negus", + "soft drink", + "pop", + "soda", + "soda pop", + "soda water", + "tonic", + "birch beer", + "bitter lemon", + "cola", + "dope", + "cream soda", + "egg cream", + "ginger ale", + "ginger pop", + "orange soda", + "phosphate", + "Coca Cola", + "Coke", + "Pepsi", + "Pepsi Cola", + "root beer", + "sarsaparilla", + "tonic", + "tonic water", + "quinine water", + "coffee bean", + "coffee berry", + "coffee", + "coffee", + "java", + "cafe royale", + "coffee royal", + "fruit punch", + "milk punch", + "mimosa", + "buck's fizz", + "pina colada", + "punch", + "cup", + "champagne cup", + "claret cup", + "wassail", + "planter's punch", + "White Russian", + "fish house punch", + "May wine", + "eggnog", + "glogg", + "cassiri", + "spruce beer", + "rickey", + "gin rickey", + "tea", + "tea leaf", + "tea bag", + "tea", + "tea-like drink", + "cambric tea", + "cuppa", + "cupper", + "herb tea", + "herbal tea", + "herbal", + "tisane", + "camomile tea", + "ice tea", + "iced tea", + "sun tea", + "black tea", + "congou", + "congo", + "congou tea", + "English breakfast tea", + "Darjeeling", + "orange pekoe", + "pekoe", + "souchong", + "soochong", + "green tea", + "hyson", + "oolong", + "water", + "bottled water", + "branch water", + "spring water", + "sugar water", + "tap water", + "drinking water", + "ice water", + "soda water", + "carbonated water", + "club soda", + "seltzer", + "sparkling water", + "mineral water", + "seltzer", + "Vichy water", + "brine", + "perishable", + "spoilable", + "couscous", + "ramekin", + "ramequin", + "rugulah", + "rugelach", + "ruggelach", + "multivitamin", + "multivitamin pill", + "vitamin pill", + "soul food", + "slop", + "mold", + "mould", + "arrangement", + "straggle", + "array", + "classification", + "categorization", + "categorisation", + "dichotomy", + "duality", + "trichotomy", + "clone", + "clon", + "kingdom", + "kingdom", + "subkingdom", + "mineral kingdom", + "biological group", + "genotype", + "biotype", + "community", + "biotic community", + "biome", + "people", + "peoples", + "age group", + "age bracket", + "cohort", + "ancients", + "aged", + "elderly", + "young", + "youth", + "baffled", + "blind", + "blood", + "brave", + "timid", + "cautious", + "business people", + "businesspeople", + "country people", + "countryfolk", + "country people", + "countryfolk", + "damned", + "dead", + "living", + "deaf", + "defeated", + "discomfited", + "disabled", + "handicapped", + "the halt", + "doomed", + "lost", + "enemy", + "episcopacy", + "episcopate", + "estivation", + "aestivation", + "folk", + "folks", + "common people", + "gentlefolk", + "grass roots", + "free", + "free people", + "home folk", + "homebound", + "homeless", + "initiate", + "enlightened", + "uninitiate", + "mentally retarded", + "retarded", + "developmentally challenged", + "network army", + "nationality", + "peanut gallery", + "pocket", + "retreated", + "sick", + "slain", + "tradespeople", + "wounded", + "maimed", + "social group", + "collection", + "aggregation", + "accumulation", + "assemblage", + "armamentarium", + "art collection", + "backlog", + "battery", + "block", + "book", + "rule book", + "book", + "bottle collection", + "bunch", + "lot", + "caboodle", + "coin collection", + "collage", + "content", + "ensemble", + "tout ensemble", + "corpus", + "crop", + "tenantry", + "loan collection", + "findings", + "flagging", + "flinders", + "pack", + "disk pack", + "disc pack", + "pack of cards", + "deck of cards", + "deck", + "hand", + "deal", + "long suit", + "bridge hand", + "chicane", + "strong suit", + "poker hand", + "royal flush", + "straight flush", + "full house", + "flush", + "straight", + "pair", + "herbarium", + "stamp collection", + "statuary", + "Elgin Marbles", + "sum", + "summation", + "sum total", + "agglomeration", + "edition", + "electron shell", + "gimmickry", + "bunch", + "clump", + "cluster", + "clustering", + "knot", + "nuclear club", + "swad", + "tuft", + "tussock", + "wisp", + "ball", + "clod", + "glob", + "lump", + "clump", + "chunk", + "gob", + "clew", + "pile", + "heap", + "mound", + "agglomerate", + "cumulation", + "cumulus", + "compost heap", + "compost pile", + "mass", + "dunghill", + "midden", + "muckheap", + "muckhill", + "logjam", + "shock", + "scrapheap", + "shock", + "slagheap", + "stack", + "haystack", + "hayrick", + "rick", + "haycock", + "pyre", + "funeral pyre", + "woodpile", + "combination", + "amalgam", + "color scheme", + "colour scheme", + "complexion", + "combination", + "combination in restraint of trade", + "body", + "public", + "world", + "domain", + "society", + "migration", + "minority", + "sector", + "business", + "business sector", + "big business", + "ethnic group", + "ethnos", + "ethnic minority", + "race", + "color", + "colour", + "people of color", + "people of colour", + "master race", + "Herrenvolk", + "interest", + "interest group", + "special interest", + "vested interest", + "military-industrial complex", + "kin", + "kin group", + "kinship group", + "kindred", + "clan", + "tribe", + "mishpocha", + "mishpachah", + "kith", + "family", + "family unit", + "family", + "family line", + "folk", + "kinfolk", + "kinsfolk", + "sept", + "phratry", + "folks", + "people", + "homefolk", + "house", + "dynasty", + "name", + "gens", + "feudalism", + "feudal system", + "patriarchy", + "patriarchate", + "matriarchy", + "matriarchate", + "meritocracy", + "building", + "broken home", + "nuclear family", + "conjugal family", + "extended family", + "foster family", + "foster home", + "class", + "stratum", + "social class", + "socio-economic class", + "age class", + "fringe", + "gathering", + "assemblage", + "bee", + "carload", + "congregation", + "contingent", + "floor", + "love feast", + "quilting bee", + "pair", + "hit parade", + "Judaica", + "kludge", + "library", + "program library", + "subroutine library", + "library", + "bibliotheca", + "public library", + "rental collection", + "mythology", + "classical mythology", + "Greek mythology", + "Roman mythology", + "Norse mythology", + "Nag Hammadi", + "Nag Hammadi Library", + "singleton", + "pair", + "brace", + "team", + "relay", + "couple", + "twosome", + "duo", + "duet", + "trilogy", + "room", + "trio", + "threesome", + "triad", + "trinity", + "trio", + "triad", + "triplet", + "triple", + "trip wire", + "Trimurti", + "triplicity", + "trigon", + "triumvirate", + "troika", + "turnout", + "quartet", + "quartette", + "foursome", + "quintet", + "quintette", + "fivesome", + "sextet", + "sextette", + "sixsome", + "septet", + "septette", + "sevensome", + "octet", + "octette", + "eightsome", + "quadrumvirate", + "quartet", + "quartette", + "quadruplet", + "quadruple", + "quintet", + "quintette", + "quintuplet", + "quintuple", + "sextet", + "sextette", + "sestet", + "septet", + "septette", + "octet", + "octette", + "Tweedledum and Tweedledee", + "Tweedledee and Tweedledum", + "couple", + "mates", + "match", + "power couple", + "DINK", + "marriage", + "married couple", + "man and wife", + "Bronte sisters", + "Marx Brothers", + "same-sex marriage", + "mixed marriage", + "association", + "antibiosis", + "brood", + "flock", + "flock", + "fold", + "flock", + "congregation", + "fold", + "faithful", + "bevy", + "covert", + "covey", + "exaltation", + "gaggle", + "wisp", + "clade", + "taxonomic group", + "taxonomic category", + "taxon", + "biota", + "biology", + "fauna", + "zoology", + "petting zoo", + "avifauna", + "wildlife", + "animal group", + "herd", + "herd", + "gam", + "remuda", + "pack", + "wolf pack", + "pod", + "pride", + "clowder", + "school", + "shoal", + "caste", + "colony", + "colony", + "swarm", + "cloud", + "infestation", + "plague", + "warren", + "set", + "chess set", + "manicure set", + "Victoriana", + "class", + "category", + "family", + "brass family", + "violin family", + "woodwind family", + "stamp", + "union", + "sum", + "join", + "direct sum", + "intersection", + "product", + "Cartesian product", + "sex", + "field", + "field", + "set", + "domain", + "domain of a function", + "image", + "range", + "range of a function", + "universal set", + "locus", + "subgroup", + "subset", + "null set", + "Mandelbrot set", + "mathematical space", + "topological space", + "broadcasting company", + "bureau de change", + "car company", + "auto company", + "dot-com", + "dot com", + "dot com company", + "drug company", + "pharmaceutical company", + "pharma", + "East India Company", + "electronics company", + "film company", + "indie", + "food company", + "furniture company", + "mining company", + "shipping company", + "steel company", + "subsidiary company", + "subsidiary", + "transportation company", + "trucking company", + "subspace", + "null space", + "manifold", + "metric space", + "Euclidean space", + "Hilbert space", + "field", + "field", + "bit field", + "scalar field", + "solution", + "root", + "bracket", + "income bracket", + "tax bracket", + "income tax bracket", + "price bracket", + "declension", + "conjugation", + "conjugation", + "denomination", + "histocompatibility complex", + "job lot", + "suite", + "bedroom suite", + "bedroom set", + "diningroom suite", + "diningroom set", + "livingroom suite", + "livingroom set", + "package", + "bundle", + "packet", + "parcel", + "wisp", + "organization", + "organisation", + "adhocracy", + "affiliate", + "bureaucracy", + "nongovernmental organization", + "NGO", + "Alcoholics Anonymous", + "AA", + "Abu Hafs al-Masri Brigades", + "Abu Sayyaf", + "Bearer of the Sword", + "Aksa Martyrs Brigades", + "al-Aksa Martyrs Brigades", + "Martyrs of al-Aqsa", + "Alex Boncayao Brigade", + "ABB", + "Revolutionary Proletarian Army", + "RPA-ABB", + "al-Fatah", + "Fatah", + "al-Asifa", + "al-Gama'a al-Islamiyya", + "Islamic Group", + "al Itihaad al Islamiya", + "al-Itihaad al-Islamiya", + "Islamic Unity", + "AIAI", + "al-Jihad", + "Egyptian Islamic Jihad", + "Islamic Jihad", + "Vanguards of Conquest", + "al-Ma'unah", + "al-Muhajiroun", + "Al Nathir", + "al-Qaeda", + "Qaeda", + "al-Qa'ida", + "al-Qaida", + "Base", + "al-Rashid Trust", + "al Sunna Wal Jamma", + "Followers of the Phrophet", + "al-Tawhid", + "Al Tawhid", + "Divine Unity", + "al-Ummah", + "Ansar al Islam", + "Ansar al-Islam", + "Supporters of Islam", + "Armata Corsa", + "Corsican Army", + "Armed Islamic Group", + "GIA", + "Armenian Secret Army for the Liberation of Armenia", + "ASALA", + "Orly Group", + "3rd October Organization", + "Army for the Liberation of Rwanda", + "ALIR", + "Former Armed Forces", + "FAR", + "Interahamwe", + "Asbat al-Ansar", + "Band of Partisans", + "Aum Shinrikyo", + "Aum", + "Supreme Truth", + "Baader Meinhof Gang", + "Baader-Meinhof Gang", + "Basque Homeland and Freedom", + "Basque Fatherland and Liberty", + "Euskadi ta Askatasuna", + "ETA", + "Black September Movement", + "Chukaku-Ha", + "Continuity Irish Republican Army", + "CIRA", + "Continuity Army Council", + "Democratic Front for the Liberation of Palestine", + "DFLP", + "Popular Democratic Front for the Liberation of Palestine", + "PDFLP", + "East Turkistan Islamic Movement", + "East Turkestan Islamic Movement", + "Fatah Revolutionary Council", + "Fatah-RC", + "Abu Nidal Organization", + "ANO", + "Arab Revolutionary Brigades", + "Black September", + "Revolutionary Organization of Socialist Muslims", + "Fatah Tanzim", + "Tanzim", + "First of October Antifascist Resistance Group", + "GRAPO", + "Force 17", + "Forces of Umar Al-Mukhtar", + "Umar al-Mukhtar Forces", + "Greenpeace", + "Hamas", + "Islamic Resistance Movement", + "Harkat-ul-Jihad-e-Islami", + "Harakat ul-Jihad-I-Islami", + "HUJI", + "Harkat-ul-Mujahidin", + "HUM", + "Harkat ul-Ansar", + "HUA", + "Harkat ul-Mujahedeen", + "Al Faran", + "Movement of Holy Warriors", + "Hizballah", + "Hezbollah", + "Hizbollah", + "Hizbullah", + "Lebanese Hizballah", + "Party of God", + "Islamic Jihad", + "Islamic Jihad for the Liberation of Palestine", + "Revolutionary Justice Organization", + "Organization of the Oppressed on Earth", + "Hizb ut-Tahrir", + "Freedom Party", + "International Islamic Front for Jihad against Jews and Crusaders", + "Irish National Liberation Army", + "INLA", + "People's Liberation Army", + "People's Republican Army", + "Catholic Reaction Force", + "Irish Republican Army", + "IRA", + "Provisional Irish Republican Army", + "Provisional IRA", + "Provos", + "Islamic Army of Aden", + "IAA", + "Islamic Army of Aden-Abyan", + "Aden-Abyan Islamic Army", + "Islamic Great Eastern Raiders-Front", + "IBDA-C", + "Islamic Group of Uzbekistan", + "IMU", + "Islamic Party of Turkestan", + "Jaish-i-Mohammed", + "Jaish-e-Muhammad", + "JEM", + "Army of Muhammad", + "Jamaat ul-Fuqra", + "Fuqra", + "Tanzimul Fuqra", + "Japanese Red Army", + "JRA", + "Anti-Imperialist International Brigade", + "Jayshullah", + "Jemaah Islamiyah", + "JI", + "Islamic Group", + "Islamic Community", + "Malaysian Mujahidin Group", + "Malaysia Militant Group", + "Jerusalem Warriors", + "Jund-ul-Islam", + "Soldiers of God", + "Kahane Chai", + "Kach", + "Kaplan Group", + "Association of Islamic Groups and Communities", + "Caliphate State", + "Khmer Rouge", + "KR", + "Party of Democratic Kampuchea", + "Communist Party of Kampuchea", + "Ku Klux Klan", + "Klan", + "KKK", + "klavern", + "Kurdistan Workers Party", + "Kurdistan Labor Pary", + "Partiya Karkeran Kurdistan", + "PPK", + "Contras", + "Pesh Merga", + "Lashkar-e-Jhangvi", + "Lashkar-e-Omar", + "Al Qanoon", + "Lashkar-e-Taiba", + "Lashkar-e-Toiba", + "Lashkar-e-Tayyiba", + "LET", + "Army of the Pure", + "Army of the Righteous", + "Laskar Jihad", + "Holy War Warriors", + "Lautaro Youth Movement", + "Lautaro Faction of the United Popular Action Movement", + "Lautaro Popular Rebel Forces", + "Liberation Tigers of Tamil Eelam", + "LTTE", + "Tamil Tigers", + "Tigers", + "World Tamil Association", + "World Tamil Movement", + "Libyan Islamic Fighting Group", + "FIG", + "Al-Jama'a al-Islamiyyah al-Muqatilah bi-Libya", + "Libyan Fighting Group", + "Libyan Islamic Group", + "Lord's Resistance Army", + "Loyalist Volunteer Force", + "Maktab al-Khidmat", + "MAK", + "Manuel Rodriquez Patriotic Front", + "Moranzanist Patriotic Front", + "Moro Islamic Liberation Front", + "Mujahedeen Kompak", + "Mujahidin-e Khalq Organization", + "MKO", + "MEK", + "People's Mujahidin of Iran", + "National Liberation Army", + "ELN", + "Nestor Paz Zamora Commission", + "CNPZ", + "National Liberation Army", + "ELN", + "National Liberation Front of Corsica", + "FLNC", + "New People's Army", + "NPA", + "Orange Order", + "Association of Orangemen", + "Orange Group", + "OV", + "Palestine Islamic Jihad", + "Palestinian Islamic Jihad", + "PIJ", + "Harakat al-Jihad al-Islami al-Filastini", + "Palestine Liberation Front", + "PLF", + "Jabat al-Tahrir al-Filistiniyyah", + "Palestinian Hizballah", + "Pentagon Gang", + "Popular Front for the Liberation of Palestine", + "PFLP", + "Popular Front for the Liberation of Palestine-General Command", + "PFLP-GC", + "Popular Struggle Front", + "PSF", + "15 May Organization", + "People against Gangsterism and Drugs", + "PAGAD", + "Puka Inti", + "Sol Rojo", + "Red Sun", + "Qassam Brigades", + "Salah al-Din Battalions", + "Iz Al-Din Al-Qassam Battalions", + "Qibla", + "Real IRA", + "Real Irish Republican Army", + "RIRA", + "Dissident Irish Republican Army", + "Red Army Faction", + "RAF", + "Red Brigades", + "Brigate Rosse", + "BR", + "Red Hand Defenders", + "RHD", + "Revolutionary Armed Forces of Colombia", + "Fuerzas Armadas Revolucionarios de Colombia", + "FARC", + "Revolutionary Organization 17 November", + "17 November", + "Revolutionary People's Liberation Party", + "Revolutionary People's Liberation Front", + "Revolutionary People's Struggle", + "ELA", + "Revolutionary Proletarian Nucleus", + "Revolutionary Proletarian Initiative Nuclei", + "NIPR", + "Revolutionary United Front", + "RUF", + "Salafist Group", + "Salafast Group for Call and Combat", + "GSPC", + "Shining Path", + "Sendero Luminoso", + "SL", + "Sipah-e-Sahaba", + "Tareekh e Kasas", + "Movement for Revenge", + "Tupac Amaru Revolutionary Movement", + "Movimiento Revolucionario Tupac Anaru", + "MRTA", + "Tupac Katari Guerrilla Army", + "EGTK", + "Turkish Hizballah", + "Ulster Defence Association", + "UDA", + "United Self-Defense Force of Colombia", + "United Self-Defense Group of Colombia", + "Autodefensas Unidas de Colombia", + "AUC", + "Markaz-ud-Dawa-wal-Irshad", + "MDI", + "Red Cross", + "Salvation Army", + "Tammany Hall", + "Tammany Society", + "Tammany", + "Umma Tameer-e-Nau", + "UTN", + "fiefdom", + "line of defense", + "line of defence", + "line organization", + "line organisation", + "National Trust", + "NT", + "association", + "British Commonwealth", + "Commonwealth of Nations", + "polity", + "quango", + "quasi-NGO", + "government", + "authorities", + "regime", + "authoritarian state", + "authoritarian regime", + "bureaucracy", + "ancien regime", + "court", + "royal court", + "Court of Saint James's", + "Porte", + "Sublime Porte", + "Downing Street", + "empire", + "federal government", + "government-in-exile", + "local government", + "military government", + "stratocracy", + "palace", + "papacy", + "pontificate", + "Soviets", + "institution", + "establishment", + "medical institution", + "clinic", + "extended care facility", + "hospital", + "eye clinic", + "financial institution", + "financial organization", + "financial organisation", + "issuer", + "giro", + "clearing house", + "lending institution", + "charity", + "community chest", + "soup kitchen", + "enterprise", + "giant", + "collective", + "collective farm", + "kibbutz", + "kolkhoz", + "agency", + "brokerage", + "carrier", + "common carrier", + "chain", + "company", + "conglomerate", + "empire", + "large cap", + "small cap", + "corporation", + "corp", + "firm", + "house", + "business firm", + "franchise", + "dealership", + "manufacturer", + "maker", + "manufacturing business", + "partnership", + "copartnership", + "business", + "concern", + "business concern", + "business organization", + "business organisation", + "apparel chain", + "discount chain", + "restaurant chain", + "distributor", + "direct mailer", + "retail chain", + "accounting firm", + "consulting firm", + "consulting company", + "publisher", + "publishing house", + "publishing firm", + "publishing company", + "publishing conglomerate", + "publishing empire", + "newspaper", + "paper", + "newspaper publisher", + "newsroom", + "magazine", + "magazine publisher", + "dealer", + "car dealer", + "computer dealer", + "jewelry dealer", + "jewelry store", + "truck dealer", + "law firm", + "defense", + "defence", + "defense force", + "defence force", + "bastion", + "defense", + "defence", + "defense team", + "defense lawyers", + "prosecution", + "planting", + "commercial enterprise", + "industry", + "processor", + "armorer", + "armourer", + "aluminum business", + "aluminum industry", + "apparel industry", + "garment industry", + "fashion industry", + "fashion business", + "rag trade", + "banking industry", + "banking system", + "bottler", + "car manufacturer", + "car maker", + "carmaker", + "auto manufacturer", + "auto maker", + "automaker", + "computer business", + "automobile industry", + "aviation", + "chemical industry", + "coal industry", + "computer industry", + "construction industry", + "housing industry", + "electronics industry", + "entertainment industry", + "show business", + "show biz", + "film industry", + "movie industry", + "Bollywood", + "filmdom", + "screenland", + "screen", + "Hollywood", + "growth industry", + "lighting industry", + "munitions industry", + "arms industry", + "oil industry", + "refining industry", + "oil business", + "oil company", + "packaging company", + "packaging concern", + "pipeline company", + "printing concern", + "printing business", + "printing company", + "plastics industry", + "brokerage", + "brokerage firm", + "securities firm", + "bucket shop", + "commodity brokerage", + "marriage brokerage", + "marriage mart", + "insurance company", + "insurance firm", + "insurer", + "insurance underwriter", + "underwriter", + "pension fund", + "investment company", + "investment trust", + "investment firm", + "fund", + "hedge fund", + "hedgefund", + "mutual fund", + "mutual fund company", + "open-end fund", + "open-end investment company", + "index fund", + "closed-end fund", + "closed-end investment company", + "face-amount certificate company", + "Real Estate Investment Trust", + "REIT", + "unit investment trust", + "unit trust", + "market", + "securities industry", + "bear market", + "bull market", + "the City", + "Wall Street", + "the Street", + "money market", + "service industry", + "management consulting", + "shipbuilder", + "shipbuilding industry", + "shoe industry", + "sign industry", + "signage", + "steel industry", + "sunrise industry", + "tobacco industry", + "toy industry", + "toy business", + "trucking industry", + "agriculture", + "brotherhood", + "fraternity", + "sodality", + "sisterhood", + "establishment", + "corporate investor", + "target company", + "takeover target", + "raider", + "sleeping beauty", + "underperformer", + "white knight", + "white squire", + "auction house", + "A-team", + "battery", + "administrative unit", + "administrative body", + "company", + "coronary care unit", + "family", + "household", + "house", + "home", + "menage", + "menage a trois", + "flying squad", + "major-league team", + "major-league club", + "minor-league team", + "minor-league club", + "farm team", + "farm club", + "baseball team", + "baseball club", + "ball club", + "club", + "nine", + "basketball team", + "five", + "football team", + "eleven", + "hockey team", + "junior varsity", + "JV", + "varsity", + "first team", + "second string", + "police squad", + "squad", + "powerhouse", + "offense", + "offence", + "defense", + "defence", + "defending team", + "religion", + "faith", + "organized religion", + "Christendom", + "Christianity", + "church", + "Christian church", + "church", + "Armenian Church", + "Armenian Apostolic Orthodox Church", + "Catholic Church", + "Roman Catholic", + "Western Church", + "Roman Catholic Church", + "Church of Rome", + "Roman Church", + "Albigenses", + "Cathars", + "Cathari", + "Nestorian Church", + "Rome", + "Curia", + "Sacred College", + "College of Cardinals", + "Old Catholic Church", + "Eastern Church", + "Byzantine Church", + "Orthodox Church", + "Orthodox Catholic Church", + "Eastern Orthodox Church", + "Eastern Church", + "Eastern Orthodox", + "Greek Orthodox Church", + "Greek Church", + "Russian Orthodox Church", + "Uniat Church", + "Uniate Church", + "Coptic Church", + "Pentecostal religion", + "Protestant Church", + "Protestant", + "Christian Church", + "Disciples of Christ", + "Anglican Church", + "Anglican Communion", + "Church of England", + "Episcopal Church", + "Protestant Episcopal Church", + "Church of Ireland", + "Episcopal Church", + "Episcopal Church of Scotland", + "High Church", + "High Anglican Church", + "Church of Jesus Christ of Latter-Day Saints", + "Mormon Church", + "Mormons", + "Baptist Church", + "Baptists", + "Baptist denomination", + "American Baptist Convention", + "Northern Baptist Convention", + "Southern Baptist Convention", + "Arminian Baptist", + "General Baptist", + "Calvinistic Baptist", + "Particular Baptist", + "Church of the Brethren", + "Dunkers", + "Dippers", + "Christian Science", + "Church of Christ Scientist", + "Congregational Church", + "Congregational Christian Church", + "Evangelical and Reformed Church", + "United Church of Christ", + "Jehovah's Witnesses", + "Lutheran Church", + "Presbyterian Church", + "Unitarian Church", + "Arminian Church", + "Methodist Church", + "Methodists", + "Methodist denomination", + "Wesleyan Methodist Church", + "Wesleyan Methodists", + "Evangelical United Brethren Church", + "United Methodist Church", + "Anabaptist denomination", + "Mennonite Church", + "Unification Church", + "Abecedarian", + "Amish sect", + "Judaism", + "Hebraism", + "Jewish religion", + "Sanhedrin", + "Karaites", + "Orthodox Judaism", + "Jewish Orthodoxy", + "Hasidim", + "Hassidim", + "Hasidism", + "Chasidim", + "Chassidim", + "Conservative Judaism", + "Reform Judaism", + "Islam", + "Muslimism", + "Islamism", + "Shiah", + "Shia", + "Shiah Islam", + "Sunni", + "Sunni Islam", + "Hinduism", + "Hindooism", + "Brahmanism", + "Brahminism", + "Shivaism", + "Sivaism", + "Shaktism", + "Saktism", + "Vaishnavism", + "Vaisnavism", + "Haredi", + "Hare Krishna", + "International Society for Krishna Consciousness", + "ISKCON", + "Jainism", + "Taoism", + "Taoism", + "Buddhism", + "Zen", + "Zen Buddhism", + "Mahayana", + "Hinayana", + "Tantrism", + "Khalsa", + "Scientology", + "Church of Scientology", + "Shinto", + "Kokka Shinto", + "Kokka", + "Shuha Shinto", + "Shua", + "established church", + "vicariate", + "vicarship", + "variety", + "breed", + "strain", + "stock", + "bloodstock", + "pedigree", + "lineage", + "line", + "line of descent", + "descent", + "bloodline", + "blood line", + "blood", + "pedigree", + "ancestry", + "origin", + "parentage", + "stemma", + "stock", + "side", + "genealogy", + "family tree", + "phylum", + "subphylum", + "superphylum", + "phylum", + "class", + "subclass", + "superclass", + "order", + "suborder", + "superorder", + "family", + "superfamily", + "form family", + "subfamily", + "tribe", + "genus", + "subgenus", + "monotype", + "type genus", + "form genus", + "species", + "subspecies", + "race", + "endangered species", + "fish species", + "form", + "variant", + "strain", + "var.", + "type", + "type species", + "civilization", + "civilisation", + "profession", + "legal profession", + "bar", + "legal community", + "health profession", + "medical profession", + "medical community", + "nursing", + "businessmen", + "business community", + "community of scholars", + "economics profession", + "priesthood", + "pastorate", + "prelacy", + "prelature", + "ministry", + "rabbinate", + "ministry", + "Foreign Office", + "Home Office", + "French Foreign Office", + "Quai d'Orsay", + "Free French", + "Fighting French", + "department", + "section", + "academic department", + "anthropology department", + "department of anthropology", + "art department", + "biology department", + "department of biology", + "chemistry department", + "department of chemistry", + "department of computer science", + "economics department", + "department of economics", + "English department", + "department of English", + "history department", + "department of history", + "linguistics department", + "department of linguistics", + "mathematics department", + "department of mathematics", + "philosophy department", + "department of philosophy", + "physics department", + "department of physics", + "music department", + "department of music", + "psychology department", + "department of psychology", + "sociology department", + "department of sociology", + "business department", + "advertising department", + "advertising division", + "editorial department", + "city desk", + "city room", + "sports desk", + "parts department", + "personnel department", + "personnel office", + "personnel", + "staff office", + "plant department", + "building department", + "purchasing department", + "sales department", + "sales division", + "sales force", + "service department", + "government department", + "payroll", + "payroll department", + "treasury", + "local department", + "department of local government", + "corrections", + "department of corrections", + "security", + "security department", + "fire department", + "fire brigade", + "fire brigade", + "fire company", + "police department", + "sanitation department", + "Special Branch", + "State Department", + "federal department", + "federal office", + "department of the federal government", + "Atomic Energy Commission", + "AEC", + "Nuclear Regulatory Commission", + "NRC", + "Manhattan Project", + "Environmental Protection Agency", + "EPA", + "executive department", + "executive agency", + "Federal Emergency Management Agency", + "FEMA", + "Food and Drug Administration", + "FDA", + "Council of Economic Advisors", + "Center for Disease Control and Prevention", + "CDC", + "Central Intelligence Agency", + "CIA", + "Counterterrorist Center", + "CTC", + "Nonproliferation Center", + "NPC", + "Interstate Commerce Commission", + "ICC", + "National Aeronautics and Space Administration", + "NASA", + "National Archives and Records Administration", + "NARA", + "National Labor Relations Board", + "NLRB", + "National Science Foundation", + "NSF", + "Postal Rate Commission", + "United States Postal Service", + "US Postal Service", + "USPS", + "United States Postal Inspection Service", + "US Postal Inspection Service", + "National Security Council", + "NSC", + "Council on Environmental Policy", + "Joint Chiefs of Staff", + "Joint Chiefs", + "Office of Management and Budget", + "OMB", + "United States Trade Representative", + "US Trade Representative", + "White House", + "EXEC", + "Department of Agriculture", + "Agriculture Department", + "Agriculture", + "USDA", + "Department of Commerce", + "Commerce Department", + "Commerce", + "DoC", + "Bureau of the Census", + "Census Bureau", + "National Oceanic and Atmospheric Administration", + "NOAA", + "National Climatic Data Center", + "NCDC", + "National Weather Service", + "Technology Administration", + "National Institute of Standards and Technology", + "NIST", + "National Technical Information Service", + "NTIS", + "Department of Defense", + "Defense Department", + "United States Department of Defense", + "Defense", + "DoD", + "Defense Advanced Research Projects Agency", + "DARPA", + "Department of Defense Laboratory System", + "LABLINK", + "Department of Education", + "Education Department", + "Education", + "Department of Energy", + "Energy Department", + "Energy", + "DOE", + "Department of Energy Intelligence", + "DOEI", + "Department of Health and Human Services", + "Health and Human Services", + "HHS", + "United States Public Health Service", + "PHS", + "National Institutes of Health", + "NIH", + "Federal Communications Commission", + "FCC", + "Social Security Administration", + "SSA", + "Department of Homeland Security", + "Homeland Security", + "Department of Housing and Urban Development", + "Housing and Urban Development", + "HUD", + "Department of Justice", + "Justice Department", + "Justice", + "DoJ", + "Bureau of Justice Assistance", + "BJA", + "Bureau of Justice Statistics", + "BJS", + "Federal Bureau of Investigation", + "FBI", + "Immigration and Naturalization Service", + "INS", + "United States Border Patrol", + "US Border Patrol", + "Federal Law Enforcement Training Center", + "FLETC", + "Financial Crimes Enforcement Network", + "FinCEN", + "Department of Labor", + "Labor Department", + "Labor", + "DoL", + "Department of State", + "United States Department of State", + "State Department", + "State", + "DoS", + "Foggy Bottom", + "Bureau of Diplomatic Security", + "DS", + "Foreign Service", + "Bureau of Intelligence and Research", + "INR", + "Department of the Interior", + "Interior Department", + "Interior", + "DoI", + "United States Fish and Wildlife Service", + "US Fish and Wildlife Service", + "FWS", + "National Park Service", + "Department of the Treasury", + "Treasury Department", + "Treasury", + "United States Treasury", + "Bureau of Alcohol Tobacco and Firearms", + "ATF", + "Financial Management Service", + "Office of Intelligence Support", + "OIS", + "Criminal Investigation Command", + "CID", + "Drug Enforcement Administration", + "Drug Enforcement Agency", + "DEA", + "Federal Bureau of Prisons", + "BoP", + "Federal Judiciary", + "National Institute of Justice", + "NIJ", + "United States Marshals Service", + "US Marshals Service", + "Marshals", + "Comptroller of the Currency", + "Bureau of Customs", + "Customs Bureau", + "Customs Service", + "USCB", + "Bureau of Engraving and Printing", + "Internal Revenue Service", + "IRS", + "Inland Revenue", + "IR", + "Department of Transportation", + "Transportation", + "DoT", + "Federal Aviation Agency", + "FAA", + "Department of Veterans Affairs", + "VA", + "Transportation Security Administration", + "TSA", + "Department of Commerce and Labor", + "Department of Health Education and Welfare", + "Navy Department", + "War Department", + "United States Post Office", + "US Post Office", + "Post Office", + "PO", + "post office", + "local post office", + "general delivery", + "poste restante", + "generally accepted accounting principles", + "GAAP", + "instrumentality", + "neonatal intensive care unit", + "NICU", + "intensive care unit", + "ICU", + "denomination", + "communion", + "Protestant denomination", + "brethren", + "order", + "monastic order", + "Augustinian order", + "Augustinian Canons", + "Augustinian Hermits", + "Austin Friars", + "Benedictine order", + "order of Saint Benedict", + "Carmelite order", + "Order of Our Lady of Mount Carmel", + "Carthusian order", + "Dominican order", + "Franciscan order", + "Society of Jesus", + "Jesuit order", + "sect", + "religious sect", + "religious order", + "Religious Society of Friends", + "Society of Friends", + "Quakers", + "Shakers", + "United Society of Believers in Christ's Second Appearing", + "Assemblies of God", + "Waldenses", + "Vaudois", + "Zurvanism", + "cult", + "cult", + "cargo cult", + "macumba", + "obeah", + "obi", + "Rastafarian", + "voodoo", + "sainthood", + "clergy", + "cardinalate", + "laity", + "temporalty", + "pantheon", + "royalty", + "royal family", + "royal line", + "royal house", + "Ordnance Survey", + "Bourbon", + "Bourbon dynasty", + "Capetian dynasty", + "Carolingian dynasty", + "Carlovingian dynasty", + "Flavian dynasty", + "Han", + "Han dynasty", + "Hanover", + "House of Hanover", + "Hanoverian line", + "Habsburg", + "Hapsburg", + "Hohenzollern", + "Lancaster", + "House of Lancaster", + "Lancastrian line", + "Liao", + "Liao dynasty", + "Merovingian", + "Merovingian dynasty", + "Ming", + "Ming dynasty", + "Ottoman", + "Ottoman dynasty", + "Plantagenet", + "Plantagenet line", + "Ptolemy", + "Ptolemaic dynasty", + "Qin", + "Qin dynasty", + "Ch'in", + "Ch'in dynasty", + "Qing", + "Qing dynasty", + "Ch'ing", + "Ch'ing dynasty", + "Manchu", + "Manchu dynasty", + "Romanov", + "Romanoff", + "Saxe-Coburg-Gotha", + "Seljuk", + "Shang", + "Shang dynasty", + "Stuart", + "Sung", + "Sung dynasty", + "Song", + "Song dynasty", + "Tang", + "Tang dynasty", + "Tudor", + "House of Tudor", + "Umayyad", + "Ommiad", + "Omayyad", + "Valois", + "Wei", + "Wei dynasty", + "Windsor", + "House of Windsor", + "York", + "House of York", + "Yuan", + "Yuan dynasty", + "Mongol dynasty", + "citizenry", + "people", + "Achaean", + "Arcado-Cyprians", + "Aeolian", + "Dorian", + "Ionian", + "electorate", + "governed", + "senate", + "United States Senate", + "U.S. Senate", + "US Senate", + "Senate", + "Congress", + "United States Congress", + "U.S. Congress", + "US Congress", + "United States House of Representatives", + "U.S. House of Representatives", + "US House of Representatives", + "House of Representatives", + "U.S. House", + "US House", + "Government Accounting Office", + "GAO", + "United States Government Accounting Office", + "House of Burgesses", + "House of Commons", + "British House of Commons", + "House of Lords", + "British House of Lords", + "house", + "legislature", + "legislative assembly", + "legislative body", + "general assembly", + "law-makers", + "legislative council", + "assembly", + "Areopagus", + "States General", + "Estates General", + "administration", + "governance", + "governing body", + "establishment", + "brass", + "organization", + "organisation", + "top brass", + "executive", + "Bush administration", + "Clinton administration", + "Bush administration", + "Reagan administration", + "Carter administration", + "judiciary", + "bench", + "judiciary", + "judicature", + "judicatory", + "judicial system", + "nation", + "land", + "country", + "commonwealth country", + "developing country", + "Dominion", + "estate of the realm", + "estate", + "the three estates", + "first estate", + "Lords Spiritual", + "second estate", + "Lords Temporal", + "third estate", + "Commons", + "fourth estate", + "foreign country", + "tribe", + "federation of tribes", + "Free World", + "Third World", + "state", + "nation", + "country", + "land", + "commonwealth", + "res publica", + "body politic", + "Reich", + "Holy Roman Empire", + "Hohenzollern empire", + "Second Reich", + "Weimar Republic", + "Third Reich", + "Nazi Germany", + "rogue state", + "renegade state", + "rogue nation", + "suzerain", + "member", + "allies", + "bloc", + "axis", + "Allies", + "Central Powers", + "Allies", + "Axis", + "entente", + "entente cordiale", + "Arab League", + "Europe", + "Asia", + "North America", + "Central America", + "South America", + "European Union", + "EU", + "European Community", + "EC", + "European Economic Community", + "EEC", + "Common Market", + "Europe", + "Supreme Headquarters Allied Powers Europe", + "SHAPE", + "North Atlantic Treaty Organization", + "NATO", + "Allied Command Atlantic", + "ACLANT", + "Supreme Allied Commander Atlantic", + "SACLANT", + "Allied Command Europe", + "ACE", + "Supreme Allied Commander Europe", + "SACEUR", + "Organization for the Prohibition of Chemical Weapons", + "OPCW", + "Organization of American States", + "OAS", + "Pan American Union", + "Organization of Petroleum-Exporting Countries", + "OPEC", + "sea power", + "world power", + "major power", + "great power", + "power", + "superpower", + "hegemon", + "church-state", + "city state", + "city-state", + "welfare state", + "puppet government", + "puppet state", + "pupet regime", + "state", + "population", + "overpopulation", + "overspill", + "poor people", + "poor", + "rich people", + "rich", + "populace", + "public", + "world", + "population", + "home front", + "multitude", + "masses", + "mass", + "hoi polloi", + "people", + "the great unwashed", + "admass", + "labor", + "labour", + "working class", + "proletariat", + "labor force", + "labor pool", + "lumpenproletariat", + "organized labor", + "Laurel and Hardy", + "lower class", + "underclass", + "middle class", + "bourgeoisie", + "booboisie", + "commonalty", + "commonality", + "commons", + "petit bourgeois", + "petite bourgeoisie", + "petty bourgeoisie", + "peasantry", + "crowd", + "multitude", + "throng", + "concourse", + "hive", + "horde", + "host", + "legion", + "ruck", + "herd", + "army", + "crush", + "jam", + "press", + "traffic jam", + "snarl-up", + "gridlock", + "host", + "legion", + "Roman Legion", + "Sabaoth", + "drove", + "horde", + "swarm", + "drove", + "huddle", + "mob", + "rabble", + "rout", + "lynch mob", + "company", + "attendance", + "limited company", + "Ltd.", + "Ld.", + "holding company", + "bank holding company", + "multibank holding company", + "utility", + "public utility", + "public utility company", + "public-service corporation", + "service", + "telephone company", + "telephone service", + "phone company", + "phone service", + "telco", + "power company", + "power service", + "electric company", + "light company", + "water company", + "waterworks", + "gas company", + "gas service", + "bus company", + "bus service", + "livery company", + "company", + "troupe", + "opera company", + "theater company", + "stock company", + "repertory company", + "ballet company", + "chorus", + "chorus", + "Greek chorus", + "ensemble", + "chorus", + "chorus line", + "choir", + "choir", + "consort", + "husking bee", + "cornhusking", + "corps de ballet", + "ensemble", + "circus", + "minstrel show", + "minstrelsy", + "unit", + "social unit", + "command", + "enemy", + "task force", + "army unit", + "army", + "regular army", + "ground forces", + "naval unit", + "navy", + "naval forces", + "United States Navy", + "US Navy", + "USN", + "Navy", + "coastguard", + "United States Coast Guard", + "U. S. Coast Guard", + "US Coast Guard", + "Marines", + "United States Marine Corps", + "United States Marines", + "Marine Corps", + "US Marine Corps", + "USMC", + "Naval Air Warfare Center Weapons Division", + "NAWCWPNS", + "Naval Special Warfare", + "NSW", + "Naval Surface Warfare Center", + "NSWC", + "Naval Underwater Warfare Center", + "NUWC", + "United States Naval Academy", + "US Naval Academy", + "Office of Naval Intelligence", + "ONI", + "Marine Corps Intelligence Activity", + "MCIA", + "Air Corps", + "United States Air Force Academy", + "US Air Force Academy", + "Royal Air Force", + "RAF", + "Luftwaffe", + "German Luftwaffe", + "League of Nations", + "Peace Corps", + "air unit", + "air force", + "airforce", + "United States Air Force", + "U. S. Air Force", + "US Air Force", + "Air Force", + "USAF", + "Air Combat Command", + "ACC", + "Air Force Space Command", + "AFSPC", + "Air National Guard", + "ANG", + "Air Force Intelligence Surveillance and Reconnaissance", + "Air Force ISR", + "AFISR", + "armor", + "armour", + "guerrilla force", + "guerilla force", + "military service", + "armed service", + "service", + "military unit", + "military force", + "military group", + "force", + "military", + "armed forces", + "armed services", + "military machine", + "war machine", + "military reserve", + "reserve", + "mujahidin", + "mujahedin", + "mujahedeen", + "mujahadeen", + "mujahadin", + "mujahideen", + "mujahadein", + "Mujahedeen Khalq", + "Pentagon", + "paramilitary", + "paramilitary force", + "paramilitary unit", + "paramilitary organization", + "paramilitary organisation", + "fedayeen", + "Fedayeen Saddam", + "Saddam's Martyrs", + "force", + "force", + "personnel", + "task force", + "team", + "squad", + "hit squad", + "death squad", + "Sparrow Unit", + "bench", + "police", + "police force", + "constabulary", + "law", + "Europol", + "European Law Enforcement Organisation", + "gendarmerie", + "gendarmery", + "Mutawa'een", + "Mutawa", + "Royal Canadian Mounted Police", + "RCMP", + "Mounties", + "Scotland Yard", + "New Scotland Yard", + "security force", + "private security force", + "vice squad", + "military police", + "MP", + "shore patrol", + "secret police", + "Gestapo", + "Schutzstaffel", + "SS", + "SA", + "Sturmabteilung", + "Storm Troops", + "work force", + "workforce", + "manpower", + "hands", + "men", + "corps", + "army corps", + "Women's Army Corps", + "WAC", + "Reserve Officers Training Corps", + "ROTC", + "corps", + "division", + "Special Forces", + "U. S. Army Special Forces", + "United States Army Special Forces", + "battle group", + "regiment", + "brigade", + "battalion", + "company", + "platoon", + "platoon", + "section", + "den", + "platoon", + "detachment", + "vanguard", + "van", + "guard", + "bodyguard", + "yeomanry", + "patrol", + "picket", + "press gang", + "provost guard", + "rearguard", + "section", + "section", + "brass section", + "brass", + "string section", + "strings", + "violin section", + "percussion section", + "percussion", + "rhythm section", + "trumpet section", + "reed section", + "clarinet section", + "squad", + "complement", + "full complement", + "shift", + "day shift", + "day watch", + "evening shift", + "night shift", + "graveyard shift", + "relay", + "ship's company", + "company", + "division", + "naval division", + "division", + "air division", + "wing", + "air group", + "squadron", + "escadrille", + "squadron", + "squadron", + "escadrille", + "flight", + "flight", + "flight", + "division", + "division", + "division", + "form division", + "audience", + "gallery", + "audience", + "readership", + "viewing audience", + "TV audience", + "viewers", + "grandstand", + "house", + "claque", + "following", + "followers", + "faithful", + "fandom", + "parish", + "community", + "community", + "convent", + "house", + "Ummah", + "Umma", + "Muslim Ummah", + "Islamic Ummah", + "Islam Nation", + "speech community", + "neighborhood", + "neighbourhood", + "hood", + "street", + "municipality", + "municipal government", + "commission plan", + "state government", + "totalitarian state", + "totalitation regime", + "city", + "metropolis", + "town", + "townspeople", + "townsfolk", + "village", + "small town", + "settlement", + "moshav", + "hamlet", + "crossroads", + "cooperative", + "club", + "social club", + "society", + "guild", + "gild", + "lodge", + "order", + "family", + "fellowship", + "koinonia", + "athenaeum", + "atheneum", + "bookclub", + "chapter", + "chapter", + "American Legion", + "Veterans of Foreign Wars", + "VFW", + "chess club", + "country club", + "fraternity", + "frat", + "glee club", + "golf club", + "hunt", + "hunt club", + "investors club", + "jockey club", + "racket club", + "rowing club", + "slate club", + "sorority", + "tennis club", + "turnverein", + "yacht club", + "boat club", + "yakuza", + "yoke", + "league", + "conference", + "major league", + "big league", + "majors", + "minor league", + "minors", + "bush league", + "baseball league", + "little league", + "little-league team", + "basketball league", + "bowling league", + "football league", + "hockey league", + "Ivy League", + "union", + "labor union", + "trade union", + "trades union", + "brotherhood", + "industrial union", + "vertical union", + "Teamsters Union", + "United Mine Workers of America", + "United Mine Workers", + "American Federation of Labor", + "AFL", + "American Federation of Labor and Congress of Industrial Organizations", + "AFL-CIO", + "Congress of Industrial Organizations", + "CIO", + "craft union", + "credit union", + "company union", + "open shop", + "closed shop", + "union shop", + "secret society", + "Freemasonry", + "Masonry", + "Rashtriya Swayamsevak Sangh", + "National Volunteers Association", + "service club", + "Lions Club", + "International Association of Lions clubs", + "Rotary Club", + "Rotary International", + "consortium", + "pool", + "syndicate", + "trust", + "corporate trust", + "combine", + "cartel", + "drug cartel", + "Medellin cartel", + "Cali cartel", + "oil cartel", + "cast", + "cast of characters", + "dramatis personae", + "ensemble", + "supporting players", + "constituency", + "electoral college", + "class", + "form", + "grade", + "course", + "class", + "year", + "graduating class", + "master class", + "section", + "discussion section", + "senior class", + "junior class", + "sophomore class", + "freshman class", + "class", + "division", + "revolving door", + "set", + "circle", + "band", + "lot", + "car pool", + "clique", + "coterie", + "ingroup", + "inner circle", + "pack", + "camp", + "Bloomsbury Group", + "bohemia", + "kitchen cabinet", + "brain trust", + "loop", + "cabal", + "faction", + "junto", + "camarilla", + "military junta", + "junta", + "cadre", + "core", + "nucleus", + "core group", + "portfolio", + "professional association", + "gang", + "crew", + "work party", + "detail", + "chain gang", + "ground crew", + "ground-service crew", + "road gang", + "section gang", + "stage crew", + "Fabian Society", + "gang", + "pack", + "ring", + "mob", + "nest", + "sleeper nest", + "youth gang", + "demimonde", + "underworld", + "organized crime", + "gangland", + "gangdom", + "mafia", + "maffia", + "Mafia", + "Maffia", + "Sicilian Mafia", + "Mafia", + "Maffia", + "Cosa Nostra", + "Black Hand", + "Camorra", + "syndicate", + "crime syndicate", + "mob", + "family", + "yeomanry", + "musical organization", + "musical organisation", + "musical group", + "duet", + "duette", + "duo", + "trio", + "quartet", + "quartette", + "barbershop quartet", + "string quartet", + "string quartette", + "quintet", + "quintette", + "sextet", + "sextette", + "sestet", + "septet", + "septette", + "octet", + "octette", + "orchestra", + "chamber orchestra", + "gamelan", + "string orchestra", + "symphony orchestra", + "symphony", + "philharmonic", + "band", + "marching band", + "brass band", + "concert band", + "military band", + "jug band", + "pop group", + "indie", + "dance band", + "band", + "dance orchestra", + "big band", + "jazz band", + "jazz group", + "combo", + "mariachi", + "rock group", + "rock band", + "skiffle group", + "steel band", + "horde", + "Golden Horde", + "cohort", + "cohort", + "conspiracy", + "confederacy", + "Four Hundred", + "horsy set", + "horsey set", + "jet set", + "faction", + "sect", + "splinter group", + "social gathering", + "social affair", + "function", + "party", + "shindig", + "shindy", + "dance", + "ball", + "masquerade", + "masquerade party", + "masque", + "mask", + "banquet", + "feast", + "dinner", + "dinner party", + "gaudy", + "beanfeast", + "reception", + "at home", + "levee", + "tea", + "wedding reception", + "open house", + "housewarming", + "soiree", + "musical soiree", + "soiree musicale", + "garden party", + "lawn party", + "fete champetre", + "bachelor party", + "shower", + "stag party", + "smoker", + "hen party", + "slumber party", + "sociable", + "social", + "mixer", + "supper", + "wedding", + "wedding party", + "party", + "political party", + "American Labor Party", + "American Party", + "Know-Nothing Party", + "Anti-Masonic Party", + "Black Panthers", + "Communist Party", + "Conservative Party", + "Constitutional Union Party", + "Democratic Party", + "Democratic-Republican Party", + "Farmer-Labor Party", + "Federalist Party", + "American Federalist Party", + "Federal Party", + "Free Soil Party", + "Gironde", + "Green Party", + "Greenback Party", + "Kuomintang", + "Guomindang", + "labor party", + "labour party", + "Australian Labor Party", + "British Labour Party", + "Labour Party", + "Labour", + "Labor", + "Liberal Democrat Party", + "Liberal Party", + "Liberty Party", + "Militant Tendency", + "National Socialist German Workers' Party", + "Nazi Party", + "People's Party", + "Populist Party", + "Progressive Party", + "Bull Moose Party", + "Prohibition Party", + "Republican Party", + "GOP", + "Social Democratic Party", + "Socialist Labor Party", + "Socialist Party", + "States' Rights Democratic Party", + "Dixiecrats", + "war party", + "Whig Party", + "third party", + "machine", + "political machine", + "machine", + "party", + "company", + "fatigue party", + "landing party", + "party to the action", + "party to the transaction", + "rescue party", + "search party", + "stretcher party", + "war party", + "professional organization", + "professional organisation", + "table", + "tabular array", + "actuarial table", + "statistical table", + "mortality table", + "calendar", + "perpetual calendar", + "file allocation table", + "periodic table", + "matrix", + "dot matrix", + "square matrix", + "diagonal", + "main diagonal", + "principal diagonal", + "secondary diagonal", + "diagonal matrix", + "scalar matrix", + "identity matrix", + "unit matrix", + "determinant", + "Latin square", + "magic square", + "nonsingular matrix", + "real matrix", + "singular matrix", + "transpose", + "diagonal", + "Oort cloud", + "galaxy", + "galaxy", + "extragalactic nebula", + "spiral galaxy", + "spiral nebula", + "Andromeda galaxy", + "legion", + "foreign legion", + "French Foreign Legion", + "legion", + "echelon", + "phalanx", + "phalanx", + "score", + "threescore", + "synset", + "combination", + "crew", + "aircrew", + "air crew", + "bomber crew", + "bomber aircrew", + "merchant marine", + "crew", + "crowd", + "crew", + "gang", + "bunch", + "shock troops", + "SWAT team", + "SWAT squad", + "Special Weapons and Tactics team", + "Special Weapons and Tactics squad", + "troop", + "troop", + "troop", + "flock", + "troop", + "scout troop", + "scout group", + "outfit", + "academia", + "academe", + "Grub Street", + "school", + "Ashcan School", + "Eight", + "deconstructivism", + "historical school", + "pointillism", + "educational institution", + "preschool", + "school", + "school", + "junior school", + "infant school", + "academy", + "yeshiva", + "yeshivah", + "college", + "college", + "correspondence school", + "crammer", + "dancing school", + "direct-grant school", + "driving school", + "academy", + "police academy", + "military academy", + "naval academy", + "air force academy", + "Plato's Academy", + "academy", + "honorary society", + "Academy of Motion Picture Arts and Sciences", + "Academy of Television Arts and Sciences", + "French Academy", + "National Academy of Sciences", + "Royal Academy", + "Royal Academy of Arts", + "Royal Society", + "Royal Society of London for Improving Natural Knowledge", + "business college", + "business school", + "dental school", + "school of dentistry", + "finishing school", + "flying school", + "junior college", + "community college", + "graduate school", + "grad school", + "language school", + "law school", + "school of law", + "madrasa", + "madrasah", + "medical school", + "school of medicine", + "music school", + "school of music", + "nursing school", + "school of nursing", + "pesantran", + "pesantren", + "religious school", + "church school", + "parochial school", + "riding school", + "secondary school", + "lyceum", + "lycee", + "Gymnasium", + "middle school", + "secretarial school", + "seminary", + "seminary", + "technical school", + "tech", + "polytechnic institute", + "polytechnic", + "engineering school", + "trade school", + "vocational school", + "trainband", + "training college", + "training school", + "university", + "gown", + "university", + "multiversity", + "Open University", + "varsity", + "veterinary school", + "conservatory", + "staff", + "faculty", + "culture", + "civilization", + "civilisation", + "open society", + "tribal society", + "hunting and gathering tribe", + "hunting and gathering society", + "subculture", + "suburbia", + "youth culture", + "hip-hop", + "youth subculture", + "flower people", + "hippies", + "hipsters", + "Aegean civilization", + "Aegean civilisation", + "Aegean culture", + "Helladic civilization", + "Helladic civilisation", + "Helladic culture", + "Indus civilization", + "Minoan civilization", + "Minoan civilisation", + "Minoan culture", + "Cycladic civilization", + "Cycladic civilisation", + "Cycladic culture", + "Cyclades", + "Mycenaean civilization", + "Mycenaean civilisation", + "Mycenaean culture", + "Paleo-American culture", + "Paleo-Amerind culture", + "Paleo-Indian culture", + "Clovis culture", + "Folsom culture", + "Western culture", + "Western civilization", + "psychedelia", + "Rastafari", + "Rastas", + "fleet", + "armada", + "Spanish Armada", + "Invincible Armada", + "battle fleet", + "fleet", + "fleet", + "motor pool", + "fleet", + "alliance", + "coalition", + "alignment", + "alinement", + "nonalignment", + "nonalinement", + "popular front", + "world organization", + "world organisation", + "international organization", + "international organisation", + "global organization", + "Commonwealth of Independent States", + "CIS", + "United Nations", + "UN", + "deliberative assembly", + "General Assembly", + "United Nations Secretariat", + "Security Council", + "SC", + "Trusteeship Council", + "TC", + "Economic and Social Council", + "ECOSOC", + "Economic and Social Council commission", + "ECOSOC commission", + "Commission on Human Rights", + "Commission on Narcotic Drugs", + "Commission on the Status of Women", + "Economic Commission for Africa", + "Economic Commission for Asia and the Far East", + "Economic Commission for Europe", + "Economic Commission for Latin America", + "Population Commission", + "Social Development Commission", + "Statistical Commission", + "International Court of Justice", + "World Court", + "United Nations agency", + "UN agency", + "United Nations Children's Fund", + "United Nations International Children's Emergency Fund", + "UNICEF", + "Food and Agriculture Organization", + "Food and Agriculture Organization of the United Nations", + "FAO", + "General Agreement on Tariffs and Trade", + "GATT", + "International Atomic Energy Agency", + "IAEA", + "International Bank for Reconstruction and Development", + "World Bank", + "IBRD", + "International Civil Aviation Organization", + "ICAO", + "International Development Association", + "IDA", + "International Finance Corporation", + "IFC", + "International Labor Organization", + "International Labour Organization", + "ILO", + "International Maritime Organization", + "IMO", + "International Monetary Fund", + "IMF", + "United Nations Educational Scientific and Cultural Organization", + "UNESCO", + "United Nations Office for Drug Control and Crime Prevention", + "DCCP", + "United Nations Crime Prevention and Criminal Justice", + "Centre for International Crime Prevention", + "World Health Organization", + "WHO", + "World Meteorological Organization", + "WMO", + "sterling area", + "sterling bloc", + "scheduled territories", + "confederation", + "confederacy", + "federation", + "federation", + "nation", + "Creek Confederacy", + "Hanseatic League", + "enosis", + "union", + "league", + "Iroquois League", + "League of Iroquois", + "Five Nations", + "Six Nations", + "customs union", + "Benelux", + "ally", + "caste", + "caste", + "jati", + "varna", + "brahman", + "brahmin", + "rajanya", + "vaisya", + "sudra", + "shudra", + "meeting", + "group meeting", + "board meeting", + "committee meeting", + "camp meeting", + "caucus", + "conclave", + "conference", + "congress", + "Congress of Racial Equality", + "CORE", + "convention", + "Constitutional Convention", + "council", + "encounter group", + "forum", + "plenum", + "psychotherapy group", + "stockholders meeting", + "covey", + "meeting", + "get together", + "North Atlantic Council", + "NAC", + "council", + "city council", + "executive council", + "panchayat", + "panchayet", + "punchayet", + "privy council", + "divan", + "diwan", + "works council", + "town meeting", + "summit", + "summit meeting", + "town meeting", + "council", + "ecumenical council", + "Nicaea", + "First Council of Nicaea", + "Constantinople", + "First Council of Constantinople", + "Ephesus", + "Council of Ephesus", + "Chalcedon", + "Council of Chalcedon", + "Constantinople", + "Second Council of Constantinople", + "Constantinople", + "Third Council of Constantinople", + "Nicaea", + "Second Council of Nicaea", + "Constantinople", + "Fourth Council of Constantinople", + "Lateran Council", + "First Lateran Council", + "Second Lateran Council", + "Third Lateran Council", + "Fourth Lateran Council", + "Lyons", + "First Council of Lyons", + "Lyons", + "Second Council of Lyons", + "Vienne", + "Council of Vienne", + "Constance", + "Council of Constance", + "Council of Basel-Ferrara-Florence", + "Fifth Lateran Council", + "Council of Trent", + "Vatican Council", + "First Vatican Council", + "Vatican I", + "Second Vatican Council", + "Vatican II", + "Continental Congress", + "congress", + "diet", + "chamber", + "chamber of commerce", + "parliament", + "British Parliament", + "Dail Eireann", + "Dail", + "Knesset", + "Knesseth", + "Oireachtas", + "Seanad Eireann", + "Seanad", + "Duma", + "soviet", + "Palestine Liberation Organization", + "PLO", + "Palestine National Authority", + "Palestinian National Authority", + "Palestine Authority", + "Sinn Fein", + "Red Guard", + "syndicalism", + "indaba", + "Jirga", + "Loya Jirga", + "powwow", + "synod", + "world council", + "blue ribbon commission", + "blue ribbon committee", + "board", + "appeal board", + "appeals board", + "board of appeals", + "board of selectmen", + "board of regents", + "board of trustees", + "Federal Reserve Board", + "governing board", + "secretariat", + "secretariate", + "committee", + "commission", + "election commission", + "fairness commission", + "planning commission", + "conservancy", + "committee", + "citizens committee", + "select committee", + "subcommittee", + "vigilance committee", + "welcoming committee", + "standing committee", + "Ways and Means Committee", + "steering committee", + "ethics committee", + "ethics panel", + "finance committee", + "politburo", + "political action committee", + "PAC", + "presidium", + "praesidium", + "symposium", + "seminar", + "colloquium", + "Potsdam Conference", + "Yalta Conference", + "research colloquium", + "Bench", + "border patrol", + "harbor patrol", + "patrol", + "court", + "royal court", + "court", + "tribunal", + "judicature", + "appellate court", + "appeals court", + "court of appeals", + "circuit court of appeals", + "circuit", + "assizes", + "court of assize", + "court of assize and nisi prius", + "chancery", + "court of chancery", + "consistory", + "criminal court", + "drumhead court-martial", + "court-martial", + "special court-martial", + "divorce court", + "family court", + "domestic relations court", + "court of domestic relations", + "federal court", + "Foreign Intelligence Surveillance Court", + "F.I.S.C.", + "inferior court", + "lower court", + "Inquisition", + "Spanish Inquisition", + "Roman Inquisition", + "Congregation of the Inquisition", + "juvenile court", + "kangaroo court", + "military court", + "moot court", + "night court", + "Old Bailey", + "provost court", + "police court", + "probate court", + "quarter sessions", + "Rota", + "Star Chamber", + "superior court", + "Supreme Court", + "Supreme Court of the United States", + "United States Supreme Court", + "supreme court", + "state supreme court", + "high court", + "traffic court", + "trial court", + "repertoire", + "repertory", + "repertory", + "repertoire", + "representation", + "agency", + "federal agency", + "government agency", + "bureau", + "office", + "authority", + "independent agency", + "intelligence", + "intelligence service", + "intelligence agency", + "military intelligence", + "military intelligence agency", + "United States intelligence agency", + "Intelligence Community", + "National Intelligence Community", + "United States Intelligence Community", + "IC", + "Advanced Research and Development Activity", + "ARDA", + "Defense Intelligence Agency", + "DIA", + "Defense Logistics Agency", + "Defense Reutilization and Marketing Service", + "DRMS", + "Defense Technical Information Center", + "DTIC", + "international intelligence agency", + "Canadian Security Intelligence Service", + "CSIS", + "Central Intelligence Machinery", + "CIM", + "Communications Security Establishment", + "CSE", + "Criminal Intelligence Services of Canada", + "CISC", + "Department of Justice Canada", + "DoJC", + "Directorate for Inter-Services Intelligence", + "Inter-Services Intelligence", + "ISI", + "Foreign Intelligence Service", + "Sluzhba Vneshney Razvedki", + "SVR", + "International Relations and Security Network", + "ISN", + "international law enforcement agency", + "Interpol", + "Iraqi Intelligence Service", + "IIS", + "Iraqi Mukhabarat", + "Republican Guard", + "Haganah", + "Israeli Defense Force", + "IDF", + "Sayeret Matkal", + "Sayeret Mat'kal", + "sayeret", + "Special Air Service", + "SAS", + "A'man", + "Mossad", + "Secret Intelligence Service", + "MI", + "Military Intelligence Section 6", + "Security Intelligence Review Committee", + "SIRC", + "Security Service", + "MI", + "Military Intelligence Section 5", + "Shin Bet", + "General Security Services", + "National Reconnaissance Office", + "NRO", + "National Security Agency", + "NSA", + "United States Secret Service", + "US Secret Service", + "USSS", + "Secret Service", + "SS", + "law enforcement agency", + "Occupational Safety and Health Administration", + "OSHA", + "organ", + "admiralty", + "Patent and Trademark Office Database", + "Patent Office", + "central bank", + "European Central Bank", + "Federal Reserve System", + "Federal Reserve", + "Fed", + "FRS", + "Federal Reserve Bank", + "reserve bank", + "Federal Trade Commission", + "FTC", + "Office of Inspector General", + "OIG", + "General Services Administration", + "GSA", + "Federal Protective Service", + "FPS", + "Bank of England", + "Bundesbank", + "Bank of Japan", + "office", + "office staff", + "research staff", + "sales staff", + "security staff", + "service staff", + "maintenance staff", + "Small Business Administration", + "SBA", + "redevelopment authority", + "regulatory agency", + "regulatory authority", + "Selective Service", + "Selective Service System", + "SSS", + "weather bureau", + "advertising agency", + "ad agency", + "credit bureau", + "detective agency", + "employment agency", + "employment office", + "placement office", + "placement center", + "hiring hall", + "mercantile agency", + "commercial agency", + "news agency", + "press agency", + "wire service", + "press association", + "news organization", + "news organisation", + "syndicate", + "service agency", + "service bureau", + "service firm", + "travel agency", + "United States government", + "United States", + "U.S. government", + "US Government", + "U.S.", + "executive branch", + "Executive Office of the President", + "legislative branch", + "United States Government Printing Office", + "US Government Printing Office", + "Government Printing Office", + "GPO", + "judicial branch", + "Capital", + "Washington", + "civil service", + "Whitehall", + "county council", + "diplomatic service", + "diplomatic corps", + "corps diplomatique", + "government officials", + "officialdom", + "quorum", + "minyan", + "rally", + "mass meeting", + "pep rally", + "cell", + "cadre", + "sleeper cell", + "terrorist cell", + "radical cell", + "operational cell", + "intelligence cell", + "auxiliary cell", + "fifth column", + "Trojan horse", + "political unit", + "political entity", + "amphictyony", + "lunatic fringe", + "revolutionary group", + "underground", + "resistance", + "Maquis", + "autocracy", + "autarchy", + "constitutionalism", + "democracy", + "republic", + "commonwealth", + "diarchy", + "dyarchy", + "gerontocracy", + "gynecocracy", + "gynarchy", + "hegemony", + "mobocracy", + "ochlocracy", + "oligarchy", + "plutocracy", + "republic", + "technocracy", + "theocracy", + "hierocracy", + "parliamentary democracy", + "monarchy", + "parliamentary monarchy", + "capitalism", + "capitalist economy", + "venture capitalism", + "black economy", + "industrialism", + "market economy", + "free enterprise", + "private enterprise", + "laissez-faire economy", + "mixed economy", + "non-market economy", + "state capitalism", + "state socialism", + "communism", + "International", + "socialism", + "socialist economy", + "Nazism", + "Naziism", + "national socialism", + "Falange", + "economy", + "economic system", + "managed economy", + "mercantilism", + "mercantile system", + "communist economy", + "pluralism", + "political system", + "form of government", + "Bolshevism", + "collectivism", + "sovietism", + "revisionism", + "revisionism", + "ecosystem", + "generation", + "posterity", + "descendants", + "posterity", + "coevals", + "contemporaries", + "generation", + "beat generation", + "beats", + "beatniks", + "Beatles", + "teddy boys", + "punks", + "rockers", + "bikers", + "skinheads", + "bootboys", + "mods", + "baby boom", + "baby-boom generation", + "generation X", + "gen X", + "peer group", + "moiety", + "tribe", + "folk", + "totem", + "tableau", + "tableau vivant", + "Tribes of Israel", + "Twelve Tribes of Israel", + "Lost Tribes", + "venation", + "vernation", + "combination", + "combination", + "Fibonacci sequence", + "phyle", + "colony", + "settlement", + "frontier settlement", + "outpost", + "Plantation", + "proprietary colony", + "commonwealth", + "commune", + "lobby", + "pressure group", + "third house", + "National Rifle Association", + "NRA", + "lobby", + "hierarchy", + "power structure", + "pecking order", + "chain", + "concatenation", + "catena", + "daisy chain", + "cordon", + "course", + "line", + "cycle", + "electromotive series", + "electromotive force series", + "electrochemical series", + "hierarchy", + "celestial hierarchy", + "data hierarchy", + "taxonomy", + "class structure", + "caste system", + "social organization", + "social organisation", + "social structure", + "social system", + "structure", + "racial segregation", + "petty apartheid", + "de facto segregation", + "de jure segregation", + "purdah", + "sex segregation", + "ulema", + "ulama", + "segregation", + "separatism", + "white separatism", + "directorate", + "board of directors", + "staggered board of directors", + "management", + "house", + "leadership", + "leaders", + "advisory board", + "planning board", + "cabinet", + "British Cabinet", + "shadow cabinet", + "United States Cabinet", + "US Cabinet", + "draft board", + "Kashag", + "stock company", + "joint-stock company", + "closed corporation", + "close corporation", + "private corporation", + "privately held corporation", + "family business", + "closely held corporation", + "shell corporation", + "shell entity", + "Federal Deposit Insurance Corporation", + "FDIC", + "Federal Home Loan Mortgage Corporation", + "Freddie Mac", + "FHLMC", + "Federal National Mortgage Association", + "Fannie Mae", + "FNMA", + "conventicle", + "date", + "appointment", + "engagement", + "visit", + "blind date", + "double date", + "tryst", + "rendezvous", + "luncheon meeting", + "lunch meeting", + "power breakfast", + "revival", + "revival meeting", + "argosy", + "upper class", + "upper crust", + "elite", + "elite group", + "chosen", + "elect", + "cream", + "pick", + "gentry", + "aristocracy", + "intelligentsia", + "clerisy", + "culturati", + "literati", + "landed gentry", + "squirearchy", + "ruling class", + "people in power", + "society", + "high society", + "beau monde", + "smart set", + "bon ton", + "few", + "nobility", + "aristocracy", + "noblesse", + "peerage", + "baronage", + "baronetage", + "knighthood", + "samurai", + "ninja", + "artillery", + "artillery unit", + "musketry", + "battery", + "cavalry", + "horse cavalry", + "mechanized cavalry", + "infantry", + "foot", + "paratroops", + "militia", + "reserves", + "militia", + "home guard", + "territorial", + "territorial reserve", + "National Guard", + "home reserve", + "National Guard Bureau", + "NGB", + "Territorial Army", + "terrorist organization", + "terrorist group", + "foreign terrorist organization", + "FTO", + "standing army", + "Union Army", + "Confederate Army", + "Army of the Confederacy", + "Continental Army", + "United States Army", + "US Army", + "U. S. Army", + "Army", + "USA", + "United States Army Rangers", + "United States Military Academy", + "US Military Academy", + "Army Intelligence", + "AI", + "Ballistic Missile Defense Organization", + "BMDO", + "Defense Information Systems Agency", + "DISA", + "National Geospatial-Intelligence Agency", + "NGA", + "Casualty Care Research Center", + "CCRC", + "Army National Guard", + "ARNG", + "military personnel", + "soldiery", + "troops", + "friendly", + "hostile", + "cavalry", + "horse cavalry", + "horse", + "garrison", + "rank and file", + "rank", + "coven", + "sabbat", + "witches' Sabbath", + "assortment", + "mixture", + "mixed bag", + "miscellany", + "miscellanea", + "variety", + "salmagundi", + "smorgasbord", + "potpourri", + "motley", + "grab bag", + "witches' brew", + "witches' broth", + "witch's brew", + "range", + "selection", + "odds and ends", + "oddments", + "melange", + "farrago", + "ragbag", + "mishmash", + "mingle-mangle", + "hodgepodge", + "hotchpotch", + "gallimaufry", + "omnium-gatherum", + "alphabet soup", + "litter", + "batch", + "clutch", + "schmeer", + "schmear", + "shmear", + "batch", + "clutch", + "membership", + "rank", + "branch", + "subdivision", + "arm", + "clientele", + "patronage", + "business", + "rank and file", + "rabble", + "riffraff", + "ragtag", + "ragtag and bobtail", + "smart money", + "trash", + "scum", + "convocation", + "alma mater", + "deputation", + "commission", + "delegation", + "delegacy", + "mission", + "diplomatic mission", + "embassy", + "High Commission", + "legation", + "foreign mission", + "mission", + "missionary post", + "missionary station", + "foreign mission", + "press corps", + "occupational group", + "vocation", + "opposition", + "Iraqi National Congress", + "INC", + "Opposition", + "commando", + "contingent", + "detail", + "general staff", + "headquarters", + "headquarters staff", + "high command", + "supreme headquarters", + "posse", + "posse comitatus", + "kingdom", + "empire", + "Mogul empire", + "Second Empire", + "rogue's gallery", + "galere", + "rogue's gallery", + "hard core", + "foundation", + "charity", + "philanthropic foundation", + "private foundation", + "public charity", + "institute", + "sisterhood", + "sistership", + "exhibition", + "exposition", + "expo", + "art exhibition", + "retrospective", + "peepshow", + "raree-show", + "fair", + "book fair", + "bookfair", + "fair", + "side", + "working group", + "working party", + "expedition", + "Lewis and Clark Expedition", + "senior high school", + "senior high", + "high", + "highschool", + "high school", + "junior high school", + "junior high", + "preparatory school", + "prep school", + "choir school", + "schola cantorum", + "public school", + "charter school", + "public school", + "Eton College", + "Winchester College", + "private school", + "Catholic school", + "dance school", + "day school", + "boarding school", + "day school", + "night school", + "kindergarten", + "nursery school", + "playschool", + "play group", + "Sunday school", + "Sabbath school", + "normal school", + "teachers college", + "grade school", + "grammar school", + "elementary school", + "primary school", + "grammar school", + "secondary modern school", + "comprehensive school", + "composite school", + "school board", + "board of education", + "zoning board", + "zoning commission", + "immigration", + "inspectorate", + "jury", + "panel", + "panel", + "venire", + "jury", + "panel", + "grand jury", + "hung jury", + "petit jury", + "petty jury", + "special jury", + "blue ribbon jury", + "spearhead", + "bevy", + "firing line", + "immigrant class", + "left", + "left wing", + "center", + "right", + "right wing", + "religious right", + "hard right", + "old guard", + "pro-choice faction", + "pro-life faction", + "old school", + "convoy", + "convoy", + "seance", + "sitting", + "session", + "aggregate", + "congeries", + "conglomeration", + "agent bank", + "commercial bank", + "full service bank", + "national bank", + "state bank", + "lead bank", + "agent bank", + "member bank", + "merchant bank", + "acquirer", + "acquirer", + "acquirer", + "transfer agent", + "nondepository financial institution", + "depository financial institution", + "bank", + "banking concern", + "banking company", + "finance company", + "consumer finance company", + "small loan company", + "industrial bank", + "industrial loan company", + "captive finance company", + "sales finance company", + "commercial finance company", + "commercial credit company", + "Farm Credit System", + "FCS", + "hawala", + "thrift institution", + "savings and loan", + "savings and loan association", + "building society", + "savings bank", + "Home Loan Bank", + "Federal Home Loan Bank System", + "Federal Housing Administration", + "FHA", + "child welfare agency", + "child welfare service", + "Securities and Exchange Commission", + "SEC", + "trust company", + "trust corporation", + "mutual savings bank", + "MSB", + "federal savings bank", + "FSB", + "firing squad", + "firing party", + "market", + "black market", + "traffic", + "air traffic", + "commuter traffic", + "pedestrian traffic", + "foot traffic", + "vehicular traffic", + "vehicle traffic", + "automobile traffic", + "car traffic", + "bicycle traffic", + "bus traffic", + "truck traffic", + "formation", + "military formation", + "open order", + "close order", + "extended order", + "sick call", + "sick parade", + "caravan", + "train", + "wagon train", + "cavalcade", + "march", + "hunger march", + "motorcade", + "parade", + "callithump", + "callathump", + "callithump parade", + "file", + "single file", + "Indian file", + "snake dance", + "column", + "cortege", + "retinue", + "suite", + "entourage", + "Praetorian Guard", + "cortege", + "recession", + "recessional", + "backfield", + "secondary", + "linemen", + "line", + "line", + "line of march", + "line of succession", + "lineup", + "picket line", + "row", + "serration", + "terrace", + "rank", + "conga line", + "trap line", + "queue", + "waiting line", + "breadline", + "bread line", + "checkout line", + "chow line", + "gas line", + "reception line", + "ticket line", + "unemployment line", + "row", + "column", + "aviation", + "air power", + "dragnet", + "machinery", + "network", + "web", + "espionage network", + "old boy network", + "support system", + "nonlinear system", + "system", + "scheme", + "subsystem", + "organism", + "syntax", + "body", + "shebang", + "craft", + "trade", + "vegetation", + "flora", + "botany", + "browse", + "brush", + "brushwood", + "coppice", + "copse", + "thicket", + "brake", + "canebrake", + "spinney", + "growth", + "scrub", + "chaparral", + "bush", + "stand", + "forest", + "wood", + "woods", + "bosk", + "grove", + "jungle", + "rain forest", + "rainforest", + "temperate rain forest", + "tropical rain forest", + "selva", + "underbrush", + "undergrowth", + "underwood", + "shrubbery", + "garden", + "staff", + "line personnel", + "management personnel", + "dictatorship", + "absolutism", + "authoritarianism", + "Caesarism", + "despotism", + "monocracy", + "one-man rule", + "shogunate", + "Stalinism", + "totalitarianism", + "tyranny", + "police state", + "law", + "jurisprudence", + "administrative law", + "canon law", + "ecclesiastical law", + "civil law", + "common law", + "case law", + "precedent", + "international law", + "law of nations", + "maritime law", + "marine law", + "admiralty law", + "law of the land", + "martial law", + "mercantile law", + "commercial law", + "law merchant", + "military law", + "Mosaic law", + "Law of Moses", + "shariah", + "shariah law", + "sharia", + "sharia law", + "Islamic law", + "hudud", + "hudood", + "statutory law", + "securities law", + "tax law", + "bureaucracy", + "bureaucratism", + "menagerie", + "ordering", + "order", + "ordination", + "genetic code", + "genome", + "triplet code", + "series", + "series", + "nexus", + "progression", + "patterned advance", + "rash", + "blizzard", + "sequence", + "string", + "train", + "succession", + "cascade", + "parade", + "streak", + "run", + "losing streak", + "winning streak", + "arithmetic progression", + "geometric progression", + "harmonic progression", + "stream", + "flow", + "current", + "wave train", + "panoply", + "bank", + "stockpile", + "data", + "information", + "accounting data", + "metadata", + "raw data", + "ana", + "mail", + "post", + "fan mail", + "hate mail", + "mailing", + "sampler", + "treasure", + "treasure trove", + "trinketry", + "troponymy", + "troponomy", + "movement", + "social movement", + "front", + "deco", + "art deco", + "art nouveau", + "avant-garde", + "vanguard", + "van", + "new wave", + "constructivism", + "suprematism", + "cubism", + "dada", + "dadaism", + "artistic movement", + "art movement", + "expressionism", + "neoexpressionism", + "supra expressionism", + "fauvism", + "futurism", + "Hudson River school", + "romantic realism", + "imagism", + "lake poets", + "luminism", + "minimalism", + "minimal art", + "reductivism", + "naturalism", + "realism", + "needy", + "neoromanticism", + "New Wave", + "Nouvelle Vague", + "secession", + "sezession", + "surrealism", + "symbolism", + "Boy Scouts", + "Boy Scouts of America", + "Girl Scouts", + "Civil Rights movement", + "common front", + "cultural movement", + "ecumenism", + "oecumenism", + "falun gong", + "political movement", + "Enlightenment", + "Age of Reason", + "labor movement", + "trade union movement", + "labor", + "Industrial Workers of the World", + "IWW", + "I.W.W.", + "unionism", + "trade unionism", + "reform movement", + "religious movement", + "Akhbari", + "Usuli", + "Counter Reformation", + "ecumenical movement", + "Gallicanism", + "Lubavitch", + "Lubavitch movement", + "Chabad-Lubavitch", + "Chabad", + "Oxford movement", + "Pietism", + "Reformation", + "Protestant Reformation", + "Taliban", + "Taleban", + "Northern Alliance", + "United Front", + "Nation of Islam", + "humanism", + "analytical cubism", + "synthetic cubism", + "unconfessed", + "unemployed people", + "unemployed", + "wolf pack", + "womanhood", + "woman", + "fair sex", + "womankind", + "camp", + "hobo camp", + "jungle", + "record company", + "reunion", + "mover", + "public mover", + "moving company", + "removal firm", + "removal company", + "think tank", + "think factory", + "vestry", + "Jewry", + "Zionism", + "Zionist movement", + "Zhou", + "Zhou dynasty", + "Chou", + "Chou dynasty", + "Chow", + "Chow dynasty", + "muster", + "rap group", + "rave-up", + "registration", + "enrollment", + "table", + "World Council of Churches", + "number", + "vote", + "blue", + "grey", + "gray", + "host", + "pool", + "typing pool", + "shipper", + "center", + "diaspora", + "flank", + "wing", + "head", + "local authority", + "rear", + "smithereens", + "chosen people", + "Azeri", + "Bengali", + "Berbers", + "Arab-Berbers", + "Dagestani", + "Flemish", + "Hebrews", + "Israelites", + "Maori", + "Mayas", + "Mbundu", + "Ovimbundu", + "Pathan", + "Pashtun", + "Tajik", + "Tadzhik", + "Walloons", + "Ferdinand and Isabella", + "Medici", + "Committee for State Security", + "KGB", + "Soviet KGB", + "Federal Security Bureau", + "FSB", + "Federal Security Service", + "Russian agency", + "Wicca", + "William and Mary", + "wine tasting", + "wing", + "Wise Men", + "Magi", + "World Trade Organization", + "WTO", + "Association for the Advancement of Retired Persons", + "AARP", + "National Association of Realtors", + "Association of Southeast Asian Nations", + "ASEAN", + "Abkhaz", + "Abkhas", + "Achomawi", + "Akwa'ala", + "Aleut", + "Circassian", + "Inca", + "Inka", + "Quechua", + "Kechua", + "Xhosa", + "Zulu", + "here", + "there", + "somewhere", + "bilocation", + "seat", + "home", + "base", + "home", + "aclinic line", + "magnetic equator", + "agonic line", + "isogonic line", + "isogonal line", + "isogone", + "address", + "mailing address", + "box number", + "post-office box number", + "PO box number", + "PO Box No", + "box number", + "street address", + "administrative district", + "administrative division", + "territorial division", + "aerie", + "aery", + "eyrie", + "eyry", + "agora", + "air lane", + "flight path", + "airway", + "skyway", + "traffic pattern", + "approach pattern", + "pattern", + "territory", + "soil", + "Andalusia", + "Andalucia", + "Appalachia", + "flight path", + "wing", + "approach path", + "approach", + "glide path", + "glide slope", + "ambiance", + "ambience", + "amusement park", + "funfair", + "pleasure ground", + "Antarctic", + "Antarctic Zone", + "South Frigid Zone", + "Antarctic Circle", + "Adelie Land", + "Terre Adelie", + "Adelie Coast", + "apex", + "solar apex", + "apex of the sun's way", + "antapex", + "apogee", + "apoapsis", + "point of apoapsis", + "aphelion", + "apojove", + "aposelene", + "apolune", + "apron", + "Arctic", + "Arctic Zone", + "North Frigid Zone", + "polar circle", + "Arctic Circle", + "arena", + "area", + "country", + "high country", + "ascending node", + "node", + "node", + "antinode", + "asteroid belt", + "atmosphere", + "air", + "bed ground", + "bed-ground", + "bedground", + "biosphere", + "back of beyond", + "colony", + "dependency", + "Crown Colony", + "depth", + "outer space", + "space", + "interplanetary space", + "interstellar space", + "frontier", + "heliopause", + "heliosphere", + "holding pattern", + "intergalactic space", + "deep space", + "aerospace", + "airspace", + "backwater", + "backwoods", + "back country", + "boondocks", + "hinterland", + "Bad Lands", + "Badlands", + "banana republic", + "Barbary", + "Barbary Coast", + "Barbary Coast", + "Bithynia", + "Nicaea", + "Nubia", + "barren", + "waste", + "wasteland", + "heath", + "heathland", + "bush", + "outback", + "Never-Never", + "frontier", + "desert", + "semidesert", + "oasis", + "battlefield", + "battleground", + "field of battle", + "field of honor", + "field", + "Armageddon", + "Camlan", + "minefield", + "beat", + "round", + "beginning", + "origin", + "root", + "rootage", + "source", + "derivation", + "spring", + "fountainhead", + "headspring", + "head", + "headwater", + "wellhead", + "wellspring", + "jumping-off place", + "point of departure", + "jungle", + "concrete jungle", + "zone", + "belt", + "Bible Belt", + "fatherland", + "homeland", + "motherland", + "mother country", + "country of origin", + "native land", + "birthplace", + "place of birth", + "birthplace", + "cradle", + "place of origin", + "provenance", + "provenience", + "side", + "face", + "beam-ends", + "bottom", + "underside", + "undersurface", + "underbelly", + "foot", + "base", + "bottom", + "rock bottom", + "boundary", + "bound", + "bounds", + "boundary line", + "border", + "borderline", + "delimitation", + "mete", + "bourn", + "bourne", + "borderland", + "border district", + "march", + "marchland", + "narco-state", + "place", + "property", + "center", + "centre", + "colony", + "nerve center", + "nerve centre", + "circumference", + "circuit", + "fence line", + "Green Line", + "Line of Control", + "property line", + "state line", + "state boundary", + "Mason-Dixon line", + "Mason and Dixon line", + "Mason and Dixon's line", + "district line", + "county line", + "city line", + "balk", + "baulk", + "balkline", + "baulk-line", + "string line", + "bomb site", + "bowels", + "bowling green", + "breadbasket", + "breeding ground", + "bridgehead", + "brink", + "broadcast area", + "buffer state", + "buffer country", + "bull's eye", + "bull", + "bus route", + "bus stop", + "checkpoint", + "cabstand", + "taxistand", + "taxi rank", + "campsite", + "campground", + "camping site", + "camping ground", + "bivouac", + "encampment", + "camping area", + "campus", + "capital", + "capital", + "river basin", + "basin", + "watershed", + "drainage basin", + "catchment area", + "catchment basin", + "drainage area", + "detention basin", + "retention basin", + "Caucasia", + "Caucasus", + "Transcaucasia", + "celestial equator", + "equinoctial circle", + "equinoctial line", + "equinoctial", + "celestial point", + "equinoctial point", + "equinox", + "vernal equinox", + "autumnal equinox", + "celestial sphere", + "sphere", + "empyrean", + "firmament", + "heavens", + "vault of heaven", + "welkin", + "cemetery", + "graveyard", + "burial site", + "burial ground", + "burying ground", + "memorial park", + "necropolis", + "center", + "centre", + "midpoint", + "center of buoyancy", + "centre of buoyancy", + "center of immersion", + "centre of immersion", + "center of gravity", + "centre of gravity", + "center of flotation", + "centre of flotation", + "center of mass", + "centre of mass", + "barycenter", + "centroid", + "trichion", + "crinion", + "center", + "centre", + "middle", + "heart", + "eye", + "center stage", + "centre stage", + "city center", + "city centre", + "central city", + "core", + "navel", + "navel point", + "storm center", + "storm centre", + "city", + "metropolis", + "urban center", + "megalopolis", + "city district", + "precinct", + "police precinct", + "voting precinct", + "election district", + "polling place", + "polling station", + "business district", + "downtown", + "outskirts", + "environs", + "purlieu", + "Tin Pan Alley", + "conurbation", + "urban sprawl", + "sprawl", + "subtopia", + "borough", + "burgh", + "pocket borough", + "rotten borough", + "borough", + "canton", + "city", + "city limit", + "city limits", + "clearing", + "glade", + "Coats Land", + "commune", + "zone", + "geographical zone", + "climatic zone", + "commons", + "common land", + "commonwealth", + "confluence", + "meeting", + "congressional district", + "financial center", + "hub", + "civic center", + "municipal center", + "down town", + "inner city", + "chokepoint", + "Corn Belt", + "corncob", + "corn cob", + "corner", + "corner", + "corner", + "cornfield", + "corn field", + "country", + "state", + "land", + "county", + "county", + "county palatine", + "county seat", + "county courthouse", + "county town", + "shire town", + "cow pasture", + "crest", + "timber line", + "timberline", + "tree line", + "snow line", + "crossing", + "cross section", + "culmination", + "profile", + "soil profile", + "department", + "descending node", + "development", + "ghetto", + "housing development", + "housing estate", + "housing project", + "public housing", + "dig", + "excavation", + "archeological site", + "abbacy", + "archbishopric", + "archdeaconry", + "bailiwick", + "caliphate", + "archdiocese", + "diocese", + "bishopric", + "episcopate", + "disaster area", + "eparchy", + "exarchate", + "theater of war", + "theatre of war", + "field", + "field of operations", + "theater", + "theater of operations", + "theatre", + "theatre of operations", + "zone of interior", + "district", + "territory", + "territorial dominion", + "dominion", + "enclave", + "federal district", + "palatinate", + "residential district", + "residential area", + "community", + "planned community", + "retirement community", + "retirement complex", + "uptown", + "red-light district", + "suburb", + "suburbia", + "suburban area", + "exurbia", + "addition", + "bedroom community", + "faubourg", + "stockbroker belt", + "tenement district", + "airspace", + "air space", + "crawlspace", + "crawl space", + "disk space", + "disc space", + "disk overhead", + "overhead", + "swap space", + "swap file", + "distance", + "domain", + "demesne", + "land", + "archduchy", + "barony", + "duchy", + "dukedom", + "earldom", + "emirate", + "empire", + "imperium", + "fiefdom", + "grand duchy", + "viscounty", + "khanate", + "kingdom", + "realm", + "Camelot", + "principality", + "princedom", + "Kingdom of God", + "sheikdom", + "sheikhdom", + "suzerainty", + "residence", + "abode", + "domicile", + "legal residence", + "home", + "place", + "home away from home", + "home from home", + "business address", + "dump", + "garbage dump", + "trash dump", + "rubbish dump", + "wasteyard", + "waste-yard", + "dumpsite", + "dude ranch", + "honeymoon resort", + "eitchen midden", + "midden", + "kitchen midden", + "earshot", + "earreach", + "hearing", + "view", + "eyeshot", + "north", + "northeast", + "east", + "southeast", + "south", + "southwest", + "west", + "northwest", + "Earth", + "earth", + "eastern hemisphere", + "orient", + "Old World", + "East", + "Orient", + "Far East", + "northland", + "southland", + "East", + "eastern United States", + "Southeast", + "southeastern United States", + "Southwest", + "southwestern United States", + "Northeast", + "northeastern United States", + "Northwest", + "northwestern United States", + "Midwest", + "middle west", + "midwestern United States", + "Pacific Northwest", + "Rustbelt", + "ecliptic", + "Eden", + "paradise", + "nirvana", + "heaven", + "promised land", + "Shangri-la", + "edge", + "border", + "end", + "end", + "terminal", + "end point", + "endpoint", + "termination", + "terminus", + "end", + "end", + "Enderby Land", + "environment", + "environs", + "surroundings", + "surround", + "Finger Lakes", + "finish", + "destination", + "goal", + "medium", + "setting", + "scene", + "scenario", + "element", + "equator", + "extremity", + "extreme point", + "extreme", + "extremum", + "fairway", + "farmland", + "farming area", + "fault line", + "field", + "field", + "field of fire", + "grounds", + "bent", + "hayfield", + "meadow", + "playing field", + "athletic field", + "playing area", + "field", + "medical center", + "midfield", + "finishing line", + "finish line", + "firebreak", + "fireguard", + "firing line", + "flea market", + "Fleet Street", + "flies", + "focus", + "forefront", + "head", + "foul line", + "foul line", + "foul line", + "baseline", + "Frigid Zone", + "polar zone", + "polar region", + "front", + "front end", + "forepart", + "battlefront", + "front", + "front line", + "garbage heap", + "junk heap", + "rubbish heap", + "scrapheap", + "trash heap", + "junk pile", + "trash pile", + "refuse heap", + "toxic waste dump", + "toxic waste site", + "toxic dumpsite", + "gathering place", + "geographical area", + "geographic area", + "geographical region", + "geographic region", + "epicenter", + "epicentre", + "dust bowl", + "biogeographical region", + "benthos", + "benthic division", + "benthonic zone", + "geographic point", + "geographical point", + "ghetto", + "goal line", + "goldfield", + "grainfield", + "grain field", + "great circle", + "green", + "putting green", + "putting surface", + "greenbelt", + "greenway", + "ground", + "ground zero", + "ground zero", + "habitat", + "home ground", + "habitation", + "half-mast", + "half-staff", + "Harley Street", + "hatchery", + "haunt", + "hangout", + "resort", + "repair", + "stamping ground", + "hearth", + "fireside", + "heartland", + "hunting ground", + "D-layer", + "D region", + "Appleton layer", + "F layer", + "F region", + "Heaviside layer", + "Kennelly-Heaviside layer", + "E layer", + "E region", + "hell", + "hell on earth", + "hellhole", + "snake pit", + "the pits", + "inferno", + "hemisphere", + "hemline", + "heronry", + "hipline", + "hipline", + "drop", + "dead drop", + "hideout", + "hideaway", + "den", + "lurking place", + "hiding place", + "high", + "heights", + "hilltop", + "brow", + "hole-in-the-wall", + "holy place", + "sanctum", + "holy", + "home", + "point source", + "trail head", + "trailhead", + "home range", + "home territory", + "horizon", + "apparent horizon", + "visible horizon", + "sensible horizon", + "skyline", + "horizon", + "celestial horizon", + "horse latitude", + "hot spot", + "hotspot", + "hot spot", + "hotspot", + "hour angle", + "hour circle", + "see", + "junkyard", + "justiciary", + "reservation", + "reserve", + "Indian reservation", + "preserve", + "shooting preserve", + "school district", + "shire", + "industrial park", + "inside", + "interior", + "inside", + "interior", + "belly", + "midland", + "midst", + "thick", + "penetralia", + "ionosphere", + "irredenta", + "irridenta", + "isobar", + "isochrone", + "isoclinic line", + "isoclinal", + "isogram", + "isopleth", + "isarithm", + "isohel", + "isotherm", + "jurisdiction", + "turf", + "key", + "paint", + "kingdom", + "lair", + "den", + "launching site", + "lawn", + "layer", + "lead", + "lee", + "lee side", + "leeward", + "limb", + "limit", + "demarcation", + "demarcation line", + "upper limit", + "lower limit", + "limit", + "line", + "line", + "line", + "flight line", + "line of battle", + "salient", + "battle line", + "line of flight", + "line of march", + "line of sight", + "line of vision", + "latitude", + "latitude", + "line of latitude", + "parallel of latitude", + "parallel", + "lunar latitude", + "littoral", + "litoral", + "littoral zone", + "sands", + "loading zone", + "loading area", + "load line", + "Plimsoll line", + "Plimsoll mark", + "Plimsoll", + "Lombard Street", + "longitude", + "Whitehall", + "Trafalgar Square", + "lookout", + "observation post", + "Maghreb", + "Mahgrib", + "magnetic pole", + "mandate", + "mandatory", + "market cross", + "maximum", + "grassland", + "mecca", + "melting pot", + "meridian", + "line of longitude", + "observer's meridian", + "prime meridian", + "Greenwich Meridian", + "magnetic meridian", + "dateline", + "date line", + "International Date Line", + "meteorological observation post", + "weather station", + "midair", + "minimum", + "monument", + "mud flat", + "nadir", + "national park", + "Acadia National Park", + "Arches National Park", + "Badlands National Park", + "Big Bend", + "Big Bend National Park", + "Biscayne National Park", + "Bryce Canyon National Park", + "Canyonlands National Park", + "Capitol Reef National Park", + "Carlsbad Caverns National Park", + "Channel Islands National Park", + "Crater Lake National Park", + "Denali National Park", + "Everglades National Park", + "Gates of the Arctic National Park", + "Grand Canyon National Park", + "Grand Teton National Park", + "Great Smoky Mountains National Park", + "Guadalupe Mountains National Park", + "Haleakala National Park", + "Hawaii Volcanoes National Park", + "Hot Springs National Park", + "Isle Royal National Park", + "Katmai National Park", + "Kenai Fjords National Park", + "Kings Canyon National Park", + "Kobuk Valley National Park", + "Lake Clark National Park", + "Lassen Volcanic National Park", + "Mammoth Cave National Park", + "Mesa Verde National Park", + "Mount Ranier National Park", + "North Cascades National Park", + "Olympic National Park", + "Petrified Forest National Park", + "Platt National Park", + "Redwood National Park", + "Rocky Mountain National Park", + "Sequoia National Park", + "Shenandoah National Park", + "Theodore Roosevelt Memorial National Park", + "Virgin Islands National Park", + "Voyageurs National Park", + "Wind Cave National Park", + "windward", + "Wrangell-St. Elias National Park", + "Yellowstone National Park", + "Yosemite National Park", + "Zion National Park", + "nesting place", + "no-go area", + "no man's land", + "nombril", + "no-parking zone", + "north celestial pole", + "northern hemisphere", + "North Pole", + "old country", + "orbit", + "celestial orbit", + "orbit", + "electron orbit", + "geosynchronous orbit", + "geostationary orbit", + "outline", + "lineation", + "coastline", + "paper route", + "paper round", + "profile", + "silhouette", + "outside", + "exterior", + "outside", + "exterior", + "outdoors", + "out-of-doors", + "open air", + "open", + "outstation", + "outpost", + "overlook", + "paddy", + "paddy field", + "rice paddy", + "panhandle", + "parade ground", + "fairground", + "midway", + "fairway", + "parish", + "park", + "parkland", + "park", + "commons", + "common", + "green", + "parking lot", + "car park", + "park", + "parking area", + "parking space", + "parking zone", + "parts", + "pasture", + "pastureland", + "grazing land", + "lea", + "ley", + "path", + "route", + "itinerary", + "beeline", + "circuit", + "crosscut", + "supply line", + "supply route", + "line of fire", + "migration route", + "flyway", + "fairway", + "patriarchate", + "peak", + "crown", + "crest", + "top", + "tip", + "summit", + "periapsis", + "point of periapsis", + "perigee", + "perihelion", + "perijove", + "periselene", + "perilune", + "pesthole", + "picnic area", + "picnic ground", + "pinnacle", + "prairie", + "public square", + "square", + "plaza", + "place", + "piazza", + "toll plaza", + "point", + "abutment", + "pole", + "pole", + "celestial pole", + "pole position", + "polls", + "pride of place", + "position", + "place", + "position", + "pressure point", + "military position", + "position", + "anomaly", + "site", + "situation", + "active site", + "close quarters", + "locus", + "locus of infection", + "restriction site", + "setting", + "juxtaposition", + "lie", + "post", + "station", + "pitch", + "landmark", + "right", + "stage right", + "right stage", + "left", + "stage left", + "left stage", + "back", + "rear", + "front", + "municipality", + "new town", + "perch", + "potter's field", + "prefecture", + "premises", + "protectorate", + "associated state", + "quadrant", + "quadrant", + "quadrant", + "quarter-circle", + "quarter", + "kasbah", + "casbah", + "medina", + "Queen Maud Land", + "radius", + "rain shadow", + "range", + "reach", + "range", + "rear", + "backside", + "back end", + "rearward", + "red line", + "region", + "part", + "region", + "possession", + "antipodes", + "rifle range", + "rifle shot", + "unknown", + "unknown region", + "terra incognita", + "staging area", + "open", + "clear", + "rhumb line", + "rhumb", + "loxodrome", + "declination", + "celestial latitude", + "dec", + "right ascension", + "RA", + "celestial longitude", + "waterfront", + "seafront", + "port", + "entrepot", + "transshipment center", + "free port", + "home port", + "outport", + "port of entry", + "point of entry", + "seaport", + "haven", + "harbor", + "harbour", + "coaling station", + "port of call", + "free port", + "free zone", + "anchorage", + "anchorage ground", + "treaty port", + "mooring", + "moorage", + "berth", + "slip", + "roads", + "roadstead", + "dockyard", + "resort", + "resort hotel", + "holiday resort", + "resort area", + "playground", + "vacation spot", + "rough", + "vicinity", + "locality", + "neighborhood", + "neighbourhood", + "neck of the woods", + "gold coast", + "'hood", + "place", + "block", + "city block", + "neighborhood", + "proximity", + "presence", + "front", + "rendezvous", + "retreat", + "ashram", + "ashram", + "Camp David", + "nook", + "nest", + "pleasance", + "safety", + "refuge", + "harborage", + "harbourage", + "danger", + "danger line", + "rookery", + "Rubicon", + "country", + "rural area", + "countryside", + "scrubland", + "weald", + "wold", + "safari park", + "sanctum", + "sanctum sanctorum", + "sandlot", + "savanna", + "savannah", + "scene", + "light", + "darkness", + "dark", + "shadow", + "field of honor", + "stage", + "scenery", + "landscape", + "seascape", + "separation", + "schoolyard", + "churchyard", + "God's acre", + "scour", + "seat", + "place", + "seat", + "section", + "plane section", + "section", + "sector", + "service area", + "showplace", + "shrubbery", + "side", + "side", + "bedside", + "blind side", + "dockside", + "east side", + "hand", + "north side", + "shipside", + "south side", + "west side", + "scrimmage line", + "line of scrimmage", + "service line", + "baseline", + "sideline", + "out of bounds", + "site", + "land site", + "skyline", + "slum", + "slum area", + "shantytown", + "skid road", + "skid row", + "ski resort", + "solitude", + "southern hemisphere", + "South Pole", + "south celestial pole", + "space", + "air", + "vacuum", + "vacuity", + "sphere", + "sphere of influence", + "stand", + "start", + "starting line", + "scratch", + "scratch line", + "touchline", + "yard line", + "eparchy", + "state", + "province", + "American state", + "station", + "Stonehenge", + "stop", + "stopover", + "way station", + "stratum", + "Strand", + "substrate", + "substratum", + "superstrate", + "superstratum", + "horizon", + "soil horizon", + "A-horizon", + "A horizon", + "B-horizon", + "B horizon", + "C-horizon", + "C horizon", + "geological horizon", + "seam", + "bed", + "coal seam", + "coalface", + "field", + "coalfield", + "gasfield", + "oilfield", + "corner", + "substrate", + "substratum", + "surface", + "tank farm", + "target", + "target area", + "ground zero", + "tax haven", + "tee", + "teeing ground", + "toxic site", + "toxic waste area", + "Superfund site", + "orphan site", + "Temperate Zone", + "North Temperate Zone", + "South Temperate Zone", + "terreplein", + "testing ground", + "laboratory", + "theme park", + "three-mile limit", + "tip", + "top", + "top side", + "upper side", + "upside", + "desktop", + "rooftop", + "top", + "head", + "tiptop", + "topographic point", + "place", + "spot", + "pool", + "puddle", + "Torrid Zone", + "tropical zone", + "tropics", + "town", + "burg", + "boom town", + "cow town", + "cowtown", + "ghost town", + "hometown", + "Main Street", + "market town", + "township", + "town", + "ward", + "settlement", + "village", + "hamlet", + "kampong", + "campong", + "kraal", + "pueblo", + "tract", + "piece of land", + "piece of ground", + "parcel of land", + "parcel", + "subdivision", + "subtropics", + "semitropics", + "mine field", + "terrain", + "plot", + "plot of land", + "plot of ground", + "patch", + "lot", + "tropic", + "Tropic of Cancer", + "Tropic of Capricorn", + "trust territory", + "trusteeship", + "urban area", + "populated area", + "barrio", + "barrio", + "used-car lot", + "vacant lot", + "building site", + "Van Allen belt", + "vanishing point", + "vantage", + "vantage point", + "viewpoint", + "veld", + "veldt", + "venue", + "venue", + "locale", + "locus", + "vertex", + "peak", + "apex", + "acme", + "vertical circle", + "viceroyalty", + "Victoria Land", + "village green", + "warren", + "rabbit warren", + "watering place", + "watering hole", + "spa", + "waterline", + "water line", + "water level", + "water line", + "watermark", + "high-water mark", + "low-water mark", + "watershed", + "water parting", + "divide", + "continental divide", + "Great Divide", + "direction", + "way", + "trade route", + "Silk Road", + "Northwest Passage", + "bearing", + "heading", + "aim", + "tack", + "course", + "trend", + "east-west direction", + "north-south direction", + "qibla", + "tendency", + "trend", + "wave front", + "wavefront", + "Wilkes Land", + "western hemisphere", + "occident", + "New World", + "West", + "Occident", + "West", + "western United States", + "Wild West", + "wheatfield", + "wheat field", + "whereabouts", + "wilderness", + "wild", + "winner's circle", + "tape", + "wire", + "workspace", + "yard", + "tiltyard", + "yard", + "zenith", + "exaltation", + "zodiac", + "sign of the zodiac", + "star sign", + "sign", + "mansion", + "house", + "planetary house", + "Aries", + "Aries the Ram", + "Ram", + "Taurus", + "Taurus the Bull", + "Bull", + "Gemini", + "Gemini the Twins", + "Twins", + "Cancer", + "Cancer the Crab", + "Crab", + "Leo", + "Leo the Lion", + "Lion", + "Virgo", + "Virgo the Virgin", + "Virgin", + "Libra", + "Libra the Balance", + "Balance", + "Libra the Scales", + "Scorpio", + "Scorpio the Scorpion", + "Scorpion", + "Sagittarius", + "Sagittarius the Archer", + "Archer", + "Capricorn", + "Capricorn the Goat", + "Goat", + "Aquarius", + "Aquarius the Water Bearer", + "Water Bearer", + "Pisces", + "Pisces the Fishes", + "Fish", + "zone", + "buffer zone", + "buffer", + "combat zone", + "combat area", + "war zone", + "bridgehead", + "foothold", + "airhead", + "beachhead", + "combat zone", + "tenderloin", + "turf", + "danger zone", + "demilitarized zone", + "DMZ", + "drop zone", + "dropping zone", + "kill zone", + "killing zone", + "killing field", + "enterprise zone", + "outskirt", + "fringe", + "strike zone", + "tidal zone", + "time zone", + "transit zone", + "national capital", + "provincial capital", + "state capital", + "Continent", + "European country", + "European nation", + "Scandinavian country", + "Scandinavian nation", + "Balkans", + "Balkan country", + "Balkan nation", + "Balkan state", + "African country", + "African nation", + "East Africa", + "Namibia", + "Republic of Namibia", + "South West Africa", + "Windhoek", + "Asian country", + "Asian nation", + "Cappadocia", + "Galatia", + "Phrygia", + "Colossae", + "Pontus", + "Asia Minor", + "Anatolia", + "South American country", + "South American nation", + "North American country", + "North American nation", + "Central American country", + "Central American nation", + "Afghanistan", + "Islamic State of Afghanistan", + "Herat", + "Jalalabad", + "Kabul", + "capital of Afghanistan", + "Kandahar", + "Qandahar", + "Mazar-i-Sharif", + "Illyria", + "Albania", + "Republic of Albania", + "Tirana", + "Albanian capital", + "Durres", + "Durazzo", + "Algeria", + "Algerie", + "Democratic and Popular Republic of Algeria", + "Algiers", + "Algerian capital", + "Annaba", + "Batna", + "Blida", + "Oran", + "Constantine", + "Djanet", + "Hippo", + "Hippo Regius", + "Reggane", + "Timgad", + "Timimoun", + "Numidia", + "Angola", + "Republic of Angola", + "Luanda", + "Angolan capital", + "Huambo", + "Nova Lisboa", + "Lobito", + "Anguilla", + "Aran Islands", + "Caribbean", + "Cayman Islands", + "George Town", + "Antigua and Barbuda", + "Antigua", + "Barbuda", + "Redonda", + "St. John's", + "Saint John's", + "capital of Antigua and Barbuda", + "Bengal", + "Bermuda", + "Bermudas", + "Hamilton", + "Bermuda Triangle", + "Bouvet Island", + "Montserrat", + "Patagonia", + "Triple Frontier", + "Argentina", + "Argentine Republic", + "Bahia Blanca", + "Buenos Aires", + "capital of Argentina", + "Cordoba", + "Cordova", + "Moron", + "Rosario", + "Vicente Lopez", + "pampas", + "Balkan Peninsula", + "Balkans", + "Bulgaria", + "Republic of Bulgaria", + "Sofia", + "Serdica", + "Bulgarian capital", + "Dobrich", + "Tolbukhin", + "Plovdiv", + "Philippopolis", + "Varna", + "Southeast Asia", + "Myanmar", + "Union of Burma", + "Burma", + "Yangon", + "Rangoon", + "Mandalay", + "Moulmein", + "Mawlamyine", + "Burundi", + "Republic of Burundi", + "Bujumbura", + "Usumbura", + "capital of Burundi", + "Cambodia", + "Kingdom of Cambodia", + "Kampuchea", + "Phnom Penh", + "Pnom Penh", + "Cambodian capital", + "Cameroon", + "Republic of Cameroon", + "Cameroun", + "Yaounde", + "capital of Cameroon", + "Douala", + "Cape Verde Islands", + "Cape Verde", + "Republic of Cape Verde", + "Praia", + "Cidade de Praia", + "capital of Cape Verde", + "Sao Tiago Island", + "Falkland Islands", + "Central African Republic", + "Central Africa", + "Bangui", + "capital of Central Africa", + "Ceylon", + "Sri Lanka", + "Democratic Socialist Republic of Sri Lanka", + "Ceylon", + "Colombo", + "capital of Sri Lanka", + "Kandy", + "Eelam", + "Tamil Eelam", + "Chad", + "Republic of Chad", + "Tchad", + "N'Djamena", + "Ndjamena", + "Fort-Lamy", + "capital of Chad", + "Chile", + "Republic of Chile", + "Antofagasta", + "Chiloe", + "Concepcion", + "Gran Santiago", + "Santiago", + "Santiago de Chile", + "capital of Chile", + "Punta Arenas", + "Temuco", + "Valparaiso", + "Vina del Mar", + "Tierra del Fuego", + "Cape Horn", + "Manchuria", + "China", + "People's Republic of China", + "mainland China", + "Communist China", + "Red China", + "PRC", + "Cathay", + "Turkistan", + "Turkestan", + "Beijing", + "Peking", + "Peiping", + "capital of Red China", + "Forbidden City", + "Chongqing", + "Chungking", + "Guangdong", + "Kwangtung", + "Guangdong province", + "Guangzhou", + "Kuangchou", + "Kwangchow", + "Canton", + "Gansu", + "Kansu", + "Gansu province", + "Hebei", + "Hopei", + "Hopeh", + "Hebei province", + "Hunan", + "Hunan province", + "Szechwan", + "Sichuan", + "Szechuan", + "Szechwan province", + "Yunnan", + "Yunnan province", + "Lanzhou", + "Lanchou", + "Lanchow", + "Luda", + "Luta", + "Dalian", + "Talien", + "Dairen", + "Luoyang", + "Loyang", + "Lushun", + "Port Arthur", + "Hangzhou", + "Hangchow", + "Nanchang", + "Nan-chang", + "Nanning", + "Nan-ning", + "Nanjing", + "Nanking", + "Shanghai", + "Shenyang", + "Mukden", + "Moukden", + "Fengtien", + "Taiyuan", + "Tangshan", + "Tianjin", + "Tientsin", + "T'ien-ching", + "Grand Canal", + "Wuhan", + "Xian", + "Sian", + "Singan", + "Changan", + "Hsian", + "Xinjiang", + "Sinkiang", + "Xinjiang Uighur Autonomous Region", + "Inner Mongolia", + "Nei Monggol", + "Hohhot", + "Taiwan", + "Formosa", + "Taiwan", + "China", + "Nationalist China", + "Republic of China", + "Taipei", + "Taipeh", + "capital of Taiwan", + "Taichung", + "Hong Kong", + "Macao", + "Macau", + "Indochina", + "Indochinese peninsula", + "French Indochina", + "Colombia", + "Republic of Colombia", + "Barranquilla", + "Bogota", + "capital of Colombia", + "Cali", + "Medellin", + "Cartagena", + "Soledad", + "Comoro Islands", + "Iles Comores", + "Comoros", + "Federal Islamic Republic of the Comoros", + "Congo", + "Republic of the Congo", + "French Congo", + "Brazzaville", + "Congo", + "Democratic Republic of the Congo", + "Zaire", + "Belgian Congo", + "Goma", + "Kananga", + "Luluabourg", + "Kinshasa", + "Leopoldville", + "Lubumbashi", + "Elisabethville", + "Mesoamerica", + "Central America", + "Costa Rica", + "Republic of Costa Rica", + "San Jose", + "capital of Costa Rica", + "Ivory Coast", + "Cote d'Ivoire", + "Republic of Cote d'Ivoire", + "Abidjan", + "Yamoussukro", + "Guatemala", + "Republic of Guatemala", + "Guatemala City", + "capital of Guatemala", + "Belize", + "British Honduras", + "Honduras", + "Republic of Honduras", + "Tegucigalpa", + "Honduran capital", + "San Pedro Sula", + "El Salvador", + "Republic of El Salvador", + "Salvador", + "San Salvador", + "Salvadoran capital", + "Santa Ana", + "Nicaragua", + "Republic of Nicaragua", + "Managua", + "capital of Nicaragua", + "Nicaraguan capital", + "Panama", + "Republic of Panama", + "Panama City", + "capital of Panama", + "Panamanian capital", + "Colon", + "Aspinwall", + "Panama Canal Zone", + "Canal Zone", + "Yucatan", + "Yucatan Peninsula", + "Yucatan", + "Merida", + "Campeche", + "Campeche", + "Cancun", + "Mexico", + "United Mexican States", + "Acapulco", + "Acapulco de Juarez", + "Chihuahua", + "Chihuahua", + "Ciudad Juarez", + "Juarez", + "Ciudad Victoria", + "Coahuila", + "Culiacan", + "Durango", + "Victoria de Durango", + "Guadalajara", + "Hermosillo", + "Leon", + "Matamoros", + "Mazatlan", + "Mexicali", + "Mexico City", + "Ciudad de Mexico", + "Mexican capital", + "capital of Mexico", + "Monterrey", + "Nogales", + "Oaxaca", + "Oaxaca de Juarez", + "Orizaba", + "Puebla", + "Puebla de Zaragoza", + "Heroica Puebla de Zaragoza", + "Quintana Roo", + "San Luis Potosi", + "Santa Maria del Tule", + "Tabasco", + "Tepic", + "Tampico", + "Torreon", + "Tijuana", + "Tuxtla Gutierrez", + "Veracruz", + "Villahermosa", + "Villa Hermosa", + "Guadalupe Island", + "Caribbean Island", + "West Indies", + "the Indies", + "British West Indies", + "Antilles", + "French West Indies", + "Greater Antilles", + "Lesser Antilles", + "Caribees", + "Netherlands Antilles", + "Aruba", + "Bonaire", + "Curacao", + "Saba", + "Saint Eustatius", + "St. Eustatius", + "Leeward Islands", + "Saint Martin", + "St. Martin", + "Saint Maarten", + "St. Maarten", + "Windward Islands", + "Windward Isles", + "Cuba", + "Cuba", + "Republic of Cuba", + "Havana", + "capital of Cuba", + "Cuban capital", + "Santiago de Cuba", + "Santiago", + "Guantanamo", + "Guadeloupe", + "Hispaniola", + "Haiti", + "Hayti", + "Haiti", + "Republic of Haiti", + "Port-au-Prince", + "Haitian capital", + "Dominican Republic", + "Santo Domingo", + "Ciudad Trujillo", + "capital of the Dominican Republic", + "Santiago de los Caballeros", + "Santiago", + "Puerto Rico", + "Porto Rico", + "Puerto Rico", + "Porto Rico", + "Commonwealth of Puerto Rico", + "PR", + "San Juan", + "Culebra", + "Vieques", + "Jamaica", + "Jamaica", + "Kingston", + "capital of Jamaica", + "Jamaican capital", + "Montego Bay", + "Virgin Islands", + "British Virgin Islands", + "United States Virgin Islands", + "American Virgin Islands", + "VI", + "Barbados", + "Barbados", + "Bridgetown", + "capital of Barbados", + "Trinidad", + "Tobago", + "Trinidad and Tobago", + "Republic of Trinidad and Tobago", + "Port of Spain", + "Port-of-Spain", + "capital of Trinidad and Tobago", + "Cyprus", + "Cyprus", + "Republic of Cyprus", + "Nicosia", + "capital of Cyprus", + "Czech Republic", + "Czechoslovakia", + "Pilsen", + "Plzen", + "Prague", + "Praha", + "Prag", + "Czech capital", + "Austerlitz", + "Brno", + "Brunn", + "Ostrava", + "Moravia", + "Bohemia", + "Slovakia", + "Slovak Republic", + "Bratislava", + "capital of Slovakia", + "Pressburg", + "Pozsony", + "Benin", + "Republic of Benin", + "Dahomey", + "Porto Novo", + "capital of Benin", + "Cotonou", + "Togo", + "Togolese Republic", + "Lome", + "capital of Togo", + "northern Europe", + "Scandinavia", + "Scandinavia", + "Scandinavian Peninsula", + "Jutland", + "Jylland", + "Denmark", + "Kingdom of Denmark", + "Danmark", + "Zealand", + "Seeland", + "Sjaelland", + "Copenhagen", + "Kobenhavn", + "Danish capital", + "Arhus", + "Aarhus", + "Aalborg", + "Alborg", + "Viborg", + "Djibouti", + "Republic of Djibouti", + "Afars and Issas", + "Djibouti", + "capital of Djibouti", + "Dominica", + "Dominica", + "Commonwealth of Dominica", + "Roseau", + "Equatorial Guinea", + "Republic of Equatorial Guinea", + "Spanish Guinea", + "Malabo", + "Bioko", + "Norway", + "Kingdom of Norway", + "Norge", + "Noreg", + "Svalbard", + "Spitsbergen", + "Spitzbergen", + "Lofoten", + "Oslo", + "Christiania", + "capital of Norway", + "Bergen", + "Stavanger", + "Trondheim", + "Nidaros", + "Lindesnes", + "Naze", + "Sweden", + "Kingdom of Sweden", + "Sverige", + "Stockholm", + "capital of Sweden", + "Malmo", + "Lund", + "Goteborg", + "Goeteborg", + "Gothenburg", + "Uppsala", + "Upsala", + "Germany", + "Federal Republic of Germany", + "Deutschland", + "FRG", + "East Germany", + "German Democratic Republic", + "West Germany", + "Federal Republic of Germany", + "Saxony", + "Sachsen", + "Saxe", + "Lower Saxony", + "Aachen", + "Aken", + "Aix-la-Chapelle", + "Berlin", + "German capital", + "West Berlin", + "Bremen", + "Bremerhaven", + "Chemnitz", + "Karl-Marx-Stadt", + "Dortmund", + "Dresden", + "Leipzig", + "Solingen", + "Weimar", + "Bavaria", + "Hameln", + "Hamelin", + "Hohenlinden", + "Bonn", + "Cologne", + "Koln", + "Braunschweig", + "Brunswick", + "Dusseldorf", + "Essen", + "Frankfurt on the Main", + "Frankfurt", + "Frankfort", + "Halle", + "Halle-an-der-Saale", + "Hamburg", + "Hannover", + "Hanover", + "Lubeck", + "Mannheim", + "Munich", + "Muenchen", + "Nuremberg", + "Nurnberg", + "Potsdam", + "Rostock", + "Stuttgart", + "Wiesbaden", + "Wurzburg", + "Wuerzburg", + "Rhineland", + "Rheinland", + "Palatinate", + "Pfalz", + "Brandenburg", + "Prussia", + "Preussen", + "Ruhr", + "Ruhr Valley", + "Thuringia", + "East Timor", + "Ecuador", + "Republic of Ecuador", + "Guayaquil", + "Quito", + "capital of Ecuador", + "Galapagos Islands", + "Galapagos", + "Eritrea", + "State of Eritrea", + "Asmara", + "Asmera", + "Massawa", + "Ethiopia", + "Federal Democratic Republic of Ethiopia", + "Yaltopya", + "Abyssinia", + "Addis Ababa", + "New Flower", + "capital of Ethiopia", + "Fiji Islands", + "Fijis", + "Viti Levu", + "Vanua Levu", + "Fiji", + "Republic of Fiji", + "Suva", + "Finland", + "Republic of Finland", + "Suomi", + "Karelia", + "Helsinki", + "Helsingfors", + "capital of Finland", + "Finnish capital", + "Espoo", + "Tampere", + "Tammerfors", + "Aland islands", + "Aaland islands", + "Ahvenanmaa", + "Mariehamn", + "Maarianhamina", + "Greece", + "Hellenic Republic", + "Ellas", + "Greece", + "Achaea", + "Aegean island", + "Aegina", + "Aigina", + "Chios", + "Khios", + "Cyclades", + "Kikladhes", + "Dodecanese", + "Dhodhekanisos", + "Doris", + "Lesbos", + "Lesvos", + "Mytilene", + "Rhodes", + "Rodhos", + "Aeolis", + "Aeolia", + "Crete", + "Kriti", + "Knossos", + "Cnossos", + "Cnossus", + "Ithaca", + "Ithaki", + "Egadi Islands", + "Aegadean Isles", + "Aegadean Islands", + "Isole Egadi", + "Aegates", + "Athos", + "Mount Athos", + "Athens", + "Athinai", + "capital of Greece", + "Greek capital", + "Areopagus", + "Dipylon gate", + "Dipylon", + "Actium", + "Attica", + "Corinth", + "Korinthos", + "Argos", + "Delphi", + "Mycenae", + "Sparta", + "Epirus", + "Laconia", + "Lycia", + "Lydia", + "Nemea", + "Ephesus", + "Patras", + "Patrai", + "Troy", + "Ilion", + "Ilium", + "Thebes", + "Boeotia", + "Plataea", + "Thessaloniki", + "Salonika", + "Salonica", + "Thessalonica", + "Stagira", + "Stagirus", + "Thessalia", + "Thessaly", + "Cynoscephalae", + "Arcadia", + "Peloponnese", + "Peloponnesus", + "Peloponnesian Peninsula", + "Lemnos", + "Limnos", + "Olympia", + "Middle East", + "Mideast", + "Near East", + "Mashriq", + "Fertile Crescent", + "Israel", + "Israel", + "State of Israel", + "Yisrael", + "Zion", + "Sion", + "Acre", + "Akko", + "Akka", + "Accho", + "West Bank", + "Nablus", + "Galilee", + "Nazareth", + "Gaza Strip", + "Gaza", + "Golan Heights", + "Golan", + "Jerusalem", + "capital of Israel", + "Bethlehem", + "Bayt Lahm", + "Bethlehem Ephrathah", + "Bethlehem-Judah", + "Caesarea", + "Sodom", + "sodom", + "Gomorrah", + "Gomorrha", + "Calvary", + "Golgotha", + "Zion", + "Sion", + "Cotswolds", + "Cotswold Hills", + "Cheviots", + "Cheviot Hills", + "Pennines", + "Pennine Chain", + "Seven Hills of Rome", + "Palatine", + "Wailing Wall", + "Tel Aviv", + "Tel Aviv-Yalo", + "Tel Aviv-Jaffa", + "Hefa", + "Haifa", + "Jaffa", + "Joppa", + "Yafo", + "Palestine", + "Canaan", + "Holy Land", + "Promised Land", + "Palestine", + "Judah", + "Juda", + "Judea", + "Judaea", + "Samaria", + "Philistia", + "Roman Republic", + "Roman Empire", + "Byzantine Empire", + "Byzantium", + "Eastern Roman Empire", + "Western Roman Empire", + "Western Empire", + "Byzantium", + "Italian Peninsula", + "Ticino", + "Tessin", + "Italy", + "Italian Republic", + "Italia", + "Italian region", + "Pompeii", + "Herculaneum", + "Abruzzi", + "Abruzzi e Molise", + "Aquila", + "L'Aquila", + "Aquila degli Abruzzi", + "Basilicata", + "Lucania", + "Bolzano", + "Brescia", + "Calabria", + "Campania", + "Ferrara", + "Naples", + "Napoli", + "Messina", + "Capri", + "Ischia", + "Emilia-Romagna", + "Bologna", + "Friuli-Venezia Giulia", + "Latium", + "Lazio", + "Rome", + "Roma", + "Eternal City", + "Italian capital", + "capital of Italy", + "Lateran", + "Anzio", + "Brindisi", + "Tivoli", + "Tibur", + "Liguria", + "Genoa", + "Genova", + "Lombardy", + "Lombardia", + "Cremona", + "La Spezia", + "Milan", + "Milano", + "Marche", + "Marches", + "Molise", + "Papal States", + "Piedmont", + "Piemonte", + "Pisa", + "Syracuse", + "Siracusa", + "Turin", + "Torino", + "Puglia", + "Apulia", + "Bari", + "Sardinia", + "Sardegna", + "Sardinia", + "Sardegna", + "Sicily", + "Sicilia", + "Sicily", + "Sicilia", + "Palermo", + "Cape Passero", + "Passero Cape", + "Agrigento", + "Acragas", + "Tuscany", + "Toscana", + "Firenze", + "Florence", + "Trentino-Alto Adige", + "Trento", + "Trent", + "Umbria", + "Valle D'Aosta", + "Veneto", + "Venezia-Euganea", + "Venetia", + "Padua", + "Padova", + "Patavium", + "Venice", + "Venezia", + "Grand Canal", + "Verona", + "Etruria", + "Romania", + "Roumania", + "Rumania", + "Brasov", + "Bucharest", + "Bucharesti", + "Bucuresti", + "capital of Romania", + "Constantina", + "Transylvania", + "Rwanda", + "Rwandese Republic", + "Ruanda", + "Kigali", + "capital of Rwanda", + "Yugoslavia", + "Croatia", + "Republic of Croatia", + "Hrvatska", + "Serbia and Montenegro", + "Union of Serbia and Montenegro", + "Yugoslavia", + "Federal Republic of Yugoslavia", + "Jugoslavija", + "Kosovo", + "Serbia", + "Srbija", + "Montenegro", + "Crna Gora", + "Belgrade", + "Beograd", + "capital of Serbia and Montenegro", + "Bosnia and Herzegovina", + "Republic of Bosnia and Herzegovina", + "Bosna i Hercegovina", + "Bosnia-Herzegovina", + "Bosnia", + "Bosnia", + "Sarajevo", + "Slovenia", + "Republic of Slovenia", + "Slovenija", + "Ljubljana", + "Dubrovnik", + "Ragusa", + "Split", + "Zagreb", + "Dalmatia", + "Greenland", + "Gronland", + "Kalaallit Nunaat", + "Baffin Island", + "Labrador", + "Canada", + "Acadia", + "Laurentian Plateau", + "Laurentian Highlands", + "Canadian Shield", + "Maritime Provinces", + "Maritimes", + "Canadian Maritime Provinces", + "Canadian province", + "Alberta", + "Banff", + "Calgary", + "Edmonton", + "British Columbia", + "Nanaimo", + "Victoria", + "Vancouver", + "Vancouver Island", + "Manitoba", + "Winnipeg", + "Churchill", + "New Brunswick", + "Fredericton", + "Saint John", + "St. John", + "Newfoundland and Labrador", + "Newfoundland", + "Saint John's", + "St. John's", + "Northwest Territories", + "Nunavut", + "Arctic Archipelago", + "Yellowknife", + "Nova Scotia", + "Cape Breton Island", + "Nova Scotia", + "Halifax", + "Ontario", + "Ottawa", + "Canadian capital", + "capital of Canada", + "Hamilton", + "Kingston", + "Sault Sainte Marie", + "Sudbury", + "Thunder Bay", + "Toronto", + "Windsor", + "Prince Edward Island", + "Charlottetown", + "Quebec", + "Quebec", + "Quebec City", + "Montreal", + "Saskatchewan", + "Regina", + "Saskatoon", + "Dawson", + "Yukon", + "Yukon Territory", + "Klondike", + "Whitehorse", + "Australia", + "Commonwealth of Australia", + "Canberra", + "Australian capital", + "capital of Australia", + "Australian state", + "Queensland", + "Brisbane", + "New South Wales", + "Sydney", + "Wagga Wagga", + "Victoria", + "Melbourne", + "Tasmania", + "Tasmania", + "Hobart", + "South Australia", + "Adelaide", + "Western Australia", + "Perth", + "Northern Territory", + "Darwin", + "Norfolk Island", + "Nullarbor Plain", + "Aleutian Islands", + "Aleutians", + "Oceania", + "Oceanica", + "Australasia", + "Austronesia", + "Melanesia", + "Micronesia", + "Micronesia", + "Federated States of Micronesia", + "TT", + "Kolonia", + "Mariana Islands", + "Marianas", + "Ladrone Islands", + "Northern Marianas", + "Northern Mariana Islands", + "Saipan", + "Guam", + "GU", + "Wake Island", + "Wake", + "Caroline Islands", + "Marshall Islands", + "Marshall Islands", + "Republic of the Marshall Islands", + "Bikini", + "Eniwetok", + "Kwajalein", + "Gilbert Islands", + "Tuvalu", + "Ellice Islands", + "Tuvalu", + "Funafuti", + "Kiribati", + "Republic of Kiribati", + "Tarawa", + "Bairiki", + "Gilbert and Ellice Islands", + "Nauru", + "Nauru Island", + "Pleasant Island", + "Nauru", + "Republic of Nauru", + "Polynesia", + "Malay Archipelago", + "East Indies", + "East India", + "Sunda Islands", + "Greater Sunda Islands", + "Lesser Sunda Islands", + "Nusa Tenggara", + "Bismarck Archipelago", + "Admiralty Islands", + "Borneo", + "Kalimantan", + "Bougainville", + "Guadalcanal", + "New Britain", + "New Caledonia", + "New Guinea", + "Papua New Guinea", + "Independent State of Papua New Guinea", + "Papua", + "Port Moresby", + "capital of Papua New Guinea", + "New Ireland", + "Austria-Hungary", + "Austria", + "Republic of Austria", + "Oesterreich", + "Tyrol", + "Tirol", + "Vienna", + "Austrian capital", + "capital of Austria", + "Graz", + "Linz", + "Lentia", + "Salzburg", + "Innsbruck", + "Wagram", + "Bahamas", + "Commonwealth of the Bahamas", + "Bahama Islands", + "Nassau", + "capital of the Bahamas", + "Arabian Peninsula", + "Arabia", + "Bahrain", + "State of Bahrain", + "Bahrein", + "Bahrain", + "Bahrain Island", + "Bahrein", + "Bahrein Island", + "Manama", + "capital of Bahrain", + "Bangladesh", + "People's Republic of Bangladesh", + "Bangla Desh", + "East Pakistan", + "Dhaka", + "Dacca", + "capital of Bangladesh", + "Chittagong", + "Flanders", + "Belgium", + "Kingdom of Belgium", + "Belgique", + "Bruxelles", + "Brussels", + "Belgian capital", + "capital of Belgium", + "Aalst", + "Antwerpen", + "Antwerp", + "Anvers", + "Bruges", + "City of Bridges", + "Charleroi", + "Gent", + "Gand", + "Ghent", + "Liege", + "Luik", + "Namur", + "Waterloo", + "Bhutan", + "Kingdom of Bhutan", + "Botswana", + "Republic of Botswana", + "Gaborone", + "capital of Botswana", + "Bolivia", + "Republic of Bolivia", + "La Paz", + "capital of Bolivia", + "Santa Cruz", + "Sucre", + "Brazil", + "Federative Republic of Brazil", + "Brasil", + "Acre", + "Belem", + "Para", + "Feliz Lusitania", + "Santa Maria de Belem", + "St. Mary of Bethlehem", + "Belo Horizonte", + "Brasilia", + "Brazilian capital", + "capital of Brazil", + "Curitiba", + "Joao Pessoa", + "Governador Valadares", + "Limeira", + "Natal", + "Osasco", + "Rio de Janeiro", + "Rio", + "Recife", + "Pernambuco", + "Santos", + "Sao Bernardo do Campo", + "Sao Goncalo", + "Sao Joao de Meriti", + "Sao Jose dos Campos", + "Sao Louis", + "Sao Paulo", + "British Empire", + "British Isles", + "British East Africa", + "British West Africa", + "Great Britain", + "GB", + "Ireland", + "Hibernia", + "Emerald Isle", + "Erin", + "United Kingdom", + "UK", + "U.K.", + "Britain", + "United Kingdom of Great Britain and Northern Ireland", + "Great Britain", + "England", + "Albion", + "Anglia", + "Blighty", + "Lancaster", + "Lake District", + "Lakeland", + "London", + "Greater London", + "British capital", + "capital of the United Kingdom", + "City of London", + "the City", + "Home Counties", + "Greenwich", + "Bloomsbury", + "Soho", + "Wembley", + "West End", + "Westminster", + "City of Westminster", + "Buckingham Palace", + "Downing Street", + "Pall Mall", + "Houses of Parliament", + "Westminster Abbey", + "Wimbledon", + "Manchester", + "Hull", + "Kingston-upon Hull", + "Liverpool", + "Birmingham", + "Brummagem", + "Oxford", + "Cambridge", + "Bath", + "Blackpool", + "Brighton", + "Bristol", + "Cheddar", + "Leeds", + "Leicester", + "Newcastle", + "Newcastle-upon-Tyne", + "Portsmouth", + "Pompey", + "Coventry", + "Gloucester", + "Reading", + "Sheffield", + "Stratford-on-Avon", + "Stratford-upon-Avon", + "Sunderland", + "Winchester", + "Worcester", + "Avon", + "Berkshire", + "Cornwall", + "Cumbria", + "Cumbria", + "Devon", + "Devonshire", + "Essex", + "Gloucestershire", + "Hampshire", + "New Forest", + "Hertfordshire", + "Kent", + "Somerset", + "East Sussex", + "Hastings", + "West Sussex", + "Canterbury", + "Leicestershire", + "Leicester", + "Lincolnshire", + "Northumberland", + "Flodden", + "East Anglia", + "Lancashire", + "Surrey", + "Marston Moor", + "Yorkshire", + "North Yorkshire", + "West Yorkshire", + "South Yorkshire", + "Northamptonshire", + "Northampton", + "Naseby", + "Northumbria", + "West Country", + "Sussex", + "Wessex", + "Hadrian's Wall", + "Channel Island", + "Jersey", + "island of Jersey", + "Guernsey", + "island of Guernsey", + "Scilly Islands", + "Isles of Scilly", + "Man", + "Isle of Man", + "Northern Ireland", + "Ulster", + "Bangor", + "Belfast", + "capital of Northern Ireland", + "Ireland", + "Republic of Ireland", + "Irish Republic", + "Eire", + "Dublin", + "Irish capital", + "capital of Ireland", + "Cork", + "Galway", + "Limerick", + "Tara", + "Waterford", + "Scotland", + "Caledonia", + "Highlands", + "Highlands of Scotland", + "Lowlands", + "Lowlands of Scotland", + "Galloway", + "Aberdeen", + "Ayr", + "Balmoral Castle", + "Edinburgh", + "Lothian Region", + "Glasgow", + "Hebrides", + "Hebridean Islands", + "Hebridean Isles", + "Western Islands", + "Western Isles", + "Inner Hebrides", + "Isle of Skye", + "Islay", + "Mull", + "Staffa", + "Outer Hebrides", + "Wales", + "Cymru", + "Cambria", + "Aberdare", + "Bangor", + "Cardiff", + "Newport", + "Sealyham", + "Swansea", + "Anglesey", + "Anglesey Island", + "Anglesea", + "Anglesea Island", + "Mona", + "Brunei", + "Negara Brunei Darussalam", + "sultanate", + "Burkina Faso", + "Upper Volta", + "Sinai", + "Sinai Peninsula", + "Egyptian Empire", + "Egypt", + "Egypt", + "Arab Republic of Egypt", + "United Arab Republic", + "Lower Egypt", + "Upper Egypt", + "Alexandria", + "El Iskandriyah", + "Aswan", + "Assuan", + "Assouan", + "Cairo", + "Al Qahira", + "El Qahira", + "Egyptian capital", + "capital of Egypt", + "El Alamein", + "Giza", + "El Giza", + "Gizeh", + "Memphis", + "Nag Hammadi", + "Luxor", + "El-Aksur", + "Thebes", + "Saqqara", + "Saqqarah", + "Sakkara", + "Suez", + "Suez Canal", + "India", + "Republic of India", + "Bharat", + "Assam", + "Karnataka", + "Mysore", + "Manipur", + "Hindustan", + "Sikkim", + "Kanara", + "Canara", + "Punjab", + "New Delhi", + "Indian capital", + "capital of India", + "Delhi", + "Old Delhi", + "Bangalore", + "Jabalpur", + "Jubbulpore", + "Kolkata", + "Calcutta", + "Mumbai", + "Bombay", + "Agra", + "Hyderabad", + "Chennai", + "Madras", + "Lucknow", + "Mysore", + "Salem", + "Andhra Pradesh", + "Bihar", + "Goa", + "Gujarat", + "Gujerat", + "Tamil Nadu", + "Madras", + "Uttar Pradesh", + "Gujarat", + "Gujerat", + "Maharashtra", + "Orissa", + "Nilgiri Hills", + "West Bengal", + "Nepal", + "Kingdom of Nepal", + "Kathmandu", + "Katmandu", + "capital of Nepal", + "Tibet", + "Thibet", + "Xizang", + "Sitsang", + "Lhasa", + "Lassa", + "capital of Tibet", + "Forbidden City", + "Indonesia", + "Republic of Indonesia", + "Dutch East Indies", + "Java", + "Bali", + "Timor", + "Sumatra", + "Celebes", + "Sulawesi", + "Moluccas", + "Spice Islands", + "Indonesian Borneo", + "Kalimantan", + "Jakarta", + "Djakarta", + "capital of Indonesia", + "Bandung", + "Medan", + "Semarang", + "Samarang", + "Gulf States", + "Iran", + "Islamic Republic of Iran", + "Persia", + "Teheran", + "Tehran", + "capital of Iran", + "Iranian capital", + "Abadan", + "Bam", + "Mashhad", + "Meshed", + "Isfahan", + "Esfahan", + "Aspadana", + "Rasht", + "Resht", + "Shiraz", + "Tabriz", + "Urmia", + "Orumiyeh", + "Qum", + "Persia", + "Persian Empire", + "Persepolis", + "Elam", + "Susiana", + "Iraq", + "Republic of Iraq", + "Al-Iraq", + "Irak", + "Baghdad", + "Bagdad", + "capital of Iraq", + "Basra", + "Basia", + "Kerbala", + "Karbala", + "Kerbela", + "Kirkuk", + "Mosul", + "Levant", + "Macedon", + "Macedonia", + "Makedonija", + "Philippi", + "Thrace", + "Edirne", + "Adrianople", + "Adrianopolis", + "Mesopotamia", + "Babylon", + "Babylonia", + "Chaldaea", + "Chaldea", + "Chaldea", + "Chaldaea", + "Sumer", + "Ur", + "Assyria", + "Assur", + "Asur", + "Ashur", + "Nineveh", + "Phoenicia", + "Phenicia", + "Carthage", + "Utica", + "Japan", + "Japanese Islands", + "Japanese Archipelago", + "Hokkaido", + "Ezo", + "Yezo", + "Honshu", + "Hondo", + "Kyushu", + "Shikoku", + "Japan", + "Nippon", + "Nihon", + "Asahikawa", + "Tokyo", + "Tokio", + "Yeddo", + "Yedo", + "Edo", + "Japanese capital", + "capital of Japan", + "Nagano", + "Nagoya", + "Omiya", + "Osaka", + "Yokohama", + "Okinawa", + "Naha City", + "Ryukyu Islands", + "Kobe", + "Kyoto", + "Hiroshima", + "Sapporo", + "Kitakyushu", + "Fukuoka", + "Nagasaki", + "Toyohashi", + "Toyonaki", + "Toyota", + "Asama", + "Mount Asama", + "Volcano Islands", + "Iwo Jima", + "Jordan", + "Hashemite Kingdom of Jordan", + "Amman", + "capital of Jordan", + "Al Aqabah", + "Aqaba", + "Akaba", + "Jericho", + "Az Zarqa", + "Zarqa", + "Kenya", + "Republic of Kenya", + "Nairobi", + "capital of Kenya", + "Kisumu", + "Mombasa", + "Nakuru", + "Kuwait", + "State of Kuwait", + "Koweit", + "Kuwait", + "Kuwait City", + "Koweit", + "capital of Kuwait", + "Gaul", + "Gallia", + "France", + "French Republic", + "Paris", + "City of Light", + "French capital", + "capital of France", + "Left Bank", + "Latin Quarter", + "Montmartre", + "Clichy", + "Clichy-la-Garenne", + "Orly", + "Quai d'Orsay", + "Right Bank", + "Ile-St-Louis", + "Champs Elysees", + "Avignon", + "Bordeaux", + "Brest", + "Calais", + "Cannes", + "Chablis", + "Chartres", + "Cherbourg", + "Dijon", + "Dunkirk", + "Dunkerque", + "Grenoble", + "Le Havre", + "Lille", + "Lyon", + "Lyons", + "Marseille", + "Marseilles", + "Nancy", + "Nantes", + "Nice", + "Orleans", + "Rheims", + "Reims", + "Strasbourg", + "Strassburg", + "Toulon", + "Toulouse", + "Tours", + "Valenciennes", + "Versailles", + "Vichy", + "Vienne", + "Riviera", + "French Riviera", + "Cote d'Azur", + "French region", + "Alsace", + "Alsatia", + "Elsass", + "Anjou", + "Aquitaine", + "Aquitania", + "Artois", + "Auvergne", + "Basse-Normandie", + "Lower-Normandy", + "Bourgogne", + "Burgundy", + "Bretagne", + "Brittany", + "Breiz", + "Centre", + "Champagne", + "Champagne-Ardenne", + "Ardennes", + "Corse", + "Corsica", + "Corse", + "Corsica", + "Franche-Comte", + "Gascogne", + "Gascony", + "Haute-Normandie", + "Upper-Normandy", + "Ile-de-France", + "Languedoc-Roussillon", + "Limousin", + "Lorraine", + "Lothringen", + "Martinique", + "Mayenne", + "Midi", + "Midi-Pyrenees", + "Nord-Pas-de-Calais", + "Pays de la Loire", + "Picardie", + "Picardy", + "Poitou-Charentes", + "Poitou", + "Rhone-Alpes", + "Normandie", + "Normandy", + "Orleanais", + "Provence", + "Lyonnais", + "Savoy", + "Gabon", + "Gabonese Republic", + "Gabun", + "Libreville", + "capital of Gabon", + "Gambia", + "The Gambia", + "Republic of The Gambia", + "Banjul", + "capital of Gambia", + "Ghana", + "Republic of Ghana", + "Gold Coast", + "Accra", + "capital of Ghana", + "Kumasi", + "Tamale", + "Grenada", + "St. George's", + "capital of Grenada", + "Guinea", + "Republic of Guinea", + "French Guinea", + "Conakry", + "Konakri", + "capital of Guinea", + "Guinea-Bissau", + "Republic of Guinea-Bissau", + "Guine-Bissau", + "Portuguese Guinea", + "Bissau", + "capital of Guinea-Bissau", + "Guiana", + "Guyana", + "Co-operative Republic of Guyana", + "British Guiana", + "Georgetown", + "Stabroek", + "Demerara", + "Netherlands", + "The Netherlands", + "Kingdom of The Netherlands", + "Nederland", + "Holland", + "Amsterdam", + "Dutch capital", + "capital of The Netherlands", + "Apeldoorn", + "Arnhem", + "The Hague", + "'s Gravenhage", + "Den Haag", + "Eindhoven", + "Nijmegen", + "Rotterdam", + "Leiden", + "Leyden", + "Utrecht", + "Friesland", + "Friesland", + "Frisia", + "Frisian Islands", + "Hungary", + "Republic of Hungary", + "Magyarorszag", + "Budapest", + "Hungarian capital", + "capital of Hungary", + "Faroe Islands", + "Faeroe Islands", + "Faroes", + "Faeroes", + "Faroe Islands", + "Faeroe Islands", + "Faroes", + "Faeroes", + "Thorshavn", + "Iceland", + "Iceland", + "Republic of Iceland", + "Reykjavik", + "capital of Iceland", + "Orkney Islands", + "Shetland", + "Shetland Islands", + "Zetland", + "Thule", + "ultima Thule", + "Thule", + "Korea", + "Korean Peninsula", + "Dae-Han-Min-Gook", + "Han-Gook", + "Chosen", + "North Korea", + "Democratic People's Republic of Korea", + "D.P.R.K.", + "DPRK", + "Pyongyang", + "capital of North Korea", + "South Korea", + "Republic of Korea", + "Seoul", + "capital of South Korea", + "Inchon", + "Incheon", + "Chemulpo", + "Kwangju", + "Taegu", + "Tegu", + "Pusan", + "Laos", + "Lao People's Democratic Republic", + "Vientiane", + "Laotian capital", + "capital of Laos", + "Lappland", + "Lapland", + "Lebanon", + "Lebanese Republic", + "Bayrut", + "Beirut", + "capital of Lebanon", + "Tarabulus", + "Tripoli", + "Tarabulus Ash-Sham", + "Trablous", + "Sayda", + "Saida", + "Sidon", + "Sur", + "Tyre", + "Byblos", + "Lesotho", + "Kingdom of Lesotho", + "Basutoland", + "Maseru", + "capital of Lesotho", + "Liberia", + "Republic of Liberia", + "Monrovia", + "Liberian capital", + "capital of Liberia", + "Libya", + "Socialist People's Libyan Arab Jamahiriya", + "Tripoli", + "Tarabulus Al-Gharb", + "capital of Libya", + "Benghazi", + "Liechtenstein", + "Principality of Liechtenstein", + "Vaduz", + "capital of Liechtenstein", + "Luxembourg", + "Grand Duchy of Luxembourg", + "Luxemburg", + "Luxembourg-Ville", + "Luxembourg", + "Luxemburg", + "Luxembourg City", + "capital of Luxembourg", + "Macedonia", + "Skopje", + "Skoplje", + "Uskub", + "Madagascar", + "Madagascar", + "Republic of Madagascar", + "Malagasy Republic", + "Antananarivo", + "capital of Madagascar", + "Malawi", + "Republic of Malawi", + "Nyasaland", + "Blantyre", + "Lilongwe", + "capital of Malawi", + "Zomba", + "Malaysia", + "Malaya", + "Kuala Lumpur", + "Putrajaya", + "capital of Malaysia", + "East Malaysia", + "Sabah", + "North Borneo", + "Sarawak", + "West Malaysia", + "Malay Peninsula", + "Maldives", + "Maldive Islands", + "Maldives", + "Republic of Maldives", + "Male", + "Mali", + "Republic of Mali", + "French Sudan", + "Bamako", + "Timbuktu", + "Malta", + "Malta", + "Republic of Malta", + "Valletta", + "Valetta", + "capital of Malta", + "Mauritania", + "Islamic Republic of Mauritania", + "Mauritanie", + "Muritaniya", + "Nouakchott", + "Mauritius", + "Mauritius", + "Republic of Mauritius", + "Port Louis", + "Monaco", + "Principality of Monaco", + "Monaco-Ville", + "Monte Carlo", + "Tartary", + "Tatary", + "Mongolia", + "Mongolia", + "Mongolian People's Republic", + "Outer Mongolia", + "Ulan Bator", + "Ulaanbaatar", + "Urga", + "Kulun", + "capital of Mongolia", + "Morocco", + "Kingdom of Morocco", + "Maroc", + "Marruecos", + "Al-Magrib", + "Casablanca", + "El Aaium", + "Fez", + "Fes", + "Marrakesh", + "Marrakech", + "Oujda", + "Rabat", + "capital of Morocco", + "Tangier", + "Tangiers", + "Western Sahara", + "Spanish Sahara", + "Mozambique", + "Republic of Mozambique", + "Mocambique", + "Beira", + "Maputo", + "capital of Mozambique", + "Natal", + "KwaZulu-Natal", + "New Zealand", + "New Zealand Islands", + "North Island", + "South Island", + "New Zealand", + "Auckland", + "Christchurch", + "Wellington", + "capital of New Zealand", + "Niger", + "Republic of Niger", + "Niamey", + "capital of Niger", + "Nigeria", + "Federal Republic of Nigeria", + "Abuja", + "capital of Nigeria", + "Nigerian capital", + "Ibadan", + "Katsina", + "Lagos", + "Maiduguri", + "Yerwa-Maiduguri", + "Zaria", + "Oman", + "Sultanate of Oman", + "Muscat and Oman", + "Muscat", + "Masqat", + "capital of Oman", + "Kashmir", + "Cashmere", + "Jammu and Kashmir", + "Pakistan", + "Islamic Republic of Pakistan", + "West Pakistan", + "Faisalabad", + "Lyallpur", + "Hyderabad", + "Islamabad", + "capital of Pakistan", + "Karachi", + "Lahore", + "Peshawar", + "Rawalpindi", + "Sind", + "Palau", + "Palau Islands", + "Belau", + "Pelew", + "Palau", + "Republic of Palau", + "TT", + "Paraguay", + "Republic of Paraguay", + "Asuncion", + "capital of Paraguay", + "Parthia", + "Peru", + "Republic of Peru", + "Arequipa", + "Cuzco", + "Cusco", + "Lima", + "capital of Peru", + "Machu Picchu", + "Philippines", + "Philippine Islands", + "Cebu", + "Luzon", + "Mindanao", + "Mindoro", + "Philippines", + "Republic of the Philippines", + "Manila", + "capital of the Philippines", + "Caloocan", + "Cebu", + "Cebu City", + "Quezon City", + "Pinatubo", + "Mount Pinatubo", + "Visayan Islands", + "Bisayas", + "Poland", + "Republic of Poland", + "Polska", + "Warszawa", + "Warsaw", + "capital of Poland", + "Bydgoszcz", + "Bromberg", + "Cracow", + "Krakow", + "Krakau", + "Czestochowa", + "Gdansk", + "Danzig", + "Katowice", + "Lodz", + "Lublin", + "Wroclaw", + "Breslau", + "Zabrze", + "Iberian Peninsula", + "Iberia", + "Portugal", + "Portuguese Republic", + "Azores", + "Acores", + "Madeira", + "Madeira Islands", + "Madeiras", + "Braga", + "Lisbon", + "Lisboa", + "capital of Portugal", + "Porto", + "Oporto", + "Setubal", + "Qatar", + "Qatar Peninsula", + "Katar", + "Katar Peninsula", + "Qatar", + "State of Qatar", + "Katar", + "State of Katar", + "Doha", + "Bida", + "El Beda", + "capital of Qatar", + "Saint Kitts and Nevis", + "Federation of Saint Kitts and Nevis", + "Saint Christopher-Nevis", + "St. Christopher-Nevis", + "St. Kitts and Nevis", + "Saint Christopher", + "St. Christopher", + "Saint Kitts", + "St. Kitts", + "Basseterre", + "Nevis", + "Sombrero", + "Saint Lucia", + "St. Lucia", + "Saint Lucia", + "St. Lucia", + "Castries", + "Saint Vincent and the Grenadines", + "St. Vincent and the Grenadines", + "Saint Vincent", + "St. Vincent", + "Kingstown", + "French Polynesia", + "French Oceania", + "Tahiti", + "Papeete", + "Society Islands", + "Tuamotu Archipelago", + "Paumotu Archipelago", + "Low Archipelago", + "Tubuai Islands", + "Austral Islands", + "Gambier Islands", + "Marquesas Islands", + "Iles Marquises", + "Samoa", + "Samoan Islands", + "Samoa", + "Independent State of Samoa", + "Western Samoa", + "Samoa i Sisifo", + "Apia", + "capital of Western Samoa", + "American Samoa", + "Eastern Samoa", + "AS", + "Pago Pago", + "Pango Pango", + "San Marino", + "Republic of San Marino", + "San Marino", + "capital of San Marino", + "Sao Tome and Principe", + "Democratic Republic of Sao Tome and Principe", + "Sao Tome e Principe", + "Sao Thome e Principe", + "St. Thomas and Principe", + "Sao Tome", + "Principe", + "Saudi Arabia", + "Kingdom of Saudi Arabia", + "Riyadh", + "capital of Saudi Arabia", + "Mecca", + "Medina", + "Al Madinah", + "Dhahran", + "Jeddah", + "Jed'dah", + "Jiddah", + "Jidda", + "Tabuk", + "Taif", + "Nejd", + "Najd", + "Hejaz", + "Hedjaz", + "Hijaz", + "Senegal", + "Republic of Senegal", + "Dakar", + "capital of Senegal", + "Seychelles", + "Seychelles islands", + "Seychelles", + "Republic of Seychelles", + "Victoria", + "capital of Seychelles", + "Sierra Leone", + "Republic of Sierra Leone", + "Freetown", + "capital of Sierra Leone", + "Singapore", + "Singapore Island", + "Singapore", + "Republic of Singapore", + "Singapore", + "capital of Singapore", + "Solomons", + "Solomon Islands", + "Solomon Islands", + "Honiara", + "Somalia", + "Mogadishu", + "Mogadiscio", + "capital of Somalia", + "Hargeisa", + "Somali peninsula", + "Horn of Africa", + "South Africa", + "Republic of South Africa", + "Pretoria", + "capital of South Africa", + "Cape Town", + "Johannesburg", + "Kimberley", + "Durban", + "Free State", + "Orange Free State", + "Transvaal", + "Cape Province", + "Cape of Good Hope Province", + "Cape Colony", + "Witwatersrand", + "Rand", + "Reef", + "Cape of Good Hope", + "Cape of Good Hope", + "Bloemfontein", + "Soweto", + "Rus", + "Russia", + "Soviet Union", + "Russia", + "Union of Soviet Socialist Republics", + "USSR", + "Muscovy", + "Moscow", + "capital of the Russian Federation", + "Russian capital", + "Astrakhan", + "Cherepovets", + "Chechnya", + "Chechenia", + "Chechen Republic", + "Grozny", + "Groznyy", + "Kaluga", + "Khabarovsk", + "Khabarovsk", + "Kursk", + "Siberia", + "Soviet Socialist Republic", + "Russia", + "Russian Federation", + "European Russia", + "Asian Russia", + "Soviet Russia", + "Russia", + "Russian Soviet Federated Socialist Republic", + "Nizhnyi Novgorod", + "Nizhni Novgorod", + "Gorki", + "Gorky", + "Gorkiy", + "Kazan", + "St. Petersburg", + "Leningrad", + "Peterburg", + "Petrograd", + "Saint Petersburg", + "Murmansk", + "Nalchik", + "Novgorod", + "Perm", + "Molotov", + "Rostov", + "Rostov on Don", + "Rostov na Donu", + "Saratov", + "Smolensk", + "Ufa", + "Volgograd", + "Stalingrad", + "Tsaritsyn", + "Novosibirsk", + "Chelyabinsk", + "Omsk", + "Vladivostok", + "Novaya Zemlya", + "Nova Zembla", + "Kola Peninsula", + "Belarus", + "Republic of Belarus", + "Byelarus", + "Byelorussia", + "Belorussia", + "White Russia", + "Minsk", + "capital of Belarus", + "Homyel", + "Homel", + "Gomel", + "Pinsk", + "Lubavitch", + "Baltic State", + "Baltic Republic", + "Estonia", + "Esthonia", + "Republic of Estonia", + "Tallinn", + "Tallin", + "capital of Estonia", + "Tartu", + "Livonia", + "Latvia", + "Republic of Latvia", + "Riga", + "capital of Latvia", + "Liepaja", + "Daugavpils", + "Lithuania", + "Republic of Lithuania", + "Lietuva", + "Klaipeda", + "Memel", + "Vilnius", + "Vilna", + "Vilno", + "Wilno", + "capital of Lithuania", + "Kaunas", + "Kovna", + "Kovno", + "Moldova", + "Republic of Moldova", + "Moldavia", + "Kishinev", + "Chisinau", + "capital of Moldova", + "Ukraine", + "Ukrayina", + "Crimea", + "Colchis", + "Kyyiv", + "Kiev", + "capital of the Ukraine", + "Donetsk", + "Donetske", + "Stalino", + "Donets Basin", + "Donbass", + "Donbas", + "Chernobyl", + "Dneprodzerzhinsk", + "Dnipropetrovsk", + "Yekaterinoslav", + "Kharkov", + "Kharkiv", + "Odessa", + "Odesa", + "Sebastopol", + "Sevastopol", + "Yalta", + "Armenia", + "Republic of Armenia", + "Hayastan", + "Yerevan", + "Jerevan", + "Erivan", + "capital of Armenia", + "Azerbaijan", + "Azerbaijani Republic", + "Azerbajdzhan", + "Azerbajdzhan Republic", + "Baku", + "capital of Azerbaijan", + "Iberia", + "Georgia", + "Sakartvelo", + "Tbilisi", + "Tiflis", + "capital of Georgia", + "Abkhaz", + "Abkhazia", + "Adzhar", + "Adzharia", + "Kazakhstan", + "Republic of Kazakhstan", + "Kazakstan", + "Kazakh", + "Kazak", + "Astana", + "Akmola", + "capital of Kazakhstan", + "Almaty", + "Alma-Ata", + "Kyrgyzstan", + "Kyrgyz Republic", + "Kirghizia", + "Kirgizia", + "Kirghiz", + "Kirgiz", + "Kirghizstan", + "Kirgizstan", + "Bishkek", + "Biskek", + "Frunze", + "capital of Kyrgyzstan", + "Tajikistan", + "Republic of Tajikistan", + "Tadzhikistan", + "Tadzhik", + "Tadjik", + "Tajik", + "Dushanbe", + "Dusanbe", + "Dyushambe", + "Stalinabad", + "capital of Tajikistan", + "Turkmenistan", + "Turkomen", + "Turkmen", + "Turkmenia", + "Ashkhabad", + "capital of Turkmenistan", + "Kamchatka Peninsula", + "Taimyr Peninsula", + "Taymyr Peninsula", + "Uzbekistan", + "Republic of Uzbekistan", + "Uzbek", + "Tashkent", + "Taskent", + "capital of Uzbek", + "Samarkand", + "Samarcand", + "Latin America", + "Andorra", + "Principality of Andorra", + "Spain", + "Kingdom of Spain", + "Espana", + "Madrid", + "capital of Spain", + "Spanish capital", + "Balearic Islands", + "Majorca", + "Canary Islands", + "Canaries", + "Barcelona", + "Cadiz", + "Cartagena", + "Cordoba", + "Cordova", + "Granada", + "Jerez", + "Jerez de la Frontera", + "Leon", + "Logrono", + "Malaga", + "Oviedo", + "San Sebastian", + "Sevilla", + "Seville", + "Toledo", + "Aragon", + "Zaragoza", + "Saragossa", + "Castile", + "Castilla", + "Catalonia", + "Galicia", + "Leon", + "Valencia", + "Tenerife", + "Gibraltar", + "Rock of Gibraltar", + "Calpe", + "Sudan", + "Soudan", + "Sudan", + "Republic of the Sudan", + "Soudan", + "Darfur", + "Kordofan", + "Khartoum", + "capital of Sudan", + "Nyala", + "Port Sudan", + "Omdurman", + "Suriname", + "Republic of Suriname", + "Surinam", + "Dutch Guiana", + "Netherlands Guiana", + "Paramaribo", + "capital of Suriname", + "Swaziland", + "Kingdom of Swaziland", + "Mbabane", + "capital of Swaziland", + "Switzerland", + "Swiss Confederation", + "Suisse", + "Schweiz", + "Svizzera", + "Swiss canton", + "Bern", + "Berne", + "capital of Switzerland", + "Basel", + "Basle", + "Bale", + "Geneva", + "Geneve", + "Genf", + "Interlaken", + "Lausanne", + "Zurich", + "Syria", + "Syrian Arab Republic", + "Aram", + "Dimash", + "Damascus", + "capital of Syria", + "Halab", + "Aleppo", + "Alep", + "Al Ladhiqiyah", + "Latakia", + "Tanzania", + "United Republic of Tanzania", + "Dar es Salaam", + "capital of Tanzania", + "Dodoma", + "Tanganyika", + "Zanzibar", + "Mbeya", + "Mwanza", + "Tabora", + "Tanga", + "Serengeti", + "Serengeti Plain", + "Serengeti National Park", + "Thailand", + "Kingdom of Thailand", + "Siam", + "Bangkok", + "capital of Thailand", + "Krung Thep", + "Tonga", + "Kingdom of Tonga", + "Friendly Islands", + "Tunisia", + "Republic of Tunisia", + "Tunis", + "capital of Tunisia", + "Ariana", + "Ehadhamen", + "Gafsa", + "Sfax", + "Safaqis", + "Sousse", + "Susa", + "Susah", + "Ottoman Empire", + "Turkish Empire", + "Kurdistan", + "Iraqi Kurdistan", + "Turkey", + "Republic of Turkey", + "Abydos", + "Adana", + "Seyhan", + "Ankara", + "Turkish capital", + "capital of Turkey", + "Angora", + "Antalya", + "Adalia", + "Antioch", + "Antakya", + "Antakiya", + "Chalcedon", + "Kadikoy", + "Dardanelles", + "Canakkale Bogazi", + "Hellespont", + "Halicarnassus", + "Istanbul", + "Stambul", + "Stamboul", + "Constantinople", + "Bursa", + "Brusa", + "Izmir", + "Smyrna", + "Pergamum", + "Sardis", + "Ionia", + "Uganda", + "Republic of Uganda", + "Buganda", + "Entebbe", + "Jinja", + "Kampala", + "capital of Uganda", + "Gulu", + "United Arab Emirates", + "Abu Dhabi", + "United Arab Emirates's capital", + "Dubai", + "United States", + "United States of America", + "America", + "the States", + "US", + "U.S.", + "USA", + "U.S.A.", + "East Coast", + "West Coast", + "Colony", + "New England", + "Mid-Atlantic states", + "Gulf States", + "slave state", + "free state", + "Confederacy", + "Confederate States", + "Confederate States of America", + "South", + "Dixie", + "Dixieland", + "South", + "Deep South", + "Old South", + "Sunbelt", + "Tidewater", + "Tidewater region", + "Piedmont", + "Union", + "North", + "North", + "Carolina", + "Carolinas", + "Dakota", + "Alabama", + "Heart of Dixie", + "Camellia State", + "AL", + "Montgomery", + "capital of Alabama", + "Birmingham", + "Pittsburgh of the South", + "Decatur", + "Gadsden", + "Huntsville", + "Mobile", + "Selma", + "Tuscaloosa", + "Tuskegee", + "Alaska", + "Last Frontier", + "AK", + "Juneau", + "capital of Alaska", + "Anchorage", + "Nome", + "Sitka", + "Skagway", + "Valdez", + "Seward Peninsula", + "Alexander Archipelago", + "Admiralty Island", + "Arizona", + "Grand Canyon State", + "AZ", + "Flagstaff", + "Mesa", + "Nogales", + "Phoenix", + "capital of Arizona", + "Prescott", + "Sun City", + "Tucson", + "Yuma", + "Arkansas", + "Land of Opportunity", + "AR", + "Fayetteville", + "Fort Smith", + "Hot Springs", + "Jonesboro", + "Little Rock", + "capital of Arkansas", + "Pine Bluff", + "Texarkana", + "California", + "Golden State", + "CA", + "Calif.", + "Anaheim", + "Disneyland", + "Bakersfield", + "Barstow", + "Berkeley", + "Beverly Hills", + "Chula Vista", + "Eureka", + "Fresno", + "Long Beach", + "Los Angeles", + "City of the Angels", + "Hollywood", + "Monterey", + "Oakland", + "Palo Alto", + "Pasadena", + "Redding", + "Riverside", + "Sacramento", + "capital of California", + "San Bernardino", + "San Diego", + "San Francisco", + "Nob Hill", + "San Jose", + "San Mateo", + "San Pablo", + "Santa Ana", + "Santa Barbara", + "Santa Clara", + "Santa Catalina", + "Catalina Island", + "Santa Cruz", + "Colorado", + "Centennial State", + "CO", + "Boulder", + "Colorado Springs", + "Denver", + "Mile-High City", + "capital of Colorado", + "Pueblo", + "Connecticut", + "Nutmeg State", + "Constitution State", + "CT", + "Connecticut", + "Bridgeport", + "Farmington", + "Hartford", + "capital of Connecticut", + "New Haven", + "New London", + "Waterbury", + "Delaware", + "Diamond State", + "First State", + "DE", + "Delaware", + "Dover", + "capital of Delaware", + "Wilmington", + "District of Columbia", + "D.C.", + "DC", + "Washington", + "Washington D.C.", + "American capital", + "capital of the United States", + "Potomac", + "Capitol Hill", + "the Hill", + "Georgetown", + "Florida", + "Sunshine State", + "Everglade State", + "FL", + "Daytona Beach", + "Fort Lauderdale", + "Fort Myers", + "Gainesville", + "Jacksonville", + "Key West", + "Melbourne", + "Miami", + "Miami Beach", + "Orlando", + "Palm Beach", + "Panama City", + "Pensacola", + "Sarasota", + "St. Augustine", + "Saint Augustine", + "St. Petersburg", + "Saint Petersburg", + "Tallahassee", + "capital of Florida", + "Tampa", + "West Palm Beach", + "Walt Disney World", + "Georgia", + "Empire State of the South", + "Peach State", + "GA", + "Georgia", + "Albany", + "Atlanta", + "capital of Georgia", + "Athens", + "Augusta", + "Brunswick", + "Columbus", + "Macon", + "Oxford", + "Savannah", + "Valdosta", + "Vidalia", + "Hawaii", + "Hawai'i", + "Aloha State", + "HI", + "Hilo", + "Honolulu", + "capital of Hawaii", + "Hawaiian capital", + "Waikiki", + "Hawaiian Islands", + "Sandwich Islands", + "Hawaii", + "Hawaii Island", + "Kahoolawe", + "Kahoolawe Island", + "Kauai", + "Kauai Island", + "Lanai", + "Lanai Island", + "Maui", + "Maui Island", + "Molokai", + "Molokai Island", + "Nihau", + "Nihau Island", + "Oahu", + "Oahu Island", + "Pearl Harbor", + "Midway Islands", + "Idaho", + "Gem State", + "ID", + "Boise", + "capital of Idaho", + "Coeur d'Alene", + "Idaho Falls", + "Lewiston", + "Nampa", + "Pocatello", + "Sun Valley", + "Twin Falls", + "Illinois", + "Prairie State", + "Land of Lincoln", + "IL", + "Cairo", + "Carbondale", + "Champaign", + "Chicago", + "Windy City", + "Decatur", + "East Saint Louis", + "Moline", + "Peoria", + "Rockford", + "Rock Island", + "Springfield", + "capital of Illinois", + "Urbana", + "Indiana", + "Hoosier State", + "IN", + "Bloomington", + "Evansville", + "Fort Wayne", + "Gary", + "Indianapolis", + "capital of Indiana", + "Lafayette", + "Muncie", + "South Bend", + "Iowa", + "Hawkeye State", + "IA", + "Council Bluffs", + "Davenport", + "Cedar Rapids", + "Clinton", + "Des Moines", + "capital of Iowa", + "Dubuque", + "Mason City", + "Ottumwa", + "Sioux City", + "Kansas", + "Sunflower State", + "KS", + "Dodge City", + "Abilene", + "Hays", + "Kansas City", + "Lawrence", + "Salina", + "Topeka", + "capital of Kansas", + "Wichita", + "Kentucky", + "Bluegrass State", + "KY", + "Bowling Green", + "Frankfort", + "capital of Kentucky", + "Lexington", + "Louisville", + "Owensboro", + "Paducah", + "Bluegrass", + "Bluegrass Country", + "Bluegrass Region", + "Louisiana Purchase", + "Louisiana", + "Pelican State", + "LA", + "Alexandria", + "Baton Rouge", + "capital of Louisiana", + "Lafayette", + "Monroe", + "Morgan City", + "New Orleans", + "Shreveport", + "Maine", + "Pine Tree State", + "ME", + "Augusta", + "capital of Maine", + "Bangor", + "Brunswick", + "Lewiston", + "Orono", + "Portland", + "Maryland", + "Old Line State", + "Free State", + "MD", + "Maryland", + "Aberdeen", + "Annapolis", + "capital of Maryland", + "Baltimore", + "Fort Meade", + "Fort George Gordon Meade", + "Fort George G. Meade", + "Frederick", + "Hagerstown", + "Massachusetts", + "Bay State", + "Old Colony", + "MA", + "Massachusetts", + "Massachusetts Bay Colony", + "Boston", + "Hub of the Universe", + "Bean Town", + "Beantown", + "capital of Massachusetts", + "Boston Harbor", + "Beacon Hill", + "Breed's Hill", + "Charlestown", + "Cambridge", + "Concord", + "Gloucester", + "Lexington", + "Medford", + "Pittsfield", + "Springfield", + "Worcester", + "Cape Ann", + "Cape Cod", + "Cape Cod Canal", + "Martha's Vineyard", + "Nantucket", + "Plymouth", + "Plymouth Colony", + "Plymouth Rock", + "Salem", + "Williamstown", + "Michigan", + "Wolverine State", + "Great Lakes State", + "MI", + "Alpena", + "Ann Arbor", + "Detroit", + "Motor City", + "Motown", + "Flint", + "Grand Rapids", + "Houghton", + "Jackson", + "Kalamazoo", + "Lansing", + "capital of Michigan", + "Marquette", + "Monroe", + "Saginaw", + "Traverse City", + "Minnesota", + "Gopher State", + "North Star State", + "MN", + "Bemidji", + "Duluth", + "Hibbing", + "Mankato", + "Minneapolis", + "Rochester", + "Saint Cloud", + "St. Cloud", + "Saint Paul", + "St. Paul", + "capital of Minnesota", + "Twin Cities", + "Virginia", + "Mississippi", + "Magnolia State", + "MS", + "Biloxi", + "Columbus", + "Greenville", + "Hattiesburg", + "Jackson", + "capital of Mississippi", + "Meridian", + "Natchez", + "Tupelo", + "Vicksburg", + "Missouri", + "Show Me State", + "MO", + "Cape Girardeau", + "Columbia", + "Hannibal", + "Independence", + "Jefferson City", + "capital of Missouri", + "Kansas City", + "Poplar Bluff", + "Saint Joseph", + "St. Joseph", + "Saint Louis", + "St. Louis", + "Gateway to the West", + "Sedalia", + "Springfield", + "Montana", + "Treasure State", + "MT", + "Bozeman", + "Billings", + "Butte", + "Great Falls", + "Helena", + "capital of Montana", + "Missoula", + "Nebraska", + "Cornhusker State", + "NE", + "Grand Island", + "Lincoln", + "capital of Nebraska", + "North Platte", + "Omaha", + "Nevada", + "Silver State", + "Battle Born State", + "Sagebrush State", + "NV", + "Carson City", + "capital of Nevada", + "Las Vegas", + "Reno", + "New Hampshire", + "Granite State", + "NH", + "New Hampshire", + "Concord", + "capital of New Hampshire", + "Manchester", + "Portsmouth", + "New Jersey", + "Jersey", + "Garden State", + "NJ", + "New Jersey", + "Atlantic City", + "Trenton", + "capital of New Jersey", + "Bayonne", + "Camden", + "Jersey City", + "Morristown", + "Newark", + "New Brunswick", + "Paterson", + "Princeton", + "Cape May", + "Liberty Island", + "Bedloe's Island", + "New Mexico", + "Land of Enchantment", + "NM", + "Albuquerque", + "Carlsbad", + "Farmington", + "Gallup", + "Las Cruces", + "Los Alamos", + "Roswell", + "Santa Fe", + "capital of New Mexico", + "Silver City", + "Taos", + "Manhattan Island", + "New Amsterdam", + "New Netherland", + "New York", + "New York State", + "Empire State", + "NY", + "New York", + "Albany", + "capital of New York", + "Buffalo", + "Cooperstown", + "Erie Canal", + "New York State Barge Canal", + "New York", + "New York City", + "Greater New York", + "Bronx", + "Brooklyn", + "Coney Island", + "Ellis Island", + "Manhattan", + "Fifth Avenue", + "Seventh Avenue", + "Central Park", + "Harlem", + "Hell's Kitchen", + "Hell's Half Acre", + "SoHo", + "South of Houston", + "Ithaca", + "Bowery", + "Broadway", + "Great White Way", + "Park Avenue", + "Park Ave.", + "off-Broadway", + "Times Square", + "Wall Street", + "Wall St.", + "Greenwich Village", + "Village", + "Queens", + "Staten Island", + "East River", + "Harlem River", + "Verrazano Narrows", + "West Point", + "Long Island", + "Elmont", + "Kennedy", + "Kennedy Interrnational", + "Kennedy International Airport", + "Binghamton", + "Kingston", + "Newburgh", + "Niagara Falls", + "Rochester", + "Schenectady", + "Syracuse", + "Utica", + "Saratoga Springs", + "Watertown", + "borscht circuit", + "borsht circuit", + "borscht belt", + "borsht belt", + "North Carolina", + "Old North State", + "Tar Heel State", + "NC", + "North Carolina", + "Cape Fear", + "Cape Flattery", + "Cape Froward", + "Cape Hatteras", + "Hatteras Island", + "Raleigh", + "capital of North Carolina", + "Asheville", + "Chapel Hill", + "Charlotte", + "Queen City", + "Durham", + "Fayetteville", + "Goldsboro", + "Greensboro", + "Greenville", + "Wilmington", + "Winston-Salem", + "North Dakota", + "Peace Garden State", + "ND", + "Bismarck", + "capital of North Dakota", + "Fargo", + "Ohio", + "Buckeye State", + "OH", + "Akron", + "Athens", + "Cleveland", + "Cincinnati", + "Columbus", + "capital of Ohio", + "Dayton", + "Mansfield", + "Toledo", + "Youngstown", + "Oklahoma", + "Sooner State", + "OK", + "Bartlesville", + "Enid", + "Lawton", + "McAlester", + "Muskogee", + "Oklahoma City", + "capital of Oklahoma", + "Tulsa", + "Oregon", + "Beaver State", + "OR", + "Bend", + "Eugene", + "Klamath Falls", + "Medford", + "Portland", + "Salem", + "capital of Oregon", + "Pennsylvania", + "Keystone State", + "PA", + "Pennsylvania", + "Allentown", + "Altoona", + "Bethlehem", + "Erie", + "Gettysburg", + "Harrisburg", + "capital of Pennsylvania", + "Hershey", + "Chester", + "Philadelphia", + "City of Brotherly Love", + "Pittsburgh", + "Scranton", + "Rhode Island", + "Little Rhody", + "Ocean State", + "RI", + "Rhode Island", + "Providence", + "capital of Rhode Island", + "Newport", + "South Carolina", + "Palmetto State", + "SC", + "South Carolina", + "Columbia", + "capital of South Carolina", + "Charleston", + "Florence", + "Greenville", + "South Dakota", + "Coyote State", + "Mount Rushmore State", + "SD", + "Aberdeen", + "Pierre", + "capital of South Dakota", + "Rapid City", + "Sioux Falls", + "Black Hills", + "Tennessee", + "Volunteer State", + "TN", + "Chattanooga", + "Columbia", + "Jackson", + "Johnson City", + "Knoxville", + "Memphis", + "Nashville", + "capital of Tennessee", + "Texas", + "Lone-Star State", + "TX", + "Abilene", + "Amarillo", + "Arlington", + "Austin", + "capital of Texas", + "Beaumont", + "Brownsville", + "Bryan", + "Corpus Christi", + "Dallas", + "Del Rio", + "El Paso", + "Fort Worth", + "Galveston", + "Galveston Island", + "Garland", + "Houston", + "Laredo", + "Lubbock", + "Lufkin", + "McAllen", + "Midland", + "Odessa", + "Paris", + "Plano", + "San Angelo", + "San Antonio", + "Sherman", + "Texarkana", + "Tyler", + "Victoria", + "Waco", + "Wichita Falls", + "Utah", + "Beehive State", + "Mormon State", + "UT", + "Ogden", + "Provo", + "Salt Lake City", + "capital of Utah", + "Vermont", + "Green Mountain State", + "VT", + "Montpelier", + "capital of Vermont", + "Bennington", + "Brattleboro", + "Burlington", + "Rutland", + "Virginia", + "Old Dominion", + "Old Dominion State", + "VA", + "Virginia", + "Richmond", + "capital of Virginia", + "Blacksburg", + "Jamestown", + "Newport News", + "Norfolk", + "Lynchburg", + "Portsmouth", + "Roanoke", + "Virginia Beach", + "Bull Run", + "Chancellorsville", + "Fredericksburg", + "Petersburg", + "Spotsylvania", + "Yorktown", + "Mount Vernon", + "Washington", + "Evergreen State", + "WA", + "Aberdeen", + "Bellingham", + "Kennewick", + "Olympia", + "capital of Washington", + "Seattle", + "Spokane", + "Tacoma", + "Vancouver", + "Walla Walla", + "Yakima", + "West Virginia", + "Mountain State", + "WV", + "Beckley", + "Charleston", + "capital of West Virginia", + "Clarksburg", + "Fayetteville", + "Huntington", + "Harpers Ferry", + "Harper's Ferry", + "Morgantown", + "Parkersburg", + "Wheeling", + "Wisconsin", + "Badger State", + "WI", + "Appleton", + "Eau Claire", + "Green Bay", + "La Crosse", + "Madison", + "capital of Wisconsin", + "Milwaukee", + "Racine", + "Superior", + "Watertown", + "Wausau", + "Wyoming", + "Equality State", + "WY", + "Casper", + "Cheyenne", + "capital of Wyoming", + "Jackson", + "Lander", + "Laramie", + "Rock Springs", + "Uruguay", + "Montevideo", + "capital of Uruguay", + "Vanuatu", + "Republic of Vanuatu", + "New Hebrides", + "Port Vila", + "Vila", + "capital of Vanuatu", + "Holy See", + "The Holy See", + "State of the Vatican City", + "Vatican City", + "Citta del Vaticano", + "Guiana Highlands", + "Venezuela", + "Republic of Venezuela", + "Caracas", + "capital of Venezuela", + "Ciudad Bolivar", + "Cumana", + "Maracaibo", + "Maracay", + "Valencia", + "Vietnam", + "Socialist Republic of Vietnam", + "Viet Nam", + "Annam", + "North Vietnam", + "South Vietnam", + "Hanoi", + "capital of Vietnam", + "Ho Chi Minh City", + "Saigon", + "Haiphong", + "Yemen", + "Republic of Yemen", + "Aden", + "Hodeida", + "Al-Hudaydah", + "Mukalla", + "Al-Mukalla", + "Sana", + "Sanaa", + "Sana'a", + "Zambia", + "Republic of Zambia", + "Northern Rhodesia", + "Lusaka", + "capital of Zambia", + "Low Countries", + "Lusitania", + "Silesia", + "Slask", + "Slezsko", + "Schlesien", + "Big Sur", + "Silicon Valley", + "Zimbabwe", + "Republic of Zimbabwe", + "Rhodesia", + "Southern Rhodesia", + "Harare", + "Salisbury", + "capital of Zimbabwe", + "Bulawayo", + "Arabian Desert", + "Great Arabian Desert", + "Arabian Desert", + "Eastern Desert", + "Atacama Desert", + "Australian Desert", + "Great Australian Desert", + "Black Rock Desert", + "Chihuahuan Desert", + "Colorado Desert", + "Dasht-e-Kavir", + "Kavir Desert", + "Great Salt Desert", + "Dasht-e-Lut", + "Lut Desert", + "Death Valley", + "Gibson Desert", + "Gila Desert", + "Gobi", + "Gobi Desert", + "Great Sandy Desert", + "Great Victoria Desert", + "Kalahari", + "Kalahari Desert", + "Kara Kum", + "Qara Qum", + "Turkestan Desert", + "Kyzyl Kum", + "Kizil Kum", + "Qizil Qum", + "Libyan Desert", + "Mojave", + "Mojave Desert", + "Mohave", + "Mohave Desert", + "Namib Desert", + "Nefud", + "An Nefud", + "Nafud", + "An Nafud", + "Negev", + "Negev Desert", + "Nubian Desert", + "Painted Desert", + "Patagonian Desert", + "Rub al-Khali", + "Ar Rimsal", + "Dahna", + "Great Sandy Desert", + "Sahara", + "Sahara Desert", + "Sub-Saharan Africa", + "Black Africa", + "Simpson Desert", + "Sinai", + "Sinai Desert", + "Sonoran Desert", + "Syrian Desert", + "Taklimakan Desert", + "Taklamakan Desert", + "Thar Desert", + "Great Indian Desert", + "Cameroon", + "Citlaltepetl", + "Mount Orizaba", + "Mt Orizaba", + "Pico de Orizaba", + "Colima", + "Nevado de Colima", + "Volcan de Colima", + "Cotacachi", + "Cotopaxi", + "Demavend", + "El Misti", + "Etna", + "Mount Etna", + "Mt Etna", + "Fuego", + "Fuji", + "Mount Fuji", + "Fujiyama", + "Fujinoyama", + "Fuji-san", + "Galeras", + "Pasto", + "Guallatiri", + "Huainaputina", + "Klyuchevskaya", + "Krakatau", + "Krakatao", + "Krakatoa", + "New Siberian Islands", + "Lascar", + "Mauna Kea", + "Mauna Loa", + "Nyamuragira", + "Nyiragongo", + "Purace", + "Sangay", + "Tupungatito", + "Mount Saint Helens", + "Mount St. Helens", + "Mt. St. Helens", + "Scythia", + "Vesuvius", + "Mount Vesuvius", + "Mt. Vesuvius", + "North Africa", + "West Africa", + "Dar al-Islam", + "House of Islam", + "Dar al-harb", + "House of War", + "life", + "rational motive", + "reason", + "ground", + "occasion", + "score", + "account", + "why", + "wherefore", + "incentive", + "inducement", + "motivator", + "moral force", + "dynamic", + "disincentive", + "deterrence", + "irrational motive", + "urge", + "impulse", + "abience", + "adience", + "death instinct", + "death wish", + "Thanatos", + "irrational impulse", + "compulsion", + "irresistible impulse", + "mania", + "passion", + "cacoethes", + "agromania", + "dipsomania", + "alcoholism", + "potomania", + "egomania", + "kleptomania", + "logorrhea", + "logomania", + "monomania", + "possession", + "necrophilia", + "necrophilism", + "necromania", + "phaneromania", + "pyromania", + "trichotillomania", + "wanderlust", + "itchy feet", + "compulsion", + "obsession", + "onomatomania", + "ethical motive", + "ethics", + "morals", + "morality", + "hedonism", + "conscience", + "scruples", + "moral sense", + "sense of right and wrong", + "wee small voice", + "small voice", + "voice of conscience", + "sense of shame", + "sense of duty", + "Inner Light", + "Light", + "Light Within", + "Christ Within", + "psychic energy", + "mental energy", + "incitement", + "incitation", + "provocation", + "signal", + "libidinal energy", + "cathexis", + "charge", + "acathexis", + "Aare", + "Aar", + "Aare River", + "Abukir", + "Abukir Bay", + "abyss", + "abysm", + "abyssal zone", + "Acheron", + "River Acheron", + "achondrite", + "acicula", + "Aconcagua", + "Adams", + "Mount Adams", + "Adam's Peak", + "Samanala", + "Adige", + "River Adige", + "Adirondacks", + "Adirondack Mountains", + "Admiralty Range", + "adjunct", + "Adriatic", + "Adriatic Sea", + "Aegean", + "Aegean Sea", + "Aegospotami", + "Aegospotamos", + "aerie", + "aery", + "eyrie", + "eyry", + "aerolite", + "Africa", + "agent", + "airborne transmission", + "air bubble", + "Aire", + "River Aire", + "Aire River", + "Alabama", + "Alabama River", + "Alaska Peninsula", + "Alaska Range", + "Aldebaran", + "Algol", + "Alleghenies", + "Allegheny Mountains", + "Allegheny", + "Allegheny River", + "alluvial sediment", + "alluvial deposit", + "alluvium", + "alluvion", + "alluvial flat", + "alluvial plain", + "alp", + "Alpha Centauri", + "Rigil Kent", + "Rigil", + "Alpha Crucis", + "alpha particle", + "Alpine glacier", + "Alpine type of glacier", + "Alps", + "the Alps", + "Altai Mountains", + "Altay Mountains", + "Altair", + "altocumulus", + "altocumulus cloud", + "altostratus", + "altostratus cloud", + "Amazon", + "Amazon River", + "America", + "American Falls", + "ammonite", + "ammonoid", + "Amur", + "Amur River", + "Heilong Jiang", + "Heilong", + "Ancohuma", + "Andaman Sea", + "Andes", + "Andromeda", + "Angara", + "Angara River", + "Tunguska", + "Upper Tunguska", + "Angel", + "Angel Falls", + "anion", + "Annapurna", + "Anapurna", + "Antarctica", + "Antarctic continent", + "Antarctic Ocean", + "Antarctic Peninsula", + "Palmer Peninsula", + "Antares", + "anthill", + "formicary", + "antibaryon", + "antilepton", + "antimeson", + "antimuon", + "positive muon", + "antineutrino", + "antineutron", + "antiparticle", + "antiproton", + "antiquark", + "antitauon", + "tau-plus particle", + "Antlia", + "Apalachicola", + "Apalachicola River", + "Apennines", + "aperture", + "Apollo asteroid", + "Appalachians", + "Appalachian Mountains", + "Apus", + "Aquarius", + "aquifer", + "Aquila", + "Ara", + "Arabian Sea", + "Arafura Sea", + "Araguaia", + "Araguaia River", + "Araguaya", + "Araguaya River", + "Ararat", + "Mount Ararat", + "Mt. Ararat", + "Aras", + "Araxes", + "Arauca", + "archeological remains", + "archipelago", + "Arctic Ocean", + "Arcturus", + "arete", + "Argo", + "Argun", + "Argun River", + "Ergun He", + "Aries", + "Aristarchus", + "Arkansas", + "Arkansas River", + "Arno", + "Arno River", + "River Arno", + "arroyo", + "ascent", + "acclivity", + "rise", + "raise", + "climb", + "upgrade", + "Asia", + "asterism", + "asteroid", + "asthenosphere", + "Atacama Trench", + "Atlantic", + "Atlantic Ocean", + "Atlantic Coast", + "Atlas Mountains", + "atmosphere", + "atoll", + "Auriga", + "Charioteer", + "Australia", + "Australian Alps", + "Avon", + "River Avon", + "Upper Avon", + "Upper Avon River", + "Avon", + "River Avon", + "backwater", + "badlands", + "Baffin Bay", + "Balaton", + "Lake Balaton", + "Plattensee", + "Balkans", + "Balkan Mountains", + "Balkan Mountain Range", + "Baltic", + "Baltic Sea", + "bank", + "bank", + "bank", + "cant", + "camber", + "bar", + "barbecue pit", + "Barents Sea", + "barrier", + "barrier island", + "barrier reef", + "baryon", + "heavy particle", + "base", + "basin", + "bay", + "embayment", + "Bay of Bengal", + "Bay of Biscay", + "Bay of Fundy", + "Bay of Naples", + "bayou", + "beach", + "beachfront", + "Beaufort Sea", + "bed", + "bottom", + "bed", + "bedrock", + "beehive", + "hive", + "honeycomb", + "belay", + "ben", + "Bering Sea", + "Bering Strait", + "Berkshires", + "Berkshire Hills", + "berm", + "Beta Centauri", + "Beta Crucis", + "beta particle", + "Betelgeuse", + "Alpha Orionis", + "Big Dipper", + "Dipper", + "Plough", + "Charles's Wain", + "Wain", + "Wagon", + "Bighorn", + "Bighorn River", + "bight", + "Bight of Benin", + "Big Sioux River", + "billabong", + "billabong", + "binary star", + "binary", + "double star", + "biological agent", + "biohazard", + "bird's nest", + "bird nest", + "birdnest", + "Biscayne Bay", + "Bismarck Sea", + "bit", + "chip", + "flake", + "fleck", + "scrap", + "black body", + "blackbody", + "full radiator", + "Black Forest", + "Schwarzwald", + "Black Hills", + "black hole", + "Black Sea", + "Euxine Sea", + "bladder stone", + "cystolith", + "blade", + "blanket", + "mantle", + "blood-brain barrier", + "Blue Nile", + "Blue Ridge Mountains", + "Blue Ridge", + "blue sky", + "blue", + "blue air", + "wild blue yonder", + "bluff", + "b-meson", + "body", + "body of water", + "water", + "bog", + "peat bog", + "Bo Hai", + "Po Hai", + "bolt-hole", + "bonanza", + "Bonete", + "Bootes", + "borrow pit", + "boson", + "Bosporus", + "bottomland", + "bottom", + "bottom quark", + "beauty quark", + "Bougainville Trench", + "boulder", + "bowlder", + "brae", + "Brahmaputra", + "Brahmaputra River", + "branch", + "branched chain", + "Brazos", + "Brazos River", + "breach", + "Brenner Pass", + "brickbat", + "Bristol Channel", + "brook", + "creek", + "brooklet", + "bubble", + "bullet hole", + "burrow", + "tunnel", + "butte", + "Buzzards Bay", + "Cachi", + "Caelum", + "calculus", + "concretion", + "caldera", + "Callisto", + "Caloosahatchee", + "Caloosahatchee River", + "Cam", + "River Cam", + "Cam River", + "Cambrian Mountains", + "Canadian", + "Canadian River", + "Canadian Falls", + "Horseshoe Falls", + "canal", + "Canandaigua Lake", + "Lake Canandaigua", + "Cancer", + "Canis Major", + "Great Dog", + "Canis Minor", + "Little Dog", + "Canopus", + "Cantabrian Mountains", + "canyon", + "canon", + "canyonside", + "cape", + "ness", + "Cape Canaveral", + "Cape Kennedy", + "Cape Cod Bay", + "Cape Fear River", + "Capella", + "Cape Sable", + "Cape Sable", + "Cape Trafalgar", + "Cape York", + "Cape York Peninsula", + "Capricornus", + "Capricorn", + "Caribbean", + "Caribbean Sea", + "Carina", + "Carlsbad Caverns", + "Carpathians", + "Carpathian Mountains", + "carpet", + "cascade", + "Cascades", + "Cascade Range", + "Cascade Mountains", + "Caspian", + "Caspian Sea", + "Cassiopeia", + "Castor", + "Alpha Geminorum", + "cataract", + "Cataract Canyon", + "catch", + "cation", + "Catskills", + "Catskill Mountains", + "Caucasus", + "Caucasus Mountains", + "cave", + "cavern", + "cavern", + "Cayuga Lake", + "Lake Cayuga", + "celestial body", + "heavenly body", + "Centaurus", + "Centaur", + "Cepheus", + "Ceres", + "Cetus", + "chain", + "chemical chain", + "Chamaeleon", + "Chameleon", + "Changtzu", + "channel", + "Chao Phraya", + "chap", + "Charles", + "Charles River", + "charm quark", + "chasm", + "Chattahoochee", + "Chattahoochee River", + "Baikal", + "Lake Baikal", + "Baykal", + "Lake Baykal", + "Lake Chelan", + "Coeur d'Alene Lake", + "Lake Tahoe", + "Chesapeake Bay", + "Chimborazo", + "chink", + "chip", + "cow chip", + "cow dung", + "buffalo chip", + "Chiron", + "chondrite", + "chondrule", + "chromosphere", + "Chukchi Peninsula", + "Chukchi Sea", + "Cimarron", + "Cimarron River", + "cinder", + "clinker", + "Circinus", + "cirque", + "corrie", + "cwm", + "cirrocumulus", + "cirrocumulus cloud", + "cirrostratus", + "cirrostratus cloud", + "cirrus", + "cirrus cloud", + "clast", + "clastic rock", + "cliff", + "drop", + "drop-off", + "Clinch River", + "closed chain", + "ring", + "closed universe", + "cloud", + "cloud bank", + "Clyde", + "coast", + "coastal plain", + "coastland", + "Coast Range", + "Coast Mountains", + "Cocytus", + "River Cocytus", + "coffee grounds", + "col", + "gap", + "collector", + "collision course", + "Colorado", + "Colorado River", + "Colorado", + "Colorado River", + "Colorado Plateau", + "Columba", + "Dove", + "Columbia", + "Columbia River", + "coma", + "Coma Berenices", + "comet", + "commemorative", + "Communism Peak", + "Mount Communism", + "Stalin Peak", + "Mount Garmo", + "Congo", + "Congo River", + "Zaire River", + "Connecticut", + "Connecticut River", + "consolidation", + "Constance", + "Lake Constance", + "Bodensee", + "constellation", + "continent", + "continental glacier", + "continental shelf", + "continental slope", + "bathyal zone", + "bathyal district", + "contrail", + "condensation trail", + "Cook Strait", + "Coosa", + "Coosa River", + "Copernicus", + "coprolite", + "coprolith", + "fecalith", + "faecalith", + "stercolith", + "coral reef", + "Coral Sea", + "core", + "core", + "corner", + "Corona Borealis", + "Coropuna", + "Corvus", + "Crow", + "couple", + "cove", + "cove", + "covering", + "natural covering", + "cover", + "Crab Nebula", + "crack", + "cleft", + "crevice", + "fissure", + "scissure", + "crag", + "cranny", + "crater", + "Crater", + "craton", + "crevasse", + "Cross-Florida Waterway", + "Okeechobee Waterway", + "crust", + "Earth's crust", + "crust", + "incrustation", + "encrustation", + "crystal", + "crystallization", + "crystallite", + "cultivated land", + "farmland", + "plowland", + "ploughland", + "tilled land", + "tillage", + "tilth", + "Cumberland", + "Cumberland River", + "Cumberland Gap", + "Cumberland Mountains", + "Cumberland Plateau", + "cumulonimbus", + "cumulonimbus cloud", + "thundercloud", + "cumulus", + "cumulus cloud", + "Cuquenan", + "Cuquenan Falls", + "Kukenaam", + "Kukenaam Falls", + "curtain", + "cutting", + "Cygnus", + "dale", + "dander", + "dandruff", + "Danube", + "Danube River", + "Danau", + "Darling", + "Darling River", + "Dead Sea", + "deep", + "defile", + "gorge", + "Deimos", + "Delaware", + "Delaware River", + "Delaware Bay", + "dell", + "dingle", + "Delphinus", + "delta", + "delta ray", + "Demerara", + "Denali Fault", + "Deneb", + "Denebola", + "descent", + "declivity", + "fall", + "decline", + "declination", + "declension", + "downslope", + "desideratum", + "Detroit River", + "deuteron", + "Dhaulagiri", + "diapir", + "diffuse nebula", + "gaseous nebula", + "dipole", + "dipole molecule", + "direct transmission", + "discard", + "distributary", + "ditch", + "divot", + "divot", + "Dnieper", + "Dnieper River", + "dog shit", + "dog do", + "doggy do", + "dog turd", + "Dolomite Alps", + "Don", + "Don River", + "Donner Pass", + "Dorado", + "down", + "downhill", + "down quark", + "Draco", + "Dragon", + "draw", + "dregs", + "settlings", + "drey", + "drift", + "drift ice", + "drink", + "drumlin", + "dune", + "sand dune", + "Earth", + "earth", + "world", + "globe", + "East China Sea", + "Ebro", + "Ebro River", + "Elbe", + "Elbe River", + "electric dipole", + "electric doublet", + "electron", + "negatron", + "elementary particle", + "fundamental particle", + "eliminator", + "Elizabeth River", + "El Libertador", + "El Muerto", + "ember", + "coal", + "enclosure", + "natural enclosure", + "English Channel", + "enterolith", + "envelope", + "Epsilon Aurigae", + "Eridanus", + "escarpment", + "scarp", + "esker", + "estuary", + "Euphrates", + "Euphrates River", + "Eurasia", + "Europa", + "Europe", + "evening star", + "Hesperus", + "Vesper", + "Everest", + "Mount Everest", + "Mt. Everest", + "Everglades", + "exosphere", + "expanse", + "extraterrestrial object", + "estraterrestrial body", + "Eyre", + "Lake Eyre", + "Eyre Peninsula", + "fallow", + "fatigue crack", + "fault", + "faulting", + "geological fault", + "shift", + "fracture", + "break", + "feeder", + "tributary", + "confluent", + "affluent", + "fermion", + "filing", + "finding", + "Fingal's Cave", + "fireball", + "fireball", + "fire pit", + "firestone", + "firth", + "Firth of Clyde", + "Firth of Forth", + "fishpond", + "fixed star", + "fjord", + "fiord", + "flare star", + "flat", + "Flint", + "Flint River", + "floater", + "floodplain", + "flood plain", + "floor", + "floor", + "floor", + "flowage", + "foam", + "froth", + "folium", + "fomite", + "vehicle", + "foothill", + "footwall", + "ford", + "crossing", + "foreland", + "foreshore", + "forest", + "woodland", + "timberland", + "timber", + "Fornax", + "Forth", + "Forth River", + "fossil", + "Fountain of Youth", + "Fox River", + "fragment", + "free electron", + "Galan", + "Galilean satellite", + "Galilean", + "gallstone", + "bilestone", + "Galveston Bay", + "Galway Bay", + "Ganges", + "Ganges River", + "Gan Jiang", + "Kan River", + "Ganymede", + "Garonne", + "Garonne River", + "Gasherbrum", + "gauge boson", + "Gemini", + "geode", + "geological formation", + "formation", + "geyser", + "giant star", + "giant", + "Gila", + "Gila River", + "glacial boulder", + "glacier", + "glen", + "globule", + "gluon", + "Golden Gate", + "Gondwanaland", + "gopher hole", + "gorge", + "Gosainthan", + "grain", + "Grand Canyon", + "Grand River", + "Grand Teton", + "granule", + "graviton", + "Great Attractor", + "Great Australian Bight", + "Great Bear", + "Ursa Major", + "Great Barrier Reef", + "Great Dividing Range", + "Eastern Highlands", + "Great Lakes", + "Great Plains", + "Great Plains of North America", + "Great Rift Valley", + "Great Salt Lake", + "Great Slave Lake", + "Great Smoky Mountains", + "Green", + "Green River", + "Greenland Sea", + "Green Mountains", + "greenwood", + "grinding", + "grotto", + "grot", + "grounds", + "growler", + "growth", + "Grus", + "Crane", + "Guadalupe Mountains", + "Guantanamo Bay", + "gulch", + "flume", + "gulf", + "gulf", + "Gulf Coast", + "Gulf of Aden", + "Gulf of Alaska", + "Gulf of Antalya", + "Gulf of Aqaba", + "Gulf of Akaba", + "Gulf of Bothnia", + "Gulf of California", + "Sea of Cortes", + "Gulf of Campeche", + "Golfo de Campeche", + "Bay of Campeche", + "Gulf of Carpentaria", + "Carpentaria", + "Gulf of Corinth", + "Gulf of Lepanto", + "Gulf of Finland", + "Gulf of Guinea", + "Gulf of Martaban", + "Gulf of Mexico", + "Golfo de Mexico", + "Gulf of Ob", + "Bay of Ob", + "Gulf of Oman", + "Gulf of Riga", + "Gulf of Saint Lawrence", + "Gulf of St. Lawrence", + "Gulf of Sidra", + "Gulf of Suez", + "Gulf of Tehuantepec", + "Gulf of Thailand", + "Gulf of Siam", + "Gulf of Venice", + "gully", + "gut", + "guyot", + "hadron", + "hail", + "hairball", + "hair ball", + "trichobezoar", + "Hampton Roads", + "Handies Peak", + "hanging wall", + "Hangzhou Bay", + "head", + "head", + "headstream", + "Hercules", + "heterocyclic ring", + "heterocycle", + "highland", + "upland", + "high sea", + "international waters", + "hill", + "hillside", + "Himalayas", + "Himalaya Mountains", + "Himalaya", + "Hindu Kush", + "Hindu Kush Mountains", + "hogback", + "horseback", + "hole", + "hole", + "hollow", + "hollow", + "holler", + "holystone", + "hood", + "cap", + "Hook of Holland", + "Hoek van Holland", + "horsepond", + "horst", + "hot spring", + "thermal spring", + "Housatonic", + "Housatonic River", + "Huang He", + "Hwang Ho", + "Yellow River", + "Huascaran", + "Hubbard", + "Mount Hubbard", + "Hudson", + "Hudson River", + "Hudson Bay", + "Humber", + "hunk", + "lump", + "Hydra", + "Snake", + "hydrogen ion", + "hydrosphere", + "Hydrus", + "hyperon", + "ice", + "iceberg", + "berg", + "icecap", + "ice cap", + "icefall", + "ice field", + "ice floe", + "floe", + "ice mass", + "Iguazu", + "Iguazu Falls", + "Iguassu", + "Iguassu Falls", + "Victoria Falls", + "IJssel", + "IJssel river", + "IJsselmeer", + "Illampu", + "Illimani", + "Illinois River", + "impairer", + "inclined fault", + "inclusion body", + "cellular inclusion", + "inclusion", + "index fossil", + "guide fossil", + "Indian Ocean", + "Indigirka", + "Indigirka River", + "indirect transmission", + "indumentum", + "indument", + "Indus", + "Indus River", + "Indus", + "inessential", + "nonessential", + "infectious agent", + "infective agent", + "inferior planet", + "ingrowth", + "Inland Passage", + "Inside Passage", + "Inland Sea", + "inlet", + "recess", + "inside track", + "intermediate vector boson", + "interplanetary dust", + "interplanetary gas", + "interplanetary medium", + "interstellar medium", + "intrusion", + "Io", + "ion", + "Ionian Sea", + "Irish Sea", + "iron filing", + "Irrawaddy", + "Irrawaddy River", + "Irtish", + "Irtish River", + "Irtysh", + "Irtysh River", + "Isere", + "Isere River", + "island", + "isle", + "islet", + "isthmus", + "Isthmus of Corinth", + "Isthmus of Kra", + "Isthmus of Panama", + "Isthmus of Darien", + "Isthmus of Suez", + "Isthmus of Tehuantepec", + "jag", + "James", + "James River", + "James", + "James River", + "James Bay", + "Japan Trench", + "Jebel Musa", + "Abila", + "Abyla", + "Jordan", + "Jordan River", + "Jovian planet", + "gas giant", + "J particle", + "psi particle", + "Jupiter", + "K2", + "Godwin Austen", + "Mount Godwin Austen", + "Dapsang", + "Kamet", + "Kanawha", + "Kanawha River", + "Kanchenjunga", + "Mount Kanchenjunga", + "Kanchanjanga", + "Kinchinjunga", + "Kansas", + "Kansas River", + "Kaw River", + "kaon", + "kappa-meson", + "k-meson", + "K particle", + "Karakoram", + "Karakoram Range", + "Karakorum Range", + "Mustagh", + "Mustagh Range", + "Kara Sea", + "Karelian Isthmus", + "Kasai", + "Kasai River", + "River Kasai", + "Kattegatt", + "kettle hole", + "kettle", + "Keuka Lake", + "Lake Keuka", + "key", + "cay", + "Florida key", + "Khyber Pass", + "kidney stone", + "urinary calculus", + "nephrolith", + "renal calculus", + "Kilimanjaro", + "Mount Kilimanjaro", + "Kissimmee", + "Kissimmee River", + "Kivu", + "Lake Kivu", + "Klamath", + "Klamath River", + "knoll", + "mound", + "hillock", + "hummock", + "hammock", + "Kodiak", + "Kodiak Island", + "kopje", + "koppie", + "Korea Bay", + "Korean Strait", + "Korea Strait", + "Kuiper belt", + "Edgeworth-Kuiper belt", + "Kuiper belt object", + "KBO", + "Kunlun", + "Kunlan Shan", + "Kunlun Mountains", + "Kuenlun", + "Kuenlun Mountains", + "Kura", + "Kura River", + "Labrador-Ungava Peninsula", + "Labrador Peninsula", + "Labrador Sea", + "lagoon", + "laguna", + "lagune", + "lake", + "Lake Albert", + "Lake Albert Nyanza", + "Mobuto Lake", + "Lake Aral", + "Aral Sea", + "lake bed", + "lake bottom", + "Lake Chad", + "Chad", + "Lake Champlain", + "Champlain", + "Lake Edward", + "Lake Erie", + "Erie", + "lakefront", + "Lake Geneva", + "Lake Leman", + "Lake Huron", + "Huron", + "Lake Ilmen", + "Ilmen", + "Lake Ladoga", + "Ladoga", + "Lake Michigan", + "Michigan", + "Lake Nasser", + "Nasser", + "Lake Nyasa", + "Lake Malawi", + "Lake Onega", + "Onega", + "Lake Ontario", + "Ontario", + "lakeside", + "lakeshore", + "Lake St. Clair", + "Lake Saint Clair", + "Lake Superior", + "Superior", + "Lake Tana", + "Lake Tsana", + "Lake Tanganyika", + "Tanganyika", + "Lake Urmia", + "Urmia", + "Daryacheh-ye Orumiyeh", + "Lake Vanern", + "Vanern", + "Lake Victoria", + "Victoria Nyanza", + "lambda particle", + "lambda hyperon", + "land", + "dry land", + "earth", + "ground", + "solid ground", + "terra firma", + "land", + "ground", + "soil", + "landfall", + "landfill", + "landmass", + "land mass", + "Laptev Sea", + "Large Magellanic Cloud", + "Lascaux", + "lather", + "Laudo", + "Laurasia", + "leak", + "ledge", + "shelf", + "lees", + "Lehigh River", + "Lena", + "Lena River", + "Leo", + "lepton", + "Lepus", + "lethal agent", + "Lethe", + "River Lethe", + "Lhotse", + "Liaodong Peninsula", + "Liaodong Bandao", + "Libra", + "Ligurian Sea", + "liman", + "Limpopo", + "Crocodile River", + "liposomal delivery vector", + "lithosphere", + "geosphere", + "Little Bear", + "Ursa Minor", + "Little Bighorn", + "Little Bighorn River", + "Little Horn", + "Little Dipper", + "Dipper", + "Little Missouri", + "Little Missouri River", + "Little Sioux River", + "Little Wabash", + "Little Wabash River", + "llano", + "Llano Estacado", + "Llullaillaco", + "loch", + "loch", + "Loch Achray", + "Loch Linnhe", + "Loch Ness", + "lodestar", + "loadstar", + "Logan", + "Mount Logan", + "Loire", + "Loire River", + "Loire Valley", + "long chain", + "long-chain molecule", + "Long Island Sound", + "lough", + "lough", + "Lower California", + "Baja California", + "lower mantle", + "Lower Peninsula", + "lowland", + "lunar crater", + "Lupus", + "Lyra", + "maar", + "Mackenzie", + "Mackenzie River", + "mackerel sky", + "Madeira", + "Madeira River", + "Magdalena", + "Magdalena River", + "Magellanic Cloud", + "magnetic dipole", + "magnetic monopole", + "main", + "briny", + "mainland", + "Makalu", + "mantle", + "mare", + "maria", + "mare clausum", + "mare liberum", + "mare nostrum", + "mare's tail", + "Marmara", + "Sea of Marmara", + "Marmara Denizi", + "Marmora", + "Sea of Marmora", + "Mars", + "Red Planet", + "marsh", + "marshland", + "fen", + "fenland", + "mass", + "Massachusetts Bay", + "massif", + "Massif Central", + "mat", + "matchwood", + "matrix", + "Matterhorn", + "McKinley", + "Mount McKinley", + "Mt. McKinley", + "Denali", + "meander", + "mechanism", + "Mediterranean", + "Mediterranean Sea", + "Mekong", + "Mekong River", + "Menai Strait", + "Mendenhall Glacier", + "Great Mendenhall Glacier", + "Mensa", + "Mercedario", + "Mercury", + "mere", + "Merrimack", + "Merrimack River", + "mesa", + "table", + "Mesabi Range", + "meson", + "mesotron", + "mesosphere", + "metal filing", + "meteorite", + "meteoroid", + "meteor", + "meteor swarm", + "Meuse", + "Meuse River", + "micelle", + "microfossil", + "micrometeorite", + "micrometeoroid", + "micrometeor", + "Microscopium", + "Mid-Atlantic Ridge", + "midstream", + "mid-water", + "Milk", + "Milk River", + "Milky Way", + "Milky Way Galaxy", + "Milky Way System", + "millpond", + "Minamata Bay", + "minor planet", + "planetoid", + "mire", + "quagmire", + "quag", + "morass", + "slack", + "Mississippi", + "Mississippi River", + "Missouri", + "Missouri River", + "Mobile", + "Mobile River", + "Mobile Bay", + "Mohawk River", + "Mohorovicic discontinuity", + "Moho", + "molehill", + "monocline", + "Monongahela", + "Monongahela River", + "Mont Blanc", + "Monte Bianco", + "Monterey Bay", + "moon", + "Moon", + "moon", + "moon", + "moor", + "moorland", + "moraine", + "Moray Firth", + "Moreau River", + "Moreton Bay", + "morning star", + "daystar", + "Phosphorus", + "Lucifer", + "motor", + "mountain", + "mount", + "mountain peak", + "mountainside", + "versant", + "Mount Bartle Frere", + "Mount Carmel", + "Mount Elbert", + "mouse nest", + "mouse's nest", + "mouth", + "mouth", + "Mozambique Channel", + "mud puddle", + "mull", + "multiple star", + "muon", + "negative muon", + "mu-meson", + "Murray", + "Murray River", + "Murrumbidgee", + "Murrumbidgee River", + "Musca", + "must", + "mutagen", + "Muztag", + "Muztagh", + "Nacimiento", + "nacreous cloud", + "mother-of-pearl cloud", + "Namoi", + "Namoi River", + "Nan", + "Nan River", + "Nanda Devi", + "Nanga Parbat", + "Nan Ling", + "Nares Deep", + "Narragansett Bay", + "narrow", + "natural depression", + "depression", + "natural elevation", + "elevation", + "natural order", + "nature", + "nebula", + "nebule", + "necessity", + "essential", + "requirement", + "requisite", + "necessary", + "neck", + "Neckar", + "Neckar River", + "need", + "want", + "neighbor", + "neighbour", + "Neosho", + "Neosho River", + "Neptune", + "neritic zone", + "nest", + "neutrino", + "neutron", + "neutron star", + "Neva", + "Neva River", + "neve", + "New River", + "New York Bay", + "Niagara", + "Niagara River", + "Niagara", + "Niagara Falls", + "nidus", + "Niger", + "Niger River", + "Nile", + "Nile River", + "nimbus", + "nimbus cloud", + "rain cloud", + "Niobrara", + "Niobrara River", + "nodule", + "Norma", + "normal fault", + "gravity fault", + "common fault", + "North America", + "North Atlantic", + "North Channel", + "Northern Cross", + "North Pacific", + "North Peak", + "North Platte", + "North Platte River", + "North Sea", + "Norwegian Sea", + "nova", + "nub", + "stub", + "nubbin", + "nucleon", + "nucleus", + "nucleus", + "nugget", + "nullah", + "Nuptse", + "Ob", + "Ob River", + "obliterator", + "ocean", + "ocean floor", + "sea floor", + "ocean bottom", + "seabed", + "sea bottom", + "Davy Jones's locker", + "Davy Jones", + "oceanfront", + "Octans", + "Oder", + "Oder River", + "offing", + "Ohio", + "Ohio River", + "oil-water interface", + "Ojos del Salado", + "Okeechobee", + "Lake Okeechobee", + "Okefenokee Swamp", + "Old Faithful", + "Olduvai Gorge", + "Olympus", + "Mount Olympus", + "Mt. Olympus", + "Olimbos", + "Omega Centauri", + "open chain", + "opening", + "gap", + "Ophiuchus", + "Orange", + "Orange River", + "ore bed", + "Orinoco", + "Orinoco River", + "Orion", + "Hunter", + "Osage", + "Osage River", + "Osaka Bay", + "Outaouais", + "Ottawa", + "Ottawa river", + "Ouachita", + "Ouachita River", + "Ouse", + "Ouse River", + "outcrop", + "outcropping", + "rock outcrop", + "outer planet", + "outthrust", + "overburden", + "oxbow", + "oxbow", + "oxbow lake", + "Ozarks", + "Ozark Mountains", + "Ozark Plateau", + "ozone hole", + "ozone layer", + "ozonosphere", + "Pacific", + "Pacific Ocean", + "Pacific Coast", + "pack ice", + "ice pack", + "Pallas", + "pallasite", + "Pamir Mountains", + "the Pamirs", + "Pangaea", + "Pangea", + "Para", + "Para River", + "Parana", + "Parana River", + "paring", + "sliver", + "shaving", + "Parnaiba", + "Parnahiba", + "Parnassus", + "Mount Parnassus", + "Liakoura", + "part", + "piece", + "particle", + "subatomic particle", + "pass", + "mountain pass", + "notch", + "path", + "track", + "course", + "Paulo Afonso", + "Paulo Afonso Falls", + "Pavo", + "Pearl River", + "pebble", + "Pecos", + "Pecos River", + "Pee Dee", + "Pee Dee River", + "Pegasus", + "peneplain", + "peneplane", + "peninsula", + "Penobscot", + "Penobscot River", + "Penobscot Bay", + "perforation", + "Perejil", + "permafrost", + "Perseus", + "Persian Gulf", + "Arabian Gulf", + "petrifaction", + "Phobos", + "Phoenix", + "photoelectron", + "photon", + "photosphere", + "Pictor", + "piedmont", + "Piedmont glacier", + "Piedmont type of glacier", + "Pike's Peak", + "Pillars of Hercules", + "pinetum", + "Ping", + "Ping River", + "pion", + "pi-meson", + "Pisces", + "Pissis", + "pit", + "cavity", + "placer", + "plage", + "plain", + "field", + "champaign", + "planet", + "major planet", + "planet", + "planetary nebula", + "planetesimal", + "plasmid", + "plasmid DNA", + "plate", + "crustal plate", + "Platte", + "Platte River", + "Pleiades", + "Pluto", + "Po", + "Po River", + "Pobeda Peak", + "Pobedy Peak", + "point", + "polar glacier", + "Polaris", + "North Star", + "pole star", + "polar star", + "polestar", + "polder", + "Pollux", + "polynya", + "pond", + "pool", + "pool", + "puddle", + "positron", + "antielectron", + "pothole", + "chuckhole", + "Potomac", + "Potomac River", + "Poyang", + "precipice", + "primary", + "prion", + "virino", + "Procyon", + "promontory", + "headland", + "head", + "foreland", + "protein molecule", + "proton", + "Proxima", + "Proxima Centauri", + "Prudhoe Bay", + "pruning", + "ptyalith", + "Puget Sound", + "pulp", + "mush", + "pulsar", + "Puppis", + "Purus", + "Purus River", + "Pyrenees", + "Pyxis", + "Quaoar", + "quark", + "quasar", + "quasi-stellar radio source", + "Queen Charlotte Sound", + "quickener", + "invigorator", + "enlivener", + "quicksand", + "rabbit burrow", + "rabbit hole", + "radiator", + "radio source", + "rainbow", + "Rakaposhi", + "range", + "mountain range", + "range of mountains", + "chain", + "mountain chain", + "chain of mountains", + "rangeland", + "Ranier", + "Mount Ranier", + "Mt. Ranier", + "Mount Tacoma", + "rapid", + "Rappahannock", + "Rappahannock River", + "rathole", + "ravine", + "Red", + "Red River", + "red dwarf", + "red dwarf star", + "red giant", + "red giant star", + "Red Sea", + "reef", + "Regulus", + "relaxer", + "relict", + "remains", + "repressor", + "represser", + "Republican", + "Republican River", + "reservoir", + "source", + "restriction fragment", + "retardant", + "retardent", + "retardation", + "Reticulum", + "Rhine", + "Rhine River", + "Rhein", + "Rhodope Mountains", + "Rhone", + "Rhone River", + "ribbon", + "thread", + "ridge", + "ridge", + "ridgeline", + "ridge", + "rift", + "rift", + "rift valley", + "Rigel", + "Beta Orionis", + "rill", + "Rio de la Plata", + "La Plata", + "Plata River", + "Rio Grande", + "Rio Bravo", + "rip", + "rent", + "snag", + "split", + "tear", + "riparian forest", + "ripple mark", + "river", + "riverbank", + "riverside", + "riverbed", + "river bottom", + "river boulder", + "rivulet", + "rill", + "run", + "runnel", + "streamlet", + "rock", + "stone", + "Rockies", + "Rocky Mountains", + "roof", + "round", + "Ross Sea", + "row", + "Ruhr", + "Ruhr River", + "Rushmore", + "Mount Rushmore", + "Mt. Rushmore", + "Russell's body", + "cancer body", + "Russian River", + "Saale", + "Saale River", + "Sabine", + "Sabine River", + "Sacramento Mountains", + "Sacramento River", + "saddleback", + "saddle", + "Sagitta", + "Sagittarius", + "Saint Francis", + "Saint Francis River", + "St. Francis", + "St. Francis River", + "Saint John", + "Saint John River", + "St. John", + "St. John River", + "Saint Johns", + "Saint Johns River", + "St. Johns", + "St. Johns River", + "Saint Lawrence", + "Saint Lawrence River", + "St. Lawrence", + "St. Lawrence River", + "Sajama", + "Salmon", + "Salmon River", + "salt flat", + "salt plain", + "salt lick", + "lick", + "salt marsh", + "Salton Sea", + "saltpan", + "Sambre", + "Sambre River", + "sample", + "San Andreas Fault", + "sandbank", + "sandbar", + "sand bar", + "San Diego Bay", + "sandpit", + "San Fernando Valley", + "San Francisco Bay", + "sanitary landfill", + "San Joaquin River", + "San Joaquin Valley", + "San Juan Hill", + "San Juan Mountains", + "Sao Francisco", + "Saone", + "Saone River", + "Sargasso Sea", + "Saronic Gulf", + "Gulf of Aegina", + "satellite", + "satisfier", + "Saturn", + "Savannah", + "Savannah River", + "sawpit", + "Sayan Mountains", + "scablands", + "scale", + "scurf", + "exfoliation", + "Scheldt", + "Scheldt River", + "scintilla", + "Scorpius", + "Scorpio", + "scraping", + "Sculptor", + "scurf", + "sea", + "seamount", + "Sea of Azov", + "Sea of Azof", + "Sea of Azoff", + "Sea of Japan", + "East Sea", + "Sea of Okhotsk", + "seashore", + "coast", + "seacoast", + "sea-coast", + "seaside", + "seaboard", + "section", + "sediment", + "deposit", + "Sedna", + "segment", + "seif dune", + "Seine", + "Seine River", + "Selkirk Mountains", + "Seneca Lake", + "Lake Seneca", + "Serpens", + "Sete Quedas", + "Guaira", + "Guaira Falls", + "seven seas", + "Severn", + "River Severn", + "Severn River", + "Severn", + "Severn River", + "Seyhan", + "Seyhan River", + "shag", + "Shari", + "Shari River", + "Chari", + "Chari River", + "Shasta", + "Mount Shasta", + "Shenandoah River", + "Sherman", + "Mount Sherman", + "sheet", + "shelf ice", + "ice shelf", + "shell", + "shell", + "eggshell", + "Shenandoah Valley", + "Sherwood Forest", + "shiner", + "shoal", + "shallow", + "shoal", + "shore", + "shore boulder", + "shoreline", + "shortener", + "sialolith", + "salivary calculus", + "siderite", + "sierra", + "Sierra Madre Occidental", + "Sierra Madre Oriental", + "Sierra Nevada", + "Sierra Nevada Mountains", + "High Sierra", + "Sierra Nevada", + "sill", + "silva", + "sylva", + "Sinai", + "Mount Sinai", + "sinkhole", + "sink", + "swallow hole", + "Sirius", + "Dog Star", + "Canicula", + "Sothis", + "Skagens Odde", + "Skaw", + "Skagerrak", + "Skagerak", + "ski slope", + "skim", + "sky", + "slack", + "slack water", + "slash", + "slice", + "slit", + "slope", + "incline", + "side", + "slot", + "slough", + "slough", + "slough", + "Small Magellanic Cloud", + "Snake", + "Snake River", + "snowcap", + "snowdrift", + "snowfield", + "soap bubble", + "soapsuds", + "suds", + "lather", + "solar system", + "Solent", + "Solway Firth", + "sound", + "South America", + "South Atlantic", + "South China Sea", + "Southern Cross", + "Crux", + "Crux Australis", + "South Pacific", + "South Platte", + "South Platte River", + "South Sea", + "South Sea Islands", + "spall", + "spawl", + "spark", + "Spica", + "spit", + "tongue", + "splint", + "splinter", + "sliver", + "split", + "spoor", + "spring", + "fountain", + "outflow", + "outpouring", + "natural spring", + "spume", + "stalactite", + "stalagmite", + "star", + "star", + "starlet", + "steep", + "St. Elias Range", + "St. Elias Mountains", + "steppe", + "stepping stone", + "steps", + "Sterope", + "Asterope", + "storm cloud", + "straight chain", + "strait", + "sound", + "Strait of Georgia", + "Strait of Gibraltar", + "Strait of Hormuz", + "Strait of Ormuz", + "Strait of Magellan", + "Strait of Messina", + "Strait of Dover", + "Strait of Calais", + "Pas de Calais", + "strand", + "strange particle", + "strange quark", + "squark", + "stratosphere", + "stratus", + "stratus cloud", + "stream", + "watercourse", + "streambed", + "creek bed", + "stressor", + "stretch", + "strike-slip fault", + "string", + "cosmic string", + "strip", + "stub", + "Styx", + "River Styx", + "subcontinent", + "sun", + "Sun", + "sun", + "Sun River", + "supergiant", + "superior planet", + "supernatant", + "supernova", + "superstring", + "surface", + "Earth's surface", + "Suriname River", + "Surinam River", + "Susquehanna", + "Susquehanna River", + "swale", + "swamp", + "swampland", + "swath", + "belt", + "swell", + "swimming hole", + "tableland", + "plateau", + "Taconic Mountains", + "Tagus", + "Tagus River", + "Takakkaw", + "Tallapoosa", + "Tallapoosa River", + "talus", + "scree", + "Tampa Bay", + "tangle", + "tarn", + "tar pit", + "tartar", + "calculus", + "tophus", + "Tasman Sea", + "tauon", + "tau-minus particle", + "Taurus", + "Telescopium", + "Tennessee", + "Tennessee River", + "tent", + "teratogen", + "terrace", + "bench", + "terrestrial planet", + "territorial waters", + "Teton Range", + "Thames", + "River Thames", + "Thames River", + "thermion", + "thermosphere", + "thrust fault", + "overthrust fault", + "reverse fault", + "thunderhead", + "Tiber", + "Tevere", + "tidal basin", + "tidal river", + "tidewater river", + "tidal stream", + "tidewater stream", + "tideland", + "tidewater", + "tideway", + "Tien Shan", + "Tyan Shan", + "Tigris", + "Tigris River", + "Timor Sea", + "Tirich Mir", + "Titan", + "Tocantins", + "Tocantins River", + "Tombigbee", + "Tombigbee River", + "top quark", + "truth quark", + "tor", + "tor", + "Torres Strait", + "trail", + "transducing vector", + "gene delivery vector", + "transmission mechanism", + "Transylvanian Alps", + "Trapezium", + "tree farm", + "trench", + "deep", + "oceanic abyss", + "Trent", + "River Trent", + "Trent River", + "Triangulum", + "Triangle", + "Triangulum Australe", + "Southern Triangle", + "Trinity River", + "Triton", + "Trondheim Fjord", + "Trondheim Fiord", + "tropopause", + "troposphere", + "trough", + "Tucana", + "Tugela", + "Tugela Falls", + "tundra", + "Tunguska", + "Lower Tunguska", + "Tunguska", + "Stony Tunguska", + "Tupungato", + "turf", + "sod", + "sward", + "greensward", + "turning", + "twilight zone", + "Twin", + "Twin Falls", + "twinkler", + "Tyrolean Alps", + "Tyne", + "River Tyne", + "Tyne River", + "Tyrrhenian Sea", + "Ulugh Muztagh", + "Ulugh Muz Tagh", + "Uncompahgre Peak", + "unit", + "building block", + "unit cell", + "United States waters", + "U.S. waters", + "universe", + "existence", + "creation", + "world", + "cosmos", + "macrocosm", + "uphill", + "upper mantle", + "Upper Peninsula", + "up quark", + "Urals", + "Ural Mountains", + "Uranus", + "urolith", + "Urubupunga", + "Urubupunga Falls", + "Uruguay River", + "vagabond", + "valence electron", + "valley", + "vale", + "variable", + "variable star", + "variable", + "vector", + "transmitter", + "vector-borne transmission", + "Vega", + "vehicle-borne transmission", + "vein", + "mineral vein", + "Vela", + "vent", + "volcano", + "Venus", + "Vesta", + "vesture", + "Vetluga", + "Vetluga River", + "Victoria", + "Victoria Falls", + "viral delivery vector", + "Virgo", + "Vistula", + "Vistula River", + "Volans", + "volcanic crater", + "crater", + "volcano", + "Volga", + "Volga River", + "Volkhov", + "Volkhov River", + "Volta", + "Vulpecula", + "Wabash", + "Wabash River", + "wadi", + "wall", + "wall", + "wallow", + "wall rock", + "warren", + "rabbit warren", + "wash", + "dry wash", + "wasp's nest", + "wasps' nest", + "hornet's nest", + "hornets' nest", + "watercourse", + "waterfall", + "falls", + "water gap", + "water hole", + "waterside", + "water system", + "water table", + "water level", + "groundwater level", + "waterway", + "weakener", + "weakly interacting massive particle", + "WIMP", + "web", + "webbing", + "Weddell Sea", + "Weisshorn", + "Weser", + "Weser River", + "wetland", + "Wheeler Peak", + "whinstone", + "whin", + "White", + "White River", + "white dwarf", + "white dwarf star", + "White Nile", + "White Sea", + "white water", + "whitewater", + "Whitney", + "Mount Whitney", + "Wight", + "Isle of Wight", + "Wilderness", + "Willamette", + "Willamette River", + "Wilson", + "Mount Wilson", + "wind gap", + "window", + "Windward Passage", + "Winnipeg", + "Lake Winnipeg", + "Wisconsin", + "Wisconsin River", + "wonderland", + "world", + "wormcast", + "wormhole", + "xenolith", + "Yalu", + "Yalu River", + "Chang Jiang", + "Changjiang", + "Chang", + "Yangtze", + "Yangtze River", + "Yangtze Kiang", + "Yazoo", + "Yazoo River", + "Yellow Sea", + "Huang Hai", + "Yellowstone", + "Yellowstone River", + "Yenisei", + "Yenisei River", + "Yenisey", + "Yenisey River", + "Yerupaja", + "Yosemite", + "Yosemite Falls", + "Yukon", + "Yukon River", + "Zambezi", + "Zambezi River", + "Zhu Jiang", + "Canton River", + "Chu Kiang", + "Pearl River", + "Zuider Zee", + "imaginary being", + "imaginary creature", + "hypothetical creature", + "extraterrestrial being", + "extraterrestrial", + "alien", + "mythical being", + "Augeas", + "Alcyone", + "Halcyon", + "Arjuna", + "legendary creature", + "abominable snowman", + "yeti", + "Bigfoot", + "Sasquatch", + "Demogorgon", + "doppelganger", + "Loch Ness monster", + "Nessie", + "sea serpent", + "bogeyman", + "bugbear", + "bugaboo", + "boogeyman", + "booger", + "Death", + "Gargantua", + "Grim Reaper", + "Reaper", + "giant", + "hobbit", + "Maxwell's demon", + "mermaid", + "merman", + "Martian", + "Argus", + "Cadmus", + "Calypso", + "sea nymph", + "Cyclops", + "giantess", + "ogre", + "ogress", + "Humpty Dumpty", + "Jack Frost", + "Mammon", + "Scylla", + "Stentor", + "monster", + "mythical monster", + "mythical creature", + "amphisbaena", + "basilisk", + "centaur", + "Cerberus", + "hellhound", + "Charon", + "Chimera", + "Chimaera", + "Chiron", + "Circe", + "cockatrice", + "Dardanus", + "dragon", + "firedrake", + "Fafnir", + "Ganymede", + "Geryon", + "Gorgon", + "Grace", + "Aglaia", + "Euphrosyne", + "Thalia", + "gryphon", + "griffin", + "griffon", + "Harpy", + "Hydra", + "Hyperborean", + "Hypnos", + "leviathan", + "Niobe", + "Perseus", + "Andromeda", + "Cepheus", + "Cassiopeia", + "Medusa", + "Stheno", + "Euryale", + "manticore", + "mantichora", + "manticora", + "mantiger", + "Midas", + "Sisyphus", + "Minotaur", + "Morpheus", + "Narcissus", + "Nemean lion", + "Nibelung", + "Nibelung", + "Bellerophon", + "Paris", + "Patroclus", + "Pegasus", + "phoenix", + "Python", + "roc", + "salamander", + "Sarpedon", + "Siegfried", + "Sigurd", + "Sphinx", + "troll", + "Typhoeus", + "Typhon", + "werewolf", + "wolfman", + "lycanthrope", + "loup-garou", + "witch", + "wyvern", + "wivern", + "nature", + "supernatural", + "occult", + "spiritual being", + "supernatural being", + "theurgy", + "first cause", + "prime mover", + "primum mobile", + "control", + "destiny", + "fate", + "spiritual leader", + "deity", + "divinity", + "god", + "immortal", + "daemon", + "demigod", + "Fury", + "Eumenides", + "Erinyes", + "Alecto", + "Megaera", + "Tisiphone", + "sea god", + "sun god", + "Celtic deity", + "Amaethon", + "Ana", + "Angus Og", + "Aengus", + "Oengus", + "Angus", + "Arawn", + "Arianrhod", + "Arianrod", + "Boann", + "Brigit", + "Dagda", + "Danu", + "Dana", + "Don", + "Dylan", + "Epona", + "Fomor", + "Fomorian", + "Gwydion", + "Gwyn", + "Lir", + "Ler", + "Llew Llaw Gyffes", + "LLud", + "Llyr", + "Lug", + "Lugh", + "Manannan", + "Manawydan", + "Manawyddan", + "Morrigan", + "Morrigu", + "Tuatha De Danann", + "Tuatha De", + "Egyptian deity", + "Amen", + "Amon", + "Amun", + "Amen-Ra", + "Amon-Ra", + "Amun Ra", + "Anubis", + "Anpu", + "Aten", + "Aton", + "Bast", + "Geb", + "Keb", + "Horus", + "Isis", + "Khepera", + "Min", + "Nephthys", + "Nut", + "Osiris", + "Ptah", + "Ra", + "Re", + "Sekhet", + "Eye of Ra", + "Set", + "Seth", + "Thoth", + "Semitic deity", + "Adad", + "Adapa", + "Anshar", + "Antum", + "Anu", + "Anunnaki", + "Enuki", + "Apsu", + "Aruru", + "Ashur", + "Ashir", + "Astarte", + "Ashtoreth", + "Ishtar", + "Mylitta", + "Baal", + "Bel", + "Dagon", + "Dagan", + "Damkina", + "Damgalnunna", + "Dumuzi", + "Tammuz", + "Ea", + "Enki", + "Enlil", + "En-lil", + "Ereshkigal", + "Eresh-kigal", + "Ereshkigel", + "Girru", + "Gula", + "Igigi", + "Inanna", + "Ki", + "Kishar", + "Lilith", + "Mama", + "Marduk", + "Merodach", + "Baal Merodach", + "Bel-Merodach", + "Moloch", + "Molech", + "Nabu", + "Nebo", + "Nammu", + "Namtar", + "Namtaru", + "Nanna", + "Nergal", + "Nina", + "Ningal", + "Ningirsu", + "Ningishzida", + "Ninkhursag", + "Ninhursag", + "Ninkharsag", + "Nintu", + "Nintoo", + "Ninurta", + "Ninib", + "Nusku", + "Ramman", + "Sarpanitu", + "Zirbanit", + "Zarpanit", + "Shamash", + "Sin", + "Tashmit", + "Tashmitum", + "Tiamat", + "Utnapishtim", + "Utu", + "Utug", + "Zu", + "Zubird", + "Enkidu", + "Gilgamish", + "Hindu deity", + "Aditi", + "Aditya", + "Agni", + "Asura", + "Ahura", + "Asvins", + "Bhaga", + "Brahma", + "Brihaspati", + "Bhumi Devi", + "Devi", + "Chandi", + "Dharma", + "Durga", + "Dyaus", + "Dyaus-pitar", + "Ganesh", + "Ganesa", + "Ganesha", + "Ganapati", + "Garuda", + "Gauri", + "Hanuman", + "Indra", + "Ka", + "Kali", + "Kama", + "Mara", + "Kartikeya", + "Karttikeya", + "Lakshmi", + "Marut", + "Mitra", + "Parjanya", + "Parvati", + "Anapurna", + "Annapurna", + "Prajapati", + "Praxiteles", + "Pushan", + "Rahu", + "Ribhus", + "Rhibhus", + "Rudra", + "Sarasvati", + "Savitar", + "Shakti", + "Sakti", + "Siva", + "Shiva", + "Bairava", + "Skanda", + "Soma", + "Surya", + "Uma", + "Ushas", + "Vajra", + "Varuna", + "Vayu", + "Vishnu", + "Yama", + "avatar", + "Jagannath", + "Jagannatha", + "Jagganath", + "Juggernaut", + "Kalki", + "Krishna", + "Rama", + "Ramachandra", + "Sita", + "Balarama", + "Parashurama", + "Persian deity", + "Mithras", + "Mithra", + "Ormazd", + "Ormuzd", + "Ahura Mazda", + "Ahriman", + "Buddha", + "Siddhartha", + "Gautama", + "Gautama Siddhartha", + "Gautama Buddha", + "Bodhisattva", + "Boddhisatva", + "Maitreya", + "Avalokitesvara", + "Avalokiteshvara", + "Arhat", + "Arhant", + "lohan", + "Buddha", + "Chinese deity", + "Chang Kuo", + "Chang Kuo-lao", + "Wen Ch'ang", + "Wen-Ti", + "Taoist Trinity", + "Tien-pao", + "Heavenly Jewel", + "Ling-pao", + "Mystic Jewel", + "Shen-pao", + "Spiritual Jewel", + "Chuang-tzu", + "Kwan-yin", + "Kuan Yin", + "Japanese deity", + "Amaterasu", + "Amaterasu Omikami", + "Hachiman", + "Hotei", + "Izanagi", + "Izanami", + "Kami", + "Kwannon", + "Ninigi", + "Ninigino-Mikoto", + "goddess", + "earth-god", + "earth god", + "earth-goddess", + "earth goddess", + "earth mother", + "God", + "Supreme Being", + "Godhead", + "Lord", + "Creator", + "Maker", + "Divine", + "God Almighty", + "Almighty", + "Jehovah", + "eon", + "aeon", + "Trinity", + "Holy Trinity", + "Blessed Trinity", + "Sacred Trinity", + "Father", + "Father-God", + "Fatherhood", + "Son", + "Word", + "Logos", + "Messiah", + "Messiah", + "messiah", + "christ", + "Holy Ghost", + "Holy Spirit", + "Paraclete", + "hypostasis", + "hypostasis of Christ", + "Yahweh", + "YHWH", + "Yahwe", + "Yahveh", + "YHVH", + "Yahve", + "Wahvey", + "Jahvey", + "Jahweh", + "Jehovah", + "JHVH", + "Allah", + "demiurge", + "faun", + "angel", + "archangel", + "Gabriel", + "Michael", + "Raphael", + "cherub", + "seraph", + "guardian spirit", + "guardian angel", + "genius loci", + "divine messenger", + "fairy", + "faery", + "faerie", + "fay", + "sprite", + "elf", + "hob", + "gremlin", + "pixie", + "pixy", + "brownie", + "imp", + "fairy godmother", + "gnome", + "dwarf", + "undine", + "leprechaun", + "sandman", + "Morgan le Fay", + "Puck", + "Robin Goodfellow", + "evil spirit", + "bad fairy", + "bogey", + "bogy", + "bogie", + "devil", + "fiend", + "demon", + "daemon", + "daimon", + "cacodemon", + "cacodaemon", + "eudemon", + "eudaemon", + "good spirit", + "incubus", + "succubus", + "succuba", + "dybbuk", + "dibbuk", + "Satan", + "Old Nick", + "Devil", + "Lucifer", + "Beelzebub", + "the Tempter", + "Prince of Darkness", + "ghoul", + "goblin", + "hob", + "hobgoblin", + "kelpy", + "kelpie", + "vampire", + "lamia", + "banshee", + "banshie", + "genie", + "jinni", + "jinnee", + "djinni", + "djinny", + "djinn", + "shaitan", + "shaytan", + "eblis", + "houri", + "familiar", + "familiar spirit", + "spirit", + "disembodied spirit", + "trickster", + "ghost", + "poltergeist", + "Oberson", + "Titania", + "tooth fairy", + "water sprite", + "water nymph", + "water spirit", + "peri", + "apparition", + "phantom", + "phantasm", + "phantasma", + "fantasm", + "specter", + "spectre", + "Flying Dutchman", + "presence", + "Adonis", + "Greco-Roman deity", + "Graeco-Roman deity", + "satyr", + "forest god", + "Silenus", + "silenus", + "nymph", + "Echo", + "Hesperides", + "Atlantides", + "Hyades", + "Oread", + "Pleiades", + "Sterope", + "Asterope", + "water nymph", + "Daphne", + "naiad", + "Nereid", + "Thetis", + "Oceanid", + "dryad", + "wood nymph", + "Salmacis", + "hamadryad", + "Greek deity", + "Roman deity", + "Olympian", + "Olympic god", + "Aeolus", + "Aether", + "Apollo", + "Phoebus", + "Phoebus Apollo", + "Pythius", + "Aphrodite", + "Cytherea", + "Hero", + "Leander", + "Pygmalion", + "Galatea", + "Venus", + "Urania", + "Ares", + "Eris", + "Thanatos", + "Mors", + "Mars", + "Nyx", + "Rhea Silvia", + "Rea Silvia", + "Romulus", + "Remus", + "Artemis", + "Cynthia", + "Boreas", + "Diana", + "Ate", + "Athena", + "Athene", + "Pallas", + "Pallas Athena", + "Pallas Athene", + "Minerva", + "Chaos", + "Cronus", + "Dido", + "Saturn", + "Demeter", + "Ceres", + "Dionysus", + "Doris", + "Aesculapius", + "Asclepius", + "Asklepios", + "Bacchus", + "Erebus", + "Nox", + "Night", + "Eros", + "Cupid", + "Amor", + "Daedalus", + "Daedal", + "Damon and Pythias", + "Gaea", + "Gaia", + "Ge", + "Hebe", + "Helios", + "Icarus", + "Sol", + "Hecate", + "Hephaestus", + "Hephaistos", + "Vulcan", + "Hermes", + "Hermaphroditus", + "Mercury", + "Hygeia", + "Panacea", + "Hera", + "Here", + "Io", + "Janus", + "Juno", + "Hestia", + "Vesta", + "Hymen", + "Hyperion", + "Minos", + "Ariadne", + "Moirai", + "Moirae", + "Parcae", + "Clotho", + "Klotho", + "Lachesis", + "Atropos", + "Momus", + "Momos", + "Muse", + "Calliope", + "Clio", + "Erato", + "Euterpe", + "Melpomene", + "Polyhymnia", + "Terpsichore", + "Thalia", + "Urania", + "Nemesis", + "Nereus", + "Nike", + "Victoria", + "Ouranos", + "Uranus", + "Pan", + "goat god", + "Faunus", + "Pasiphae", + "Pontus", + "Pontos", + "Poseidon", + "Proteus", + "Neptune", + "Persephone", + "Despoina", + "Kore", + "Cora", + "Procrustes", + "Proserpina", + "Proserpine", + "Phaethon", + "Pluto", + "Hades", + "Aides", + "Aidoneus", + "Dis", + "Orcus", + "Pythia", + "Pythoness", + "Priapus", + "Rhadamanthus", + "Selene", + "Luna", + "Eos", + "Eurydice", + "Orion", + "Orpheus", + "Aurora", + "Tellus", + "Titan", + "Titaness", + "Triton", + "Tyche", + "Fortuna", + "Zephyr", + "Zeus", + "Jupiter", + "Jove", + "Jupiter Fulgur", + "Jupiter Fulminator", + "Lightning Hurler", + "Jupiter Tonans", + "Thunderer", + "Jupiter Pluvius", + "Rain-giver", + "Jupiter Optimus Maximus", + "Best and Greatest", + "Jupiter Fidius", + "Protector of Boundaries", + "Oceanus", + "Cocus", + "Crius", + "Iapetus", + "vestal virgin", + "Atlas", + "Epimetheus", + "Prometheus", + "Thea", + "Theia", + "Rhea", + "Ops", + "Sylvanus", + "Silvanus", + "Agdistis", + "Themis", + "Mnemosyne", + "Phoebe", + "Tethys", + "Psyche", + "Leto", + "Latona", + "Hercules", + "Heracles", + "Herakles", + "Alcides", + "Pandora", + "Norse deity", + "Aesir", + "Andvari", + "Vanir", + "Balder", + "Baldr", + "Bragi", + "Brage", + "Elli", + "Forseti", + "Frey", + "Freyr", + "Freya", + "Freyja", + "Frigg", + "Frigga", + "Heimdall", + "Heimdal", + "Heimdallr", + "Hel", + "Hela", + "Hoenir", + "Hoth", + "Hothr", + "Hoder", + "Hodr", + "Hodur", + "Idun", + "Ithunn", + "Jotun", + "Jotunn", + "Loki", + "Mimir", + "Nanna", + "Njord", + "Njorth", + "Norn", + "weird sister", + "Urd", + "Urth", + "Verdandi", + "Verthandi", + "Skuld", + "Odin", + "Sif", + "Sigyn", + "Thor", + "Tyr", + "Tyrr", + "Ull", + "Ullr", + "Vali", + "Vitharr", + "Vithar", + "Vidar", + "Fenrir", + "Volund", + "Yggdrasil", + "Ygdrasil", + "Ymir", + "Wayland", + "Wayland the Smith", + "Wieland", + "Teutonic deity", + "Donar", + "Nerthus", + "Hertha", + "Wotan", + "Anglo-Saxon deity", + "Tiu", + "Woden", + "Wodan", + "Wyrd", + "Weird", + "Adam", + "Eve", + "Cain", + "Abel", + "Seth", + "fictional character", + "fictitious character", + "character", + "Ajax", + "Aladdin", + "Argonaut", + "Babar", + "Beatrice", + "Beowulf", + "Bluebeard", + "Bond", + "James Bond", + "Brunhild", + "Brunnhilde", + "Brynhild", + "Valkyrie", + "Brer Rabbit", + "Bunyan", + "Paul Bunyan", + "John Henry", + "Cheshire cat", + "Chicken Little", + "Cinderella", + "Colonel Blimp", + "Dracula", + "Jason", + "Medea", + "Laertes", + "Odysseus", + "Ulysses", + "Penelope", + "Theseus", + "Tantalus", + "Phrygian deity", + "Cybele", + "Dindymene", + "Great Mother", + "Magna Mater", + "Mater Turrita", + "Achilles", + "Aeneas", + "Atreus", + "Agamemnon", + "Menelaus", + "Iphigenia", + "Clytemnestra", + "Aegisthus", + "Orestes", + "Cassandra", + "Antigone", + "Creon", + "Jocasta", + "Electra", + "Laocoon", + "Laius", + "Myrmidon", + "Oedipus", + "King Oedipus", + "Oedipus Rex", + "Tiresias", + "Peleus", + "Don Quixote", + "El Cid", + "Fagin", + "Falstaff", + "Sir John Falstaff", + "Father Brown", + "Faust", + "Faustus", + "Frankenstein", + "Frankenstein", + "Frankenstein's monster", + "Goofy", + "Gulliver", + "Hamlet", + "Hector", + "Helen", + "Helen of Troy", + "Horatio Hornblower", + "Captain Horatio Hornblower", + "Iago", + "Inspector Maigret", + "Commissaire Maigret", + "Kilroy", + "Lear", + "King Lear", + "Leda", + "Lilliputian", + "Marlowe", + "Philip Marlowe", + "Mephistopheles", + "Micawber", + "Wilkins Micawber", + "Mother Goose", + "Mr. Moto", + "Othello", + "Pangloss", + "Pantaloon", + "Pantaloon", + "Perry Mason", + "Peter Pan", + "Pied Piper", + "Pied Piper of Hamelin", + "Pierrot", + "Pluto", + "Huckleberry Finn", + "Huck Finn", + "Rip van Winkle", + "Ruritanian", + "Tarzan", + "Tarzan of the Apes", + "Tom Sawyer", + "Uncle Remus", + "Uncle Tom", + "Uncle Sam", + "Sherlock Holmes", + "Holmes", + "Simon Legree", + "Sinbad the Sailor", + "Sinbad", + "Snoopy", + "self", + "number one", + "adult", + "grownup", + "adventurer", + "venturer", + "anomalist", + "anomaly", + "unusual person", + "anachronism", + "Ananias", + "apache", + "applicant", + "applier", + "appointee", + "appointment", + "argonaut", + "Ashkenazi", + "attendant", + "attender", + "attendee", + "meeter", + "auctioneer", + "behaviorist", + "behaviourist", + "benefactor", + "helper", + "benefactress", + "capitalist", + "captor", + "capturer", + "caster", + "changer", + "modifier", + "coadjutor", + "cofounder", + "color-blind person", + "commoner", + "common man", + "common person", + "communicator", + "Conservative Jew", + "conservator", + "constituent", + "contestee", + "contester", + "Contra", + "contrapuntist", + "contrarian", + "consumer", + "contadino", + "contestant", + "coon", + "cosigner", + "cosignatory", + "cosigner", + "coward", + "creator", + "defender", + "guardian", + "protector", + "shielder", + "defender", + "withstander", + "discussant", + "disputant", + "controversialist", + "eristic", + "engineer", + "applied scientist", + "technologist", + "enologist", + "oenologist", + "fermentologist", + "ensign", + "entertainer", + "eulogist", + "panegyrist", + "excavator", + "ex-gambler", + "ex-mayor", + "experimenter", + "experimenter", + "expert", + "exponent", + "ex-president", + "face", + "female", + "female person", + "finisher", + "finisher", + "finisher", + "individualist", + "inhabitant", + "habitant", + "dweller", + "denizen", + "indweller", + "native", + "indigen", + "indigene", + "aborigine", + "aboriginal", + "native", + "innocent", + "inexperienced person", + "intellectual", + "intellect", + "juvenile", + "juvenile person", + "lover", + "lover", + "loved one", + "leader", + "male", + "male person", + "mediator", + "go-between", + "intermediator", + "intermediary", + "intercessor", + "mediatrix", + "money handler", + "money dealer", + "monochromat", + "naprapath", + "national", + "subject", + "nativist", + "nonreligious person", + "nonworker", + "peer", + "equal", + "match", + "compeer", + "perceiver", + "percipient", + "observer", + "beholder", + "percher", + "precursor", + "forerunner", + "preteen", + "preteenager", + "primitive", + "primitive person", + "prize winner", + "lottery winner", + "recipient", + "receiver", + "religious person", + "religionist", + "sensualist", + "ticket agent", + "booking clerk", + "ticket holder", + "traveler", + "traveller", + "unfortunate", + "unfortunate person", + "unwelcome person", + "persona non grata", + "unpleasant person", + "disagreeable person", + "unskilled person", + "worker", + "wrongdoer", + "offender", + "African", + "Black African", + "Afrikaner", + "Afrikander", + "Boer", + "Aryan", + "Indo-European", + "Aryan", + "person of color", + "person of colour", + "Black", + "Black person", + "blackamoor", + "Negro", + "Negroid", + "Negress", + "Black race", + "Negroid race", + "Negro race", + "African-American", + "African American", + "Afro-American", + "Black American", + "Black man", + "Black woman", + "soul brother", + "colored person", + "colored", + "darky", + "darkie", + "darkey", + "boy", + "nigger", + "nigga", + "spade", + "coon", + "jigaboo", + "nigra", + "Tom", + "Uncle Tom", + "mulatto", + "quadroon", + "octoroon", + "White", + "White person", + "Caucasian", + "White race", + "White people", + "Caucasoid race", + "Caucasian race", + "Circassian", + "Abkhaz", + "Abkhazian", + "Abkhas", + "Abkhasian", + "paleface", + "Semite", + "Babylonian", + "Chaldean", + "Chaldaean", + "Chaldee", + "Assyrian", + "Kassite", + "Cassite", + "Elamite", + "Phoenician", + "white man", + "white woman", + "white trash", + "poor white trash", + "whitey", + "honky", + "honkey", + "honkie", + "WASP", + "white Anglo-Saxon Protestant", + "Asian", + "Asiatic", + "Asian American", + "coolie", + "cooly", + "Oriental", + "oriental person", + "Yellow race", + "Mongoloid race", + "Mongolian race", + "yellow man", + "yellow woman", + "gook", + "slant-eye", + "Evenki", + "Ewenki", + "Mongol", + "Mongolian", + "Tatar", + "Udmurt", + "Votyak", + "Tatar", + "Tartar", + "Mongol Tatar", + "Amerindian", + "Native American", + "Indian", + "American Indian", + "Red Indian", + "brave", + "Abnaki", + "Abenaki", + "Achomawi", + "Akwa'ala", + "Alabama", + "Algonkian", + "Algonkin", + "Algonquian", + "Algonquin", + "Anasazi", + "Atakapa", + "Attacapan", + "Athapaskan", + "Athapascan", + "Athabaskan", + "Athabascan", + "Indian race", + "Amerindian race", + "Mayan", + "Maya", + "Nahuatl", + "Aztec", + "Olmec", + "Toltec", + "Zapotec", + "Zapotecan", + "Plains Indian", + "Buffalo Indian", + "Apache", + "Arapaho", + "Arapahoe", + "Arikara", + "Aricara", + "Atsugewi", + "Biloxi", + "Blackfoot", + "Brule", + "Caddo", + "Cakchiquel", + "Catawba", + "Cayuga", + "Cherokee", + "Cheyenne", + "Chickasaw", + "Chimakum", + "Chimariko", + "Chinook", + "Chipewyan", + "Choctaw", + "Cochimi", + "Cocopa", + "Cocopah", + "Coeur d'Alene", + "Comanche", + "Conoy", + "Costanoan", + "Cree", + "Creek", + "Crow", + "Dakota", + "Delaware", + "Dhegiha", + "Diegueno", + "Erie", + "Esselen", + "Essene", + "Eyeish", + "Fox", + "Haida", + "Halchidhoma", + "Havasupai", + "Hidatsa", + "Gros Ventre", + "Hitchiti", + "Hopi", + "Hokan", + "Hoka", + "Hunkpapa", + "Hupa", + "Illinois", + "Iowa", + "Ioway", + "Iroquois", + "Kalapooia", + "Kalapuya", + "Calapooya", + "Calapuya", + "Kamia", + "Kansa", + "Kansas", + "Karok", + "Kekchi", + "Kichai", + "Kickapoo", + "Kiliwa", + "Kiliwi", + "Kiowa", + "Koasati", + "Kusan", + "Kwakiutl", + "Maidu", + "Malecite", + "Mam", + "Maricopa", + "Massachuset", + "Massachusetts", + "Mattole", + "Menomini", + "Menominee", + "Miniconju", + "Missouri", + "Miami", + "Micmac", + "Mikmaq", + "Miwok", + "Mohave", + "Mojave", + "Mohawk", + "Mohican", + "Mahican", + "Muskhogean", + "Muskogean", + "Muskogee", + "Nanticoke", + "Navaho", + "Navajo", + "Nez Perce", + "Nootka", + "Ofo", + "Oglala", + "Ogalala", + "Ojibwa", + "Ojibway", + "Chippewa", + "Omaha", + "Maha", + "Osage", + "Oneida", + "Onondaga", + "Oto", + "Otoe", + "Ottawa", + "Paiute", + "Piute", + "Pamlico", + "Passamaquody", + "Patwin", + "Pawnee", + "Penobscot", + "Penutian", + "Pima", + "Pomo", + "Ponca", + "Ponka", + "Potawatomi", + "Powhatan", + "Pueblo", + "kachina", + "Quapaw", + "Quiche", + "Redskin", + "Injun", + "red man", + "Salish", + "Santee", + "Santee Sioux", + "Santee Dakota", + "Eastern Sioux", + "Sauk", + "Sac", + "Seminole", + "Seneca", + "Shahaptian", + "Sahaptin", + "Sahaptino", + "Shasta", + "Shawnee", + "Shoshone", + "Shoshoni", + "Sihasapa", + "Sioux", + "Siouan", + "Teton", + "Lakota", + "Teton Sioux", + "Teton Dakota", + "Skagit", + "Takelma", + "Taos", + "Taracahitian", + "Cahita", + "Tarahumara", + "Tlingit", + "Tsimshian", + "Tuscarora", + "Tutelo", + "Two Kettle", + "Ute", + "Wakashan", + "Wampanoag", + "Walapai", + "Hualapai", + "Hualpai", + "Wichita", + "Winnebago", + "Wintun", + "Yahi", + "Yana", + "Yavapai", + "Yokuts", + "Yucatec", + "Yucateco", + "Yuma", + "Zuni", + "Indian race", + "Indian", + "Assamese", + "Dravidian", + "Badaga", + "Gadaba", + "Gond", + "Kanarese", + "Canarese", + "Kolam", + "Kota", + "Kotar", + "Kui", + "Malto", + "Savara", + "Tamil", + "Telugu", + "Toda", + "Tulu", + "Gujarati", + "Gujerati", + "Kashmiri", + "Oriya", + "Punjabi", + "Panjabi", + "Maratha", + "Mahratta", + "Aborigine", + "Abo", + "Aboriginal", + "native Australian", + "Australian Aborigine", + "Slavic people", + "Slavic race", + "Slav", + "Acadian", + "Cajun", + "Anabaptist", + "Mennonite", + "Amish", + "Dunker", + "Dunkard", + "Tunker", + "Christian", + "Christian Scientist", + "Adventist", + "Second Adventist", + "gentile", + "gentile", + "non-Jew", + "goy", + "gentile", + "Protestant", + "Friend", + "Quaker", + "Catholic", + "non-Catholic", + "Anglican Catholic", + "Greek Catholic", + "Roman Catholic", + "papist", + "Old Catholic", + "Uniat", + "Uniate", + "Uniate Christian", + "Copt", + "Jew", + "Hebrew", + "Israelite", + "Jewess", + "kike", + "hymie", + "sheeny", + "yid", + "Muslim", + "Moslem", + "Islamist", + "Almoravid", + "Jihadist", + "Shiite", + "Shi'ite", + "Shiite Muslim", + "Shi'ite Muslim", + "Shia Muslim", + "Sunnite", + "Sunni", + "Sunni Muslim", + "Buddhist", + "Zen Buddhist", + "Mahayanist", + "Hinayanist", + "Lamaist", + "Tantrist", + "Hindu", + "Hindoo", + "swami", + "chela", + "Jainist", + "Hare Krishna", + "Shaktist", + "Shivaist", + "Vaishnava", + "Shintoist", + "Rastafarian", + "Rasta", + "Mithraist", + "Zoroastrian", + "Eurafrican", + "Eurasian", + "European", + "sahib", + "memsahib", + "Celt", + "Kelt", + "Gael", + "Briton", + "Gaul", + "Galatian", + "Frank", + "Salian Frank", + "Salian", + "Teuton", + "Afghan", + "Afghanistani", + "Kafir", + "Pathan", + "Pashtun", + "Pushtun", + "Pashtoon", + "Albanian", + "Algerian", + "Altaic", + "Armenian", + "Andorran", + "Angolan", + "Angolese", + "Anguillan", + "Antiguan", + "Argentinian", + "Australian", + "Aussie", + "Austronesian", + "Austrian", + "Bahamian", + "Bahraini", + "Bahreini", + "Bangladeshi", + "Basotho", + "Basque", + "Bengali", + "Bantu", + "Herero", + "Hutu", + "Luba", + "Chiluba", + "Sotho", + "Tswana", + "Bechuana", + "Batswana", + "Tutsi", + "Watutsi", + "Watusi", + "Barbadian", + "Belgian", + "Beninese", + "Bermudan", + "Bermudian", + "Bhutanese", + "Bhutani", + "Bolivian", + "Bornean", + "Brazilian", + "Carioca", + "Tupi", + "Guarani", + "Maraco", + "Bruneian", + "Bulgarian", + "Burmese", + "Burundian", + "Byelorussian", + "Belorussian", + "White Russian", + "Byzantine", + "Cambodian", + "Kampuchean", + "Cameroonian", + "Canadian", + "French Canadian", + "Canuck", + "Carthaginian", + "Cebuan", + "Central American", + "Chadian", + "Chewa", + "Cewa", + "Chichewa", + "Chilean", + "Chinese", + "chink", + "Chinaman", + "Colombian", + "Congolese", + "Costa Rican", + "Cuban", + "Cypriot", + "Cypriote", + "Cyprian", + "Czechoslovakian", + "Czechoslovak", + "Czech", + "Czech", + "Slovak", + "Dane", + "Dutch", + "Dutch people", + "Frisian", + "Zealander", + "Djiboutian", + "East Indian", + "Ecuadorian", + "Ecuadoran", + "Egyptian", + "Copt", + "Salvadoran", + "Salvadorian", + "Salvadorean", + "Britisher", + "Briton", + "Brit", + "English person", + "Englishman", + "Englishwoman", + "Anglo-Saxon", + "Anglo-Saxon", + "Anglo-Indian", + "Angle", + "Saxon", + "West Saxon", + "Jute", + "Lombard", + "Langobard", + "limey", + "John Bull", + "pommy", + "pom", + "Cantabrigian", + "Cornishman", + "Cornishwoman", + "Lancastrian", + "Lancastrian", + "Geordie", + "Hanoverian", + "Liverpudlian", + "Scouser", + "Londoner", + "Cockney", + "Mancunian", + "Oxonian", + "Ethiopian", + "Ewe", + "Fulani", + "Fula", + "Fulah", + "Fellata", + "Fulbe", + "Amhara", + "Eritrean", + "Fijian", + "Finn", + "Fleming", + "Komi", + "Cheremis", + "Cheremiss", + "Mari", + "Ingrian", + "Inger", + "Ingerman", + "Karelian", + "Carelian", + "Ostyak", + "Khanty", + "Livonian", + "Latvian", + "Lithuanian", + "Mordva", + "Mordvin", + "Mordvinian", + "Nganasan", + "Selkup", + "Ostyak-Samoyed", + "Samoyed", + "Veps", + "Vepse", + "Vepsian", + "Vogul", + "Mansi", + "Yeniseian", + "Frenchman", + "Frenchwoman", + "French person", + "frog", + "Gaul", + "Parisian", + "Parisienne", + "Breton", + "Savoyard", + "Angevin", + "Angevine", + "Balkan", + "Castillian", + "Creole", + "Creole", + "Cretan", + "Minoan", + "Gabonese", + "Greek", + "Hellene", + "Achaean", + "Achaian", + "Aeolian", + "Eolian", + "Dorian", + "Ionian", + "Athenian", + "Corinthian", + "Laconian", + "Lesbian", + "Spartan", + "Arcadian", + "Theban", + "Theban", + "Thracian", + "Guatemalan", + "Guyanese", + "Haitian", + "Honduran", + "Malay", + "Malayan", + "Moro", + "Netherlander", + "Dutchman", + "Hollander", + "Norman", + "Palestinian", + "Palestinian Arab", + "Hindu", + "Hindoo", + "Hindustani", + "Hmong", + "Miao", + "Hungarian", + "Magyar", + "Icelander", + "Indonesian", + "Irani", + "Iranian", + "Persian", + "Iraqi", + "Iraki", + "Irish person", + "Irelander", + "Irishman", + "Irishwoman", + "Dubliner", + "Paddy", + "Mick", + "Mickey", + "Israelite", + "Israeli", + "sabra", + "Italian", + "wop", + "dago", + "ginzo", + "Guinea", + "greaseball", + "Etruscan", + "Neopolitan", + "Roman", + "Roman", + "Sabine", + "Venetian", + "Sicilian", + "Tuscan", + "Oscan", + "Samnite", + "Jamaican", + "Japanese", + "Nipponese", + "Ryukyuan", + "Jap", + "Nip", + "Jordanian", + "Korean", + "North Korean", + "South Korean", + "Kenyan", + "Kurd", + "Kuwaiti", + "Lao", + "Laotian", + "Lapp", + "Lapplander", + "Sami", + "Saami", + "Same", + "Saame", + "Latin American", + "Latino", + "spic", + "spik", + "spick", + "Lebanese", + "Levantine", + "Liberian", + "Libyan", + "Liechtensteiner", + "Luxemburger", + "Luxembourger", + "Macedonian", + "Madagascan", + "Malawian", + "Malaysian", + "Sabahan", + "Maldivian", + "Maldivan", + "Malian", + "Mauritanian", + "Mauritian", + "Mexican", + "Chicano", + "greaser", + "wetback", + "taco", + "Mexican-American", + "Mexicano", + "Montserratian", + "Moor", + "Moroccan", + "Mozambican", + "Namibian", + "Nauruan", + "Nepalese", + "Nepali", + "Gurkha", + "Gurkha", + "New Zealander", + "Kiwi", + "Nicaraguan", + "Nigerian", + "Hausa", + "Haussa", + "Nigerien", + "North American", + "Norwegian", + "Norseman", + "Norse", + "Nova Scotian", + "bluenose", + "Omani", + "Pakistani", + "Brahui", + "Sindhi", + "Panamanian", + "Paraguayan", + "Parthian", + "Peruvian", + "South American Indian", + "Carib", + "Carib Indian", + "Quechua", + "Kechua", + "Inca", + "Inka", + "Incan", + "Inca", + "Filipino", + "Pole", + "polack", + "Polynesian", + "Portuguese", + "Qatari", + "Katari", + "Romanian", + "Rumanian", + "Russian", + "Great Russian", + "Muscovite", + "Georgian", + "Samoan", + "Saudi", + "Saudi Arabian", + "Arab", + "Arabian", + "San Marinese", + "Sarawakian", + "Scandinavian", + "Norse", + "Northman", + "Viking", + "Scot", + "Scotsman", + "Scotchman", + "Scotswoman", + "Scotchwoman", + "Senegalese", + "Seychellois", + "Siberian", + "Sierra Leonean", + "Slovene", + "South African", + "South American", + "Spaniard", + "Sinhalese", + "Singhalese", + "Sudanese", + "Swazi", + "Swede", + "British", + "British people", + "Brits", + "English", + "English people", + "Irish", + "Irish people", + "French", + "French people", + "Sherpa", + "Spanish", + "Spanish people", + "Swiss", + "Swiss people", + "Syrian", + "Damascene", + "Khmer", + "Tahitian", + "Taiwanese", + "Tajik", + "Tadzhik", + "Tanzanian", + "Thai", + "Tai", + "Siamese", + "Tibetan", + "Togolese", + "Tuareg", + "Tunisian", + "Turk", + "Tyrolean", + "Ottoman", + "Ottoman Turk", + "Osmanli", + "Turki", + "Azerbaijani", + "Chuvash", + "effendi", + "Karakalpak", + "Kazak", + "Kazakh", + "Kazakhstani", + "Kirghiz", + "Kirgiz", + "Khirghiz", + "Turkoman", + "Turkmen", + "Turcoman", + "Uighur", + "Uigur", + "Uygur", + "Uzbek", + "Uzbeg", + "Uzbak", + "Usbek", + "Usbeg", + "Ugandan", + "Ukranian", + "Yakut", + "Tungusic", + "Tungus", + "Evenk", + "Manchu", + "Khalkha", + "Khalka", + "Kalka", + "Edo", + "Igbo", + "Yoruba", + "American", + "American", + "American Revolutionary leader", + "Anglo-American", + "Alabaman", + "Alabamian", + "Alaskan", + "Alaska Native", + "Alaskan Native", + "Native Alaskan", + "Arizonan", + "Arizonian", + "Arkansan", + "Arkansawyer", + "Bay Stater", + "Bostonian", + "Californian", + "Carolinian", + "Coloradan", + "Connecticuter", + "Delawarean", + "Delawarian", + "Floridian", + "Franco-American", + "German American", + "Georgian", + "Hawaiian", + "Native Hawaiian", + "Idahoan", + "Illinoisan", + "Indianan", + "Hoosier", + "Iowan", + "Kansan", + "Kentuckian", + "Bluegrass Stater", + "Louisianan", + "Louisianian", + "Mainer", + "Down Easter", + "Marylander", + "Michigander", + "Wolverine", + "Minnesotan", + "Gopher", + "Mississippian", + "Missourian", + "Montanan", + "Nebraskan", + "Cornhusker", + "Nevadan", + "New Hampshirite", + "Granite Stater", + "New Jerseyan", + "New Jerseyite", + "Garden Stater", + "New Mexican", + "New Yorker", + "North Carolinian", + "Tarheel", + "North Dakotan", + "Ohioan", + "Buckeye", + "Oklahoman", + "Sooner", + "Oregonian", + "Beaver", + "Pennsylvanian", + "Keystone Stater", + "Rhode Islander", + "South Carolinian", + "South Dakotan", + "Tennessean", + "Volunteer", + "Texan", + "Utahan", + "Vermonter", + "Virginian", + "Washingtonian", + "Washingtonian", + "West Virginian", + "Wisconsinite", + "Badger", + "Wyomingite", + "Puerto Rican", + "Yankee", + "Yank", + "Yankee-Doodle", + "Uruguayan", + "Venezuelan", + "Vietnamese", + "Annamese", + "Welshman", + "Welsh", + "Cambrian", + "Cymry", + "Gambian", + "Maltese", + "German", + "Teuton", + "East German", + "Kraut", + "Krauthead", + "Boche", + "Jerry", + "Hun", + "Berliner", + "West Berliner", + "Prussian", + "Junker", + "Ghanian", + "Gibraltarian", + "Glaswegian", + "Grenadian", + "Guinean", + "Rwandan", + "Singaporean", + "Slovenian", + "Somalian", + "Somali", + "Sri Lankan", + "Sumatran", + "Papuan", + "Tongan", + "Trojan", + "Dardan", + "Dardanian", + "Walloon", + "Yemeni", + "Yugoslav", + "Jugoslav", + "Yugoslavian", + "Jugoslavian", + "Serbian", + "Serb", + "Croatian", + "Croat", + "Sorbian", + "Xhosa", + "Zairese", + "Zairean", + "Zambian", + "Zimbabwean", + "Zulu", + "Aries", + "Ram", + "Taurus", + "Bull", + "Gemini", + "Twin", + "Cancer", + "Crab", + "Leo", + "Lion", + "Virgo", + "Virgin", + "Libra", + "Balance", + "Scorpio", + "Scorpion", + "Sagittarius", + "Archer", + "Capricorn", + "Goat", + "Aquarius", + "Water Bearer", + "Pisces", + "Fish", + "abandoned person", + "abator", + "abbe", + "abbess", + "mother superior", + "prioress", + "abbot", + "archimandrite", + "abjurer", + "abnegator", + "abominator", + "loather", + "abridger", + "abbreviator", + "abstractor", + "abstracter", + "absconder", + "absolutist", + "absolver", + "abdicator", + "abecedarian", + "aberrant", + "abettor", + "abetter", + "abhorrer", + "abiogenist", + "able seaman", + "able-bodied seaman", + "abolitionist", + "emancipationist", + "abomination", + "autochthon", + "abortionist", + "abrogator", + "abseiler", + "rappeller", + "absentee", + "AWOL", + "abstainer", + "abstinent", + "nondrinker", + "abstainer", + "ascetic", + "abstractionist", + "abstract artist", + "abuser", + "maltreater", + "abutter", + "academic administrator", + "academician", + "academic", + "faculty member", + "academician", + "schoolman", + "academician", + "acceptor", + "accessory", + "accessary", + "accessory after the fact", + "accessory before the fact", + "accessory during the fact", + "companion", + "accommodation endorser", + "accompanist", + "accompanyist", + "accomplice", + "confederate", + "accordionist", + "accountant", + "comptroller", + "controller", + "account executive", + "account representative", + "registered representative", + "customer's broker", + "customer's man", + "accused", + "defendant", + "suspect", + "accuser", + "ace", + "adept", + "champion", + "sensation", + "maven", + "mavin", + "virtuoso", + "genius", + "hotshot", + "star", + "superstar", + "whiz", + "whizz", + "wizard", + "wiz", + "achiever", + "winner", + "success", + "succeeder", + "acid head", + "acolyte", + "acoustician", + "acquaintance", + "friend", + "acquirer", + "acrobat", + "aerialist", + "action officer", + "active", + "active citizen", + "actor", + "histrion", + "player", + "thespian", + "role player", + "actor", + "doer", + "worker", + "actor's agent", + "theatrical agent", + "actress", + "adder", + "addict", + "addict", + "nut", + "freak", + "junkie", + "junky", + "addressee", + "adducer", + "adjudicator", + "adjunct", + "adjuster", + "adjustor", + "claims adjuster", + "claims adjustor", + "claim agent", + "adjutant", + "aide", + "aide-de-camp", + "adjutant general", + "administrator", + "executive", + "administrator", + "administrator", + "decision maker", + "admiral", + "full admiral", + "admirer", + "adorer", + "admirer", + "admonisher", + "monitor", + "reminder", + "adolescent", + "stripling", + "teenager", + "teen", + "adoptee", + "adoptive parent", + "adopter", + "adulterator", + "adulterer", + "fornicator", + "adulteress", + "fornicatress", + "hussy", + "jade", + "loose woman", + "slut", + "strumpet", + "trollop", + "advancer", + "adventuress", + "adversary", + "antagonist", + "opponent", + "opposer", + "resister", + "adverse witness", + "hostile witness", + "advertiser", + "advertizer", + "adman", + "advisee", + "adviser", + "advisor", + "consultant", + "advocate", + "advocator", + "proponent", + "exponent", + "advocate", + "counsel", + "counselor", + "counsellor", + "counselor-at-law", + "pleader", + "aeronautical engineer", + "aerospace engineer", + "aerophile", + "affiant", + "affiliate", + "affine", + "affluent", + "aficionado", + "aficionado", + "agent", + "factor", + "broker", + "agent", + "buck sergeant", + "business agent", + "literary agent", + "agent-in-place", + "agent provocateur", + "provocateur", + "aggravator", + "annoyance", + "aggressor", + "agitator", + "fomenter", + "agnostic", + "agnostic", + "doubter", + "agonist", + "agony aunt", + "agricultural laborer", + "agricultural labourer", + "agriculturist", + "agriculturalist", + "cultivator", + "grower", + "raiser", + "agronomist", + "aide", + "auxiliary", + "air attache", + "aircraftsman", + "aircraftman", + "aircrewman", + "air force officer", + "commander", + "airhead", + "air marshal", + "sky marshal", + "air traveler", + "air traveller", + "alarmist", + "albino", + "alcalde", + "alchemist", + "alcoholic", + "alky", + "dipsomaniac", + "boozer", + "lush", + "soaker", + "souse", + "alderman", + "Aleut", + "Aleutian", + "Alexandrian", + "alexic", + "Ali Baba", + "alien absconder", + "alienator", + "alienee", + "grantee", + "alienist", + "alienor", + "aliterate", + "aliterate person", + "algebraist", + "allegorizer", + "allegoriser", + "allergist", + "alleviator", + "alliterator", + "allocator", + "distributor", + "all-rounder", + "all arounder", + "ally", + "friend", + "almoner", + "medical social worker", + "alphabetizer", + "alphabetiser", + "almsgiver", + "alpinist", + "Alsatian", + "altar boy", + "alter ego", + "alto", + "alto saxophonist", + "altoist", + "alumnus", + "alumna", + "alum", + "graduate", + "grad", + "amateur", + "amateur", + "amalgamator", + "Amazon", + "amazon", + "virago", + "maenad", + "ambassador", + "embassador", + "ambassador", + "ambassadress", + "ambulance chaser", + "ambusher", + "amicus curiae", + "friend of the court", + "amigo", + "amnesic", + "amnesiac", + "amora", + "amoralist", + "amorist", + "amputator", + "amputee", + "anagnost", + "analogist", + "analphabet", + "analphabetic", + "analysand", + "analyst", + "psychoanalyst", + "analyst", + "credit analyst", + "financial analyst", + "securities analyst", + "industry analyst", + "oil-industry analyst", + "market analyst", + "market strategist", + "analyst", + "anarchist", + "nihilist", + "syndicalist", + "anathema", + "bete noire", + "anatomist", + "ancestor", + "ascendant", + "ascendent", + "antecedent", + "root", + "ancestress", + "anchor", + "anchorman", + "anchorperson", + "ancient", + "ancient", + "antediluvian", + "anecdotist", + "raconteur", + "anesthesiologist", + "anesthetist", + "anaesthetist", + "angel", + "backer", + "angiologist", + "angler", + "troller", + "angler", + "anglophile", + "anglophil", + "anglophobe", + "animal fancier", + "animator", + "animist", + "annalist", + "annihilator", + "annotator", + "announcer", + "announcer", + "annuitant", + "anointer", + "anorexic", + "anorectic", + "antediluvian", + "antediluvian patriarch", + "anthologist", + "anthropoid", + "ape", + "anthropologist", + "anti", + "anti-American", + "anticipator", + "anticipant", + "antinomian", + "antipope", + "antiquary", + "antiquarian", + "archaist", + "anti-Semite", + "Jew-baiter", + "Anzac", + "ape-man", + "aphakic", + "aphasic", + "aphorist", + "apologist", + "vindicator", + "justifier", + "Apostle", + "Apostle", + "Apostelic Father", + "apostle", + "apostolic delegate", + "Appalachian", + "apparatchik", + "apparatchik", + "appeaser", + "appellant", + "plaintiff in error", + "apple polisher", + "bootlicker", + "fawner", + "groveller", + "groveler", + "truckler", + "appointee", + "apprehender", + "April fool", + "aquanaut", + "oceanaut", + "aspirant", + "aspirer", + "hopeful", + "wannabe", + "wannabee", + "apprentice", + "learner", + "prentice", + "appraiser", + "valuator", + "appraiser", + "authenticator", + "appreciator", + "appropriator", + "approver", + "Arabist", + "Aramean", + "Aramaean", + "Arawak", + "Arawakan", + "arbiter", + "arbitrator", + "umpire", + "arbitrageur", + "arbitrager", + "arb", + "arbiter", + "supreme authority", + "archaist", + "archdeacon", + "archduchess", + "archduke", + "archeologist", + "archaeologist", + "archbishop", + "archer", + "bowman", + "architect", + "designer", + "archivist", + "archpriest", + "hierarch", + "high priest", + "prelate", + "primate", + "Areopagite", + "Argive", + "arianist", + "aristocrat", + "blue blood", + "patrician", + "Aristotelian", + "Aristotelean", + "Peripatetic", + "arithmetician", + "armchair liberal", + "armiger", + "armiger", + "armor-bearer", + "armorer", + "armourer", + "artificer", + "armorer", + "armourer", + "arms manufacturer", + "army attache", + "army brat", + "army engineer", + "military engineer", + "army officer", + "arranger", + "adapter", + "transcriber", + "arrival", + "arriver", + "comer", + "arrogator", + "arrowsmith", + "arsonist", + "incendiary", + "firebug", + "art critic", + "art dealer", + "art director", + "art editor", + "art historian", + "arthritic", + "articulator", + "artilleryman", + "cannoneer", + "gunner", + "machine gunner", + "illustrator", + "artist", + "creative person", + "artiste", + "artist's model", + "sitter", + "art student", + "art teacher", + "ascender", + "ass", + "assassin", + "assassinator", + "bravo", + "assassin", + "assayer", + "assemblyman", + "assemblywoman", + "assenter", + "asserter", + "declarer", + "affirmer", + "asseverator", + "avower", + "assessee", + "asshole", + "bastard", + "cocksucker", + "dickhead", + "shit", + "mother fucker", + "motherfucker", + "prick", + "whoreson", + "son of a bitch", + "SOB", + "assignee", + "assignor", + "assistant", + "helper", + "help", + "supporter", + "assistant professor", + "associate", + "associate", + "associate professor", + "asthmatic", + "astrogator", + "astrologer", + "astrologist", + "astronaut", + "spaceman", + "cosmonaut", + "astronomer", + "uranologist", + "stargazer", + "astrophysicist", + "cosmographer", + "cosmographist", + "cosmologist", + "atavist", + "throwback", + "atheist", + "athlete", + "jock", + "attache", + "attacker", + "aggressor", + "assailant", + "assaulter", + "attendant", + "attender", + "tender", + "attester", + "attestant", + "attorney general", + "auditor", + "auditor", + "augur", + "auspex", + "aunt", + "auntie", + "aunty", + "au pair", + "au pair girl", + "auteur", + "authoress", + "authoritarian", + "dictator", + "authority", + "authority", + "authority figure", + "authorizer", + "authoriser", + "autobiographer", + "autodidact", + "automaton", + "zombi", + "zombie", + "automobile mechanic", + "auto-mechanic", + "car-mechanic", + "mechanic", + "grease monkey", + "automotive engineer", + "avenger", + "retaliator", + "aviator", + "aeronaut", + "airman", + "flier", + "flyer", + "aviatrix", + "airwoman", + "aviatress", + "avower", + "ayah", + "ayatollah", + "baas", + "babu", + "baboo", + "baby", + "babe", + "sister", + "baby", + "baby", + "babe", + "infant", + "baby", + "baby boomer", + "boomer", + "baby buster", + "buster", + "baby doctor", + "pediatrician", + "pediatrist", + "paediatrician", + "baby farmer", + "babyminder", + "baby minder", + "minder", + "babysitter", + "baby-sitter", + "sitter", + "bacchant", + "bacchante", + "bacchant", + "bacchanal", + "bachelor", + "unmarried man", + "bachelor girl", + "bachelorette", + "back", + "backbencher", + "back judge", + "backpacker", + "packer", + "backroom boy", + "brain truster", + "backscratcher", + "backseat driver", + "backslapper", + "backstroker", + "bacteriologist", + "bad egg", + "bad guy", + "bad person", + "bag", + "old bag", + "baggage", + "baggageman", + "bag lady", + "bagman", + "Bahai", + "bailee", + "bailiff", + "bailor", + "bairn", + "baker", + "bread maker", + "baker", + "balancer", + "baldhead", + "baldpate", + "baldy", + "balker", + "baulker", + "noncompliant", + "ball boy", + "ball-buster", + "ball-breaker", + "ball carrier", + "runner", + "ballerina", + "danseuse", + "ballet dancer", + "ballet master", + "ballet mistress", + "balletomane", + "ball hawk", + "balloonist", + "ballplayer", + "baseball player", + "bulimic", + "bullfighter", + "toreador", + "banderillero", + "matador", + "novillero", + "picador", + "torero", + "bandit", + "brigand", + "bandleader", + "bandmaster", + "bandsman", + "bank commissioner", + "banker", + "banker", + "bank examiner", + "bank guard", + "bank manager", + "bank robber", + "bankrupt", + "insolvent", + "bantamweight", + "bantamweight", + "Baptist", + "barber", + "bard", + "bar fly", + "bargainer", + "bargain hunter", + "baritone", + "barytone", + "barker", + "barmaid", + "barnburner", + "barnstormer", + "stunt flier", + "stunt pilot", + "barnstormer", + "playactor", + "play-actor", + "trouper", + "baron", + "big businessman", + "business leader", + "king", + "magnate", + "mogul", + "power", + "top executive", + "tycoon", + "baron", + "baron", + "baronet", + "Bart", + "barrator", + "barrater", + "barrister", + "bartender", + "barman", + "barkeep", + "barkeeper", + "mixologist", + "barterer", + "baseball coach", + "baseball manager", + "base runner", + "runner", + "basileus", + "basketball coach", + "basketball player", + "basketeer", + "cager", + "basketweaver", + "basketmaker", + "Basket Maker", + "bass", + "basso", + "bassist", + "bassoonist", + "bastard", + "by-blow", + "love child", + "illegitimate child", + "illegitimate", + "whoreson", + "baster", + "tacker", + "baster", + "baroness", + "bat boy", + "bather", + "batman", + "baton twirler", + "twirler", + "batter", + "hitter", + "slugger", + "batsman", + "batting coach", + "battle-ax", + "battle-axe", + "Bavarian", + "bawler", + "beachcomber", + "beadle", + "beadsman", + "bedesman", + "bean counter", + "bear", + "beard", + "beast", + "wolf", + "savage", + "brute", + "wildcat", + "beater", + "beatnik", + "beat", + "beautician", + "cosmetician", + "beauty consultant", + "bedfellow", + "bedfellow", + "Bedouin", + "Beduin", + "bedwetter", + "bed wetter", + "wetter", + "beekeeper", + "apiarist", + "apiculturist", + "beer drinker", + "ale drinker", + "beggar", + "mendicant", + "beggarman", + "beggarwoman", + "begum", + "beldam", + "beldame", + "bel esprit", + "believer", + "worshiper", + "worshipper", + "theist", + "Taoist", + "Tao", + "believer", + "truster", + "bellboy", + "bellman", + "bellhop", + "bell captain", + "belle", + "bell founder", + "bell ringer", + "bellwether", + "belly dancer", + "exotic belly dancer", + "exotic dancer", + "beloved", + "dear", + "dearest", + "honey", + "love", + "belt maker", + "bench warmer", + "benedick", + "benedict", + "beneficiary", + "donee", + "Berber", + "bereaved", + "bereaved person", + "berk", + "berserker", + "berserk", + "besieger", + "besieger", + "best", + "topper", + "best friend", + "best man", + "betrothed", + "better", + "bettor", + "better", + "wagerer", + "punter", + "taker", + "bey", + "bey", + "B-girl", + "bar girl", + "bibliographer", + "bibliophile", + "booklover", + "book lover", + "bibliopole", + "bibliopolist", + "bibliotist", + "bidder", + "bidder", + "bigamist", + "big brother", + "Big Brother", + "bigot", + "big shot", + "big gun", + "big wheel", + "big cheese", + "big deal", + "big enchilada", + "big fish", + "head honcho", + "big sister", + "bilingual", + "bilingualist", + "billiard player", + "bill poster", + "poster", + "bill sticker", + "bimbo", + "bimetallist", + "biochemist", + "biographer", + "biologist", + "life scientist", + "biophysicist", + "bird fancier", + "bird watcher", + "birder", + "birth", + "birth-control campaigner", + "birth-control reformer", + "bisexual", + "bisexual person", + "bishop", + "biter", + "Black and Tan", + "black belt", + "blackmailer", + "extortioner", + "extortionist", + "black marketeer", + "Black Muslim", + "Black Panther", + "Blackshirt", + "blacksmith", + "blade", + "blasphemer", + "blaster", + "chargeman", + "bleacher", + "bleeding heart", + "blind date", + "blind person", + "blocker", + "blogger", + "blond", + "blonde", + "blood brother", + "blood donor", + "blubberer", + "bludgeoner", + "blue baby", + "bluecoat", + "bluejacket", + "navy man", + "sailor", + "sailor boy", + "bluestocking", + "bas bleu", + "bluffer", + "four-flusher", + "boatbuilder", + "boatman", + "boater", + "waterman", + "boatswain", + "bos'n", + "bo's'n", + "bosun", + "bo'sun", + "boarder", + "boarder", + "bobby", + "bobbysoxer", + "bobby-socker", + "bodybuilder", + "muscle builder", + "muscle-builder", + "musclebuilder", + "muscleman", + "bodyguard", + "escort", + "body servant", + "boffin", + "bohemian", + "Bohemian", + "Bolshevik", + "Marxist", + "red", + "bolshie", + "bolshy", + "Bolshevik", + "Bolshevist", + "bombardier", + "bombardier", + "bomber", + "bombshell", + "bondholder", + "bondman", + "bondsman", + "bondman", + "bondsman", + "bondwoman", + "bondswoman", + "bondmaid", + "bondwoman", + "bondswoman", + "bondmaid", + "bondsman", + "bondswoman", + "bond servant", + "bonesetter", + "book agent", + "bookbinder", + "bookdealer", + "book seller", + "booker", + "booking agent", + "bookkeeper", + "bookmaker", + "bookie", + "bookmaker", + "bookseller", + "bookworm", + "booster", + "shoplifter", + "lifter", + "bootblack", + "shoeblack", + "bootlegger", + "moonshiner", + "bootmaker", + "boot maker", + "borderer", + "border patrolman", + "bore", + "dullard", + "borrower", + "born-again Christian", + "boss", + "hirer", + "Boswell", + "botanist", + "phytologist", + "plant scientist", + "bottom dog", + "bottom feeder", + "boulevardier", + "bouncer", + "chucker-out", + "bounder", + "leaper", + "bounty hunter", + "bounty hunter", + "Bourbon", + "Bourbon", + "bourgeois", + "burgher", + "bowler", + "bowler", + "boxer", + "pugilist", + "Boxer", + "boy", + "slugger", + "slogger", + "cub", + "lad", + "laddie", + "sonny", + "sonny boy", + "boyfriend", + "fellow", + "beau", + "swain", + "young man", + "ex-boyfriend", + "Boy Scout", + "boy scout", + "boy wonder", + "bragger", + "braggart", + "boaster", + "blowhard", + "line-shooter", + "vaunter", + "bracero", + "brachycephalic", + "brahman", + "brahmin", + "brahman", + "brahmin", + "brainworker", + "brain-worker", + "brakeman", + "brass hat", + "brawler", + "breadwinner", + "breaker", + "ledgeman", + "breaststroker", + "breeder", + "stock breeder", + "brewer", + "brewer", + "beer maker", + "briber", + "suborner", + "brick", + "bricklayer", + "bride", + "bride", + "bridesmaid", + "maid of honor", + "bridge agent", + "bridge partner", + "bridge player", + "hand", + "brigadier", + "brigadier general", + "broad", + "broadcaster", + "broadcast journalist", + "broker-dealer", + "broth of a boy", + "broth of a man", + "brother", + "blood brother", + "Brother", + "brother", + "brother", + "comrade", + "brother-in-law", + "Brownie", + "Brownshirt", + "browser", + "Brummie", + "Brummy", + "brunet", + "brunette", + "buddy", + "brother", + "chum", + "crony", + "pal", + "sidekick", + "bugler", + "builder", + "constructor", + "builder", + "bull", + "bruiser", + "strapper", + "Samson", + "bull", + "bull", + "cop", + "copper", + "fuzz", + "pig", + "bully", + "tough", + "hooligan", + "ruffian", + "roughneck", + "rowdy", + "yob", + "yobo", + "yobbo", + "bully", + "bullyboy", + "bungler", + "blunderer", + "fumbler", + "bumbler", + "stumbler", + "sad sack", + "botcher", + "butcher", + "fuckup", + "bunkmate", + "bunny", + "bunny girl", + "bunter", + "bureaucrat", + "administrative official", + "burgess", + "burgher", + "burglar", + "burgomaster", + "burgrave", + "burgrave", + "bursar", + "busboy", + "waiter's assistant", + "bushman", + "Bushman", + "bushwhacker", + "business editor", + "businessman", + "man of affairs", + "businesswoman", + "businessperson", + "bourgeois", + "business traveler", + "busker", + "busman", + "bus driver", + "buster", + "buster", + "bronco buster", + "broncobuster", + "buster", + "busybody", + "nosy-parker", + "nosey-parker", + "quidnunc", + "butch", + "dike", + "dyke", + "butcher", + "slaughterer", + "butcher", + "butcher", + "meatman", + "butler", + "pantryman", + "butt", + "goat", + "laughingstock", + "stooge", + "butter", + "butterfingers", + "buttinsky", + "buyer", + "purchaser", + "emptor", + "vendee", + "bystander", + "Cabalist", + "Kabbalist", + "cabalist", + "kabbalist", + "cabalist", + "cabin boy", + "cabinetmaker", + "furniture maker", + "cabinet minister", + "cad", + "bounder", + "blackguard", + "dog", + "hound", + "heel", + "caddie", + "golf caddie", + "cadet", + "plebe", + "caffeine addict", + "caffein addict", + "Cairene", + "caitiff", + "calculator", + "reckoner", + "figurer", + "estimator", + "computer", + "number cruncher", + "caliph", + "calif", + "kaliph", + "kalif", + "khalif", + "khalifah", + "caller", + "company", + "caller", + "caller-up", + "phoner", + "telephoner", + "caller", + "caller", + "caller", + "caller-out", + "caller", + "caller", + "call girl", + "calligrapher", + "calligraphist", + "Calvinist", + "Genevan", + "cameraman", + "camera operator", + "cinematographer", + "campaigner", + "candidate", + "nominee", + "camper", + "Campfire Girl", + "camp follower", + "camp follower", + "campmate", + "Canaanite", + "canary", + "candidate", + "prospect", + "candlemaker", + "candy striper", + "cannibal", + "man-eater", + "anthropophagus", + "anthropophagite", + "cannon fodder", + "fodder", + "fresh fish", + "canoeist", + "paddler", + "canon", + "canonist", + "cantor", + "hazan", + "canvasser", + "Capetian", + "capitalist", + "capo", + "captain", + "headwaiter", + "maitre d'hotel", + "maitre d'", + "captain", + "senior pilot", + "captain", + "skipper", + "captain", + "police captain", + "police chief", + "captain", + "captain", + "chieftain", + "captive", + "captive", + "carbineer", + "carabineer", + "carabinier", + "cardholder", + "cardholder", + "cardinal", + "cardiologist", + "heart specialist", + "heart surgeon", + "card player", + "cardsharp", + "card sharp", + "cardsharper", + "card sharper", + "sharper", + "sharpie", + "sharpy", + "card shark", + "career girl", + "careerist", + "career man", + "caregiver", + "caretaker", + "caretaker", + "carhop", + "caricaturist", + "carillonneur", + "caroler", + "caroller", + "Carolingian", + "Carlovingian", + "carpenter", + "carper", + "niggler", + "carpetbagger", + "carpet knight", + "carrier", + "immune carrier", + "carrier", + "newsboy", + "carrier", + "bearer", + "toter", + "carter", + "Cartesian", + "Carthusian", + "cartographer", + "map maker", + "cartoonist", + "cartwright", + "Casanova", + "case", + "case officer", + "cashier", + "castaway", + "shipwreck survivor", + "castrato", + "casualty", + "injured party", + "casualty", + "casuist", + "sophist", + "cat", + "Catalan", + "cataleptic", + "cataloger", + "cataloguer", + "catalyst", + "catamite", + "catch", + "match", + "catcher", + "backstop", + "catechist", + "catechumen", + "neophyte", + "caterer", + "Catholicos", + "cat fancier", + "cattleman", + "cow man", + "beef man", + "Cavalier", + "Royalist", + "cavalier", + "chevalier", + "cavalryman", + "trooper", + "cavalryman", + "trooper", + "caveman", + "cave man", + "cave dweller", + "troglodyte", + "celebrant", + "celebrant", + "celebrator", + "celebrater", + "celebrity", + "famous person", + "celibate", + "cellist", + "violoncellist", + "censor", + "censor", + "census taker", + "enumerator", + "centenarian", + "center", + "snapper", + "center", + "center", + "centrist", + "middle of the roader", + "moderate", + "moderationist", + "centurion", + "certified public accountant", + "CPA", + "chachka", + "tsatske", + "tshatshke", + "tchotchke", + "tchotchkeleh", + "chain-smoker", + "chairman of the board", + "Chaldean", + "Chaldaean", + "Chaldee", + "chamberlain", + "chamberlain", + "chambermaid", + "fille de chambre", + "chameleon", + "champion", + "fighter", + "hero", + "paladin", + "champion", + "champ", + "title-holder", + "chancellor", + "chancellor", + "premier", + "prime minister", + "Prime Minister", + "PM", + "premier", + "Chancellor of the Exchequer", + "Chancellor", + "chandler", + "wax-chandler", + "chandler", + "changeling", + "chap", + "fellow", + "feller", + "fella", + "lad", + "gent", + "blighter", + "cuss", + "bloke", + "chaperon", + "chaperone", + "chaplain", + "chapman", + "prison chaplain", + "chauffeur", + "chauffeuse", + "character", + "eccentric", + "type", + "case", + "character actor", + "character witness", + "charcoal burner", + "charge", + "charge d'affaires", + "charge of quarters", + "charioteer", + "charmer", + "beguiler", + "chartered accountant", + "charter member", + "chartist", + "technical analyst", + "Chartist", + "charwoman", + "char", + "cleaning woman", + "cleaning lady", + "woman", + "chatelaine", + "chatterer", + "babbler", + "prater", + "chatterbox", + "magpie", + "spouter", + "chauvinist", + "jingoist", + "jingo", + "flag-waver", + "hundred-percenter", + "patrioteer", + "chauvinist", + "antifeminist", + "male chauvinist", + "sexist", + "cheapjack", + "cheapskate", + "tightwad", + "chebab", + "Chechen", + "checker", + "checker", + "check girl", + "hatcheck girl", + "cheerer", + "cheerleader", + "cheerleader", + "cheesemonger", + "chemist", + "Cheops", + "Khufu", + "cherub", + "chess master", + "chess player", + "chewer", + "chichi", + "Chief Constable", + "chief executive officer", + "CEO", + "chief operating officer", + "chief financial officer", + "CFO", + "chief justice", + "chief of staff", + "chief petty officer", + "Chief Secretary", + "child", + "kid", + "youngster", + "minor", + "shaver", + "nipper", + "small fry", + "tiddler", + "tike", + "tyke", + "fry", + "nestling", + "child", + "kid", + "child", + "baby", + "child", + "child prodigy", + "infant prodigy", + "wonder child", + "chimneysweeper", + "chimneysweep", + "sweep", + "chiropractor", + "chiropodist", + "foot doctor", + "podiatrist", + "chit", + "choirboy", + "choirmaster", + "precentor", + "cantor", + "choker", + "choragus", + "choreographer", + "chorister", + "chorus girl", + "showgirl", + "chorine", + "chosen", + "chronicler", + "Chukchi", + "chump", + "fool", + "gull", + "mark", + "patsy", + "fall guy", + "sucker", + "soft touch", + "mug", + "chutzpanik", + "Church Father", + "Father of the Church", + "Father", + "churchgoer", + "church member", + "churchwarden", + "church officer", + "cicerone", + "cigarette smoker", + "cigar smoker", + "Cinderella", + "cipher", + "cypher", + "nobody", + "nonentity", + "circus acrobat", + "citizen", + "city editor", + "city father", + "city man", + "city slicker", + "city boy", + "civic leader", + "civil leader", + "civil engineer", + "civilian", + "civil libertarian", + "civil rights leader", + "civil rights worker", + "civil rights activist", + "civil servant", + "claimant", + "claim jumper", + "clairvoyant", + "clapper", + "applauder", + "clarinetist", + "clarinettist", + "classic", + "classicist", + "classicist", + "classical scholar", + "classifier", + "claustrophobe", + "cleaner", + "cleaner", + "dry cleaner", + "clergyman", + "reverend", + "man of the cloth", + "cleric", + "churchman", + "divine", + "ecclesiastic", + "clericalist", + "clerk", + "clever Dick", + "clever clogs", + "cliff dweller", + "climatologist", + "climber", + "clinician", + "clip artist", + "cloakmaker", + "furrier", + "clock watcher", + "clocksmith", + "clockmaker", + "closer", + "finisher", + "closer", + "closet queen", + "clothier", + "haberdasher", + "clown", + "buffoon", + "goof", + "goofball", + "merry andrew", + "clown", + "buffoon", + "clumsy person", + "coach", + "private instructor", + "tutor", + "coach", + "manager", + "handler", + "line coach", + "pitching coach", + "coachbuilder", + "coachman", + "coalman", + "coal miner", + "collier", + "pitman", + "coaster", + "coaster", + "coastguardsman", + "coauthor", + "joint author", + "cobber", + "cobbler", + "shoemaker", + "cocaine addict", + "cocksucker", + "codefendant", + "co-defendant", + "codetalker", + "windtalker", + "codger", + "old codger", + "co-beneficiary", + "co-discoverer", + "co-ed", + "college girl", + "cog", + "cognitive neuroscientist", + "cognitive scientist", + "coiffeur", + "coiffeuse", + "coiner", + "minter", + "moneyer", + "coiner", + "coiner", + "cold fish", + "collaborator", + "cooperator", + "partner", + "pardner", + "collaborator", + "collaborationist", + "quisling", + "colleague", + "confrere", + "fellow", + "colleague", + "co-worker", + "fellow worker", + "workfellow", + "collector", + "gatherer", + "accumulator", + "collector", + "aggregator", + "colleen", + "college student", + "university student", + "collegian", + "college man", + "college boy", + "colonel", + "Colonel Blimp", + "Blimp", + "colonial", + "colonialist", + "colonizer", + "coloniser", + "coloratura", + "coloratura soprano", + "color bearer", + "standard-bearer", + "color guard", + "color sergeant", + "colorist", + "Colossian", + "colossus", + "behemoth", + "giant", + "heavyweight", + "titan", + "columnist", + "editorialist", + "combatant", + "battler", + "belligerent", + "fighter", + "scrapper", + "combat pilot", + "comber", + "comedian", + "comic", + "comedian", + "comedienne", + "comedienne", + "comer", + "comfort woman", + "ianfu", + "commander", + "commander", + "commander in chief", + "generalissimo", + "commanding officer", + "commandant", + "commander", + "commando", + "ranger", + "commentator", + "reviewer", + "commercial artist", + "commissar", + "political commissar", + "commissionaire", + "commissioned officer", + "commissioned military officer", + "commissioned naval officer", + "commissioner", + "commissioner", + "committee member", + "committeeman", + "committeewoman", + "couch potato", + "councilman", + "council member", + "councillor", + "councilwoman", + "commodore", + "communicant", + "communist", + "commie", + "Communist", + "commuter", + "companion", + "comrade", + "fellow", + "familiar", + "associate", + "companion", + "fellow traveler", + "fellow traveller", + "company man", + "company operator", + "comparative anatomist", + "compere", + "compiler", + "complexifier", + "composer", + "compositor", + "typesetter", + "setter", + "typographer", + "Comptroller General", + "Comptroller of the Currency", + "compulsive", + "computational linguist", + "computer expert", + "computer guru", + "computer scientist", + "computer user", + "Comrade", + "concert-goer", + "music lover", + "concessionaire", + "concessioner", + "conchologist", + "concierge", + "conciliator", + "make-peace", + "pacifier", + "peacemaker", + "reconciler", + "concubine", + "courtesan", + "doxy", + "paramour", + "conductor", + "music director", + "director", + "conductor", + "conditioner", + "conductress", + "confectioner", + "candymaker", + "confederate", + "collaborator", + "henchman", + "partner in crime", + "Confederate", + "Confederate soldier", + "conferee", + "conferee", + "conferrer", + "confessor", + "confessor", + "confidant", + "intimate", + "confidante", + "confidence man", + "con man", + "con artist", + "swindler", + "defrauder", + "chiseller", + "chiseler", + "gouger", + "scammer", + "grifter", + "Confucian", + "Confucianist", + "congregant", + "Congregationalist", + "congressman", + "congresswoman", + "representative", + "rep", + "connection", + "connection", + "connoisseur", + "cognoscente", + "conqueror", + "vanquisher", + "conquistador", + "conscientious objector", + "CO", + "conservative", + "conservativist", + "Conservative", + "conformist", + "nonconformist", + "recusant", + "Nonconformist", + "chapelgoer", + "Anglican", + "consignee", + "consigner", + "consignor", + "consort", + "conspirator", + "coconspirator", + "plotter", + "machinator", + "constable", + "constable", + "police constable", + "constitutionalist", + "construction worker", + "hard hat", + "constructivist", + "consul", + "consumptive", + "lunger", + "tubercular", + "contact", + "middleman", + "contemplative", + "contemporary", + "coeval", + "contortionist", + "contractor", + "contractor", + "contractor", + "declarer", + "contralto", + "contributor", + "control freak", + "convalescent", + "convener", + "conventioneer", + "conversationalist", + "conversationist", + "schmoozer", + "Converso", + "convert", + "conveyancer", + "conveyer", + "conveyor", + "convict", + "con", + "inmate", + "yard bird", + "yardbird", + "convict", + "cook", + "chef", + "cookie", + "cooky", + "cooper", + "barrel maker", + "coordinator", + "copartner", + "copilot", + "co-pilot", + "coppersmith", + "copycat", + "imitator", + "emulator", + "ape", + "aper", + "copy editor", + "copyreader", + "text editor", + "copyist", + "scribe", + "scrivener", + "copywriter", + "coquette", + "flirt", + "vamp", + "vamper", + "minx", + "tease", + "prickteaser", + "cordon bleu", + "coreligionist", + "corespondent", + "co-respondent", + "cornerback", + "cornhusker", + "coroner", + "medical examiner", + "corporal", + "corporate executive", + "business executive", + "corporatist", + "correspondent", + "letter writer", + "correspondent", + "newspaperman", + "newspaperwoman", + "newswriter", + "pressman", + "corsair", + "Barbary pirate", + "cosmetician", + "cosmetologist", + "cosmetic surgeon", + "plastic surgeon", + "cosmopolitan", + "cosmopolite", + "Cossack", + "cost accountant", + "co-star", + "costermonger", + "barrow-man", + "barrow-boy", + "costumier", + "costumer", + "costume designer", + "cotenant", + "cottager", + "cottage dweller", + "cotter", + "cottier", + "cotter", + "cottar", + "counselor", + "counsellor", + "counselor", + "counsellor", + "count", + "count palatine", + "counter", + "counterdemonstrator", + "counterperson", + "counterwoman", + "counterman", + "counterrevolutionist", + "counter-revolutionist", + "counterrevolutionary", + "counterterrorist", + "counterspy", + "mole", + "countertenor", + "countess", + "country doctor", + "compatriot", + "compromiser", + "countryman", + "countrywoman", + "countryman", + "ruralist", + "countrywoman", + "county agent", + "agricultural agent", + "extension agent", + "coureur de bois", + "courser", + "courtier", + "cousin", + "first cousin", + "cousin-german", + "full cousin", + "couturier", + "fashion designer", + "clothes designer", + "designer", + "cover girl", + "pin-up", + "lovely", + "cow", + "cowboy", + "cowpuncher", + "puncher", + "cowman", + "cattleman", + "cowpoke", + "cowhand", + "cowherd", + "cowboy", + "cowboy", + "rodeo rider", + "vaquero", + "buckaroo", + "buckeroo", + "cowgirl", + "coxcomb", + "cockscomb", + "coxswain", + "cox", + "coyote", + "coyote", + "crab", + "crabby person", + "crack addict", + "binger", + "cracker", + "crackpot", + "crank", + "nut", + "nut case", + "fruitcake", + "screwball", + "craftsman", + "artisan", + "journeyman", + "artificer", + "craftsman", + "crafter", + "craftsman", + "crammer", + "crammer", + "crapshooter", + "crawler", + "creeper", + "crazy", + "loony", + "looney", + "nutcase", + "weirdo", + "creature", + "wight", + "creature", + "tool", + "puppet", + "creditor", + "creep", + "weirdo", + "weirdie", + "weirdy", + "spook", + "crewman", + "crewman", + "crew member", + "cricketer", + "crier", + "criminal", + "felon", + "crook", + "outlaw", + "malefactor", + "criminologist", + "crimp", + "crimper", + "criollo", + "cripple", + "critic", + "critic", + "critic", + "Croesus", + "crofter", + "crooner", + "balladeer", + "crossbencher", + "cross-examiner", + "cross-questioner", + "crossing guard", + "crossover voter", + "crossover", + "croupier", + "crown prince", + "crown princess", + "crown princess", + "Crusader", + "cryptanalyst", + "cryptographer", + "cryptologist", + "crystallographer", + "cub", + "greenhorn", + "rookie", + "Cub Scout", + "cubist", + "cuckold", + "cuirassier", + "cultist", + "cultist", + "cultural attache", + "cunt", + "bitch", + "cupbearer", + "cur", + "curandera", + "curandero", + "curate", + "minister of religion", + "minister", + "parson", + "pastor", + "rector", + "curator", + "conservator", + "curmudgeon", + "currier", + "custodian", + "keeper", + "steward", + "customer", + "client", + "customer agent", + "client", + "cutler", + "cutter", + "cutter", + "carver", + "cutthroat", + "cybernaut", + "cyberpunk", + "cyborg", + "bionic man", + "bionic woman", + "cyclist", + "bicyclist", + "bicycler", + "wheeler", + "cymbalist", + "cynic", + "faultfinder", + "Cynic", + "cytogeneticist", + "cytologist", + "czar", + "czar", + "tsar", + "tzar", + "czarina", + "tsarina", + "tzarina", + "czaritza", + "tsaritsa", + "dabbler", + "dilettante", + "sciolist", + "dacoit", + "dakoit", + "dad", + "dada", + "daddy", + "pa", + "papa", + "pappa", + "pop", + "dairymaid", + "milkmaid", + "dairyman", + "dairyman", + "dairy farmer", + "Dalai Lama", + "Grand Lama", + "dalesman", + "dallier", + "dillydallier", + "dilly-dallier", + "mope", + "lounger", + "Dalmatian", + "dame", + "doll", + "wench", + "skirt", + "chick", + "bird", + "damsel", + "demoiselle", + "damoiselle", + "damosel", + "damozel", + "dame", + "madam", + "ma'am", + "lady", + "gentlewoman", + "dancer", + "professional dancer", + "terpsichorean", + "dancer", + "social dancer", + "clog dancer", + "dancing-master", + "dance master", + "dancing partner", + "dandy", + "dude", + "fop", + "gallant", + "sheik", + "beau", + "swell", + "fashion plate", + "clotheshorse", + "Daniel", + "danseur", + "danseur noble", + "daredevil", + "madcap", + "hothead", + "swashbuckler", + "lunatic", + "harum-scarum", + "dark horse", + "darling", + "favorite", + "favourite", + "pet", + "dearie", + "deary", + "ducky", + "darner", + "dart player", + "Darwinian", + "dastard", + "date", + "escort", + "dauber", + "daughter", + "girl", + "daughter-in-law", + "dauphin", + "dawdler", + "drone", + "laggard", + "lagger", + "trailer", + "poke", + "day boarder", + "dayboy", + "daydreamer", + "woolgatherer", + "lotus-eater", + "stargazer", + "daygirl", + "day laborer", + "day labourer", + "deacon", + "deacon", + "Protestant deacon", + "deaconess", + "deadeye", + "dead person", + "dead soul", + "deceased person", + "deceased", + "decedent", + "departed", + "decipherer", + "decoder", + "decipherer", + "decoy", + "steerer", + "deer hunter", + "deipnosophist", + "dropout", + "dropout", + "deadbeat dad", + "deadhead", + "deaf person", + "dealer", + "dean", + "dean", + "dean", + "doyen", + "debaser", + "degrader", + "debater", + "arguer", + "debtor", + "debitor", + "debutante", + "deb", + "decadent", + "deceiver", + "cheat", + "cheater", + "trickster", + "beguiler", + "slicker", + "deckhand", + "roustabout", + "decorator", + "ornamentalist", + "deep-sea diver", + "defamer", + "maligner", + "slanderer", + "vilifier", + "libeler", + "backbiter", + "traducer", + "defaulter", + "defaulter", + "deadbeat", + "defaulter", + "defeatist", + "negativist", + "defecator", + "voider", + "shitter", + "defense attorney", + "defense lawyer", + "defense contractor", + "deist", + "freethinker", + "delayer", + "delegate", + "delinquent", + "juvenile delinquent", + "deliverer", + "deliveryman", + "delivery boy", + "deliverer", + "demagogue", + "demagog", + "rabble-rouser", + "demander", + "demigod", + "superman", + "Ubermensch", + "demimondaine", + "democrat", + "populist", + "Democrat", + "demographer", + "demographist", + "population scientist", + "demon", + "demoniac", + "demonstrator", + "protester", + "demonstrator", + "sales demonstrator", + "demonstrator", + "denier", + "den mother", + "den mother", + "dental assistant", + "dental hygienist", + "dental technician", + "denturist", + "dental surgeon", + "dentist", + "tooth doctor", + "dental practitioner", + "departer", + "leaver", + "goer", + "department head", + "dependant", + "dependent", + "depositor", + "depressive", + "deputy", + "lieutenant", + "deputy", + "deputy sheriff", + "deputy", + "surrogate", + "deputy", + "derelict", + "dermatologist", + "skin doctor", + "dervish", + "descendant", + "descendent", + "descender", + "deserter", + "defector", + "deserter", + "apostate", + "renegade", + "turncoat", + "recreant", + "ratter", + "designated driver", + "designated hitter", + "designer", + "intriguer", + "desk clerk", + "hotel desk clerk", + "hotel clerk", + "desk officer", + "desk sergeant", + "deskman", + "station keeper", + "desperado", + "desperate criminal", + "desperate", + "destroyer", + "ruiner", + "undoer", + "waster", + "uprooter", + "detainee", + "political detainee", + "detective", + "investigator", + "tec", + "police detective", + "detective", + "detractor", + "disparager", + "depreciator", + "knocker", + "deus ex machina", + "developer", + "deviationist", + "devil's advocate", + "devil worshiper", + "devisee", + "devisor", + "devourer", + "diabetic", + "diagnostician", + "pathologist", + "dialectician", + "diarist", + "diary keeper", + "journalist", + "dichromat", + "dick", + "gumshoe", + "hawkshaw", + "dictator", + "potentate", + "dictator", + "dieter", + "dietician", + "dietitian", + "nutritionist", + "diemaker", + "diesinker", + "die-sinker", + "differentiator", + "discriminator", + "digger", + "dimwit", + "nitwit", + "half-wit", + "doofus", + "diner", + "dingbat", + "dining-room attendant", + "restaurant attendant", + "diocesan", + "diplomat", + "diplomatist", + "diplomat", + "diplomate", + "director", + "manager", + "managing director", + "director", + "theater director", + "theatre director", + "director", + "Director of Central Intelligence", + "DCI", + "dirty old man", + "disbeliever", + "nonbeliever", + "unbeliever", + "disciple", + "adherent", + "disentangler", + "unraveler", + "unraveller", + "dishwasher", + "disk jockey", + "disc jockey", + "dj", + "dispatcher", + "dispatch rider", + "dispenser", + "displaced person", + "DP", + "stateless person", + "dissenter", + "dissident", + "protester", + "objector", + "contestant", + "disturber", + "political dissident", + "distiller", + "distortionist", + "distributor", + "distributer", + "district attorney", + "DA", + "district manager", + "ditch digger", + "mud digger", + "diver", + "plunger", + "diver", + "frogman", + "underwater diver", + "divergent thinker", + "divider", + "diviner", + "divorcee", + "grass widow", + "ex-wife", + "ex", + "divorce lawyer", + "docent", + "doctor", + "doc", + "physician", + "MD", + "Dr.", + "medico", + "doctor", + "Dr.", + "Doctor of the Church", + "Doctor", + "dodderer", + "dodger", + "fox", + "slyboots", + "dodo", + "fogy", + "fogey", + "fossil", + "dog", + "dog catcher", + "doge", + "dogfighter", + "dog in the manger", + "dogmatist", + "doctrinaire", + "dogsbody", + "dolichocephalic", + "domestic", + "domestic help", + "house servant", + "domestic partner", + "significant other", + "spousal equivalent", + "spouse equivalent", + "domestic prelate", + "dominatrix", + "Dominican", + "dominus", + "dominie", + "domine", + "dominee", + "Don", + "don", + "father", + "Donatist", + "Don Juan", + "donna", + "donor", + "giver", + "presenter", + "bestower", + "conferrer", + "donor", + "Don Quixote", + "don't-know", + "doorkeeper", + "doorman", + "door guard", + "hall porter", + "porter", + "gatekeeper", + "ostiary", + "doorkeeper", + "ostiary", + "ostiarius", + "dosser", + "street person", + "dotard", + "double", + "image", + "look-alike", + "double agent", + "double-crosser", + "double-dealer", + "two-timer", + "betrayer", + "traitor", + "double dipper", + "doubting Thomas", + "dove", + "peacenik", + "dowager", + "down-and-out", + "doyenne", + "draft dodger", + "draft evader", + "draftee", + "conscript", + "inductee", + "drafter", + "draftsman", + "drawer", + "draftsman", + "draughtsman", + "draftsperson", + "dragoman", + "dragon", + "tartar", + "dragoon", + "redcoat", + "lobsterback", + "drama critic", + "theater critic", + "dramatist", + "playwright", + "draper", + "drawee", + "drawer", + "drawing card", + "draw", + "attraction", + "attractor", + "attracter", + "drawler", + "dreamer", + "dresser", + "actor's assistant", + "dresser", + "dressmaker", + "modiste", + "needlewoman", + "seamstress", + "sempstress", + "dressmaker's model", + "dribbler", + "driveller", + "slobberer", + "drooler", + "dribbler", + "drill master", + "drill instructor", + "drinker", + "imbiber", + "toper", + "juicer", + "drinker", + "driveller", + "jabberer", + "driver", + "driver", + "driver", + "dropkicker", + "drudge", + "peon", + "navvy", + "galley slave", + "drug addict", + "junkie", + "junky", + "drug baron", + "drug lord", + "drug user", + "substance abuser", + "user", + "Druid", + "drum major", + "drum majorette", + "majorette", + "drum majorette", + "majorette", + "drummer", + "drunk", + "drunk-and-disorderly", + "drunkard", + "drunk", + "rummy", + "sot", + "inebriate", + "wino", + "Druze", + "Druse", + "dry", + "prohibitionist", + "dry nurse", + "dualist", + "duce", + "duchess", + "duck hunter", + "duke", + "duke", + "dueler", + "dueller", + "duelist", + "duellist", + "duenna", + "duffer", + "dumbbell", + "dummy", + "dope", + "boob", + "booby", + "pinhead", + "dummy", + "silent person", + "dunce", + "dunderhead", + "numskull", + "blockhead", + "bonehead", + "lunkhead", + "hammerhead", + "knucklehead", + "loggerhead", + "muttonhead", + "shithead", + "dumbass", + "fuckhead", + "dunker", + "dunker", + "Dutch uncle", + "dwarf", + "midget", + "nanus", + "dyer", + "dyslectic", + "dyspeptic", + "dynamiter", + "dynamitist", + "eager beaver", + "busy bee", + "live wire", + "sharpie", + "sharpy", + "Eagle Scout", + "ear doctor", + "ear specialist", + "otologist", + "earl", + "Earl Marshal", + "early bird", + "early bird", + "earner", + "wage earner", + "easterner", + "East-sider", + "eater", + "feeder", + "eavesdropper", + "eccentric", + "eccentric person", + "flake", + "oddball", + "geek", + "eclectic", + "eclecticist", + "ecologist", + "economic libertarian", + "econometrician", + "econometrist", + "economist", + "economic expert", + "economizer", + "economiser", + "ectomorph", + "edger", + "editor", + "editor in chief", + "subeditor", + "educationist", + "educationalist", + "educator", + "pedagogue", + "pedagog", + "Edwardian", + "effecter", + "effector", + "efficiency expert", + "efficiency engineer", + "egalitarian", + "equalitarian", + "egghead", + "egocentric", + "egoist", + "egomaniac", + "egotist", + "egoist", + "swellhead", + "Egyptologist", + "ejaculator", + "ejaculator", + "elder", + "senior", + "elder", + "elder statesman", + "elder statesman", + "eldest hand", + "elder hand", + "elected official", + "electrical engineer", + "electrician", + "lineman", + "linesman", + "electrocutioner", + "electrologist", + "electroplater", + "electrotherapist", + "elegist", + "elevator girl", + "elevator man", + "elevator boy", + "liftman", + "elevator operator", + "elitist", + "Elizabethan", + "elocutionist", + "emancipator", + "manumitter", + "embalmer", + "embezzler", + "defalcator", + "peculator", + "embroiderer", + "embroideress", + "embryologist", + "emeritus", + "emigrant", + "emigre", + "emigree", + "outgoer", + "Emile", + "eminence grise", + "emir", + "amir", + "emeer", + "ameer", + "emissary", + "envoy", + "emotional person", + "emperor", + "empress", + "empiricist", + "employable", + "employee", + "employer", + "employment agent", + "empty nester", + "enchanter", + "conjurer", + "conjuror", + "conjure man", + "enchantress", + "witch", + "enchantress", + "temptress", + "siren", + "Delilah", + "femme fatale", + "encyclopedist", + "encyclopaedist", + "endomorph", + "enemy", + "foe", + "foeman", + "opposition", + "energizer", + "energiser", + "vitalizer", + "vitaliser", + "animator", + "end", + "end man", + "end man", + "corner man", + "endocrinologist", + "endodontist", + "endorser", + "indorser", + "end user", + "enfant terrible", + "engineer", + "locomotive engineer", + "railroad engineer", + "engine driver", + "English teacher", + "English professor", + "engraver", + "engraver", + "enjoyer", + "enlisted man", + "enlisted person", + "enlisted woman", + "enophile", + "oenophile", + "enrollee", + "ENT man", + "ear-nose-and-throat doctor", + "otolaryngologist", + "otorhinolaryngologist", + "rhinolaryngologist", + "enthusiast", + "partisan", + "partizan", + "entomologist", + "bugologist", + "bug-hunter", + "entrant", + "entrant", + "entrepreneur", + "enterpriser", + "environmentalist", + "conservationist", + "Green", + "envoy", + "envoy extraordinary", + "minister plenipotentiary", + "enzymologist", + "eparch", + "eparch", + "Ephesian", + "epicure", + "gourmet", + "gastronome", + "bon vivant", + "epicurean", + "foodie", + "epidemiologist", + "epigone", + "epigon", + "epileptic", + "Episcopalian", + "epistemologist", + "equerry", + "equerry", + "erotic", + "escalader", + "escapee", + "escapist", + "dreamer", + "wishful thinker", + "escapologist", + "escape expert", + "eschatologist", + "escort", + "Eskimo", + "Esquimau", + "Inuit", + "espionage agent", + "Esquire", + "Esq", + "esquire", + "essayist", + "litterateur", + "esthete", + "aesthete", + "esthetician", + "aesthetician", + "esthetician", + "aesthetician", + "etcher", + "ethicist", + "ethician", + "ethnarch", + "ethnic", + "ethnographer", + "ethnologist", + "ethologist", + "etiologist", + "aetiologist", + "Etonian", + "etymologist", + "eunuch", + "castrate", + "evacuee", + "evaluator", + "judge", + "evangelist", + "revivalist", + "gospeler", + "gospeller", + "Evangelist", + "event planner", + "everyman", + "evolutionist", + "examiner", + "inspector", + "examiner", + "tester", + "quizzer", + "exarch", + "exarch", + "exarch", + "excogitator", + "Excellency", + "exchanger", + "money changer", + "executant", + "executioner", + "public executioner", + "executive", + "executive director", + "executive officer", + "executive secretary", + "executive vice president", + "executor", + "executrix", + "exegete", + "exhibitor", + "exhibitioner", + "shower", + "exhibitionist", + "show-off", + "exhibitionist", + "flasher", + "exile", + "deportee", + "exile", + "expatriate", + "expat", + "existentialist", + "existentialist philosopher", + "existential philosopher", + "exodontist", + "exorcist", + "exorciser", + "exorcist", + "expert witness", + "exploiter", + "user", + "explorer", + "adventurer", + "exporter", + "expositor", + "expounder", + "expressionist", + "expurgator", + "bowdlerizer", + "bowdleriser", + "ex-spouse", + "exterminator", + "terminator", + "eradicator", + "extern", + "medical extern", + "extremist", + "extrovert", + "extravert", + "eyeful", + "eyeglass wearer", + "eyewitness", + "Fabian", + "fabulist", + "facilitator", + "factotum", + "faddist", + "fagot", + "faggot", + "fag", + "fairy", + "nance", + "pansy", + "queen", + "queer", + "poof", + "poove", + "pouf", + "fairy godmother", + "fakir", + "fakeer", + "faqir", + "faquir", + "falangist", + "phalangist", + "falconer", + "hawker", + "faller", + "falsifier", + "familiar", + "family doctor", + "family man", + "famulus", + "fan", + "buff", + "devotee", + "lover", + "fanatic", + "fiend", + "fancier", + "enthusiast", + "fancy man", + "paramour", + "fantasist", + "fantast", + "futurist", + "fare", + "farm boy", + "farmer", + "husbandman", + "granger", + "sodbuster", + "farmerette", + "farm girl", + "farmhand", + "fieldhand", + "field hand", + "farm worker", + "farrier", + "horseshoer", + "Farsi", + "fascist", + "fascista", + "fashion consultant", + "fashionmonger", + "fastener", + "fatalist", + "determinist", + "predestinarian", + "predestinationist", + "fat cat", + "father", + "male parent", + "begetter", + "Father", + "Padre", + "father", + "father figure", + "father surrogate", + "father-figure", + "father-in-law", + "fatso", + "fatty", + "fat person", + "roly-poly", + "butterball", + "Fauntleroy", + "Little Lord Fauntleroy", + "Fauve", + "fauvist", + "favorite son", + "featherweight", + "featherweight", + "featherweight", + "federalist", + "Federalist", + "fellah", + "fellow", + "dude", + "buster", + "fellow", + "fellow traveler", + "fellow traveller", + "female aristocrat", + "female offspring", + "female sibling", + "female child", + "girl", + "little girl", + "feminist", + "women's rightist", + "women's liberationist", + "libber", + "fence", + "fencer", + "swordsman", + "fence-sitter", + "ferryman", + "fetishist", + "feudal lord", + "seigneur", + "seignior", + "fiance", + "groom-to-be", + "fiancee", + "bride-to-be", + "fiduciary", + "fielder", + "fieldsman", + "fielder", + "field judge", + "field marshal", + "field-grade officer", + "field officer", + "FO", + "fifth columnist", + "saboteur", + "fighter pilot", + "file clerk", + "filing clerk", + "filer", + "filer", + "filibuster", + "filibusterer", + "filicide", + "film director", + "director", + "film maker", + "filmmaker", + "film producer", + "movie maker", + "film star", + "movie star", + "finagler", + "wangler", + "finalist", + "finance minister", + "minister of finance", + "financier", + "moneyman", + "finder", + "discoverer", + "spotter", + "finder", + "fingerprint expert", + "fingerprint specialist", + "fingerprint man", + "fink", + "snitch", + "snitcher", + "stoolpigeon", + "stool pigeon", + "stoolie", + "sneak", + "sneaker", + "canary", + "fieldworker", + "fire chief", + "fire marshal", + "fire-eater", + "fire-swallower", + "fire-eater", + "hothead", + "fireman", + "firefighter", + "fire fighter", + "fire-eater", + "fire marshall", + "fire walker", + "fire warden", + "forest fire fighter", + "ranger", + "fire watcher", + "first baseman", + "first sacker", + "firstborn", + "eldest", + "first lady", + "first lady", + "first lieutenant", + "1st lieutenant", + "first offender", + "first-nighter", + "first-rater", + "first sergeant", + "sergeant first class", + "fisherman", + "fisher", + "fishmonger", + "fishwife", + "fitter", + "fixer", + "influence peddler", + "flag captain", + "flagellant", + "flagellant", + "flag officer", + "flak catcher", + "flak", + "flack catcher", + "flack", + "flamen", + "flanker", + "flanker back", + "flanker", + "flapper", + "flash in the pan", + "flatfoot", + "patrolman", + "flatmate", + "flatterer", + "adulator", + "fleet admiral", + "five-star admiral", + "flibbertigibbet", + "foolish woman", + "flier", + "flyer", + "flight engineer", + "flight surgeon", + "floater", + "floater", + "floater", + "flogger", + "scourger", + "floor leader", + "floorwalker", + "shopwalker", + "flop", + "dud", + "washout", + "Florentine", + "florist", + "flower girl", + "flower girl", + "flunky", + "flunkey", + "stooge", + "yes-man", + "flutist", + "flautist", + "flute player", + "fly-by-night", + "flyweight", + "flyweight", + "foe", + "enemy", + "folk dancer", + "folk poet", + "folk singer", + "jongleur", + "minstrel", + "poet-singer", + "troubadour", + "folk writer", + "follower", + "follower", + "fondler", + "food faddist", + "food manufacturer", + "fool", + "sap", + "saphead", + "muggins", + "tomfool", + "foot", + "football coach", + "football hero", + "football official", + "football player", + "footballer", + "footman", + "footpad", + "padder", + "forager", + "forebear", + "forbear", + "forecaster", + "predictor", + "prognosticator", + "soothsayer", + "forefather", + "father", + "sire", + "forefather", + "foremother", + "foreign agent", + "foreign correspondent", + "foreigner", + "alien", + "noncitizen", + "outlander", + "foreign minister", + "secretary of state", + "foreigner", + "outsider", + "boss", + "foreman", + "chief", + "gaffer", + "honcho", + "boss", + "foreman", + "foreperson", + "forester", + "tree farmer", + "arboriculturist", + "forewoman", + "forewoman", + "forelady", + "forger", + "counterfeiter", + "forger", + "fortune hunter", + "fortuneteller", + "fortune teller", + "forty-niner", + "forward", + "foster-brother", + "foster brother", + "foster-child", + "foster child", + "fosterling", + "foster-daughter", + "foster daughter", + "foster-father", + "foster father", + "foster-mother", + "foster mother", + "foster-nurse", + "foster-parent", + "foster parent", + "foster-sister", + "foster sister", + "foster-son", + "foster son", + "founder", + "beginner", + "founding father", + "father", + "Founding Father", + "founder", + "foundling", + "abandoned infant", + "foundress", + "four-minute man", + "fowler", + "fox hunter", + "framer", + "framer", + "Francophile", + "Francophil", + "Francophobe", + "franc-tireur", + "franklin", + "fraternal twin", + "dizygotic twin", + "fratricide", + "freak", + "monster", + "monstrosity", + "lusus naturae", + "free agent", + "free spirit", + "freewheeler", + "free agent", + "freedman", + "freedwoman", + "freedom rider", + "freeholder", + "freelancer", + "freelance", + "free-lance", + "free lance", + "independent", + "self-employed person", + "free-liver", + "freeloader", + "freeman", + "freewoman", + "Freemason", + "Mason", + "free trader", + "freight agent", + "French teacher", + "freshman", + "fresher", + "Freudian", + "friar", + "mendicant", + "monk", + "monastic", + "Benedictine", + "friend", + "frontiersman", + "backwoodsman", + "mountain man", + "frontierswoman", + "frontbencher", + "front man", + "front", + "figurehead", + "nominal head", + "straw man", + "strawman", + "front-runner", + "favorite", + "favourite", + "frotteur", + "fruiterer", + "fruit grower", + "frump", + "dog", + "fry cook", + "fucker", + "fucker", + "fuddy-duddy", + "fugitive", + "fugitive from justice", + "fugitive", + "runaway", + "fleer", + "fugleman", + "fullback", + "fuller", + "full professor", + "fumigator", + "funambulist", + "tightrope walker", + "functional illiterate", + "functionalist", + "fundamentalist", + "fundraiser", + "fusilier", + "futurist", + "gadabout", + "gadgeteer", + "gaffer", + "gagman", + "gagster", + "gagwriter", + "gagman", + "standup comedian", + "gainer", + "gainer", + "weight gainer", + "gal", + "Galilean", + "Galilaean", + "galley slave", + "gallows bird", + "galoot", + "galvanizer", + "galvaniser", + "inspirer", + "galvanizer", + "galvaniser", + "gambist", + "gambler", + "gambler", + "risk taker", + "gamekeeper", + "game warden", + "games-master", + "games-mistress", + "gamine", + "gamine", + "gandy dancer", + "ganger", + "gangsta", + "gangster", + "mobster", + "garbage man", + "garbageman", + "garbage collector", + "garbage carter", + "garbage hauler", + "refuse collector", + "dustman", + "gardener", + "nurseryman", + "gardener", + "garmentmaker", + "garment-worker", + "garment worker", + "garment cutter", + "garnishee", + "garroter", + "garrotter", + "strangler", + "throttler", + "choker", + "gasbag", + "windbag", + "gas fitter", + "gasman", + "gastroenterologist", + "gatecrasher", + "crasher", + "unwelcome guest", + "gatekeeper", + "gatherer", + "gaucho", + "gawker", + "gay man", + "shirtlifter", + "gazetteer", + "geisha", + "geisha girl", + "gem cutter", + "gendarme", + "genealogist", + "Genevan", + "Genoese", + "genre painter", + "geek", + "geezer", + "general", + "full general", + "general", + "superior general", + "general manager", + "general officer", + "general practitioner", + "GP", + "generator", + "source", + "author", + "geneticist", + "genitor", + "progenitor", + "primogenitor", + "genius", + "mastermind", + "brain", + "brainiac", + "Einstein", + "gent", + "gentleman", + "gentleman-at-arms", + "geographer", + "geologist", + "geomancer", + "geometer", + "geometrician", + "geometry teacher", + "Germanist", + "gerontologist", + "geriatrician", + "geophysicist", + "ghostwriter", + "ghost", + "giant", + "goliath", + "behemoth", + "monster", + "colossus", + "giant", + "hulk", + "heavyweight", + "whale", + "Gibson girl", + "gigolo", + "gilder", + "gillie", + "girl", + "miss", + "missy", + "young lady", + "young woman", + "fille", + "girl", + "girl Friday", + "girlfriend", + "girl", + "lady friend", + "girlfriend", + "Girl Scout", + "girl wonder", + "Girondist", + "Girondin", + "gitana", + "gitano", + "giver", + "gladiator", + "glassblower", + "glass cutter", + "glass-cutter", + "glassworker", + "glazier", + "glazer", + "glass cutter", + "glass-cutter", + "glassmaker", + "gleaner", + "gleaner", + "globetrotter", + "world traveler", + "glossarist", + "glutton", + "gourmand", + "gourmandizer", + "trencherman", + "Gnostic", + "god", + "gonif", + "goniff", + "ganef", + "ganof", + "government agent", + "G-man", + "FBI agent", + "government man", + "goalkeeper", + "goalie", + "goaltender", + "netkeeper", + "netminder", + "goat herder", + "goatherd", + "gobbler", + "godchild", + "goddaughter", + "godfather", + "godfather", + "godmother", + "godparent", + "godson", + "gofer", + "goffer", + "gopher", + "Gog and Magog", + "go-getter", + "whizz-kid", + "whiz-kid", + "ball of fire", + "goldbeater", + "gold-beater", + "goldbrick", + "goof-off", + "ne'er-do-well", + "good-for-nothing", + "no-account", + "good-for-naught", + "goldbrick", + "gold digger", + "gold miner", + "gold digger", + "gold panner", + "goldsmith", + "goldworker", + "gold-worker", + "golem", + "golfer", + "golf player", + "linksman", + "golf pro", + "professional golfer", + "golf widow", + "goliard", + "gondolier", + "gondoliere", + "goner", + "toast", + "Gongorist", + "good egg", + "good guy", + "good old boy", + "good ole boy", + "good ol' boy", + "good person", + "good Samaritan", + "goody-goody", + "gossip", + "gossiper", + "gossipmonger", + "rumormonger", + "rumourmonger", + "newsmonger", + "gossip columnist", + "Goth", + "Gothic romancer", + "gouger", + "governess", + "governor", + "governor general", + "grabber", + "grader", + "graduate nurse", + "trained nurse", + "graduate student", + "grad student", + "postgraduate", + "grain merchant", + "grammarian", + "syntactician", + "grandchild", + "granddaughter", + "grand dragon", + "grand duchess", + "grand duke", + "grande dame", + "grandee", + "grandfather", + "gramps", + "granddad", + "grandad", + "granddaddy", + "grandpa", + "Grand Inquisitor", + "grandma", + "grandmother", + "granny", + "grannie", + "gran", + "nan", + "nanna", + "grandmaster", + "grand mufti", + "grandparent", + "grandson", + "grandstander", + "granny", + "grantee", + "granter", + "grantor", + "graphic designer", + "designer", + "graphologist", + "handwriting expert", + "grass widower", + "divorced man", + "gravedigger", + "graverobber", + "ghoul", + "body snatcher", + "graverobber", + "gravida", + "grazier", + "great", + "great-aunt", + "grandaunt", + "great grandchild", + "great granddaughter", + "great grandmother", + "great grandfather", + "great grandparent", + "great grandson", + "great-nephew", + "grandnephew", + "great-niece", + "grandniece", + "great-uncle", + "granduncle", + "Grecian", + "Green Beret", + "greengrocer", + "greenskeeper", + "grenadier", + "grenade thrower", + "greeter", + "saluter", + "welcomer", + "gringo", + "grinner", + "griot", + "grip", + "groaner", + "grocer", + "grocery boy", + "groom", + "bridegroom", + "groom", + "bridegroom", + "groomsman", + "grouch", + "grump", + "crank", + "churl", + "crosspatch", + "groundling", + "groundsman", + "groundskeeper", + "groundkeeper", + "group captain", + "groupie", + "growler", + "grunt", + "grunter", + "guarantor", + "surety", + "warrantor", + "warranter", + "guard", + "prison guard", + "jailer", + "jailor", + "gaoler", + "screw", + "turnkey", + "guard", + "guard", + "guardsman", + "guerrilla", + "guerilla", + "irregular", + "insurgent", + "guesser", + "guest", + "invitee", + "guest", + "guest of honor", + "guest worker", + "guestworker", + "guide", + "guitarist", + "guitar player", + "gulper", + "guzzler", + "gunman", + "gunslinger", + "hired gun", + "gun", + "gun for hire", + "triggerman", + "hit man", + "hitman", + "torpedo", + "shooter", + "gunnery sergeant", + "gunrunner", + "arms-runner", + "gunsmith", + "guru", + "guru", + "Guru", + "gutter", + "guvnor", + "guzzler", + "guy", + "cat", + "hombre", + "bozo", + "gymnast", + "gymnosophist", + "gym rat", + "gynecologist", + "gynaecologist", + "woman's doctor", + "Gypsy", + "Gipsy", + "Romany", + "Rommany", + "Romani", + "Roma", + "Bohemian", + "hack", + "drudge", + "hacker", + "hack", + "hack writer", + "literary hack", + "hacker", + "hacker", + "hacker", + "cyber-terrorist", + "cyberpunk", + "hag", + "beldam", + "beldame", + "witch", + "crone", + "haggler", + "hagiographer", + "hagiographist", + "hagiologist", + "hairdresser", + "hairstylist", + "stylist", + "styler", + "hairsplitter", + "hajji", + "hadji", + "haji", + "hajji", + "hakim", + "hakeem", + "hakim", + "Hakka", + "halberdier", + "halfback", + "half blood", + "half-caste", + "half-breed", + "fathead", + "goof", + "goofball", + "bozo", + "jackass", + "goose", + "cuckoo", + "twat", + "zany", + "ham", + "ham actor", + "ham", + "Ham", + "Haman", + "hand", + "handler", + "handicapped person", + "animal trainer", + "handler", + "handmaid", + "handmaiden", + "handyman", + "jack of all trades", + "odd-job man", + "hanger", + "hang glider", + "hangman", + "haranguer", + "Hanoverian", + "harasser", + "harrier", + "hardliner", + "harlequin", + "harmonizer", + "harmoniser", + "harmonizer", + "harmoniser", + "harpist", + "harper", + "harpooner", + "harpooneer", + "harpsichordist", + "harasser", + "harridan", + "harvester", + "reaper", + "has-been", + "back-number", + "hash head", + "Hasid", + "Hassid", + "Chasid", + "Chassid", + "hatchet man", + "enforcer", + "hatchet man", + "iceman", + "hatemonger", + "hater", + "hatmaker", + "hatter", + "milliner", + "modiste", + "hauler", + "haulier", + "hawk", + "war hawk", + "head", + "head", + "chief", + "top dog", + "head", + "headhunter", + "head-shrinker", + "headhunter", + "headliner", + "star", + "head linesman", + "headman", + "tribal chief", + "chieftain", + "chief", + "headmaster", + "schoolmaster", + "master", + "headmistress", + "head nurse", + "head of household", + "head of state", + "chief of state", + "headsman", + "headman", + "health professional", + "primary care provider", + "PCP", + "health care provider", + "caregiver", + "hearer", + "listener", + "auditor", + "attender", + "audile", + "motile", + "hearing examiner", + "hearing officer", + "heartbreaker", + "heartthrob", + "heathen", + "pagan", + "gentile", + "infidel", + "paynim", + "heaver", + "heavy hitter", + "heavyweight", + "heavyweight", + "heavyweight", + "heavy", + "Hebraist", + "heckler", + "badgerer", + "hedger", + "hedger", + "hedger", + "equivocator", + "tergiversator", + "hedonist", + "pagan", + "pleasure seeker", + "Hegelian", + "Heidelberg man", + "Homo heidelbergensis", + "heir", + "inheritor", + "heritor", + "heir apparent", + "heir-at-law", + "heiress", + "inheritress", + "inheritrix", + "heir presumptive", + "hellion", + "heller", + "devil", + "hellhound", + "hell-kite", + "hell-rooster", + "gamecock", + "helmsman", + "steersman", + "steerer", + "hierarch", + "hire", + "hired help", + "histologist", + "helpmate", + "helpmeet", + "hematologist", + "haematologist", + "hemiplegic", + "hemophiliac", + "haemophiliac", + "bleeder", + "hemophile", + "haemophile", + "herald", + "trumpeter", + "herbalist", + "herb doctor", + "herder", + "herdsman", + "drover", + "heretic", + "misbeliever", + "religious outcast", + "heretic", + "hermaphrodite", + "intersex", + "gynandromorph", + "androgyne", + "epicene", + "epicene person", + "hermit", + "recluse", + "solitary", + "solitudinarian", + "troglodyte", + "herpetologist", + "protagonist", + "agonist", + "antihero", + "hero", + "heroine", + "heroine", + "heroin addict", + "hero worshiper", + "hero worshipper", + "Herr", + "heterosexual", + "heterosexual person", + "straight person", + "straight", + "hewer", + "highbinder", + "highbrow", + "high commissioner", + "highflier", + "highflyer", + "Highlander", + "Scottish Highlander", + "Highland Scot", + "Highlander", + "high-muck-a-muck", + "pooh-bah", + "Highness", + "high priest", + "high roller", + "highjacker", + "highwayman", + "hijacker", + "road agent", + "highjacker", + "hijacker", + "highway engineer", + "hiker", + "tramp", + "tramper", + "hillbilly", + "bushwhacker", + "hippie", + "hippy", + "hipster", + "flower child", + "hired hand", + "hand", + "hired man", + "hireling", + "pensionary", + "hisser", + "historian", + "historiographer", + "hitchhiker", + "hitter", + "striker", + "Hittite", + "hoarder", + "hobbledehoy", + "hobbler", + "limper", + "hobbyist", + "hockey coach", + "hockey player", + "ice-hockey player", + "hod carrier", + "hodman", + "hog", + "pig", + "hoister", + "holder", + "bearer", + "holder", + "holdout", + "holdover", + "hangover", + "holdup man", + "stickup man", + "Holy Roller", + "Holy Roman Emperor", + "homeboy", + "homeboy", + "homebuilder", + "home-builder", + "housebuilder", + "house-builder", + "home buyer", + "homegirl", + "home help", + "homeless", + "homeless person", + "homeopath", + "homoeopath", + "homeowner", + "householder", + "Home Secretary", + "Secretary of State for the Home Department", + "homophobe", + "homosexual", + "homophile", + "homo", + "gay", + "homunculus", + "honest woman", + "honker", + "honoree", + "honor guard", + "guard of honor", + "hood", + "hoodlum", + "goon", + "punk", + "thug", + "tough", + "toughie", + "strong-armer", + "hoodoo", + "hoofer", + "stepper", + "hooker", + "hooker", + "Hooray Henry", + "hope", + "hoper", + "hopper", + "hornist", + "horse doctor", + "horseman", + "horse fancier", + "horseman", + "equestrian", + "horseback rider", + "horse trader", + "horsewoman", + "horse wrangler", + "wrangler", + "horticulturist", + "plantsman", + "hosier", + "hospital chaplain", + "host", + "innkeeper", + "boniface", + "hosteller", + "hostess", + "host", + "host", + "hostess", + "hostage", + "surety", + "hotdog", + "hot dog", + "hotel detective", + "house detective", + "house dick", + "hotelier", + "hotelkeeper", + "hotel manager", + "hotelman", + "hosteller", + "hotspur", + "housebreaker", + "cat burglar", + "housefather", + "house guest", + "houseguest", + "house husband", + "househusband", + "housekeeper", + "housemaster", + "housemate", + "housemother", + "house painter", + "house physician", + "resident", + "resident physician", + "house sitter", + "housewife", + "homemaker", + "lady of the house", + "woman of the house", + "housewrecker", + "housebreaker", + "housing commissioner", + "Houyhnhnm", + "Huayna Capac", + "huckster", + "cheap-jack", + "huckster", + "huddler", + "huddler", + "hugger", + "Huguenot", + "humanist", + "humanist", + "humanitarian", + "humanitarian", + "do-gooder", + "improver", + "hummer", + "humorist", + "humourist", + "humpback", + "hunchback", + "crookback", + "Hun", + "hunger marcher", + "hunk", + "hunted person", + "hunter", + "huntsman", + "hunter-gatherer", + "hunting guide", + "huntress", + "hunter", + "hurdler", + "husband", + "hubby", + "married man", + "ex-husband", + "ex", + "hussar", + "Hussite", + "hustler", + "wheeler dealer", + "operator", + "hydrologist", + "hydromancer", + "hygienist", + "hyperope", + "hypertensive", + "hypnotist", + "hypnotizer", + "hypnotiser", + "mesmerist", + "mesmerizer", + "hypochondriac", + "hypocrite", + "dissembler", + "dissimulator", + "phony", + "phoney", + "pretender", + "hypotensive", + "hysteric", + "Iberian", + "Iberian", + "iceman", + "ice-skater", + "ichthyologist", + "iconoclast", + "iconoclast", + "image breaker", + "idealist", + "dreamer", + "identical twin", + "monozygotic twin", + "monozygous twin", + "ideologist", + "ideologue", + "idiot", + "imbecile", + "cretin", + "moron", + "changeling", + "half-wit", + "retard", + "idiot savant", + "idler", + "loafer", + "do-nothing", + "layabout", + "bum", + "idol", + "matinee idol", + "idolater", + "idolizer", + "idoliser", + "idol worshiper", + "idolatress", + "idolizer", + "idoliser", + "ignoramus", + "know nothing", + "uneducated person", + "illiterate", + "illiterate person", + "nonreader", + "imam", + "imaum", + "immigrant", + "immortal", + "immune", + "immunologist", + "imp", + "scamp", + "monkey", + "rascal", + "rapscallion", + "scalawag", + "scallywag", + "imperialist", + "impersonator", + "imitator", + "import", + "importee", + "important person", + "influential person", + "personage", + "importer", + "imposter", + "impostor", + "pretender", + "fake", + "faker", + "fraud", + "sham", + "shammer", + "pseudo", + "pseud", + "role player", + "impressionist", + "inamorata", + "inamorato", + "incompetent", + "incompetent person", + "incubus", + "incumbent", + "officeholder", + "incurable", + "index case", + "indexer", + "Indian agent", + "Indian chief", + "Indian chieftain", + "Indian giver", + "individual", + "inductee", + "industrialist", + "infanticide", + "infantryman", + "marcher", + "foot soldier", + "footslogger", + "doughboy", + "inferior", + "infernal", + "infielder", + "infiltrator", + "infiltrator", + "informant", + "source", + "informer", + "betrayer", + "rat", + "squealer", + "blabber", + "ingenue", + "ingenue", + "ingrate", + "thankless wretch", + "ungrateful person", + "initiate", + "learned person", + "pundit", + "savant", + "polymath", + "in-law", + "relative-in-law", + "inmate", + "inoculator", + "vaccinator", + "inpatient", + "inmate", + "inquirer", + "enquirer", + "questioner", + "querier", + "asker", + "inquiry agent", + "inquisitor", + "interrogator", + "Inquisitor", + "insider", + "insomniac", + "sleepless person", + "inspector", + "inspector general", + "instigator", + "initiator", + "instigator", + "provoker", + "inciter", + "instigant", + "firebrand", + "instructress", + "instrument", + "pawn", + "cat's-paw", + "insurance broker", + "insurance agent", + "general agent", + "underwriter", + "insured", + "insured person", + "insurgent", + "insurrectionist", + "freedom fighter", + "rebel", + "intelligence analyst", + "interior designer", + "designer", + "interior decorator", + "house decorator", + "room decorator", + "decorator", + "interlocutor", + "conversational partner", + "interlocutor", + "middleman", + "intern", + "interne", + "houseman", + "medical intern", + "internal auditor", + "International Grandmaster", + "internationalist", + "internationalist", + "internee", + "internist", + "internuncio", + "interpreter", + "translator", + "interpreter", + "intervenor", + "interviewee", + "interviewer", + "introvert", + "intruder", + "interloper", + "trespasser", + "invader", + "encroacher", + "invalid", + "shut-in", + "invalidator", + "voider", + "nullifier", + "inventor", + "discoverer", + "artificer", + "investigator", + "investment adviser", + "investment advisor", + "investment banker", + "underwriter", + "investor", + "invigilator", + "iron man", + "ironman", + "ironmonger", + "hardwareman", + "ironside", + "ironworker", + "irredentist", + "irridentist", + "irreligionist", + "Islamist", + "islander", + "island-dweller", + "Ismaili", + "Ismailian", + "isolationist", + "itinerant", + "gypsy", + "gipsy", + "Ivy Leaguer", + "Jack of all trades", + "Jacksonian", + "Jacob", + "Jacobean", + "Jacobin", + "Jacobite", + "jail bird", + "jailbird", + "gaolbird", + "Jane Doe", + "Janissary", + "janissary", + "janitor", + "Jansenist", + "Japheth", + "Jat", + "Javanese", + "Javan", + "jawan", + "jaywalker", + "jazz musician", + "jazzman", + "Jeffersonian", + "Jekyll and Hyde", + "jerk", + "dork", + "jerry-builder", + "jester", + "fool", + "motley fool", + "Jesuit", + "jewel", + "gem", + "jeweler", + "jeweller", + "jewelry maker", + "jeweler", + "jeweller", + "jezebel", + "jilt", + "jimdandy", + "jimhickey", + "crackerjack", + "jobber", + "middleman", + "wholesaler", + "job candidate", + "jobholder", + "Job", + "Job's comforter", + "jockey", + "jockey", + "jogger", + "John Doe", + "John Doe", + "Joe Blow", + "Joe Bloggs", + "man in the street", + "joiner", + "joiner", + "joker", + "jokester", + "joker", + "turkey", + "jonah", + "jinx", + "journalist", + "Judas", + "judge", + "justice", + "jurist", + "judge advocate", + "judge advocate", + "judge advocate general", + "Judith", + "juggler", + "juggernaut", + "steamroller", + "jumper", + "jumper", + "Jungian", + "junior", + "junior", + "Junior", + "Jr", + "Jnr", + "junior featherweight", + "junior lightweight", + "junior middleweight", + "junior welterweight", + "jurist", + "legal expert", + "juror", + "juryman", + "jurywoman", + "justice of the peace", + "justiciar", + "justiciary", + "kachina", + "kaffir", + "kafir", + "caffer", + "caffre", + "Kalon Tripa", + "kamikaze", + "Kaiser", + "keeper", + "kerb crawler", + "keyboardist", + "Keynesian", + "khan", + "Khedive", + "kibbutznik", + "kibitzer", + "kicker", + "kiddy", + "kidnapper", + "kidnaper", + "abductor", + "snatcher", + "killer", + "slayer", + "killer bee", + "king", + "male monarch", + "Rex", + "kingmaker", + "King of England", + "King of Great Britain", + "King of France", + "King of the Germans", + "king", + "queen", + "world-beater", + "kingpin", + "top banana", + "bigwig", + "King's Counsel", + "Counsel to the Crown", + "relative", + "relation", + "blood relation", + "blood relative", + "cognate", + "sib", + "kin", + "kinsperson", + "family", + "enate", + "matrikin", + "matrilineal kin", + "matrisib", + "matrilineal sib", + "agnate", + "patrikin", + "patrilineal kin", + "patrisib", + "patrilineal sib", + "kink", + "kinsman", + "kinswoman", + "kisser", + "osculator", + "kissing cousin", + "kissing kin", + "kitchen help", + "kitchen police", + "KP", + "Klansman", + "Ku Kluxer", + "Kluxer", + "kleptomaniac", + "klutz", + "knacker", + "knacker", + "kneeler", + "knight", + "knight bachelor", + "bachelor-at-arms", + "bachelor", + "knight banneret", + "knight of the square flag", + "banneret", + "Knight of the Round Table", + "knight-errant", + "Knight Templar", + "Templar", + "Knight Templar", + "knitter", + "knocker", + "knocker", + "knower", + "apprehender", + "know-it-all", + "know-all", + "kolkhoznik", + "kook", + "odd fellow", + "odd fish", + "queer bird", + "queer duck", + "odd man out", + "koto player", + "Kshatriya", + "kvetch", + "labor coach", + "birthing coach", + "doula", + "monitrice", + "laborer", + "manual laborer", + "labourer", + "jack", + "labor leader", + "Labourite", + "lacer", + "lackey", + "flunky", + "flunkey", + "lacrosse player", + "Lady", + "noblewoman", + "peeress", + "lady", + "lady-in-waiting", + "ladylove", + "dulcinea", + "lady's maid", + "laird", + "lama", + "Lamarckian", + "lamb", + "dear", + "lamb", + "lame duck", + "laminator", + "lamplighter", + "lampoon artist", + "lance corporal", + "lancer", + "land agent", + "landgrave", + "landlady", + "landlord", + "landlubber", + "lubber", + "landsman", + "landlubber", + "landsman", + "landman", + "landowner", + "landholder", + "property owner", + "landscape architect", + "landscape gardener", + "landscaper", + "landscapist", + "landscapist", + "langlaufer", + "languisher", + "lapidary", + "lapidist", + "lapidary", + "lapidarist", + "larcenist", + "larcener", + "large person", + "lascar", + "lasher", + "lass", + "lassie", + "young girl", + "jeune fille", + "latchkey child", + "latecomer", + "lather", + "Latin", + "Latin", + "Latinist", + "latitudinarian", + "Jehovah's Witness", + "Latter-Day Saint", + "Mormon", + "laudator", + "lauder", + "extoller", + "laugher", + "laureate", + "law agent", + "lawgiver", + "lawmaker", + "lawman", + "law officer", + "peace officer", + "law student", + "lawyer", + "attorney", + "layman", + "layperson", + "secular", + "lay reader", + "lay witness", + "Lazarus", + "Lazarus", + "lazybones", + "leading lady", + "leading man", + "leaker", + "learner", + "scholar", + "assimilator", + "leaseholder", + "lessee", + "lector", + "lecturer", + "reader", + "lector", + "reader", + "lecturer", + "leech", + "parasite", + "sponge", + "sponger", + "left-handed pitcher", + "left-hander", + "left hander", + "lefthander", + "lefty", + "southpaw", + "left-hander", + "lefty", + "southpaw", + "legal representative", + "legate", + "official emissary", + "legatee", + "legionnaire", + "legionary", + "Legionnaire", + "legislator", + "lender", + "loaner", + "leper", + "leper", + "lazar", + "lepidopterist", + "lepidopterologist", + "butterfly collector", + "lesbian", + "tribade", + "gay woman", + "lessor", + "lease giver", + "letter", + "letterer", + "letterman", + "leveler", + "leveller", + "leviathan", + "Levite", + "lexicographer", + "lexicologist", + "liar", + "prevaricator", + "liberal", + "liberalist", + "progressive", + "liberal", + "liberator", + "libertarian", + "libertarian", + "libertine", + "debauchee", + "rounder", + "librarian", + "bibliothec", + "librettist", + "licensed practical nurse", + "LPN", + "practical nurse", + "licensee", + "licenser", + "licentiate", + "lie-abed", + "slugabed", + "lieder singer", + "liege", + "liege lord", + "lieutenant", + "police lieutenant", + "lieutenant", + "lieutenant", + "lieutenant colonel", + "light colonel", + "lieutenant commander", + "lieutenant general", + "lieutenant governor", + "lieutenant junior grade", + "lieutenant JG", + "life", + "lifeguard", + "lifesaver", + "life peer", + "lifer", + "life tenant", + "lighterman", + "bargeman", + "bargee", + "light flyweight", + "light heavyweight", + "cruiserweight", + "light heavyweight", + "light heavyweight", + "light middleweight", + "lighthouse keeper", + "lightning rod", + "light-o'-love", + "light-of-love", + "lightweight", + "lightweight", + "lightweight", + "light welterweight", + "lilliputian", + "linebacker", + "line backer", + "limnologist", + "line judge", + "lineman", + "lineman", + "linendraper", + "line officer", + "linesman", + "line worker", + "linguist", + "polyglot", + "linguist", + "linguistic scientist", + "linkboy", + "linkman", + "lion", + "social lion", + "lion-hunter", + "lion-hunter", + "lip reader", + "liquidator", + "receiver", + "lisper", + "lister", + "literary critic", + "literate", + "literate person", + "lithographer", + "lithomancer", + "litigant", + "litigator", + "litterer", + "litterbug", + "litter lout", + "little brother", + "Little John", + "little leaguer", + "Little Red Riding Hood", + "little sister", + "liturgist", + "liveborn infant", + "liver", + "liver", + "liveryman", + "loader", + "lobbyist", + "lobsterman", + "locator", + "locater", + "lockmaster", + "lockman", + "lockkeeper", + "locksmith", + "locum tenens", + "locum", + "lodger", + "boarder", + "roomer", + "logical positivist", + "logician", + "logistician", + "logomach", + "logomachist", + "loiterer", + "lingerer", + "Lolita", + "lollipop lady", + "lollipop woman", + "loner", + "lone wolf", + "lone hand", + "longbowman", + "longer", + "thirster", + "yearner", + "long shot", + "lookout", + "lookout man", + "sentinel", + "sentry", + "watch", + "spotter", + "scout", + "picket", + "loon", + "loose cannon", + "Lord", + "noble", + "nobleman", + "Lord Chancellor", + "Lord High Chancellor", + "Lord of Misrule", + "Lord Privy Seal", + "Lorelei", + "loser", + "loser", + "also-ran", + "failure", + "loser", + "nonstarter", + "unsuccessful person", + "old maid", + "underboss", + "underdog", + "Lot", + "Lot's wife", + "Lothario", + "loudmouth", + "blusterer", + "lounge lizard", + "lizard", + "lout", + "clod", + "stumblebum", + "goon", + "oaf", + "lubber", + "lummox", + "lump", + "gawk", + "lowerclassman", + "underclassman", + "low-birth-weight baby", + "low-birth-weight infant", + "Lowlander", + "Scottish Lowlander", + "Lowland Scot", + "loyalist", + "stalwart", + "Lubavitcher", + "Luddite", + "Luddite", + "luger", + "slider", + "lumberman", + "lumberjack", + "logger", + "feller", + "faller", + "luminary", + "leading light", + "guiding light", + "notable", + "notability", + "lumper", + "light", + "lunatic", + "madman", + "maniac", + "bedlamite", + "pyromaniac", + "luncher", + "lunger", + "lurker", + "skulker", + "lurcher", + "luthier", + "lutist", + "lutanist", + "lutenist", + "Lutheran", + "lyricist", + "lyrist", + "ma", + "mama", + "mamma", + "mom", + "momma", + "mommy", + "mammy", + "mum", + "mummy", + "macaroni", + "macebearer", + "mace", + "macer", + "Machiavellian", + "machine", + "machine politician", + "ward-heeler", + "political hack", + "hack", + "machinist", + "mechanic", + "shop mechanic", + "macho", + "Mackem", + "macroeconomist", + "macroeconomic expert", + "macushla", + "madam", + "brothel keeper", + "madame", + "madrigalist", + "madwoman", + "maenad", + "maestro", + "master", + "mafioso", + "mafioso", + "magdalen", + "magician", + "prestidigitator", + "conjurer", + "conjuror", + "illusionist", + "magistrate", + "magnifico", + "magpie", + "scavenger", + "pack rat", + "magus", + "magus", + "maharaja", + "maharajah", + "maharani", + "maharanee", + "mahatma", + "Mahdi", + "Mahdist", + "mahout", + "maid", + "maiden", + "maid", + "maidservant", + "housemaid", + "amah", + "maiden aunt", + "mailer", + "mailman", + "postman", + "mail carrier", + "letter carrier", + "carrier", + "major", + "major", + "major-domo", + "seneschal", + "major-general", + "majority leader", + "major leaguer", + "big leaguer", + "maker", + "shaper", + "malacologist", + "malahini", + "malcontent", + "male aristocrat", + "male child", + "boy", + "transgressor", + "male offspring", + "man-child", + "male sibling", + "malfeasant", + "malik", + "malingerer", + "skulker", + "shammer", + "Malthusian", + "maltster", + "maltman", + "mammalogist", + "mammy", + "man", + "adult male", + "man", + "man", + "adonis", + "man", + "man", + "management consultant", + "manageress", + "managing editor", + "mandarin", + "mandarin", + "mandarin", + "mandatary", + "mandatory", + "mandator", + "Mandaean", + "Mandean", + "maneuverer", + "manoeuvrer", + "maniac", + "manic-depressive", + "Manichaean", + "Manichean", + "Manichee", + "manicurist", + "manipulator", + "mannequin", + "manikin", + "mannikin", + "manakin", + "fashion model", + "model", + "man-at-arms", + "manikin", + "mannikin", + "homunculus", + "man jack", + "man of action", + "man of deeds", + "man of letters", + "man of means", + "rich man", + "wealthy man", + "manservant", + "manufacturer", + "producer", + "Maoist", + "map-reader", + "Maquis", + "Maquisard", + "marathoner", + "marathon runner", + "road runner", + "long-distance runner", + "marauder", + "predator", + "vulture", + "piranha", + "marcher", + "parader", + "marcher", + "marchioness", + "marquise", + "marchioness", + "margrave", + "margrave", + "Marine", + "devil dog", + "leatherneck", + "shipboard soldier", + "marine", + "marine engineer", + "naval engineer", + "mariner", + "seaman", + "tar", + "Jack-tar", + "Jack", + "old salt", + "seafarer", + "gob", + "sea dog", + "marksman", + "sharpshooter", + "crack shot", + "maroon", + "marquess", + "marquis", + "marquess", + "Marrano", + "married", + "marshal", + "marshall", + "marshal", + "marshall", + "martinet", + "disciplinarian", + "moralist", + "martyr", + "sufferer", + "martyr", + "Marxist", + "mascot", + "masochist", + "mason", + "stonemason", + "Masorete", + "Massorete", + "Masorite", + "masquerader", + "masker", + "masquer", + "massager", + "masseur", + "masseuse", + "mass murderer", + "master", + "professional", + "master", + "master", + "master", + "captain", + "sea captain", + "skipper", + "master-at-arms", + "master of ceremonies", + "emcee", + "host", + "master sergeant", + "masturbator", + "onanist", + "matchmaker", + "matcher", + "marriage broker", + "mate", + "first mate", + "mate", + "mate", + "mater", + "material", + "materialist", + "materialist", + "material witness", + "mathematician", + "math teacher", + "mathematics teacher", + "matriarch", + "materfamilias", + "matriarch", + "matricide", + "matriculate", + "matron", + "matron", + "matron", + "matron of honor", + "mauler", + "maverick", + "rebel", + "mayor", + "city manager", + "mayoress", + "mayoress", + "May queen", + "queen of the May", + "meanie", + "meany", + "unkind person", + "measurer", + "meat packer", + "packer", + "mechanical engineer", + "mechanist", + "medalist", + "medallist", + "medal winner", + "medalist", + "medallist", + "meddler", + "media consultant", + "media guru", + "medical assistant", + "medical officer", + "medic", + "medical practitioner", + "medical man", + "medical scientist", + "medical student", + "medico", + "medium", + "spiritualist", + "sensitive", + "megalomaniac", + "melancholic", + "melancholiac", + "Melkite", + "Melchite", + "Melkite", + "Melchite", + "melter", + "member", + "fellow member", + "nonmember", + "board member", + "clansman", + "clanswoman", + "clan member", + "club member", + "memorizer", + "memoriser", + "Mendelian", + "mender", + "repairer", + "fixer", + "menial", + "mensch", + "mensh", + "Menshevik", + "mentioner", + "mentor", + "wise man", + "mercenary", + "soldier of fortune", + "mercer", + "merchant", + "merchandiser", + "Merovingian", + "meshuggeneh", + "meshuggener", + "mesne lord", + "Mesoamerican", + "mesomorph", + "messenger", + "courier", + "bearer", + "messenger boy", + "errand boy", + "messmate", + "mestiza", + "mestizo", + "ladino", + "metalhead", + "metallurgist", + "metallurgical engineer", + "meteorologist", + "meter maid", + "Methodist", + "Wesleyan", + "metic", + "Metis", + "metropolitan", + "metropolitan", + "mezzo-soprano", + "mezzo", + "microbiologist", + "microeconomist", + "microeconomic expert", + "microscopist", + "middle-aged man", + "middlebrow", + "middleweight", + "middleweight", + "middleweight", + "midinette", + "midshipman", + "midwife", + "accoucheuse", + "migrant", + "migrator", + "mikado", + "tenno", + "Milady", + "Milanese", + "miler", + "miles gloriosus", + "militant", + "activist", + "militarist", + "warmonger", + "military adviser", + "military advisor", + "military attache", + "military chaplain", + "padre", + "Holy Joe", + "sky pilot", + "military governor", + "military leader", + "military officer", + "officer", + "military policeman", + "MP", + "militiaman", + "milkman", + "mill agent", + "miller", + "mill-girl", + "mill-hand", + "factory worker", + "millenarian", + "millenarist", + "chiliast", + "millionairess", + "millwright", + "milord", + "mime", + "mimer", + "mummer", + "pantomimer", + "pantomimist", + "mimic", + "mimicker", + "minder", + "mind reader", + "telepathist", + "thought-reader", + "miner", + "mineworker", + "mineralogist", + "miniaturist", + "minimalist", + "minimalist", + "mining engineer", + "minion", + "minister", + "diplomatic minister", + "minister", + "government minister", + "ministrant", + "minority leader", + "minor leaguer", + "bush leaguer", + "minstrel", + "Minuteman", + "miracle man", + "miracle worker", + "misanthrope", + "misanthropist", + "miser", + "misfit", + "misleader", + "misogamist", + "misogynist", + "woman hater", + "missing link", + "ape-man", + "missionary", + "missionary", + "missioner", + "missus", + "missis", + "mistress", + "mistress", + "kept woman", + "fancy woman", + "mixed-blood", + "mnemonist", + "mod", + "model", + "poser", + "model", + "role model", + "hero", + "ideal", + "paragon", + "nonpareil", + "saint", + "apotheosis", + "nonesuch", + "nonsuch", + "class act", + "humdinger", + "modeler", + "modeller", + "moderationist", + "moderator", + "moderator", + "moderator", + "modern", + "modernist", + "modifier", + "Mogul", + "Moghul", + "Mohammedan", + "Muhammedan", + "Muhammadan", + "molecular biologist", + "molester", + "moll", + "gun moll", + "gangster's moll", + "mollycoddle", + "Mon", + "monarchist", + "royalist", + "Monegasque", + "Monacan", + "monetarist", + "moneygrubber", + "moneymaker", + "mongoloid", + "Mongoloid", + "monogamist", + "monogynist", + "monolingual", + "monologist", + "monomaniac", + "Monophysite", + "monopolist", + "monopolizer", + "monopoliser", + "monotheist", + "Monsieur", + "Monsignor", + "monster", + "fiend", + "devil", + "demon", + "ogre", + "moocher", + "mooch", + "cadger", + "scrounger", + "Moonie", + "moonlighter", + "mopper", + "moppet", + "moralist", + "morosoph", + "morris dancer", + "mortal enemy", + "mortgagee", + "mortgage holder", + "mortgagor", + "mortgager", + "mortician", + "undertaker", + "funeral undertaker", + "funeral director", + "mossback", + "moss-trooper", + "most valuable player", + "MVP", + "mother", + "female parent", + "mother", + "mother", + "mother figure", + "mother hen", + "mother-in-law", + "mother's boy", + "mamma's boy", + "mama's boy", + "mother's daughter", + "mother's son", + "motorcycle cop", + "motorcycle policeman", + "speed cop", + "motorcyclist", + "motorist", + "automobilist", + "motorman", + "motormouth", + "Mound Builder", + "mountaineer", + "mountain climber", + "mountebank", + "charlatan", + "mounter", + "climber", + "mounter", + "mourner", + "griever", + "sorrower", + "lamenter", + "mouse", + "mouth", + "mouthpiece", + "mouth", + "mover", + "mover", + "moviegoer", + "motion-picture fan", + "muckraker", + "mudslinger", + "muezzin", + "muazzin", + "muadhdhin", + "muffin man", + "mufti", + "muggee", + "mugger", + "mugwump", + "independent", + "fencesitter", + "Mugwump", + "mujahid", + "mujtihad", + "muleteer", + "mule skinner", + "mule driver", + "skinner", + "Mullah", + "Mollah", + "Mulla", + "muncher", + "muralist", + "murderee", + "murderer", + "liquidator", + "manslayer", + "murderess", + "murder suspect", + "muscleman", + "muscle", + "muser", + "muller", + "ponderer", + "ruminator", + "musher", + "music critic", + "musician", + "musician", + "instrumentalist", + "player", + "musicologist", + "music teacher", + "musketeer", + "Muslimah", + "mutant", + "mutation", + "variation", + "sport", + "mutilator", + "maimer", + "mangler", + "mutineer", + "mute", + "deaf-mute", + "deaf-and-dumb person", + "mutterer", + "mumbler", + "murmurer", + "muzhik", + "moujik", + "mujik", + "muzjik", + "muzzler", + "Mycenaen", + "mycologist", + "mycophagist", + "mycophage", + "myope", + "myrmidon", + "mystic", + "religious mystic", + "mythologist", + "nabob", + "naif", + "nailer", + "namby-pamby", + "name", + "figure", + "public figure", + "name dropper", + "namer", + "namesake", + "nan", + "nanny", + "nursemaid", + "nurse", + "narc", + "nark", + "narcotics agent", + "narcissist", + "narcist", + "narcoleptic", + "nark", + "copper's nark", + "narrator", + "storyteller", + "teller", + "nationalist", + "nationalist leader", + "natural", + "naturalist", + "natural scientist", + "naturalist", + "naturopath", + "nautch girl", + "naval attache", + "naval commander", + "naval officer", + "navigator", + "navigator", + "Navy SEAL", + "SEAL", + "nawab", + "nabob", + "oblate", + "obsessive", + "obsessive-compulsive", + "obstructionist", + "obstructor", + "obstructer", + "resister", + "thwarter", + "naysayer", + "Nazarene", + "Nazarene", + "Nazarene", + "Ebionite", + "Nazi", + "German Nazi", + "nazi", + "Neapolitan", + "nebbish", + "nebbech", + "necessitarian", + "necker", + "necromancer", + "needleworker", + "negativist", + "neglecter", + "negotiator", + "negotiant", + "treater", + "negotiatress", + "negotiatrix", + "neighbor", + "neighbour", + "neoclassicist", + "neoconservative", + "neocon", + "neoliberal", + "neologist", + "neonate", + "newborn", + "newborn infant", + "newborn baby", + "Neoplatonist", + "nephew", + "nepotist", + "nerd", + "Nestorian", + "neurasthenic", + "neurobiologist", + "neurolinguist", + "neurologist", + "brain doctor", + "neuroscientist", + "neurosurgeon", + "brain surgeon", + "neurotic", + "psychoneurotic", + "mental case", + "neutral", + "neutralist", + "newcomer", + "fledgling", + "fledgeling", + "starter", + "neophyte", + "freshman", + "newbie", + "entrant", + "newcomer", + "New Dealer", + "New Englander", + "Yankee", + "newlywed", + "honeymooner", + "newsagent", + "newsdealer", + "newsvendor", + "newsstand operator", + "newscaster", + "newspaper editor", + "newspaper columnist", + "newspaper critic", + "newsreader", + "news reader", + "Newtonian", + "New Waver", + "next friend", + "next of kin", + "nibbler", + "niece", + "niggard", + "skinflint", + "scrooge", + "churl", + "night owl", + "nighthawk", + "nightbird", + "night porter", + "night rider", + "nightrider", + "night watchman", + "nihilist", + "NIMBY", + "nincompoop", + "poop", + "ninny", + "ninja", + "niqaabi", + "Nisei", + "nitpicker", + "Nobelist", + "Nobel Laureate", + "NOC", + "nomad", + "nominalist", + "nominator", + "nonagenarian", + "noncandidate", + "noncombatant", + "noncommissioned officer", + "noncom", + "enlisted officer", + "nondescript", + "nondriver", + "nonparticipant", + "nonpartisan", + "nonpartizan", + "nonperson", + "unperson", + "nonreader", + "nonresident", + "non-resistant", + "passive resister", + "nonsmoker", + "normalizer", + "normaliser", + "Northern Baptist", + "Northerner", + "nosher", + "snacker", + "no-show", + "nonattender", + "truant", + "no-show", + "notary", + "notary public", + "noticer", + "noticer", + "novelist", + "novice", + "beginner", + "tyro", + "tiro", + "initiate", + "novitiate", + "novice", + "Nubian", + "nuclear chemist", + "radiochemist", + "nuclear physicist", + "nude", + "nude person", + "nudger", + "nudist", + "naturist", + "nudnik", + "nudnick", + "nullifier", + "nullipara", + "number theorist", + "numerologist", + "numen", + "Numidian", + "numismatist", + "numismatologist", + "coin collector", + "nurse", + "nurser", + "nursing aide", + "nurse's aide", + "nurse-midwife", + "nurse practitioner", + "NP", + "nurse clinician", + "nun", + "nuncio", + "papal nuncio", + "nursling", + "nurseling", + "suckling", + "nutter", + "wacko", + "whacko", + "nymph", + "houri", + "nymphet", + "nympholept", + "nymphomaniac", + "nympho", + "oarsman", + "rower", + "oarswoman", + "obliger", + "accommodator", + "oboist", + "obscurantist", + "observer", + "commentator", + "obstetrician", + "accoucheur", + "Occidental", + "occupier", + "oceanographer", + "octogenarian", + "occultist", + "odalisque", + "odds-maker", + "handicapper", + "odist", + "wine lover", + "offerer", + "offeror", + "office-bearer", + "office boy", + "officeholder", + "officer", + "officer", + "ship's officer", + "official", + "official", + "functionary", + "officiant", + "Federal", + "Fed", + "federal official", + "Federal", + "Federal soldier", + "Union soldier", + "agent", + "federal agent", + "offspring", + "progeny", + "issue", + "ogler", + "oiler", + "oilman", + "oilman", + "oil painter", + "oil tycoon", + "old-age pensioner", + "old boy", + "old boy", + "old boy", + "old man", + "old lady", + "old man", + "old man", + "greybeard", + "graybeard", + "Methuselah", + "old man", + "old master", + "oldster", + "old person", + "senior citizen", + "golden ager", + "old-timer", + "oldtimer", + "gaffer", + "old geezer", + "antique", + "old woman", + "oligarch", + "Olympian", + "ombudsman", + "omnivore", + "oncologist", + "oneiromancer", + "one of the boys", + "onlooker", + "looker-on", + "onomancer", + "operagoer", + "opera star", + "operatic star", + "operator", + "manipulator", + "operator", + "operator", + "ophthalmologist", + "eye doctor", + "oculist", + "opium addict", + "opium taker", + "opportunist", + "self-seeker", + "opposition", + "opponent", + "opposite", + "oppressor", + "optician", + "lens maker", + "optimist", + "optometrist", + "oculist", + "Orangeman", + "orator", + "speechmaker", + "rhetorician", + "public speaker", + "speechifier", + "orchestrator", + "ordainer", + "orderer", + "systematizer", + "systematiser", + "systemizer", + "systemiser", + "systematist", + "orderer", + "orderly", + "hospital attendant", + "orderly", + "orderly sergeant", + "ordinand", + "ordinary", + "ordinary", + "organ donor", + "organ-grinder", + "organist", + "organization man", + "organizer", + "organiser", + "arranger", + "organizer", + "organiser", + "labor organizer", + "orientalist", + "originator", + "conceiver", + "mastermind", + "Orleanist", + "ornithologist", + "bird watcher", + "orphan", + "orphan", + "orthodontist", + "Orthodox Jew", + "orthoepist", + "orthopedist", + "orthopaedist", + "orthoptist", + "osteologist", + "osteologer", + "osteopath", + "osteopathist", + "ostrich", + "Ostrogoth", + "ouster", + "ejector", + "out-and-outer", + "outcast", + "castaway", + "pariah", + "Ishmael", + "outcaste", + "outdoorsman", + "outdoorswoman", + "outfielder", + "outfielder", + "right fielder", + "right-handed pitcher", + "right-hander", + "center fielder", + "centerfielder", + "left fielder", + "outfitter", + "outlier", + "outpatient", + "outrider", + "outsider", + "overachiever", + "overlord", + "master", + "lord", + "overnighter", + "overseer", + "superintendent", + "owner", + "proprietor", + "owner", + "possessor", + "owner-driver", + "owner-occupier", + "oyabun", + "pachuco", + "pacifist", + "pacificist", + "disarmer", + "packer", + "bagger", + "boxer", + "packrat", + "padrone", + "padrone", + "pagan", + "page", + "varlet", + "page", + "page", + "pageboy", + "pain", + "pain in the neck", + "nuisance", + "painter", + "painter", + "palatine", + "palsgrave", + "palatine", + "Paleo-American", + "Paleo-Amerind", + "Paleo-Indian", + "paleographer", + "paleographist", + "paleontologist", + "palaeontologist", + "fossilist", + "pallbearer", + "bearer", + "palmist", + "palmister", + "chiromancer", + "pamperer", + "spoiler", + "coddler", + "mollycoddler", + "pamphleteer", + "Panchen Lama", + "panderer", + "panelist", + "panellist", + "panhandler", + "pansexual", + "pantheist", + "paparazzo", + "paperboy", + "paperhanger", + "paperer", + "paperhanger", + "paper-pusher", + "papoose", + "pappoose", + "parachutist", + "parachuter", + "parachute jumper", + "paragrapher", + "paralegal", + "legal assistant", + "paralytic", + "paramedic", + "paramedical", + "paranoid", + "paranoiac", + "paraplegic", + "paraprofessional", + "parapsychologist", + "paratrooper", + "para", + "pardoner", + "pardoner", + "forgiver", + "excuser", + "parent", + "parer", + "paretic", + "parishioner", + "park commissioner", + "parliamentarian", + "Parliamentarian", + "Member of Parliament", + "parliamentary agent", + "parlormaid", + "parlourmaid", + "parodist", + "lampooner", + "parricide", + "parrot", + "Parsee", + "Parsi", + "partaker", + "sharer", + "participant", + "partisan", + "zealot", + "drumbeater", + "partitionist", + "partner", + "part-owner", + "part-timer", + "party", + "party boss", + "political boss", + "boss", + "party girl", + "partygoer", + "party man", + "party liner", + "pasha", + "pacha", + "passenger", + "rider", + "passer", + "forward passer", + "passer", + "passer", + "passerby", + "passer-by", + "passer", + "passive source", + "paster", + "past master", + "past master", + "pastry cook", + "patentee", + "pater", + "patient", + "patrial", + "patriarch", + "patriarch", + "patriarch", + "paterfamilias", + "patriarch", + "patrician", + "patricide", + "patriot", + "nationalist", + "patroller", + "patron", + "frequenter", + "patron", + "sponsor", + "supporter", + "patron", + "patroness", + "patronne", + "patron saint", + "patternmaker", + "patzer", + "pauper", + "pavement artist", + "pawer", + "pawnbroker", + "payee", + "payer", + "remunerator", + "paymaster", + "peacekeeper", + "peacekeeper", + "peanut", + "pearl diver", + "pearler", + "peasant", + "provincial", + "bucolic", + "peasant", + "barbarian", + "boor", + "churl", + "Goth", + "tyke", + "tike", + "peasant", + "pedaler", + "pedaller", + "pedant", + "bookworm", + "scholastic", + "peddler", + "pedlar", + "packman", + "hawker", + "pitchman", + "pederast", + "paederast", + "child molester", + "pedestrian", + "walker", + "footer", + "pedodontist", + "pedophile", + "paedophile", + "peeler", + "peer", + "peer of the realm", + "pelter", + "pendragon", + "penetrator", + "penitent", + "penny pincher", + "penologist", + "pen pal", + "pen-friend", + "penpusher", + "pencil pusher", + "pensioner", + "pensionary", + "pentathlete", + "Pentecostal", + "Pentecostalist", + "percussionist", + "perfectionist", + "perfecter", + "performer", + "performing artist", + "perfumer", + "peri", + "perinatologist", + "periodontist", + "peripatetic", + "perisher", + "perjurer", + "false witness", + "peroxide blond", + "peroxide blonde", + "perpetrator", + "culprit", + "peshmerga", + "personality", + "personal representative", + "personage", + "persona grata", + "persona non grata", + "personification", + "embodiment", + "incarnation", + "avatar", + "deification", + "perspirer", + "sweater", + "persuader", + "inducer", + "pervert", + "deviant", + "deviate", + "degenerate", + "pessimist", + "pest", + "blighter", + "cuss", + "pesterer", + "gadfly", + "Peter Pan", + "petit bourgeois", + "petitioner", + "suppliant", + "supplicant", + "requester", + "petit juror", + "petty juror", + "petroleum geologist", + "oil geologist", + "pet sitter", + "critter sitter", + "petter", + "fondler", + "petty officer", + "PO", + "P.O.", + "Pharaoh", + "Pharaoh of Egypt", + "Pharisee", + "pharisee", + "pharmacist", + "druggist", + "chemist", + "apothecary", + "pill pusher", + "pill roller", + "pharmacologist", + "pharmaceutical chemist", + "philanthropist", + "altruist", + "philatelist", + "stamp collector", + "philhellene", + "philhellenist", + "Graecophile", + "Philippian", + "Philistine", + "philistine", + "anti-intellectual", + "lowbrow", + "philologist", + "philologue", + "philomath", + "philosopher", + "philosopher", + "philosophizer", + "philosophiser", + "phlebotomist", + "phonetician", + "phonologist", + "photographer", + "lensman", + "photographer's model", + "photojournalist", + "photometrist", + "photometrician", + "phrenologist", + "craniologist", + "Phrygian", + "physical therapist", + "physiotherapist", + "physicist", + "physiologist", + "phytochemist", + "pianist", + "piano player", + "piano maker", + "piano teacher", + "pickaninny", + "piccaninny", + "picaninny", + "picker", + "picker", + "chooser", + "selector", + "picket", + "pickpocket", + "cutpurse", + "dip", + "pickup", + "picnicker", + "picknicker", + "pied piper", + "pilgrim", + "pilgrim", + "Pilgrim", + "Pilgrim Father", + "pill", + "pillar", + "mainstay", + "pill head", + "pilot", + "airplane pilot", + "pilot", + "Piltdown man", + "Piltdown hoax", + "pimp", + "procurer", + "panderer", + "pander", + "pandar", + "fancy man", + "ponce", + "pinchgut", + "pinch hitter", + "pinko", + "pink", + "pioneer", + "pioneer", + "innovator", + "trailblazer", + "groundbreaker", + "pipe major", + "piper", + "bagpiper", + "pipe smoker", + "pip-squeak", + "squirt", + "small fry", + "pirate", + "buccaneer", + "sea robber", + "sea rover", + "pisser", + "urinator", + "pistoleer", + "pitcher", + "hurler", + "twirler", + "pitchman", + "pituitary dwarf", + "hypophysial dwarf", + "Levi-Lorrain dwarf", + "pivot", + "pivot man", + "place-kicker", + "placekicker", + "placeman", + "placeseeker", + "placer miner", + "plagiarist", + "plagiarizer", + "plagiariser", + "literary pirate", + "pirate", + "plainclothesman", + "plainsman", + "plaintiff", + "complainant", + "plaiter", + "planner", + "contriver", + "deviser", + "plant", + "planter", + "plantation owner", + "planter", + "plasterer", + "plaster saint", + "platelayer", + "tracklayer", + "plater", + "platinum blond", + "platinum blonde", + "platitudinarian", + "Platonist", + "playboy", + "man-about-town", + "Corinthian", + "player", + "participant", + "player", + "player", + "playgoer", + "theatergoer", + "theatregoer", + "playmaker", + "playmate", + "playfellow", + "pleaser", + "plebeian", + "pleb", + "pledge", + "pledgee", + "pledger", + "pledge taker", + "plenipotentiary", + "plier", + "plyer", + "plodder", + "slowpoke", + "stick-in-the-mud", + "slowcoach", + "plodder", + "slogger", + "plotter", + "mapper", + "plowboy", + "ploughboy", + "plowman", + "ploughman", + "plower", + "plowwright", + "ploughwright", + "plumber", + "pipe fitter", + "plunderer", + "pillager", + "looter", + "spoiler", + "despoiler", + "raider", + "freebooter", + "pluralist", + "pluralist", + "pluralist", + "plutocrat", + "poacher", + "poet", + "poetess", + "poet laureate", + "poet laureate", + "poilu", + "pointillist", + "point man", + "point man", + "pointsman", + "point woman", + "poisoner", + "polemicist", + "polemist", + "polemic", + "police commissioner", + "policeman", + "police officer", + "officer", + "police matron", + "policewoman", + "police sergeant", + "sergeant", + "policyholder", + "policy maker", + "political prisoner", + "political scientist", + "politician", + "politico", + "pol", + "political leader", + "politician", + "politician", + "pollster", + "poll taker", + "headcounter", + "canvasser", + "polluter", + "defiler", + "poltroon", + "craven", + "recreant", + "polyandrist", + "polygamist", + "polygynist", + "polytheist", + "pomologist", + "ponce", + "pontifex", + "pooler", + "pool player", + "poor devil", + "wretch", + "poor person", + "have-not", + "pope", + "Catholic Pope", + "Roman Catholic Pope", + "pontiff", + "Holy Father", + "Vicar of Christ", + "Bishop of Rome", + "popinjay", + "popularizer", + "populariser", + "vulgarizer", + "vulgariser", + "pork butcher", + "pornographer", + "porn merchant", + "porter", + "Pullman porter", + "porter", + "portraitist", + "portrait painter", + "portrayer", + "limner", + "portwatcher", + "port watcher", + "poseur", + "poser", + "poseuse", + "positivist", + "rationalist", + "posseman", + "possible", + "postdiluvian", + "postdoc", + "post doc", + "poster boy", + "poster child", + "poster girl", + "postmature infant", + "postulator", + "postulator", + "posturer", + "private citizen", + "probable", + "problem solver", + "solver", + "convergent thinker", + "pro-lifer", + "proprietress", + "prosthetist", + "prosthodontist", + "provincial", + "postal clerk", + "mail clerk", + "postilion", + "postillion", + "Postimpressionist", + "Post-impressionist", + "postmaster", + "postmistress", + "postmaster general", + "postulant", + "potboy", + "potman", + "pothead", + "potholer", + "spelunker", + "speleologist", + "spelaeologist", + "pothunter", + "pothunter", + "pothunter", + "potter", + "thrower", + "ceramicist", + "ceramist", + "poultryman", + "poulterer", + "powderer", + "powder monkey", + "power", + "force", + "influence", + "Moloch", + "power broker", + "powerbroker", + "powerhouse", + "human dynamo", + "ball of fire", + "fireball", + "power user", + "power worker", + "power-station worker", + "practitioner", + "practician", + "praetor", + "pretor", + "Praetorian Guard", + "Praetorian", + "pragmatist", + "pragmatist", + "prankster", + "cut-up", + "trickster", + "tricker", + "hoaxer", + "practical joker", + "prattler", + "prayer", + "supplicant", + "preacher", + "preacher man", + "sermonizer", + "sermoniser", + "prebendary", + "preceptor", + "don", + "predecessor", + "preemptor", + "pre-emptor", + "preemptor", + "pre-emptor", + "prefect", + "Pre-Raphaelite", + "premature baby", + "preterm baby", + "premature infant", + "preterm infant", + "preemie", + "premie", + "presbyope", + "presbyter", + "Presbyterian", + "preschooler", + "kindergartner", + "kindergartener", + "presenter", + "sponsor", + "presenter", + "presentist", + "preservationist", + "preserver", + "preserver", + "president", + "President of the United States", + "United States President", + "President", + "Chief Executive", + "president", + "president", + "prexy", + "president", + "chairman", + "chairwoman", + "chair", + "chairperson", + "presiding officer", + "pre-Socratic", + "press agent", + "publicity man", + "public relations man", + "PR man", + "press lord", + "press photographer", + "Pretender", + "preterist", + "prevailing party", + "prey", + "quarry", + "target", + "fair game", + "priest", + "priest", + "non-Christian priest", + "priestess", + "prima ballerina", + "prima donna", + "diva", + "prima donna", + "primary care physician", + "primigravida", + "gravida I", + "primipara", + "para I", + "primordial dwarf", + "hypoplastic dwarf", + "true dwarf", + "normal dwarf", + "primus", + "prince", + "Elector", + "prince charming", + "prince consort", + "princeling", + "princeling", + "Prince of Wales", + "princess", + "princess royal", + "principal", + "dealer", + "principal", + "school principal", + "head teacher", + "head", + "principal", + "principal investigator", + "PI", + "printer", + "pressman", + "printer's devil", + "printmaker", + "graphic artist", + "print seller", + "prior", + "prisoner", + "captive", + "prisoner of war", + "POW", + "private", + "buck private", + "common soldier", + "private detective", + "PI", + "private eye", + "private investigator", + "operative", + "shamus", + "sherlock", + "privateer", + "privateersman", + "prizefighter", + "gladiator", + "probability theorist", + "probationer", + "parolee", + "probationer", + "student nurse", + "probation officer", + "processor", + "process-server", + "proconsul", + "proconsul", + "procrastinator", + "postponer", + "cunctator", + "proctologist", + "proctor", + "monitor", + "procurator", + "procurer", + "securer", + "procuress", + "prodigal", + "profligate", + "squanderer", + "prodigy", + "producer", + "professional", + "professional person", + "professional", + "pro", + "professor", + "prof", + "profiteer", + "profit taker", + "programmer", + "computer programmer", + "coder", + "software engineer", + "projectionist", + "proletarian", + "prole", + "worker", + "promisee", + "promiser", + "promisor", + "promoter", + "booster", + "plugger", + "prompter", + "theater prompter", + "promulgator", + "proofreader", + "reader", + "propagandist", + "propagator", + "disseminator", + "propagator", + "property man", + "propman", + "property master", + "prophet", + "prophesier", + "oracle", + "seer", + "vaticinator", + "prophetess", + "prophet", + "proposer", + "mover", + "propositus", + "prosecutor", + "public prosecutor", + "prosecuting officer", + "prosecuting attorney", + "proselyte", + "prospector", + "prostitute", + "cocotte", + "whore", + "harlot", + "bawd", + "tart", + "cyprian", + "fancy woman", + "working girl", + "sporting lady", + "lady of pleasure", + "woman of the street", + "protectionist", + "protege", + "protegee", + "protozoologist", + "provider", + "provost", + "provost marshal", + "prowler", + "sneak", + "stalker", + "proxy", + "placeholder", + "procurator", + "prude", + "puritan", + "pruner", + "trimmer", + "psalmist", + "psephologist", + "pseudohermaphrodite", + "psychiatrist", + "head-shrinker", + "shrink", + "psychic", + "spirit rapper", + "psycholinguist", + "psychologist", + "psychophysicist", + "sociopath", + "psychopath", + "psychopomp", + "psychotherapist", + "clinical psychologist", + "psychotic", + "psychotic person", + "psycho", + "pteridologist", + "publican", + "tavern keeper", + "public defender", + "publicist", + "publicizer", + "publiciser", + "public relations person", + "public servant", + "publisher", + "publisher", + "newspaper publisher", + "puddler", + "pudge", + "puerpera", + "puller", + "tugger", + "dragger", + "puller", + "puncher", + "punching bag", + "punk rocker", + "punk", + "punster", + "punter", + "punter", + "puppet ruler", + "puppet leader", + "puppeteer", + "puppy", + "pup", + "purchasing agent", + "purist", + "puritan", + "Puritan", + "purser", + "pursued", + "chased", + "pursuer", + "chaser", + "pursuer", + "purveyor", + "pusher", + "shover", + "pusher", + "drug peddler", + "peddler", + "drug dealer", + "drug trafficker", + "pusher", + "thruster", + "pushover", + "pussycat", + "putter", + "putterer", + "potterer", + "putz", + "Pygmy", + "Pigmy", + "pygmy", + "pigmy", + "pyrographer", + "pyromancer", + "python", + "pythoness", + "qadi", + "quack", + "quadripara", + "quadriplegic", + "quadruplet", + "quad", + "quaestor", + "quaffer", + "quaker", + "trembler", + "qualifier", + "quarreler", + "quarreller", + "quarryman", + "quarrier", + "quarter", + "quarterback", + "signal caller", + "field general", + "quartermaster", + "quartermaster general", + "Quebecois", + "queen", + "queen regnant", + "female monarch", + "Queen of England", + "queen", + "queen", + "queen consort", + "queen dowager", + "queen mother", + "queen regent", + "Queen's Counsel", + "question master", + "quizmaster", + "Quetzalcoatl", + "quibbler", + "caviller", + "caviler", + "pettifogger", + "quick study", + "sponge", + "quietist", + "quintipara", + "quintuplet", + "quint", + "quin", + "quitter", + "quoter", + "rabbi", + "racer", + "race driver", + "automobile driver", + "racetrack tout", + "racist", + "racialist", + "racker", + "racketeer", + "radical", + "radio announcer", + "radiobiologist", + "radiographer", + "radiologic technologist", + "radiologist", + "radiotherapist", + "radio operator", + "raftsman", + "raftman", + "rafter", + "ragamuffin", + "tatterdemalion", + "ragpicker", + "ragsorter", + "railbird", + "rail-splitter", + "splitter", + "rainmaker", + "rainmaker", + "raiser", + "raja", + "rajah", + "Rajput", + "Rajpoot", + "rake", + "rakehell", + "profligate", + "rip", + "blood", + "roue", + "rambler", + "rambler", + "ramrod", + "rancher", + "ranch hand", + "rani", + "ranee", + "ranker", + "ranker", + "ranter", + "raver", + "raper", + "rapist", + "rape suspect", + "rapper", + "rapporteur", + "rare bird", + "rara avis", + "Raskolnikov", + "Rodya Raskolnikov", + "rat-catcher", + "disinfestation officer", + "ratepayer", + "raver", + "raw recruit", + "reactionary", + "ultraconservative", + "extreme right-winger", + "reader", + "reader", + "reading teacher", + "realist", + "realist", + "realist", + "real estate broker", + "real estate agent", + "estate agent", + "land agent", + "house agent", + "Realtor", + "rear admiral", + "reasoner", + "ratiocinator", + "rebutter", + "disprover", + "refuter", + "confuter", + "receiver", + "pass receiver", + "pass catcher", + "receiver", + "receptionist", + "recidivist", + "backslider", + "reversionist", + "recidivist", + "repeater", + "habitual criminal", + "recitalist", + "reciter", + "record-breaker", + "record-holder", + "recorder", + "recorder player", + "recruit", + "enlistee", + "recruit", + "military recruit", + "recruiter", + "recruiter", + "recruiting-sergeant", + "rectifier", + "redact", + "redactor", + "reviser", + "rewriter", + "rewrite man", + "redcap", + "redcap", + "redeemer", + "redhead", + "redheader", + "red-header", + "carrottop", + "redneck", + "cracker", + "reeler", + "reenactor", + "referral", + "referee", + "ref", + "referee", + "refiner", + "refinisher", + "renovator", + "restorer", + "preserver", + "reformer", + "reformist", + "crusader", + "social reformer", + "meliorist", + "Reform Jew", + "refugee", + "regent", + "regent", + "trustee", + "regicide", + "registered nurse", + "RN", + "registrant", + "registrar", + "record-keeper", + "recorder", + "registrar", + "registrar", + "Regius professor", + "regular", + "habitue", + "fixture", + "regular", + "regular", + "regulator", + "reincarnation", + "reliever", + "relief pitcher", + "fireman", + "reliever", + "allayer", + "comforter", + "religious", + "eremite", + "anchorite", + "hermit", + "cenobite", + "coenobite", + "religious leader", + "remittance man", + "remover", + "Renaissance man", + "Renaissance man", + "generalist", + "renegade", + "rent collector", + "renter", + "rentier", + "repairman", + "maintenance man", + "service man", + "repatriate", + "repeater", + "reporter", + "newsman", + "newsperson", + "newswoman", + "repository", + "secretary", + "representative", + "reprobate", + "miscreant", + "republican", + "Republican", + "rescuer", + "recoverer", + "saver", + "research director", + "director of research", + "research worker", + "researcher", + "investigator", + "reservist", + "resident", + "occupant", + "occupier", + "resident commissioner", + "respecter", + "respondent", + "responder", + "answerer", + "respondent", + "restaurateur", + "restauranter", + "rester", + "restrainer", + "controller", + "retailer", + "retail merchant", + "retiree", + "retired person", + "retreatant", + "returning officer", + "reveler", + "reveller", + "merrymaker", + "drunken reveler", + "drunken reveller", + "bacchanal", + "bacchant", + "revenant", + "revenant", + "revenuer", + "reversioner", + "reviewer", + "referee", + "reader", + "revisionist", + "revolutionist", + "revolutionary", + "subversive", + "subverter", + "rheumatic", + "rheumatologist", + "Rhodesian man", + "Homo rhodesiensis", + "Rhodes scholar", + "rhymer", + "rhymester", + "versifier", + "poetizer", + "poetiser", + "rhythm and blues musician", + "ribald", + "Richard Roe", + "rich person", + "wealthy person", + "have", + "millionaire", + "billionaire", + "multi-billionaire", + "rider", + "rider", + "disreputable person", + "riding master", + "Riff", + "Riffian", + "rifleman", + "rifleman", + "rigger", + "rigger", + "oil rigger", + "right-hander", + "right hander", + "righthander", + "right-hand man", + "chief assistant", + "man Friday", + "rightist", + "right-winger", + "ringer", + "ringer", + "dead ringer", + "clone", + "ring girl", + "ringleader", + "ringmaster", + "rioter", + "ripper", + "Rip van Winkle", + "Rip van Winkle", + "riser", + "ritualist", + "ritualist", + "rival", + "challenger", + "competitor", + "competition", + "contender", + "riveter", + "rivetter", + "road builder", + "road hog", + "roadhog", + "roadman", + "road mender", + "roarer", + "bawler", + "bellower", + "screamer", + "screecher", + "shouter", + "yeller", + "roaster", + "roaster", + "robber", + "robbery suspect", + "Robert's Rules of Order", + "Robin Hood", + "Robinson Crusoe", + "rock", + "rock climber", + "cragsman", + "rocker", + "rocker", + "rock 'n' roll musician", + "rocker", + "rocket engineer", + "rocket scientist", + "rocket scientist", + "rock star", + "rogue", + "knave", + "rascal", + "rapscallion", + "scalawag", + "scallywag", + "varlet", + "roisterer", + "rollerblader", + "roller-skater", + "Roman Emperor", + "Emperor of Rome", + "Romanov", + "Romanoff", + "romantic", + "romanticist", + "romantic", + "Romeo", + "romper", + "roofer", + "room clerk", + "roommate", + "roomie", + "roomy", + "ropemaker", + "rope-maker", + "roper", + "roper", + "roper", + "ropewalker", + "ropedancer", + "rosebud", + "Rosicrucian", + "Rosicrucian", + "Rotarian", + "rotter", + "dirty dog", + "rat", + "skunk", + "stinker", + "stinkpot", + "bum", + "puke", + "crumb", + "lowlife", + "scum bag", + "so-and-so", + "git", + "Mountie", + "Rough Rider", + "roughrider", + "Roundhead", + "roundhead", + "roundsman", + "router", + "rover", + "scouter", + "rubberneck", + "rubbernecker", + "ruler", + "swayer", + "civil authority", + "civil officer", + "dynast", + "rug merchant", + "Rumpelstiltskin", + "Shylock", + "rumrunner", + "runner", + "runner", + "runner", + "runner-up", + "second best", + "running back", + "running mate", + "runt", + "shrimp", + "peewee", + "half-pint", + "ruralist", + "rusher", + "rusher", + "rusher", + "rustic", + "rustler", + "cattle thief", + "Sabbatarian", + "saboteur", + "wrecker", + "diversionist", + "sachem", + "sagamore", + "sachem", + "sacred cow", + "sacrificer", + "saddler", + "Sadducee", + "sadhu", + "saddhu", + "sadist", + "sadomasochist", + "safebreaker", + "safecracker", + "cracksman", + "sage", + "sailing master", + "navigator", + "sailmaker", + "sailor", + "crewman", + "saint", + "holy man", + "holy person", + "angel", + "saint", + "salesclerk", + "shop clerk", + "clerk", + "shop assistant", + "salesgirl", + "saleswoman", + "saleslady", + "salesman", + "salesperson", + "sales representative", + "sales rep", + "saloon keeper", + "salter", + "salt merchant", + "salter", + "salutatorian", + "salutatory speaker", + "salvager", + "salvor", + "Samaritan", + "samurai", + "sandbagger", + "sandboy", + "sandwichman", + "sangoma", + "sannup", + "sannyasi", + "sannyasin", + "sanyasi", + "Santa Claus", + "Santa", + "Kriss Kringle", + "Father Christmas", + "Saint Nicholas", + "Saint Nick", + "St. Nick", + "Tristan", + "Tristram", + "Iseult", + "Isolde", + "sapper", + "sapper", + "Saracen", + "Saracen", + "Saracen", + "Sardinian", + "Sassenach", + "Satanist", + "diabolist", + "satellite", + "planet", + "satirist", + "ironist", + "ridiculer", + "satyr", + "lecher", + "lech", + "letch", + "satrap", + "saunterer", + "stroller", + "ambler", + "savage", + "barbarian", + "saver", + "savior", + "saviour", + "rescuer", + "deliverer", + "Savoyard", + "sawyer", + "saxophonist", + "saxist", + "scab", + "strikebreaker", + "blackleg", + "rat", + "scalawag", + "scallywag", + "scalper", + "scandalmonger", + "scanner", + "scapegoat", + "whipping boy", + "scapegrace", + "black sheep", + "Scaramouch", + "Scaramouche", + "scaremonger", + "stirrer", + "scatterbrain", + "forgetful person", + "scenarist", + "scene painter", + "sceneshifter", + "shifter", + "scene-stealer", + "scenic artist", + "scene painter", + "schemer", + "plotter", + "schizophrenic", + "schlemiel", + "shlemiel", + "schlepper", + "shlepper", + "schlep", + "shlep", + "schlimazel", + "shlimazel", + "schlockmeister", + "shlockmeister", + "schmuck", + "shmuck", + "schmo", + "shmo", + "schnook", + "shnook", + "schnorrer", + "shnorrer", + "scholar", + "scholarly person", + "bookman", + "student", + "scholar", + "Scholastic", + "scholiast", + "schoolboy", + "schoolchild", + "school-age child", + "pupil", + "schoolfriend", + "schoolgirl", + "Schoolman", + "medieval Schoolman", + "schoolmarm", + "schoolma'am", + "schoolmistress", + "mistress", + "schoolmaster", + "schoolmate", + "classmate", + "schoolfellow", + "class fellow", + "school superintendent", + "schoolteacher", + "school teacher", + "science teacher", + "scientist", + "scion", + "scoffer", + "flouter", + "mocker", + "jeerer", + "scoffer", + "gorger", + "scofflaw", + "scold", + "scolder", + "nag", + "nagger", + "common scold", + "scorekeeper", + "scorer", + "scorer", + "scorer", + "scourer", + "scourer", + "scout", + "pathfinder", + "guide", + "scout", + "talent scout", + "Scout", + "scoutmaster", + "scrambler", + "scratch", + "scratcher", + "scratcher", + "scrawler", + "scribbler", + "screen actor", + "movie actor", + "screener", + "screenwriter", + "film writer", + "screwballer", + "scribe", + "scribbler", + "penman", + "scrimshanker", + "scriptwriter", + "scrubber", + "scrub nurse", + "scrutinizer", + "scrutiniser", + "scrutineer", + "canvasser", + "scuba diver", + "sculler", + "scullion", + "sculptor", + "sculpturer", + "carver", + "statue maker", + "sculptress", + "Scythian", + "sea king", + "sea lawyer", + "sealer", + "searcher", + "Sea Scout", + "seasonal worker", + "seasonal", + "seasoner", + "secessionist", + "second", + "second baseman", + "second sacker", + "second cousin", + "seconder", + "second fiddle", + "second banana", + "second hand", + "second-in-command", + "second lieutenant", + "2nd lieutenant", + "second-rater", + "mediocrity", + "secret agent", + "intelligence officer", + "intelligence agent", + "operative", + "secretary", + "secretarial assistant", + "secretary", + "Attorney General", + "United States Attorney General", + "US Attorney General", + "Secretary of Agriculture", + "Agriculture Secretary", + "Secretary of Commerce", + "Commerce Secretary", + "Secretary of Defense", + "Defense Secretary", + "Secretary of Education", + "Education Secretary", + "Secretary of Energy", + "Energy Secretary", + "Secretary of Health and Human Services", + "Secretary of Housing and Urban Development", + "Secretary of Labor", + "Labor Secretary", + "Secretary of State", + "Secretary of the Interior", + "Interior Secretary", + "Secretary of the Treasury", + "Treasury Secretary", + "Secretary of Transportation", + "Transportation Secretary", + "Secretary of Veterans Affairs", + "Secretary General", + "sectarian", + "sectary", + "sectarist", + "Section Eight", + "section hand", + "section man", + "secularist", + "secundigravida", + "gravida II", + "security consultant", + "security director", + "seducer", + "ladies' man", + "lady killer", + "seducer", + "seductress", + "seeded player", + "seed", + "seeder", + "cloud seeder", + "seedsman", + "seedman", + "seeker", + "searcher", + "quester", + "seer", + "segregate", + "segregator", + "segregationist", + "seismologist", + "selectman", + "selectwoman", + "selfish person", + "self-starter", + "seller", + "marketer", + "vender", + "vendor", + "trafficker", + "selling agent", + "semanticist", + "semiotician", + "semifinalist", + "seminarian", + "seminarist", + "semiprofessional", + "semipro", + "senator", + "sendee", + "sender", + "transmitter", + "Senhor", + "senior", + "senior chief petty officer", + "SCPO", + "senior master sergeant", + "SMSgt", + "senior vice president", + "sentimentalist", + "romanticist", + "sensationalist", + "ballyhoo artist", + "separatist", + "separationist", + "Sephardi", + "Sephardic Jew", + "septuagenarian", + "serf", + "helot", + "villein", + "sergeant", + "sergeant at arms", + "serjeant-at-arms", + "sergeant major", + "command sergeant major", + "serial killer", + "serial murderer", + "spree killer", + "sericulturist", + "serjeant-at-law", + "serjeant", + "sergeant-at-law", + "sergeant", + "serologist", + "servant", + "retainer", + "servant girl", + "serving girl", + "server", + "serviceman", + "military man", + "man", + "military personnel", + "servitor", + "settler", + "colonist", + "settler", + "settler", + "settlor", + "trustor", + "sewer", + "sewing-machine operator", + "sexagenarian", + "sex kitten", + "sexpot", + "sex bomb", + "sex object", + "sex offender", + "sex symbol", + "sexton", + "sacristan", + "shadow", + "Shah", + "Shah of Iran", + "shaheed", + "Shaker", + "shaker", + "mover and shaker", + "Shakespearian", + "Shakespearean", + "shanghaier", + "seizer", + "sharecropper", + "cropper", + "sharecrop farmer", + "shark", + "shark", + "sharpshooter", + "shaver", + "Shavian", + "shearer", + "shearer", + "shedder", + "spiller", + "she-devil", + "sheepherder", + "shepherd", + "sheepman", + "sheepman", + "sheep", + "sheep", + "shegetz", + "sheik", + "tribal sheik", + "sheikh", + "tribal sheikh", + "Arab chief", + "sheika", + "sheikha", + "sheller", + "shelver", + "Shem", + "shepherd", + "shepherdess", + "sheriff", + "shiksa", + "shikse", + "shill", + "shingler", + "ship-breaker", + "ship broker", + "shipbuilder", + "ship builder", + "ship chandler", + "shipmate", + "shipowner", + "shipper", + "shipping agent", + "shipping clerk", + "ship's chandler", + "shipwright", + "shipbuilder", + "ship builder", + "shirtmaker", + "shocker", + "shogun", + "Shona", + "shoofly", + "shooter", + "shooter", + "crap-shooter", + "shopaholic", + "shop boy", + "shop girl", + "shopkeeper", + "tradesman", + "storekeeper", + "market keeper", + "shopper", + "shopper", + "shop steward", + "steward", + "shortstop", + "shot", + "shooter", + "gunman", + "gun", + "shot putter", + "shoveler", + "shoveller", + "showman", + "promoter", + "impresario", + "showman", + "shrew", + "termagant", + "Shudra", + "Sudra", + "shuffler", + "shuffler", + "shutterbug", + "shy person", + "shrinking violet", + "shyster", + "pettifogger", + "Siamese twin", + "conjoined twin", + "sibling", + "sib", + "sibyl", + "sibyl", + "sick person", + "diseased person", + "sufferer", + "side judge", + "sidesman", + "sightreader", + "sightseer", + "excursionist", + "tripper", + "rubberneck", + "signaler", + "signaller", + "signalman", + "signer", + "signatory", + "signer", + "sign painter", + "signor", + "signior", + "signora", + "signore", + "signorina", + "Sikh", + "silent partner", + "sleeping partner", + "silly", + "silversmith", + "silverworker", + "silver-worker", + "addle-head", + "addlehead", + "loon", + "birdbrain", + "Simeon", + "simperer", + "simpleton", + "simple", + "singer", + "vocalist", + "vocalizer", + "vocaliser", + "sinner", + "evildoer", + "Sinologist", + "sipper", + "sir", + "Sir", + "sirdar", + "sire", + "Siren", + "sirrah", + "sister", + "Sister", + "Beguine", + "sister", + "sis", + "half sister", + "half-sister", + "stepsister", + "sissy", + "pantywaist", + "pansy", + "milksop", + "Milquetoast", + "waverer", + "vacillator", + "hesitator", + "hesitater", + "sister-in-law", + "sitar player", + "sitter", + "sitting duck", + "easy mark", + "six-footer", + "sixth-former", + "skateboarder", + "skater", + "skeptic", + "sceptic", + "doubter", + "sketcher", + "skidder", + "skidder", + "slider", + "slipper", + "skier", + "ski jumper", + "skimmer", + "Skinnerian", + "skinny-dipper", + "skirmisher", + "skilled worker", + "trained worker", + "skilled workman", + "skin-diver", + "aquanaut", + "skinhead", + "skinner", + "skipper", + "skivvy", + "slavey", + "skycap", + "skydiver", + "slacker", + "shirker", + "slammer", + "slapper", + "spanker", + "slasher", + "slattern", + "slut", + "slovenly woman", + "trollop", + "slave", + "slave", + "striver", + "hard worker", + "slave", + "slave driver", + "slave driver", + "Simon Legree", + "slaveholder", + "slave owner", + "slaver", + "slaver", + "slave dealer", + "slave trader", + "sledder", + "sleeper", + "slumberer", + "sleeper", + "sleeper", + "Sleeping Beauty", + "sleeping beauty", + "sleepwalker", + "somnambulist", + "noctambulist", + "sleepyhead", + "sleuth", + "sleuthhound", + "slicer", + "slicker", + "slinger", + "slip", + "slob", + "sloven", + "pig", + "slovenly person", + "sloganeer", + "slopseller", + "slop-seller", + "slouch", + "sloucher", + "sluggard", + "slug", + "small businessman", + "small-for-gestational-age infant", + "SGA infant", + "smallholder", + "small person", + "small farmer", + "smarta", + "smasher", + "stunner", + "knockout", + "beauty", + "ravisher", + "sweetheart", + "peach", + "lulu", + "looker", + "mantrap", + "dish", + "smasher", + "smiler", + "smirker", + "smith", + "metalworker", + "smith", + "smoker", + "tobacco user", + "smoothie", + "smoothy", + "sweet talker", + "charmer", + "smuggler", + "runner", + "contrabandist", + "moon curser", + "moon-curser", + "snake charmer", + "snake", + "snake in the grass", + "snarer", + "snatcher", + "sneak", + "sneak thief", + "pilferer", + "snitcher", + "sneerer", + "scorner", + "sneezer", + "sniffer", + "sniffler", + "sniveler", + "sniper", + "snob", + "prig", + "snot", + "snoot", + "snoop", + "snooper", + "snorer", + "snorter", + "snowboarder", + "snuffer", + "snuff user", + "snuffer", + "snuffler", + "sobersides", + "sob sister", + "soccer player", + "social anthropologist", + "cultural anthropologist", + "social climber", + "climber", + "socialist", + "collectivist", + "leftist", + "left-winger", + "socialite", + "socializer", + "socialiser", + "social scientist", + "social secretary", + "social worker", + "caseworker", + "welfare worker", + "Socinian", + "sociobiologist", + "sociolinguist", + "sociologist", + "sod", + "soda jerk", + "soda jerker", + "sodalist", + "sodomite", + "sodomist", + "sod", + "bugger", + "softy", + "softie", + "sojourner", + "solderer", + "soldier", + "solicitor", + "solicitor", + "canvasser", + "solicitor general", + "soloist", + "sommelier", + "wine waiter", + "wine steward", + "somniloquist", + "son", + "boy", + "songster", + "songstress", + "songwriter", + "songster", + "ballad maker", + "son-in-law", + "sonneteer", + "Sophist", + "sophisticate", + "man of the world", + "sophomore", + "soph", + "soprano", + "sorcerer", + "magician", + "wizard", + "necromancer", + "thaumaturge", + "thaumaturgist", + "shaman", + "priest-doctor", + "medicine man", + "sorceress", + "sorehead", + "sort", + "sorter", + "soubrette", + "soul", + "psyche", + "soul mate", + "sounding board", + "soundman", + "sourdough", + "sourpuss", + "picklepuss", + "gloomy Gus", + "pouter", + "Southern Baptist", + "Southerner", + "Rebel", + "Reb", + "Johnny Reb", + "Johnny", + "greyback", + "sovereign", + "crowned head", + "monarch", + "sower", + "space cadet", + "spacewalker", + "space writer", + "spammer", + "Spanish American", + "Hispanic American", + "Hispanic", + "sparer", + "sparring partner", + "sparring mate", + "spastic", + "speaker", + "talker", + "utterer", + "verbalizer", + "verbaliser", + "native speaker", + "Speaker", + "spearhead", + "speechwriter", + "special agent", + "specialist", + "specializer", + "specialiser", + "specialist", + "medical specialist", + "specifier", + "spectator", + "witness", + "viewer", + "watcher", + "looker", + "speculator", + "plunger", + "speculator", + "speech therapist", + "speeder", + "speed demon", + "speed freak", + "speedskater", + "speed skater", + "spellbinder", + "speller", + "good speller", + "poor speller", + "spender", + "disburser", + "expender", + "spendthrift", + "spend-all", + "spender", + "scattergood", + "big spender", + "high roller", + "sphinx", + "spindlelegs", + "spindleshanks", + "spin doctor", + "spinmeister", + "spinner", + "spinster", + "thread maker", + "spinster", + "old maid", + "spirit", + "spitfire", + "spitter", + "expectorator", + "spiv", + "splicer", + "splicer", + "split end", + "splitter", + "divider", + "splitter", + "spoiler", + "spoilsport", + "killjoy", + "wet blanket", + "party pooper", + "spokesman", + "spokesperson", + "interpreter", + "representative", + "voice", + "spokeswoman", + "sponger", + "sport", + "sportsman", + "sportswoman", + "sport", + "sport", + "summercater", + "sporting man", + "outdoor man", + "sporting man", + "sports announcer", + "sportscaster", + "sports commentator", + "sports editor", + "sports fan", + "fan", + "rooter", + "sports writer", + "sportswriter", + "spotter", + "spotter", + "spot-welder", + "spot welder", + "spouse", + "partner", + "married person", + "mate", + "better half", + "sprawler", + "sprayer", + "sprog", + "sprog", + "sprinter", + "spurner", + "spy", + "undercover agent", + "spy", + "spymaster", + "squabbler", + "square dancer", + "square shooter", + "straight shooter", + "straight arrow", + "square", + "square toes", + "square", + "lame", + "squatter", + "squatter", + "homesteader", + "nester", + "squaw", + "squaw man", + "squeeze", + "squinter", + "squint-eye", + "squire", + "squire", + "squire", + "gallant", + "stabber", + "stableman", + "stableboy", + "groom", + "hostler", + "ostler", + "stacker", + "staff member", + "staffer", + "staff officer", + "staff sergeant", + "stage director", + "stagehand", + "stage technician", + "stage manager", + "stager", + "staggerer", + "totterer", + "reeler", + "stainer", + "stakeholder", + "Stalinist", + "stalker", + "stalker", + "stalking-horse", + "stammerer", + "stutterer", + "stamper", + "stomper", + "tramper", + "trampler", + "stamper", + "stamp dealer", + "standard-bearer", + "standardizer", + "standardiser", + "standee", + "stander", + "stand-in", + "substitute", + "relief", + "reliever", + "backup", + "backup man", + "fill-in", + "star", + "principal", + "lead", + "starer", + "starets", + "starlet", + "starter", + "dispatcher", + "starter", + "starting pitcher", + "starveling", + "stater", + "state's attorney", + "state attorney", + "state senator", + "statesman", + "solon", + "national leader", + "stateswoman", + "state treasurer", + "stationer", + "stationery seller", + "stationmaster", + "station agent", + "statistician", + "actuary", + "statistician", + "mathematical statistician", + "stay-at-home", + "homebody", + "steamfitter", + "steelmaker", + "steelworker", + "steelman", + "steeplejack", + "stemmer", + "stenographer", + "amanuensis", + "shorthand typist", + "stentor", + "stepbrother", + "half-brother", + "half brother", + "stepchild", + "stepdaughter", + "stepfather", + "stepmother", + "stepparent", + "stepson", + "stevedore", + "loader", + "longshoreman", + "docker", + "dockhand", + "dock worker", + "dockworker", + "dock-walloper", + "lumper", + "steward", + "steward", + "flight attendant", + "steward", + "stewardess", + "air hostess", + "hostess", + "stickler", + "stiff", + "stifler", + "smotherer", + "stigmatic", + "stigmatist", + "stillborn infant", + "stinter", + "stipendiary", + "stipendiary magistrate", + "stippler", + "stitcher", + "stockbroker", + "stockjobber", + "stocktaker", + "stock-taker", + "stock trader", + "stockholder", + "shareholder", + "shareowner", + "stockholder of record", + "stockist", + "stockman", + "stock raiser", + "stock farmer", + "Stoic", + "stoic", + "unemotional person", + "stoker", + "fireman", + "stone breaker", + "stonecutter", + "cutter", + "stoner", + "lapidator", + "stonewaller", + "stooper", + "stooper", + "store detective", + "storm trooper", + "storyteller", + "fibber", + "fabricator", + "stowaway", + "strafer", + "straggler", + "strayer", + "straight man", + "second banana", + "stranger", + "alien", + "unknown", + "stranger", + "straphanger", + "straphanger", + "strategist", + "strategian", + "straw boss", + "assistant foreman", + "strider", + "stringer", + "stringer", + "streaker", + "street cleaner", + "street sweeper", + "street fighter", + "tough", + "street fighter", + "street urchin", + "guttersnipe", + "street arab", + "gamin", + "throwaway", + "streetwalker", + "street girl", + "hooker", + "hustler", + "floozy", + "floozie", + "slattern", + "stretcher-bearer", + "litter-bearer", + "strike leader", + "striker", + "striker", + "striker", + "striper", + "strip miner", + "stripper", + "striptease artist", + "striptease", + "stripteaser", + "exotic dancer", + "ecdysiast", + "peeler", + "stripper", + "stemmer", + "sprigger", + "stroke", + "strongman", + "strongman", + "struggler", + "Stuart", + "stud", + "he-man", + "macho-man", + "student", + "pupil", + "educatee", + "student teacher", + "practice teacher", + "study", + "stuffed shirt", + "stumblebum", + "palooka", + "double", + "stunt man", + "stunt woman", + "stumbler", + "tripper", + "stupid", + "stupid person", + "stupe", + "dullard", + "dolt", + "pudding head", + "pudden-head", + "poor fish", + "pillock", + "stylist", + "stylite", + "subaltern", + "subcontractor", + "subdeacon", + "subdivider", + "subduer", + "surmounter", + "overcomer", + "subject", + "case", + "guinea pig", + "subjectivist", + "subjugator", + "sublieutenant", + "submariner", + "submitter", + "submitter", + "subnormal", + "subordinate", + "subsidiary", + "underling", + "foot soldier", + "subscriber", + "contributor", + "subscriber", + "reader", + "subscriber", + "endorser", + "indorser", + "ratifier", + "subsidizer", + "subsidiser", + "substitute", + "reserve", + "second-stringer", + "subtracter", + "suburbanite", + "subvocalizer", + "subvocaliser", + "successor", + "heir", + "successor", + "replacement", + "succorer", + "succourer", + "sucker", + "suer", + "petitioner", + "Sufi", + "suffragan", + "suffragan bishop", + "suffragette", + "suffragist", + "sugar daddy", + "suggester", + "proposer", + "suicide", + "felo-de-se", + "suicide bomber", + "suit", + "suitor", + "suer", + "wooer", + "sultan", + "grand Turk", + "Sumerian", + "summercaters", + "sumo wrestler", + "sun", + "sunbather", + "sundowner", + "sun worshiper", + "supercargo", + "supergrass", + "grass", + "super heavyweight", + "superintendent", + "super", + "superior", + "superior", + "higher-up", + "superordinate", + "supermarketer", + "supermarketeer", + "supermodel", + "supermom", + "supernumerary", + "spear carrier", + "extra", + "supernumerary", + "supervisor", + "supplier", + "provider", + "supply officer", + "supporter", + "protagonist", + "champion", + "admirer", + "booster", + "friend", + "suppressor", + "suppresser", + "supremacist", + "suprematist", + "supremo", + "surfer", + "surfboarder", + "surgeon", + "operating surgeon", + "sawbones", + "Surgeon General", + "Surgeon General", + "surpriser", + "surrealist", + "surrenderer", + "yielder", + "surrogate", + "alternate", + "replacement", + "surrogate mother", + "surveyor", + "surveyor", + "survivalist", + "survivor", + "survivor", + "subsister", + "suspect", + "sutler", + "victualer", + "victualler", + "provisioner", + "Svengali", + "Svengali", + "swaggerer", + "swagman", + "swagger", + "swaggie", + "swearer", + "swearer", + "sweater girl", + "sweeper", + "sweetheart", + "sweetheart", + "sweetie", + "steady", + "truelove", + "swimmer", + "natator", + "bather", + "swimmer", + "swineherd", + "pigman", + "swinger", + "tramp", + "swinger", + "swing voter", + "floating voter", + "switcher", + "whipper", + "switch-hitter", + "switch-hitter", + "switchman", + "swot", + "grind", + "nerd", + "wonk", + "dweeb", + "sycophant", + "toady", + "crawler", + "lackey", + "ass-kisser", + "syllogist", + "syllogizer", + "syllogiser", + "sylph", + "sylph", + "sylvan", + "silvan", + "symbolic logician", + "symbolist", + "symbolist", + "symbolizer", + "symboliser", + "sympathizer", + "sympathiser", + "well-wisher", + "sympathizer", + "sympathiser", + "comforter", + "symphonist", + "symposiast", + "syncopator", + "syndic", + "syndicator", + "synonymist", + "synthesist", + "synthesizer", + "synthesiser", + "syphilitic", + "system administrator", + "systems analyst", + "tablemate", + "dining companion", + "tacker", + "tackle", + "tackler", + "tactician", + "Tagalog", + "tagalong", + "hanger-on", + "tagger", + "tagger", + "tail", + "shadow", + "shadower", + "tailback", + "tailgater", + "tailor", + "seamster", + "sartor", + "taker", + "talent", + "talent agent", + "talking head", + "tallyman", + "tally clerk", + "tallyman", + "tamer", + "tanker", + "tank driver", + "tanner", + "tantalizer", + "tantaliser", + "taoiseach", + "tap dancer", + "tapper", + "tapper", + "wiretapper", + "phone tapper", + "tapper", + "tapper", + "tapster", + "tapper", + "Tartuffe", + "Tartufe", + "Tarzan", + "taskmaster", + "taskmistress", + "taster", + "taste tester", + "taste-tester", + "sampler", + "tattletale", + "tattler", + "taleteller", + "talebearer", + "telltale", + "blabbermouth", + "tax assessor", + "assessor", + "tax collector", + "taxman", + "exciseman", + "collector of internal revenue", + "internal revenue agent", + "taxer", + "taxi dancer", + "taxidermist", + "animal stuffer", + "stuffer", + "taxidriver", + "taximan", + "cabdriver", + "cabman", + "cabby", + "hack driver", + "hack-driver", + "livery driver", + "taxonomist", + "taxonomer", + "systematist", + "taxpayer", + "teacher", + "instructor", + "teacher's pet", + "teaching fellow", + "teammate", + "mate", + "teamster", + "trucker", + "truck driver", + "teamster", + "tearaway", + "tease", + "teaser", + "annoyer", + "vexer", + "teaser", + "techie", + "tekki", + "technical sergeant", + "technician", + "technician", + "technocrat", + "technocrat", + "technophile", + "technophobe", + "Ted", + "Teddy boy", + "teetotaler", + "teetotaller", + "teetotalist", + "telecaster", + "telegrapher", + "telegraphist", + "telegraph operator", + "teleologist", + "telepathist", + "thought-reader", + "mental telepathist", + "mind reader", + "telephone operator", + "telephonist", + "switchboard operator", + "televangelist", + "television reporter", + "television newscaster", + "TV reporter", + "TV newsman", + "television star", + "TV star", + "Tell", + "William Tell", + "teller", + "cashier", + "bank clerk", + "teller", + "vote counter", + "tellurian", + "earthling", + "earthman", + "worldling", + "temp", + "temporary", + "temporary worker", + "temporizer", + "temporiser", + "tempter", + "term infant", + "toiler", + "tenant", + "renter", + "tenant", + "tenant", + "tenant farmer", + "tenderfoot", + "tennis coach", + "tennis player", + "tennis pro", + "professional tennis player", + "tenor", + "tenor saxophonist", + "tenorist", + "tentmaker", + "termer", + "territorial", + "terror", + "brat", + "little terror", + "holy terror", + "terror", + "scourge", + "threat", + "terrorist", + "tertigravida", + "gravida III", + "testator", + "testate", + "testatrix", + "test driver", + "testee", + "examinee", + "testifier", + "deponent", + "deposer", + "test pilot", + "test-tube baby", + "Teutonist", + "Texas Ranger", + "Ranger", + "thane", + "thane", + "thatcher", + "Thatcherite", + "theatrical producer", + "theologian", + "theologist", + "theologizer", + "theologiser", + "theorist", + "theoretician", + "theorizer", + "theoriser", + "idealogue", + "theosophist", + "therapist", + "healer", + "Thessalian", + "Thessalonian", + "thief", + "stealer", + "thinker", + "creative thinker", + "mind", + "thinker", + "thin person", + "skin and bones", + "scrag", + "third baseman", + "third sacker", + "third party", + "third-rater", + "thoroughbred", + "thrall", + "thrower", + "throwster", + "thrower", + "thrush", + "thunderbird", + "thurifer", + "ticket collector", + "ticket taker", + "tier", + "tier up", + "tier", + "tiger", + "tight end", + "tiler", + "tiller", + "tilter", + "timberman", + "timekeeper", + "timekeeper", + "timer", + "timeserver", + "Timorese", + "tinker", + "tinker", + "tinkerer", + "tinkerer", + "fiddler", + "tinsmith", + "tinner", + "tinter", + "tipper", + "tippler", + "social drinker", + "tipster", + "tout", + "tither", + "titterer", + "giggler", + "T-man", + "toast", + "toaster", + "wassailer", + "toastmaster", + "symposiarch", + "toast mistress", + "tobacconist", + "Tobagonian", + "tobogganist", + "Todd", + "Sweeney Todd", + "toddler", + "yearling", + "tot", + "bambino", + "toff", + "nob", + "tollkeeper", + "tollman", + "tollgatherer", + "toll collector", + "toll taker", + "toll agent", + "toller", + "toller", + "bell ringer", + "ringer", + "tomboy", + "romp", + "hoyden", + "Tom Thumb", + "Tom Thumb", + "toolmaker", + "top banana", + "topper", + "topper", + "torchbearer", + "torch singer", + "tormentor", + "tormenter", + "persecutor", + "tort-feasor", + "tortfeasor", + "torturer", + "Tory", + "Tory", + "Tory", + "tosser", + "tosser", + "jerk-off", + "wanker", + "totalitarian", + "totemist", + "toucher", + "touch-typist", + "tough guy", + "plug-ugly", + "tour guide", + "tourist", + "tourer", + "holidaymaker", + "tout", + "touter", + "tout", + "ticket tout", + "tovarich", + "tovarisch", + "tower of strength", + "pillar of strength", + "towhead", + "town clerk", + "town crier", + "crier", + "townsman", + "towner", + "townee", + "townie", + "towny", + "townsman", + "toxicologist", + "tracer", + "tracker", + "track star", + "Tractarian", + "trader", + "bargainer", + "dealer", + "monger", + "trade unionist", + "unionist", + "union member", + "traditionalist", + "diehard", + "traffic cop", + "dealer", + "tragedian", + "tragedian", + "tragedienne", + "trailblazer", + "trail boss", + "trainbandsman", + "trainbearer", + "trainee", + "trainer", + "trainman", + "railroader", + "railroad man", + "railwayman", + "railway man", + "traitor", + "treasonist", + "traitress", + "tramp", + "hobo", + "bum", + "trampler", + "transactor", + "transalpine", + "transcendentalist", + "transcriber", + "transcriber", + "transcriber", + "transfer", + "transferee", + "transferee", + "transferer", + "transferrer", + "transferor", + "transient", + "translator", + "transcriber", + "transmigrante", + "transplanter", + "transsexual", + "transexual", + "transsexual", + "transexual", + "transvestite", + "cross-dresser", + "trapper", + "Trappist", + "Cistercian", + "trapshooter", + "travel agent", + "traveling salesman", + "travelling salesman", + "commercial traveler", + "commercial traveller", + "roadman", + "bagman", + "traverser", + "trawler", + "treasurer", + "financial officer", + "Treasury", + "First Lord of the Treasury", + "tree hugger", + "tree surgeon", + "arborist", + "trekker", + "trencher", + "trend-setter", + "taste-maker", + "fashion arbiter", + "trial attorney", + "trial lawyer", + "trial judge", + "tribesman", + "tribologist", + "tribune", + "trier", + "attempter", + "essayer", + "trier", + "trifler", + "trigonometrician", + "Trilby", + "Trinidadian", + "triplet", + "tripper", + "tritheist", + "triumvir", + "trombonist", + "trombone player", + "trooper", + "trouper", + "trooper", + "state trooper", + "trophy wife", + "Trotskyite", + "Trotskyist", + "Trot", + "troublemaker", + "trouble maker", + "troubler", + "mischief-maker", + "bad hat", + "troubleshooter", + "trouble shooter", + "truant", + "hooky player", + "trudger", + "plodder", + "slogger", + "trumpeter", + "cornetist", + "trustbuster", + "trustee", + "legal guardian", + "trusty", + "tub-thumper", + "tucker", + "Tudor", + "tumbler", + "tuner", + "piano tuner", + "turncock", + "turner", + "turner", + "turner", + "turtler", + "tutee", + "tv announcer", + "television announcer", + "twaddler", + "twerp", + "twirp", + "twit", + "twiddler", + "fiddler", + "twin", + "twiner", + "two-timer", + "Tyke", + "tympanist", + "timpanist", + "typist", + "tyrant", + "autocrat", + "despot", + "tyrant", + "tyrant", + "ugly duckling", + "umpire", + "ump", + "uncle", + "uncle", + "underachiever", + "underperformer", + "nonachiever", + "undergraduate", + "undergrad", + "undersecretary", + "underseller", + "understudy", + "standby", + "undesirable", + "undoer", + "opener", + "unfastener", + "untier", + "undoer", + "unemployed person", + "unicorn", + "unicyclist", + "unilateralist", + "uniocular dichromat", + "union representative", + "Unitarian", + "Trinitarian", + "Arminian", + "universal agent", + "general agent", + "universal donor", + "UNIX guru", + "Unknown Soldier", + "unmarried woman", + "unpleasant woman", + "disagreeable woman", + "untouchable", + "Harijan", + "upbraider", + "reprover", + "reproacher", + "rebuker", + "upholder", + "maintainer", + "sustainer", + "upholsterer", + "upsetter", + "upstager", + "upstart", + "parvenu", + "nouveau-riche", + "arriviste", + "upstart", + "urban guerrilla", + "urchin", + "urologist", + "user", + "usher", + "guide", + "usherette", + "usher", + "doorkeeper", + "usufructuary", + "usurer", + "loan shark", + "moneylender", + "shylock", + "usurper", + "supplanter", + "utilitarian", + "utility man", + "utility man", + "utilizer", + "utiliser", + "Utopian", + "utterer", + "utterer", + "vocalizer", + "vocaliser", + "uxor", + "ux.", + "uxoricide", + "vacationer", + "vacationist", + "vaccinee", + "vagrant", + "drifter", + "floater", + "vagabond", + "Vaisya", + "valedictorian", + "valedictory speaker", + "valentine", + "valet", + "valet de chambre", + "gentleman", + "gentleman's gentleman", + "man", + "valetudinarian", + "valley girl", + "valuer", + "vandal", + "Vandal", + "vanisher", + "varnisher", + "vassal", + "liege", + "liegeman", + "liege subject", + "feudatory", + "vaudevillian", + "vaulter", + "pole vaulter", + "pole jumper", + "vegetarian", + "Vedist", + "vegan", + "venerator", + "venter", + "ventriloquist", + "venture capitalist", + "venturer", + "merchant-venturer", + "verger", + "vermin", + "varmint", + "very important person", + "VIP", + "high-up", + "dignitary", + "panjandrum", + "high muckamuck", + "vestal", + "vestryman", + "vestrywoman", + "veteran", + "old-timer", + "oldtimer", + "old hand", + "warhorse", + "old stager", + "stager", + "veteran", + "vet", + "ex-serviceman", + "veteran", + "veteran soldier", + "veterinarian", + "veterinary", + "veterinary surgeon", + "vet", + "vibist", + "vibraphonist", + "vicar", + "vicar", + "vicar", + "vicar apostolic", + "vicar-general", + "vice admiral", + "vice chairman", + "vice chancellor", + "vicegerent", + "vice president", + "V.P.", + "Vice President of the United States", + "vice-regent", + "viceroy", + "vicereine", + "vicereine", + "victim", + "victim", + "dupe", + "victimizer", + "victimiser", + "victor", + "master", + "superior", + "Victorian", + "victualer", + "victualler", + "vigilante", + "vigilance man", + "villager", + "villain", + "scoundrel", + "villain", + "baddie", + "villainess", + "vintager", + "vintner", + "winemaker", + "wine maker", + "vintner", + "wine merchant", + "violator", + "debaucher", + "ravisher", + "violator", + "lawbreaker", + "law offender", + "violinist", + "fiddler", + "violin maker", + "violist", + "virago", + "virgin", + "virologist", + "virtuoso", + "Visayan", + "Bisayan", + "viscount", + "viscountess", + "viscountess", + "viscount", + "Visigoth", + "visionary", + "illusionist", + "seer", + "visionary", + "visiting fireman", + "visiting nurse", + "visiting professor", + "visitor", + "visitant", + "visualizer", + "visualiser", + "visually impaired person", + "vitalist", + "vital principle", + "life principle", + "viticulturist", + "vivisectionist", + "vixen", + "harpy", + "hellcat", + "vizier", + "vociferator", + "voice", + "voicer", + "voicer", + "volleyball player", + "volunteer", + "unpaid worker", + "volunteer", + "military volunteer", + "voluntary", + "voluptuary", + "sybarite", + "vomiter", + "spewer", + "votary", + "votary", + "votary", + "voter", + "elector", + "vouchee", + "voucher", + "verifier", + "vower", + "voyager", + "voyeur", + "Peeping Tom", + "peeper", + "vulcanizer", + "vulcaniser", + "vulgarian", + "vulgarizer", + "vulgariser", + "Wac", + "waddler", + "waffler", + "wag", + "wit", + "card", + "Wagnerian", + "wagoner", + "waggoner", + "wagonwright", + "waggonwright", + "wainwright", + "Wahhabi", + "Wahabi", + "waif", + "street child", + "wailer", + "waiter", + "server", + "waitress", + "waiter", + "waker", + "waker", + "rouser", + "arouser", + "walk-in", + "walk-in", + "walking delegate", + "walk-on", + "wallah", + "wallflower", + "walloper", + "walloper", + "wallpaperer", + "wall-paperer", + "wally", + "Walter Mitty", + "waltzer", + "wanderer", + "roamer", + "rover", + "bird of passage", + "Wandering Jew", + "wanter", + "needer", + "wanton", + "war baby", + "warbler", + "war bride", + "war correspondent", + "war criminal", + "ward", + "warden", + "warder", + "wardress", + "warehouser", + "warehouseman", + "war god", + "god of war", + "warlock", + "warlord", + "warner", + "warrantee", + "warrantee", + "warrant officer", + "warrener", + "warrior", + "war widow", + "washer", + "washerman", + "laundryman", + "washwoman", + "washerwoman", + "laundrywoman", + "laundress", + "wassailer", + "carouser", + "wastrel", + "waster", + "watchdog", + "watcher", + "watchmaker", + "horologist", + "horologer", + "watchman", + "watcher", + "security guard", + "water boy", + "waterer", + "water dog", + "water rat", + "watercolorist", + "watercolourist", + "waterer", + "water witch", + "dowser", + "rhabdomancer", + "Wave", + "waver", + "wayfarer", + "journeyer", + "wayfarer", + "weakling", + "doormat", + "wuss", + "wearer", + "weasel", + "weatherman", + "weather forecaster", + "weaver", + "webmaster", + "wedding guest", + "weekender", + "weekend warrior", + "weekend warrior", + "weeder", + "weeper", + "weeper", + "crier", + "weigher", + "weightlifter", + "lifter", + "welcher", + "welsher", + "welder", + "welfare case", + "charity case", + "welterweight", + "welterweight", + "welterweight", + "wencher", + "westerner", + "West Indian", + "West-sider", + "wet nurse", + "wet-nurse", + "wetnurse", + "amah", + "wetter", + "whaler", + "wharf rat", + "wheedler", + "coaxer", + "wheeler", + "wheelwright", + "wheeler", + "whiffer", + "Whig", + "Whig", + "Whig", + "whiner", + "complainer", + "moaner", + "sniveller", + "crybaby", + "bellyacher", + "grumbler", + "squawker", + "whip", + "party whip", + "whipper-in", + "whippersnapper", + "jackanapes", + "lightweight", + "whirling dervish", + "whirler", + "whisperer", + "whistle blower", + "whistle-blower", + "whistleblower", + "whistler", + "whited sepulcher", + "whited sepulchre", + "whiteface", + "Carmelite", + "White Friar", + "Dominican", + "Black Friar", + "Blackfriar", + "friar preacher", + "Franciscan", + "Grey Friar", + "Augustinian", + "Austin Friar", + "white hope", + "great white hope", + "white separatist", + "white slave", + "white slaver", + "white supremacist", + "whittler", + "whoremaster", + "whoremonger", + "whoremaster", + "whoremonger", + "john", + "trick", + "Wiccan", + "witch", + "wicket-keeper", + "widow", + "widow woman", + "widower", + "widowman", + "wife", + "married woman", + "wiggler", + "wriggler", + "squirmer", + "wigmaker", + "wildcatter", + "wild man", + "feral man", + "wimp", + "chicken", + "crybaby", + "winder", + "wing", + "wingback", + "wing commander", + "winger", + "wingman", + "winner", + "winner", + "victor", + "window cleaner", + "window dresser", + "window trimmer", + "window washer", + "wine taster", + "winker", + "wiper", + "wireman", + "wirer", + "wire-puller", + "wirer", + "wise guy", + "smart aleck", + "wiseacre", + "wisenheimer", + "weisenheimer", + "junior", + "wisp", + "witch doctor", + "witch-hunter", + "withdrawer", + "withdrawer", + "withdrawer", + "withdrawer", + "withdrawer", + "withdrawer", + "withholder", + "withholder", + "withstander", + "witness", + "witnesser", + "informant", + "witness", + "attestant", + "attestor", + "attestator", + "witness", + "wittol", + "Wobbly", + "wog", + "wolf", + "woman chaser", + "skirt chaser", + "masher", + "wolf boy", + "woman", + "adult female", + "woman", + "womanizer", + "womaniser", + "philanderer", + "wonder boy", + "golden boy", + "wonderer", + "marveller", + "wonderer", + "wonder woman", + "woodcarver", + "carver", + "woodcutter", + "woodworker", + "woodsman", + "woodman", + "woodsman", + "woodman", + "wool stapler", + "woolsorter", + "wool stapler", + "wordmonger", + "word-painter", + "wordsmith", + "workaholic", + "working girl", + "workman", + "workingman", + "working man", + "working person", + "workmate", + "worldling", + "worm", + "louse", + "insect", + "dirt ball", + "worrier", + "fuss-budget", + "fusspot", + "worrywart", + "worshiper", + "worshipper", + "worthy", + "wrangler", + "wrecker", + "wrester", + "wrestler", + "grappler", + "matman", + "wretch", + "wright", + "write-in candidate", + "write-in", + "writer", + "author", + "writer", + "Wykehamist", + "xylophonist", + "yakuza", + "Yahoo", + "yachtsman", + "yachtswoman", + "yanker", + "jerker", + "Yankee", + "Yank", + "Northerner", + "yard bird", + "yardbird", + "yardie", + "yardman", + "yardman", + "yardmaster", + "trainmaster", + "train dispatcher", + "yawner", + "yenta", + "yenta", + "yeoman", + "yeoman", + "yeoman of the guard", + "beefeater", + "yodeller", + "yogi", + "yokel", + "rube", + "hick", + "yahoo", + "hayseed", + "bumpkin", + "chawbacon", + "young buck", + "young man", + "young person", + "youth", + "younker", + "spring chicken", + "young Turk", + "Young Turk", + "yuppie", + "zany", + "Zealot", + "Zionist", + "zombi", + "zombie", + "living dead", + "zombi", + "zombie", + "snake god", + "zombi", + "zombie", + "zombi spirit", + "zombie spirit", + "zoo keeper", + "zoologist", + "animal scientist", + "Zurvan", + "Aalto", + "Alvar Aalto", + "Hugo Alvar Henrik Aalto", + "Aaron", + "Aaron", + "Henry Louis Aaron", + "Hank Aaron", + "Abel", + "Niels Abel", + "Niels Henrik Abel", + "Abelard", + "Peter Abelard", + "Pierre Abelard", + "Abraham", + "Ibrahim", + "Acheson", + "Dean Acheson", + "Dean Gooderham Acheson", + "Adam", + "Robert Adam", + "Adams", + "John Adams", + "President Adams", + "President John Adams", + "Adams", + "John Quincy Adams", + "President Adams", + "President John Quincy Adams", + "Adams", + "Sam Adams", + "Samuel Adams", + "Adenauer", + "Konrad Adenauer", + "Adrian", + "Edgar Douglas Adrian", + "Baron Adrian", + "Aeschylus", + "Aesop", + "Agassiz", + "Louis Agassiz", + "Jean Louis Rodolphe Agassiz", + "Agee", + "James Agee", + "Agricola", + "Gnaeus Julius Agricola", + "Agrippa", + "Marcus Vipsanius Agrippa", + "Agrippina", + "Agrippina the Elder", + "Agrippina", + "Agrippina the Younger", + "Ahab", + "Aiken", + "Conrad Aiken", + "Conrad Potter Aiken", + "Ailey", + "Alvin Ailey", + "a Kempis", + "Thomas a Kempis", + "Akhenaton", + "Akhenaten", + "Ikhanaton", + "Amenhotep IV", + "Alaric", + "Albee", + "Edward Albee", + "Edward Franklin Albeen", + "Albers", + "Josef Albers", + "Albert", + "Prince Albert", + "Albert Francis Charles Augustus Emmanuel", + "Alberti", + "Leon Battista Alberti", + "Alcaeus", + "Alcibiades", + "Alcott", + "Louisa May Alcott", + "Alexander", + "Alexander the Great", + "Alexander I", + "Czar Alexander I", + "Aleksandr Pavlovich", + "Alexander II", + "Czar Alexander II", + "Alexander the Liberator", + "Alexander III", + "Czar Alexander III", + "Alexander VI", + "Pope Alexander VI", + "Borgia", + "Rodrigo Borgia", + "Alfred", + "Alfred the Great", + "Alger", + "Horatio Alger", + "Algren", + "Nelson Algren", + "Al-hakim", + "Alhazen", + "Alhacen", + "al-Haytham", + "Ibn al-Haytham", + "Al-Hasan ibn al-Haytham", + "Ali", + "Ali", + "Muhammad Ali", + "Cassius Clay", + "Cassius Marcellus Clay", + "Allen", + "Ethan Allen", + "Allen", + "Woody Allen", + "Allen Stewart Konigsberg", + "Allen", + "Gracie Allen", + "Grace Ethel Cecile Rosalie Allen", + "Gracie", + "Alonso", + "Alicia Alonso", + "Amati", + "Nicolo Amati", + "Nicola Amati", + "Ambrose", + "Saint Ambrose", + "St. Ambrose", + "Amos", + "Amundsen", + "Roald Amundsen", + "Anaxagoras", + "Anaximander", + "Anaximenes", + "Andersen", + "Hans Christian Andersen", + "Anderson", + "Carl Anderson", + "Carl David Anderson", + "Anderson", + "Marian Anderson", + "Anderson", + "Maxwell Anderson", + "Anderson", + "Philip Anderson", + "Philip Warren Anderson", + "Phil Anderson", + "Anderson", + "Sherwood Anderson", + "Andrew", + "Saint Andrew", + "St. Andrew", + "Saint Andrew the Apostle", + "Andrews", + "Roy Chapman Andrews", + "Anne", + "Anouilh", + "Jean Anouilh", + "Anselm", + "Saint Anselm", + "St. Anselm", + "Anthony", + "Susan Anthony", + "Susan B. Anthony", + "Susan Brownell Anthony", + "Antichrist", + "Antigonus", + "Antigonus Cyclops", + "Monophthalmos", + "Antoninus", + "Aurelius", + "Marcus Aurelius", + "Marcus Aurelius Antoninus", + "Marcus Annius Verus", + "Antonius Pius", + "Antony", + "Anthony", + "Mark Antony", + "Mark Anthony", + "Antonius", + "Marcus Antonius", + "Apollinaire", + "Guillaume Apollinaire", + "Wilhelm Apollinaris de Kostrowitzki", + "Appleton", + "Edward Appleton", + "Sir Edward Victor Appleton", + "Aquinas", + "Thomas Aquinas", + "Saint Thomas", + "St. Thomas", + "Saint Thomas Aquinas", + "St. Thomas Aquinas", + "Arafat", + "Yasser Arafat", + "Aragon", + "Louis Aragon", + "Archimedes", + "Arendt", + "Hannah Arendt", + "Aristarchus", + "Aristarchus of Samos", + "Aristophanes", + "Aristotle", + "Arius", + "Arminius", + "Armin", + "Hermann", + "Arminius", + "Jacobus Arminius", + "Jacob Harmensen", + "Jakob Hermandszoon", + "Armstrong", + "Louis Armstrong", + "Satchmo", + "Armstrong", + "Neil Armstrong", + "Arnold", + "Benedict Arnold", + "Arnold", + "Matthew Arnold", + "Arnold of Brescia", + "Arp", + "Jean Arp", + "Hans Arp", + "Arrhenius", + "Svante August Arrhenius", + "Artaxerxes I", + "Artaxerxes", + "Artaxerxes II", + "Artaxerxes", + "Arthur", + "King Arthur", + "Arthur", + "Chester A. Arthur", + "Chester Alan Arthur", + "President Arthur", + "Asanga", + "Asch", + "Sholem Asch", + "Shalom Asch", + "Sholom Asch", + "Ashe", + "Arthur Ashe", + "Arthur Robert Ashe", + "Ashton", + "Sir Frederick Ashton", + "Ashurbanipal", + "Assurbanipal", + "Asurbanipal", + "Asimov", + "Isaac Asimov", + "Astaire", + "Fred Astaire", + "Astor", + "John Jacob Astor", + "Astor", + "Nancy Witcher Astor", + "Viscountess Astor", + "Ataturk", + "Kemal Ataturk", + "Kemal Pasha", + "Mustafa Kemal", + "Athanasius", + "Saint Athanasius", + "St. Athanasius", + "Athanasius the Great", + "Athelstan", + "Attila", + "Attila the Hun", + "Scourge of God", + "Scourge of the Gods", + "Attlee", + "Clement Attlee", + "Clement Richard Attlee", + "1st Earl Attlee", + "Auchincloss", + "Louis Auchincloss", + "Louis Stanton Auchincloss", + "Auden", + "W. H. Auden", + "Wystan Hugh Auden", + "Audubon", + "John James Audubon", + "Augustine", + "Saint Augustine", + "St. Augustine", + "Augustine of Hippo", + "Augustus", + "Gaius Octavianus", + "Gaius Julius Caesar Octavianus", + "Octavian", + "Austen", + "Jane Austen", + "Averroes", + "ibn-Roshd", + "Abul-Walid Mohammed ibn-Ahmad Ibn-Mohammed ibn-Roshd", + "Avicenna", + "ibn-Sina", + "Abu Ali al-Husain ibn Abdallah ibn Sina", + "Avogadro", + "Amedeo Avogadro", + "Bach", + "Johann Sebastian Bach", + "Bacon", + "Francis Bacon", + "Sir Francis Bacon", + "Baron Verulam", + "1st Baron Verulam", + "Viscount St. Albans", + "Bacon", + "Roger Bacon", + "Baedeker", + "Karl Baedeker", + "Bailey", + "Nathan Bailey", + "Nathaniel Bailey", + "Bailey", + "Pearl Bailey", + "Pearl Mae Bailey", + "Bakunin", + "Mikhail Bakunin", + "Mikhail Aleksandrovich Bakunin", + "Balanchine", + "George Balanchine", + "Balboa", + "Vasco Nunez de Balboa", + "Baldwin", + "Stanley Baldwin", + "1st Earl Baldwin of Bewdley", + "Baldwin", + "James Baldwin", + "James Arthur Baldwin", + "Balenciaga", + "Cristobal Balenciaga", + "Balfour", + "Arthur James Balfour", + "1st Earl of Balfour", + "Ball", + "Lucille Ball", + "Balthazar", + "Balthasar", + "Balzac", + "Honore Balzac", + "Honore de Balzac", + "Bankhead", + "Tallulah Bankhead", + "Banks", + "Sir Joseph Banks", + "Bannister", + "Roger Bannister", + "Sir Roger Gilbert Bannister", + "Banting", + "F. G. Banting", + "Sir Frederick Grant Banting", + "Baraka", + "Imamu Amiri Baraka", + "LeRoi Jones", + "Barany", + "Robert Barany", + "Barbarossa", + "Khayr ad-Din", + "Barber", + "Samuel Barber", + "Bardeen", + "John Bardeen", + "Barkley", + "Alben Barkley", + "Alben William Barkley", + "Barnum", + "P. T. Barnum", + "Phineas Taylor Barnum", + "Barrie", + "James Barrie", + "J. M. Barrie", + "James Matthew Barrie", + "Sir James Matthew Barrie", + "Barrymore", + "Maurice Barrymore", + "Herbert Blythe", + "Barrymore", + "Georgiana Barrymore", + "Georgiana Emma Barrymore", + "Barrymore", + "Lionel Barrymore", + "Barrymore", + "Ethel Barrymore", + "Barrymore", + "John Barrymore", + "Barth", + "John Barth", + "John Simmons Barth", + "Barth", + "Karl Barth", + "Barthelme", + "Donald Barthelme", + "Bartholdi", + "Frederic Auguste Bartholdi", + "Bartholin", + "Caspar Bartholin", + "Bartlett", + "John Bartlett", + "Bartlett", + "Robert Bartlett", + "Robert Abram Bartlett", + "Captain Bob", + "Bartok", + "Bela Bartok", + "Baruch", + "Baruch", + "Bernard Baruch", + "Bernard Mannes Baruch", + "Baryshnikov", + "Mikhail Baryshnikov", + "Basil", + "St. Basil", + "Basil of Caesarea", + "Basil the Great", + "St. Basil the Great", + "Bathsheba", + "Baudelaire", + "Charles Baudelaire", + "Charles Pierre Baudelaire", + "Baum", + "Frank Baum", + "Lyman Frank Brown", + "Bayard", + "Seigneur de Bayard", + "Chevalier de Bayard", + "Pierre Terrail", + "Pierre de Terrail", + "Bayes", + "Thomas Bayes", + "Beadle", + "George Beadle", + "George Wells Beadle", + "Beaumont", + "Francis Beaumont", + "Beaumont", + "William Beaumont", + "Beauvoir", + "Simone de Beauvoir", + "Beaverbrook", + "1st Baron Beaverbrook", + "William Maxwell Aitken", + "Becket", + "Thomas a Becket", + "Saint Thomas a Becket", + "St. Thomas a Becket", + "Beckett", + "Samuel Beckett", + "Becquerel", + "Henri Becquerel", + "Antoine Henri Becquerel", + "Bede", + "Saint Bede", + "St. Bede", + "Baeda", + "Saint Baeda", + "St. Baeda", + "Beda", + "Saint Beda", + "St. Beda", + "the Venerable Bede", + "Beecher", + "Henry Ward Beecher", + "Beerbohm", + "Max Beerbohm", + "Sir Henry Maxmilian Beerbohm", + "Beethoven", + "van Beethoven", + "Ludwig van Beethoven", + "Begin", + "Menachem Begin", + "Behrens", + "Peter Behrens", + "Belisarius", + "Bell", + "Alexander Bell", + "Alexander Graham Bell", + "Bell", + "Vanessa Bell", + "Vanessa Stephen", + "Bell", + "Melville Bell", + "Alexander Melville Bell", + "Bellarmine", + "Bellarmino", + "Cardinal Bellarmine", + "Roberto Francesco Romolo Bellarmine", + "Bellini", + "Vincenzo Bellini", + "Belloc", + "Hilaire Belloc", + "Joseph Hilaire Peter Belloc", + "Bellow", + "Saul Bellow", + "Solomon Bellow", + "Belshazzar", + "Benchley", + "Robert Benchley", + "Robert Charles Benchley", + "Benedict", + "Saint Benedict", + "St. Benedict", + "Benedict XIV", + "Prospero Lambertini", + "Benedict XV", + "Giacomo della Chiesa", + "Benedict", + "Ruth Benedict", + "Ruth Fulton", + "Benet", + "William Rose Benet", + "Benet", + "Stephen Vincent Benet", + "Ben Gurion", + "David Ben Gurion", + "David Grun", + "Benjamin", + "Bennett", + "Floyd Bennett", + "Benny", + "Jack Benny", + "Benjamin Kubelsky", + "Bentham", + "Jeremy Bentham", + "Benton", + "Thomas Hart Benton", + "Old Bullion", + "Benton", + "Thomas Hart Benton", + "Berg", + "Alban Berg", + "Bergman", + "Ingmar Bergman", + "Bergman", + "Ingrid Bergman", + "Bergson", + "Henri Bergson", + "Henri Louis Bergson", + "Beria", + "Lavrenti Pavlovich Beria", + "Bering", + "Vitus Bering", + "Behring", + "Vitus Behring", + "Berkeley", + "Bishop Berkeley", + "George Berkeley", + "Berlage", + "Hendrik Petrus Berlage", + "Berlin", + "Irving Berlin", + "Israel Baline", + "Berlioz", + "Hector Berlioz", + "Louis-Hector Berlioz", + "Bernard", + "Claude Bernard", + "Bernhardt", + "Sarah Bernhardt", + "Henriette Rosine Bernard", + "Bernini", + "Giovanni Lorenzo Bernini", + "Bernoulli", + "Jakob Bernoulli", + "Jacques Bernoulli", + "James Bernoulli", + "Bernoulli", + "Johann Bernoulli", + "Jean Bernoulli", + "John Bernoulli", + "Bernoulli", + "Daniel Bernoulli", + "Bernstein", + "Leonard Bernstein", + "Berra", + "Lawrence Peter Berra", + "Yogi", + "Yogi Berra", + "Berry", + "Chuck Berry", + "Charles Edward Berry", + "Bertillon", + "Alphonse Bertillon", + "Bertolucci", + "Bernardo Bertolucci", + "Berzelius", + "Jons Jakob Berzelius", + "Bessel", + "Friedrich Wilhelm Bessel", + "Bessemer", + "Sir Henry Bessemer", + "Best", + "C. H. Best", + "Charles Herbert Best", + "Bethe", + "Hans Bethe", + "Hans Albrecht Bethe", + "Bethune", + "Mary McLeod Bethune", + "Beveridge", + "William Henry Beveridge", + "First Baron Beveridge", + "Bevin", + "Ernest Bevin", + "Bierce", + "Ambrose Bierce", + "Ambrose Gwinett Bierce", + "Binet", + "Alfred Binet", + "bin Laden", + "Osama bin Laden", + "Usama bin Laden", + "Bismarck", + "von Bismarck", + "Otto von Bismarck", + "Prince Otto von Bismarck", + "Prince Otto Eduard Leopold von Bismarck", + "Iron Chancellor", + "Bizet", + "Georges Bizet", + "Black", + "Shirley Temple Black", + "Shirley Temple", + "Black", + "Joseph Black", + "Black Hawk", + "Makataimeshekiakiak", + "Blair", + "Tony Blair", + "Anthony Charles Lynton Blair", + "Blake", + "William Blake", + "Bleriot", + "Louis Bleriot", + "Bligh", + "William Bligh", + "Captain Bligh", + "Blitzstein", + "Marc Blitzstein", + "Bloch", + "Ernest Bloch", + "Blok", + "Alexander Alexandrovich Blok", + "Aleksandr Aleksandrovich Blok", + "Bloomfield", + "Leonard Bloomfield", + "Blucher", + "von Blucher", + "G. L. von Blucher", + "Gebhard Leberecht von Blucher", + "Boccaccio", + "Giovanni Boccaccio", + "Bodoni", + "Gianbattista Bodoni", + "Boehme", + "Jakob Boehme", + "Bohme", + "Jakob Bohme", + "Boehm", + "Jakob Boehm", + "Behmen", + "Jakob Behmen", + "Boell", + "Heinrich Boell", + "Heinrich Theodor Boell", + "Boethius", + "Anicius Manlius Severinus Boethius", + "Bogart", + "Humphrey Bogart", + "Humphrey DeForest Bogart", + "Bohr", + "Niels Bohr", + "Niels Henrik David Bohr", + "Boleyn", + "Anne Boleyn", + "Bolivar", + "Simon Bolivar", + "El Libertador", + "Boltzmann", + "Ludwig Boltzmann", + "Bond", + "Julian Bond", + "Bonhoeffer", + "Dietrich Bonhoeffer", + "Boniface", + "Saint Boniface", + "St. Boniface", + "Winfred", + "Wynfrith", + "Apostle of Germany", + "Boniface VIII", + "Benedetto Caetani", + "Bonney", + "William H. Bonney", + "Billie the Kid", + "Bontemps", + "Arna Wendell Bontemps", + "Boole", + "George Boole", + "Boone", + "Daniel Boone", + "Booth", + "John Wilkes Booth", + "Borges", + "Jorge Borges", + "Jorge Luis Borges", + "Borgia", + "Cesare Borgia", + "Borgia", + "Lucrezia Borgia", + "Duchess of Ferrara", + "Born", + "Max Born", + "Borodin", + "Aleksandr Borodin", + "Aleksandr Porfirevich Borodin", + "Bosch", + "Hieronymus Bosch", + "Jerom Bos", + "Bose", + "Satyendra N. Bose", + "Satyendra Nath Bose", + "Boswell", + "James Boswell", + "Botticelli", + "Sandro Botticelli", + "Alessandro di Mariano dei Filipepi", + "Bougainville", + "Louis Antoine de Bougainville", + "Boulez", + "Pierre Boulez", + "Bowditch", + "Nathaniel Bowditch", + "Bowdler", + "Thomas Bowdler", + "Bowie", + "Jim Bowie", + "James Bowie", + "Boyle", + "Robert Boyle", + "Boyle", + "Kay Boyle", + "Bradbury", + "Ray Bradbury", + "Ray Douglas Bradbury", + "Bradford", + "William Bradford", + "Bradley", + "Omar Bradley", + "Omar Nelson Bradley", + "Bradley", + "Thomas Bradley", + "Tom Bradley", + "Bradstreet", + "Anne Bradstreet", + "Anne Dudley Bradstreet", + "Brady", + "James Buchanan Brady", + "Diamond Jim Brady", + "Diamond Jim", + "Brady", + "Mathew B. Brady", + "Bragg", + "Braxton Bragg", + "Brahe", + "Tycho Brahe", + "Brahms", + "Johannes Brahms", + "Braille", + "Louis Braille", + "Bramante", + "Donato Bramante", + "Donato d'Agnolo Bramante", + "Brancusi", + "Constantin Brancusi", + "Brandt", + "Willy Brandt", + "Braque", + "Georges Braque", + "Braun", + "von Braun", + "Wernher von Braun", + "Wernher Magnus Maximilian von Braun", + "Braun", + "Eva Braun", + "Brecht", + "Bertolt Brecht", + "Breuer", + "Marcel Lajos Breuer", + "Brezhnev", + "Leonid Brezhnev", + "Leonid Ilyich Brezhnev", + "Bridges", + "Harry Bridges", + "Bridget", + "Saint Bridget", + "St. Bridget", + "Brigid", + "Saint Brigid", + "St. Brigid", + "Bride", + "Saint Bride", + "St. Bride", + "Brinton", + "Daniel Garrison Brinton", + "Britten", + "Benjamin Britten", + "Edward Benjamin Britten", + "Lord Britten of Aldeburgh", + "Broca", + "Pierre-Paul Broca", + "Brockhouse", + "Bertram Brockhouse", + "Broglie", + "de Broglie", + "Louis Victor de Broglie", + "Bronte", + "Charlotte Bronte", + "Bronte", + "Emily Bronte", + "Emily Jane Bronte", + "Currer Bell", + "Bronte", + "Anne Bronte", + "Brooke", + "Rupert Brooke", + "Brooks", + "Van Wyck Brooks", + "Brown", + "John Brown", + "Brown", + "Robert Brown", + "Browne", + "Charles Farrar Browne", + "Artemus Ward", + "Browne", + "Hablot Knight Browne", + "Phiz", + "Browning", + "Elizabeth Barrett Browning", + "Browning", + "Robert Browning", + "Browning", + "John M. Browning", + "John Moses Browning", + "Bruce", + "Robert the Bruce", + "Robert I", + "Bruce", + "David Bruce", + "Sir David Bruce", + "Bruch", + "Max Bruch", + "Bruckner", + "Anton Bruckner", + "Brueghel", + "Breughel", + "Bruegel", + "Pieter Brueghel", + "Pieter Breughel", + "Pieter Bruegel", + "Breughel the Elder", + "Pieter Brueghel the Elder", + "Brummell", + "George Bryan Brummell", + "Beau Brummell", + "Brunelleschi", + "Filippo Brunelleschi", + "Bruno", + "Giordano Bruno", + "Bruno", + "Saint Bruno", + "St. Bruno", + "Brutus", + "Marcus Junius Brutus", + "Bryan", + "William Jennings Bryan", + "Great Commoner", + "Boy Orator of the Platte", + "Buber", + "Martin Buber", + "Buchanan", + "James Buchanan", + "President Buchanan", + "Buchner", + "Eduard Buchner", + "Buck", + "Pearl Buck", + "Pearl Sydenstricker Buck", + "Budge", + "Don Budge", + "John Donald Budge", + "Bukharin", + "Nikolai Ivanovich Bukharin", + "Bullfinch", + "Charles Bullfinch", + "Bultmann", + "Rudolf Bultmann", + "Rudolf Karl Bultmann", + "Bunche", + "Ralph Bunche", + "Ralph Johnson Bunche", + "Bunsen", + "Robert Bunsen", + "Robert Wilhelm Bunsen", + "Bunuel", + "Luis Bunuel", + "Bunyan", + "John Bunyan", + "Burbage", + "Richard Burbage", + "Burbank", + "Luther Burbank", + "Burger", + "Warren Burger", + "Warren E. Burger", + "Warren Earl Burger", + "Burgess", + "Anthony Burgess", + "Burgoyne", + "John Burgoyne", + "Gentleman Johnny", + "Burk", + "Martha Jane Burk", + "Burke", + "Martha Jane Burke", + "Calamity Jane", + "Burke", + "Edmund Burke", + "Burnett", + "Frances Hodgson Burnett", + "Frances Eliza Hodgson Burnett", + "Burnham", + "Daniel Hudson Burnham", + "Burns", + "Robert Burns", + "Burns", + "George Burns", + "Nathan Birnbaum", + "Burnside", + "A. E. Burnside", + "Ambrose Everett Burnside", + "Burr", + "Aaron Burr", + "Burroughs", + "Edgar Rice Burroughs", + "Burroughs", + "William Seward Burroughs", + "Burroughs", + "William Burroughs", + "William S. Burroughs", + "William Seward Burroughs", + "Burt", + "Cyril Burt", + "Cyril Lodowic Burt", + "Burton", + "Richard Burton", + "Burton", + "Richard Burton", + "Sir Richard Burton", + "Sir Richard Francis Burton", + "Bush", + "George Bush", + "George H.W. Bush", + "George Herbert Walker Bush", + "President Bush", + "Bush", + "Vannevar Bush", + "Bush", + "George Bush", + "George W. Bush", + "George Walker Bush", + "President Bush", + "President George W. Bush", + "Dubyuh", + "Dubya", + "Bushnell", + "David Bushnell", + "Father of the Submarine", + "Butler", + "Samuel Butler", + "Butler", + "Samuel Butler", + "Butterfield", + "William Butterfield", + "Byrd", + "Richard E. Byrd", + "Richard Evelyn Byrd", + "Admiral Byrd", + "Byrd", + "William Byrd", + "Byron", + "Lord George Gordon Byron", + "Sixth Baron Byron of Rochdale", + "Cabell", + "James Branch Cabell", + "Cabot", + "John Cabot", + "Giovanni Cabato", + "Cabot", + "Sebastian Cabot", + "Caesar", + "Julius Caesar", + "Gaius Julius Caesar", + "Caesar", + "Sid Caesar", + "Sidney Caesar", + "Cage", + "John Cage", + "John Milton Cage Jr.", + "Cagliostro", + "Count Alessandro di Cagliostro", + "Giuseppe Balsamo", + "Cagney", + "Jimmy Cagney", + "James Cagney", + "Calder", + "Alexander Calder", + "Calderon", + "Calderon de la Barca", + "Pedro Calderon de la Barca", + "Caldwell", + "Erskine Caldwell", + "Erskine Preston Caldwell", + "Caligula", + "Gaius", + "Gaius Caesar", + "Calixtus II", + "Guy of Burgundy", + "Calixtus III", + "Borgia", + "Alfonso Borgia", + "Callas", + "Maria Callas", + "Maria Meneghini Callas", + "Calvin", + "John Calvin", + "Jean Cauvin", + "Jean Caulvin", + "Jean Chauvin", + "Calvin", + "Melvin Calvin", + "Calvino", + "Italo Calvino", + "Campbell", + "Joseph Campbell", + "Camus", + "Albert Camus", + "Canetti", + "Elias Canetti", + "Canute", + "Cnut", + "Knut", + "Canute the Great", + "Capek", + "Karel Capek", + "Capone", + "Al Capone", + "Alphonse Capone", + "Scarface", + "Capra", + "Frank Capra", + "Caravaggio", + "Michelangelo Merisi da Caravaggio", + "Carducci", + "Giosue Carducci", + "Carew", + "Thomas Carew", + "Carl XVI Gustav", + "Carl XVI Gustaf", + "Carlyle", + "Thomas Carlyle", + "Carmichael", + "Hoagy Carmichael", + "Hoagland Howard Carmichael", + "Carnegie", + "Andrew Carnegie", + "Carnegie", + "Dale Carnegie", + "Carnot", + "Sadi Carnot", + "Nicolas Leonard Sadi Carnot", + "Carothers", + "Wallace Carothers", + "Wallace Hume Carothers", + "Carrel", + "Alexis Carrel", + "Carrere", + "John Merven Carrere", + "Carroll", + "Lewis Carroll", + "Dodgson", + "Reverend Dodgson", + "Charles Dodgson", + "Charles Lutwidge Dodgson", + "Carson", + "Kit Carson", + "Christopher Carson", + "Carson", + "Rachel Carson", + "Rachel Louise Carson", + "Carter", + "Jimmy Carter", + "James Earl Carter", + "James Earl Carter Jr.", + "President Carter", + "Carter", + "Howard Carter", + "Cartier", + "Jacques Cartier", + "Cartwright", + "Edmund Cartwright", + "Caruso", + "Enrico Caruso", + "Carver", + "George Washington Carver", + "Casals", + "Pablo Casals", + "Casanova", + "Giovanni Jacopo Casanova", + "Casanova de Seingalt", + "Giovanni Jacopo Casanova de Seingalt", + "Cash", + "Johnny Cash", + "John Cash", + "Caspar", + "Gaspar", + "Cassirer", + "Ernst Cassirer", + "Cassius", + "Cassius Longinus", + "Gaius Cassius Longinus", + "Castro", + "Fidel Castro", + "Fidel Castro Ruz", + "Cather", + "Willa Cather", + "Willa Sibert Cather", + "Catherine I", + "Catherine II", + "Catherine", + "Catherine the Great", + "Catherine of Aragon", + "Catherine", + "Catherine de Medicis", + "Catullus", + "Gaius Valerius Catullus", + "Cavell", + "Edith Cavell", + "Edith Louisa Cavell", + "Cavendish", + "Henry Cavendish", + "Caxton", + "William Caxton", + "Cellini", + "Benvenuto Cellini", + "Celsius", + "Anders Celsius", + "Cervantes", + "Miguel de Cervantes", + "Cervantes Saavedra", + "Miguel de Cervantes Saavedra", + "Cezanne", + "Paul Cezanne", + "Chagall", + "Marc Chagall", + "Chamberlain", + "Neville Chamberlain", + "Arthur Neville Chamberlain", + "Chambers", + "William Chambers", + "Sir William Chambers", + "Champlain", + "Samuel de Champlain", + "Champollion", + "Jean Francois Champollion", + "Chandler", + "Raymond Chandler", + "Raymond Thornton Chandler", + "Chaplin", + "Charlie Chaplin", + "Sir Charles Spencer Chaplin", + "Chapman", + "John Chapman", + "Johnny Appleseed", + "Chain", + "Ernst Boris Chain", + "Sir Ernst Boris Chain", + "Capet", + "Hugh Capet", + "Cattell", + "James McKeen Cattell", + "Cattell", + "Ray Cattell", + "R. B. Cattell", + "Raymond B. Cattell", + "Raymond Bernard Cattell", + "Charcot", + "Jean Martin Charcot", + "Charlemagne", + "Carolus", + "Charles", + "Charles I", + "Charles the Great", + "Charles", + "Jacques Charles", + "Jacques Alexandre Cesar Charles", + "Charles", + "Prince Charles", + "Charles", + "Charles I", + "Charles Stuart", + "Charles", + "Charles II", + "Charles", + "Charles II", + "Charles I", + "Charles the Bald", + "Charles", + "Charles VII", + "Charles", + "Charles IX", + "Chase", + "Salmon P. Chase", + "Salmon Portland Chase", + "Chateaubriand", + "Francois Rene Chateaubriand", + "Vicomte de Chateaubriand", + "Chaucer", + "Geoffrey Chaucer", + "Chavez", + "Cesar Chavez", + "Cesar Estrada Chavez", + "Chavez", + "Carlos Chavez", + "Cheever", + "John Cheever", + "Chekhov", + "Chekov", + "Anton Chekhov", + "Anton Chekov", + "Anton Pavlovich Chekhov", + "Anton Pavlovich Chekov", + "Cherubini", + "Luigi Cherubini", + "Maria Luigi Carlo Zenobio Cherubini", + "Chesterfield", + "Fourth Earl of Chesterfield", + "Philip Dormer Stanhope", + "Chesterton", + "G. K. Chesterton", + "Gilbert Keith Chesterton", + "Chevalier", + "Maurice Chevalier", + "Chiang Kai-shek", + "Chiang Chung-cheng", + "Chippendale", + "Thomas Chippendale", + "Chirico", + "Giorgio de Chirico", + "Chomsky", + "Noam Chomsky", + "A. Noam Chomsky", + "Chopin", + "Frederic Francois Chopin", + "Chopin", + "Kate Chopin", + "Kate O'Flaherty Chopin", + "Christie", + "Agatha Christie", + "Dame Agatha Mary Clarissa Christie", + "Christopher", + "Saint Christopher", + "St. Christopher", + "Churchill", + "Winston Churchill", + "Winston S. Churchill", + "Sir Winston Leonard Spenser Churchill", + "Churchill", + "John Churchill", + "Duke of Marlborough", + "First Duke of Marlborough", + "Ciardi", + "John Ciardi", + "John Anthony Ciardi", + "Cicero", + "Marcus Tullius Cicero", + "Tully", + "Cimabue", + "Giovanni Cimabue", + "Cincinnatus", + "Lucius Quinctius Cincinnatus", + "Clark", + "Joe Clark", + "Charles Joseph Clark", + "Clark", + "Kenneth Clark", + "Kenneth Bancroft Clark", + "Clark", + "Mark Clark", + "Mark Wayne Clark", + "Clark", + "William Clark", + "Claudius", + "Claudius I", + "Tiberius Claudius Drusus Nero Germanicus", + "Clausewitz", + "Karl von Clausewitz", + "Clay", + "Henry Clay", + "the Great Compromiser", + "Clay", + "Lucius Clay", + "Lucius DuBignon Clay", + "Cleanthes", + "Clemenceau", + "Georges Clemenceau", + "Georges Eugene Benjamin Clemenceau", + "Clemens", + "Samuel Langhorne Clemens", + "Mark Twain", + "Clement III", + "Guibert of Ravenna", + "Clement VII", + "Giulio de' Medici", + "Clement XI", + "Giovanni Francesco Albani", + "Clement XIV", + "Lorenzo Ganganelli", + "Cleopatra", + "Cleveland", + "Grover Cleveland", + "Stephen Grover Cleveland", + "President Cleveland", + "Cline", + "Martin Cline", + "Clinton", + "DeWitt Clinton", + "Clinton", + "Bill Clinton", + "William Jefferson Clinton", + "President Clinton", + "Clinton", + "Hilary Clinton", + "Hilary Rodham Clinton", + "Clive", + "Robert Clive", + "Baron Clive", + "Baron Clive of Plassey", + "Clovis", + "Clovis I", + "Coca", + "Imogene Coca", + "Cochise", + "Cochran", + "Jacqueline Cochran", + "Cockcroft", + "Sir John Cockcroft", + "Sir John Douglas Cockcroft", + "Cocteau", + "Jean Cocteau", + "Cody", + "William F. Cody", + "William Frederick Cody", + "Buffalo Bill", + "Buffalo Bill Cody", + "Cohan", + "George M. Cohan", + "George Michael Cohan", + "Cohn", + "Ferdinand Julius Cohn", + "Coleridge", + "Samuel Taylor Coleridge", + "Colette", + "Sidonie-Gabrielle Colette", + "Sidonie-Gabrielle Claudine Colette", + "Collins", + "Wilkie Collins", + "William Wilkie Collins", + "Columbus", + "Christopher Columbus", + "Cristoforo Colombo", + "Cristobal Colon", + "Comenius", + "John Amos Comenius", + "Jan Amos Komensky", + "Compton", + "Arthur Compton", + "Arthur Holly Compton", + "Comstock", + "Anthony Comstock", + "Comte", + "Auguste Comte", + "Isidore Auguste Marie Francois Comte", + "Conan Doyle", + "A. Conan Doyle", + "Arthur Conan Doyle", + "Sir Arthur Conan Doyle", + "Condorcet", + "Marquis de Condorcet", + "Marie Jean Antoine Nicolas Caritat", + "Confucius", + "Kongfuze", + "K'ung Futzu", + "Kong the Master", + "Congreve", + "William Congreve", + "Connolly", + "Maureen Catherine Connolly", + "Little Mo Connolly", + "Connors", + "Jimmy Conors", + "James Scott Connors", + "Conrad", + "Joseph Conrad", + "Teodor Josef Konrad Korzeniowski", + "Constable", + "John Constable", + "Constantine", + "Constantine I", + "Constantine the Great", + "Flavius Valerius Constantinus", + "Cook", + "James Cook", + "Captain Cook", + "Captain James Cook", + "Cooke", + "Jay Cooke", + "Cooke", + "Alistair Cooke", + "Alfred Alistair Cooke", + "Coolidge", + "Calvin Coolidge", + "President Coolidge", + "Cooper", + "James Fenimore Cooper", + "Cooper", + "Gary Cooper", + "Frank Cooper", + "Cooper", + "Peter Cooper", + "Copernicus", + "Nicolaus Copernicus", + "Mikolaj Kopernik", + "Copland", + "Aaron Copland", + "Copley", + "John Copley", + "John Singleton Copley", + "Coppola", + "Francis Ford Coppola", + "Corbett", + "Jim Corbett", + "James John Corbett", + "Gentleman Jim", + "Corday", + "Charlotte Corday", + "Marie Anne Charlotte Corday d'Armont", + "Cordoba", + "Francisco Fernandez Cordoba", + "Cordova", + "Francisco Fernandez de Cordova", + "Corelli", + "Arcangelo Corelli", + "Corneille", + "Pierre Corneille", + "Cornell", + "Ezra Cornell", + "Cornell", + "Katherine Cornell", + "Cornwallis", + "Charles Cornwallis", + "First Marquess Cornwallis", + "Corot", + "Jean Baptiste Camille Corot", + "Correggio", + "Antonio Allegri da Correggio", + "Cortes", + "Cortez", + "Hernando Cortes", + "Hernando Cortez", + "Hernan Cortes", + "Hernan Cortez", + "Cosimo de Medici", + "Cosimo the Elder", + "Coue", + "Emile Coue", + "Coulomb", + "Charles Augustin de Coulomb", + "Couperin", + "Francois Couperin", + "Courbet", + "Gustave Courbet", + "Court", + "Margaret Court", + "Cousteau", + "Jacques Costeau", + "Jacques Yves Costeau", + "Coward", + "Noel Coward", + "Sir Noel Pierce Coward", + "Cowper", + "William Cowper", + "Cowper", + "William Cowper", + "Craigie", + "William A. Craigie", + "Sir William Alexander Craigie", + "Crane", + "Hart Crane", + "Harold Hart Crane", + "Crane", + "Stephen Crane", + "Crawford", + "Joan Crawford", + "Crawford", + "Thomas Crawford", + "Crazy Horse", + "Tashunca-Uitco", + "Crichton", + "James Crichton", + "The Admirable Crichton", + "Crick", + "Francis Crick", + "Francis Henry Compton Crick", + "Crispin", + "Saint Crispin", + "St. Crispin", + "Crockett", + "Davy Crockett", + "David Crockett", + "Croesus", + "Crohn", + "Burrill Bernard Crohn", + "Cromwell", + "Oliver Cromwell", + "Ironsides", + "Cronyn", + "Hume Cronyn", + "Hume Blake Cronyn", + "Crookes", + "William Crookes", + "Sir William Crookes", + "Crosby", + "Bing Crosby", + "Harry Lillis Crosby", + "Crouse", + "Russel Crouse", + "Culbertson", + "Ely Culbertson", + "Cumberland", + "William Augustus", + "Duke of Cumberland", + "Butcher Cumberland", + "cummings", + "e. e. cummings", + "Edward Estlin Cummings", + "Cunningham", + "Merce Cunningham", + "Curie", + "Marie Curie", + "Madame Curie", + "Marya Sklodowska", + "Curie", + "Pierre Curie", + "Curl", + "Robert Curl", + "Robert F. Curl", + "Robert Floyd Curl Jr.", + "Currier", + "Nathaniel Currier", + "Curtis", + "William Curtis", + "Curtiss", + "Glenn Curtiss", + "Glenn Hammond Curtiss", + "Cushing", + "Harvey Cushing", + "Harvery Williams Cushing", + "Custer", + "George Armstrong Custer", + "General Custer", + "Cuvier", + "Georges Cuvier", + "Baron Georges Cuvier", + "Georges Leopold Chretien Frederic Dagobert Cuvier", + "Cynewulf", + "Cynwulf", + "Cyrano de Bergerac", + "Savinien Cyrano de Bergerac", + "Cyril", + "Saint Cyril", + "St. Cyril", + "Cyrus", + "Cyrus the Younger", + "Cyrus II", + "Cyrus the Elder", + "Cyrus the Great", + "Czerny", + "Karl Czerny", + "da Gamma", + "Vasco da Gamma", + "Gamma", + "Daguerre", + "Louis Jacques Mande Daguerre", + "Daimler", + "Gottlieb Daimler", + "Dali", + "Salvador Dali", + "Dalton", + "John Dalton", + "Damocles", + "Damon", + "Daniel", + "Dante", + "Dante Alighieri", + "Danton", + "Georges Jacques Danton", + "Darius I", + "Darius the Great", + "Darius III", + "Darrow", + "Clarence Darrow", + "Clarence Seward Darrow", + "Darwin", + "Charles Darwin", + "Charles Robert Darwin", + "Daumier", + "Honore Daumier", + "David", + "David", + "Jacques Louis David", + "David", + "Saint David", + "St. David", + "Davis", + "Bette Davis", + "Davis", + "Dwight Davis", + "Dwight Filley Davis", + "Davis", + "Jefferson Davis", + "Davis", + "Miles Davis", + "Miles Dewey Davis Jr.", + "Davis", + "Stuart Davis", + "Davy", + "Humphrey Davy", + "Sir Humphrey Davy", + "Davys", + "John Davys", + "Davis", + "John Davis", + "Dawes", + "William Dawes", + "Day", + "Clarence Day", + "Clarence Shepard Day Jr.", + "Dayan", + "Moshe Dayan", + "Dean", + "James Dean", + "James Byron Dean", + "De Bakey", + "Michael Ellis De Bakey", + "Debs", + "Eugene V. Debs", + "Eugene Victor Debs", + "Debussy", + "Claude Debussey", + "Claude Achille Debussy", + "Decatur", + "Stephen Decatur", + "Decius", + "Deere", + "John Deere", + "Defoe", + "Daniel Defoe", + "De Forest", + "Lee De Forest", + "Father of Radio", + "Degas", + "Edgar Degas", + "Hilaire Germain Edgar Degas", + "de Gaulle", + "General de Gaulle", + "Charles de Gaulle", + "General Charles de Gaulle", + "Charles Andre Joseph Marie de Gaulle", + "Dekker", + "Decker", + "Thomas Dekker", + "Thomas Decker", + "de Kooning", + "Willem de Kooning", + "Delacroix", + "Eugene Delacroix", + "Ferdinand Victor Eugene Delacroix", + "de la Mare", + "Walter de la Mare", + "Walter John de la Mare", + "Delbruck", + "Max Delbruck", + "Delibes", + "Leo Delibes", + "Clement Philibert Leo Delibes", + "Delilah", + "Delius", + "Frederick Delius", + "Delorme", + "Philibert Delorme", + "de l'Orme", + "Philibert de l'Orme", + "Demetrius", + "Demetrius I", + "Demetrius Poliorcetes", + "de Mille", + "Agnes de Mille", + "Agnes George de Mille", + "DeMille", + "Cecil B. DeMille", + "Cecil Blount DeMille", + "Democritus", + "Demosthenes", + "Dempsey", + "Jack Dempsey", + "William Harrison Dempsey", + "Manassa Mauler", + "Deng Xiaoping", + "Teng Hsiao-ping", + "Teng Hsiaoping", + "De Niro", + "Robert De Niro", + "Depardieu", + "Gerard Depardieu", + "De Quincey", + "Thomas De Quincey", + "Derain", + "Andre Derain", + "Derrida", + "Jacques Derrida", + "de Saussure", + "Ferdinand de Saussure", + "Saussure", + "Descartes", + "Rene Descartes", + "De Sica", + "Vittorio De Sica", + "de Valera", + "Eamon de Valera", + "deVries", + "De Vries", + "Hugo deVries", + "Hugo De Vries", + "Dewar", + "Sir James Dewar", + "Dewey", + "John Dewey", + "Dewey", + "George Dewey", + "Admiral Dewey", + "Dewey", + "Melvil Dewey", + "Melville Louis Kossuth Dewey", + "Diaghilev", + "Sergei Diaghilev", + "Sergei Pavlovich Diaghilev", + "Diana", + "Princess Diana", + "Princess of Wales", + "Lady Diana Frances Spencer", + "Diane de Poitiers", + "Duchesse de Valentinois", + "Dias", + "Diaz", + "Bartholomeu Dias", + "Bartholomeu Diaz", + "Dickens", + "Charles Dickens", + "Charles John Huffam Dickens", + "Dickinson", + "Emily Dickinson", + "Diderot", + "Denis Diderot", + "Didion", + "Joan Didion", + "Diesel", + "Rudolf Diesel", + "Rudolf Christian Karl Diesel", + "Dietrich", + "Marlene Dietrich", + "Maria Magdalene von Losch", + "DiMaggio", + "Joe DiMaggio", + "Joseph Paul DiMaggio", + "Dinesen", + "Isak Dinesen", + "Blixen", + "Karen Blixen", + "Baroness Karen Blixen", + "Diocletian", + "Gaius Aurelius Valerius Diocletian", + "Diogenes", + "Dionysius", + "Dionysius the Elder", + "Diophantus", + "Dior", + "Christian Dior", + "Dirac", + "Paul Adrien Maurice Dirac", + "Disney", + "Walt Disney", + "Walter Elias Disney", + "Disraeli", + "Benjamin Disraeli", + "First Earl of Beaconsfield", + "Dix", + "Dorothea Dix", + "Dorothea Lynde Dix", + "Doctorow", + "E. L. Doctorow", + "Edgard Lawrence Doctorow", + "Dolby", + "Ray M. Dolby", + "Domingo", + "Placido Domingo", + "Dominic", + "Saint Dominic", + "St. Dominic", + "Domingo de Guzman", + "Domino", + "Fats Domino", + "Antoine Domino", + "Domitian", + "Titus Flavius Domitianus", + "Donatello", + "Donato di Betto Bardi", + "Donatus", + "Aelius Donatus", + "Donizetti", + "Gaetano Donizetti", + "Don Juan", + "Donkin", + "Bryan Donkin", + "Donne", + "John Donne", + "Doolittle", + "Jimmy Doolittle", + "James Harold Doolittle", + "Doppler", + "Christian Johann Doppler", + "Dos Passos", + "John Dos Passos", + "John Roderigo Dos Passos", + "Dostoyevsky", + "Dostoevski", + "Dostoevsky", + "Feodor Dostoyevsky", + "Fyodor Dostoyevsky", + "Feodor Dostoevski", + "Fyodor Dostoevski", + "Feodor Dostoevsky", + "Fyodor Dostoevsky", + "Feodor Mikhailovich Dostoyevsky", + "Fyodor Mikhailovich Dostoyevsky", + "Feodor Mikhailovich Dostoevski", + "Fyodor Mikhailovich Dostoevski", + "Feodor Mikhailovich Dostoevsky", + "Fyodor Mikhailovich Dostoevsky", + "Douglas", + "Stephen A. Douglas", + "Stephen Arnold Douglas", + "Little Giant", + "Douglass", + "Frederick Douglass", + "Dowding", + "Hugh Dowding", + "Baron Hugh Caswall Tremenheere Dowding", + "Dowdy", + "Dowland", + "John Dowland", + "Down", + "John L. H. Down", + "Downing", + "Andrew Jackson Downing", + "D'Oyly Carte", + "Richard D'Oyly Carte", + "Draco", + "Drake", + "Francis Drake", + "Sir Francis Drake", + "Dreiser", + "Theodore Dreiser", + "Theodore Herman Albert Dreiser", + "Drew", + "John Drew", + "Dreyfus", + "Alfred Dreyfus", + "Dryden", + "John Dryden", + "Du Barry", + "Comtesse Du Barry", + "Marie Jeanne Becu", + "Du Bois", + "W. E. B. Du Bois", + "William Edward Burghardt Du Bois", + "Duchamp", + "Marcel Duchamp", + "Dufy", + "Raoul Dufy", + "Dukas", + "Paul Dukas", + "Dulles", + "John Foster Dulles", + "Dumas", + "Alexandre Dumas", + "du Maurier", + "George du Maurier", + "George Louis Palmella Busson du Maurier", + "du Maurier", + "Daphne du Maurier", + "Dame Daphne du Maurier", + "Duncan", + "Isadora Duncan", + "Duns Scotus", + "John Duns Scotus", + "Durant", + "Will Durant", + "William James Durant", + "Durante", + "Jimmy Durante", + "Durer", + "Albrecht Durer", + "Durkheim", + "Emile Durkheim", + "Durrell", + "Lawrence Durrell", + "Lawrence George Durrell", + "Duse", + "Eleonora Duse", + "Duvalier", + "Francois Duvalier", + "Papa Doc", + "Duvalier", + "Jean-Claude Duvalier", + "Baby Doc", + "Dvorak", + "Antonin Dvorak", + "Dylan", + "Bob Dylan", + "Eames", + "Charles Eames", + "Earhart", + "Amelia Earhart", + "Eastman", + "George Eastman", + "Eccles", + "John Eccles", + "Sir John Carew Eccles", + "Eck", + "Johann Eck", + "Johann Maier Eck", + "Johann Maier", + "Eckhart", + "Johannes Eckhart", + "Meister Eckhart", + "Eddington", + "Sir Arthur Stanley Eddington", + "Eddy", + "Mary Baker Eddy", + "Mary Morse Baker Eddy", + "Ederle", + "Gertrude Ederle", + "Gertrude Caroline Ederle", + "Edgar", + "Edison", + "Thomas Edison", + "Thomas Alva Edison", + "Edmund I", + "Edmund II", + "Edmund Ironside", + "Edward", + "Black Prince", + "Edward", + "Prince Edward", + "Edward Antony Richard Louis", + "Edward", + "Edward I", + "Edward", + "Edward II", + "Edward", + "Edward III", + "Edward", + "Edward IV", + "Edward", + "Edward V", + "Edward", + "Edward VI", + "Edward", + "Edward VII", + "Albert Edward", + "Edward", + "Edward VIII", + "Duke of Windsor", + "Edwards", + "Jonathan Edwards", + "Edward the Confessor", + "Saint Edward the Confessor", + "St. Edward the Confessor", + "Edward the Elder", + "Edward the Martyr", + "Saint Edward the Martyr", + "St. Edward the Martyr", + "Edwin", + "Edwy", + "Eadwig", + "Egbert", + "Eglevsky", + "Andre Eglevsky", + "Ehrenberg", + "Ilya Ehrenberg", + "Ilya Grigorievich Ehrenberg", + "Ehrlich", + "Paul Ehrlich", + "Eichmann", + "Adolf Eichmann", + "Karl Adolf Eichmann", + "Eiffel", + "Alexandre Gustave Eiffel", + "Eigen", + "Manfred Eigen", + "Eijkman", + "Christiaan Eijkman", + "Einstein", + "Albert Einstein", + "Einthoven", + "Willem Einthoven", + "Eisenhower", + "Dwight Eisenhower", + "Dwight D. Eisenhower", + "Dwight David Eisenhower", + "Ike", + "President Eisenhower", + "Eisenstaedt", + "Alfred Eisenstaedt", + "Eisenstein", + "Sergei Eisenstein", + "Sergei Mikhailovich Eisenstein", + "Ekman", + "Vagn Walfrid Ekman", + "Eleanor of Aquitaine", + "Elgar", + "Sir Edward Elgar", + "Sir Edward William Elgar", + "El Greco", + "Greco", + "Domenikos Theotocopoulos", + "Elijah", + "Eliot", + "George Eliot", + "Mary Ann Evans", + "Eliot", + "T. S. Eliot", + "Thomas Stearns Eliot", + "Elizabeth", + "Elizabeth I", + "Elizabeth", + "Elizabeth II", + "Ellington", + "Duke Ellington", + "Edward Kennedy Ellington", + "Ellison", + "Ralph Ellison", + "Ralph Waldo Ellison", + "Ellsworth", + "Oliver Ellsworth", + "Emerson", + "Ralph Waldo Emerson", + "Empedocles", + "Endecott", + "Endicott", + "John Endecott", + "John Endicott", + "Enesco", + "Georges Enesco", + "George Enescu", + "Engels", + "Friedrich Engels", + "Epictetus", + "Epicurus", + "Epstein", + "Jacob Epstein", + "Sir Jacob Epstein", + "Erasmus", + "Desiderius Erasmus", + "Gerhard Gerhards", + "Geert Geerts", + "Eratosthenes", + "Erlenmeyer", + "Richard August Carl Emil Erlenmeyer", + "Ernst", + "Max Ernst", + "Erving", + "Julius Erving", + "Julius Winfield Erving", + "Dr. J", + "Esaki", + "Leo Esaki", + "Esau", + "Esther", + "Ethelbert", + "Ethelred", + "Ethelred I", + "Ethelred", + "Ethelred II", + "Ethelred the Unready", + "Euclid", + "Eugene", + "Prince Eugene of Savoy", + "Euler", + "Leonhard Euler", + "Euripides", + "Eusebius", + "Eusebius of Caesarea", + "Eustachio", + "Bartolommeo Eustachio", + "Evans", + "Arthur Evans", + "Sir Arthur John Evans", + "Evans", + "Herbert McLean Evans", + "Evers", + "Medgar Evers", + "Medgar Wiley Evers", + "Evert", + "Chris Evert", + "Chrissie Evert", + "Christine Marie Evert", + "Eyck", + "van Eyck", + "Jan van Eyck", + "Eysenck", + "Hans Eysenck", + "H. J. Eysenck", + "Hans Jurgen Eysenck", + "Ezekiel", + "Ezechiel", + "Ezra", + "Faberge", + "Peter Carl Faberge", + "Fahd", + "Fahd ibn Abdel Aziz al-Saud", + "Fahrenheit", + "Gabriel Daniel Fahrenheit", + "Fairbanks", + "Douglas Fairbanks", + "Douglas Elton Fairbanks", + "Julius Ullman", + "Fairbanks", + "Douglas Fairbanks Jr.", + "Faisal", + "Faisal ibn Abdel Aziz al-Saud", + "Falla", + "Manuel de Falla", + "Fallopius", + "Gabriele Fallopius", + "Fallopio", + "Gabriello Fallopio", + "Fallot", + "Etienne-Louis Arthur Fallot", + "Faraday", + "Michael Faraday", + "Farmer", + "Fannie Farmer", + "Fannie Merritt Farmer", + "Farmer", + "James Leonard Farmer", + "Farouk I", + "Faruk I", + "Farragut", + "David Glasgow Farragut", + "Farrell", + "Eileen Farrell", + "Farrell", + "James Thomas Farrell", + "Fatima", + "Fatimah", + "Faulkner", + "William Faulkner", + "William Cuthbert Faulkner", + "Falkner", + "William Falkner", + "Fawkes", + "Guy Fawkes", + "Fechner", + "Gustav Theodor Fechner", + "Feifer", + "Jules Feifer", + "Fellini", + "Federico Fellini", + "Ferber", + "Edna Ferber", + "Ferdinand I", + "Ferdinand the Great", + "Ferdinand I", + "Ferdinand II", + "Ferdinand III", + "Ferdinand", + "King Ferdinand", + "Ferdinand of Aragon", + "Ferdinand V", + "Ferdinand the Catholic", + "Fermat", + "Pierre de Fermat", + "Fermi", + "Enrico Fermi", + "Feynman", + "Richard Feynman", + "Richard Phillips Feynman", + "Fiedler", + "Arthur Fiedler", + "Fielding", + "Henry Fielding", + "Fields", + "W. C. Fields", + "William Claude Dukenfield", + "Fillmore", + "Millard Fillmore", + "President Fillmore", + "Finnbogadottir", + "Vigdis Finnbogadottir", + "Firth", + "J. R. Firth", + "John Rupert Firth", + "Fischer", + "Bobby Fischer", + "Robert James Fischer", + "Fischer", + "Emil Hermann Fischer", + "Fischer", + "Hans Fischer", + "Fitzgerald", + "Ella Fitzgerald", + "Fitzgerald", + "F. Scott Fitzgerald", + "Francis Scott Key Fitzgerald", + "Fitzgerald", + "Edward Fitzgerald", + "Flaminius", + "Gaius Flaminius", + "Flaubert", + "Gustave Flaubert", + "Fleming", + "Alexander Fleming", + "Sir Alexander Fleming", + "Fleming", + "Ian Fleming", + "Ian Lancaster Fleming", + "Fletcher", + "John Fletcher", + "Flinders", + "Matthew Flinders", + "Sir Matthew Flinders", + "Florey", + "Howard Florey", + "Sir Howard Walter Florey", + "Florio", + "John Florio", + "Flory", + "Paul John Flory", + "Fonda", + "Henry Fonda", + "Fonda", + "Jane Fonda", + "Fontanne", + "Lynn Fontanne", + "Fonteyn", + "Dame Margot Fonteyn", + "Ford", + "Henry Ford", + "Ford", + "Gerald Ford", + "Gerald R. Ford", + "Gerald Rudolph Ford", + "President Ford", + "Ford", + "Ford Madox Ford", + "Ford Hermann Hueffer", + "Ford", + "Edsel Bryant Ford", + "Ford", + "Henry Ford II", + "Ford", + "John Ford", + "Forester", + "C. S. Forester", + "Cecil Scott Forester", + "Fosbury", + "Dick Fosbury", + "Richard D. Fosbury", + "Foster", + "Stephen Foster", + "Stephen Collins Foster", + "Foucault", + "Jean Bernard Leon Foucault", + "Fourier", + "Charles Fourier", + "Francois Marie Charles Fourier", + "Fourier", + "Jean Baptiste Joseph Fourier", + "Baron Jean Baptiste Joseph Fourier", + "Fowler", + "Henry Watson Fowler", + "Fox", + "George Fox", + "Fox", + "Charles James Fox", + "Fragonard", + "Jean Honore Fragonard", + "France", + "Anatole France", + "Jacques Anatole Francois Thibault", + "Francis II", + "Emperor Francis II", + "Francis Ferdinand", + "Franz Ferdinand", + "Francis Joseph", + "Franz Joseph", + "Francis Joseph I", + "Franz Josef I", + "Francis of Assisi", + "Saint Francis of Assisi", + "St. Francis of Assisi", + "Saint Francis", + "St. Francis", + "Giovanni di Bernardone", + "Franck", + "James Franck", + "Franck", + "Cesar Franck", + "Franco", + "Francisco Franco", + "El Caudillo", + "General Franco", + "Franklin", + "Benjamin Franklin", + "Franklin", + "John Hope Franklin", + "Frazer", + "James George Frazer", + "Sir James George Frazer", + "Frederick I", + "Frederick Barbarossa", + "Barbarossa", + "Frederick I", + "Frederick II", + "Holy Roman Emperor Frederick II", + "Frederick II", + "Frederick the Great", + "Frederick William", + "Great Elector", + "Frederick William I", + "Frederick William II", + "Frederick William III", + "Frederick William IV", + "Fremont", + "John C. Fremont", + "John Charles Fremont", + "French", + "Daniel Chester French", + "Fresnel", + "Augustin Jean Fresnel", + "Freud", + "Sigmund Freud", + "Frick", + "Henry Clay Frick", + "Friedan", + "Betty Friedan", + "Betty Naomi Friedan", + "Betty Naomi Goldstein Friedan", + "Friedman", + "Milton Friedman", + "Frisch", + "Karl von Frisch", + "Frisch", + "Ragnar Frisch", + "Ragnar Anton Kittil Frisch", + "Frisch", + "Otto Frisch", + "Otto Robert Frisch", + "Frobisher", + "Sir Martin Frobisher", + "Froebel", + "Friedrich Froebel", + "Friedrich Wilhelm August Froebel", + "Frost", + "Robert Frost", + "Robert Lee Frost", + "Fry", + "Christopher Fry", + "Fry", + "Roger Fry", + "Roger Eliot Fry", + "Frye", + "Northrop Frye", + "Herman Northrop Frye", + "Fuchs", + "Klaus Fuchs", + "Emil Klaus Julius Fuchs", + "Fuentes", + "Carlos Fuentes", + "Fugard", + "Athol Fugard", + "Fulbright", + "William Fulbright", + "James William Fulbright", + "Fuller", + "Buckminster Fuller", + "R. Buckminster Fuller", + "Richard Buckminster Fuller", + "Fuller", + "Melville W. Fuller", + "Melville Weston Fuller", + "Fulton", + "Robert Fulton", + "Funk", + "Casimir Funk", + "Furnivall", + "Frederick James Furnivall", + "Gable", + "Clark Gable", + "William Clark Gable", + "Gabor", + "Dennis Gabor", + "Gaboriau", + "Emile Gaboriau", + "Gagarin", + "Yuri Gagarin", + "Yuri Alekseyevich Gagarin", + "Gainsborough", + "Thomas Gainsborough", + "Galahad", + "Sir Galahad", + "Galbraith", + "John Galbraith", + "John Kenneth Galbraith", + "Galen", + "Galileo", + "Galileo Galilei", + "Gallaudet", + "Thomas Hopkins Gallaudet", + "Galois", + "Evariste Galois", + "Galsworthy", + "John Galsworthy", + "Galton", + "Francis Galton", + "Sir Francis Galton", + "Galvani", + "Luigi Galvani", + "Gamow", + "George Gamow", + "Gandhi", + "Mahatma Gandhi", + "Mohandas Karamchand Gandhi", + "Gandhi", + "Indira Gandhi", + "Indira Nehru Gandhi", + "Mrs. Gandhi", + "Garbo", + "Greta Garbo", + "Greta Louisa Gustafsson", + "Garcia Lorca", + "Frederico Garcia Lorca", + "Lorca", + "Gardiner", + "Samuel Rawson Gardiner", + "Gardner", + "Erle Stanley Gardner", + "Gardner", + "Isabella Stewart Gardner", + "Garfield", + "James Garfield", + "James A. Garfield", + "James Abraham Garfield", + "President Garfield", + "Garibaldi", + "Giuseppe Garibaldi", + "Garland", + "Judy Garland", + "Garnier", + "Jean Louis Charles Garnier", + "Garrick", + "David Garrick", + "Garrison", + "William Lloyd Garrison", + "Gaskell", + "Elizabeth Gaskell", + "Elizabeth Cleghorn Stevenson Gaskell", + "Gates", + "Bill Gates", + "William Henry Gates", + "Gatling", + "Richard Jordan Gatling", + "Gaudi", + "Antonio Gaudi", + "Gaudi i Cornet", + "Antonio Gaudi i Cornet", + "Gauguin", + "Paul Gauguin", + "Gauss", + "Karl Gauss", + "Karl Friedrich Gauss", + "Gawain", + "Sir Gawain", + "Gay-Lussac", + "Joseph Louis Gay-Lussac", + "Gehrig", + "Lou Gehrig", + "Henry Louis Gehrig", + "Geiger", + "Hans Geiger", + "Geisel", + "Theodor Seuss Geisel", + "Dr. Seuss", + "Gell-Mann", + "Murray Gell-Mann", + "Genet", + "Jean Genet", + "Genet", + "Edmund Charles Edouard Genet", + "Citizen Genet", + "Genghis Khan", + "Jinghis Khan", + "Jenghiz Khan", + "Temujin", + "Genseric", + "Gaiseric", + "Geoffrey of Monmouth", + "George", + "George I", + "George", + "George II", + "George", + "George III", + "George", + "George IV", + "George", + "George V", + "George", + "George VI", + "George", + "Saint George", + "St. George", + "Geraint", + "Sir Geraint", + "Geronimo", + "Gershwin", + "George Gershwin", + "Gershwin", + "Ira Gershwin", + "Gesell", + "Arnold Gesell", + "Arnold Lucius Gesell", + "Gesner", + "Konrad von Gesner", + "Giacometti", + "Alberto Giacometti", + "Gibbon", + "Edward Gibbon", + "Gibbs", + "Josiah Willard Gibbs", + "Gibran", + "Kahlil Gibran", + "Gibson", + "Althea Gibson", + "Gibson", + "Mel Gibson", + "Mel Columcille Gerard Gibson", + "Gibson", + "C. D. Gibson", + "Charles Dana Gibson", + "Gide", + "Andre Gide", + "Andre Paul Guillaume Gide", + "Gielgud", + "Sir John Gielgud", + "Arthur John Gielgud", + "Gilbert", + "Cass Gilbert", + "Gilbert", + "Humphrey Gilbert", + "Sir Humphrey Gilbert", + "Gilbert", + "William Gilbert", + "Gilbert", + "William Gilbert", + "William S. Gilbert", + "William Schwenk Gilbert", + "Sir William Gilbert", + "Gilgamesh", + "Gillespie", + "Dizzy Gillespie", + "John Birks Gillespie", + "Gillette", + "King Camp Gilette", + "Gilman", + "Charlotte Anna Perkins Gilman", + "Gilmer", + "Elizabeth Merriwether Gilmer", + "Dorothy Dix", + "Ginsberg", + "Allen Ginsberg", + "Giotto", + "Giotto di Bondone", + "Girard", + "Stephen Girard", + "Giraudoux", + "Jean Giraudoux", + "Hippolyte Jean Giraudoux", + "Gish", + "Lillian Gish", + "Gjellerup", + "Karl Gjellerup", + "Gladstone", + "William Gladstone", + "William Ewart Gladstone", + "Glaser", + "Donald Glaser", + "Donald Arthur Glaser", + "Glendower", + "Owen Glendower", + "Glenn", + "John Glenn", + "John Herschel Glenn Jr.", + "Glinka", + "Mikhail Glinka", + "Mikhail Ivanovich Glinka", + "Gluck", + "Christoph Willibald von Gluck", + "Godard", + "Jean Luc Godard", + "Goddard", + "Robert Hutchings Goddard", + "Godel", + "Kurt Godel", + "Godiva", + "Lady Godiva", + "Godunov", + "Boris Godunov", + "Boris Fyodorovich Godunov", + "Goebbels", + "Joseph Goebbels", + "Paul Joseph Goebbels", + "Goethals", + "George Washington Goethals", + "Goethe", + "Johann Wolfgang von Goethe", + "Gogol", + "Nikolai Vasilievich Gogol", + "Goldberg", + "Rube Goldberg", + "Reuben Lucius Goldberg", + "Golding", + "William Golding", + "Sir William Gerald Golding", + "Goldman", + "Emma Goldman", + "Goldmark", + "Peter Goldmark", + "Peter Carl Goldmark", + "Goldoni", + "Carlo Goldoni", + "Goldsmith", + "Oliver Goldsmith", + "Goldwyn", + "Sam Goldwyn", + "Samuel Goldwyn", + "Golgi", + "Camillo Golgi", + "Goliath", + "Gombrowicz", + "Witold Gombrowicz", + "Gompers", + "Samuel Gompers", + "Goncourt", + "Edmond de Goncourt", + "Edmond Louis Antoine Huot de Goncourt", + "Goncourt", + "Jules de Goncourt", + "Jules Alfred Huot de Goncourt", + "Gongora", + "Luis de Gongora y Argote", + "Gonne", + "Maud Gonne", + "Goodall", + "Jane Goodall", + "Goodman", + "Benny Goodman", + "Benjamin David Goodman", + "King of Swing", + "Goodyear", + "Charles Goodyear", + "Gorbachev", + "Mikhail Gorbachev", + "Mikhail Sergeyevich Gorbachev", + "Gordimer", + "Nadine Gordimer", + "Gordius", + "Gore", + "Al Gore", + "Albert Gore Jr.", + "Gorgas", + "William Crawford Gorgas", + "Goring", + "Goering", + "Hermann Goring", + "Hermann Goering", + "Hermann Wilhelm Goring", + "Gorky", + "Maksim Gorky", + "Gorki", + "Maxim Gorki", + "Aleksey Maksimovich Peshkov", + "Aleksey Maximovich Peshkov", + "Goudy", + "Frederic Goudy", + "Frederic William Goudy", + "Gould", + "Jay Gould", + "Gould", + "Stephen Jay Gould", + "Gounod", + "Charles Francois Gounod", + "Goya", + "Goya y Lucientes", + "Francisco Goya", + "Francisco de Goya", + "Francisco Jose de Goya", + "Francisco Jose de Goya y Lucientes", + "Graf", + "Steffi Graf", + "Stephanie Graf", + "Graham", + "Martha Graham", + "Graham", + "Billy Graham", + "William Franklin Graham", + "Grahame", + "Kenneth Grahame", + "Grainger", + "Percy Grainger", + "Percy Aldridge Grainger", + "George Percy Aldridge Grainger", + "Gram", + "Hans C. J. Gram", + "Grant", + "Ulysses Grant", + "Ulysses S. Grant", + "Ulysses Simpson Grant", + "Hiram Ulysses Grant", + "President Grant", + "Grant", + "Cary Grant", + "Grant", + "Duncan Grant", + "Duncan James Corrow Grant", + "Granville-Barker", + "Harley Granville-Barker", + "Grappelli", + "Stephane Grappelli", + "Grass", + "Gunter Grass", + "Gunter Wilhelm Grass", + "Graves", + "Robert Graves", + "Robert Ranke Graves", + "Gray", + "Asa Gray", + "Gray", + "Robert Gray", + "Gray", + "Thomas Gray", + "Gray", + "Louis Harold Gray", + "Greeley", + "Horace Greeley", + "Green", + "William Green", + "Greenberg", + "Joseph Greenberg", + "Greene", + "Graham Greene", + "Henry Graham Greene", + "Gregory", + "Gregory I", + "Saint Gregory I", + "St. Gregory I", + "Gregory the Great", + "Gregory", + "Gregory VII", + "Hildebrand", + "Gregory", + "Gregory XII", + "Angelo Correr", + "Gregory", + "Gregory XIII", + "Ugo Buoncompagni", + "Gregory", + "Gregory XVI", + "Bartolomeo Alberto Capillari", + "Gregory", + "Gregory Nazianzen", + "Gregory of Nazianzen", + "St. Gregory of Nazianzen", + "Gresham", + "Sir Thomas Gresham", + "Gretzky", + "Wayne Gretzky", + "Grey", + "Charles Grey", + "Second Earl Grey", + "Grey", + "Lady Jane Grey", + "Grey", + "Zane Grey", + "Grieg", + "Edvard Grieg", + "Edvard Hagerup Grieg", + "Griffith", + "D. W. Griffith", + "David Lewelyn Wark Griffith", + "Grimm", + "Jakob Grimm", + "Jakob Ludwig Karl Grimm", + "Grimm", + "Wilhelm Grimm", + "Wilhelm Karl Grimm", + "Gris", + "Jaun Gris", + "Gromyko", + "Andrei Gromyko", + "Andrei Andreyevich Gromyko", + "Gropius", + "Walter Gropius", + "Grotius", + "Hugo Grotius", + "Huig de Groot", + "Groves", + "Leslie Richard Groves", + "Guarneri", + "Guarnieri", + "Guarnerius", + "Andrea Guarneri", + "Guarneri", + "Guarnieri", + "Guarnerius", + "Guiseppe Guarneri", + "Guevara", + "Ernesto Guevara", + "Che Guevara", + "Guinevere", + "Guenevere", + "Guest", + "Edgar Guest", + "Edgar Albert Guest", + "Guggenheim", + "Meyer Guggenheim", + "Guggenheim", + "Solomon Guggenheim", + "Guinness", + "Alec Guinness", + "Sir Alec Guinness", + "Gustavus", + "Gustavus I", + "Gustavus", + "Gustavus II", + "Gustavus Adolphus", + "Gustavus", + "Gustavus III", + "Gustavus", + "Gustavus IV", + "Gustavus", + "Gustavus V", + "Gustavus", + "Gustavus VI", + "Gutenberg", + "Johann Gutenberg", + "Johannes Gutenberg", + "Guthrie", + "Woody Guthrie", + "Woodrow Wilson Guthrie", + "Gwynn", + "Gywn", + "Gynne", + "Nell Gwynn", + "Nell Gywn", + "Nell Gwynne", + "Eleanor Gwynn", + "Eleanor Gwyn", + "Eleanor Gwynne", + "Habakkuk", + "Haber", + "Fritz Haber", + "Hadrian", + "Publius Aelius Hadrianus", + "Adrian", + "Haeckel", + "Ernst Heinrich Haeckel", + "Haggai", + "Aggeus", + "Haggard", + "Rider Haggard", + "Sir Henry Rider Haggard", + "Hahn", + "Otto Hahn", + "Haile Selassie", + "Ras Tafari Makonnen", + "Ras Tafari", + "Haldane", + "Richard Haldane", + "Richard Burdon Haldane", + "First Viscount Haldane of Cloan", + "Haldane", + "Elizabeth Haldane", + "Elizabeth Sanderson Haldane", + "Haldane", + "John Haldane", + "John Scott Haldane", + "Haldane", + "J. B. S. Haldane", + "John Burdon Sanderson Haldane", + "Hale", + "Edward Everett Hale", + "Hale", + "George Ellery Hale", + "Hale", + "Nathan Hale", + "Halevy", + "Fromental Halevy", + "Jacques Francois Fromental Elie Halevy", + "Haley", + "Alex Haley", + "Haley", + "Bill Haley", + "William John Clifton Haley Jr.", + "Hall", + "Asaph Hall", + "Hall", + "Charles Francis Hall", + "Hall", + "Charles Martin Hall", + "Hall", + "G. Stanley Hall", + "Granville Stanley Hall", + "Hall", + "Radclyffe Hall", + "Marguerite Radclyffe Hall", + "Halley", + "Edmond Halley", + "Edmund Halley", + "Hals", + "Frans Hals", + "Hamilton", + "Alexander Hamilton", + "Hamilton", + "Alice Hamilton", + "Hamilton", + "Lady Emma Hamilton", + "Amy Lyon", + "Hamilton", + "William Rowan Hamilton", + "Sir William Rowan Hamilton", + "Hammarskjold", + "Dag Hammarskjold", + "Dag Hjalmar Agne Carl Hammarskjold", + "Hammerstein", + "Oscar Hammerstein", + "Oscar Hammerstein II", + "Hammett", + "Dashiell Hammett", + "Samuel Dashiell Hammett", + "Hammurabi", + "Hammurapi", + "Hampton", + "Lionel Hampton", + "Hamsun", + "Knut Hamsun", + "Knut Pedersen", + "Hancock", + "John Hancock", + "Handel", + "George Frideric Handel", + "George Frederick Handel", + "Georg Friedrich Handel", + "Handy", + "W. C. Handy", + "William Christopher Handy", + "Hanks", + "Tom Hanks", + "Thomas J. Hanks", + "Hannibal", + "Harding", + "Warren Harding", + "Warren Gamaliel Harding", + "President Harding", + "Hardy", + "Thomas Hardy", + "Hardy", + "Oliver Hardy", + "Hargreaves", + "James Hargreaves", + "Harlow", + "Jean Harlow", + "Harlean Carpenter", + "Harmsworth", + "Alfred Charles William Harmsworth", + "Viscount Northcliffe", + "Harold I", + "King Harold I", + "Harold Harefoot", + "Harefoot", + "Harold II", + "King Harold II", + "Harriman", + "E. H. Harriman", + "Edward Henry Harriman", + "Harriman", + "Averell Harriman", + "William Averell Harriman", + "Harris", + "Benjamin Harris", + "Harris", + "Bomber Harris", + "Sir Arthur Travers Harris", + "Harris", + "Frank Harris", + "James Thomas Harris", + "Harris", + "Townsend Harris", + "Harris", + "Zellig Harris", + "Zellig Sabbatai Harris", + "Harris", + "Joel Harris", + "Joel Chandler Harris", + "Harrison", + "William Henry Harrison", + "President Harrison", + "President William Henry Harrison", + "Harrison", + "Benjamin Harrison", + "President Harrison", + "President Benjamin Harrison", + "Harrison", + "George Harrison", + "Harrison", + "Rex Harrison", + "Sir Rex Harrison", + "Reginald Carey Harrison", + "Harrod", + "Charles Henry Harrod", + "Harrod", + "Charles Digby Harrod", + "Hart", + "Lorenz Hart", + "Lorenz Milton Hart", + "Hart", + "Moss Hart", + "Harte", + "Bret Harte", + "Hartley", + "David Hartley", + "Harvard", + "John Harvard", + "Harvey", + "William Harvey", + "Hasdrubal", + "Hasek", + "Jaroslav Hasek", + "Hassam", + "Childe Hassam", + "Frederick Childe Hassam", + "Hassel", + "Odd Hassel", + "Hastings", + "Thomas Hastings", + "Hathaway", + "Anne Hathaway", + "Havel", + "Vaclav Havel", + "Hawking", + "Stephen Hawking", + "Stephen William Hawking", + "Hawkins", + "Coleman Hawkins", + "Hawkins", + "Hawkyns", + "Sir John Hawkins", + "Sir John Hawkyns", + "Haworth", + "Sir Walter Norman Haworth", + "Hawthorne", + "Nathaniel Hawthorne", + "Haydn", + "Joseph Haydn", + "Franz Joseph Haydn", + "Hayek", + "Friedrich August von Hayek", + "Hayes", + "Rutherford B. Hayes", + "Rutherford Birchard Hayes", + "President Hayes", + "Hayes", + "Helen Hayes", + "Hays", + "Arthur Garfield Hays", + "Hays", + "Will Hays", + "William Harrison Hays", + "Haywood", + "Big Bill Haywood", + "William Dudley Haywood", + "Hazlitt", + "William Hazlitt", + "Hearst", + "William Randolph Hearst", + "Heaviside", + "Oliver Heaviside", + "Hebbel", + "Friedrich Hebbel", + "Christian Friedrich Hebbel", + "Hecht", + "Ben Hecht", + "Hegel", + "Georg Wilhelm Friedrich Hegel", + "Heidegger", + "Martin Heidegger", + "Heinlein", + "Robert A. Heinlein", + "Robert Anson Heinlein", + "Heinz", + "Henry John Heinz", + "Heisenberg", + "Werner Karl Heisenberg", + "Heller", + "Joseph Heller", + "Hellman", + "Lillian Hellman", + "Helmholtz", + "Hermann von Helmholtz", + "Hermann Ludwig Ferdinand von Helmholtz", + "Baron Hermann Ludwig Ferdinand von Helmholtz", + "Heloise", + "Heming", + "Hemminge", + "John Heming", + "John Hemminge", + "Hemingway", + "Ernest Hemingway", + "Hendrix", + "Jimi Hendrix", + "James Marshall Hendrix", + "Henry", + "Joseph Henry", + "Henry", + "Patrick Henry", + "Henry", + "William Henry", + "Henry I", + "Henry Beauclerc", + "Henry II", + "Henry II", + "Henry III", + "Henry III", + "Henry IV", + "Bolingbroke", + "Henry Bolingbroke", + "Henry IV", + "Henry IV", + "Henry of Navarre", + "Henry the Great", + "Henry V", + "Henry VI", + "Henry VII", + "Henry Tudor", + "Henry VII", + "Henry VIII", + "Henson", + "Jim Henson", + "Hepburn", + "Katharine Hepburn", + "Katharine Houghton Hepburn", + "Hepworth", + "Barbara Hepworth", + "Dame Barbara Hepworth", + "Heraclitus", + "Herbart", + "Johann Friedrich Herbart", + "Herbert", + "Victor Herbert", + "Herder", + "Johann Gottfried von Herder", + "Herman", + "Woody Herman", + "Woodrow Charles Herman", + "Hero", + "Heron", + "Hero of Alexandria", + "Herod", + "Herod the Great", + "Herodotus", + "Herrick", + "Robert Herrick", + "Herschel", + "William Herschel", + "Sir William Herschel", + "Sir Frederick William Herschel", + "Herschel", + "John Herschel", + "Sir John Herschel", + "Sir John Frederick William Herschel", + "Hershey", + "Milton Snavely Hershey", + "Hertz", + "Gustav Hertz", + "Gustav Ludwig Hertz", + "Hertz", + "Heinrich Hertz", + "Heinrich Rudolph Hertz", + "Herzberg", + "Gerhard Herzberg", + "Hesiod", + "Hess", + "Victor Hess", + "Victor Franz Hess", + "Hess", + "Rudolf Hess", + "Walther Richard Rudolf Hess", + "Hess", + "Walter Hess", + "Walter Rudolf Hess", + "Hess", + "Dame Myra Hess", + "Hesse", + "Hermann Hesse", + "Hevesy", + "George Charles Hevesy de Hevesy", + "Heyerdahl", + "Thor Hyerdahl", + "Heyrovsky", + "Joroslav Heyrovsky", + "Heyse", + "Paul Heyse", + "Paul Johann Ludwig von Heyse", + "Heyward", + "DuBois Heyward", + "Edwin DuBois Hayward", + "Hezekiah", + "Ezekias", + "Hiawatha", + "Hickock", + "Wild Bill Hickock", + "James Butler Hickock", + "Higginson", + "Thomas Higginson", + "Thomas Wentworth Storrow Higginson", + "Hilbert", + "David Hilbert", + "Hill", + "Benny Hill", + "Alfred Hawthorne", + "Hill", + "J. J. Hill", + "James Jerome Hill", + "Hillary", + "Edmund Hillary", + "Sir Edmund Hillary", + "Sir Edmund Percival Hillary", + "Hillel", + "Himmler", + "Heinrich Himmler", + "Hinault", + "Bernard Hinault", + "Hindemith", + "Paul Hindemith", + "Hindenburg", + "Paul von Hindenburg", + "Paul Ludwig von Beneckendorff und von Hindenburg", + "Hipparchus", + "Hippocrates", + "Hirohito", + "Michinomiya Hirohito", + "Hirschfeld", + "Al Hirschfeld", + "Hirschsprung", + "Harold Hirschsprung", + "Hitchcock", + "Alfred Hitchcock", + "Sir Alfred Hitchcock", + "Alfred Joseph Hitchcock", + "Hitchings", + "George Herbert Hitchings", + "Hitler", + "Adolf Hitler", + "Der Fuhrer", + "Hoagland", + "Hudson Hoagland", + "Hobbes", + "Thomas Hobbes", + "Hobbs", + "Sir Jack Hobbs", + "John Berry Hobbs", + "Ho Chi Minh", + "Nguyen Tat Thanh", + "Hodgkin", + "Alan Hodgkin", + "Sir Alan Hodgkin", + "Alan Lloyd Hodgkin", + "Hodgkin", + "Dorothy Hodgkin", + "Dorothy Mary Crowfoot Hodgkin", + "Hodgkin", + "Thomas Hodgkin", + "Hoffa", + "Jimmy Hoffa", + "James Riddle Hoffa", + "Hoffman", + "Dustin Hoffman", + "Hoffman", + "Malvina Hoffman", + "Hoffmann", + "E. T. A. Hoffmann", + "Ernst Theodor Amadeus Hoffmann", + "Ernst Theodor Wilhelm Hoffmann", + "Hoffmann", + "Roald Hoffmann", + "Hoffmann", + "August Wilhelm von Hoffmann", + "Hoffmann", + "Josef Hoffmann", + "Hoffmannsthal", + "Hugo von Hoffmannsthal", + "Hogan", + "Ben Hogan", + "William Benjamin Hogan", + "Hogarth", + "William Hogarth", + "Hogg", + "James Hogg", + "Hokusai", + "Katsushika Hokusai", + "Holbein", + "Hans Holbein", + "Holbein the Elder", + "Holbein", + "Hans Holbein", + "Holbein the Younger", + "Hollerith", + "Herman Hollerith", + "Holly", + "Buddy Holly", + "Charles Hardin Holley", + "Holmes", + "Arthur Holmes", + "Holmes", + "Oliver Wendell Holmes", + "Holmes", + "Oliver Wendell Holmes Jr.", + "Holofernes", + "Homer", + "Homer", + "Winslow Homer", + "Honegger", + "Arthur Honegger", + "Hooke", + "Robert Hooke", + "Hooker", + "Richard Hooker", + "Hooker", + "Joseph Hooker", + "Fighting Joe Hooker", + "Hoover", + "Herbert Hoover", + "Herbert Clark Hoover", + "President Hoover", + "Hoover", + "J. Edgar Hoover", + "John Edgar Hoover", + "Hoover", + "William Hoover", + "William Henry Hoover", + "Hope", + "Bob Hope", + "Leslie Townes Hope", + "Hopkins", + "Anthony Hopkins", + "Sir Anthony Hopkins", + "Sir Anthony Philip Hopkins", + "Hopkins", + "Sir Frederick Gowland Hopkins", + "Hopkins", + "Gerard Manley Hopkins", + "Hopkins", + "Johns Hopkins", + "Hopkins", + "Mark Hopkins", + "Hopkinson", + "Francis Hopkinson", + "Horace", + "Horne", + "Lena Horne", + "Lena Calhoun Horne", + "Horne", + "Marilyn Horne", + "Horney", + "Karen Horney", + "Karen Danielsen Horney", + "Horowitz", + "Vladimir Horowitz", + "Horta", + "Victor Horta", + "Hosea", + "Houdini", + "Harry Houdini", + "Erik Weisz", + "Houghton", + "Henry Oscar Houghton", + "Housman", + "A. E. Housman", + "Alfred Edward Housman", + "Houston", + "Sam Houston", + "Samuel Houston", + "Howard", + "Catherine Howard", + "Howard", + "Leslie Howard", + "Leslie Howard Stainer", + "Howe", + "Elias Howe", + "Howe", + "Julia Ward Howe", + "Howe", + "Gordie Howe", + "Gordon Howe", + "Howe", + "Irving Howe", + "Howells", + "William Dean Howells", + "Hoyle", + "Edmond Hoyle", + "Hoyle", + "Fred Hoyle", + "Sir Fred Hoyle", + "Hubbard", + "L. Ron Hubbard", + "Hubble", + "Edwin Hubble", + "Edwin Powell Hubble", + "Hubel", + "David Hubel", + "Hudson", + "Henry Hudson", + "Hudson", + "W. H. Hudson", + "William Henry Hudson", + "Huggins", + "Sir William Huggins", + "Hughes", + "Charles Evans Hughes", + "Hughes", + "Howard Hughes", + "Howard Robard Hughes", + "Hughes", + "Langston Hughes", + "James Langston Hughes", + "Hughes", + "Ted Hughes", + "Edward James Hughes", + "Hugo", + "Victor Hugo", + "Victor-Marie Hugo", + "Hull", + "Cordell Hull", + "Hull", + "Isaac Hull", + "Humboldt", + "Baron Alexander von Humboldt", + "Baron Friedrich Heinrich Alexander von Humboldt", + "Humboldt", + "Baron Wilhelm von Humboldt", + "Baron Karl Wilhelm von Humboldt", + "Hume", + "David Hume", + "Humperdinck", + "Engelbert Humperdinck", + "Hunt", + "Leigh Hunt", + "James Henry Leigh Hunt", + "Hunt", + "Richard Morris Hunt", + "Hunt", + "Holman Hunt", + "William Holman Hunt", + "Huntington", + "Collis Potter Huntington", + "Huntington", + "Samuel Huntington", + "Huntington", + "George Huntington", + "Hurok", + "Sol Hurok", + "Solomon Hurok", + "Huss", + "John Huss", + "Hus", + "Jan Hus", + "Hussein", + "Husain", + "Husayn", + "ibn Talal Hussein", + "King Hussein", + "Hussein", + "Husain", + "Husayn", + "Saddam Hussein", + "Saddam", + "Saddam bin Hussein at-Takriti", + "Husserl", + "Edmund Husserl", + "Huston", + "John Huston", + "Hutchins", + "Robert Maynard Hutchins", + "Hutchinson", + "Anne Hutchinson", + "Hutton", + "James Hutton", + "Hutton", + "Sir Leonard Hutton", + "Huxley", + "Thomas Huxley", + "Thomas Henry Huxley", + "Huxley", + "Aldous Huxley", + "Aldous Leonard Huxley", + "Huxley", + "Andrew Huxley", + "Andrew Fielding Huxley", + "Huygens", + "Christiaan Huygens", + "Christian Huygens", + "Hypatia", + "Ibert", + "Jacques Francois Antoine Ibert", + "Ibsen", + "Henrik Ibsen", + "Henrik Johan Ibsen", + "Iglesias", + "Julio Iglesias", + "Ignatius", + "Saint Ignatius", + "St. Ignatius", + "Ignatius of Loyola", + "Saint Ignatius of Loyola", + "St. Ignatius of Loyola", + "Loyola", + "Indiana", + "Robert Indiana", + "Inge", + "William Inge", + "Inge", + "William Ralph Inge", + "Gloomy Dean", + "Ingres", + "Jean Auguste Dominique Ingres", + "Innocent III", + "Lotario di Segni", + "Innocent VIII", + "Giovanni Battista Cibo", + "Innocent XI", + "Benedetto Odescalchi", + "Innocent XII", + "Antonio Pignatelli", + "Ionesco", + "Eugene Ionesco", + "Irenaeus", + "Saint Irenaeus", + "St. Irenaeus", + "Irving", + "John Irving", + "Irving", + "Washington Irving", + "Isaac", + "Isabella", + "Queen Isabella", + "Isabella I", + "Isabella the Catholic", + "Isaiah", + "Isherwood", + "Christopher Isherwood", + "Christopher William Bradshaw Isherwood", + "Ishmael", + "Isocrates", + "Issachar", + "Ivan III", + "Ivan III Vasilievich", + "Ivan the Great", + "Ivan IV", + "Ivan Iv Vasilievich", + "Ivan the Terrible", + "Ivanov", + "Lev Ivanov", + "Ives", + "James Ives", + "James Merritt Ives", + "Ives", + "Charles Edward Ives", + "Jackson", + "Andrew Jackson", + "Old Hickory", + "Jackson", + "Thomas Jackson", + "Thomas J. Jackson", + "Thomas Jonathan Jackson", + "Stonewall Jackson", + "Jackson", + "Helen Hunt Jackson", + "Helen Maria Fiske Hunt Jackson", + "Jackson", + "Jesse Jackson", + "Jesse Louis Jackson", + "Jackson", + "Mahalia Jackson", + "Jackson", + "Michael Jackson", + "Michael Joe Jackson", + "Jackson", + "Glenda Jackson", + "Jack the Ripper", + "Jacob", + "Francois Jacob", + "Jacobi", + "Karl Gustav Jacob Jacobi", + "Jacobs", + "Aletta Jacobs", + "Jacobs", + "Jane Jacobs", + "Jacobs", + "W. W. Jacobs", + "William Wymark Jacobs", + "Jacquard", + "Joseph M. Jacquard", + "Joseph Marie Jacquard", + "Jaffar", + "Jafar", + "Jaffar Umar Thalib", + "Jafar Umar Thalib", + "Jagger", + "Mick Jagger", + "Michael Philip Jagger", + "Jakobson", + "Roman Jakobson", + "Roman Osipovich Jakobson", + "James", + "Saint James", + "St. James", + "Saint James the Apostle", + "St. James the Apostle", + "James", + "Henry James", + "James", + "William James", + "James", + "Jesse James", + "James", + "James I", + "King James", + "King James I", + "James", + "James II", + "James", + "James IV", + "Jamison", + "Judith Jamison", + "Jansen", + "Cornelis Jansen", + "Cornelius Jansenius", + "Jarrell", + "Randall Jarrell", + "Jaspers", + "Karl Jaspers", + "Karl Theodor Jaspers", + "Jay", + "John Jay", + "Jeanne d'Arc", + "Joan of Arc", + "Saint Joan", + "Jeffers", + "Robinson Jeffers", + "John Robinson Jeffers", + "Jefferson", + "Thomas Jefferson", + "President Jefferson", + "Jenner", + "Edward Jenner", + "Jenny", + "William Le Baron Jenny", + "Jensen", + "Johannes Vilhelm Jensen", + "Jeroboam", + "Jeroboam I", + "Jeremiah", + "Jerome", + "Saint Jerome", + "St. Jerome", + "Hieronymus", + "Eusebius Hieronymus", + "Eusebius Sophronius Hieronymus", + "Jespersen", + "Otto Jespersen", + "Jens Otto Harry Jespersen", + "Jesus", + "Jesus of Nazareth", + "the Nazarene", + "Jesus Christ", + "Christ", + "Savior", + "Saviour", + "Good Shepherd", + "Redeemer", + "Deliverer", + "El Nino", + "Jevons", + "William Stanley Jevons", + "Jewison", + "Norman Jewison", + "Jezebel", + "Jimenez", + "Juan Ramon Jimenez", + "Jimenez de Cisneros", + "Francisco Jimenez de Cisneros", + "Jinnah", + "Muhammad Ali Jinnah", + "Joachim", + "Joseph Joachim", + "Job", + "Joel", + "Joffre", + "Joseph Jacques Cesaire Joffre", + "Joffrey", + "Robert Joffrey", + "John", + "Saint John", + "St. John", + "Saint John the Apostle", + "St. John the Apostle", + "John the Evangelist", + "John the Divine", + "John", + "King John", + "John Lackland", + "John XXIII", + "Angelo Guiseppe Roncalli", + "John Chrysostom", + "St. John Chrysostom", + "John of Gaunt", + "Duke of Lancaster", + "John the Baptist", + "St. John the Baptist", + "John Paul I", + "Albino Luciano", + "John Paul II", + "Karol Wojtyla", + "Johns", + "Jasper Johns", + "Johnson", + "Andrew Johnson", + "President Johnson", + "President Andrew Johnson", + "Johnson", + "Lyndon Johnson", + "Lyndon Baines Johnson", + "LBJ", + "President Johnson", + "President Lyndon Johnson", + "Johnson", + "Samuel Johnson", + "Dr. Johnson", + "Johnston", + "J. E. Johnston", + "Joseph Eggleston Johnston", + "Joliot", + "Jean-Frederic Joliot", + "Joliot-Curie", + "Jean-Frederic Joliot-Curie", + "Joliot-Curie", + "Irene Joliot-Curie", + "Jolliet", + "Louis Jolliet", + "Joliet", + "Louis Joliet", + "Jolson", + "Al Jolson", + "Asa Yoelson", + "Jonah", + "Jones", + "Daniel Jones", + "Jones", + "Inigo Jones", + "Jones", + "John Paul Jones", + "Jones", + "Bobby Jones", + "Robert Tyre Jones", + "Jones", + "Casey Jones", + "John Luther Jones", + "Jones", + "Mother Jones", + "Mary Harris Jones", + "Jong", + "Erica Jong", + "Jonson", + "Ben Jonson", + "Benjamin Jonson", + "Joplin", + "Scott Joplin", + "Joplin", + "Janis Joplin", + "Joseph", + "Joseph", + "Joseph", + "Chief Joseph", + "Josephus", + "Flavius Josephus", + "Joseph ben Matthias", + "Joshua", + "Joule", + "James Prescott Joule", + "Jowett", + "Benjamin Jowett", + "Joyce", + "James Joyce", + "James Augustine Aloysius Joyce", + "Juan Carlos", + "Juan Carlos Victor Maria de Borbon y Borbon", + "Judah", + "Judas", + "Judas Iscariot", + "Judas Maccabaeus", + "Jude", + "Saint Jude", + "St. Jude", + "Judas", + "Thaddaeus", + "Julian", + "Julian the Apostate", + "Flavius Claudius Julianus", + "Jung", + "Carl Jung", + "Carl Gustav Jung", + "Junkers", + "Hugo Junkers", + "Jussieu", + "Antoine Laurent de Jussieu", + "Justinian", + "Justinian I", + "Justinian the Great", + "Juvenal", + "Decimus Junius Juvenalis", + "Kachaturian", + "Aram Kachaturian", + "Kafka", + "Franz Kafka", + "Kahn", + "Louis Isadore Kahn", + "Kalinin", + "Mikhail Kalinin", + "Mikhail Ivanovich Kalinin", + "Kamehameha I", + "Kamehameha the Great", + "Kandinsky", + "Wassily Kandinsky", + "Kandinski", + "Wassily Kandinski", + "Kant", + "Immanuel Kant", + "Karlfeldt", + "Erik Axel Karlfeldt", + "Karloff", + "Boris Karloff", + "William Henry Pratt", + "Karpov", + "Anatoli Karpov", + "Anatoli Yevgenevich Karpov", + "Karsavina", + "Tamara Karsavina", + "Kasparov", + "Gary Kasparov", + "Gary Weinstein", + "Kastler", + "Alfred Kastler", + "Kaufman", + "George S. Kaufman", + "George Simon Kaufman", + "Kaunda", + "Kenneth Kaunda", + "Kenneth David Kaunda", + "Kazan", + "Elia Kazan", + "Elia Kazanjoglous", + "Kean", + "Edmund Kean", + "Keaton", + "Buster Keaton", + "Joseph Francis Keaton", + "Keats", + "John Keats", + "Keble", + "John Keble", + "Kekule", + "Friedrich August Kekule", + "Friedrich August Kekule von Stradonitz", + "Keller", + "Helen Keller", + "Helen Adams Keller", + "Kellogg", + "W. K. Kellogg", + "Will Keith Kellog", + "Kelly", + "Gene Kelly", + "Eugene Curran Kelly", + "Kelly", + "Grace Kelly", + "Grace Patricia Kelly", + "Princess Grace of Monaco", + "Kelly", + "Emmett Kelly", + "Weary Willie", + "Kelvin", + "First Baron Kelvin", + "William Thompson", + "Kendall", + "Edward Kendall", + "Edward Calvin Kendall", + "Kendrew", + "Sir John Cowdery Kendrew", + "Kennan", + "George F. Kennan", + "George Frost Kennan", + "Kennedy", + "Jack Kennedy", + "John Fitzgerald Kennedy", + "JFK", + "President Kennedy", + "President John F. Kennedy", + "Kennelly", + "A. E. Kennelly", + "Arthur Edwin Kennelly", + "Kent", + "Rockwell Kent", + "Kenyata", + "Jomo Kenyata", + "Keokuk", + "Kepler", + "Johannes Kepler", + "Johan Kepler", + "Kerensky", + "Aleksandr Feodorovich Kerensky", + "Kern", + "Jerome Kern", + "Jerome David Kern", + "Kerouac", + "Jack Kerouac", + "Jean-Louis Lebris de Kerouac", + "Kesey", + "Ken Kesey", + "Ken Elton Kesey", + "Kettering", + "Charles Kettering", + "Charles Franklin Kettering", + "Key", + "Francis Scott Key", + "Keynes", + "John Maynard Keynes", + "Khachaturian", + "Aram Khachaturian", + "Aram Ilich Khachaturian", + "Khama", + "Sir Seretse Khama", + "Khomeini", + "Ruholla Khomeini", + "Ayatollah Khomeini", + "Ayatollah Ruholla Khomeini", + "Khrushchev", + "Nikita Khrushchev", + "Nikita Sergeyevich Khrushchev", + "Kidd", + "William Kidd", + "Captain Kidd", + "Kierkegaard", + "Soren Kierkegaard", + "Soren Aabye Kierkegaard", + "Kieslowski", + "Krzysztof Kieslowski", + "King", + "Martin Luther King", + "Martin Luther King Jr.", + "King", + "B. B. King", + "Riley B King", + "King", + "Billie Jean King", + "Billie Jean Moffitt King", + "Kinsey", + "Alfred Charles Kinsey", + "Kipling", + "Rudyard Kipling", + "Joseph Rudyard Kipling", + "Kirchhoff", + "G. R. Kirchhoff", + "Gustav Robert Kirchhoff", + "Kirchner", + "Ernst Ludwig Kirchner", + "Kissinger", + "Henry Kissinger", + "Henry Alfred Kissinger", + "Kitchener", + "Herbert Kitchener", + "Horatio Herbert Kitchener", + "First Earl Kitchener of Khartoum", + "Klaproth", + "Martin Heinrich Klaproth", + "Klee", + "Paul Klee", + "Klein", + "Calvin Klein", + "Calvin Richard Klein", + "Klein", + "Melanie Klein", + "Klein", + "Felix Klein", + "Kleist", + "Heinrich von Kleist", + "Bernd Heinrich Wilhelm von Kleist", + "Klimt", + "Gustav Klimt", + "Kline", + "Franz Kline", + "Franz Joseph Kline", + "Klinefelter", + "Harry F. Klinefelter", + "Harry Fitch Kleinfelter", + "Klopstock", + "Friedrich Gottlieb Klopstock", + "Knox", + "John Knox", + "Koch", + "Robert Koch", + "Koestler", + "Arthur Koestler", + "Konoe", + "Fumimaro Konoe", + "Prince Fumimaro Konoe", + "Konoye", + "Fumimaro Konoye", + "Prince Fumimaro Konoye", + "Koopmans", + "Tjalling Koopmans", + "Tjalling Charles Koopmans", + "Korbut", + "Olga Korbut", + "Korchnoi", + "Viktor Korchnoi", + "Viktor Lvovich Korchnoi", + "Korda", + "Sir Alexander Korda", + "Sandor Kellner", + "Korzybski", + "Alfred Korzybski", + "Alfred Habdank Skarbek Korzybski", + "Kosciusko", + "Thaddeus Kosciusko", + "Kosciuszko", + "Tadeusz Andrzej Bonawentura Kosciuszko", + "Koussevitzky", + "Serge Koussevitzky", + "Sergei Aleksandrovich Koussevitzky", + "Krafft-Ebing", + "Richard von Krafft-Ebing", + "Baron Richard von Krafft-Ebing", + "Krasner", + "Lee Krasner", + "Krebs", + "Hans Adolf Krebs", + "Sir Hans Adolf Krebs", + "Kreisler", + "Fritz Kreisler", + "Kroeber", + "Alfred Kroeber", + "Alfred Louis Kroeber", + "Kronecker", + "Leopold Kronecker", + "Kropotkin", + "Prince Peter Kropotkin", + "Pyotr Alexeyevich Kropotkin", + "Kroto", + "Harold Kroto", + "Harold W. Kroto", + "Sir Harold Walter Kroto", + "Kruger", + "Oom Paul Kruger", + "Stephanus Johannes Paulus Kruger", + "Krupp", + "Friedrich Krupp", + "Krupp", + "Alfred Krupp", + "Kublai Khan", + "Kubla Khan", + "Kublai Kaan", + "Kubrick", + "Stanley Kubrick", + "Kuhn", + "Richard Kuhn", + "Kuiper", + "Gerard Kuiper", + "Gerard Peter Kuiper", + "Kurosawa", + "Akira Kurosawa", + "Kutuzov", + "Mikhail Ilarionovich Kutuzov", + "Prince of Smolensk", + "Kuznets", + "Simon Kuznets", + "Kyd", + "Kid", + "Thomas Kyd", + "Thomas Kid", + "Laban", + "Rudolph Laban", + "Labrouste", + "Henri Labrouste", + "Lachaise", + "Gaston Lachaise", + "Lafayette", + "La Fayette", + "Marie Joseph Paul Yves Roch Gilbert du Motier", + "Marquis de Lafayette", + "Laffer", + "Arthur Laffer", + "Laffite", + "Lafitte", + "Jean Laffite", + "Jean Lafitte", + "La Fontaine", + "Jean de La Fontaine", + "Lamarck", + "Jean Baptiste de Lamarck", + "Chevalier de Lamarck", + "Lamb", + "Charles Lamb", + "Elia", + "Lambert", + "Constant Lambert", + "Leonard Constant Lambert", + "Lancelot", + "Sir Lancelot", + "Land", + "Din Land", + "Edwin Herbert Land", + "Landau", + "Lev Davidovich Landau", + "Landowska", + "Wanda Landowska", + "Landsteiner", + "Karl Landsteiner", + "Laney", + "Lucy Craft Laney", + "Lange", + "Dorothea Lange", + "Langley", + "Samuel Pierpoint Langley", + "Langmuir", + "Irving Langmuir", + "Langtry", + "Lillie Langtry", + "Jersey Lillie", + "Emilie Charlotte le Breton", + "Lao-tzu", + "Lao-tse", + "Lao-zi", + "Laplace", + "Marquis de Laplace", + "Pierre Simon de Laplace", + "Lardner", + "Ring Lardner", + "Ringgold Wilmer Lardner", + "La Rochefoucauld", + "Francois de La Rochefoucauld", + "Larousse", + "Pierre Larousse", + "Pierre Athanase Larousse", + "LaSalle", + "Sieur de LaSalle", + "Rene-Robert Cavelier", + "Lasso", + "Orlando di Lasso", + "Roland de Lassus", + "La Tour", + "Georges de La Tour", + "Latrobe", + "Benjamin Henry Latrobe", + "Lauder", + "Harry Lauder", + "Sir Harry MacLennan Lauder", + "Laughton", + "Charles Laughton", + "Laurel", + "Stan Laurel", + "Arthur Stanley Jefferson Laurel", + "Laurens", + "Henry Laurens", + "Laver", + "Rod Laver", + "Rodney George Laver", + "Lavoisier", + "Antoine Lavoisier", + "Antoine Laurent Lavoisier", + "Lawrence", + "D. H. Lawrence", + "David Herbert Lawrence", + "Lawrence", + "E. O. Lawrence", + "Ernest Orlando Lawrence", + "Lawrence", + "Gertrude Lawrence", + "Lawrence", + "Sir Thomas Lawrence", + "Lawrence", + "T. E. Lawrence", + "Thomas Edward Lawrence", + "Lawrence of Arabia", + "Lawrence", + "Saint Lawrence", + "St. Lawrence", + "Laurentius", + "Leacock", + "Stephen Leacock", + "Stephen Butler Leacock", + "Leakey", + "Louis Leakey", + "Louis Seymour Bazett Leakey", + "Leakey", + "Mary Leakey", + "Mary Douglas Leakey", + "Leakey", + "Richard Leakey", + "Richard Erskine Leakey", + "Lear", + "Edward Lear", + "Leary", + "Tim Leary", + "Timothy Leary", + "Timothy Francis Leary", + "le Carre", + "John le Carre", + "David John Moore Cornwell", + "le Chatelier", + "Henry le Chatelier", + "Le Corbusier", + "Charles Edouard Jeanneret", + "Ledbetter", + "Huddie Leadbetter", + "Leadbelly", + "Le Duc Tho", + "Lee", + "Robert E. Lee", + "Robert Edward Lee", + "Lee", + "Henry Lee", + "Lighthorse Harry Lee", + "Lee", + "Richard Henry Lee", + "Lee", + "Tsung Dao Lee", + "Lee", + "Bruce Lee", + "Lee Yuen Kam", + "Lee", + "Gypsy Rose Lee", + "Rose Louise Hovick", + "Lee", + "Spike Lee", + "Shelton Jackson Lee", + "Le Gallienne", + "Eva Le Gallienne", + "Leger", + "Fernand Leger", + "Lehar", + "Franz Lehar", + "Leibniz", + "Leibnitz", + "Gottfried Wilhelm Leibniz", + "Gottfried Wilhelm Leibnitz", + "Leigh", + "Vivien Leigh", + "Lemaitre", + "Georges Henri Lemaitre", + "Edouard Lemaitre", + "Lemmon", + "Jack Lemmon", + "John Uhler", + "Lenard", + "Philipp Lenard", + "Lendl", + "Ivan Lendl", + "L'Enfant", + "Charles L'Enfant", + "Pierre Charles L'Enfant", + "Lenin", + "Vladimir Lenin", + "Nikolai Lenin", + "Vladimir Ilyich Lenin", + "Vladimir Ilich Lenin", + "Vladimir Ilyich Ulyanov", + "Vladimir Ilich Ulyanov", + "Lennon", + "John Lennon", + "Le Notre", + "Andre Le Notre", + "Leo I", + "St. Leo I", + "Leo the Great", + "Leo III", + "Leo IX", + "Bruno", + "Bruno of Toul", + "Leo X", + "Giovanni de'Medici", + "Leo XIII", + "Gioacchino Pecci", + "Giovanni Vincenzo Pecci", + "Leonard", + "Elmore Leonard", + "Elmore John Leonard", + "Dutch Leonard", + "Leonardo", + "Leonardo da Vinci", + "da Vinci", + "Leonidas", + "Leontief", + "Wassily Leontief", + "Lermontov", + "Mikhail Yurievich Lermontov", + "Lerner", + "Alan Jay Lerner", + "Lesseps", + "Ferdinand de Lesseps", + "Vicomte Ferdinand Marie de Lesseps", + "Lessing", + "Doris Lessing", + "Doris May Lessing", + "Lessing", + "Gotthold Ephraim Lessing", + "Leuwenhoek", + "Leeuwenhoek", + "Anton van Leuwenhoek", + "Anton van Leeuwenhoek", + "Levi-Strauss", + "Claude Levi-Strauss", + "Lewis", + "C. S. Lewis", + "Clive Staples Lewis", + "Lewis", + "Sinclair Lewis", + "Harry Sinclair Lewis", + "Lewis", + "John L. Lewis", + "John Llewelly Lewis", + "Lewis", + "Meriwether Lewis", + "Lewis", + "Carl Lewis", + "Frederick Carleton Lewis", + "Lewis", + "Jerry Lee Lewis", + "Libby", + "Willard Frank Libby", + "Lichtenstein", + "Roy Lichtenstein", + "Lie", + "Trygve Lie", + "Trygve Halvden Lie", + "Liliuokalani", + "Lydia Kamekeha Paki Liliuokalani", + "Lillie", + "Beatrice Lillie", + "Lady Peel", + "Lin", + "Maya Lin", + "Lincoln", + "Abraham Lincoln", + "President Lincoln", + "President Abraham Lincoln", + "Lind", + "Jenny Lind", + "Swedish Nightingale", + "Lindbergh", + "Charles Lindbergh", + "Charles A. Lindbergh", + "Charles Augustus Lindbergh", + "Lucky Lindy", + "Lindsay", + "Vachel Lindsay", + "Nicholas Vachel Lindsay", + "Lindsay", + "Howard Lindsay", + "Linnaeus", + "Carolus Linnaeus", + "Carl von Linne", + "Karl Linne", + "Lipchitz", + "Jacques Lipchitz", + "Lipmann", + "Fritz Albert Lipmann", + "Li Po", + "Lippi", + "Fra Filippo Lippi", + "Lippi", + "Filippino Lippi", + "Lippmann", + "Gabriel Lippmann", + "Lippmann", + "Walter Lippmann", + "Lipscomb", + "William Nunn Lipscom Jr.", + "Lister", + "Joseph Lister", + "Baron Lister", + "Liston", + "Sonny Liston", + "Charles Liston", + "Liszt", + "Franz Liszt", + "Littre", + "Maximilien Paul Emile Littre", + "Livermore", + "Mary Ashton Rice Livermore", + "Livingston", + "Robert R. Livingston", + "Livingstone", + "David Livingstone", + "Livy", + "Titus Livius", + "Lloyd", + "Harold Lloyd", + "Harold Clayton Lloyd", + "Lloyd Webber", + "Andrew Lloyd Webber", + "Baron Lloyd Webber of Sydmonton", + "Lobachevsky", + "Nikolai Ivanovich Lobachevsky", + "Locke", + "John Locke", + "Lodge", + "Sir Oliver Lodge", + "Sir Oliver Joseph Lodge", + "Loeb", + "Jacques Loeb", + "Loewe", + "Frederick Loewe", + "Loewi", + "Otto Loewi", + "London", + "Jack London", + "John Griffith Chaney", + "Longfellow", + "Henry Wadsworth Longfellow", + "Loos", + "Adolf Loos", + "Loren", + "Sophia Loren", + "Sofia Scicolone", + "Lorentz", + "Hendrik Antoon Lorentz", + "Lorenz", + "Konrad Lorenz", + "Konrad Zacharias Lorenz", + "Lorenzo de'Medici", + "Lorenzo the Magnificent", + "Lorre", + "Peter Lorre", + "Laszlo Lowestein", + "Louis I", + "Louis the Pious", + "Louis II", + "Louis le Begue", + "Louis the Stammerer", + "Louis the German", + "Louis III", + "Louis IV", + "Louis d'Outremer", + "Louis V", + "Louis le Faineant", + "Louis VI", + "Louis the Far", + "Louis the Wideawake", + "Louis the Bruiser", + "Louis VII", + "Louis VIII", + "Louis IX", + "Saint Louis", + "St. Louis", + "Louis X", + "Louis le Hutin", + "Louis the Quarreller", + "Louis XI", + "Louis XII", + "Louis XIII", + "Louis XIV", + "Sun King", + "Louis the Great", + "Louis XV", + "Louis XVI", + "Louis", + "Joe Louis", + "Joseph Louis Barrow", + "Lovelace", + "Richard Lovelace", + "Lovell", + "Sir Bernard Lovell", + "Sir Alfred Charles Bernard Lovell", + "Low", + "David Low", + "Sir David Low", + "Sir David Alexander Cecil Low", + "Lowell", + "Abbott Lawrence Lowell", + "Lowell", + "Amy Lowell", + "Lowell", + "Percival Lowell", + "Lowell", + "Robert Lowell", + "Robert Traill Spence Lowell Jr.", + "Lowry", + "Malcolm Lowry", + "Clarence Malcolm Lowry", + "Lowry", + "L. S. Lowry", + "Laurence Stephen Lowry", + "Lozier", + "Clemence Sophia Harned Lozier", + "Lubitsch", + "Ernst Lubitsch", + "Lucas", + "George Lucas", + "Lucullus", + "Licinius Lucullus", + "Lucius Licinius Lucullus", + "Luce", + "Clare Booth Luce", + "Luce", + "Henry Luce", + "Henry Robinson Luce", + "Lucretius", + "Titus Lucretius Carus", + "Luculus", + "Lucius Licinius Luculus", + "Lugosi", + "Bela Lugosi", + "Bela Ferenc Blasko", + "Luke", + "Saint Luke", + "St. Luke", + "Lully", + "Jean Baptiste Lully", + "Lulli", + "Giambattista Lulli", + "Lully", + "Raymond Lully", + "Ramon Lully", + "Lunt", + "Alfred Lunt", + "Luther", + "Martin Luther", + "Lutyens", + "Sir Edwin Lutyens", + "Sir Edwin Landseer Luytens", + "Lyly", + "John Lyly", + "Lysander", + "Lysenko", + "Trofim Denisovich Lysenko", + "Lysimachus", + "Lysippus", + "Lytton", + "First Baron Lytton", + "Bulwer-Lytton", + "Edward George Earle Bulwer-Lytton", + "MacArthur", + "Douglas MacArthur", + "Macaulay", + "Thomas Babington Macaulay", + "First Baron Macaulay", + "Lord Macaulay", + "Macbeth", + "MacDowell", + "Edward MacDowell", + "MacGregor", + "Robert MacGregor", + "Rob Roy", + "Mach", + "Ernst Mach", + "Machiavelli", + "Niccolo Machiavelli", + "Mackenzie", + "Sir Alexander Mackenzie", + "MacLeish", + "Archibald MacLeish", + "Macleod", + "John Macleod", + "John James Rickard Macleod", + "Madison", + "James Madison", + "President Madison", + "Madonna", + "Madonna Louise Ciccone", + "Maeterlinck", + "Count Maurice Maeterlinck", + "Magellan", + "Ferdinand Magellan", + "Fernao Magalhaes", + "Maginot", + "Andre Maginot", + "Magritte", + "Rene Magritte", + "Mahan", + "Alfred Thayer Mahan", + "Mahler", + "Gustav Mahler", + "Mailer", + "Norman Mailer", + "Maillol", + "Aristide Maillol", + "Maimonides", + "Moses Maimonides", + "Rabbi Moses Ben Maimon", + "Maintenon", + "Marquise de Maintenon", + "Francoise d'Aubigne", + "Madame de Maintenon", + "Maitland", + "Frederic William Maitland", + "Major", + "John Major", + "John R. Major", + "John Roy Major", + "Makarios III", + "Malachi", + "Malachias", + "Malamud", + "Bernard Malamud", + "Malcolm X", + "Malcolm Little", + "Malebranche", + "Nicolas de Malebranche", + "Malevich", + "Kazimir Malevich", + "Kazimir Severinovich Malevich", + "Malinowski", + "Bronislaw Malinowski", + "Bronislaw Kasper Malinowski", + "Mallarme", + "Stephane Mallarme", + "Mallon", + "Mary Mallon", + "Typhoid Mary", + "Malone", + "Edmund Malone", + "Edmond Malone", + "Malory", + "Thomas Malory", + "Sir Thomas Malory", + "Malpighi", + "Marcello Malpighi", + "Malraux", + "Andre Malraux", + "Malthus", + "Thomas Malthus", + "Thomas Robert Malthus", + "Mamet", + "David Mamet", + "Mandela", + "Nelson Mandela", + "Nelson Rolihlahla Mandela", + "Mandelbrot", + "Benoit Mandelbrot", + "Mandelstam", + "Osip Mandelstam", + "Osip Emilevich Mandelstam", + "Mandelshtam", + "Manes", + "Manet", + "Edouard Manet", + "Mann", + "Thomas Mann", + "Mann", + "Horace Mann", + "Mansart", + "Francois Mansart", + "Mansfield", + "Katherine Mansfield", + "Kathleen Mansfield Beauchamp", + "Manson", + "Sir Patrick Manson", + "Mantegna", + "Andrea Mantegna", + "Mantell", + "Gideon Algernon Mantell", + "Mantle", + "Mickey Mantle", + "Mickey Charles Mantle", + "Manzoni", + "Alessandro Manzoni", + "Mao", + "Mao Zedong", + "Mao Tsetung", + "Marat", + "Jean Paul Marat", + "Marceau", + "Marcel Marceau", + "Marciano", + "Rocco Marciano", + "Rocky Marciano", + "Marconi", + "Guglielmo Marconi", + "Marcuse", + "Herbert Marcuse", + "Marie Antoinette", + "Marini", + "Giambattista Marini", + "Marino", + "Giambattista Marino", + "Mark", + "Saint Mark", + "St. Mark", + "Markova", + "Dame Alicia Markova", + "Lilian Alicia Marks", + "Markov", + "Andrei Markov", + "Markoff", + "Andre Markoff", + "Marks", + "Simon Marks", + "First Baron Marks of Broughton", + "Marley", + "Robert Nesta Marley", + "Bob Marley", + "Marlowe", + "Christopher Marlowe", + "Marquand", + "John Marquand", + "John Philip Marquand", + "Marquette", + "Jacques Marquette", + "Pere Jacques Marquette", + "Marquis", + "Don Marquis", + "Donald Robert Perry Marquis", + "Marsh", + "Ngaio Marsh", + "Marsh", + "Reginald Marsh", + "Marshall", + "John Marshall", + "Marshall", + "George Marshall", + "George Catlett Marshall", + "Marshall", + "E. G. Marshall", + "Marstan", + "John Marstan", + "Marti", + "Jose Julian Marti", + "Martial", + "Martin", + "Dean Martin", + "Dino Paul Crocetti", + "Martin", + "Mary Martin", + "Martin", + "Steve Martin", + "Martin", + "St. Martin", + "Martin V", + "Oddone Colonna", + "Marvell", + "Andrew Marvell", + "Marx", + "Karl Marx", + "Marx", + "Julius Marx", + "Groucho", + "Marx", + "Leonard Marx", + "Chico", + "Marx", + "Arthur Marx", + "Harpo", + "Marx", + "Herbert Marx", + "Zeppo", + "Mary", + "Virgin Mary", + "The Virgin", + "Blessed Virgin", + "Madonna", + "Mary I", + "Mary Tudor", + "Bloody Mary", + "Mary II", + "Mary Queen of Scots", + "Mary Stuart", + "Mary Magdalene", + "St. Mary Magdalene", + "Mary Magdalen", + "St. Mary Magdalen", + "Masefield", + "John Masefield", + "John Edward Masefield", + "Mason", + "A. E. W. Mason", + "Alfred Edward Woodley Mason", + "Mason", + "James Mason", + "James Neville Mason", + "Mason", + "George Mason", + "Masoud", + "Ahmad Shah Masoud", + "Massasoit", + "Massenet", + "Jules Emile Frederic Massenet", + "Massine", + "Leonide Fedorovitch Massine", + "Leonid Fyodorovich Myasin", + "Masters", + "Edgar Lee Masters", + "Mata Hari", + "Margarete Gertrud Zelle", + "Mathias", + "Bob Mathias", + "Robert Bruce Mathias", + "Matisse", + "Henri Matisse", + "Henri Emile Benoit Matisse", + "Matthew", + "Saint Matthew", + "St. Matthew", + "Saint Matthew the Apostle", + "St. Matthew the Apostle", + "Levi", + "Maugham", + "Somerset Maugham", + "W. Somerset Maugham", + "William Somerset Maugham", + "Mauldin", + "Bill Mauldin", + "William Henry Mauldin", + "Maupassant", + "Guy de Maupassant", + "Henri Rene Albert Guy de Maupassant", + "Mauriac", + "Francois Mauriac", + "Francois Charles Mauriac", + "Maurois", + "Andre Maurois", + "Emile Herzog", + "Mauser", + "von Mauser", + "P. P. von Mauser", + "Peter Paul Mauser", + "Maxim", + "Sir Hiram Stevens Maxim", + "Maximian", + "Marcus Aurelius Valerius Maximianus", + "Herculius", + "Maxwell", + "J. C. Maxwell", + "James Clerk Maxwell", + "Mayakovski", + "Vladimir Vladimirovich Mayakovski", + "Mayer", + "Louis B. Mayer", + "Louis Burt Mayer", + "Mayer", + "Marie Goeppert Mayer", + "Mays", + "Willie Mays", + "Willie Howard Mays Jr.", + "Say Hey Kid", + "Mazzini", + "Giuseppe Mazzini", + "McCarthy", + "Joseph McCarthy", + "Joseph Raymond McCarthy", + "McCarthy", + "Mary McCarthy", + "Mary Therese McCarthy", + "McCartney", + "Paul McCartney", + "Sir James Paul McCartney", + "McCauley", + "Mary McCauley", + "Mary Ludwig Hays McCauley", + "Molly Pitcher", + "McCormick", + "John McCormick", + "McCormick", + "Cyrus McCormick", + "Cyrus Hall McCormick", + "McCullers", + "Carson McCullers", + "Carson Smith McCullers", + "McGraw", + "John McGraw", + "John Joseph McGraw", + "McGuffey", + "William Holmes McGuffey", + "McKim", + "Charles Follen McKim", + "McKinley", + "William McKinley", + "President McKinley", + "McLuhan", + "Marshall McLuhan", + "Herbert Marshall McLuhan", + "McMaster", + "John Bach McMaster", + "McPherson", + "Aimee Semple McPherson", + "Mead", + "George Herbert Mead", + "Mead", + "Margaret Mead", + "Meade", + "George Gordon Meade", + "Meade", + "James Edward Meade", + "Meany", + "George Meany", + "Medawar", + "Peter Medawar", + "Sir Peter Brian Medawar", + "Meiji Tenno", + "Mutsuhito", + "Meir", + "Golda Meir", + "Meissner", + "Fritz W. Meissner", + "Meissner", + "Georg Meissner", + "Meitner", + "Lise Meitner", + "Melanchthon", + "Philipp Melanchthon", + "Philipp Schwarzerd", + "Melba", + "Dame Nellie Melba", + "Helen Porter Mitchell", + "Melchior", + "Melchior", + "Lauritz Melchior", + "Lauritz Lebrecht Hommel Melchior", + "Mellon", + "Andrew Mellon", + "Andrew W. Mellon", + "Andrew William Mellon", + "Melville", + "Herman Melville", + "Menander", + "Mencken", + "H. L. Mencken", + "Henry Louis Mencken", + "Mendel", + "Gregor Mendel", + "Johann Mendel", + "Mendeleyev", + "Mendeleev", + "Dmitri Mendeleyev", + "Dmitri Mendeleev", + "Dmitri Ivanovich Mendeleyev", + "Dmitri Ivanovich Mendeleev", + "Mendelsohn", + "Erich Mendelsohn", + "Mendelssohn", + "Felix Mendelssohn", + "Jakob Ludwig Felix Mendelssohn-Bartholdy", + "Meniere", + "Prosper Meniere", + "Menninger", + "Charles Menninger", + "Charles Frederick Menninger", + "Menninger", + "Karl Menninger", + "Karl Augustus Menninger", + "Menninger", + "William Menninger", + "William Claire Menninger", + "Menotti", + "Gian Carlo Menotti", + "Menuhin", + "Yehudi Menuhin", + "Sir Yehudi Menuhin", + "Mercator", + "Gerardus Mercator", + "Gerhard Kremer", + "Mercer", + "John Mercer", + "Merckx", + "Eddy Merckx", + "Mercouri", + "Melina Mercouri", + "Anna Amalia Mercouri", + "Meredith", + "George Meredith", + "Meredith", + "James Meredith", + "James Howard Meredith", + "Mergenthaler", + "Ottmar Mergenthaler", + "Merlin", + "Merman", + "Ethel Merman", + "Merton", + "Robert Merton", + "Robert King Merton", + "Merton", + "Thomas Merton", + "Mesmer", + "Franz Anton Mesmer", + "Friedrich Anton Mesmer", + "Metchnikoff", + "Elie Metchnikoff", + "Metchnikov", + "Elie Metchnikov", + "Ilya Ilich Metchnikov", + "Methuselah", + "Metternich", + "Klemens Metternich", + "Prince Klemens Wenzel Nepomuk Lothar von Metternich", + "Meyerbeer", + "Giacomo Meyerbeer", + "Jakob Liebmann Beer", + "Meyerhof", + "Otto Meyerhof", + "Otto Fritz Meyerhof", + "Micah", + "Micheas", + "Michelangelo", + "Michelangelo Buonarroti", + "Michelson", + "A. A. Michelson", + "Albert Michelson", + "Albert Abraham Michelson", + "Michener", + "James Michener", + "James Albert Michener", + "Middleton", + "Thomas Middleton", + "Mies Van Der Rohe", + "Ludwig Mies Van Der Rohe", + "Milhaud", + "Darius Milhaud", + "Mill", + "John Mill", + "John Stuart Mill", + "Mill", + "James Mill", + "Millais", + "Sir John Everett Millais", + "Millay", + "Edna Millay", + "Edna Saint Vincent Millay", + "Miller", + "Arthur Miller", + "Miller", + "Henry Miller", + "Henry Valentine Miller", + "Miller", + "Glenn Miller", + "Alton Glenn Miller", + "Millet", + "Jean Francois Millet", + "Millikan", + "Robert Andrews Millikan", + "Mills", + "Robert Mills", + "Milne", + "A. A. Milne", + "Alan Alexander Milne", + "Miltiades", + "Milton", + "John Milton", + "Minkowski", + "Hermann Minkowski", + "Minuit", + "Peter Minuit", + "Minnewit", + "Peter Minnewit", + "Mirabeau", + "Comte de Mirabeau", + "Honore-Gabriel Victor Riqueti", + "Miro", + "Joan Miro", + "Mitchell", + "Arthur Mitchell", + "Mitchell", + "John Mitchell", + "Mitchell", + "Margaret Mitchell", + "Margaret Munnerlyn Mitchell", + "Mitchell", + "Maria Mitchell", + "Mitchell", + "William Mitchell", + "Billy Mitchell", + "Mitchell", + "R. J. Mitchell", + "Reginald Joseph Mitchell", + "Mitchum", + "Robert Mitchum", + "Mitford", + "Nancy Mitford", + "Nancy Freeman Mitford", + "Mitford", + "Jessica Mitford", + "Jessica Lucy Mitford", + "Mithridates", + "Mithridates VI", + "Mithridates the Great", + "Mitterrand", + "Francois Mitterrand", + "Francois Maurice Marie Mitterrand", + "Mobius", + "August F. Mobius", + "August Ferdinand Mobius", + "Modigliani", + "Amedeo Modigliano", + "Mohammed", + "Mohammad", + "Muhammad", + "Mahomet", + "Mahound", + "Mohammed Ali", + "Mehemet Ali", + "Muhammad Ali", + "Mohorovicic", + "Andrija Mohorovicic", + "Moliere", + "Jean-Baptiste Poquelin", + "Molnar", + "Ferenc Molnar", + "Molotov", + "Vyacheslav Mikhailovich Molotov", + "Mommsen", + "Theodor Mommsen", + "Mondrian", + "Piet Mondrian", + "Monet", + "Claude Monet", + "Monk", + "Thelonious Monk", + "Thelonious Sphere Monk", + "Monnet", + "Jean Monnet", + "Monod", + "Jacques Monod", + "Jacques Lucien Monod", + "Monroe", + "James Monroe", + "President Monroe", + "Monroe", + "Marilyn Monroe", + "Norma Jean Baker", + "Montagu", + "Ashley Montagu", + "Montaigne", + "Michel Montaigne", + "Michel Eyquem Montaigne", + "Montespan", + "Marquise de Montespan", + "Francoise-Athenais de Rochechouart", + "Montesquieu", + "Baron de la Brede et de Montesquieu", + "Charles Louis de Secondat", + "Montessori", + "Maria Montesorri", + "Monteverdi", + "Claudio Monteverdi", + "Montez", + "Lola Montez", + "Marie Dolores Eliza Rosanna Gilbert", + "Montezuma II", + "Montfort", + "Simon de Montfort", + "Earl of Leicester", + "Montgolfier", + "Josef Michel Montgolfier", + "Montgolfier", + "Jacques Etienne Montgolfier", + "Montgomery", + "Bernard Law Montgomery", + "Sir Bernard Law Montgomery", + "1st Viscount Montgomery of Alamein", + "Montgomery", + "L. M. Montgomery", + "Lucy Maud Montgomery", + "Moody", + "Dwight Lyman Moody", + "Moody", + "Helen Wills Moody", + "Helen Wills", + "Helen Newington Wills", + "Moon", + "Sun Myung Moon", + "Moore", + "Henry Moore", + "Henry Spencer Moore", + "Moore", + "Marianne Moore", + "Marianne Craig Moore", + "Moore", + "Thomas Moore", + "Moore", + "G. E. Moore", + "George Edward Moore", + "Moore", + "Dudley Moore", + "Dudley Stuart John Moore", + "Moore", + "Douglas Moore", + "More", + "Thomas More", + "Sir Thomas More", + "Morgan", + "J. P. Morgan", + "John Pierpont Morgan", + "Morgan", + "Daniel Morgan", + "Morgan", + "Henry Morgan", + "Sir Henry Morgan", + "Morgan", + "Thomas Hunt Morgan", + "Morgan", + "Lewis Henry Morgan", + "Morley", + "E. W. Morley", + "Edward Morley", + "Edward Williams Morley", + "Mormon", + "Morris", + "Gouverneur Morris", + "Morris", + "Robert Morris", + "Morris", + "William Morris", + "Morris", + "Esther Morris", + "Esther Hobart McQuigg Slack Morris", + "Morrison", + "Toni Morrison", + "Chloe Anthony Wofford", + "Morrison", + "Jim Morrison", + "James Douglas Morrison", + "Morse", + "Samuel Morse", + "Samuel F. B. Morse", + "Samuel Finley Breese Morse", + "Mortimer", + "Roger de Mortimer", + "Morton", + "Jelly Roll Morton", + "Ferdinand Joseph La Menthe Morton", + "Mosander", + "Carl Gustaf Mossander", + "Moses", + "Moses", + "Grandma Moses", + "Anna Mary Robertson Moses", + "Mossbauer", + "Rudolf Ludwig Mossbauer", + "Motherwell", + "Robert Motherwell", + "Mott", + "Lucretia Coffin Mott", + "Moynihan", + "Daniel Patrick Moynihan", + "Mozart", + "Wolfgang Amadeus Mozart", + "Mubarak", + "Hosni Mubarak", + "Muhammad", + "Elijah Muhammad", + "Muir", + "John Muir", + "Mullah Omar", + "Mullah Mohammed Omar", + "Muller", + "Hermann Joseph Muller", + "Muller", + "Max Muller", + "Friedrich Max Muller", + "Muller", + "Johann Muller", + "Regiomontanus", + "Muller", + "Johannes Peter Muller", + "Muller", + "Karl Alex Muller", + "Muller", + "Paul Hermann Muller", + "Munch", + "Edvard Munch", + "Munchhausen", + "Karl Friedrich Hieronymus von Munchhausen", + "Munchausen", + "Baron Munchausen", + "Munro", + "H. H. Munro", + "Hector Hugh Munro", + "Saki", + "Murdoch", + "Iris Murdoch", + "Dame Jean Iris Murdoch", + "Murdoch", + "Rupert Murdoch", + "Keith Rupert Murdoch", + "Murray", + "James Murray", + "James Augustus Murray", + "James Augustus Henry Murray", + "Sir James Murray", + "Sir James Augustus Murray", + "Sir James Augustus Henry Murray", + "Murray", + "Gilbert Murray", + "George Gilbert Aime Murphy", + "Murillo", + "Bartolome Esteban Murillo", + "Murrow", + "Edward R. Murrow", + "Edward Roscoe Murrow", + "Musial", + "Stan Musial", + "Stanley Frank Musial", + "Stan the Man", + "Musset", + "Alfred de Musset", + "Louis Charles Alfred de Musset", + "Mussolini", + "Benito Mussolini", + "Il Duce", + "Mussorgsky", + "Moussorgsky", + "Modest Mussorgsky", + "Modest Moussorgsky", + "Modest Petrovich Mussorgsky", + "Modest Petrovich Moussorgsky", + "Muybridge", + "Eadweard Muybridge", + "Edward James Muggeridge", + "Myrdal", + "Gunnar Myrdal", + "Karl Gunnar Myrdal", + "Nabokov", + "Vladimir Nabokov", + "Vladimir vladimirovich Nabokov", + "Nahum", + "Naismith", + "James Naismith", + "Nanak", + "Guru Nanak", + "Nansen", + "Fridtjof Nansen", + "Naomi", + "Noemi", + "Napier", + "John Napier", + "Napoleon", + "Napoleon I", + "Napoleon Bonaparte", + "Bonaparte", + "Little Corporal", + "Napoleon III", + "Emperor Napoleon III", + "Charles Louis Napoleon Bonaparte", + "Nash", + "Ogden Nash", + "Nasser", + "Gamal Abdel Nasser", + "Nast", + "Thomas Nast", + "Nation", + "Carry Nation", + "Carry Amelia Moore Nation", + "Natta", + "Giulio Natta", + "Sanchez", + "Ilich Sanchez", + "Ilich Ramirez Sanchez", + "Carlos", + "Carlos the Jackal", + "Salim", + "Andres Martinez", + "Taurus", + "Glen Gebhard", + "Hector Hevodidbon", + "Michael Assat", + "Navratilova", + "Martina Navratilova", + "Nazimova", + "Alla Nazimova", + "Nebuchadnezzar", + "Nebuchadnezzar II", + "Nebuchadrezzar", + "Nebuchadrezzar II", + "Nicholas V", + "Tomasso Parentucelli", + "Nimrod", + "Neel", + "Louis Eugene Felix Neel", + "Nefertiti", + "Nehru", + "Jawaharlal Nehru", + "Nelson", + "Horatio Nelson", + "Viscount Nelson", + "Admiral Nelson", + "Lord Nelson", + "Nernst", + "Walther Hermann Nernst", + "Nero", + "Nero Claudius Caesar Drusus Germanicus", + "Lucius Domitius Ahenobarbus", + "Neruda", + "Pablo Neruda", + "Reyes", + "Neftali Ricardo Reyes", + "Nervi", + "Pier Luigi Nervi", + "Nerva", + "Marcus Cocceius Nerva", + "Nestor", + "Nestorius", + "Nevelson", + "Louise Nevelson", + "Newcomb", + "Simon Newcomb", + "Newman", + "John Henry Newman", + "Cardinal Newman", + "Newman", + "Paul Newman", + "Paul Leonard Newman", + "Newton", + "Isaac Newton", + "Sir Isaac Newton", + "Ney", + "Michel Ney", + "Duc d'Elchingen", + "Nicholas", + "Saint Nicholas", + "St. Nicholas", + "Nicholas I", + "Czar Nicholas I", + "Nicholas II", + "Nicklaus", + "Jack Nicklaus", + "Jack William Nicklaus", + "Nicolson", + "Harold Nicolson", + "Sir Harold George Nicolson", + "Niebuhr", + "Barthold George Niebuhr", + "Niebuhr", + "Reinhold Niebuhr", + "Nielsen", + "Carl Nielsen", + "Carl August Nielsen", + "Nietzsche", + "Friedrich Wilhelm Nietzsche", + "Nightingale", + "Florence Nightingale", + "Lady with the Lamp", + "Nijinsky", + "Vaslav Nijinsky", + "Waslaw Nijinsky", + "Nilsson", + "Brigit Nilsson", + "Marta Brigit Nilsson", + "Nimitz", + "Chester Nimitz", + "Chester William Nimitz", + "Admiral Nimitz", + "Nixon", + "Richard Nixon", + "Richard M. Nixon", + "Richard Milhous Nixon", + "President Nixon", + "Noah", + "Nobel", + "Alfred Nobel", + "Alfred Bernhard Nobel", + "Noether", + "Emmy Noether", + "Noguchi", + "Hideyo Noguchi", + "Noguchi", + "Isamu Noguchi", + "Norman", + "Greg Norman", + "Gregory John Norman", + "Norman", + "Jessye Norman", + "Norris", + "Frank Norris", + "Benjamin Franklin Norris Jr.", + "Norrish", + "Ronald George Wreyford Norrish", + "North", + "Frederick North", + "Second Earl of Guilford", + "Northrop", + "John Howard Northrop", + "Nostradamus", + "Michel de Notredame", + "Noyes", + "Alfred Noyes", + "Nuffield", + "William Richard Morris", + "First Viscount Nuffield", + "Nureyev", + "Rudolf Nureyev", + "Oakley", + "Annie Oakley", + "Oates", + "Joyce Carol Oates", + "Oates", + "Titus Oates", + "Obadiah", + "Abdias", + "O'Brien", + "Edna O'Brien", + "O'Casey", + "Sean O'Casey", + "Occam", + "William of Occam", + "Ockham", + "William of Ockham", + "Ochoa", + "Severo Ochoa", + "Ochs", + "Adolph Simon Ochs", + "O'Connor", + "Flannery O'Connor", + "Mary Flannery O'Connor", + "Odets", + "Clifford Odets", + "Odoacer", + "Odovacar", + "Odovakar", + "Oersted", + "Hans Christian Oersted", + "Offenbach", + "Jacques Offenbach", + "O'Flaherty", + "Liam O'Flaherty", + "Ogden", + "C. K. Ogden", + "Charles Kay Ogden", + "O'Hara", + "John Henry O'Hara", + "Ohm", + "Georg Simon Ohm", + "O'Keeffe", + "Georgia Okeeffe", + "Oken", + "Lorenz Oken", + "Okenfuss", + "Lorenz Okenfuss", + "Olaf II", + "Olav II", + "Saint Olaf", + "Saint Olav", + "St. Olaf", + "St. Olav", + "Oldenburg", + "Claes Oldenburg", + "Claes Thure Oldenburg", + "Oldfield", + "Barney Oldfield", + "Berna Eli Oldfield", + "Oliver", + "Joseph Oliver", + "King Oliver", + "Olivier", + "Laurence Olivier", + "Sir Laurence Kerr Olivier", + "Baron Olivier of Birghton", + "Olmsted", + "Frederick Law Olmsted", + "Omar Khayyam", + "Ondaatje", + "Michael Ondaatje", + "Philip Michael Ondaatje", + "O'Neill", + "Eugene O'Neill", + "Eugene Gladstone O'Neill", + "Ono", + "Yoko Ono", + "Onsager", + "Lars Onsager", + "Oort", + "Jan Hendrix Oort", + "Opel", + "Wilhelm von Opel", + "Oppenheimer", + "Robert Oppenheimer", + "Orbison", + "Roy Orbison", + "Orczy", + "Baroness Emmusca Orczy", + "Orff", + "Carl Orff", + "Origen", + "Ormandy", + "Eugene Ormandy", + "Orozco", + "Jose Orozco", + "Jose Clemente Orozco", + "Orr", + "Bobby Orr", + "Robert Orr", + "Ortega", + "Daniel Ortega", + "Daniel Ortega Saavedra", + "Ortega y Gasset", + "Jose Ortega y Gasset", + "Orwell", + "George Orwell", + "Eric Blair", + "Eric Arthur Blair", + "Osborne", + "John Osborne", + "John James Osborne", + "Osman I", + "Othman I", + "Ostwald", + "Wilhelm Ostwald", + "Oswald", + "Lee Harvey Oswald", + "Otis", + "Elisha Graves Otis", + "O'Toole", + "Peter O'Toole", + "Peter Seamus O'Toole", + "Otto I", + "Otho I", + "Otto the Great", + "Ovid", + "Publius Ovidius Naso", + "Owen", + "Sir Richard Owen", + "Owen", + "Robert Owen", + "Owens", + "Jesse Owens", + "James Cleveland Owens", + "Ozawa", + "Seiji Ozawa", + "Paderewski", + "Ignace Paderewski", + "Ignace Jan Paderewski", + "Paganini", + "Niccolo Paganini", + "Page", + "Thomas Nelson Page", + "Page", + "Sir Frederick Handley Page", + "Paget", + "Sir James Paget", + "Pahlavi", + "Mohammed Reza Pahlavi", + "Shah Pahlavi", + "Pahlevi", + "Mohammed Reza Pahlevi", + "Paige", + "Satchel Paige", + "Leroy Robert Paige", + "Paine", + "Tom Paine", + "Thomas Paine", + "Paine", + "Robert Treat Paine", + "Palestrina", + "Giovanni Pierluigi da Palestrina", + "Palgrave", + "Francis Turner Palgrave", + "Palladio", + "Andrea Palladio", + "Palmer", + "Arnold Palmer", + "Arnold Daniel Palmer", + "Panini", + "Panofsky", + "Erwin Panofsky", + "Paracelsus", + "Philippus Aureolus Paracelsus", + "Theophrastus Philippus Aureolus Bombastus von Hohenheim", + "Pareto", + "Vilfredo Pareto", + "Park", + "Mungo Park", + "Parker", + "Dorothy Parker", + "Dorothy Rothschild Parker", + "Parker", + "Charlie Parker", + "Yardbird Parker", + "Bird Parker", + "Charles Christopher Parker", + "Parkinson", + "C. Northcote Parkinson", + "Cyril Northcote Parkinson", + "Parkinson", + "James Parkinson", + "Parks", + "Rosa Parks", + "Parmenides", + "Parnell", + "Charles Stewart Parnell", + "Parr", + "Catherine Parr", + "Parrish", + "Maxfield Parrish", + "Maxfield Frederick Parrish", + "Parsons", + "Talcott Parsons", + "Pascal", + "Blaise Pascal", + "Pasternak", + "Boris Pasternak", + "Boris Leonidovich Pasternak", + "Pasteur", + "Louis Pasteur", + "Paterson", + "William Patterson", + "Paton", + "Alan Paton", + "Alan Stewart Paton", + "Patrick", + "Saint Patrick", + "St. Patrick", + "Paul", + "Saint Paul", + "St. Paul", + "Apostle Paul", + "Paul the Apostle", + "Apostle of the Gentiles", + "Saul", + "Saul of Tarsus", + "Paul III", + "Alessandro Farnese", + "Paul VI", + "Giovanni Battista Montini", + "Paul", + "Alice Paul", + "Pauli", + "Wolfgang Pauli", + "Pauling", + "Linus Pauling", + "Linus Carl Pauling", + "Pavarotti", + "Luciano Pavarotti", + "Pavlov", + "Ivan Pavlov", + "Ivan Petrovich Pavlov", + "Pavlova", + "Anna Pavlova", + "Paxton", + "Joseph Paxton", + "Sir Joseph Paxton", + "Peabody", + "Elizabeth Peabody", + "Elizabeth Palmer Peabody", + "Peary", + "Robert Peary", + "Robert E. Peary", + "Robert Edwin Peary", + "Peel", + "Robert Peel", + "Sir Robert Peel", + "Pei", + "I. M. Pei", + "Ieoh Ming Pei", + "Peirce", + "Charles Peirce", + "Charles Sanders Peirce", + "Peirce", + "Benjamin Peirce", + "Pelagius", + "Penn", + "William Penn", + "Pepin", + "Pepin III", + "Pepin the Short", + "Pepys", + "Samuel Pepys", + "Percy", + "Sir Henry Percy", + "Hotspur", + "Harry Hotspur", + "Percy", + "Walker Percy", + "Pericles", + "Peron", + "Juan Domingo Peron", + "Perry", + "Oliver Hazard Perry", + "Commodore Perry", + "Perry", + "Matthew Calbraith Perry", + "Perry", + "Ralph Barton Perry", + "Pershing", + "John Joseph Pershing", + "Black Jack Pershing", + "Perutz", + "Max Perutz", + "Max Ferdinand Perutz", + "Peter", + "Simon Peter", + "Saint Peter", + "St. Peter", + "Saint Peter the Apostle", + "St. Peter the Apostle", + "Peter I", + "Czar Peter I", + "Peter the Great", + "Petrarch", + "Petrarca", + "Francesco Petrarca", + "Petronius", + "Gaius Petronius", + "Petronius Arbiter", + "Phidias", + "Pheidias", + "Philemon", + "Philemon", + "Philip", + "Prince Philip", + "Duke of Edinburgh", + "Philip II", + "Philip II of Spain", + "Philip II", + "Philip II of Macedon", + "Philip II", + "Philip Augustus", + "Philip V", + "Philip VI", + "Philip of Valois", + "Phintias", + "Pythias", + "Photius", + "Piaf", + "Edith Piaf", + "Edith Giovanna Gassion", + "Little Sparrow", + "Piaget", + "Jean Piaget", + "Pickett", + "George Edward Pickett", + "Pickford", + "Mary Pickford", + "Gladys Smith", + "Pierce", + "Franklin Pierce", + "President Pierce", + "Picasso", + "Pablo Picasso", + "Pilate", + "Pontius Pilate", + "Pincus", + "Gregory Pincus", + "Gregory Goodwin Pincus", + "Pindar", + "Pinter", + "Harold Pinter", + "Pirandello", + "Luigi Pirandello", + "Piston", + "Walter Piston", + "Pitman", + "Sir Isaac Pitman", + "Pitot", + "Henri Pitot", + "Pitt", + "William Pitt", + "First Earl of Chatham", + "Pitt the Elder", + "Pitt", + "William Pitt", + "Second Earl of Chatham", + "Pitt the Younger", + "Pitt", + "George Pitt", + "George Dibdin Pitt", + "George Dibdin-Pitt", + "Pius II", + "Aeneas Silvius", + "Enea Silvio Piccolomini", + "Pius V", + "Antonio Ghislieri", + "Pius VI", + "Giovanni Angelo Braschi", + "Giannangelo Braschi", + "Pius VII", + "Barnaba Chiaramonti", + "Luigi Barnaba Gregorio Chiaramonti", + "Pius IX", + "Giovanni Mastai-Ferretti", + "Giovanni Maria Mastai-Ferretti", + "Pius X", + "Giuseppe Sarto", + "Giuseppe Melchiorre Sarto", + "Pius XI", + "Achille Ratti", + "Ambrogio Damiano Achille Ratti", + "Pius XII", + "Eugenio Pacelli", + "Pizarro", + "Francisco Pizarro", + "Planck", + "Max Planck", + "Max Karl Ernst Ludwig Planck", + "Plath", + "Sylvia Plath", + "Plato", + "Plautus", + "Titus Maccius Plautus", + "Pliny", + "Pliny the Elder", + "Gaius Plinius Secundus", + "Pliny", + "Pliny the Younger", + "Gaius Plinius Caecilius Secundus", + "Plotinus", + "Plutarch", + "Pocahontas", + "Matoaka", + "Rebecca Rolfe", + "Poe", + "Edgar Allan Poe", + "Poitier", + "Sidney Poitier", + "Polk", + "James Polk", + "James K. Polk", + "James Knox Polk", + "President Polk", + "Pollack", + "Sydney Pollack", + "Pollock", + "Jackson Pollock", + "Polo", + "Marco Polo", + "Polycarp", + "Saint Polycarp", + "St. Polycarp", + "Pompadour", + "Marquise de Pompadour", + "Jeanne Antoinette Poisson", + "Pompey", + "Gnaeus Pompeius Magnus", + "Pompey the Great", + "Ponce de Leon", + "Juan Ponce de Leon", + "Pons", + "Lily Pons", + "Alice-Josephine Pons", + "Ponselle", + "Rosa Ponselle", + "Rosa Melba Ponselle", + "Pontiac", + "Pope", + "Alexander Pope", + "Popper", + "Karl Popper", + "Sir Karl Raimund Popper", + "Porter", + "William Sydney Porter", + "O. Henry", + "Porter", + "Cole Porter", + "Cole Albert Porter", + "Porter", + "Katherine Anne Porter", + "Post", + "C. W. Post", + "Charles William Post", + "Post", + "Emily Post", + "Emily Price Post", + "Post", + "Wiley Post", + "Potemkin", + "Potyokin", + "Grigori Potemkin", + "Grigori Potyokin", + "Grigori Aleksandrovich Potemkin", + "Poulenc", + "Francis Poulenc", + "Pound", + "Ezra Pound", + "Ezra Loomis Pound", + "Poussin", + "Nicolas Poussin", + "Powell", + "Cecil Frank Powell", + "Powell", + "Colin Powell", + "Colin luther Powell", + "Powhatan", + "Wahunsonacock", + "Powys", + "John Cowper Powys", + "Powys", + "Theodore Francis Powys", + "Powys", + "Llewelyn Powys", + "Presley", + "Elvis Presley", + "Elvis Aron Presley", + "Priam", + "Price", + "Leontyne Price", + "Mary Leontyne Price", + "Priestley", + "Joseph Priestley", + "Prokhorov", + "Aleksandr Prokhorov", + "Aleksandr Mikjailovich Prokhorov", + "Prokofiev", + "Sergei Sergeyevich Prokofiev", + "Proudhon", + "Pierre Joseph Proudhon", + "Proust", + "Marcel Proust", + "Ptolemy", + "Claudius Ptolemaeus", + "Ptolemy I", + "Ptolemy II", + "Puccini", + "Giacomo Puccini", + "Pugin", + "Augustus Welby Northmore Pugin", + "Pulitzer", + "Joseph Pulitzer", + "Purcell", + "Henry Purcell", + "Purkinje", + "Jan Evangelista Purkinje", + "Johannes Evangelista Purkinje", + "Pusey", + "Edward Pusey", + "Edward Bouverie Pusey", + "Pushkin", + "Alexander Pushkin", + "Aleksandr Sergeyevich Pushkin", + "Putin", + "Vladimir Putin", + "Vladimir Vladimirovich Putin", + "Pyle", + "Howard Pyle", + "Pynchon", + "Thomas Pynchon", + "Pyrrhus", + "Pythagoras", + "Qaddafi", + "Qadhafi", + "Khadafy", + "Gaddafi", + "Muammar al-Qaddafi", + "Muammar el-Qaddafi", + "Qin Shi Huang Ti", + "Ch'in Shih Huang Ti", + "Quincy", + "Josiah Quincy", + "Quine", + "W. V. Quine", + "Willard Van Orman Quine", + "Rabelais", + "Francois Rabelais", + "Rachel", + "Rachmaninoff", + "Sergei Rachmaninoff", + "Sergei Vasilievich Rachmaninoff", + "Rachmaninov", + "Sergei Rachmaninov", + "Sergei Vasilievich Rachmaninov", + "Racine", + "Jean Racine", + "Jean Baptiste Racine", + "Radhakrishnan", + "Sarvepalli Radhakrishnan", + "Sir Sarvepalli Radhakrishnan", + "Raffles", + "Sir Thomas Raffles", + "Sir Thomas Stamford Raffles", + "Rain-in-the-Face", + "Raleigh", + "Walter Raleigh", + "Sir Walter Raleigh", + "Ralegh", + "Walter Ralegh", + "Sir Walter Ralegh", + "Rameau", + "Jean-Philippe Rameau", + "Rameses", + "Ramesses", + "Ramses", + "Rameses II", + "Ramesses II", + "Ramses II", + "Rameses the Great", + "Ramesses the Great", + "Ramses the Great", + "Ramon y Cajal", + "Santiago Ramon y Cajal", + "Rand", + "Ayn Rand", + "Rankin", + "Jeannette Rankin", + "Raphael", + "Raffaello Santi", + "Raffaello Sanzio", + "Rask", + "Rasmus Christian Rask", + "Rasmussen", + "Kund Johan Victor Rasmussen", + "Rasputin", + "Grigori Efimovich Rasputin", + "Rattigan", + "Terence Rattigan", + "Sir Terence Mervyn Rattigan", + "Ravel", + "Maurice Ravel", + "Rayleigh", + "Third Baron Rayleigh", + "Lord Rayleigh", + "John William Strutt", + "Reagan", + "Ronald Reagan", + "Ronald Wilson Reagan", + "President Reagan", + "Reaumur", + "Rene Antoine Ferchault de Reaumur", + "Rebecca", + "Rebekah", + "Red Cloud", + "Redford", + "Robert Redford", + "Charles Robert Redford", + "Reed", + "Walter Reed", + "Reed", + "John Reed", + "Rehnquist", + "William Rehnquist", + "William Hubbs Rehnquist", + "Reich", + "Steve Reich", + "Stephen Michael Reich", + "Reich", + "Wilhelm Reich", + "Reichstein", + "Tadeus Reichstein", + "Reid", + "Thomas Reid", + "Reiter", + "Hans Conrad Julius Reiter", + "Rembrandt", + "Rembrandt van Rijn", + "Rembrandt van Ryn", + "Rembrandt Harmensz van Rijn", + "Renoir", + "Pierre Auguste Renoir", + "Respighi", + "Ottorino Respighi", + "Reuben", + "Revere", + "Paul Revere", + "Reynolds", + "Sir Joshua Reynolds", + "Rhine", + "J. B. Rhine", + "Joseph Banks Rhine", + "Rhodes", + "Cecil Rhodes", + "Cecil J. Rhodes", + "Cecil John Rhodes", + "Ricardo", + "David Ricardo", + "Rice", + "Elmer Rice", + "Elmer Leopold Rice", + "Elmer Reizenstein", + "Rice", + "Sir Tim Rice", + "Timothy Miles Bindon Rice", + "Richard I", + "Richard Coeur de Lion", + "Richard the Lionheart", + "Richard the Lion-Hearted", + "Richard II", + "Richard III", + "Richards", + "I. A. Richards", + "Ivor Armstrong Richards", + "Richardson", + "Ralph Richardson", + "Sir Ralph David Richardson", + "Richardson", + "Henry Hobson Richardson", + "Richelieu", + "Duc de Richelieu", + "Armand Jean du Plessis", + "Cardinal Richelieu", + "Richler", + "Mordecai Richler", + "Rickenbacker", + "Eddie Rickenbacker", + "Edward Vernon Rickenbacker", + "Rickover", + "Hyman Rickover", + "Hyman George Rickover", + "Riemann", + "Bernhard Riemann", + "Georg Friedrich Bernhard Riemann", + "Riesman", + "David Riesman", + "David Riesman Jr.", + "Riley", + "James Whitcomb Riley", + "Rilke", + "Rainer Maria Rilke", + "Rimbaud", + "Arthur Rimbaud", + "Jean Nicholas Arthur Rimbaud", + "Rimsky-Korsakov", + "Nikolai Andreyevich Rimsky-Korsakov", + "Rimski-Korsakov", + "Nikolai Andreyevich Rimski-Korsakov", + "Ringling", + "Charles Ringling", + "Rittenhouse", + "David Rittenhouse", + "Ritz", + "Cesar Ritz", + "Rivera", + "Diego Rivera", + "Robbins", + "Jerome Robbins", + "Robert", + "Henry M. Robert", + "Henry Martyn Robert", + "Roberts", + "Bartholomew Roberts", + "Roberts", + "Kenneth Roberts", + "Roberts", + "Oral Roberts", + "Roberts", + "Richard J. Roberts", + "Richard John Roberts", + "Robertson", + "Oscar Robertson", + "Oscar Palmer Robertson", + "Robeson", + "Paul Robeson", + "Paul Bustill Robeson", + "Robespierre", + "Maxmillien Marie Isidore de Robespierre", + "Robinson", + "Edward G. Robinson", + "Edward Goldenberg Robinson", + "Robinson", + "Edwin Arlington Robinson", + "Robinson", + "Jackie Robinson", + "Jack Roosevelt Robinson", + "Robinson", + "James Harvey Robinson", + "Robinson", + "Lennox Robinson", + "Esme Stuart Lennox Robinson", + "Robinson", + "Ray Robinson", + "Sugar Ray Robinson", + "Walker Smith", + "Robinson", + "Robert Robinson", + "Sir Robert Robinson", + "Rochambeau", + "Comte de Rochambeau", + "Jean Baptiste Donatien de Vimeur", + "Rock", + "John Rock", + "Rockefeller", + "John D. Rockefeller", + "John Davison Rockefeller", + "Rockingham", + "Second Marquis of Rockingham", + "Charles Watson-Wentworth", + "Rockwell", + "Norman Rockwell", + "Rodgers", + "Richard Rodgers", + "Rodin", + "Auguste Rodin", + "Francois Auguste Rene Rodin", + "Roebling", + "John Roebling", + "John Augustus Roebling", + "Roentgen", + "Wilhelm Konrad Roentgen", + "Rontgen", + "Wilhelm Konrad Rontgen", + "Rogers", + "Carl Rogers", + "Rogers", + "Ginger Rogers", + "Virginia McMath", + "Virginia Katherine McMath", + "Rogers", + "Will Rogers", + "William Penn Adair Rogers", + "Roget", + "Peter Mark Roget", + "Rollo", + "Rolf", + "Hrolf", + "Romberg", + "Sigmund Romberg", + "Rommel", + "Erwin Rommel", + "Desert Fox", + "Roosevelt", + "Theodore Roosevelt", + "President Roosevelt", + "President Theodore Roosevelt", + "Roosevelt", + "Franklin Roosevelt", + "Franklin Delano Roosevelt", + "F. D. Roosevelt", + "President Roosevelt", + "President Franklin Roosevelt", + "FDR", + "Roosevelt", + "Eleanor Roosevelt", + "Anna Eleanor Roosevelt", + "Ross", + "Betsy Ross", + "Betsy Griscom Ross", + "Ross", + "Nellie Ross", + "Nellie Tayloe Ross", + "Ross", + "Sir Ronald Ross", + "Ross", + "James Clark Ross", + "Sir James Clark Ross", + "Ross", + "John Ross", + "Sir John Ross", + "Rossetti", + "Dante Gabriel Rossetti", + "Rossini", + "Giloacchino Antonio Rossini", + "Rostand", + "Edmond Rostand", + "Roth", + "Philip Roth", + "Philip Milton Roth", + "Rothko", + "Mark Rothko", + "Rothschild", + "Rous", + "Peyton Rous", + "Francis Peyton Rous", + "Rousseau", + "Jean-Jacques Rousseau", + "Rousseau", + "Henri Rousseau", + "Le Douanier Rousseau", + "Rubens", + "Peter Paul Rubens", + "Sir Peter Paul Rubens", + "Rubinstein", + "Anton Rubenstein", + "Anton Gregor Rubinstein", + "Anton Grigorevich Rubinstein", + "Rubinstein", + "Arthur Rubinstein", + "Artur Rubinstein", + "Rundstedt", + "von Rundstedt", + "Karl Rudolf Gerd von Rundstedt", + "Runyon", + "Damon Runyon", + "Alfred Damon Runyon", + "Rupert", + "Prince Rupert", + "Rush", + "Benjamin Rush", + "Rushdie", + "Salman Rushdie", + "Ahmed Salman Rushdie", + "Ruskin", + "John Ruskin", + "Russell", + "Bertrand Russell", + "Bertrand Arthur William Russell", + "Earl Russell", + "Russell", + "George William Russell", + "A.E.", + "Russell", + "Henry Russell", + "Henry Norris Russell", + "Russell", + "Lillian Russell", + "Russell", + "Bill Russell", + "William Felton Russell", + "Russell", + "Ken Russell", + "Henry Kenneth Alfred Russell", + "Russell", + "Charles Taze Russell", + "Ruth", + "Ruth", + "Babe Ruth", + "George Herman Ruth", + "Sultan of Swat", + "Rutherford", + "Ernest Rutherford", + "First Baron Rutherford", + "First Baron Rutherford of Nelson", + "Rutherford", + "Daniel Rutherford", + "Rutledge", + "John Rutledge", + "Saarinen", + "Eero Saarinen", + "Saarinen", + "Eliel Saarinen", + "Sabin", + "Albert Sabin", + "Albert Bruce Sabin", + "Sacagawea", + "Sacajawea", + "Sacco", + "Nicola Sacco", + "Sadat", + "Anwar Sadat", + "Anwar el-Sadat", + "Sade", + "de Sade", + "Comte Donatien Alphonse Francois de Sade", + "Marquis de Sade", + "Saint-Saens", + "Charles Camille Saint-Saens", + "Sakharov", + "Andrei Sakharov", + "Andrei Dimitrievich Sakharov", + "Saladin", + "Salah-ad-Din Yusuf ibn-Ayyub", + "Salinger", + "J. D. Salinger", + "Jerome David Salinger", + "Salk", + "Jonas Salk", + "Jonas Edward Salk", + "Salome", + "Salomon", + "Haym Salomon", + "Samson", + "Samuel", + "Sand", + "George Sand", + "Amandine Aurore Lucie Dupin", + "Baroness Dudevant", + "Sandburg", + "Carl Sandburg", + "Sanger", + "Margaret Sanger", + "Margaret Higgins Sanger", + "Sanger", + "Frederick Sanger", + "Fred Sanger", + "Santa Anna", + "Santa Ana", + "Antonio Lopez de Santa Anna", + "Antonio Lopez de Santa Ana", + "Sapir", + "Edward Sapir", + "Sappho", + "Sarah", + "Sarazen", + "Gene Sarazen", + "Sargent", + "John Singer Sargent", + "Sarnoff", + "David Sarnoff", + "Saroyan", + "William Saroyan", + "Sartre", + "Jean-Paul Sartre", + "Satie", + "Erik Satie", + "Erik Alfred Leslie Satie", + "Saul", + "Savonarola", + "Girolamo Savonarola", + "Sax", + "Adolphe Sax", + "Saxe", + "Hermann Maurice Saxe", + "comte de Saxe", + "Marshal Saxe", + "Saxo Grammaticus", + "Sayers", + "Dorothy Sayers", + "Dorothy L. Sayers", + "Dorothy Leigh Sayers", + "Scheele", + "Karl Scheele", + "Karl Wilhelm Scheele", + "Schiaparelli", + "Elsa Schiaparelli", + "Schiaparelli", + "Giovanni Virginio Schiaparelli", + "Schiller", + "Johann Christoph Friedrich von Schiller", + "Schleiden", + "Matthias Schleiden", + "M. J. Schleiden", + "Schlesinger", + "Arthur Schlesinger", + "Arthur Meier Schlesinger", + "Schlesinger", + "Arthur Schlesinger", + "Arthur Schlesinger Jr.", + "Arthur Meier Schlesinger Jr.", + "Schliemann", + "Heinrich Schliemann", + "Schmidt", + "Helmut Schmidt", + "Helmut Heinrich Waldemar Schmidt", + "Schnabel", + "Artur Schnabel", + "Schonbein", + "Christian Schonbein", + "Christian Friedrich Schonbein", + "Schonberg", + "Arnold Schonberg", + "Schoenberg", + "Arnold Schoenberg", + "Schoolcraft", + "Henry Rowe Schoolcraft", + "Schopenhauer", + "Arthur Schopenhauer", + "Schrodinger", + "Erwin Schrodinger", + "Schubert", + "Franz Schubert", + "Franz Peter Schubert", + "Franz Seraph Peter Schubert", + "Schulz", + "Charles Schulz", + "Charles M. Schulz", + "Charles Munroe Schulz", + "Schumann", + "Robert Schumann", + "Robert Alexander Schumann", + "Schumann", + "Clara Josephine Schumann", + "Schumann-Heink", + "Ernestine Schumann-Heink", + "Schumpeter", + "Joseph Schumpeter", + "Joseph Alois Schumpeter", + "Schwann", + "Theodor Schwann", + "Schweitzer", + "Albert Schweitzer", + "Scipio", + "Scipio Africanus", + "Scipio Africanus Major", + "Publius Cornelius Scipio", + "Publius Cornelius Scipio Africanus Major", + "Scipio the Elder", + "Scopes", + "John Scopes", + "John Thomas Scopes", + "Scorsese", + "Martin Scorsese", + "Scott", + "Dred Scott", + "Scott", + "Walter Scott", + "Sir Walter Scott", + "Scott", + "Winfield Scott", + "Scott", + "Robert Scott", + "Robert Falcon Scott", + "Scott", + "George C. Scott", + "Scriabin", + "Aleksandr Scriabin", + "Aleksandr Nikolayevich Scriabin", + "Scribe", + "Augustin Eugene Scribe", + "Scripps", + "James Edmund Scripps", + "Scripps", + "Edward Wyllis Scripps", + "Seaborg", + "Glenn T. Seaborg", + "Glenn Theodore Seaborg", + "Seaman", + "Elizabeth Seaman", + "Elizabeth Cochrane Seaman", + "Nellie Bly", + "Seeger", + "Alan Seeger", + "Seeger", + "Pete Seeger", + "Peter Seeger", + "Segal", + "George Segal", + "Segovia", + "Andres Segovia", + "Seles", + "Monica Seles", + "Seleucus", + "Seleucus I", + "Seleucus I Nicator", + "Selkirk", + "Selcraig", + "Alexander Selkirk", + "Alexander Selcraig", + "Sellers", + "Peter Sellers", + "Selznick", + "David O. Selznick", + "David Oliver Selznick", + "Seneca", + "Lucius Annaeus Seneca", + "Senefelder", + "Alois Senefelder", + "Aloys Senefelder", + "Sennacherib", + "Sennett", + "Mack Sennett", + "Sequoya", + "Sequoyah", + "George Guess", + "Serkin", + "Rudolf Serkin", + "Serra", + "Junipero Serra", + "Miguel Jose Serra", + "Service", + "Robert William Service", + "Sessions", + "Roger Sessions", + "Roger Huntington Sessions", + "Seton", + "Elizabeth Seton", + "Saint Elizabeth Ann Bayley Seton", + "Mother Seton", + "Seurat", + "Georges Seurat", + "Georges Pierre Seurat", + "Seward", + "William Henry Seward", + "Sexton", + "Anne Sexton", + "Seymour", + "Jane Seymour", + "Shah Jahan", + "Shahn", + "Ben Shahn", + "Benjamin Shahn", + "Shakespeare", + "William Shakespeare", + "Shakspere", + "William Shakspere", + "Bard of Avon", + "Shankar", + "Ravi Shankar", + "Shannon", + "Claude Shannon", + "Claude E. Shannon", + "Claude Elwood Shannon", + "Shapley", + "Harlow Shapley", + "Shaw", + "G. B. Shaw", + "George Bernard Shaw", + "Shaw", + "Anna Howard Shaw", + "Shaw", + "Henry Wheeler Shaw", + "Josh Billings", + "Shaw", + "Artie Shaw", + "Arthur Jacob Arshawsky", + "Shawn", + "Ted Shawn", + "Shearer", + "Moira Shearer", + "Shelley", + "Percy Bysshe Shelley", + "Shelley", + "Mary Shelley", + "Mary Wollstonecraft Shelley", + "Mary Godwin Wollstonecraft Shelley", + "Shepard", + "Alan Shepard", + "Alan Bartlett Shepard Jr.", + "Shepard", + "Sam Shepard", + "Sheridan", + "Richard Brinsley Sheridan", + "Sherman", + "Roger Sherman", + "Sherman", + "William Tecumseh Sherman", + "Sherrington", + "Sir Charles Scott Sherrington", + "Sherwood", + "Robert Emmet Sherwood", + "Shevchenko", + "Taras Grigoryevich Shevchenko", + "Shirer", + "William Lawrence Shirer", + "Shockley", + "William Shockley", + "William Bradford Shockley", + "Shostakovich", + "Dmitri Shostakovich", + "Dmitri Dmitrievich Shostakovich", + "Shute", + "Nevil Shute", + "Nevil Shute Norway", + "Sibelius", + "Jean Sibelius", + "Johan Julius Christian Sibelius", + "Siddons", + "Sarah Siddons", + "Sarah Kemble Siddons", + "Sidney", + "Sir Philip Sidney", + "Siemens", + "Ernst Werner von Siemens", + "Siemens", + "Karl Wilhelm Siemens", + "Sir Charles William Siemens", + "Sikorsky", + "Igor Sikorsky", + "Igor Ivanovich Sikorsky", + "Sills", + "Beverly Sills", + "Belle Miriam Silverman", + "Silverstein", + "Shel Silverstein", + "Shelby Silverstein", + "Simenon", + "Georges Simenon", + "Georges Joseph Christian Simenon", + "Simon", + "Herb Simon", + "Herbert A. Simon", + "Herbert Alexander Simon", + "Simon", + "Neil Simon", + "Marvin Neil Simon", + "Simon", + "Paul Simon", + "Simon", + "St. Simon", + "Simon Zelotes", + "Simon the Zealot", + "Simon the Canaanite", + "Simpson", + "Sir James Young Simpson", + "Simpson", + "Mrs. Simpson", + "Wallis Warfield Simpson", + "Wallis Warfield Windsor", + "Duchess of Windsor", + "Sinatra", + "Frank Sinatra", + "Francis Albert Sinatra", + "Sinclair", + "Clive Sinclair", + "Sir Clive Marles Sinclair", + "Sinclair", + "Upton Sinclair", + "Upton Beall Sinclair", + "Singer", + "Isaac Bashevis Singer", + "Singer", + "Isaac M. Singer", + "Isaac Merrit Singer", + "Siqueiros", + "David Siqueiros", + "David Alfaro Siqueiros", + "Siraj-ud-daula", + "Sitter", + "Willem de Sitter", + "Sitting Bull", + "Sitwell", + "Dame Edith Sitwell", + "Dame Edith Louisa Sitwell", + "Sixtus IV", + "Francesco della Rovere", + "Skeat", + "Walter William Skeat", + "Skinner", + "Fred Skinner", + "B. F. Skinner", + "Burrhus Frederic Skinner", + "Skinner", + "Cornelia Otis Skinner", + "Skinner", + "Otis Skinner", + "Smalley", + "Richard Smalley", + "Richard E. Smalley", + "Richard Errett Smalley", + "Smetana", + "Bedrich Smetana", + "Smith", + "Adam Smith", + "Smith", + "John Smith", + "Captain John Smith", + "Smith", + "Joseph Smith", + "Smith", + "Bessie Smith", + "Smith", + "Julia Evelina Smith", + "Smith", + "Kate Smith", + "Kathryn Elizabeth Smith", + "Smith", + "David Smith", + "David Roland Smith", + "Smith", + "Ian Smith", + "Ian Douglas Smith", + "Smollett", + "Tobias Smollett", + "Tobias George Smollett", + "Smuts", + "Jan Christian Smuts", + "Snead", + "Sam Snead", + "Samuel Jackson Snead", + "Snellen", + "Hermann Snellen", + "Snow", + "C. P. Snow", + "Charles Percy Snow", + "Baron Snow of Leicester", + "Socinus", + "Faustus Socinus", + "Fausto Paolo Sozzini", + "Socrates", + "Soddy", + "Frederick Soddy", + "Solomon", + "Solvay", + "Ernest Solvay", + "Solzhenitsyn", + "Alexander Isayevich Solzhenitsyn", + "Aleksandr Solzhenitsyn", + "Aleksandr I. Solzhenitsyn", + "Sondheim", + "Stephen Sondheim", + "Sontag", + "Susan Sontag", + "Sophocles", + "Sorensen", + "Soren Peter Lauritz Sorensen", + "Soufflot", + "Jacques Germain Soufflot", + "Sousa", + "John Philip Sousa", + "March King", + "Southey", + "Robert Southey", + "Soutine", + "Chaim Soutine", + "Spallanzani", + "Lazzaro Spallanzani", + "Spark", + "Muriel Spark", + "Dame Muriel Spark", + "Muriel Sarah Spark", + "Spassky", + "Boris Spassky", + "Boris Vasilevich Spassky", + "Speer", + "Albert Speer", + "Speke", + "John Speke", + "John Hanning Speke", + "Spencer", + "Herbert Spencer", + "Spender", + "Stephen Spender", + "Sir Stephen Harold Spender", + "Spengler", + "Oswald Spengler", + "Spenser", + "Edmund Spenser", + "Sperry", + "Elmer Ambrose Sperry", + "Spielberg", + "Steven Spielberg", + "Spillane", + "Mickey Spillane", + "Frank Morrison Spillane", + "Spinoza", + "de Spinoza", + "Baruch de Spinoza", + "Benedict de Spinoza", + "Spock", + "Benjamin Spock", + "Spode", + "Josiah Spode", + "Stael", + "Madame de Stael", + "Baronne Anne Louise Germaine Necker de Steal-Holstein", + "Stalin", + "Joseph Stalin", + "Iosif Vissarionovich Dzhugashvili", + "Standish", + "Miles Standish", + "Myles Standish", + "Stanford", + "Leland Stanford", + "Stanislavsky", + "Konstantin Stanislavsky", + "Konstantin Sergeyevich Stanislavsky", + "Konstantin Sergeevich Alekseev", + "Stanley", + "Henry M. Stanley", + "Sir Henry Morton Stanley", + "John Rowlands", + "Stanley", + "Francis Edgar Stanley", + "Stanton", + "Elizabeth Cady Stanton", + "Starr", + "Ringo Starr", + "Starkey", + "Richard Starkey", + "St. Denis", + "Saint Denis", + "Ruth Saint Denis", + "Ruth St. Denis", + "Steele", + "Sir Richrd Steele", + "Steen", + "Jan Steen", + "Steffens", + "Lincoln Steffens", + "Joseph Lincoln Steffens", + "Steichen", + "Edward Jean Steichen", + "Stein", + "Gertrude Stein", + "Steinbeck", + "John Steinbeck", + "John Ernst Steinbeck", + "Steinberg", + "Saul Steinberg", + "Steinem", + "Gloria Steinem", + "Steiner", + "Rudolf Steiner", + "Steinman", + "David Barnard Steinman", + "Steinmetz", + "Charles Proteus Steinmetz", + "Steinway", + "Henry Steinway", + "Henry Engelhard Steinway", + "Heinrich Engelhard Steinway", + "Stella", + "Frank Stella", + "Frank Philip Stella", + "Steller", + "Georg Wilhelm Steller", + "Stendhal", + "Marie Henri Beyle", + "Stengel", + "Casey Stengel", + "Charles Dillon Stengel", + "Stephen", + "Sir Leslie Stephen", + "Stephenson", + "George Stephenson", + "Stern", + "Isaac Stern", + "Sterne", + "Laurence Sterne", + "Steuben", + "Baron Friedrich Wilhelm Ludolf Gerhard Augustin von Steuben", + "Stevens", + "George Stevens", + "Stevens", + "Wallace Stevens", + "Stevens", + "Smitty Stevens", + "S. Smith Stevens", + "Stanley Smith Stevens", + "Stevenson", + "Adlai Stevenson", + "Adlai Ewing Stevenson", + "Stevenson", + "Robert Louis Stevenson", + "Robert Louis Balfour Stevenson", + "Stewart", + "Dugald Stewart", + "Stewart", + "Jimmy Stewart", + "James Maitland Stewart", + "Stieglitz", + "Alfred Stieglitz", + "Stilwell", + "Joseph Warren Stilwell", + "Vinegar Joe Stilwell", + "Uncle Joe", + "Stockton", + "Frank Stockton", + "Francis Richard Stockton", + "Stoker", + "Bram Stoker", + "Abraham Stoker", + "Stokowski", + "Leopold Stokowski", + "Leopold Antoni Stanislaw Stokowski", + "Stone", + "Edward Durell Stone", + "Stone", + "Harlan Fiske Stone", + "Stone", + "I. F. Stone", + "Isidor Feinstein Stone", + "Stone", + "Lucy Stone", + "Stone", + "Oliver Stone", + "Stone", + "Harlan Stone", + "Harlan F. Stone", + "Harlan Fisk Stone", + "Stopes", + "Marie Stopes", + "Marie Charlotte Carmichael Stopes", + "Stoppard", + "Tom Stoppard", + "Sir Tom Stoppard", + "Thomas Straussler", + "Stowe", + "Harriet Beecher Stowe", + "Harriet Elizabeth Beecher Stowe", + "Strachey", + "Lytton Strachey", + "Giles Lytton Strachey", + "Stradivari", + "Antonio Stradivari", + "Stradivarius", + "Antonius Stradivarius", + "Strasberg", + "Lee Strasberg", + "Israel Strassberg", + "Strauss", + "Johann Strauss", + "Strauss the Elder", + "Strauss", + "Johann Strauss", + "Strauss the Younger", + "Strauss", + "Richard Strauss", + "Stravinsky", + "Igor Stravinsky", + "Igor Fyodorovich Stravinsky", + "Streep", + "Meryl Streep", + "Streisand", + "Barbra Streisand", + "Barbra Joan Streisand", + "Strickland", + "William Strickland", + "Strindberg", + "August Strindberg", + "Johan August Strindberg", + "Stroheim", + "Erich von Stroheim", + "Stuart", + "Gilbert Stuart", + "Gilbert Charles Stuart", + "Stubbs", + "William Stubbs", + "Stuyvesant", + "Peter Stuyvesant", + "Petrus Stuyvesant", + "Styron", + "William Styron", + "Suckling", + "Sir John Suckling", + "Sue", + "Eugene Sue", + "Suharto", + "Sukarno", + "Achmad Sukarno", + "Sulla", + "Lucius Cornelius Sulla Felix", + "Sullivan", + "Arthur Sullivan", + "Arthur Seymour Sullivan", + "Sir Arthur Sullivan", + "Sullivan", + "Anne Sullivan", + "Anne Mansfield Sullivan", + "Sullivan", + "Ed Sullivan", + "Edward Vincent Sullivan", + "Sullivan", + "Harry Stack Sullivan", + "Sullivan", + "Louis Sullivan", + "Louis Henry Sullivan", + "Louis Henri Sullivan", + "Sully", + "Duc de Sully", + "Maxmilien de Bethune", + "Sully", + "Thomas Sully", + "Sumner", + "William Graham Sumner", + "Sunday", + "Billy Sunday", + "William Ashley Sunday", + "Sun Yat-sen", + "Sun Yixian", + "Sutherland", + "Joan Sutherland", + "Dame Joan Sutherland", + "Sverdrup", + "Otto Neumann Sverdrup", + "Swammerdam", + "Jan Swammerdam", + "Swanson", + "Gloria Swanson", + "Gloria May Josephine Svensson", + "Swedenborg", + "Svedberg", + "Emanuel Swedenborg", + "Emanuel Svedberg", + "Sweet", + "Henry Sweet", + "Swift", + "Jonathan Swift", + "Dean Swift", + "Swift", + "Gustavus Franklin Swift", + "Swinburne", + "Algernon Charles Swinburne", + "Sydenham", + "Thomas Sydenham", + "English Hippocrates", + "Sylvester II", + "Gerbert", + "Symonds", + "John Addington Symonds", + "Symons", + "Arthur Symons", + "Synge", + "J. M. Synge", + "John Millington Synge", + "Edmund John Millington Synge", + "Szell", + "George Szell", + "Szent-Gyorgyi", + "Albert Szent-Gyorgyi", + "Albert von Szent-Gyorgyi", + "Szilard", + "Leo Szilard", + "Tacitus", + "Publius Cornelius Tacitus", + "Gaius Cornelius Tacitus", + "Taft", + "William Howard Taft", + "President Taft", + "Taft", + "Lorado Taft", + "Tagore", + "Rabindranath Tagore", + "Sir Rabindranath Tagore", + "Talbot", + "Fox Talbot", + "William Henry Fox Talbot", + "Tallchief", + "Maria Tallchief", + "Talleyrand", + "Charles Maurice de Talleyrand", + "Tallis", + "Thomas Tallis", + "Tamerlane", + "Tamburlaine", + "Timur", + "Timur Lenk", + "Tamm", + "Igor Tamm", + "Igor Yevgeneevich Tamm", + "Tancred", + "Tandy", + "Jessica Tandy", + "Taney", + "Roger Taney", + "Roger Brooke Taney", + "Tange", + "Kenzo Tange", + "Tanguy", + "Yves Tanguy", + "Tappan", + "Arthur Tappan", + "Tarantino", + "Quentin Tarantino", + "Quentin Jerome Tarantino", + "Tarbell", + "Ida Tarbell", + "Ida M. Tarbell", + "Ida Minerva Tarbell", + "Tarkovsky", + "Andrei Tarkovsky", + "Andrei Arsenevich Tarkovsky", + "Tarquin", + "Tarquin the Proud", + "Tarquinius", + "Tarquinius Superbus", + "Lucius Tarquinius Superbus", + "Tasman", + "Abel Tasman", + "Abel Janszoon Tasman", + "Tasso", + "Torquato Tasso", + "Tate", + "Allen Tate", + "John Orley Allen Tate", + "Tati", + "Jacques Tati", + "Jacques Tatischeff", + "Tatum", + "Art Tatum", + "Arthur Tatum", + "Tatum", + "Edward Lawrie Tatum", + "Tawney", + "Richard Henry Tawney", + "Taylor", + "Zachary Taylor", + "President Taylor", + "Taylor", + "Elizabeth Taylor", + "Taylor", + "Deems Taylor", + "Joseph Deems Taylor", + "Tchaikovsky", + "Peter Tchaikovsky", + "Peter Ilich Tchaikovsky", + "Pyotr Tchaikovsky", + "Pyotr Ilych Tchaikovsky", + "Teach", + "Edward Teach", + "Thatch", + "Edward Thatch", + "Blackbeard", + "Teasdale", + "Sara Teasdale", + "Tebaldi", + "Renata Tebaldi", + "Tecumseh", + "Tecumtha", + "Teilhard de Chardin", + "Pierre Teilhard de Chardin", + "Te Kanawa", + "Dame Kiri Te Kanawa", + "Dame Kiri Janette Te Kanawa", + "Telemann", + "Georg Philipp Telemann", + "Teller", + "Edward Teller", + "Tenniel", + "Sir John Tenniel", + "Tennyson", + "Alfred Tennyson", + "First Baron Tennyson", + "Alfred Lord Tennyson", + "Tenzing Norgay", + "Terence", + "Publius Terentius Afer", + "Teresa", + "Mother Teresa", + "Theresa", + "Mother Theresa", + "Agnes Gonxha Bojaxhiu", + "Teresa of Avila", + "Saint Teresa of Avila", + "Tereshkova", + "Valentina Tereshkova", + "Valentina Vladmirovna Tereshkova", + "Terry", + "Dame Ellen Terry", + "Dame Alice Ellen Terry", + "Tertullian", + "Quintus Septimius Florens Tertullianus", + "Tesla", + "Nikola Tesla", + "Thackeray", + "William Makepeace Thackeray", + "Thales", + "Thales of Miletus", + "Tharp", + "Twyla Tharp", + "Thatcher", + "Margaret Thatcher", + "Margaret Hilda Thatcher", + "Baroness Thatcher of Kesteven", + "Iron Lady", + "Themistocles", + "Theodosius", + "Theodosius I", + "Theodosius the Great", + "Flavius Theodosius", + "Theophrastus", + "Thespis", + "Thomas", + "Saint Thomas", + "St. Thomas", + "doubting Thomas", + "Thomas the doubting Apostle", + "Thomas", + "Dylan Thomas", + "Dylan Marlais Thomas", + "Thomas", + "Lowell Thomas", + "Lowell Jackson Thomas", + "Thomas", + "Norman Thomas", + "Norman Mattoon Thomas", + "Thomas", + "Seth Thomas", + "Thompson", + "Benjamin Thompson", + "Count Rumford", + "Thompson", + "Homer Thompson", + "Homer A. Thompson", + "Homer Armstrong Thompson", + "Thomson", + "Joseph John Thomson", + "Sir Joseph John Thomson", + "Thomson", + "George Paget Thomson", + "Sir George Paget Thomson", + "Thomson", + "Elihu Thomson", + "Thomson", + "Virgil Thomson", + "Virgil Garnett Thomson", + "Thoreau", + "Henry David Thoreau", + "Thorndike", + "Edward Lee Thorndike", + "Thorndike", + "Dame Sybil Thorndike", + "Thornton", + "William Thornton", + "Thorpe", + "Jim Thorpe", + "James Francis Thorpe", + "Thucydides", + "Thurber", + "James Thurber", + "James Grover Thurber", + "Tiberius", + "Tiberius Claudius Nero Caesar Augustus", + "Tiepolo", + "Giovanni Battista Tiepolo", + "Tiffany", + "Louis Comfort Tiffany", + "Tilden", + "Big Bill Tilden", + "William Tatem Tilden Jr.", + "Tillich", + "Paul Tillich", + "Paul Johannes Tillich", + "Timothy", + "Tinbergen", + "Jan Tinbergen", + "Tinbergen", + "Nikolaas Tinbergen", + "Tintoretto", + "Jacopo Robusti", + "Tirso de Molina", + "Gabriel Tellez", + "Titian", + "Tiziano Vecellio", + "Tito", + "Marshal Tito", + "Josip Broz", + "Titus", + "Titus Vespasianus Augustus", + "Titus Flavius Vespasianus", + "Titus", + "Tobey", + "Mark Tobey", + "Tobin", + "James Tobin", + "Tocqueville", + "Alexis de Tocqueville", + "Alexis Charles Henri Maurice de Tocqueville", + "Todd", + "Sir Alexander Robertus Todd", + "Lord Todd", + "Tojo", + "Tojo Hideki", + "Tojo Eiki", + "Toklas", + "Alice B. Toklas", + "Tolkien", + "J.R.R. Tolkien", + "John Ronald Reuel Tolkien", + "Tolstoy", + "Leo Tolstoy", + "Count Lev Nikolayevitch Tolstoy", + "Tombaugh", + "Clyde Tombaugh", + "Clyde William Tombaugh", + "Tonegawa Susumu", + "Torquemada", + "Tomas de Torquemada", + "Torricelli", + "Evangelista Torricelli", + "Toscanini", + "Arturo Toscanini", + "Toulouse-Lautrec", + "Henri Toulouse-Lautrec", + "Tourette", + "Gilles de la Tourette", + "Georges Gilles de la Tourette", + "Town", + "Ithiel Town", + "Townes", + "Charles Townes", + "Charles Hard Townes", + "Townsend", + "Francis Everett Townsend", + "Toynbee", + "Arnold Toynbee", + "Arnold Joseph Toynbee", + "Tracy", + "Spencer Tracy", + "Tradescant", + "John Tradescant", + "Trajan", + "Marcus Ulpius Traianus", + "Traubel", + "Helen Traubel", + "Tree", + "Sir Herbert Beerbohm Tree", + "Trevelyan", + "George Otto Trevelyan", + "Sir George Otto Trevelyan", + "Trevelyan", + "George Macaulay Trevelyan", + "Trevino", + "Lee Trevino", + "Lee Buck Trevino", + "Supermex", + "Trevithick", + "Richard Trevithick", + "Trilling", + "Lionel Trilling", + "Trollope", + "Anthony Trollope", + "Trotsky", + "Leon Trotsky", + "Lev Davidovich Bronstein", + "Truffaut", + "Francois Truffaut", + "Truman", + "Harry Truman", + "Harry S Truman", + "President Truman", + "Trumbo", + "Dalton Trumbo", + "Trumbull", + "John Trumbull", + "Trumbull", + "John Trumbull", + "Trumbull", + "Jonathan Trumbull", + "Truth", + "Sojourner Truth", + "Tubman", + "Harriet Tubman", + "Tuchman", + "Barbara Tuchman", + "Barbara Wertheim Tuchman", + "Tucker", + "Sophie Tucker", + "Tucker", + "Benjamin Ricketson Tucker", + "Tudor", + "Antony Tudor", + "Tunney", + "Gene Tunney", + "James Joseph Tunney", + "Turgenev", + "Ivan Turgenev", + "Ivan Sergeevich Turgenev", + "Turgot", + "Anne Robert Jacques Turgot", + "Turing", + "Alan Turing", + "Alan Mathison Turing", + "Turner", + "Frederick Jackson Turner", + "Turner", + "Joseph Mallord William Turner", + "Turner", + "Henry Hubert Turner", + "Turner", + "Nat Turner", + "Turpin", + "Dick Turpin", + "Tussaud", + "Marie Tussaud", + "Madame Tussaud", + "Marie Grosholtz", + "Tutankhamen", + "Tutu", + "Desmond Tutu", + "Tyler", + "John Tyler", + "President Tyler", + "Tyndale", + "William Tyndale", + "Tindale", + "William Tindale", + "Tindal", + "William Tindal", + "Tyndall", + "John Tyndall", + "Tyson", + "Mike Tyson", + "Michael Gerald Tyson", + "Tzara", + "Tristan Tzara", + "Samuel Rosenstock", + "Uhland", + "Johann Ludwig Uhland", + "Ulanova", + "Galina Ulanova", + "Galina Sergeevna Ulanova", + "Ulfilas", + "Bishop Ulfilas", + "Ulfila", + "Bishop Ulfila", + "Wulfila", + "Bishop Wulfila", + "ultramontane", + "Undset", + "Sigrid Undset", + "Untermeyer", + "Louis Untermeyer", + "Updike", + "John Updike", + "John Hoyer Updike", + "Upjohn", + "Richard Upjohn", + "Urban II", + "Odo", + "Odo of Lagery", + "Otho", + "Otho of Lagery", + "Urban V", + "Guillaume de Grimoard", + "Urban VI", + "Bartolomeo Prignano", + "Urban VIII", + "Maffeo Barberini", + "Urey", + "Harold Urey", + "Harold Clayton Urey", + "Uriah", + "Ussher", + "James Ussher", + "Usher", + "James Usher", + "Ustinov", + "Sir Peter Ustinov", + "Peter Alexander Ustinov", + "Utrillo", + "Maurice Utrillo", + "Van Allen", + "James Alfred Van Allen", + "Vanbrugh", + "John Vanbrugh", + "Sir John Vanbrigh", + "Van Buren", + "Martin Van Buren", + "President Van Buren", + "Vancouver", + "George Vancouver", + "Van de Graaff", + "Robert Van de Graaff", + "Robert Jemison Van de Graaff", + "Vanderbilt", + "Cornelius Vanderbilt", + "Commodore Vanderbilt", + "van der Waals", + "Johannes van der Waals", + "Johannes Diderik van der Waals", + "van de Velde", + "Henri van de Velde", + "Henri Clemens van de Velde", + "Van Doren", + "Carl Van Doren", + "Carl Clinton Van Doren", + "Vandyke", + "Van Dyck", + "Anthony Vandyke", + "Sir Anthony Vandyke", + "van Gogh", + "Vincent van Gogh", + "Gogh", + "Van Vleck", + "John Van Vleck", + "John Hasbrouck Van Vleck", + "Vanzetti", + "Bartolomeo Vanzetti", + "Varese", + "Edgar Varese", + "Vargas", + "Getulio Dornelles Vargas", + "Vargas Llosa", + "Mario Vargas Llosa", + "Jorge Mario Pedro Vargas Llosa", + "Varro", + "Marcus Terentius Varro", + "Vasarely", + "Viktor Vasarely", + "Vasari", + "Giorgio Vasari", + "Vaughan", + "Sarah Vaughan", + "Vaughan Williams", + "Ralph Vaughan Williams", + "Vaux", + "Calvert Vaux", + "Veblen", + "Oswald Veblen", + "Veblen", + "Thorstein Veblen", + "Thorstein Bunde Veblen", + "Vega", + "Lope de Vega", + "Lope Felix de Vega Carpio", + "Velazquez", + "Diego Rodriguez de Silva y Velazquez", + "Venn", + "John Venn", + "Ventner", + "Craig Ventner", + "J. Craig Ventner", + "Venturi", + "Robert Venturi", + "Robert Charles Venturi", + "Verdi", + "Giuseppe Verdi", + "Guiseppe Fortunino Francesco Verdi", + "Verlaine", + "Paul Verlaine", + "Vermeer", + "Jan Vermeer", + "Jan van der Meer", + "Verne", + "Jules Verne", + "Verner", + "Karl Adolph Verner", + "Vernier", + "Paul Vernier", + "Veronese", + "Paolo Veronese", + "Paola Caliari", + "Verrazano", + "Giovanni da Verrazano", + "Verrazzano", + "Giovanni da Verrazzano", + "Versace", + "Gianni Versace", + "Verwoerd", + "Hendrik Verwoerd", + "Hendrik Frensch Verwoerd", + "Vesalius", + "Andreas Vesalius", + "Vesey", + "Denmark Vesey", + "Vespasian", + "Titus Flavius Sabinus Vespasianus", + "Vespucci", + "Amerigo Vespucci", + "Americus Vespucius", + "Vestris", + "Gaetan Vestris", + "Victor Emanuel II", + "Victor Emanuel III", + "Victoria", + "Queen Victoria", + "Vidal", + "Gore Vidal", + "Eugene Luther Vidal", + "Vigee-Lebrun", + "Elisabeth Vigee-Lebrun", + "Marie Louise Elisabeth Vigee-Lebrun", + "Villa", + "Pancho Villa", + "Francisco Villa", + "Doroteo Arango", + "Villa-Lobos", + "Heitor Villa-Lobos", + "Villard", + "Henry Villard", + "Villon", + "Francois Villon", + "Vinogradoff", + "Sir Paul Gavrilovich Vinogradoff", + "Vinson", + "Frederick Moore Vinson", + "Virchow", + "Rudolf Virchow", + "Rudolf Karl Virchow", + "Virgil", + "Vergil", + "Publius Vergilius Maro", + "Visconti", + "Luchino Visconti", + "Don Luchino Visconti Conte di Modrone", + "Vitus", + "St. Vitus", + "Vivaldi", + "Antonio Vivaldi", + "Antonio Lucio Vivaldi", + "Vizcaino", + "Sebastian Vizcaino", + "Vlaminck", + "Maurice de Vlaminck", + "Volta", + "Count Alessandro Volta", + "Conte Alessandro Volta", + "Conte Alessandro Giuseppe Antonio Anastasio Volta", + "Voltaire", + "Arouet", + "Francois-Marie Arouet", + "Vonnegut", + "Kurt Vonnegut", + "von Neumann", + "Neumann", + "John von Neumann", + "von Sternberg", + "Josef von Sternberg", + "Voznesenski", + "Andrei Voznesenski", + "Vuillard", + "Edouard Vuillard", + "Jean Edouard Vuillard", + "Wade", + "Virginia Wade", + "Wagner", + "Richard Wagner", + "Wilhelm Richard Wagner", + "Wagner", + "Otto Wagner", + "Wain", + "John Wain", + "John Barrington Wain", + "Waite", + "Morrison Waite", + "Morrison R. Waite", + "Morrison Remick Waite", + "Wajda", + "Andrzej Wajda", + "Waldheim", + "Kurt Waldheim", + "Walesa", + "Lech Walesa", + "Walker", + "Alice Walker", + "Alice Malsenior Walker", + "Walker", + "John Walker", + "Wallace", + "Alfred Russel Wallace", + "Wallace", + "Edgar Wallace", + "Richard Horatio Edgar Wallace", + "Wallace", + "Sir William Wallace", + "Wallenstein", + "Albrecht Eusebius Wenzel von Wallenstein", + "Waller", + "Fats Waller", + "Thomas Wright Waller", + "Walpole", + "Robert Walpole", + "Sir Robert Walpole", + "First Earl of Orford", + "Walpole", + "Horace Walpole", + "Horatio Walpole", + "Fourth Earl of Orford", + "Walter", + "Bruno Walter", + "Walton", + "E. T. S. Walton", + "Ernest Walton", + "Ernest Thomas Sinton Walton", + "Walton", + "Izaak Walton", + "Walton", + "William Walton", + "Sir William Walton", + "Sir William Turner Walton", + "Wanamaker", + "John Wanamaker", + "Warburg", + "Aby Warburg", + "Aby Moritz Warburg", + "Warburg", + "Otto Heinrich Warburg", + "Ward", + "Montgomery Ward", + "Aaron Montgomery Ward", + "Ward", + "Mrs. Humphrey Ward", + "Mary Augusta Arnold Ward", + "Ward", + "Barbara Ward", + "Baroness Jackson of Lodsworth", + "Warhol", + "Andy Warhol", + "Warner", + "Charles Dudley Warner", + "Warren", + "Earl Warren", + "Warren", + "Robert Penn Warren", + "Warwick", + "Earl of Warwick", + "Richard Neville", + "Kingmaker", + "Washington", + "George Washington", + "President Washington", + "Washington", + "Booker T. Washington", + "Booker Taliaferro Washington", + "Wassermann", + "August von Wassermann", + "Waters", + "Ethel Waters", + "Watson", + "James Watson", + "James Dewey Watson", + "Watson", + "John Broadus Watson", + "Watson", + "Thomas Augustus Watson", + "Watt", + "James Watt", + "Watteau", + "Jean Antoine Watteau", + "Watts", + "Isaac Watts", + "Waugh", + "Evelyn Waugh", + "Evelyn Arthur Saint John Waugh", + "Wavell", + "Archibald Percival Wavell", + "First Earl Wavell", + "Wayne", + "Anthony Wayne", + "Mad Anthony Wayne", + "Wayne", + "John Wayne", + "Duke Wayne", + "Webb", + "Sidney Webb", + "Sidney James Webb", + "First Baron Passfield", + "Webb", + "Beatrice Webb", + "Martha Beatrice Potter Webb", + "Weber", + "E. H. Weber", + "Ernst Heinrich Weber", + "Weber", + "Carl Maria von Weber", + "Baron Karl Maria Friedrich Ernst von Weber", + "Weber", + "Max Weber", + "Weber", + "Max Weber", + "Weber", + "Wilhelm Eduard Weber", + "Webster", + "Noah Webster", + "Webster", + "Daniel Webster", + "Webster", + "John Webster", + "Wedgwood", + "Josiah Wedgwood", + "Wegener", + "Alfred Lothar Wegener", + "Weil", + "Andre Weil", + "Weil", + "Simone Weil", + "Weill", + "Kurt Weill", + "Weinberg", + "Steven Weinberg", + "Weismann", + "August Friedrich Leopold Weismann", + "Weizmann", + "Chaim Weizmann", + "Chaim Azriel Weizmann", + "Weld", + "Theodore Dwight Weld", + "Welles", + "Orson Welles", + "George Orson Welles", + "Wellington", + "Duke of Wellington", + "First Duke of Wellington", + "Arthur Wellesley", + "Iron Duke", + "Wells", + "H. G. Wells", + "Herbert George Wells", + "Welty", + "Eudora Welty", + "Werfel", + "Franz Werfel", + "Wernicke", + "Karl Wernicke", + "Wesley", + "John Wesley", + "Wesley", + "Charles Wesley", + "West", + "Benjamin West", + "West", + "Mae West", + "West", + "Rebecca West", + "Dame Rebecca West", + "Cicily Isabel Fairfield", + "Westinghouse", + "George Westinghouse", + "Weston", + "Edward Weston", + "Wharton", + "Edith Wharton", + "Edith Newbold Jones Wharton", + "Wheatley", + "Phillis Wheatley", + "Wheatstone", + "Sir Charles Wheatstone", + "Wheeler", + "Sir Mortimer Wheeler", + "Sir Robert Eric Mortimer Wheeler", + "Whistler", + "James Abbott McNeill Whistler", + "White", + "Andrew D. White", + "Andrew Dickson White", + "White", + "E. B. White", + "Elwyn Brooks White", + "White", + "Stanford White", + "White", + "T. H. White", + "Theodore Harold White", + "White", + "Patrick White", + "Patrick Victor Martindale White", + "White", + "Edward White", + "Edward D. White", + "Edward Douglas White Jr.", + "Whitehead", + "Alfred North Whitehead", + "Whitman", + "Marcus Whitman", + "Whitman", + "Walt Whitman", + "Whitney", + "Eli Whitney", + "Whittier", + "John Greenleaf Whittier", + "Whittle", + "Frank Whittle", + "Sir Frank Whittle", + "Wiener", + "Norbert Wiener", + "Wiesel", + "Elie Wiesel", + "Eliezer Wiesel", + "Wiesenthal", + "Samuel Wiesenthal", + "Wigner", + "Eugene Wigner", + "Eugene Paul Wigner", + "Wilde", + "Oscar Wilde", + "Oscar Fingal O'Flahertie Wills Wilde", + "Wilder", + "Billy Wilder", + "Samuel Wilder", + "Wilder", + "Thornton Wilder", + "Thornton Niven Wilder", + "Wilhelm II", + "Kaiser Wilhelm", + "Kaiser Bill", + "Wilkes", + "Charles Wilkes", + "Wilkes", + "John Wilkes", + "Wilkins", + "Maurice Wilkins", + "Maurice Hugh Frederick Wilkins", + "Wilkins", + "George Hubert Wilkins", + "Wilkins", + "Roy Wilkins", + "Wilkinson", + "Sir Geoffrey Wilkinson", + "Willard", + "Emma Hart Willard", + "Willard", + "Frances Elizabeth Caroline Willard", + "Willebrand", + "von Willebrand", + "E. A. von Willebrand", + "Erik von Willebrand", + "Erik Adolf von Willebrand", + "William I", + "William the Conqueror", + "William II", + "William Rufus", + "William III", + "William of Orange", + "William IV", + "Sailor King", + "Williams", + "Tennessee Williams", + "Thomas Lanier Williams", + "Williams", + "Roger Williams", + "Williams", + "Ted Williams", + "Theodore Samuel Williams", + "Williams", + "William Carlos Williams", + "Williams", + "Sir Bernard Williams", + "Bernard Arthur Owen Williams", + "Williams", + "Hank Williams", + "Hiram Williams", + "Hiram King Williams", + "Willis", + "Thomas Willis", + "Wilmut", + "Ian Wilmut", + "Wilson", + "Woodrow Wilson", + "Thomas Woodrow Wilson", + "President Wilson", + "Wilson", + "Edmund Wilson", + "Wilson", + "Charles Thomson Rees Wilson", + "Wilson", + "E. O. Wilson", + "Edward Osborne Wilson", + "Wilson", + "James Wilson", + "Wilson", + "John Tuzo Wilson", + "Wilson", + "Robert Woodrow Wilson", + "Wilson", + "Alexander Wilson", + "Wilson", + "Sir Angus Wilson", + "Angus Frank Johnstone Wilson", + "Wilson", + "Harriet Wilson", + "Winckelmann", + "Johann Winckelmann", + "Johann Joachim Winckelmann", + "Windaus", + "Adolf Windaus", + "Winslow", + "Edward Winslow", + "Wise", + "Isaac Mayer Wise", + "Wise", + "Stephen Samuel Wise", + "Wister", + "Owen Wister", + "Witherspoon", + "John Witherspoon", + "Wittgenstein", + "Ludwig Wittgenstein", + "Ludwig Josef Johan Wittgenstein", + "Wodehouse", + "P. G. Wodehouse", + "Pelham Grenville Wodehouse", + "Wolf", + "Friedrich August Wolf", + "Wolf", + "Hugo Wolf", + "Wolfe", + "Thomas Wolfe", + "Thomas Clayton Wolfe", + "Wolfe", + "Tom Wolfe", + "Thomas Wolfe", + "Thomas Kennerly Wolfe Jr.", + "Wolff", + "Kaspar Friedrich Wolff", + "Wollaston", + "William Hyde Wollaston", + "Wollstonecraft", + "Mary Wollstonecraft", + "Mary Wollstonecraft Godwin", + "Wood", + "Grant Wood", + "Wood", + "Mrs. Henry Wood", + "Ellen Price Wood", + "Wood", + "Sir Henry Wood", + "Sir Henry Joseph Wood", + "Wood", + "Natalie Wood", + "Woodbury", + "Helen Laura Sumner Woodbury", + "Woodhull", + "Victoria Clafin Woodhull", + "Woodward", + "Bob Woodward", + "Robert Woodward", + "Robert Burns Woodward", + "Woodward", + "C. Vann Woodward", + "Comer Vann Woodward", + "Woolf", + "Virginia Woolf", + "Adeline Virginia Stephen Woolf", + "Woollcott", + "Alexander Woollcott", + "Woolley", + "Sir Leonard Woolley", + "Sir Charles Leonard Woolley", + "Woolworth", + "Frank Winfield Woolworth", + "Worcester", + "Joseph Emerson Worcester", + "Wordsworth", + "William Wordsworth", + "Worth", + "Charles Frederick Worth", + "Wouk", + "Herman Wouk", + "Wren", + "Sir Christopher Wren", + "Wright", + "Frances Wright", + "Fanny Wright", + "Wright", + "Frank Lloyd Wright", + "Wright", + "Orville Wright", + "Wright", + "Wilbur Wright", + "Wright", + "Richard Wright", + "Wright", + "Willard Huntington Wright", + "S. S. Van Dine", + "Wurlitzer", + "Rudolf Wurlitzer", + "Wyatt", + "Sir Thomas Wyatt", + "Wyat", + "Sir Thomas Wyat", + "Wyatt", + "James Wyatt", + "Wycherley", + "William Wycherley", + "Wycliffe", + "John Wycliffe", + "Wickliffe", + "John Wickliffe", + "Wyclif", + "John Wyclif", + "Wiclif", + "John Wiclif", + "Wyeth", + "Andrew Wyeth", + "Wykeham", + "William of Wykeham", + "Wyler", + "William Wyler", + "Wylie", + "Elinor Morton Hoyt Wylie", + "Wynette", + "Tammy Wynette", + "Tammy Wynetter Pugh", + "Wyszynski", + "Stefan Wyszynski", + "Xavier", + "Saint Francis Xavier", + "Xenophanes", + "Xenophon", + "Xerxes I", + "Xerxes the Great", + "Yale", + "Elihu Yale", + "Yamamoto", + "Isoroku Yamamoto", + "Yamani", + "Ahmed Zoki Yamani", + "Yang Chen Ning", + "Chen N. Yang", + "Yastrzemski", + "Carl Yastrzemski", + "Yeats", + "William Butler Yeats", + "W. B. Yeats", + "Yerkes", + "Robert M. Yerkes", + "Robert Mearns Yerkes", + "Yersin", + "Alexandre Yersin", + "Alexandre Emile Jean Yersin", + "Yevtushenko", + "Yevgeni Yevtushenko", + "Yevgeni Aleksandrovich Yevtushenko", + "Young", + "Brigham Young", + "Young", + "Cy Young", + "Danton True Young", + "Young", + "Edward Young", + "Young", + "Pres Young", + "Lester Willis Young", + "Young", + "Thomas Young", + "Young", + "Whitney Young", + "Whitney Moore Young Jr.", + "Young", + "Loretta Young", + "Yukawa", + "Hideki Yukawa", + "Zaharias", + "Babe Zaharias", + "Didrikson", + "Babe Didrikson", + "Mildred Ella Didrikson", + "Mildred Ella Didrikson Zaharias", + "Zangwill", + "Israel Zangwill", + "Zanuck", + "Darryl Zanuck", + "Darryl Francis Zanuck", + "Zapata", + "Emiliano Zapata", + "Zechariah", + "Zacharias", + "Zeeman", + "Pieter Zeeman", + "Zeno", + "Zeno of Citium", + "Zeno", + "Zeno of Elea", + "Zephaniah", + "Sophonias", + "Zeppelin", + "Count Ferdinand von Zeppelin", + "Zhou En-lai", + "Chou En-lai", + "Zhukov", + "Georgi Zhukov", + "Georgi Konstantinovich Zhukov", + "Ziegfeld", + "Flo Ziegfeld", + "Florenz Ziegfeld", + "Ziegler", + "Karl Waldemar Ziegler", + "Zimbalist", + "Efrem Zimbalist", + "Zinnemann", + "Fred Zinnemann", + "Zinsser", + "Hans Zinsser", + "Zinzendorf", + "Count Nikolaus Ludwig von Zinzendorf", + "Zola", + "Emile Zola", + "Zoroaster", + "Zarathustra", + "Zsigmondy", + "Richard Adolph Zsigmondy", + "Zukerman", + "Pinchas Zukerman", + "Zweig", + "Stefan Zweig", + "Zwingli", + "Ulrich Zwingli", + "Huldreich Zwingli", + "Zworykin", + "Vladimir Kosma Zworykin", + "natural phenomenon", + "levitation", + "metempsychosis", + "rebirth", + "chemical phenomenon", + "allotropy", + "allotropism", + "exchange", + "photoconductivity", + "photoconduction", + "superconductivity", + "photochemical exchange", + "photoemission", + "crystallization", + "crystallisation", + "crystallizing", + "efflorescence", + "bloom", + "consequence", + "effect", + "outcome", + "result", + "event", + "issue", + "upshot", + "aftereffect", + "aftermath", + "wake", + "backwash", + "bandwagon effect", + "brisance", + "butterfly effect", + "by-product", + "byproduct", + "change", + "coattails effect", + "Coriolis effect", + "dent", + "dominance", + "domino effect", + "harvest", + "impact", + "wallop", + "influence", + "perturbation", + "variation", + "purchase", + "wind", + "knock-on effect", + "outgrowth", + "branch", + "offshoot", + "offset", + "product", + "placebo effect", + "position effect", + "repercussion", + "reverberation", + "response", + "reaction", + "side effect", + "fallout", + "engine", + "geological phenomenon", + "endogeny", + "luck", + "fortune", + "chance", + "hazard", + "luck", + "fortune", + "organic phenomenon", + "physical phenomenon", + "aberration", + "distortion", + "optical aberration", + "abiogenesis", + "autogenesis", + "autogeny", + "spontaneous generation", + "absorption band", + "spectrum", + "absorption spectrum", + "actinic radiation", + "actinic ray", + "action spectrum", + "activation energy", + "energy of activation", + "aerodynamic force", + "aerodynamic lift", + "lift", + "ground effect", + "aerosol", + "affinity", + "chemical attraction", + "air pocket", + "pocket", + "air hole", + "slipstream", + "airstream", + "race", + "backwash", + "wash", + "airstream", + "alluvial fan", + "alluvial cone", + "alpha radiation", + "alpha ray", + "alpha rhythm", + "alpha wave", + "alternating current", + "AC", + "alternating electric current", + "alternation of generations", + "heterogenesis", + "xenogenesis", + "alternative energy", + "metagenesis", + "digenesis", + "amperage", + "annual ring", + "growth ring", + "antitrades", + "apparent motion", + "motion", + "apparent movement", + "movement", + "acoustic phenomenon", + "atmospheric phenomenon", + "atomic energy", + "nuclear energy", + "atomic power", + "nuclear power", + "atomic spectrum", + "attraction", + "attractive force", + "affinity", + "repulsion", + "repulsive force", + "aureole", + "corona", + "aurora", + "aurora australis", + "southern lights", + "aurora borealis", + "northern lights", + "autofluorescence", + "bad luck", + "mischance", + "mishap", + "beam", + "beam of light", + "light beam", + "ray", + "ray of light", + "shaft", + "shaft of light", + "irradiation", + "beam", + "ray", + "electron beam", + "cathode ray", + "beta radiation", + "beta ray", + "electron radiation", + "beta rhythm", + "beta wave", + "binding energy", + "separation energy", + "bioelectricity", + "bise", + "bize", + "atmospheric pressure", + "air pressure", + "pressure", + "black-body radiation", + "blackbody radiation", + "blood pressure", + "systolic pressure", + "diastolic pressure", + "arterial pressure", + "venous pressure", + "boundary layer", + "brainwave", + "brain wave", + "cortical potential", + "calm air", + "calm", + "breeze", + "zephyr", + "gentle wind", + "air", + "sea breeze", + "breath", + "light air", + "light breeze", + "gentle breeze", + "moderate breeze", + "fresh breeze", + "strong breeze", + "Brownian movement", + "Brownian motion", + "pedesis", + "brush discharge", + "candlelight", + "candle flame", + "capacitance", + "electrical capacity", + "capacity", + "elastance", + "electrical elastance", + "capillarity", + "capillary action", + "catastrophe", + "cataclysm", + "nuclear winter", + "continental drift", + "centrifugal force", + "centripetal force", + "chaos", + "charge", + "electric charge", + "electrostatic charge", + "electrostatic field", + "pyroelectricity", + "positive charge", + "negative charge", + "chatter mark", + "chemical bond", + "bond", + "valency", + "cohesion", + "covalent bond", + "cross-link", + "cross-linkage", + "hydrogen bond", + "ionic bond", + "electrovalent bond", + "electrostatic bond", + "ionizing radiation", + "double bond", + "coordinate bond", + "dative bond", + "metallic bond", + "peptide bond", + "peptide linkage", + "chemical energy", + "chinook", + "chinook wind", + "snow eater", + "harmattan", + "chromatic aberration", + "circulation", + "systemic circulation", + "pulmonary circulation", + "vitelline circulation", + "cloud", + "cold wave", + "cold weather", + "Coriolis force", + "freeze", + "frost", + "corona", + "corona discharge", + "corona", + "corposant", + "St. Elmo's fire", + "Saint Elmo's fire", + "Saint Elmo's light", + "Saint Ulmo's fire", + "Saint Ulmo's light", + "electric glow", + "cosmic background radiation", + "CBR", + "cosmic microwave background radiation", + "CMBR", + "cosmic microwave background", + "CMB", + "cosmic dust", + "cosmic radiation", + "cosmic ray", + "dust cloud", + "mushroom", + "mushroom cloud", + "mushroom-shaped cloud", + "counterglow", + "gegenschein", + "crosswind", + "fohn", + "foehn", + "khamsin", + "Santa Ana", + "high wind", + "headwind", + "katabatic wind", + "catabatic wind", + "tailwind", + "current", + "electric current", + "cyclone", + "cyclosis", + "streaming", + "daylight", + "death", + "decalescence", + "decay", + "decomposition", + "dehiscence", + "delta rhythm", + "delta wave", + "deposit", + "sedimentation", + "alluviation", + "desquamation", + "peeling", + "shedding", + "exfoliation", + "mother lode", + "champion lode", + "lode", + "load", + "condensation", + "condensate", + "sweat", + "diapedesis", + "dichroism", + "diffraction", + "direct current", + "DC", + "direct electric current", + "signal", + "interrupt", + "doldrums", + "drift", + "impetus", + "impulsion", + "dust devil", + "dust storm", + "duster", + "sandstorm", + "sirocco", + "east wind", + "easter", + "easterly", + "northwest wind", + "northwester", + "southwester", + "sou'wester", + "southeaster", + "sou'easter", + "elastic energy", + "elastic potential energy", + "electrical phenomenon", + "electrical power", + "electric power", + "wattage", + "load", + "electric field", + "dielectric heating", + "electricity", + "galvanism", + "electricity", + "electrical energy", + "electromagnetic radiation", + "electromagnetic wave", + "nonparticulate radiation", + "Hertzian wave", + "electromagnetic spectrum", + "emission spectrum", + "energy", + "energy", + "free energy", + "energy level", + "energy state", + "power", + "rest energy", + "work", + "epiphenomenon", + "event", + "facilitation", + "flare", + "flashover", + "flood", + "inundation", + "deluge", + "alluvion", + "debacle", + "flash flood", + "flashflood", + "floodhead", + "Noah's flood", + "Noachian deluge", + "Noah and the Flood", + "the Flood", + "focus", + "focal point", + "food chain", + "food pyramid", + "food web", + "food cycle", + "fair weather", + "sunshine", + "temperateness", + "fata morgana", + "field", + "field of force", + "force field", + "line of force", + "field line", + "electrical line of force", + "magnetic line of force", + "fine spray", + "fine structure", + "firelight", + "firestorm", + "fluorescence", + "fog", + "fogbank", + "force", + "forked lightning", + "chain lightning", + "friar's lantern", + "ignis fatuus", + "jack-o'-lantern", + "will-o'-the-wisp", + "friction", + "rubbing", + "fringe", + "interference fringe", + "gene expression", + "grinding", + "abrasion", + "attrition", + "detrition", + "grip", + "traction", + "adhesive friction", + "front", + "warm front", + "cold front", + "polar front", + "squall line", + "occluded front", + "occlusion", + "greenhouse effect", + "greenhouse warming", + "inversion", + "frost heave", + "frost heaving", + "gale", + "moderate gale", + "near gale", + "fresh gale", + "strong gale", + "whole gale", + "storm", + "violent storm", + "northeaster", + "noreaster", + "gamma radiation", + "gamma ray", + "gaslight", + "radiance", + "glow", + "glowing", + "glow", + "sky glow", + "good luck", + "fluke", + "good fortune", + "serendipity", + "gravitational field", + "gravity", + "gravitation", + "gravitational attraction", + "gravitational force", + "solar gravity", + "gun smoke", + "gust", + "blast", + "blow", + "bluster", + "sandblast", + "hail", + "hailstorm", + "half-light", + "haze", + "heat", + "heat energy", + "geothermal energy", + "histocompatibility", + "hot weather", + "scorcher", + "sultriness", + "hurricane", + "hydroelectricity", + "hysteresis", + "ice fog", + "pogonip", + "ice storm", + "silver storm", + "incandescence", + "glow", + "incidence", + "induction", + "inductance", + "mutual induction", + "self-induction", + "inertia", + "moment of inertia", + "angular acceleration", + "angular velocity", + "infrared", + "infrared light", + "infrared radiation", + "infrared emission", + "infrared spectrum", + "interreflection", + "jet propulsion", + "jet stream", + "juice", + "kinetic energy", + "K.E.", + "heat of dissociation", + "heat of formation", + "heat of solution", + "latent heat", + "heat of transformation", + "heat of condensation", + "heat of fusion", + "heat of solidification", + "heat of sublimation", + "heat of vaporization", + "heat of vaporisation", + "specific heat", + "heat ray", + "heat wave", + "high beam", + "infrared ray", + "lamplight", + "levanter", + "leverage", + "purchase", + "life", + "biology", + "aerobiosis", + "life cycle", + "light", + "visible light", + "visible radiation", + "line", + "elves", + "jet", + "blue jet", + "reverse lightning", + "lightning", + "line spectrum", + "Lorentz force", + "sprites", + "red sprites", + "atmospheric electricity", + "luminescence", + "bioluminescence", + "chemiluminescence", + "luminous energy", + "magnetosphere", + "solar magnetic field", + "magnetic field", + "magnetic flux", + "flux", + "radiation field", + "beat", + "resonance", + "sympathetic vibration", + "resonance", + "nuclear resonance", + "magnetic resonance", + "nuclear magnetic resonance", + "NMR", + "proton magnetic resonance", + "magnetism", + "magnetic attraction", + "magnetic force", + "electromagnetism", + "antiferromagnetism", + "diamagnetism", + "ferrimagnetism", + "ferromagnetism", + "paramagnetism", + "mechanical phenomenon", + "sound", + "ultrasound", + "trajectory", + "flight", + "ballistics", + "ballistic trajectory", + "gravity-assist", + "mass defect", + "mass deficiency", + "mechanical energy", + "thaw", + "thawing", + "warming", + "microwave", + "midnight sun", + "mist", + "mistral", + "moment", + "moment of a couple", + "dipole moment", + "electric dipole moment", + "magnetic dipole moment", + "magnetic moment", + "moment of a magnet", + "meteor", + "shooting star", + "bolide", + "fireball", + "mirage", + "monsoon", + "monsoon", + "moonbeam", + "moon ray", + "moon-ray", + "moonlight", + "moonshine", + "Moon", + "starlight", + "sunburst", + "sunlight", + "sunshine", + "sun", + "sunbeam", + "sunray", + "laser beam", + "low beam", + "particle beam", + "ion beam", + "ionic beam", + "necrobiosis", + "cell death", + "apoptosis", + "programmed cell death", + "caspase-mediated cell death", + "necrosis", + "mortification", + "gangrene", + "sphacelus", + "myonecrosis", + "brain death", + "cerebral death", + "neutron radiation", + "halo", + "solar halo", + "parhelic circle", + "parhelic ring", + "parhelion", + "mock sun", + "sundog", + "north wind", + "northerly", + "norther", + "boreas", + "nuclear propulsion", + "ocean current", + "El Nino", + "El Nino southern oscillation", + "equatorial current", + "North Equatorial Current", + "South Equatorial Current", + "Gulf stream", + "Japan current", + "Kuroshio current", + "Kuroshio", + "Peruvian current", + "Humboldt current", + "opacity", + "optical opacity", + "radiopacity", + "radio-opacity", + "optical illusion", + "optical phenomenon", + "pea soup", + "pea-souper", + "phosphorescence", + "photoelectricity", + "piezoelectricity", + "piezoelectric effect", + "piezo effect", + "pleochroism", + "pleomorphism", + "polarization", + "polarisation", + "depolarization", + "depolarisation", + "polymorphism", + "dimorphism", + "polymorphism", + "pleomorphism", + "dimorphism", + "polymorphism", + "single nucleotide polymorphism", + "SNP", + "electric potential", + "potential", + "potential difference", + "potential drop", + "voltage", + "evoked potential", + "resting potential", + "potential energy", + "P.E.", + "precipitation", + "downfall", + "gas pressure", + "pressure", + "pressure level", + "force per unit area", + "head", + "barometric pressure", + "compartment pressure", + "overpressure", + "sea-level pressure", + "hydrostatic head", + "intraocular pressure", + "IOP", + "oil pressure", + "osmotic pressure", + "radiation pressure", + "corpuscular-radiation pressure", + "sound pressure", + "instantaneous sound pressure", + "prevailing wind", + "propulsion", + "puff", + "puff of air", + "whiff", + "pull", + "push", + "thrust", + "reaction", + "rocket propulsion", + "reaction propulsion", + "radiant energy", + "radiation", + "corpuscular radiation", + "particulate radiation", + "radio wave", + "radio emission", + "radio radiation", + "sky wave", + "ionospheric wave", + "ground wave", + "radio signal", + "mass spectrum", + "microwave spectrum", + "radio spectrum", + "radio-frequency spectrum", + "carrier wave", + "carrier", + "rain", + "rainfall", + "raindrop", + "rainstorm", + "line storm", + "equinoctial storm", + "thundershower", + "downpour", + "cloudburst", + "deluge", + "waterspout", + "torrent", + "pelter", + "soaker", + "drizzle", + "mizzle", + "shower", + "rain shower", + "recognition", + "reflection", + "reflexion", + "refraction", + "double refraction", + "birefringence", + "resistance", + "conductance", + "electric resistance", + "electrical resistance", + "impedance", + "resistance", + "resistivity", + "ohmic resistance", + "ohmage", + "reactance", + "acoustic resistance", + "acoustic impedance", + "acoustic reactance", + "reluctance", + "drag", + "retarding force", + "sonic barrier", + "sound barrier", + "windage", + "rejection", + "rejuvenation", + "greening", + "resolving power", + "resolution", + "resolution", + "scattering", + "sprinkle", + "sprinkling", + "scintillation", + "sex linkage", + "shear", + "meteor shower", + "meteor stream", + "short wave", + "medium wave", + "long wave", + "simoom", + "simoon", + "samiel", + "skin effect", + "sleet", + "smoke", + "fume", + "smother", + "snow", + "snowfall", + "flurry", + "snow flurry", + "whiteout", + "snowflake", + "flake", + "virga", + "ice crystal", + "snow mist", + "diamond dust", + "poudrin", + "ice needle", + "frost snow", + "frost mist", + "blizzard", + "snowstorm", + "solar energy", + "solar power", + "insolation", + "solar radiation", + "solar flare", + "flare", + "solar prominence", + "solar wind", + "sound spectrum", + "acoustic spectrum", + "speech spectrum", + "sunspot", + "macula", + "facula", + "facula", + "south wind", + "souther", + "southerly", + "discharge", + "spark", + "arc", + "electric arc", + "electric discharge", + "distortion", + "nonlinear distortion", + "amplitude distortion", + "projection", + "acoustic projection", + "sound projection", + "electrical conduction", + "conduction", + "conductivity", + "propagation", + "Doppler effect", + "Doppler shift", + "red shift", + "redshift", + "wave front", + "spherical aberration", + "spillover", + "squall", + "line squall", + "electrical disturbance", + "static electricity", + "dynamic electricity", + "current electricity", + "thermoelectricity", + "stress", + "tension", + "strain", + "breaking point", + "overstrain", + "streamer", + "torchlight", + "twilight", + "interaction", + "fundamental interaction", + "electromagnetic interaction", + "gravitational interaction", + "strong interaction", + "strong force", + "color force", + "supertwister", + "weak interaction", + "weak force", + "suction", + "sunrise", + "sunset", + "afterglow", + "surface tension", + "interfacial tension", + "interfacial surface tension", + "syzygy", + "tempest", + "thermal", + "thermionic current", + "theta rhythm", + "theta wave", + "thunderbolt", + "bolt", + "bolt of lightning", + "thunderstorm", + "electrical storm", + "electric storm", + "tornado", + "twister", + "torsion", + "torque", + "tossup", + "toss-up", + "even chance", + "trade wind", + "trade", + "antitrade wind", + "antitrade", + "tramontane", + "tramontana", + "transgression", + "transparency", + "transparence", + "trichroism", + "turbulence", + "turbulency", + "typhoon", + "turbulent flow", + "sea", + "head sea", + "streamline flow", + "laminar flow", + "ultraviolet", + "ultraviolet radiation", + "ultraviolet light", + "ultraviolet illumination", + "UV", + "sunray", + "sun-ray", + "ultraviolet spectrum", + "draft", + "draught", + "updraft", + "downdraft", + "van der Waal's forces", + "vapor pressure", + "vapour pressure", + "virtual image", + "visible spectrum", + "color spectrum", + "voltage", + "electromotive force", + "emf", + "magnetomotive force", + "life force", + "vital force", + "vitality", + "elan vital", + "volcanism", + "waterpower", + "waterspout", + "wave", + "weather", + "weather condition", + "conditions", + "atmospheric condition", + "elements", + "west wind", + "wester", + "prevailing westerly", + "westerly", + "whirlwind", + "wind", + "air current", + "current of air", + "wind generation", + "wind power", + "windstorm", + "X ray", + "X-ray", + "X-radiation", + "roentgen ray", + "X-ray diffraction", + "zodiacal light", + "chop", + "flotation", + "floatation", + "parallax", + "Tyndall effect", + "heliocentric parallax", + "annual parallax", + "stellar parallax", + "geocentric parallax", + "diurnal parallax", + "horizontal parallax", + "pulsation", + "solar parallax", + "Plantae", + "kingdom Plantae", + "plant kingdom", + "microflora", + "plant cell", + "cell wall", + "crop", + "endemic", + "holophyte", + "non-flowering plant", + "plantlet", + "wilding", + "semi-climber", + "Thallophyta", + "thallophyte", + "button", + "thallus", + "crustose thallus", + "cap", + "pileus", + "calyptra", + "volva", + "ascocarp", + "acervulus", + "basidiocarp", + "peridium", + "ascoma", + "apothecium", + "cleistothecium", + "cleistocarp", + "domatium", + "podetium", + "seta", + "Tracheophyta", + "division Tracheophyta", + "plant order", + "ornamental", + "pot plant", + "acrogen", + "apomict", + "aquatic", + "Bryophyta", + "division Bryophyta", + "bryophyte", + "nonvascular plant", + "moss", + "moss family", + "moss genus", + "Anthoceropsida", + "class Anthoceropsida", + "Anthocerotales", + "order Anthocerotales", + "Anthocerotaceae", + "family Anthocerotaceae", + "Anthoceros", + "genus Anthoceros", + "hornwort", + "Bryopsida", + "class Bryopsida", + "Musci", + "class Musci", + "acrocarp", + "acrocarpous moss", + "pleurocarp", + "pleurocarpous moss", + "Andreaeales", + "order Andreaeales", + "Andreaea", + "genus Andreaea", + "Bryales", + "order Bryales", + "Dicranales", + "order Dicranales", + "Dicranaceae", + "family Dicranaceae", + "Dicranum", + "genus Dicranum", + "Eubryales", + "order Eubryales", + "Bryaceae", + "family Bryaceae", + "Bryum", + "genus Bryum", + "Mniaceae", + "family Mniaceae", + "Mnium", + "genus Mnium", + "Sphagnales", + "order Sphagnales", + "genus Sphagnum", + "sphagnum", + "sphagnum moss", + "peat moss", + "bog moss", + "Hepaticopsida", + "class Hepaticopsida", + "Hepaticae", + "class Hepaticae", + "liverwort", + "hepatic", + "Jungermanniales", + "order Jungermanniales", + "leafy liverwort", + "scale moss", + "Jungermanniaceae", + "family Jungermanniaceae", + "Marchantiales", + "order Marchantiales", + "Marchantiaceae", + "family Marchantiaceae", + "Marchantia", + "genus Marchantia", + "hepatica", + "Marchantia polymorpha", + "Sphaerocarpales", + "order Sphaerocarpales", + "Sphaerocarpaceae", + "family Sphaerocarpaceae", + "Sphaerocarpus", + "genus Sphaerocarpus", + "Sphaerocarpos", + "genus Sphaerocarpos", + "Pteridophyta", + "division Pteridophyta", + "genus Pecopteris", + "pecopteris", + "pteridophyte", + "nonflowering plant", + "fern", + "fern ally", + "agamete", + "spore", + "basidiospore", + "endospore", + "carpospore", + "chlamydospore", + "conidium", + "conidiospore", + "conidiophore", + "oospore", + "oosphere", + "resting spore", + "teliospore", + "tetraspore", + "zoospore", + "fern seed", + "fructification", + "gleba", + "hymenium", + "pycnidium", + "sporocarp", + "spore case", + "stipule", + "tepal", + "Spermatophyta", + "division Spermatophyta", + "Phanerogamae", + "Cryptogamia", + "cryptogam", + "spermatophyte", + "phanerogam", + "seed plant", + "seedling", + "balsam", + "annual", + "biennial", + "perennial", + "escape", + "hygrophyte", + "neophyte", + "gymnosperm family", + "gymnosperm genus", + "monocot family", + "liliopsid family", + "liliid monocot family", + "monocot genus", + "liliopsid genus", + "liliid monocot genus", + "dicot family", + "magnoliopsid family", + "magnoliid dicot family", + "hamamelid dicot family", + "caryophylloid dicot family", + "dilleniid dicot family", + "asterid dicot family", + "rosid dicot family", + "dicot genus", + "magnoliopsid genus", + "magnoliid dicot genus", + "hamamelid dicot genus", + "caryophylloid dicot genus", + "dilleniid dicot genus", + "asterid dicot genus", + "rosid dicot genus", + "fungus family", + "fungus genus", + "fungus order", + "Gymnospermae", + "class Gymnospermae", + "Gymnospermophyta", + "division Gymnospermophyta", + "gymnosperm", + "progymnosperm", + "Gnetopsida", + "class Gnetopsida", + "Gnetophytina", + "subdivision Gnetophytina", + "Gnetophyta", + "Gnetales", + "order Gnetales", + "Gnetaceae", + "family Gnetaceae", + "genus Gnetum", + "gnetum", + "Gnetum gnemon", + "Ephedraceae", + "family Ephedraceae", + "Catha", + "genus Catha", + "Catha edulis", + "genus Ephedra", + "ephedra", + "joint fir", + "mahuang", + "Ephedra sinica", + "Welwitschiaceae", + "family Welwitschiaceae", + "genus Welwitschia", + "genus Welwitchia", + "welwitschia", + "Welwitschia mirabilis", + "Cycadopsida", + "class Cycadopsida", + "Cycadophytina", + "subdivision Cycadophytina", + "Cycadophyta", + "subdivision Cycadophyta", + "Cycadales", + "order Cycadales", + "cycad", + "Cycadaceae", + "family Cycadaceae", + "cycad family", + "Cycas", + "genus Cycas", + "sago palm", + "Cycas revoluta", + "false sago", + "fern palm", + "Cycas circinalis", + "Zamiaceae", + "family Zamiaceae", + "zamia family", + "genus Zamia", + "zamia", + "coontie", + "Florida arrowroot", + "Seminole bread", + "Zamia pumila", + "genus Ceratozamia", + "ceratozamia", + "genus Dioon", + "dioon", + "genus Encephalartos", + "encephalartos", + "kaffir bread", + "Encephalartos caffer", + "genus Macrozamia", + "macrozamia", + "burrawong", + "Macrozamia communis", + "Macrozamia spiralis", + "Bennettitales", + "order Bennettitales", + "Bennettitaceae", + "family Bennettitaceae", + "Bennettitis", + "genus Bennettitis", + "Pteridospermopsida", + "class Pteridospermopsida", + "Cycadofilicales", + "order Cycadofilicales", + "Lyginopteridales", + "order Lyginopteridales", + "Pteridospermae", + "group Pteridospermae", + "Pteridospermaphyta", + "group Pteridospermaphyta", + "Lyginopteris", + "genus Lyginopteris", + "seed fern", + "pteridosperm", + "Coniferopsida", + "class Coniferopsida", + "Coniferophytina", + "subdivision Coniferophytina", + "Coniferophyta", + "Cordaitales", + "order Cordaitales", + "Cordaitaceae", + "family Cordaitaceae", + "Cordaites", + "genus Cordaites", + "Pinopsida", + "class Pinopsida", + "Pinophytina", + "subdivision Pinophytina", + "Coniferales", + "order Coniferales", + "Pinaceae", + "family Pinaceae", + "pine family", + "Pinus", + "genus Pinus", + "pine", + "pine tree", + "true pine", + "pine", + "knotty pine", + "white pine", + "yellow pine", + "pinon", + "pinyon", + "nut pine", + "pinon pine", + "Mexican nut pine", + "Pinus cembroides", + "Rocky mountain pinon", + "Pinus edulis", + "single-leaf", + "single-leaf pine", + "single-leaf pinyon", + "Pinus monophylla", + "bishop pine", + "bishop's pine", + "Pinus muricata", + "California single-leaf pinyon", + "Pinus californiarum", + "Parry's pinyon", + "Pinus quadrifolia", + "Pinus parryana", + "spruce pine", + "Pinus glabra", + "black pine", + "Pinus nigra", + "pitch pine", + "northern pitch pine", + "Pinus rigida", + "pond pine", + "Pinus serotina", + "stone pine", + "umbrella pine", + "European nut pine", + "Pinus pinea", + "Swiss pine", + "Swiss stone pine", + "arolla pine", + "cembra nut tree", + "Pinus cembra", + "cembra nut", + "cedar nut", + "Swiss mountain pine", + "mountain pine", + "dwarf mountain pine", + "mugho pine", + "mugo pine", + "Pinus mugo", + "ancient pine", + "Pinus longaeva", + "white pine", + "American white pine", + "eastern white pine", + "weymouth pine", + "Pinus strobus", + "western white pine", + "silver pine", + "mountain pine", + "Pinus monticola", + "southwestern white pine", + "Pinus strobiformis", + "limber pine", + "Pinus flexilis", + "whitebark pine", + "whitebarked pine", + "Pinus albicaulis", + "yellow pine", + "ponderosa", + "ponderosa pine", + "western yellow pine", + "bull pine", + "Pinus ponderosa", + "Jeffrey pine", + "Jeffrey's pine", + "black pine", + "Pinus jeffreyi", + "shore pine", + "lodgepole", + "lodgepole pine", + "spruce pine", + "Pinus contorta", + "Sierra lodgepole pine", + "Pinus contorta murrayana", + "loblolly pine", + "frankincense pine", + "Pinus taeda", + "jack pine", + "Pinus banksiana", + "swamp pine", + "longleaf pine", + "pitch pine", + "southern yellow pine", + "Georgia pine", + "Pinus palustris", + "shortleaf pine", + "short-leaf pine", + "shortleaf yellow pine", + "Pinus echinata", + "red pine", + "Canadian red pine", + "Pinus resinosa", + "Scotch pine", + "Scots pine", + "Scotch fir", + "Pinus sylvestris", + "scrub pine", + "Virginia pine", + "Jersey pine", + "Pinus virginiana", + "Monterey pine", + "Pinus radiata", + "bristlecone pine", + "Rocky Mountain bristlecone pine", + "Pinus aristata", + "table-mountain pine", + "prickly pine", + "hickory pine", + "Pinus pungens", + "knobcone pine", + "Pinus attenuata", + "Japanese red pine", + "Japanese table pine", + "Pinus densiflora", + "Japanese black pine", + "black pine", + "Pinus thunbergii", + "Torrey pine", + "Torrey's pine", + "soledad pine", + "grey-leaf pine", + "sabine pine", + "Pinus torreyana", + "Larix", + "genus Larix", + "larch", + "larch tree", + "larch", + "American larch", + "tamarack", + "black larch", + "Larix laricina", + "western larch", + "western tamarack", + "Oregon larch", + "Larix occidentalis", + "subalpine larch", + "Larix lyallii", + "European larch", + "Larix decidua", + "Siberian larch", + "Larix siberica", + "Larix russica", + "Pseudolarix", + "genus Pseudolarix", + "golden larch", + "Pseudolarix amabilis", + "Abies", + "genus Abies", + "fir", + "fir tree", + "true fir", + "fir", + "silver fir", + "amabilis fir", + "white fir", + "Pacific silver fir", + "red silver fir", + "Christmas tree", + "Abies amabilis", + "European silver fir", + "Christmas tree", + "Abies alba", + "white fir", + "Colorado fir", + "California white fir", + "Abies concolor", + "Abies lowiana", + "balsam fir", + "balm of Gilead", + "Canada balsam", + "Abies balsamea", + "Fraser fir", + "Abies fraseri", + "lowland fir", + "lowland white fir", + "giant fir", + "grand fir", + "Abies grandis", + "Alpine fir", + "subalpine fir", + "Abies lasiocarpa", + "Santa Lucia fir", + "bristlecone fir", + "Abies bracteata", + "Abies venusta", + "Cedrus", + "genus Cedrus", + "cedar", + "cedar tree", + "true cedar", + "cedar", + "cedarwood", + "red cedar", + "pencil cedar", + "cedar of Lebanon", + "Cedrus libani", + "deodar", + "deodar cedar", + "Himalayan cedar", + "Cedrus deodara", + "Atlas cedar", + "Cedrus atlantica", + "Picea", + "genus Picea", + "spruce", + "spruce", + "Norway spruce", + "Picea abies", + "weeping spruce", + "Brewer's spruce", + "Picea breweriana", + "Engelmann spruce", + "Engelmann's spruce", + "Picea engelmannii", + "white spruce", + "Picea glauca", + "black spruce", + "Picea mariana", + "spruce pine", + "Siberian spruce", + "Picea obovata", + "Sitka spruce", + "Picea sitchensis", + "oriental spruce", + "Picea orientalis", + "Colorado spruce", + "Colorado blue spruce", + "silver spruce", + "Picea pungens", + "red spruce", + "eastern spruce", + "yellow spruce", + "Picea rubens", + "Tsuga", + "genus Tsuga", + "hemlock", + "hemlock tree", + "hemlock", + "eastern hemlock", + "Canadian hemlock", + "spruce pine", + "Tsuga canadensis", + "Carolina hemlock", + "Tsuga caroliniana", + "mountain hemlock", + "black hemlock", + "Tsuga mertensiana", + "western hemlock", + "Pacific hemlock", + "west coast hemlock", + "Tsuga heterophylla", + "Pseudotsuga", + "genus Pseudotsuga", + "douglas fir", + "douglas fir", + "green douglas fir", + "douglas spruce", + "douglas pine", + "douglas hemlock", + "Oregon fir", + "Oregon pine", + "Pseudotsuga menziesii", + "big-cone spruce", + "big-cone douglas fir", + "Pseudotsuga macrocarpa", + "genus Cathaya", + "Cathaya", + "Cupressaceae", + "family Cupressaceae", + "cypress family", + "cedar", + "cedar tree", + "Cupressus", + "genus Cupressus", + "cypress", + "cypress tree", + "cypress", + "gowen cypress", + "Cupressus goveniana", + "pygmy cypress", + "Cupressus pigmaea", + "Cupressus goveniana pigmaea", + "Santa Cruz cypress", + "Cupressus abramsiana", + "Cupressus goveniana abramsiana", + "Arizona cypress", + "Cupressus arizonica", + "Guadalupe cypress", + "Cupressus guadalupensis", + "Monterey cypress", + "Cupressus macrocarpa", + "Mexican cypress", + "cedar of Goa", + "Portuguese cypress", + "Cupressus lusitanica", + "Italian cypress", + "Mediterranean cypress", + "Cupressus sempervirens", + "Athrotaxis", + "genus Athrotaxis", + "King William pine", + "Athrotaxis selaginoides", + "Austrocedrus", + "genus Austrocedrus", + "Chilean cedar", + "Austrocedrus chilensis", + "Callitris", + "genus Callitris", + "cypress pine", + "Port Jackson pine", + "Callitris cupressiformis", + "black cypress pine", + "red cypress pine", + "Callitris endlicheri", + "Callitris calcarata", + "white cypress pine", + "Callitris glaucophylla", + "Callitris glauca", + "stringybark pine", + "Callitris parlatorei", + "Calocedrus", + "genus Calocedrus", + "incense cedar", + "red cedar", + "Calocedrus decurrens", + "Libocedrus decurrens", + "Chamaecyparis", + "genus Chamaecyparis", + "southern white cedar", + "coast white cedar", + "Atlantic white cedar", + "white cypress", + "white cedar", + "Chamaecyparis thyoides", + "Oregon cedar", + "Port Orford cedar", + "Lawson's cypress", + "Lawson's cedar", + "Chamaecyparis lawsoniana", + "Port Orford cedar", + "yellow cypress", + "yellow cedar", + "Nootka cypress", + "Alaska cedar", + "Chamaecyparis nootkatensis", + "Cryptomeria", + "genus Cryptomeria", + "Japanese cedar", + "Japan cedar", + "sugi", + "Cryptomeria japonica", + "Juniperus", + "genus Juniperus", + "juniper", + "juniper berry", + "pencil cedar", + "pencil cedar tree", + "eastern red cedar", + "red cedar", + "red juniper", + "Juniperus virginiana", + "Bermuda cedar", + "Juniperus bermudiana", + "east African cedar", + "Juniperus procera", + "southern red cedar", + "Juniperus silicicola", + "dwarf juniper", + "savin", + "Juniperus sabina", + "common juniper", + "Juniperus communis", + "ground cedar", + "dwarf juniper", + "Juniperus communis depressa", + "creeping juniper", + "Juniperus horizontalis", + "Mexican juniper", + "drooping juniper", + "Juniperus flaccida", + "Libocedrus", + "genus Libocedrus", + "incense cedar", + "kawaka", + "Libocedrus plumosa", + "pahautea", + "Libocedrus bidwillii", + "mountain pine", + "Taxodiaceae", + "subfamily Taxodiaceae", + "redwood family", + "genus Metasequoia", + "metasequoia", + "dawn redwood", + "Metasequoia glyptostrodoides", + "genus Sequoia", + "sequoia", + "redwood", + "redwood", + "California redwood", + "coast redwood", + "Sequoia sempervirens", + "Sequoiadendron", + "genus Sequoiadendron", + "giant sequoia", + "big tree", + "Sierra redwood", + "Sequoiadendron giganteum", + "Sequoia gigantea", + "Sequoia Wellingtonia", + "Taxodium", + "genus Taxodium", + "bald cypress", + "swamp cypress", + "pond bald cypress", + "southern cypress", + "Taxodium distichum", + "pond cypress", + "bald cypress", + "Taxodium ascendens", + "Montezuma cypress", + "Mexican swamp cypress", + "Taxodium mucronatum", + "Ahuehuete", + "Tule tree", + "Tetraclinis", + "genus Tetraclinis", + "sandarac", + "sandarac tree", + "Tetraclinis articulata", + "Callitris quadrivalvis", + "sandarac", + "sandarach", + "sandarac", + "citronwood", + "Thuja", + "genus Thuja", + "arborvitae", + "western red cedar", + "red cedar", + "canoe cedar", + "Thuja plicata", + "American arborvitae", + "northern white cedar", + "white cedar", + "Thuja occidentalis", + "Oriental arborvitae", + "Thuja orientalis", + "Platycladus orientalis", + "Thujopsis", + "genus Thujopsis", + "hiba arborvitae", + "Thujopsis dolobrata", + "genus Keteleeria", + "keteleeria", + "Araucariaceae", + "family Araucariaceae", + "araucaria family", + "Wollemi pine", + "genus Araucaria", + "araucaria", + "monkey puzzle", + "chile pine", + "Araucaria araucana", + "norfolk island pine", + "Araucaria heterophylla", + "Araucaria excelsa", + "new caledonian pine", + "Araucaria columnaris", + "bunya bunya", + "bunya bunya tree", + "Araucaria bidwillii", + "hoop pine", + "Moreton Bay pine", + "Araucaria cunninghamii", + "Agathis", + "genus Agathis", + "kauri pine", + "dammar pine", + "kauri", + "kauri", + "kaury", + "Agathis australis", + "amboina pine", + "amboyna pine", + "Agathis dammara", + "Agathis alba", + "dundathu pine", + "queensland kauri", + "smooth bark kauri", + "Agathis robusta", + "red kauri", + "Agathis lanceolata", + "Cephalotaxaceae", + "family Cephalotaxaceae", + "plum-yew family", + "Cephalotaxus", + "genus Cephalotaxus", + "plum-yew", + "Torreya", + "genus Torreya", + "California nutmeg", + "nutmeg-yew", + "Torreya californica", + "stinking cedar", + "stinking yew", + "Torrey tree", + "Torreya taxifolia", + "Phyllocladaceae", + "family Phyllocladaceae", + "Phyllocladus", + "genus Phyllocladus", + "celery pine", + "celery top pine", + "celery-topped pine", + "Phyllocladus asplenifolius", + "tanekaha", + "Phyllocladus trichomanoides", + "Alpine celery pine", + "Phyllocladus alpinus", + "yellowwood", + "yellowwood tree", + "gymnospermous yellowwood", + "angiospermous yellowwood", + "yellowwood", + "Podocarpaceae", + "family Podocarpaceae", + "podocarpus family", + "Podocarpus", + "genus Podocarpus", + "podocarp", + "yacca", + "yacca podocarp", + "Podocarpus coriaceus", + "brown pine", + "Rockingham podocarp", + "Podocarpus elatus", + "cape yellowwood", + "African yellowwood", + "Podocarpus elongatus", + "South-African yellowwood", + "Podocarpus latifolius", + "alpine totara", + "Podocarpus nivalis", + "totara", + "Podocarpus totara", + "Afrocarpus", + "genus Afrocarpus", + "common yellowwood", + "bastard yellowwood", + "Afrocarpus falcata", + "Dacrycarpus", + "genus Dacrycarpus", + "kahikatea", + "New Zealand Dacryberry", + "New Zealand white pine", + "Dacrycarpus dacrydioides", + "Podocarpus dacrydioides", + "Dacrydium", + "genus Dacrydium", + "rimu", + "imou pine", + "red pine", + "Dacrydium cupressinum", + "tarwood", + "tar-wood", + "Dacrydium colensoi", + "Falcatifolium", + "genus Falcatifolium", + "common sickle pine", + "Falcatifolium falciforme", + "yellow-leaf sickle pine", + "Falcatifolium taxoides", + "Halocarpus", + "genus Halocarpus", + "tarwood", + "tar-wood", + "New Zealand mountain pine", + "Halocarpus bidwilli", + "Dacrydium bidwilli", + "Lagarostrobus", + "genus Lagarostrobus", + "westland pine", + "silver pine", + "Lagarostrobus colensoi", + "huon pine", + "Lagarostrobus franklinii", + "Dacrydium franklinii", + "Lepidothamnus", + "genus Lepidothamnus", + "Chilean rimu", + "Lepidothamnus fonkii", + "mountain rimu", + "Lepidothamnus laxifolius", + "Dacridium laxifolius", + "Microstrobos", + "genus Microstrobos", + "Tasman dwarf pine", + "Microstrobos niphophilus", + "Nageia", + "genus Nageia", + "nagi", + "Nageia nagi", + "Parasitaxus", + "genus Parasitaxus", + "parasite yew", + "Parasitaxus ustus", + "Prumnopitys", + "genus Prumnopitys", + "miro", + "black pine", + "Prumnopitys ferruginea", + "Podocarpus ferruginea", + "matai", + "black pine", + "Prumnopitys taxifolia", + "Podocarpus spicata", + "plum-fruited yew", + "Prumnopitys andina", + "Prumnopitys elegans", + "Retrophyllum", + "genus Retrophyllum", + "Saxe-gothea", + "Saxegothea", + "genus Saxe-gothea", + "genus Saxegothea", + "Prince Albert yew", + "Prince Albert's yew", + "Saxe-gothea conspicua", + "Sundacarpus", + "genus Sundacarpus", + "Sundacarpus amara", + "Prumnopitys amara", + "Podocarpus amara", + "Sciadopityaceae", + "family Sciadopityaceae", + "Sciadopitys", + "genus Sciadopitys", + "Japanese umbrella pine", + "Sciadopitys verticillata", + "Taxopsida", + "class Taxopsida", + "Taxophytina", + "subdivision Taxophytina", + "Taxales", + "order Taxales", + "Taxaceae", + "family Taxaceae", + "yew family", + "Taxus", + "genus Taxus", + "yew", + "yew", + "Old World yew", + "English yew", + "Taxus baccata", + "Pacific yew", + "California yew", + "western yew", + "Taxus brevifolia", + "Japanese yew", + "Taxus cuspidata", + "Florida yew", + "Taxus floridana", + "Austrotaxus", + "genus Austrotaxus", + "New Caledonian yew", + "Austrotaxus spicata", + "Pseudotaxus", + "genus Pseudotaxus", + "white-berry yew", + "Pseudotaxus chienii", + "Ginkgopsida", + "class Ginkgopsida", + "Ginkgophytina", + "class Ginkgophytina", + "subdivision Ginkgophytina", + "subdivision Ginkgophyta", + "Ginkgoales", + "order Ginkgoales", + "Ginkgoaceae", + "family Ginkgoaceae", + "ginkgo family", + "genus Ginkgo", + "ginkgo", + "gingko", + "maidenhair tree", + "Ginkgo biloba", + "Pteropsida", + "subdivision Pteropsida", + "Angiospermae", + "class Angiospermae", + "Magnoliophyta", + "division Magnoliophyta", + "Anthophyta", + "division Anthophyta", + "angiosperm", + "flowering plant", + "angiocarp", + "Dicotyledones", + "class Dicotyledones", + "Dicotyledonae", + "class Dicotyledonae", + "Magnoliopsida", + "class Magnoliopsida", + "dicot", + "dicotyledon", + "magnoliopsid", + "exogen", + "Magnoliidae", + "subclass Magnoliidae", + "ranalian complex", + "Monocotyledones", + "class Monocotyledones", + "Monocotyledonae", + "class Monocotyledonae", + "Liliopsida", + "class Liliopsida", + "monocot", + "monocotyledon", + "liliopsid", + "endogen", + "Alismatidae", + "subclass Alismatidae", + "Arecidae", + "subclass Arecidae", + "Commelinidae", + "subclass Commelinidae", + "flower", + "bloom", + "blossom", + "floret", + "floweret", + "flower", + "bloomer", + "wildflower", + "wild flower", + "apetalous flower", + "flower head", + "inflorescence", + "ray flower", + "ray floret", + "catkin", + "ament", + "bud", + "rosebud", + "stamen", + "anther", + "gynostegium", + "pollen", + "pollinium", + "reproductive structure", + "pistil", + "gynobase", + "gynophore", + "simple pistil", + "compound pistil", + "pistillode", + "style", + "stylopodium", + "stigma", + "carpel", + "carpophore", + "cornstalk", + "corn stalk", + "filament", + "funicle", + "funiculus", + "petiolule", + "mericarp", + "hilum", + "ovary", + "ovule", + "chalaza", + "nucellus", + "micropyle", + "amphitropous ovule", + "anatropous ovule", + "campylotropous ovule", + "orthotropous ovule", + "stoma", + "stomate", + "pore", + "germ pore", + "germ tube", + "pollen tube", + "placenta", + "placentation", + "apical placentation", + "axile placentation", + "basal placentation", + "free central placentation", + "lamellate placentation", + "marginal placentation", + "ventral placentation", + "parietal placentation", + "testa", + "episperm", + "seed coat", + "endosperm", + "gemma", + "cone", + "strobilus", + "strobile", + "fir cone", + "galbulus", + "pinecone", + "septum", + "shell", + "nutshell", + "nectary", + "honey gland", + "seed", + "pericarp", + "seed vessel", + "epicarp", + "exocarp", + "mesocarp", + "stone", + "pit", + "endocarp", + "pip", + "capsule", + "bilocular capsule", + "boll", + "silique", + "siliqua", + "silicle", + "peristome", + "haustorium", + "cataphyll", + "cotyledon", + "seed leaf", + "embryo", + "perisperm", + "monocarp", + "monocarpic plant", + "monocarpous plant", + "sporophyte", + "gametophyte", + "megagametophyte", + "megasporangium", + "macrosporangium", + "megasporophyll", + "microgametophyte", + "microspore", + "microsporangium", + "microsporophyll", + "megaspore", + "macrospore", + "archespore", + "archesporium", + "daughter cell", + "mother cell", + "spore mother cell", + "archegonium", + "bonduc nut", + "nicker nut", + "nicker seed", + "Job's tears", + "oilseed", + "oil-rich seed", + "castor bean", + "cottonseed", + "candlenut", + "peach pit", + "cherry stone", + "hypanthium", + "floral cup", + "calyx tube", + "petal", + "flower petal", + "sepal", + "mentum", + "floral leaf", + "corolla", + "corona", + "calyx", + "lip", + "hull", + "epicalyx", + "false calyx", + "calycle", + "calyculus", + "perianth", + "chlamys", + "floral envelope", + "perigone", + "perigonium", + "pappus", + "thistledown", + "Ranales", + "order Ranales", + "Ranunculales", + "order Ranunculales", + "Annonaceae", + "family Annonaceae", + "custard-apple family", + "Annona", + "genus Annona", + "custard apple", + "custard apple tree", + "cherimoya", + "cherimoya tree", + "Annona cherimola", + "ilama", + "ilama tree", + "Annona diversifolia", + "soursop", + "prickly custard apple", + "soursop tree", + "Annona muricata", + "bullock's heart", + "bullock's heart tree", + "bullock heart", + "Annona reticulata", + "sweetsop", + "sweetsop tree", + "Annona squamosa", + "pond apple", + "pond-apple tree", + "Annona glabra", + "Asimina", + "genus Asimina", + "pawpaw", + "papaw", + "papaw tree", + "Asimina triloba", + "Cananga", + "genus Cananga", + "Canangium", + "genus Canangium", + "ilang-ilang", + "ylang-ylang", + "Cananga odorata", + "ilang-ilang", + "Oxandra", + "genus Oxandra", + "lancewood", + "lancewood tree", + "Oxandra lanceolata", + "lancewood", + "Xylopia", + "genus Xylopia", + "Guinea pepper", + "negro pepper", + "Xylopia aethiopica", + "Berberidaceae", + "family Berberidaceae", + "barberry family", + "Berberis", + "genus Berberis", + "barberry", + "American barberry", + "Berberis canadensis", + "common barberry", + "European barberry", + "Berberis vulgaris", + "Japanese barberry", + "Berberis thunbergii", + "Caulophyllum", + "genus Caulophyllum", + "blue cohosh", + "blueberry root", + "papooseroot", + "papoose root", + "squawroot", + "squaw root", + "Caulophyllum thalictrioides", + "Caulophyllum thalictroides", + "Epimedium", + "genus Epimedium", + "barrenwort", + "bishop's hat", + "Epimedium grandiflorum", + "Mahonia", + "genus Mahonia", + "Oregon grape", + "Oregon holly grape", + "hollygrape", + "mountain grape", + "holly-leaves barberry", + "Mahonia aquifolium", + "Oregon grape", + "Mahonia nervosa", + "Podophyllum", + "genus Podophyllum", + "mayapple", + "May apple", + "wild mandrake", + "Podophyllum peltatum", + "May apple", + "Calycanthaceae", + "family Calycanthaceae", + "calycanthus family", + "strawberry-shrub family", + "Calycanthus", + "genus Calycanthus", + "allspice", + "Carolina allspice", + "strawberry shrub", + "strawberry bush", + "sweet shrub", + "Calycanthus floridus", + "spicebush", + "California allspice", + "Calycanthus occidentalis", + "Chimonanthus", + "genus Chimonanthus", + "Japan allspice", + "Japanese allspice", + "winter sweet", + "Chimonanthus praecox", + "Ceratophyllaceae", + "family Ceratophyllaceae", + "Ceratophyllum", + "genus Ceratophyllum", + "hornwort", + "Cercidiphyllaceae", + "family Cercidiphyllaceae", + "Cercidiphyllum", + "genus Cercidiphyllum", + "katsura tree", + "Cercidiphyllum japonicum", + "Lardizabalaceae", + "family Lardizabalaceae", + "lardizabala family", + "Lardizabala", + "genus Lardizabala", + "Lauraceae", + "family Lauraceae", + "laurel family", + "laurel", + "Laurus", + "genus Laurus", + "true laurel", + "bay", + "bay laurel", + "bay tree", + "Laurus nobilis", + "Cinnamomum", + "genus Cinnamomum", + "camphor tree", + "Cinnamomum camphora", + "cinnamon", + "Ceylon cinnamon", + "Ceylon cinnamon tree", + "Cinnamomum zeylanicum", + "cinnamon", + "cinnamon bark", + "cassia", + "cassia-bark tree", + "Cinnamomum cassia", + "cassia bark", + "Chinese cinnamon", + "Saigon cinnamon", + "Cinnamomum loureirii", + "cinnamon bark", + "Lindera", + "genus Lindera", + "Benzoin", + "genus Benzoin", + "spicebush", + "spice bush", + "American spicebush", + "Benjamin bush", + "Lindera benzoin", + "Benzoin odoriferum", + "Persea", + "genus Persea", + "avocado", + "avocado tree", + "Persea Americana", + "laurel-tree", + "red bay", + "Persea borbonia", + "genus Sassafras", + "sassafras", + "sassafras tree", + "Sassafras albidum", + "sassafras oil", + "Umbellularia", + "genus Umbellularia", + "California laurel", + "California bay tree", + "Oregon myrtle", + "pepperwood", + "spice tree", + "sassafras laurel", + "California olive", + "mountain laurel", + "Umbellularia californica", + "Magnoliaceae", + "family Magnoliaceae", + "magnolia family", + "Illicium", + "genus Illicium", + "anise tree", + "purple anise", + "Illicium floridanum", + "star anise", + "Illicium anisatum", + "star anise", + "Chinese anise", + "Illicium verum", + "genus Magnolia", + "magnolia", + "magnolia", + "southern magnolia", + "evergreen magnolia", + "large-flowering magnolia", + "bull bay", + "Magnolia grandiflora", + "umbrella tree", + "umbrella magnolia", + "elkwood", + "elk-wood", + "Magnolia tripetala", + "earleaved umbrella tree", + "Magnolia fraseri", + "cucumber tree", + "Magnolia acuminata", + "large-leaved magnolia", + "large-leaved cucumber tree", + "great-leaved macrophylla", + "Magnolia macrophylla", + "saucer magnolia", + "Chinese magnolia", + "Magnolia soulangiana", + "star magnolia", + "Magnolia stellata", + "sweet bay", + "swamp bay", + "swamp laurel", + "Magnolia virginiana", + "manglietia", + "genus Manglietia", + "Liriodendron", + "genus Liriodendron", + "tulip tree", + "tulip poplar", + "yellow poplar", + "canary whitewood", + "Liriodendron tulipifera", + "tulipwood", + "true tulipwood", + "whitewood", + "white poplar", + "yellow poplar", + "Menispermaceae", + "family Menispermaceae", + "moonseed family", + "Menispermum", + "genus Menispermum", + "moonseed", + "common moonseed", + "Canada moonseed", + "yellow parilla", + "Menispermum canadense", + "Cocculus", + "genus Cocculus", + "Carolina moonseed", + "Cocculus carolinus", + "Myristicaceae", + "family Myristicaceae", + "nutmeg family", + "Myristica", + "genus Myristica", + "nutmeg", + "nutmeg tree", + "Myristica fragrans", + "Nymphaeaceae", + "family Nymphaeaceae", + "water-lily family", + "water lily", + "Nymphaea", + "genus Nymphaea", + "water nymph", + "fragrant water lily", + "pond lily", + "Nymphaea odorata", + "European white lily", + "Nymphaea alba", + "lotus", + "white lotus", + "Egyptian water lily", + "white lily", + "Nymphaea lotus", + "blue lotus", + "Nymphaea caerulea", + "blue lotus", + "Nymphaea stellata", + "Nuphar", + "genus Nuphar", + "spatterdock", + "cow lily", + "yellow pond lily", + "Nuphar advena", + "southern spatterdock", + "Nuphar sagittifolium", + "yellow water lily", + "Nuphar lutea", + "Nelumbonaceae", + "subfamily Nelumbonaceae", + "Nelumbo", + "genus Nelumbo", + "lotus", + "Indian lotus", + "sacred lotus", + "Nelumbo nucifera", + "water chinquapin", + "American lotus", + "yanquapin", + "Nelumbo lutea", + "Cabombaceae", + "subfamily Cabombaceae", + "water-shield family", + "Cabomba", + "genus Cabomba", + "water-shield", + "fanwort", + "Cabomba caroliniana", + "Brasenia", + "genus Brasenia", + "water-shield", + "Brasenia schreberi", + "water-target", + "Paeoniaceae", + "family Paeoniaceae", + "peony family", + "Paeonia", + "genus Paeonia", + "peony", + "paeony", + "Ranunculaceae", + "family Ranunculaceae", + "buttercup family", + "crowfoot family", + "Ranunculus", + "genus Ranunculus", + "buttercup", + "butterflower", + "butter-flower", + "crowfoot", + "goldcup", + "kingcup", + "meadow buttercup", + "tall buttercup", + "tall crowfoot", + "tall field buttercup", + "Ranunculus acris", + "water crowfoot", + "water buttercup", + "Ranunculus aquatilis", + "common buttercup", + "Ranunculus bulbosus", + "lesser celandine", + "pilewort", + "Ranunculus ficaria", + "lesser spearwort", + "Ranunculus flammula", + "sagebrush buttercup", + "Ranunculus glaberrimus", + "greater spearwort", + "Ranunculus lingua", + "mountain lily", + "Mount Cook lily", + "Ranunculus lyalii", + "western buttercup", + "Ranunculus occidentalis", + "creeping buttercup", + "creeping crowfoot", + "Ranunculus repens", + "cursed crowfoot", + "celery-leaved buttercup", + "Ranunculus sceleratus", + "Aconitum", + "genus Aconitum", + "aconite", + "monkshood", + "helmetflower", + "helmet flower", + "Aconitum napellus", + "wolfsbane", + "wolfbane", + "wolf's bane", + "Aconitum lycoctonum", + "Actaea", + "genus Actaea", + "baneberry", + "cohosh", + "herb Christopher", + "baneberry", + "red baneberry", + "redberry", + "red-berry", + "snakeberry", + "Actaea rubra", + "white baneberry", + "white cohosh", + "white bead", + "doll's eyes", + "Actaea alba", + "Adonis", + "genus Adonis", + "pheasant's-eye", + "Adonis annua", + "genus Anemone", + "anemone", + "windflower", + "Alpine anemone", + "mountain anemone", + "Anemone tetonensis", + "Canada anemone", + "Anemone Canadensis", + "thimbleweed", + "Anemone cylindrica", + "wood anemone", + "Anemone nemorosa", + "wood anemone", + "snowdrop", + "Anemone quinquefolia", + "longheaded thimbleweed", + "Anemone riparia", + "snowdrop anemone", + "snowdrop windflower", + "Anemone sylvestris", + "Virginia thimbleweed", + "Anemone virginiana", + "Anemonella", + "genus Anemonella", + "rue anemone", + "Anemonella thalictroides", + "genus Aquilegia", + "columbine", + "aquilegia", + "aquilege", + "meeting house", + "honeysuckle", + "Aquilegia canadensis", + "blue columbine", + "Aquilegia caerulea", + "Aquilegia scopulorum calcarea", + "granny's bonnets", + "Aquilegia vulgaris", + "Caltha", + "genus Caltha", + "marsh marigold", + "kingcup", + "meadow bright", + "May blob", + "cowslip", + "water dragon", + "Caltha palustris", + "Cimicifuga", + "genus Cimicifuga", + "bugbane", + "American bugbane", + "summer cohosh", + "Cimicifuga americana", + "black cohosh", + "black snakeroot", + "rattle-top", + "Cimicifuga racemosa", + "fetid bugbane", + "foetid bugbane", + "Cimicifuga foetida", + "genus Clematis", + "clematis", + "pine hyacinth", + "Clematis baldwinii", + "Viorna baldwinii", + "blue jasmine", + "blue jessamine", + "curly clematis", + "marsh clematis", + "Clematis crispa", + "pipestem clematis", + "Clematis lasiantha", + "curly-heads", + "Clematis ochreleuca", + "golden clematis", + "Clematis tangutica", + "scarlet clematis", + "Clematis texensis", + "leather flower", + "Clematis versicolor", + "leather flower", + "vase-fine", + "vase vine", + "Clematis viorna", + "virgin's bower", + "old man's beard", + "devil's darning needle", + "Clematis virginiana", + "traveler's joy", + "traveller's joy", + "old man's beard", + "Clematis vitalba", + "purple clematis", + "purple virgin's bower", + "mountain clematis", + "Clematis verticillaris", + "Coptis", + "genus Coptis", + "goldthread", + "golden thread", + "Coptis groenlandica", + "Coptis trifolia groenlandica", + "Consolida", + "genus Consolida", + "rocket larkspur", + "Consolida ambigua", + "Delphinium ajacis", + "genus Delphinium", + "delphinium", + "larkspur", + "Eranthis", + "genus Eranthis", + "winter aconite", + "Eranthis hyemalis", + "Helleborus", + "genus Helleborus", + "hellebore", + "stinking hellebore", + "bear's foot", + "setterwort", + "Helleborus foetidus", + "Christmas rose", + "winter rose", + "black hellebore", + "Helleborus niger", + "lenten rose", + "black hellebore", + "Helleborus orientalis", + "green hellebore", + "Helleborus viridis", + "genus Hepatica", + "hepatica", + "liverleaf", + "Hydrastis", + "genus Hydrastis", + "goldenseal", + "golden seal", + "yellow root", + "turmeric root", + "Hydrastis Canadensis", + "Isopyrum", + "genus Isopyrum", + "false rue anemone", + "false rue", + "Isopyrum biternatum", + "Laccopetalum", + "genus Laccopetalum", + "giant buttercup", + "Laccopetalum giganteum", + "genus Nigella", + "nigella", + "love-in-a-mist", + "Nigella damascena", + "fennel flower", + "Nigella hispanica", + "black caraway", + "nutmeg flower", + "Roman coriander", + "Nigella sativa", + "Pulsatilla", + "genus Pulsatilla", + "pasqueflower", + "pasque flower", + "American pasqueflower", + "Eastern pasque flower", + "wild crocus", + "lion's beard", + "prairie anemone", + "blue tulip", + "American pulsatilla", + "Pulsatilla patens", + "Anemone ludoviciana", + "Western pasqueflower", + "Pulsatilla occidentalis", + "Anemone occidentalis", + "European pasqueflower", + "Pulsatilla vulgaris", + "Anemone pulsatilla", + "Thalictrum", + "genus Thalictrum", + "meadow rue", + "Trautvetteria", + "genus Trautvetteria", + "false bugbane", + "Trautvetteria carolinensis", + "Trollius", + "genus Trollius", + "globeflower", + "globe flower", + "Winteraceae", + "family Winteraceae", + "winter's bark family", + "Drimys", + "genus Drimys", + "winter's bark", + "winter's bark tree", + "Drimys winteri", + "Pseudowintera", + "genus Pseudowintera", + "Wintera", + "genus Wintera", + "pepper shrub", + "Pseudowintera colorata", + "Wintera colorata", + "Myricales", + "order Myricales", + "Myricaceae", + "family Myricaceae", + "wax-myrtle family", + "Myrica", + "genus Myrica", + "sweet gale", + "Scotch gale", + "Myrica gale", + "wax myrtle", + "bay myrtle", + "puckerbush", + "Myrica cerifera", + "bayberry", + "candleberry", + "swamp candleberry", + "waxberry", + "Myrica pensylvanica", + "bayberry wax", + "bayberry tallow", + "Comptonia", + "genus Comptonia", + "sweet fern", + "Comptonia peregrina", + "Comptonia asplenifolia", + "Leitneriaceae", + "family Leitneriaceae", + "corkwood family", + "Leitneria", + "genus Leitneria", + "corkwood", + "corkwood tree", + "Leitneria floridana", + "Juncaceae", + "family Juncaceae", + "rush family", + "rush", + "Juncus", + "genus Juncus", + "bulrush", + "bullrush", + "common rush", + "soft rush", + "Juncus effusus", + "jointed rush", + "Juncus articulatus", + "toad rush", + "Juncus bufonius", + "hard rush", + "Juncus inflexus", + "salt rush", + "Juncus leseurii", + "slender rush", + "Juncus tenuis", + "plant family", + "plant genus", + "zebrawood", + "zebrawood tree", + "zebrawood", + "Connaraceae", + "family Connaraceae", + "zebrawood family", + "Connarus", + "genus Connarus", + "Connarus guianensis", + "Leguminosae", + "family Leguminosae", + "Fabaceae", + "family Fabaceae", + "legume family", + "pea family", + "legume", + "leguminous plant", + "legume", + "Arachis", + "genus Arachis", + "peanut", + "peanut vine", + "Arachis hypogaea", + "peanut", + "Brya", + "genus Brya", + "granadilla tree", + "granadillo", + "Brya ebenus", + "cocuswood", + "cocoswood", + "granadilla wood", + "Centrolobium", + "genus Centrolobium", + "arariba", + "Centrolobium robustum", + "Coumarouna", + "genus Coumarouna", + "Dipteryx", + "genus Dipteryx", + "tonka bean", + "tonka bean tree", + "Coumarouna odorata", + "Dipteryx odorata", + "tonka bean", + "coumara nut", + "Hymenaea", + "genus Hymenaea", + "courbaril", + "Hymenaea courbaril", + "courbaril copal", + "genus Melilotus", + "melilotus", + "melilot", + "sweet clover", + "white sweet clover", + "white melilot", + "Melilotus alba", + "yellow sweet clover", + "Melilotus officinalis", + "Swainsona", + "genus Swainsona", + "darling pea", + "poison bush", + "smooth darling pea", + "Swainsona galegifolia", + "hairy darling pea", + "Swainsona greyana", + "Swainsona grandiflora", + "Trifolium", + "genus Trifolium", + "clover", + "trefoil", + "alpine clover", + "Trifolium alpinum", + "hop clover", + "shamrock", + "lesser yellow trefoil", + "Trifolium dubium", + "crimson clover", + "Italian clover", + "Trifolium incarnatum", + "red clover", + "purple clover", + "Trifolium pratense", + "buffalo clover", + "Trifolium reflexum", + "Trifolium stoloniferum", + "white clover", + "dutch clover", + "shamrock", + "Trifolium repens", + "Mimosaceae", + "family Mimosaceae", + "Mimosoideae", + "subfamily Mimosoideae", + "genus Mimosa", + "mimosa", + "sensitive plant", + "Mimosa sensitiva", + "sensitive plant", + "touch-me-not", + "shame plant", + "live-and-die", + "humble plant", + "action plant", + "Mimosa pudica", + "genus Acacia", + "acacia", + "shittah", + "shittah tree", + "shittimwood", + "wattle", + "black wattle", + "Acacia auriculiformis", + "gidgee", + "stinking wattle", + "Acacia cambegei", + "catechu", + "Jerusalem thorn", + "Acacia catechu", + "black catechu", + "catechu", + "silver wattle", + "mimosa", + "Acacia dealbata", + "huisache", + "cassie", + "mimosa bush", + "sweet wattle", + "sweet acacia", + "scented wattle", + "flame tree", + "Acacia farnesiana", + "lightwood", + "Acacia melanoxylon", + "golden wattle", + "Acacia pycnantha", + "fever tree", + "Acacia xanthophloea", + "Adenanthera", + "genus Adenanthera", + "coralwood", + "coral-wood", + "red sandalwood", + "Barbados pride", + "peacock flower fence", + "Adenanthera pavonina", + "genus Albizia", + "genus Albizzia", + "albizzia", + "albizia", + "silk tree", + "Albizia julibrissin", + "Albizzia julibrissin", + "siris", + "siris tree", + "Albizia lebbeck", + "Albizzia lebbeck", + "rain tree", + "saman", + "monkeypod", + "monkey pod", + "zaman", + "zamang", + "Albizia saman", + "Anadenanthera", + "genus Anadenanthera", + "Anadenanthera colubrina", + "Piptadenia macrocarpa", + "genus Calliandra", + "calliandra", + "Enterolobium", + "genus Enterolobium", + "conacaste", + "elephant's ear", + "Enterolobium cyclocarpa", + "genus Inga", + "inga", + "ice-cream bean", + "Inga edulis", + "guama", + "Inga laurina", + "Leucaena", + "genus Leucaena", + "lead tree", + "white popinac", + "Leucaena glauca", + "Leucaena leucocephala", + "Lysiloma", + "genus Lysiloma", + "wild tamarind", + "Lysiloma latisiliqua", + "Lysiloma bahamensis", + "sabicu", + "Lysiloma sabicu", + "sabicu", + "sabicu wood", + "Parkia", + "genus Parkia", + "nitta tree", + "Parkia javanica", + "Piptadenia", + "genus Piptadenia", + "Pithecellobium", + "genus Pithecellobium", + "Pithecolobium", + "genus Pithecolobium", + "manila tamarind", + "camachile", + "huamachil", + "wild tamarind", + "Pithecellobium dulce", + "cat's-claw", + "catclaw", + "black bead", + "Pithecellodium unguis-cati", + "Prosopis", + "genus Prosopis", + "mesquite", + "mesquit", + "honey mesquite", + "Western honey mesquite", + "Prosopis glandulosa", + "algarroba", + "Prosopis juliflora", + "Prosopis juliiflora", + "algarroba", + "algarrobilla", + "algarobilla", + "screw bean", + "screwbean", + "tornillo", + "screwbean mesquite", + "Prosopis pubescens", + "screw bean", + "Apocynaceae", + "family Apocynaceae", + "dogbane family", + "Apocynum", + "genus Apocynum", + "dogbane", + "common dogbane", + "spreading dogbane", + "rheumatism weed", + "Apocynum androsaemifolium", + "Indian hemp", + "rheumatism weed", + "Apocynum cannabinum", + "Rocky Mountain dogbane", + "Apocynum pumilum", + "Acocanthera", + "genus Acocanthera", + "Acokanthera", + "genus Acokanthera", + "winter sweet", + "poison arrow plant", + "Acocanthera oblongifolia", + "Acocanthera spectabilis", + "bushman's poison", + "ordeal tree", + "Acocanthera oppositifolia", + "Acocanthera venenata", + "Adenium", + "genus Adenium", + "impala lily", + "mock azalia", + "desert rose", + "kudu lily", + "Adenium obesum", + "Adenium multiflorum", + "genus Allamanda", + "allamanda", + "common allamanda", + "golden trumpet", + "Allamanda cathartica", + "Alstonia", + "genus Alstonia", + "dita", + "dita bark", + "devil tree", + "Alstonia scholaris", + "Amsonia", + "genus Amsonia", + "blue star", + "Amsonia tabernaemontana", + "Beaumontia", + "genus Beaumontia", + "Nepal trumpet flower", + "Easter lily vine", + "Beaumontia grandiflora", + "genus Carissa", + "carissa", + "hedge thorn", + "natal plum", + "Carissa bispinosa", + "natal plum", + "amatungulu", + "Carissa macrocarpa", + "Carissa grandiflora", + "Catharanthus", + "genus Catharanthus", + "periwinkle", + "rose periwinkle", + "Madagascar periwinkle", + "old maid", + "Cape periwinkle", + "red periwinkle", + "cayenne jasmine", + "Catharanthus roseus", + "Vinca rosea", + "Holarrhena", + "genus Holarrhena", + "ivory tree", + "conessi", + "kurchi", + "kurchee", + "Holarrhena pubescens", + "Holarrhena antidysenterica", + "Mandevilla", + "genus Mandevilla", + "Dipladenia", + "genus Dipladenia", + "white dipladenia", + "Mandevilla boliviensis", + "Dipladenia boliviensis", + "Chilean jasmine", + "Mandevilla laxa", + "Nerium", + "genus Nerium", + "oleander", + "rose bay", + "Nerium oleander", + "Plumeria", + "genus Plumeria", + "Plumiera", + "frangipani", + "frangipanni", + "pagoda tree", + "temple tree", + "Plumeria acutifolia", + "West Indian jasmine", + "pagoda tree", + "Plumeria alba", + "genus Rauwolfia", + "genus Rauvolfia", + "rauwolfia", + "rauvolfia", + "snakewood", + "Rauwolfia serpentina", + "genus Strophanthus", + "strophanthus", + "Strophanthus kombe", + "Tabernaemontana", + "genus Tabernaemontana", + "crape jasmine", + "crepe jasmine", + "crepe gardenia", + "pinwheel flower", + "East Indian rosebay", + "Adam's apple", + "Nero's crown", + "coffee rose", + "Tabernaemontana divaricate", + "Thevetia", + "genus Thevetia", + "yellow oleander", + "Thevetia peruviana", + "Thevetia neriifolia", + "Trachelospermum", + "genus Trachelospermum", + "star jasmine", + "confederate jasmine", + "Trachelospermum jasminoides", + "Vinca", + "genus Vinca", + "periwinkle", + "myrtle", + "Vinca minor", + "large periwinkle", + "Vinca major", + "Arales", + "order Arales", + "Araceae", + "family Araceae", + "arum family", + "arum", + "aroid", + "genus Arum", + "arum", + "cuckoopint", + "lords-and-ladies", + "jack-in-the-pulpit", + "Arum maculatum", + "black calla", + "Arum palaestinum", + "Acorus", + "genus Acorus", + "Acoraceae", + "subfamily Acoraceae", + "sweet flag", + "calamus", + "sweet calamus", + "myrtle flag", + "flagroot", + "Acorus calamus", + "calamus", + "calamus oil", + "Aglaonema", + "genus Aglaonema", + "Chinese evergreen", + "Japanese leaf", + "Aglaonema modestum", + "genus Alocasia", + "alocasia", + "elephant's ear", + "elephant ear", + "giant taro", + "Alocasia macrorrhiza", + "genus Amorphophallus", + "amorphophallus", + "pungapung", + "telingo potato", + "elephant yam", + "Amorphophallus paeonifolius", + "Amorphophallus campanulatus", + "devil's tongue", + "snake palm", + "umbrella arum", + "Amorphophallus rivieri", + "krubi", + "titan arum", + "Amorphophallus titanum", + "genus Anthurium", + "anthurium", + "tailflower", + "tail-flower", + "flamingo flower", + "flamingo plant", + "Anthurium andraeanum", + "Anthurium scherzerianum", + "Arisaema", + "genus Arisaema", + "jack-in-the-pulpit", + "Indian turnip", + "wake-robin", + "Arisaema triphyllum", + "Arisaema atrorubens", + "green dragon", + "Arisaema dracontium", + "Arisarum", + "genus Arisarum", + "friar's-cowl", + "Arisarum vulgare", + "genus Caladium", + "caladium", + "Caladium bicolor", + "Calla", + "genus Calla", + "wild calla", + "water arum", + "Calla palustris", + "Colocasia", + "genus Colocasia", + "taro", + "taro plant", + "dalo", + "dasheen", + "Colocasia esculenta", + "taro", + "cocoyam", + "dasheen", + "eddo", + "genus Cryptocoryne", + "cryptocoryne", + "water trumpet", + "Dieffenbachia", + "genus Dieffenbachia", + "dumb cane", + "mother-in-law plant", + "mother-in-law's tongue", + "Dieffenbachia sequine", + "genus Dracontium", + "dracontium", + "Dracunculus", + "genus Dracunculus", + "dragon arum", + "green dragon", + "Dracunculus vulgaris", + "Epipremnum", + "genus Epipremnum", + "golden pothos", + "pothos", + "ivy arum", + "Epipremnum aureum", + "Scindapsus aureus", + "Lysichiton", + "genus Lysichiton", + "Lysichitum", + "genus Lysichitum", + "skunk cabbage", + "Lysichiton americanum", + "genus Monstera", + "monstera", + "ceriman", + "Monstera deliciosa", + "genus Nephthytis", + "nephthytis", + "Nephthytis afzelii", + "Orontium", + "genus Orontium", + "golden club", + "Orontium aquaticum", + "Peltandra", + "genus Peltandra", + "arrow arum", + "green arrow arum", + "tuckahoe", + "Peltandra virginica", + "genus Philodendron", + "philodendron", + "genus Pistia", + "pistia", + "water lettuce", + "water cabbage", + "Pistia stratiotes", + "Pistia stratoites", + "Scindapsus", + "genus Scindapsus", + "genus Pothos", + "pothos", + "genus Spathiphyllum", + "spathiphyllum", + "peace lily", + "spathe flower", + "Symplocarpus", + "genus Symplocarpus", + "skunk cabbage", + "polecat weed", + "foetid pothos", + "Symplocarpus foetidus", + "Syngonium", + "genus Syngonium", + "Xanthosoma", + "genus Xanthosoma", + "yautia", + "tannia", + "spoonflower", + "malanga", + "Xanthosoma sagittifolium", + "Xanthosoma atrovirens", + "Zantedeschia", + "genus Zantedeschia", + "calla lily", + "calla", + "arum lily", + "Zantedeschia aethiopica", + "pink calla", + "Zantedeschia rehmanii", + "golden calla", + "Lemnaceae", + "family Lemnaceae", + "duckweed family", + "duckweed", + "Lemna", + "genus Lemna", + "common duckweed", + "lesser duckweed", + "Lemna minor", + "star-duckweed", + "Lemna trisulca", + "Spirodela", + "genus Spirodela", + "great duckweed", + "water flaxseed", + "Spirodela polyrrhiza", + "Wolffia", + "genus Wolffia", + "watermeal", + "common wolffia", + "Wolffia columbiana", + "Wolffiella", + "genus Wolffiella", + "mud midget", + "bogmat", + "Wolffiella gladiata", + "Araliaceae", + "family Araliaceae", + "ivy family", + "genus Aralia", + "aralia", + "American angelica tree", + "devil's walking stick", + "Hercules'-club", + "Aralia spinosa", + "wild sarsaparilla", + "false sarsaparilla", + "wild sarsparilla", + "Aralia nudicaulis", + "American spikenard", + "petty morel", + "life-of-man", + "Aralia racemosa", + "bristly sarsaparilla", + "bristly sarsparilla", + "dwarf elder", + "Aralia hispida", + "Japanese angelica tree", + "Aralia elata", + "Chinese angelica", + "Chinese angelica tree", + "Aralia stipulata", + "Hedera", + "genus Hedera", + "ivy", + "common ivy", + "English ivy", + "Hedera helix", + "Meryta", + "genus Meryta", + "puka", + "Meryta sinclairii", + "Panax", + "genus Panax", + "ginseng", + "nin-sin", + "Panax ginseng", + "Panax schinseng", + "Panax pseudoginseng", + "American ginseng", + "sang", + "Panax quinquefolius", + "ginseng", + "Schefflera", + "genus Schefflera", + "umbrella tree", + "Schefflera actinophylla", + "Brassaia actinophylla", + "Aristolochiales", + "order Aristolochiales", + "Aristolochiaceae", + "family Aristolochiaceae", + "birthwort family", + "Aristolochia", + "genus Aristolochia", + "birthwort", + "Aristolochia clematitis", + "Dutchman's-pipe", + "pipe vine", + "Aristolochia macrophylla", + "Aristolochia durior", + "Virginia snakeroot", + "Virginia serpentaria", + "Virginia serpentary", + "Aristolochia serpentaria", + "Asarum", + "genus Asarum", + "wild ginger", + "Canada ginger", + "black snakeroot", + "Asarum canadense", + "heartleaf", + "heart-leaf", + "Asarum virginicum", + "heartleaf", + "heart-leaf", + "Asarum shuttleworthii", + "asarabacca", + "Asarum europaeum", + "Rafflesiaceae", + "family Rafflesiaceae", + "Hydnoraceae", + "family Hydnoraceae", + "Caryophyllidae", + "subclass Caryophyllidae", + "Caryophyllales", + "order Caryophyllales", + "Chenopodiales", + "order-Chenopodiales", + "Centrospermae", + "group Centrospermae", + "Caryophyllaceae", + "family Caryophyllaceae", + "carnation family", + "pink family", + "caryophyllaceous plant", + "Agrostemma", + "genus Agrostemma", + "corn cockle", + "corn campion", + "crown-of-the-field", + "Agrostemma githago", + "Arenaria", + "genus Arenaria", + "sandwort", + "mountain sandwort", + "mountain starwort", + "mountain daisy", + "Arenaria groenlandica", + "pine-barren sandwort", + "longroot", + "Arenaria caroliniana", + "seabeach sandwort", + "Arenaria peploides", + "rock sandwort", + "Arenaria stricta", + "thyme-leaved sandwort", + "Arenaria serpyllifolia", + "Cerastium", + "genus Cerastium", + "mouse-ear chickweed", + "mouse eared chickweed", + "mouse ear", + "clammy chickweed", + "chickweed", + "field chickweed", + "field mouse-ear", + "Cerastium arvense", + "snow-in-summer", + "love-in-a-mist", + "Cerastium tomentosum", + "Alpine mouse-ear", + "Arctic mouse-ear", + "Cerastium alpinum", + "Dianthus", + "genus Dianthus", + "pink", + "garden pink", + "sweet William", + "Dianthus barbatus", + "carnation", + "clove pink", + "gillyflower", + "Dianthus caryophyllus", + "china pink", + "rainbow pink", + "Dianthus chinensis", + "Japanese pink", + "Dianthus chinensis heddewigii", + "maiden pink", + "Dianthus deltoides", + "cheddar pink", + "Diangus gratianopolitanus", + "button pink", + "Dianthus latifolius", + "cottage pink", + "grass pink", + "Dianthus plumarius", + "fringed pink", + "Dianthus supurbus", + "genus Drypis", + "drypis", + "Gypsophila", + "genus Gypsophila", + "baby's breath", + "babies'-breath", + "Gypsophila paniculata", + "Hernaria", + "genus Hernaria", + "rupturewort", + "Hernaria glabra", + "Illecebrum", + "genus Illecebrum", + "coral necklace", + "Illecebrum verticullatum", + "genus Lychnis", + "lychnis", + "catchfly", + "ragged robin", + "cuckoo flower", + "Lychnis flos-cuculi", + "Lychins floscuculi", + "scarlet lychnis", + "maltese cross", + "Lychins chalcedonica", + "mullein pink", + "rose campion", + "gardener's delight", + "dusty miller", + "Lychnis coronaria", + "Minuartia", + "genus Minuartia", + "Moehringia", + "genus Moehringia", + "sandwort", + "Moehringia lateriflora", + "sandwort", + "Moehringia mucosa", + "Paronychia", + "genus Paronychia", + "whitlowwort", + "Petrocoptis", + "genus Petrocoptis", + "Sagina", + "genus Sagina", + "pearlwort", + "pearlweed", + "pearl-weed", + "Saponaria", + "genus Saponaria", + "soapwort", + "hedge pink", + "bouncing Bet", + "bouncing Bess", + "Saponaria officinalis", + "Scleranthus", + "genus Scleranthus", + "knawel", + "knawe", + "Scleranthus annuus", + "genus Silene", + "silene", + "campion", + "catchfly", + "moss campion", + "Silene acaulis", + "wild pink", + "Silene caroliniana", + "red campion", + "red bird's eye", + "Silene dioica", + "Lychnis dioica", + "white campion", + "evening lychnis", + "white cockle", + "bladder campion", + "Silene latifolia", + "Lychnis alba", + "fire pink", + "Silene virginica", + "bladder campion", + "Silene uniflora", + "Silene vulgaris", + "Spergula", + "genus Spergula", + "corn spurry", + "corn spurrey", + "Spergula arvensis", + "Spergularia", + "genus Spergularia", + "sand spurry", + "sea spurry", + "Spergularia rubra", + "Stellaria", + "genus Stellaria", + "chickweed", + "common chickweed", + "Stellaria media", + "stitchwort", + "greater stitchwort", + "starwort", + "Stellaria holostea", + "Vaccaria", + "genus Vaccaria", + "cowherb", + "cow cockle", + "Vaccaria hispanica", + "Vaccaria pyramidata", + "Saponaria vaccaria", + "Aizoaceae", + "family Aizoaceae", + "Tetragoniaceae", + "family Tetragoniaceae", + "carpetweed family", + "Carpobrotus", + "genus Carpobrotus", + "Hottentot fig", + "Hottentot's fig", + "sour fig", + "Carpobrotus edulis", + "Mesembryanthemum edule", + "Dorotheanthus", + "genus Dorotheanthus", + "livingstone daisy", + "Dorotheanthus bellidiformis", + "papilla", + "genus Lithops", + "lithops", + "living stone", + "stoneface", + "stone-face", + "stone plant", + "stone life face", + "flowering stone", + "Mesembryanthemum", + "genus Mesembryanthemum", + "fig marigold", + "pebble plant", + "ice plant", + "icicle plant", + "Mesembryanthemum crystallinum", + "Molluga", + "genus Molluga", + "carpetweed", + "Indian chickweed", + "Molluga verticillata", + "Pleiospilos", + "genus Pleiospilos", + "living granite", + "living rock", + "stone mimicry plant", + "Tetragonia", + "genus Tetragonia", + "New Zealand spinach", + "Tetragonia tetragonioides", + "Tetragonia expansa", + "Amaranthaceae", + "family Amaranthaceae", + "amaranth family", + "Amaranthus", + "genus Amaranthus", + "amaranth", + "amaranth", + "tumbleweed", + "Amaranthus albus", + "Amaranthus graecizans", + "love-lies-bleeding", + "velvet flower", + "tassel flower", + "Amaranthus caudatus", + "prince's-feather", + "gentleman's-cane", + "prince's-plume", + "red amaranth", + "purple amaranth", + "Amaranthus cruentus", + "Amaranthus hybridus hypochondriacus", + "Amaranthus hybridus erythrostachys", + "pigweed", + "Amaranthus hypochondriacus", + "thorny amaranth", + "Amaranthus spinosus", + "Alternanthera", + "genus Alternanthera", + "alligator weed", + "alligator grass", + "Alternanthera philoxeroides", + "Celosia", + "genus Celosia", + "red fox", + "Celosia argentea", + "cockscomb", + "common cockscomb", + "Celosia cristata", + "Celosia argentea cristata", + "Froelichia", + "genus Froelichia", + "cottonweed", + "Gomphrena", + "genus Gomphrena", + "globe amaranth", + "bachelor's button", + "Gomphrena globosa", + "Iresine", + "genus Iresine", + "bloodleaf", + "beefsteak plant", + "beef plant", + "Iresine herbstii", + "Iresine reticulata", + "Telanthera", + "genus Telanthera", + "Batidaceae", + "family Batidaceae", + "saltwort family", + "Batis", + "genus Batis", + "saltwort", + "Batis maritima", + "Chenopodiaceae", + "family Chenopodiaceae", + "goosefoot family", + "Chenopodium", + "genus Chenopodium", + "goosefoot", + "lamb's-quarters", + "pigweed", + "wild spinach", + "Chenopodium album", + "American wormseed", + "Mexican tea", + "Spanish tea", + "wormseed", + "Chenopodium ambrosioides", + "good-king-henry", + "allgood", + "fat hen", + "wild spinach", + "Chenopodium bonus-henricus", + "Jerusalem oak", + "feather geranium", + "Mexican tea", + "Chenopodium botrys", + "Atriplex mexicana", + "strawberry blite", + "strawberry pigweed", + "Indian paint", + "Chenopodium capitatum", + "oak-leaved goosefoot", + "oakleaf goosefoot", + "Chenopodium glaucum", + "sowbane", + "red goosefoot", + "Chenopodium hybridum", + "nettle-leaved goosefoot", + "nettleleaf goosefoot", + "Chenopodium murale", + "red goosefoot", + "French spinach", + "Chenopodium rubrum", + "stinking goosefoot", + "Chenopodium vulvaria", + "Atriplex", + "genus Atriplex", + "orach", + "orache", + "saltbush", + "garden orache", + "mountain spinach", + "Atriplex hortensis", + "desert holly", + "Atriplex hymenelytra", + "quail bush", + "quail brush", + "white thistle", + "Atriplex lentiformis", + "Bassia", + "genus Bassia", + "Kochia", + "genus Kochia", + "summer cypress", + "burning bush", + "fire bush", + "fire-bush", + "belvedere", + "Bassia scoparia", + "Kochia scoparia", + "Beta", + "genus Beta", + "beet", + "common beet", + "Beta vulgaris", + "beetroot", + "Beta vulgaris rubra", + "chard", + "Swiss chard", + "spinach beet", + "leaf beet", + "chard plant", + "Beta vulgaris cicla", + "mangel-wurzel", + "mangold-wurzel", + "mangold", + "Beta vulgaris vulgaris", + "sugar beet", + "Cycloloma", + "genus Cycloloma", + "winged pigweed", + "tumbleweed", + "Cycloloma atriplicifolium", + "genus Halogeton", + "halogeton", + "Halogeton glomeratus", + "barilla", + "Halogeton souda", + "Salicornia", + "genus Salicornia", + "glasswort", + "samphire", + "Salicornia europaea", + "Salsola", + "genus Salsola", + "saltwort", + "barilla", + "glasswort", + "kali", + "kelpwort", + "Salsola kali", + "Salsola soda", + "Russian thistle", + "Russian tumbleweed", + "Russian cactus", + "tumbleweed", + "Salsola kali tenuifolia", + "Sarcobatus", + "genus Sarcobatus", + "greasewood", + "black greasewood", + "Sarcobatus vermiculatus", + "Spinacia", + "genus Spinacia", + "spinach", + "spinach plant", + "prickly-seeded spinach", + "Spinacia oleracea", + "Nyctaginaceae", + "family Nyctaginaceae", + "Allioniaceae", + "family Allioniaceae", + "four-o'clock family", + "Nyctaginia", + "genus Nyctaginia", + "scarlet musk flower", + "Nyctaginia capitata", + "Abronia", + "genus Abronia", + "sand verbena", + "snowball", + "sweet sand verbena", + "Abronia elliptica", + "sweet sand verbena", + "Abronia fragrans", + "yellow sand verbena", + "Abronia latifolia", + "beach pancake", + "Abronia maritima", + "beach sand verbena", + "pink sand verbena", + "Abronia umbellata", + "desert sand verbena", + "Abronia villosa", + "Allionia", + "genus Allionia", + "trailing four o'clock", + "trailing windmills", + "Allionia incarnata", + "genus Bougainvillea", + "Bougainvillaea", + "genus Bougainvillaea", + "bougainvillea", + "paper flower", + "Bougainvillea glabra", + "Mirabilis", + "genus Mirabilis", + "umbrellawort", + "four o'clock", + "common four-o'clock", + "marvel-of-Peru", + "Mirabilis jalapa", + "Mirabilis uniflora", + "California four o'clock", + "Mirabilis laevis", + "Mirabilis californica", + "sweet four o'clock", + "maravilla", + "Mirabilis longiflora", + "desert four o'clock", + "Colorado four o'clock", + "maravilla", + "Mirabilis multiflora", + "mountain four o'clock", + "Mirabilis oblongifolia", + "Pisonia", + "genus Pisonia", + "cockspur", + "Pisonia aculeata", + "Opuntiales", + "order Opuntiales", + "Cactaceae", + "family Cactaceae", + "cactus family", + "cactus", + "Acanthocereus", + "genus Acanthocereus", + "pitahaya cactus", + "pitahaya", + "Acanthocereus tetragonus", + "Acanthocereus pentagonus", + "Aporocactus", + "genus Aporocactus", + "rattail cactus", + "rat's-tail cactus", + "Aporocactus flagelliformis", + "Ariocarpus", + "genus Ariocarpus", + "living rock", + "Ariocarpus fissuratus", + "Carnegiea", + "genus Carnegiea", + "saguaro", + "sahuaro", + "Carnegiea gigantea", + "Cereus", + "genus Cereus", + "night-blooming cereus", + "genus Coryphantha", + "coryphantha", + "genus Echinocactus", + "echinocactus", + "barrel cactus", + "hedgehog cactus", + "golden barrel cactus", + "Echinocactus grusonii", + "Echinocereus", + "genus Echinocereus", + "hedgehog cereus", + "rainbow cactus", + "genus Epiphyllum", + "epiphyllum", + "orchid cactus", + "Ferocactus", + "genus Ferocactus", + "barrel cactus", + "Gymnocalycium", + "genus Gymnocalycium", + "Harrisia", + "genus Harrisia", + "Hatiora", + "genus Hatiora", + "Easter cactus", + "Hatiora gaertneri", + "Schlumbergera gaertneri", + "Hylocereus", + "genus Hylocereus", + "night-blooming cereus", + "Lemaireocereus", + "genus Lemaireocereus", + "chichipe", + "Lemaireocereus chichipe", + "Lophophora", + "genus Lophophora", + "mescal", + "mezcal", + "peyote", + "Lophophora williamsii", + "mescal button", + "sacred mushroom", + "magic mushroom", + "genus Mammillaria", + "mammillaria", + "feather ball", + "Mammillaria plumosa", + "Melocactus", + "genus Melocactus", + "Myrtillocactus", + "genus Myrtillocactus", + "garambulla", + "garambulla cactus", + "Myrtillocactus geometrizans", + "Pediocactus", + "genus Pediocactus", + "Knowlton's cactus", + "Pediocactus knowltonii", + "Nopalea", + "genus Nopalea", + "nopal", + "Opuntia", + "genus Opuntia", + "prickly pear", + "prickly pear cactus", + "cholla", + "Opuntia cholla", + "nopal", + "Opuntia lindheimeri", + "tuna", + "Opuntia tuna", + "Pereskia", + "genus Pereskia", + "Peireskia", + "genus Peireskia", + "Barbados gooseberry", + "Barbados-gooseberry vine", + "Pereskia aculeata", + "Rhipsalis", + "genus Rhipsalis", + "mistletoe cactus", + "Schlumbergera", + "genus Schlumbergera", + "Christmas cactus", + "Schlumbergera buckleyi", + "Schlumbergera baridgesii", + "Selenicereus", + "genus Selenicereus", + "night-blooming cereus", + "queen of the night", + "Selenicereus grandiflorus", + "Zygocactus", + "genus Zygocactus", + "crab cactus", + "Thanksgiving cactus", + "Zygocactus truncatus", + "Schlumbergera truncatus", + "Phytolaccaceae", + "family Phytolaccaceae", + "pokeweed family", + "Phytolacca", + "genus Phytolacca", + "pokeweed", + "Indian poke", + "Phytolacca acinosa", + "poke", + "pigeon berry", + "garget", + "scoke", + "Phytolacca americana", + "ombu", + "bella sombra", + "Phytolacca dioica", + "Agdestis", + "genus Agdestis", + "Ercilla", + "genus Ercilla", + "Rivina", + "genus Rivina", + "bloodberry", + "blood berry", + "rougeberry", + "rouge plant", + "Rivina humilis", + "Trichostigma", + "genus Trichostigma", + "Portulacaceae", + "family Portulacaceae", + "purslane family", + "purslane", + "genus Portulaca", + "portulaca", + "rose moss", + "sun plant", + "Portulaca grandiflora", + "common purslane", + "pussley", + "pussly", + "verdolagas", + "Portulaca oleracea", + "Calandrinia", + "genus Calandrinia", + "rock purslane", + "red maids", + "redmaids", + "Calandrinia ciliata", + "Claytonia", + "genus Claytonia", + "Carolina spring beauty", + "Claytonia caroliniana", + "spring beauty", + "Clatonia lanceolata", + "Virginia spring beauty", + "Claytonia virginica", + "Lewisia", + "genus Lewisia", + "siskiyou lewisia", + "Lewisia cotyledon", + "bitterroot", + "Lewisia rediviva", + "Montia", + "genus Montia", + "Indian lettuce", + "broad-leaved montia", + "Montia cordifolia", + "blinks", + "blinking chickweed", + "water chickweed", + "Montia lamprosperma", + "toad lily", + "Montia chamissoi", + "winter purslane", + "miner's lettuce", + "Cuban spinach", + "Montia perfoliata", + "Spraguea", + "genus Spraguea", + "pussy-paw", + "pussy-paws", + "pussy's-paw", + "Spraguea umbellatum", + "Calyptridium umbellatum", + "Talinum", + "genus Talinum", + "flame flower", + "flame-flower", + "flameflower", + "Talinum aurantiacum", + "narrow-leaved flame flower", + "Talinum augustissimum", + "pigmy talinum", + "Talinum brevifolium", + "rock pink", + "Talinum calycinum", + "jewels-of-opar", + "Talinum paniculatum", + "spiny talinum", + "Talinum spinescens", + "Rhoeadales", + "order Rhoeadales", + "Papaverales", + "order Papaverales", + "Capparidaceae", + "family Capparidaceae", + "caper family", + "Capparis", + "genus Capparis", + "caper", + "native pomegranate", + "Capparis arborea", + "caper tree", + "Jamaica caper tree", + "Capparis cynophallophora", + "caper tree", + "bay-leaved caper", + "Capparis flexuosa", + "native orange", + "Capparis mitchellii", + "common caper", + "Capparis spinosa", + "genus Cleome", + "Cleome", + "spiderflower", + "cleome", + "spider flower", + "spider plant", + "Cleome hassleriana", + "Rocky Mountain bee plant", + "stinking clover", + "Cleome serrulata", + "Crateva", + "genus Crateva", + "Polanisia", + "genus Polanisia", + "clammyweed", + "Polanisia graveolens", + "Polanisia dodecandra", + "Cruciferae", + "family Cruciferae", + "Brassicaceae", + "family Brassicaceae", + "mustard family", + "crucifer", + "cruciferous plant", + "cress", + "cress plant", + "watercress", + "Aethionema", + "genus Aethionema", + "stonecress", + "stone cress", + "Alliaria", + "genus Alliaria", + "garlic mustard", + "hedge garlic", + "sauce-alone", + "jack-by-the-hedge", + "Alliaria officinalis", + "Alyssum", + "genus Alyssum", + "alyssum", + "madwort", + "Anastatica", + "genus Anastatica", + "rose of Jericho", + "resurrection plant", + "Anastatica hierochuntica", + "Arabidopsis", + "genus Arabidopsis", + "Arabidopsis thaliana", + "mouse-ear cress", + "Arabidopsis lyrata", + "Arabis", + "genus Arabis", + "rock cress", + "rockcress", + "sicklepod", + "Arabis Canadensis", + "tower cress", + "tower mustard", + "Arabis turrita", + "tower mustard", + "tower cress", + "Turritis glabra", + "Arabis glabra", + "Armoracia", + "genus Armoracia", + "horseradish", + "horse radish", + "red cole", + "Armoracia rusticana", + "horseradish", + "horseradish root", + "Barbarea", + "genus Barbarea", + "winter cress", + "St. Barbara's herb", + "scurvy grass", + "Belle Isle cress", + "early winter cress", + "land cress", + "American cress", + "American watercress", + "Barbarea verna", + "Barbarea praecox", + "yellow rocket", + "rockcress", + "rocket cress", + "Barbarea vulgaris", + "Sisymbrium barbarea", + "Berteroa", + "genus Berteroa", + "hoary alison", + "hoary alyssum", + "Berteroa incana", + "Biscutella", + "genus Biscutella", + "buckler mustard", + "Biscutalla laevigata", + "Brassica", + "genus Brassica", + "wild cabbage", + "Brassica oleracea", + "cabbage", + "cultivated cabbage", + "Brassica oleracea", + "head cabbage", + "head cabbage plant", + "Brassica oleracea capitata", + "savoy cabbage", + "red cabbage", + "brussels sprout", + "Brassica oleracea gemmifera", + "cauliflower", + "Brassica oleracea botrytis", + "broccoli", + "Brassica oleracea italica", + "kale", + "kail", + "cole", + "borecole", + "colewort", + "Brassica oleracea acephala", + "collard", + "kohlrabi", + "Brassica oleracea gongylodes", + "turnip plant", + "turnip", + "white turnip", + "Brassica rapa", + "rutabaga", + "turnip cabbage", + "swede", + "Swedish turnip", + "rutabaga plant", + "Brassica napus napobrassica", + "broccoli raab", + "broccoli rabe", + "Brassica rapa ruvo", + "mustard", + "mustard oil", + "chinese mustard", + "indian mustard", + "leaf mustard", + "gai choi", + "Brassica juncea", + "Chinese cabbage", + "celery cabbage", + "napa", + "pe-tsai", + "Brassica rapa pekinensis", + "bok choy", + "bok choi", + "pakchoi", + "pak choi", + "Chinese white cabbage", + "Brassica rapa chinensis", + "tendergreen", + "spinach mustard", + "Brassica perviridis", + "Brassica rapa perviridis", + "black mustard", + "Brassica nigra", + "rape", + "colza", + "Brassica napus", + "rapeseed", + "rape oil", + "rapeseed oil", + "colza oil", + "Cakile", + "genus Cakile", + "sea-rocket", + "Cakile maritima", + "Camelina", + "genus Camelina", + "false flax", + "gold of pleasure", + "Camelina sativa", + "Capsella", + "genus Capsella", + "shepherd's purse", + "shepherd's pouch", + "Capsella bursa-pastoris", + "Cardamine", + "genus Cardamine", + "Dentaria", + "genus Dentaria", + "bittercress", + "bitter cress", + "lady's smock", + "cuckooflower", + "cuckoo flower", + "meadow cress", + "Cardamine pratensis", + "coral-root bittercress", + "coralroot", + "coralwort", + "Cardamine bulbifera", + "Dentaria bulbifera", + "crinkleroot", + "crinkle-root", + "crinkle root", + "pepper root", + "toothwort", + "Cardamine diphylla", + "Dentaria diphylla", + "American watercress", + "mountain watercress", + "Cardamine rotundifolia", + "spring cress", + "Cardamine bulbosa", + "purple cress", + "Cardamine douglasii", + "Cheiranthus", + "genus Cheiranthus", + "wallflower", + "Cheiranthus cheiri", + "Erysimum cheiri", + "prairie rocket", + "Cochlearia", + "genus Cochlearia", + "scurvy grass", + "common scurvy grass", + "Cochlearia officinalis", + "Crambe", + "genus Crambe", + "sea kale", + "sea cole", + "Crambe maritima", + "Descurainia", + "genus Descurainia", + "tansy mustard", + "Descurainia pinnata", + "Diplotaxis", + "genus Diplotaxis", + "wall rocket", + "Diplotaxis muralis", + "Diplotaxis tenuifolia", + "white rocket", + "Diplotaxis erucoides", + "genus Draba", + "draba", + "whitlow grass", + "shadflower", + "shad-flower", + "Draba verna", + "Eruca", + "genus Eruca", + "rocket", + "roquette", + "garden rocket", + "rocket salad", + "arugula", + "Eruca sativa", + "Eruca vesicaria sativa", + "Erysimum", + "genus Erysimum", + "wallflower", + "prairie rocket", + "Siberian wall flower", + "Erysimum allionii", + "Cheiranthus allionii", + "western wall flower", + "Erysimum asperum", + "Cheiranthus asperus", + "Erysimum arkansanum", + "wormseed mustard", + "Erysimum cheiranthoides", + "genus Heliophila", + "heliophila", + "Hesperis", + "genus Hesperis", + "damask violet", + "Dame's violet", + "sweet rocket", + "Hesperis matronalis", + "Hugueninia", + "genus Hugueninia", + "tansy-leaved rocket", + "Hugueninia tanacetifolia", + "Sisymbrium tanacetifolia", + "Iberis", + "genus Iberis", + "candytuft", + "Isatis", + "genus Isatis", + "woad", + "dyer's woad", + "Isatis tinctoria", + "Lepidium", + "genus Lepidium", + "common garden cress", + "garden pepper cress", + "pepper grass", + "pepperwort", + "Lepidium sativum", + "Lesquerella", + "genus Lesquerella", + "bladderpod", + "Lobularia", + "genus Lobularia", + "sweet alyssum", + "sweet alison", + "Lobularia maritima", + "Lunaria", + "genus Lunaria", + "honesty", + "silver dollar", + "money plant", + "satin flower", + "satinpod", + "Lunaria annua", + "Malcolmia", + "genus Malcolmia", + "Malcolm stock", + "stock", + "Virginian stock", + "Virginia stock", + "Malcolmia maritima", + "Matthiola", + "genus Matthiola", + "stock", + "gillyflower", + "brompton stock", + "Matthiola incana", + "Nasturtium", + "genus Nasturtium", + "common watercress", + "Rorippa nasturtium-aquaticum", + "Nasturtium officinale", + "Physaria", + "genus Physaria", + "bladderpod", + "Pritzelago", + "genus Pritzelago", + "chamois cress", + "Pritzelago alpina", + "Lepidium alpina", + "Raphanus", + "genus Raphanus", + "radish plant", + "radish", + "jointed charlock", + "wild radish", + "wild rape", + "runch", + "Raphanus raphanistrum", + "radish", + "Raphanus sativus", + "radish", + "radish", + "daikon", + "Japanese radish", + "Raphanus sativus longipinnatus", + "Rorippa", + "genus Rorippa", + "marsh cress", + "yellow watercress", + "Rorippa islandica", + "great yellowcress", + "Rorippa amphibia", + "Nasturtium amphibium", + "genus Schizopetalon", + "schizopetalon", + "Schizopetalon walkeri", + "Sinapis", + "genus Sinapis", + "white mustard", + "Brassica hirta", + "Sinapis alba", + "field mustard", + "wild mustard", + "charlock", + "chadlock", + "Brassica kaber", + "Sinapis arvensis", + "genus Sisymbrium", + "hedge mustard", + "Sisymbrium officinale", + "Stanleya", + "genus Stanleya", + "desert plume", + "prince's-plume", + "Stanleya pinnata", + "Cleome pinnata", + "Stephanomeria", + "genus Stephanomeria", + "malheur wire lettuce", + "Stephanomeria malheurensis", + "Subularia", + "genus Subularia", + "awlwort", + "Subularia aquatica", + "Thlaspi", + "genus Thlaspi", + "pennycress", + "field pennycress", + "French weed", + "fanweed", + "penny grass", + "stinkweed", + "mithridate mustard", + "Thlaspi arvense", + "Thysanocarpus", + "genus Thysanocarpus", + "fringepod", + "lacepod", + "Turritis", + "genus Turritis", + "Vesicaria", + "genus Vesicaria", + "bladderpod", + "wasabi", + "Papaveraceae", + "family Papaveraceae", + "poppy family", + "poppy", + "Papaver", + "genus Papaver", + "Iceland poppy", + "Papaver alpinum", + "western poppy", + "Papaver californicum", + "prickly poppy", + "Papaver argemone", + "Iceland poppy", + "arctic poppy", + "Papaver nudicaule", + "oriental poppy", + "Papaver orientale", + "corn poppy", + "field poppy", + "Flanders poppy", + "Papaver rhoeas", + "opium poppy", + "Papaver somniferum", + "genus Argemone", + "prickly poppy", + "argemone", + "white thistle", + "devil's fig", + "Mexican poppy", + "Argemone mexicana", + "genus Bocconia", + "bocconia", + "tree celandine", + "Bocconia frutescens", + "Chelidonium", + "genus Chelidonium", + "celandine", + "greater celandine", + "swallowwort", + "swallow wort", + "Chelidonium majus", + "Corydalis", + "genus Corydalis", + "corydalis", + "climbing corydalis", + "Corydalis claviculata", + "Fumaria claviculata", + "Roman wormwood", + "rock harlequin", + "Corydalis sempervirens", + "Fumaria sempervirens", + "fumewort", + "fumeroot", + "Corydalis solida", + "Dendromecon", + "genus Dendromecon", + "bush poppy", + "tree poppy", + "Eschscholtzia", + "genus Eschscholtzia", + "California poppy", + "Eschscholtzia californica", + "Glaucium", + "genus Glaucium", + "horn poppy", + "horned poppy", + "yellow horned poppy", + "sea poppy", + "Glaucium flavum", + "Hunnemannia", + "genus Hunnemania", + "golden cup", + "Mexican tulip poppy", + "Hunnemania fumariifolia", + "Macleaya", + "genus Macleaya", + "plume poppy", + "bocconia", + "Macleaya cordata", + "Meconopsis", + "genus Meconopsis", + "blue poppy", + "Meconopsis betonicifolia", + "Welsh poppy", + "Meconopsis cambrica", + "Platystemon", + "genus Platystemon", + "creamcups", + "Platystemon californicus", + "Romneya", + "genus Romneya", + "matilija poppy", + "California tree poppy", + "Romneya coulteri", + "Sanguinaria", + "genus Sanguinaria", + "bloodroot", + "puccoon", + "redroot", + "tetterwort", + "Sanguinaria canadensis", + "Stylomecon", + "genus Stylomecon", + "wind poppy", + "flaming poppy", + "Stylomecon heterophyllum", + "Papaver heterophyllum", + "Stylophorum", + "genus Stylophorum", + "celandine poppy", + "wood poppy", + "Stylophorum diphyllum", + "Fumariaceae", + "family Fumariaceae", + "fumitory family", + "Fumaria", + "genus Fumaria", + "fumitory", + "fumewort", + "fumeroot", + "Fumaria officinalis", + "Adlumia", + "genus Adlumia", + "climbing fumitory", + "Allegheny vine", + "Adlumia fungosa", + "Fumaria fungosa", + "Dicentra", + "genus Dicentra", + "bleeding heart", + "lyreflower", + "lyre-flower", + "Dicentra spectabilis", + "Dutchman's breeches", + "Dicentra cucullaria", + "squirrel corn", + "Dicentra canadensis", + "Asteridae", + "subclass Asteridae", + "Campanulales", + "order Campanulales", + "Compositae", + "family Compositae", + "Asteraceae", + "family Asteraceae", + "aster family", + "composite", + "composite plant", + "compass plant", + "compass flower", + "everlasting", + "everlasting flower", + "genus Achillea", + "achillea", + "yarrow", + "milfoil", + "Achillea millefolium", + "sneezeweed yarrow", + "sneezewort", + "Achillea ptarmica", + "Acroclinium", + "genus Acroclinium", + "pink-and-white everlasting", + "pink paper daisy", + "Acroclinium roseum", + "Ageratina", + "genus Ageratina", + "white snakeroot", + "white sanicle", + "Ageratina altissima", + "Eupatorium rugosum", + "genus Ageratum", + "ageratum", + "common ageratum", + "Ageratum houstonianum", + "Amberboa", + "genus Amberboa", + "sweet sultan", + "Amberboa moschata", + "Centaurea moschata", + "genus Ambrosia", + "Ambrosiaceae", + "family Ambrosiaceae", + "ragweed", + "ambrosia", + "bitterweed", + "common ragweed", + "Ambrosia artemisiifolia", + "great ragweed", + "Ambrosia trifida", + "western ragweed", + "perennial ragweed", + "Ambrosia psilostachya", + "genus Ammobium", + "ammobium", + "winged everlasting", + "Ammobium alatum", + "Anacyclus", + "genus Anacyclus", + "pellitory", + "pellitory-of-Spain", + "Anacyclus pyrethrum", + "Anaphalis", + "genus Anaphalis", + "pearly everlasting", + "cottonweed", + "Anaphalis margaritacea", + "genus Andryala", + "andryala", + "Antennaria", + "genus Antennaria", + "ladies' tobacco", + "lady's tobacco", + "Antennaria plantaginifolia", + "cat's foot", + "cat's feet", + "pussytoes", + "Antennaria dioica", + "plantain-leaved pussytoes", + "field pussytoes", + "solitary pussytoes", + "mountain everlasting", + "Anthemis", + "genus Anthemis", + "mayweed", + "dog fennel", + "stinking mayweed", + "stinking chamomile", + "Anthemis cotula", + "yellow chamomile", + "golden marguerite", + "dyers' chamomile", + "Anthemis tinctoria", + "corn chamomile", + "field chamomile", + "corn mayweed", + "Anthemis arvensis", + "Antheropeas", + "genus Antheropeas", + "woolly daisy", + "dwarf daisy", + "Antheropeas wallacei", + "Eriophyllum wallacei", + "Arctium", + "genus Arctium", + "burdock", + "clotbur", + "common burdock", + "lesser burdock", + "Arctium minus", + "great burdock", + "greater burdock", + "cocklebur", + "Arctium lappa", + "Arctotis", + "genus Arctotis", + "African daisy", + "blue-eyed African daisy", + "Arctotis stoechadifolia", + "Arctotis venusta", + "Argyranthemum", + "genus Argyranthemum", + "marguerite", + "marguerite daisy", + "Paris daisy", + "Chrysanthemum frutescens", + "Argyranthemum frutescens", + "Argyroxiphium", + "genus Argyroxiphium", + "silversword", + "Argyroxiphium sandwicense", + "genus Arnica", + "arnica", + "heartleaf arnica", + "Arnica cordifolia", + "Arnica montana", + "arnica", + "Arnoseris", + "genus Arnoseris", + "lamb succory", + "dwarf nipplewort", + "Arnoseris minima", + "genus Artemisia", + "artemisia", + "wormwood", + "mugwort", + "sagebrush", + "sage brush", + "southernwood", + "Artemisia abrotanum", + "common wormwood", + "absinthe", + "old man", + "lad's love", + "Artemisia absinthium", + "sweet wormwood", + "Artemisia annua", + "California sagebrush", + "California sage", + "Artemisia californica", + "field wormwood", + "Artemisia campestris", + "tarragon", + "estragon", + "Artemisia dracunculus", + "sand sage", + "silvery wormwood", + "Artemisia filifolia", + "wormwood sage", + "prairie sagewort", + "Artemisia frigida", + "western mugwort", + "white sage", + "cudweed", + "prairie sage", + "Artemisia ludoviciana", + "Artemisia gnaphalodes", + "Roman wormwood", + "Artemis pontica", + "bud brush", + "bud sagebrush", + "Artemis spinescens", + "dusty miller", + "beach wormwood", + "old woman", + "Artemisia stelleriana", + "common mugwort", + "Artemisia vulgaris", + "genus Aster", + "aster", + "wood aster", + "whorled aster", + "Aster acuminatus", + "heath aster", + "Aster arenosus", + "heart-leaved aster", + "Aster cordifolius", + "white wood aster", + "Aster divaricatus", + "bushy aster", + "Aster dumosus", + "heath aster", + "Aster ericoides", + "white prairie aster", + "Aster falcatus", + "stiff aster", + "Aster linarifolius", + "goldilocks", + "goldilocks aster", + "Aster linosyris", + "Linosyris vulgaris", + "large-leaved aster", + "Aster macrophyllus", + "New England aster", + "Aster novae-angliae", + "Michaelmas daisy", + "New York aster", + "Aster novi-belgii", + "upland white aster", + "Aster ptarmicoides", + "Short's aster", + "Aster shortii", + "sea aster", + "sea starwort", + "Aster tripolium", + "prairie aster", + "Aster turbinellis", + "annual salt-marsh aster", + "aromatic aster", + "arrow leaved aster", + "azure aster", + "bog aster", + "crooked-stemmed aster", + "Eastern silvery aster", + "flat-topped white aster", + "late purple aster", + "panicled aster", + "perennial salt marsh aster", + "purple-stemmed aster", + "rough-leaved aster", + "rush aster", + "Schreiber's aster", + "small white aster", + "smooth aster", + "southern aster", + "starved aster", + "calico aster", + "tradescant's aster", + "wavy-leaved aster", + "Western silvery aster", + "willow aster", + "genus Ayapana", + "ayapana", + "Ayapana triplinervis", + "Eupatorium aya-pana", + "Baccharis", + "genus Baccharis", + "groundsel tree", + "groundsel bush", + "consumption weed", + "cotton-seed tree", + "Baccharis halimifolia", + "mule fat", + "Baccharis viminea", + "coyote brush", + "coyote bush", + "chaparral broom", + "kidney wort", + "Baccharis pilularis", + "Balsamorhiza", + "genus Balsamorhiza", + "balsamroot", + "Bellis", + "genus Bellis", + "daisy", + "common daisy", + "English daisy", + "Bellis perennis", + "Bidens", + "genus Bidens", + "bur marigold", + "burr marigold", + "beggar-ticks", + "beggar's-ticks", + "sticktight", + "Spanish needles", + "Bidens bipinnata", + "Spanish needles", + "beggar-ticks", + "tickseed sunflower", + "Bidens coronata", + "Bidens trichosperma", + "European beggar-ticks", + "trifid beggar-ticks", + "trifid bur marigold", + "Bidens tripartita", + "swampy beggar-ticks", + "Bidens connata", + "slender knapweed", + "Jersey knapweed", + "Boltonia", + "genus Boltonia", + "false chamomile", + "Brachycome", + "genus Brachycome", + "Swan River daisy", + "Brachycome Iberidifolia", + "Brickellia", + "genus Brickelia", + "Buphthalmum", + "genus Buphthalmum", + "oxeye", + "woodland oxeye", + "Buphthalmum salicifolium", + "Cacalia", + "genus Cacalia", + "Indian plantain", + "genus Calendula", + "calendula", + "common marigold", + "pot marigold", + "ruddles", + "Scotch marigold", + "Calendula officinalis", + "Callistephus", + "genus Callistephus", + "China aster", + "Callistephus chinensis", + "thistle", + "Carduus", + "genus Carduus", + "welted thistle", + "Carduus crispus", + "musk thistle", + "nodding thistle", + "Carduus nutans", + "Carlina", + "genus Carlina", + "carline thistle", + "stemless carline thistle", + "Carlina acaulis", + "common carline thistle", + "Carlina vulgaris", + "Carthamus", + "genus Carthamus", + "safflower", + "false saffron", + "Carthamus tinctorius", + "safflower seed", + "safflower oil", + "genus Catananche", + "catananche", + "blue succory", + "cupid's dart", + "Catananche caerulea", + "Centaurea", + "genus Centaurea", + "centaury", + "basket flower", + "Centaurea americana", + "dusty miller", + "Centaurea cineraria", + "Centaurea gymnocarpa", + "cornflower", + "bachelor's button", + "bluebottle", + "Centaurea cyanus", + "star-thistle", + "caltrop", + "Centauria calcitrapa", + "knapweed", + "sweet sultan", + "Centaurea imperialis", + "lesser knapweed", + "black knapweed", + "hardheads", + "Centaurea nigra", + "great knapweed", + "greater knapweed", + "Centaurea scabiosa", + "Barnaby's thistle", + "yellow star-thistle", + "Centaurea solstitialis", + "Chamaemelum", + "genus Chamaemelum", + "chamomile", + "camomile", + "Chamaemelum nobilis", + "Anthemis nobilis", + "genus Chaenactis", + "chaenactis", + "genus Chrysanthemum", + "chrysanthemum", + "corn marigold", + "field marigold", + "Chrysanthemum segetum", + "crown daisy", + "Chrysanthemum coronarium", + "chop-suey greens", + "tong ho", + "shun giku", + "Chrysanthemum coronarium spatiosum", + "chrysanthemum", + "Chrysopsis", + "genus Chrysopsis", + "golden aster", + "Maryland golden aster", + "Chrysopsis mariana", + "grass-leaved golden aster", + "sickleweed golden aster", + "Chrysothamnus", + "genus Chrysothamnus", + "goldenbush", + "rabbit brush", + "rabbit bush", + "Chrysothamnus nauseosus", + "Cichorium", + "genus Cichorium", + "chicory", + "succory", + "chicory plant", + "Cichorium intybus", + "endive", + "witloof", + "Cichorium endivia", + "chicory", + "chicory root", + "Cirsium", + "genus Cirsium", + "plume thistle", + "plumed thistle", + "Canada thistle", + "creeping thistle", + "Cirsium arvense", + "field thistle", + "Cirsium discolor", + "woolly thistle", + "Cirsium flodmanii", + "European woolly thistle", + "Cirsium eriophorum", + "melancholy thistle", + "Cirsium heterophylum", + "Cirsium helenioides", + "brook thistle", + "Cirsium rivulare", + "bull thistle", + "boar thistle", + "spear thistle", + "Cirsium vulgare", + "Cirsium lanceolatum", + "Cnicus", + "genus Cnicus", + "blessed thistle", + "sweet sultan", + "Cnicus benedictus", + "Conoclinium", + "genus Conoclinium", + "mistflower", + "mist-flower", + "ageratum", + "Conoclinium coelestinum", + "Eupatorium coelestinum", + "Conyza", + "genus Conyza", + "horseweed", + "Canadian fleabane", + "fleabane", + "Conyza canadensis", + "Erigeron canadensis", + "genus Coreopsis", + "coreopsis", + "tickseed", + "tickweed", + "tick-weed", + "subgenus Calliopsis", + "giant coreopsis", + "Coreopsis gigantea", + "sea dahlia", + "Coreopsis maritima", + "calliopsis", + "Coreopsis tinctoria", + "genus Cosmos", + "cosmos", + "cosmea", + "Cotula", + "genus Cotula", + "brass buttons", + "Cotula coronopifolia", + "Craspedia", + "genus Craspedia", + "billy buttons", + "Crepis", + "genus Crepis", + "hawk's-beard", + "hawk's-beards", + "Cynara", + "genus Cynara", + "artichoke", + "globe artichoke", + "artichoke plant", + "Cynara scolymus", + "cardoon", + "Cynara cardunculus", + "genus Dahlia", + "dahlia", + "Dahlia pinnata", + "Delairea", + "genus Delairea", + "German ivy", + "Delairea odorata", + "Senecio milkanioides", + "Dendranthema", + "genus Dendranthema", + "florist's chrysanthemum", + "florists' chrysanthemum", + "mum", + "Dendranthema grandifloruom", + "Chrysanthemum morifolium", + "Dimorphotheca", + "genus Dimorphotheca", + "cape marigold", + "sun marigold", + "star of the veldt", + "Doronicum", + "genus Doronicum", + "leopard's-bane", + "leopardbane", + "Echinacea", + "genus Echinacea", + "coneflower", + "Echinops", + "genus Echinops", + "globe thistle", + "Elephantopus", + "genus Elephantopus", + "elephant's-foot", + "Emilia", + "genus Emilia", + "tassel flower", + "Emilia coccinea", + "Emilia javanica", + "Emilia flammea", + "Cacalia javanica", + "Cacalia lutea", + "tassel flower", + "Emilia sagitta", + "Encelia", + "genus Encelia", + "brittlebush", + "brittle bush", + "incienso", + "Encelia farinosa", + "Enceliopsis", + "genus Enceliopsis", + "sunray", + "Enceliopsis nudicaulis", + "genus Engelmannia", + "engelmannia", + "genus Erechtites", + "fireweed", + "Erechtites hieracifolia", + "Erigeron", + "genus Erigeron", + "fleabane", + "blue fleabane", + "Erigeron acer", + "daisy fleabane", + "Erigeron annuus", + "orange daisy", + "orange fleabane", + "Erigeron aurantiacus", + "spreading fleabane", + "Erigeron divergens", + "seaside daisy", + "beach aster", + "Erigeron glaucous", + "Philadelphia fleabane", + "Erigeron philadelphicus", + "robin's plantain", + "Erigeron pulchellus", + "showy daisy", + "Erigeron speciosus", + "Eriophyllum", + "genus Eriophyllum", + "woolly sunflower", + "golden yarrow", + "Eriophyllum lanatum", + "Eupatorium", + "genus Eupatorium", + "hemp agrimony", + "Eupatorium cannabinum", + "dog fennel", + "Eupatorium capillifolium", + "Joe-Pye weed", + "spotted Joe-Pye weed", + "Eupatorium maculatum", + "boneset", + "agueweed", + "thoroughwort", + "Eupatorium perfoliatum", + "Joe-Pye weed", + "purple boneset", + "trumpet weed", + "marsh milkweed", + "Eupatorium purpureum", + "Felicia", + "genus Felicia", + "blue daisy", + "blue marguerite", + "Felicia amelloides", + "kingfisher daisy", + "Felicia bergeriana", + "genus Filago", + "cotton rose", + "cudweed", + "filago", + "herba impia", + "Filago germanica", + "genus Gaillardia", + "gaillardia", + "blanket flower", + "Indian blanket", + "fire wheel", + "fire-wheel", + "Gaillardia pulchella", + "genus Gazania", + "gazania", + "treasure flower", + "Gazania rigens", + "Gerbera", + "genus Gerbera", + "African daisy", + "Barberton daisy", + "Transvaal daisy", + "Gerbera jamesonii", + "Gerea", + "genus Gerea", + "desert sunflower", + "Gerea canescens", + "Gnaphalium", + "genus Gnaphalium", + "cudweed", + "chafeweed", + "wood cudweed", + "Gnaphalium sylvaticum", + "Grindelia", + "genus Grindelia", + "gumweed", + "gum plant", + "tarweed", + "rosinweed", + "Grindelia robusta", + "curlycup gumweed", + "Grindelia squarrosa", + "Gutierrezia", + "genus Gutierrezia", + "matchweed", + "matchbush", + "little-head snakeweed", + "Gutierrezia microcephala", + "rabbitweed", + "rabbit-weed", + "snakeweed", + "broom snakeweed", + "broom snakeroot", + "turpentine weed", + "Gutierrezia sarothrae", + "broomweed", + "broom-weed", + "Gutierrezia texana", + "Gynura", + "genus Gynura", + "velvet plant", + "purple velvet plant", + "royal velvet plant", + "Gynura aurantiaca", + "Haastia", + "genus Haastia", + "vegetable sheep", + "sheep plant", + "Haastia pulvinaris", + "Haplopappus", + "genus Haplopappus", + "goldenbush", + "camphor daisy", + "Haplopappus phyllocephalus", + "yellow spiny daisy", + "Haplopappus spinulosus", + "Hazardia", + "genus Hazardia", + "hoary golden bush", + "Hazardia cana", + "Helenium", + "genus Helenium", + "sneezeweed", + "autumn sneezeweed", + "Helenium autumnale", + "orange sneezeweed", + "owlclaws", + "Helenium hoopesii", + "rosilla", + "Helenium puberulum", + "genus Helianthus", + "sunflower", + "helianthus", + "swamp sunflower", + "Helianthus angustifolius", + "common sunflower", + "mirasol", + "Helianthus annuus", + "giant sunflower", + "tall sunflower", + "Indian potato", + "Helianthus giganteus", + "showy sunflower", + "Helianthus laetiflorus", + "Maximilian's sunflower", + "Helianthus maximilianii", + "prairie sunflower", + "Helianthus petiolaris", + "Jerusalem artichoke", + "girasol", + "Jerusalem artichoke sunflower", + "Helianthus tuberosus", + "Jerusalem artichoke", + "Helichrysum", + "genus Helichrysum", + "strawflower", + "golden everlasting", + "yellow paper daisy", + "Helichrysum bracteatum", + "genus Heliopsis", + "heliopsis", + "oxeye", + "Helipterum", + "genus Helipterum", + "strawflower", + "Heterotheca", + "genus Heterotheca", + "hairy golden aster", + "prairie golden aster", + "Heterotheca villosa", + "Chrysopsis villosa", + "Hieracium", + "genus Hieracium", + "hawkweed", + "king devil", + "yellow hawkweed", + "Hieracium praealtum", + "rattlesnake weed", + "Hieracium venosum", + "Homogyne", + "genus Homogyne", + "alpine coltsfoot", + "Homogyne alpina", + "Tussilago alpina", + "Hulsea", + "genus Hulsea", + "alpine gold", + "alpine hulsea", + "Hulsea algida", + "dwarf hulsea", + "Hulsea nana", + "Hyalosperma", + "genus Hyalosperma", + "Hypochaeris", + "genus Hypochaeris", + "Hypochoeris", + "genus Hypochoeris", + "cat's-ear", + "California dandelion", + "capeweed", + "gosmore", + "Hypochaeris radicata", + "genus Inula", + "inula", + "elecampane", + "Inula helenium", + "genus Iva", + "marsh elder", + "iva", + "burweed marsh elder", + "false ragweed", + "Iva xanthifolia", + "genus Krigia", + "krigia", + "dwarf dandelion", + "Krigia dandelion", + "Krigia bulbosa", + "Lactuca", + "genus Lactuca", + "lettuce", + "garden lettuce", + "common lettuce", + "Lactuca sativa", + "cos lettuce", + "romaine lettuce", + "Lactuca sativa longifolia", + "head lettuce", + "Lactuca sativa capitata", + "leaf lettuce", + "Lactuca sativa crispa", + "celtuce", + "stem lettuce", + "Lactuca sativa asparagina", + "prickly lettuce", + "horse thistle", + "Lactuca serriola", + "Lactuca scariola", + "Lagenophera", + "genus Lagenophera", + "Lasthenia", + "genus Lasthenia", + "goldfields", + "Lasthenia chrysostoma", + "Layia", + "genus Layia", + "tidytips", + "tidy tips", + "Layia platyglossa", + "Leontodon", + "genus Leontodon", + "hawkbit", + "fall dandelion", + "arnica bud", + "Leontodon autumnalis", + "Leontopodium", + "genus Leontopodium", + "edelweiss", + "Leontopodium alpinum", + "Leucanthemum", + "genus Leucanthemum", + "oxeye daisy", + "ox-eyed daisy", + "marguerite", + "moon daisy", + "white daisy", + "Leucanthemum vulgare", + "Chrysanthemum leucanthemum", + "oxeye daisy", + "Leucanthemum maximum", + "Chrysanthemum maximum", + "shasta daisy", + "Leucanthemum superbum", + "Chrysanthemum maximum maximum", + "Pyrenees daisy", + "Leucanthemum lacustre", + "Chrysanthemum lacustre", + "Leucogenes", + "genus Leucogenes", + "north island edelweiss", + "Leucogenes leontopodium", + "Liatris", + "genus Liatris", + "blazing star", + "button snakeroot", + "gayfeather", + "gay-feather", + "snakeroot", + "dotted gayfeather", + "Liatris punctata", + "dense blazing star", + "Liatris pycnostachya", + "Ligularia", + "genus Ligularia", + "leopard plant", + "Lindheimera", + "genus Lindheimera", + "Texas star", + "Lindheimera texana", + "Lonas", + "genus Lonas", + "African daisy", + "yellow ageratum", + "Lonas inodora", + "Lonas annua", + "Machaeranthera", + "genus Machaeranthera", + "tahoka daisy", + "tansy leaf aster", + "Machaeranthera tanacetifolia", + "sticky aster", + "Machaeranthera bigelovii", + "Mojave aster", + "Machaeranthera tortifoloia", + "Madia", + "genus Madia", + "tarweed", + "common madia", + "common tarweed", + "Madia elegans", + "melosa", + "Chile tarweed", + "madia oil plant", + "Madia sativa", + "madia oil", + "Matricaria", + "genus Matricaria", + "sweet false chamomile", + "wild chamomile", + "German chamomile", + "Matricaria recutita", + "Matricaria chamomilla", + "pineapple weed", + "rayless chamomile", + "Matricaria matricarioides", + "Melampodium", + "genus Melampodium", + "blackfoot daisy", + "Melampodium leucanthum", + "Mikania", + "genus Mikania", + "climbing hempweed", + "climbing boneset", + "wild climbing hempweed", + "climbing hemp-vine", + "Mikania scandens", + "genus Mutisia", + "mutisia", + "Nabalus", + "genus Nabalus", + "rattlesnake root", + "white lettuce", + "cankerweed", + "Nabalus alba", + "Prenanthes alba", + "lion's foot", + "gall of the earth", + "Nabalus serpentarius", + "Prenanthes serpentaria", + "Olearia", + "genus Olearia", + "daisybush", + "daisy-bush", + "daisy bush", + "muskwood", + "Olearia argophylla", + "New Zealand daisybush", + "Olearia haastii", + "Onopordum", + "genus Onopordum", + "Onopordon", + "genus Onopordon", + "cotton thistle", + "woolly thistle", + "Scotch thistle", + "Onopordum acanthium", + "Onopordon acanthium", + "genus Othonna", + "othonna", + "Ozothamnus", + "genus Ozothamnus", + "cascade everlasting", + "Ozothamnus secundiflorus", + "Helichrysum secundiflorum", + "Packera", + "genus Packera", + "butterweed", + "golden groundsel", + "golden ragwort", + "Packera aurea", + "Senecio aureus", + "Parthenium", + "genus Parthenium", + "guayule", + "Parthenium argentatum", + "bastard feverfew", + "Parthenium hysterophorus", + "American feverfew", + "wild quinine", + "prairie dock", + "Parthenium integrifolium", + "Pericallis", + "genus Pericallis", + "cineraria", + "Pericallis cruenta", + "Senecio cruentus", + "florest's cineraria", + "Pericallis hybrida", + "Petasites", + "genus Petasites", + "butterbur", + "bog rhubarb", + "Petasites hybridus", + "Petasites vulgaris", + "winter heliotrope", + "sweet coltsfoot", + "Petasites fragrans", + "sweet coltsfoot", + "Petasites sagitattus", + "Picris", + "genus Picris", + "oxtongue", + "bristly oxtongue", + "bitterweed", + "bugloss", + "Picris echioides", + "Pilosella", + "genus Pilosella", + "hawkweed", + "orange hawkweed", + "Pilosella aurantiaca", + "Hieracium aurantiacum", + "mouse-ear hawkweed", + "Pilosella officinarum", + "Hieracium pilocella", + "Piqueria", + "genus Piqueria", + "stevia", + "Prenanthes", + "genus Prenanthes", + "rattlesnake root", + "Prenanthes purpurea", + "genus Pteropogon", + "pteropogon", + "Pteropogon humboltianum", + "Pulicaria", + "genus Pulicaria", + "fleabane", + "feabane mullet", + "Pulicaria dysenterica", + "Pyrethrum", + "genus Pyrethrum", + "Raoulia", + "genus Raoulia", + "sheep plant", + "vegetable sheep", + "Raoulia lutescens", + "Raoulia australis", + "Ratibida", + "genus Ratibida", + "coneflower", + "Mexican hat", + "Ratibida columnaris", + "long-head coneflower", + "prairie coneflower", + "Ratibida columnifera", + "prairie coneflower", + "Ratibida tagetes", + "genus Rhodanthe", + "Swan River everlasting", + "rhodanthe", + "Rhodanthe manglesii", + "Helipterum manglesii", + "Rudbeckia", + "genus Rudbeckia", + "coneflower", + "black-eyed Susan", + "Rudbeckia hirta", + "Rudbeckia serotina", + "cutleaved coneflower", + "Rudbeckia laciniata", + "golden glow", + "double gold", + "hortensia", + "Rudbeckia laciniata hortensia", + "Santolina", + "genus Santolina", + "lavender cotton", + "Santolina chamaecyparissus", + "Sanvitalia", + "genus Sanvitalia", + "creeping zinnia", + "Sanvitalia procumbens", + "Saussurea", + "genus Saussurea", + "costusroot", + "Saussurea costus", + "Saussurea lappa", + "Scolymus", + "genus Scolymus", + "golden thistle", + "Spanish oyster plant", + "Scolymus hispanicus", + "Senecio", + "genus Senecio", + "nodding groundsel", + "Senecio bigelovii", + "dusty miller", + "Senecio cineraria", + "Cineraria maritima", + "threadleaf groundsel", + "Senecio doublasii", + "butterweed", + "ragwort", + "Senecio glabellus", + "ragwort", + "tansy ragwort", + "ragweed", + "benweed", + "Senecio jacobaea", + "arrowleaf groundsel", + "Senecio triangularis", + "groundsel", + "Senecio vulgaris", + "genus Scorzonera", + "black salsify", + "viper's grass", + "scorzonera", + "Scorzonera hispanica", + "Sericocarpus", + "genus Sericocarpus", + "white-topped aster", + "narrow-leaved white-topped aster", + "Seriphidium", + "genus Seriphidium", + "silver sage", + "silver sagebrush", + "grey sage", + "gray sage", + "Seriphidium canum", + "Artemisia cana", + "sea wormwood", + "Seriphidium maritimum", + "Artemisia maritima", + "big sagebrush", + "blue sage", + "Seriphidium tridentatum", + "Artemisia tridentata", + "Serratula", + "genus Serratula", + "sawwort", + "Serratula tinctoria", + "Silphium", + "genus Silphium", + "rosinweed", + "Silphium laciniatum", + "Silybum", + "genus Silybum", + "milk thistle", + "lady's thistle", + "Our Lady's mild thistle", + "holy thistle", + "blessed thistle", + "Silybum marianum", + "Solidago", + "genus Solidago", + "goldenrod", + "silverrod", + "Solidago bicolor", + "meadow goldenrod", + "Canadian goldenrod", + "Solidago canadensis", + "Missouri goldenrod", + "Solidago missouriensis", + "alpine goldenrod", + "Solidago multiradiata", + "grey goldenrod", + "gray goldenrod", + "Solidago nemoralis", + "Blue Mountain tea", + "sweet goldenrod", + "Solidago odora", + "dyer's weed", + "Solidago rugosa", + "seaside goldenrod", + "beach goldenrod", + "Solidago sempervirens", + "narrow goldenrod", + "Solidago spathulata", + "Boott's goldenrod", + "Elliott's goldenrod", + "Ohio goldenrod", + "rough-stemmed goldenrod", + "showy goldenrod", + "tall goldenrod", + "zigzag goldenrod", + "broad leaved goldenrod", + "Sonchus", + "genus Sonchus", + "sow thistle", + "milk thistle", + "milkweed", + "Sonchus oleraceus", + "Stenotus", + "genus Stenotus", + "stemless golden weed", + "Stenotus acaulis", + "Haplopappus acaulis", + "genus Stevia", + "stevia", + "Stokesia", + "genus Stokesia", + "stokes' aster", + "cornflower aster", + "Stokesia laevis", + "Tageteste", + "genus Tagetes", + "marigold", + "African marigold", + "big marigold", + "Aztec marigold", + "Tagetes erecta", + "French marigold", + "Tagetes patula", + "Tanacetum", + "genus Tanacetum", + "costmary", + "alecost", + "bible leaf", + "mint geranium", + "balsam herb", + "Tanacetum balsamita", + "Chrysanthemum balsamita", + "camphor dune tansy", + "Tanacetum camphoratum", + "painted daisy", + "pyrethrum", + "Tanacetum coccineum", + "Chrysanthemum coccineum", + "pyrethrum", + "Dalmatian pyrethrum", + "Dalmatia pyrethrum", + "Tanacetum cinerariifolium", + "Chrysanthemum cinerariifolium", + "pyrethrum", + "northern dune tansy", + "Tanacetum douglasii", + "feverfew", + "Tanacetum parthenium", + "Chrysanthemum parthenium", + "dusty miller", + "silver-lace", + "silver lace", + "Tanacetum ptarmiciflorum", + "Chrysanthemum ptarmiciflorum", + "tansy", + "golden buttons", + "scented fern", + "Tanacetum vulgare", + "Taraxacum", + "genus Taraxacum", + "dandelion", + "blowball", + "common dandelion", + "Taraxacum ruderalia", + "Taraxacum officinale", + "dandelion green", + "Russian dandelion", + "kok-saghyz", + "kok-sagyz", + "Taraxacum kok-saghyz", + "Tetraneuris", + "genus Tetraneuris", + "stemless hymenoxys", + "Tetraneuris acaulis", + "Hymenoxys acaulis", + "old man of the mountain", + "alpine sunflower", + "Tetraneuris grandiflora", + "Hymenoxys grandiflora", + "genus Tithonia", + "Mexican sunflower", + "tithonia", + "Townsendia", + "genus Townsendia", + "Easter daisy", + "stemless daisy", + "Townsendia Exscapa", + "Tragopogon", + "genus Tragopogon", + "yellow salsify", + "Tragopogon dubius", + "salsify", + "oyster plant", + "vegetable oyster", + "Tragopogon porrifolius", + "salsify", + "oyster plant", + "meadow salsify", + "goatsbeard", + "shepherd's clock", + "Tragopogon pratensis", + "Trilisa", + "genus Trilisa", + "wild vanilla", + "Trilisa odoratissima", + "Tripleurospermum", + "genus Tripleurospermum", + "scentless camomile", + "scentless false camomile", + "scentless mayweed", + "scentless hayweed", + "corn mayweed", + "Tripleurospermum inodorum", + "Matricaria inodorum", + "turfing daisy", + "Tripleurospermum oreades tchihatchewii", + "Matricaria oreades", + "turfing daisy", + "Tripleurospermum tchihatchewii", + "Matricaria tchihatchewii", + "Tussilago", + "genus Tussilago", + "coltsfoot", + "Tussilago farfara", + "genus Ursinia", + "ursinia", + "Verbesina", + "genus Verbesina", + "Actinomeris", + "genus Actinomeris", + "crownbeard", + "crown-beard", + "crown beard", + "wingstem", + "golden ironweed", + "yellow ironweed", + "golden honey plant", + "Verbesina alternifolia", + "Actinomeris alternifolia", + "cowpen daisy", + "golden crownbeard", + "golden crown beard", + "butter daisy", + "Verbesina encelioides", + "Ximenesia encelioides", + "gravelweed", + "Verbesina helianthoides", + "Virginia crownbeard", + "frostweed", + "frost-weed", + "Verbesina virginica", + "genus Vernonia", + "ironweed", + "vernonia", + "genus Wyethia", + "mule's ears", + "Wyethia amplexicaulis", + "white-rayed mule's ears", + "Wyethia helianthoides", + "Xanthium", + "genus Xanthium", + "cocklebur", + "cockle-bur", + "cockleburr", + "cockle-burr", + "genus Xeranthemum", + "xeranthemum", + "immortelle", + "Xeranthemum annuum", + "genus Zinnia", + "zinnia", + "old maid", + "old maid flower", + "white zinnia", + "Zinnia acerosa", + "little golden zinnia", + "Zinnia grandiflora", + "Loasaceae", + "family Loasaceae", + "loasa family", + "genus Loasa", + "loasa", + "Mentzelia", + "genus Mentzelia", + "blazing star", + "Mentzelia livicaulis", + "Mentzelia laevicaulis", + "bartonia", + "Mentzelia lindleyi", + "achene", + "samara", + "key fruit", + "key", + "bur", + "burr", + "Campanulaceae", + "family Campanulaceae", + "bellflower family", + "genus Campanula", + "campanula", + "bellflower", + "harebell", + "bluebell", + "Campanula rotundifolia", + "creeping bellflower", + "Campanula rapunculoides", + "Canterbury bell", + "cup and saucer", + "Campanula medium", + "southern harebell", + "Campanula divaricata", + "tall bellflower", + "Campanula americana", + "marsh bellflower", + "Campanula aparinoides", + "clustered bellflower", + "Campanula glomerata", + "peach bells", + "peach bell", + "willow bell", + "Campanula persicifolia", + "chimney plant", + "chimney bellflower", + "Campanula pyramidalis", + "rampion", + "rampion bellflower", + "Campanula rapunculus", + "throatwort", + "nettle-leaved bellflower", + "Campanula trachelium", + "tussock bellflower", + "spreading bellflower", + "Campanula carpatica", + "Orchidales", + "order Orchidales", + "Orchidaceae", + "family Orchidaceae", + "orchid family", + "orchid", + "orchidaceous plant", + "genus Orchis", + "orchis", + "male orchis", + "early purple orchid", + "Orchis mascula", + "butterfly orchid", + "butterfly orchis", + "Orchis papilionaceae", + "showy orchis", + "purple orchis", + "purple-hooded orchis", + "Orchis spectabilis", + "genus Aerides", + "aerides", + "genus Angrecum", + "Angraecum", + "genus Angraecum", + "angrecum", + "Anoectochilus", + "genus Anoectochilus", + "jewel orchid", + "Aplectrum", + "genus Aplectrum", + "puttyroot", + "adam-and-eve", + "Aplectrum hyemale", + "genus Arethusa", + "arethusa", + "bog rose", + "wild pink", + "dragon's mouth", + "Arethusa bulbosa", + "genus Bletia", + "bletia", + "Bletilla", + "genus Bletilla", + "Bletilla striata", + "Bletia striata", + "pseudobulb", + "genus Brassavola", + "brassavola", + "Brassia", + "genus Brassia", + "spider orchid", + "Brassia lawrenceana", + "spider orchid", + "Brassia verrucosa", + "genus Caladenia", + "caladenia", + "zebra orchid", + "Caladenia cairnsiana", + "genus Calanthe", + "calanthe", + "Calopogon", + "genus Calopogon", + "grass pink", + "Calopogon pulchellum", + "Calopogon tuberosum", + "genus Calypso", + "calypso", + "fairy-slipper", + "Calypso bulbosa", + "Catasetum", + "genus Catasetum", + "jumping orchid", + "Catasetum macrocarpum", + "genus Cattleya", + "cattleya", + "Cephalanthera", + "genus Cephalanthera", + "helleborine", + "red helleborine", + "Cephalanthera rubra", + "Cleistes", + "genus Cleistes", + "spreading pogonia", + "funnel-crest rosebud orchid", + "Cleistes divaricata", + "Pogonia divaricata", + "rosebud orchid", + "Cleistes rosea", + "Pogonia rosea", + "Coeloglossum", + "genus Coeloglossum", + "satyr orchid", + "Coeloglossum bracteatum", + "frog orchid", + "Coeloglossum viride", + "genus Coelogyne", + "coelogyne", + "Corallorhiza", + "genus Corallorhiza", + "coral root", + "spotted coral root", + "Corallorhiza maculata", + "striped coral root", + "Corallorhiza striata", + "early coral root", + "pale coral root", + "Corallorhiza trifida", + "Coryanthes", + "genus Coryanthes", + "helmetflower", + "helmet orchid", + "Cycnoches", + "genus Cycnoches", + "swan orchid", + "swanflower", + "swan-flower", + "swanneck", + "swan-neck", + "genus Cymbidium", + "cymbid", + "cymbidium", + "Cypripedium", + "genus Cypripedium", + "cypripedia", + "lady's slipper", + "lady-slipper", + "ladies' slipper", + "slipper orchid", + "moccasin flower", + "nerveroot", + "Cypripedium acaule", + "common lady's-slipper", + "showy lady's-slipper", + "showy lady slipper", + "Cypripedium reginae", + "Cypripedium album", + "ram's-head", + "ram's-head lady's slipper", + "Cypripedium arietinum", + "yellow lady's slipper", + "yellow lady-slipper", + "Cypripedium calceolus", + "Cypripedium parviflorum", + "large yellow lady's slipper", + "Cypripedium calceolus pubescens", + "California lady's slipper", + "Cypripedium californicum", + "clustered lady's slipper", + "Cypripedium fasciculatum", + "mountain lady's slipper", + "Cypripedium montanum", + "Dactylorhiza", + "genus Dactylorhiza", + "marsh orchid", + "common spotted orchid", + "Dactylorhiza fuchsii", + "Dactylorhiza maculata fuchsii", + "genus Dendrobium", + "dendrobium", + "genus Disa", + "disa", + "Dracula", + "genus Dracula", + "Dryadella", + "genus Dryadella", + "Eburophyton", + "genus Eburophyton", + "phantom orchid", + "snow orchid", + "Eburophyton austinae", + "Encyclia", + "genus Encyclia", + "tulip orchid", + "Encyclia citrina", + "Cattleya citrina", + "butterfly orchid", + "Encyclia tampensis", + "Epidendrum tampense", + "butterfly orchid", + "butterfly orchis", + "Epidendrum venosum", + "Encyclia venosa", + "Epidendrum", + "genus Epidendrum", + "epidendron", + "Epipactis", + "genus Epipactis", + "helleborine", + "Epipactis helleborine", + "stream orchid", + "chatterbox", + "giant helleborine", + "Epipactis gigantea", + "Glossodia", + "genus Glossodia", + "tongueflower", + "tongue-flower", + "Goodyera", + "genus Goodyera", + "rattlesnake plantain", + "helleborine", + "Grammatophyllum", + "genus Grammatophyllum", + "Gymnadenia", + "genus Gymnadenia", + "fragrant orchid", + "Gymnadenia conopsea", + "short-spurred fragrant orchid", + "Gymnadenia odoratissima", + "Gymnadeniopsis", + "genus Gymnadeniopsis", + "Habenaria", + "genus Habenaria", + "fringed orchis", + "fringed orchid", + "frog orchid", + "rein orchid", + "rein orchis", + "bog rein orchid", + "bog candles", + "Habenaria dilatata", + "white fringed orchis", + "white fringed orchid", + "Habenaria albiflora", + "elegant Habenaria", + "Habenaria elegans", + "purple-fringed orchid", + "purple-fringed orchis", + "Habenaria fimbriata", + "coastal rein orchid", + "Habenaria greenei", + "Hooker's orchid", + "Habenaria hookeri", + "ragged orchid", + "ragged orchis", + "ragged-fringed orchid", + "green fringed orchis", + "Habenaria lacera", + "prairie orchid", + "prairie white-fringed orchis", + "Habenaria leucophaea", + "snowy orchid", + "Habenaria nivea", + "round-leaved rein orchid", + "Habenaria orbiculata", + "purple fringeless orchid", + "purple fringeless orchis", + "Habenaria peramoena", + "purple-fringed orchid", + "purple-fringed orchis", + "Habenaria psycodes", + "Alaska rein orchid", + "Habenaria unalascensis", + "Hexalectris", + "genus Hexalectris", + "crested coral root", + "Hexalectris spicata", + "Texas purple spike", + "Hexalectris warnockii", + "Himantoglossum", + "genus Himantoglossum", + "lizard orchid", + "Himantoglossum hircinum", + "genus Laelia", + "laelia", + "genus Liparis", + "liparis", + "twayblade", + "fen orchid", + "fen orchis", + "Liparis loeselii", + "Listera", + "genus Listera", + "broad-leaved twayblade", + "Listera convallarioides", + "lesser twayblade", + "Listera cordata", + "twayblade", + "Listera ovata", + "Malaxis", + "genus Malaxis", + "green adder's mouth", + "Malaxis-unifolia", + "Malaxis ophioglossoides", + "genus Masdevallia", + "masdevallia", + "genus Maxillaria", + "maxillaria", + "Miltonia", + "genus Miltonia", + "pansy orchid", + "genus Odontoglossum", + "odontoglossum", + "genus Oncidium", + "oncidium", + "dancing lady orchid", + "butterfly plant", + "butterfly orchid", + "Ophrys", + "genus Ophrys", + "bee orchid", + "Ophrys apifera", + "fly orchid", + "Ophrys insectifera", + "Ophrys muscifera", + "spider orchid", + "early spider orchid", + "Ophrys sphegodes", + "Paphiopedilum", + "genus Paphiopedilum", + "Venus' slipper", + "Venus's slipper", + "Venus's shoe", + "genus Phaius", + "phaius", + "Phalaenopsis", + "genus Phalaenopsis", + "moth orchid", + "moth plant", + "butterfly plant", + "Phalaenopsis amabilis", + "Pholidota", + "genus Pholidota", + "rattlesnake orchid", + "Phragmipedium", + "genus Phragmipedium", + "Platanthera", + "genus Platanthera", + "lesser butterfly orchid", + "Platanthera bifolia", + "Habenaria bifolia", + "greater butterfly orchid", + "Platanthera chlorantha", + "Habenaria chlorantha", + "prairie white-fringed orchid", + "Platanthera leucophea", + "Plectorrhiza", + "genus Plectorrhiza", + "tangle orchid", + "Pleione", + "genus Pleione", + "Indian crocus", + "genus Pleurothallis", + "pleurothallis", + "genus Pogonia", + "pogonia", + "Psychopsis", + "genus Psychopsis", + "butterfly orchid", + "Psychopsis krameriana", + "Oncidium papilio kramerianum", + "Psychopsis papilio", + "Oncidium papilio", + "Pterostylis", + "genus Pterostylis", + "helmet orchid", + "greenhood", + "Rhyncostylis", + "genus Rhyncostylis", + "foxtail orchid", + "Sarcochilus", + "genus Sarcochilus", + "orange-blossom orchid", + "Sarcochilus falcatus", + "Scaphosepalum", + "genus Scaphosepalum", + "Schomburgkia", + "genus Schomburgkia", + "Selenipedium", + "genus Selenipedium", + "genus Sobralia", + "sobralia", + "Spiranthes", + "genus Spiranthes", + "ladies' tresses", + "lady's tresses", + "screw augur", + "Spiranthes cernua", + "hooded ladies' tresses", + "Spiranthes romanzoffiana", + "western ladies' tresses", + "Spiranthes porrifolia", + "European ladies' tresses", + "Spiranthes spiralis", + "genus Stanhopea", + "stanhopea", + "genus Stelis", + "stelis", + "Trichoceros", + "genus Trichoceros", + "fly orchid", + "genus Vanda", + "vanda", + "blue orchid", + "Vanda caerulea", + "genus Vanilla", + "vanilla", + "vanilla orchid", + "Vanilla planifolia", + "vanillin", + "Burmanniaceae", + "family Burmanniaceae", + "Burmannia", + "genus Burmannia", + "Dioscoreaceae", + "family Dioscoreaceae", + "yam family", + "Dioscorea", + "genus Dioscorea", + "yam", + "yam plant", + "yam", + "white yam", + "water yam", + "Dioscorea alata", + "cinnamon vine", + "Chinese yam", + "Dioscorea batata", + "air potato", + "Dioscorea bulbifera", + "elephant's-foot", + "tortoise plant", + "Hottentot bread vine", + "Hottentot's bread vine", + "Dioscorea elephantipes", + "Hottentot bread", + "Hottentot's bread", + "wild yam", + "Dioscorea paniculata", + "cush-cush", + "Dioscorea trifida", + "Tamus", + "genus Tamus", + "black bryony", + "black bindweed", + "Tamus communis", + "Primulales", + "order Primulales", + "Primulaceae", + "family Primulaceae", + "primrose family", + "genus Primula", + "primrose", + "primula", + "English primrose", + "Primula vulgaris", + "cowslip", + "paigle", + "Primula veris", + "oxlip", + "paigle", + "Primula elatior", + "Chinese primrose", + "Primula sinensis", + "auricula", + "bear's ear", + "Primula auricula", + "polyanthus", + "Primula polyantha", + "Anagallis", + "genus Anagallis", + "pimpernel", + "scarlet pimpernel", + "red pimpernel", + "poor man's weatherglass", + "Anagallis arvensis", + "bog pimpernel", + "Anagallis tenella", + "Centunculus", + "genus Centunculus", + "chaffweed", + "bastard pimpernel", + "false pimpernel", + "genus Cyclamen", + "cyclamen", + "Cyclamen purpurascens", + "sowbread", + "Cyclamen hederifolium", + "Cyclamen neopolitanum", + "Glaux", + "genus Glaux", + "sea milkwort", + "sea trifoly", + "black saltwort", + "Glaux maritima", + "Hottonia", + "genus Hottonia", + "featherfoil", + "feather-foil", + "water gillyflower", + "American featherfoil", + "Hottonia inflata", + "water violet", + "Hottonia palustris", + "Lysimachia", + "genus Lysimachia", + "loosestrife", + "gooseneck loosestrife", + "Lysimachia clethroides Duby", + "yellow pimpernel", + "Lysimachia nemorum", + "fringed loosestrife", + "Lysimachia ciliatum", + "moneywort", + "creeping Jenny", + "creeping Charlie", + "Lysimachia nummularia", + "yellow loosestrife", + "garden loosestrife", + "Lysimachia vulgaris", + "swamp candles", + "Lysimachia terrestris", + "whorled loosestrife", + "Lysimachia quadrifolia", + "Samolus", + "genus Samolus", + "water pimpernel", + "brookweed", + "Samolus valerandii", + "brookweed", + "Samolus parviflorus", + "Samolus floribundus", + "Myrsinaceae", + "family Myrsinaceae", + "myrsine family", + "Myrsine", + "genus Myrsine", + "Ardisia", + "genus Ardisia", + "coralberry", + "spiceberry", + "Ardisia crenata", + "marlberry", + "Ardisia escallonoides", + "Ardisia paniculata", + "Plumbaginales", + "order Plumbaginales", + "Plumbaginaceae", + "family Plumbaginaceae", + "leadwort family", + "sea-lavender family", + "genus Plumbago", + "plumbago", + "leadwort", + "Plumbago europaea", + "Armeria", + "genus Armeria", + "thrift", + "cliff rose", + "sea pink", + "Armeria maritima", + "Limonium", + "genus Limonium", + "sea lavender", + "marsh rosemary", + "statice", + "Theophrastaceae", + "family Theophrastaceae", + "Jacquinia", + "genus Jacquinia", + "bracelet wood", + "Jacquinia armillaris", + "barbasco", + "joewood", + "Jacquinia keyensis", + "Graminales", + "order Graminales", + "Gramineae", + "family Gramineae", + "Graminaceae", + "family Graminaceae", + "Poaceae", + "family Poaceae", + "grass family", + "gramineous plant", + "graminaceous plant", + "grass", + "beach grass", + "bunchgrass", + "bunch grass", + "midgrass", + "shortgrass", + "short-grass", + "sword grass", + "tallgrass", + "tall-grass", + "lemongrass", + "lemon grass", + "herbage", + "pasturage", + "Aegilops", + "genus Aegilops", + "goat grass", + "Aegilops triuncalis", + "Agropyron", + "genus Agropyron", + "wheatgrass", + "wheat-grass", + "crested wheatgrass", + "crested wheat grass", + "fairway crested wheat grass", + "Agropyron cristatum", + "dog grass", + "couch grass", + "quackgrass", + "quack grass", + "quick grass", + "witch grass", + "witchgrass", + "Agropyron repens", + "bearded wheatgrass", + "Agropyron subsecundum", + "western wheatgrass", + "bluestem wheatgrass", + "Agropyron smithii", + "intermediate wheatgrass", + "Agropyron intermedium", + "Elymus hispidus", + "slender wheatgrass", + "Agropyron trachycaulum", + "Agropyron pauciflorum", + "Elymus trachycaulos", + "Agrostis", + "genus Agrostis", + "bent", + "bent grass", + "bent-grass", + "velvet bent", + "velvet bent grass", + "brown bent", + "Rhode Island bent", + "dog bent", + "Agrostis canina", + "cloud grass", + "Agrostis nebulosa", + "creeping bent", + "creeping bentgrass", + "Agrostis palustris", + "Alopecurus", + "genus Alopecurus", + "meadow foxtail", + "Alopecurus pratensis", + "foxtail", + "foxtail grass", + "Andropogon", + "genus Andropogon", + "broom grass", + "broom sedge", + "Andropogon virginicus", + "Arrhenatherum", + "genus Arrhenatherum", + "tall oat grass", + "tall meadow grass", + "evergreen grass", + "false oat", + "French rye", + "Arrhenatherum elatius", + "Arundo", + "genus Arundo", + "toetoe", + "toitoi", + "Arundo conspicua", + "Chionochloa conspicua", + "giant reed", + "Arundo donax", + "Avena", + "genus Avena", + "oat", + "cereal oat", + "Avena sativa", + "wild oat", + "wild oat grass", + "Avena fatua", + "slender wild oat", + "Avena barbata", + "wild red oat", + "animated oat", + "Avene sterilis", + "Bromus", + "genus Bromus", + "brome", + "bromegrass", + "awnless bromegrass", + "Bromus inermis", + "chess", + "cheat", + "Bromus secalinus", + "downy brome", + "downy bromegrass", + "downy cheat", + "downy chess", + "cheatgrass", + "drooping brome", + "Bromus tectorum", + "field brome", + "Bromus arvensis", + "Japanese brome", + "Japanese chess", + "Bromus japonicus", + "Bouteloua", + "genus Bouteloua", + "grama", + "grama grass", + "gramma", + "gramma grass", + "blue grama", + "Bouteloua gracilis", + "black grama", + "Bouteloua eriopoda", + "Buchloe", + "genus Buchloe", + "buffalo grass", + "Buchloe dactyloides", + "Calamagrostis", + "genus Calamagrostis", + "reed grass", + "feather reed grass", + "feathertop", + "Calamagrostis acutiflora", + "Australian reed grass", + "Calamagrostic quadriseta", + "Cenchrus", + "genus Cenchrus", + "burgrass", + "bur grass", + "sandbur", + "sandspur", + "field sandbur", + "Cenchrus tribuloides", + "buffel grass", + "Cenchrus ciliaris", + "Pennisetum cenchroides", + "Chloris", + "genus Chloris", + "finger grass", + "Rhodes grass", + "Chloris gayana", + "windmill grass", + "creeping windmill grass", + "star grass", + "Chloris truncata", + "Cortaderia", + "genus Cortaderia", + "pampas grass", + "Cortaderia selloana", + "plumed tussock", + "toe toe", + "toetoe", + "Cortaderia richardii", + "Arundo richardii", + "Cynodon", + "genus Cynodon", + "Bermuda grass", + "devil grass", + "Bahama grass", + "kweek", + "doob", + "scutch grass", + "star grass", + "Cynodon dactylon", + "giant star grass", + "Cynodon plectostachyum", + "Dactylis", + "genus Dactylis", + "orchard grass", + "cocksfoot", + "cockspur", + "Dactylis glomerata", + "Dactyloctenium", + "genus Dactyloctenium", + "Egyptian grass", + "crowfoot grass", + "Dactyloctenium aegypticum", + "Digitaria", + "genus Digitaria", + "crabgrass", + "crab grass", + "finger grass", + "smooth crabgrass", + "Digitaria ischaemum", + "large crabgrass", + "hairy finger grass", + "Digitaria sanguinalis", + "Echinochloa", + "genus Echinochloa", + "barnyard grass", + "barn grass", + "barn millet", + "Echinochloa crusgalli", + "Japanese millet", + "billion-dollar grass", + "Japanese barnyard millet", + "sanwa millet", + "Echinochloa frumentacea", + "Eleusine", + "genus Eleusine", + "yardgrass", + "yard grass", + "wire grass", + "goose grass", + "Eleusine indica", + "finger millet", + "ragi", + "ragee", + "African millet", + "coracan", + "corakan", + "kurakkan", + "Eleusine coracana", + "Elymus", + "genus Elymus", + "lyme grass", + "wild rye", + "giant ryegrass", + "Elymus condensatus", + "Leymus condensatus", + "sea lyme grass", + "European dune grass", + "Elymus arenarius", + "Leymus arenaria", + "Canada wild rye", + "Elymus canadensis", + "medusa's head", + "Elymus caput-medusae", + "Eragrostis", + "genus Eragrostis", + "love grass", + "bay grass", + "teff", + "teff grass", + "Eragrostis tef", + "Eragrostic abyssinica", + "weeping love grass", + "African love grass", + "Eragrostis curvula", + "Erianthus", + "genus Erianthus", + "plume grass", + "Ravenna grass", + "wool grass", + "Erianthus ravennae", + "Festuca", + "genus Festuca", + "fescue", + "fescue grass", + "meadow fescue", + "Festuca elatior", + "sheep fescue", + "sheep's fescue", + "Festuca ovina", + "silver grass", + "Glyceria", + "genus Glyceria", + "manna grass", + "sweet grass", + "reed meadow grass", + "Glyceria grandis", + "Holcus", + "genus Holcus", + "velvet grass", + "Yorkshire fog", + "Holcus lanatus", + "creeping soft grass", + "Holcus mollis", + "Hordeum", + "genus Hordeum", + "barley", + "common barley", + "Hordeum vulgare", + "barleycorn", + "barley grass", + "wall barley", + "Hordeum murinum", + "squirreltail barley", + "foxtail barley", + "squirreltail grass", + "Hordeum jubatum", + "little barley", + "Hordeum pusillum", + "Leymus", + "genus Leymus", + "Lolium", + "genus Lolium", + "rye grass", + "ryegrass", + "perennial ryegrass", + "English ryegrass", + "Lolium perenne", + "Italian ryegrass", + "Italian rye", + "Lolium multiflorum", + "darnel", + "tare", + "bearded darnel", + "cheat", + "Lolium temulentum", + "Muhlenbergia", + "genus Muhlenbergia", + "nimblewill", + "nimble Will", + "Muhlenbergia schreberi", + "Oryza", + "genus Oryza", + "rice", + "cultivated rice", + "Oryza sativa", + "Oryzopsis", + "genus Oryzopsis", + "ricegrass", + "rice grass", + "mountain rice", + "silkgrass", + "silk grass", + "Indian millet", + "Oryzopsis hymenoides", + "smilo", + "smilo grass", + "Oryzopsis miliacea", + "Panicum", + "genus Panicum", + "panic grass", + "witchgrass", + "witch grass", + "old witchgrass", + "old witch grass", + "tumble grass", + "Panicum capillare", + "switch grass", + "Panicum virgatum", + "broomcorn millet", + "hog millet", + "Panicum miliaceum", + "goose grass", + "Texas millet", + "Panicum Texanum", + "genus Paspalum", + "dallisgrass", + "dallis grass", + "paspalum", + "Paspalum dilatatum", + "Bahia grass", + "Paspalum notatum", + "knotgrass", + "Paspalum distichum", + "Pennisetum", + "genus Pennisetum", + "pearl millet", + "bulrush millet", + "cattail millet", + "Pennisetum glaucum", + "Pennisetum Americanum", + "fountain grass", + "Pennisetum ruppelii", + "Pennisetum setaceum", + "feathertop", + "feathertop grass", + "Pennistum villosum", + "Phalaris", + "genus Phalaris", + "reed canary grass", + "gardener's garters", + "lady's laces", + "ribbon grass", + "Phalaris arundinacea", + "canary grass", + "birdseed grass", + "Phalaris canariensis", + "hardinggrass", + "Harding grass", + "toowomba canary grass", + "Phalaris aquatica", + "Phalaris tuberosa", + "Phleum", + "genus Phleum", + "timothy", + "herd's grass", + "Phleum pratense", + "Phragmites", + "genus Phragmites", + "ditch reed", + "common reed", + "carrizo", + "Phragmites communis", + "Poa", + "genus Poa", + "bluegrass", + "blue grass", + "meadowgrass", + "meadow grass", + "Kentucky bluegrass", + "Kentucky blue", + "Kentucy blue grass", + "June grass", + "Poa pratensis", + "wood meadowgrass", + "Poa nemoralis", + "Agrostis alba", + "Saccharum", + "genus Saccharum", + "sugarcane", + "sugar cane", + "Saccharum officinarum", + "sugarcane", + "sugar cane", + "noble cane", + "munj", + "munja", + "Saccharum bengalense", + "Saccharum munja", + "Schizachyrium", + "genus Schizachyrium", + "broom beard grass", + "prairie grass", + "wire grass", + "Andropogon scoparius", + "Schizachyrium scoparium", + "bluestem", + "blue stem", + "Andropogon furcatus", + "Andropogon gerardii", + "Secale", + "genus Secale", + "rye", + "Secale cereale", + "Setaria", + "genus Setaria", + "bristlegrass", + "bristle grass", + "giant foxtail", + "yellow bristlegrass", + "yellow bristle grass", + "yellow foxtail", + "glaucous bristlegrass", + "Setaria glauca", + "green bristlegrass", + "green foxtail", + "rough bristlegrass", + "bottle-grass", + "bottle grass", + "Setaria viridis", + "foxtail millet", + "Italian millet", + "Hungarian grass", + "Setaria italica", + "Siberian millet", + "Setaria italica rubrofructa", + "German millet", + "golden wonder millet", + "Setaria italica stramineofructa", + "millet", + "cane", + "rattan", + "rattan cane", + "malacca", + "reed", + "genus Sorghum", + "Sorghum", + "sorghum", + "great millet", + "kaffir", + "kafir corn", + "kaffir corn", + "Sorghum bicolor", + "grain sorghum", + "durra", + "doura", + "dourah", + "Egyptian corn", + "Indian millet", + "Guinea corn", + "feterita", + "federita", + "Sorghum vulgare caudatum", + "hegari", + "kaoliang", + "milo", + "milo maize", + "shallu", + "Sorghum vulgare rosburghii", + "sorgo", + "sorgho", + "sweet sorghum", + "sugar sorghum", + "Johnson grass", + "Aleppo grass", + "means grass", + "evergreen millet", + "Sorghum halepense", + "broomcorn", + "Sorghum vulgare technicum", + "Spartina", + "genus Spartina", + "cordgrass", + "cord grass", + "salt reed grass", + "Spartina cynosuroides", + "prairie cordgrass", + "freshwater cordgrass", + "slough grass", + "Spartina pectinmata", + "Sporobolus", + "genus Sporobolus", + "dropseed", + "drop-seed", + "smut grass", + "blackseed", + "carpet grass", + "Sporobolus poiretii", + "sand dropseed", + "Sporobolus cryptandrus", + "rush grass", + "rush-grass", + "Stenotaphrum", + "genus Stenotaphrum", + "St. Augustine grass", + "Stenotaphrum secundatum", + "buffalo grass", + "grain", + "cereal", + "cereal grass", + "Triticum", + "genus Triticum", + "wheat", + "wheat berry", + "durum", + "durum wheat", + "hard wheat", + "Triticum durum", + "Triticum turgidum", + "macaroni wheat", + "soft wheat", + "common wheat", + "Triticum aestivum", + "spelt", + "Triticum spelta", + "Triticum aestivum spelta", + "emmer", + "starch wheat", + "two-grain spelt", + "Triticum dicoccum", + "wild wheat", + "wild emmer", + "Triticum dicoccum dicoccoides", + "Zea", + "genus Zea", + "corn", + "maize", + "Indian corn", + "Zea mays", + "corn", + "mealie", + "field corn", + "corn", + "sweet corn", + "sugar corn", + "green corn", + "sweet corn plant", + "Zea mays rugosa", + "Zea saccharata", + "dent corn", + "Zea mays indentata", + "flint corn", + "flint maize", + "Yankee corn", + "Zea mays indurata", + "soft corn", + "flour corn", + "squaw corn", + "Zea mays amylacea", + "popcorn", + "Zea mays everta", + "cornsilk", + "corn silk", + "Zizania", + "genus Zizania", + "wild rice", + "Zizania aquatica", + "genus Zoysia", + "Zoisia", + "genus Zoisia", + "zoysia", + "Manila grass", + "Japanese carpet grass", + "Zoysia matrella", + "Korean lawn grass", + "Japanese lawn grass", + "Zoysia japonica", + "mascarene grass", + "Korean velvet grass", + "Zoysia tenuifolia", + "Bambuseae", + "tribe Bambuseae", + "bamboo", + "bamboo", + "Bambusa", + "genus Bambusa", + "common bamboo", + "Bambusa vulgaris", + "Arundinaria", + "genus Arundinaria", + "giant cane", + "cane reed", + "Arundinaria gigantea", + "small cane", + "switch cane", + "Arundinaria tecta", + "Dendrocalamus", + "genus Dendrocalamus", + "giant bamboo", + "kyo-chiku", + "Dendrocalamus giganteus", + "Phyllostachys", + "genus Phyllostachys", + "fishpole bamboo", + "gosan-chiku", + "hotei-chiku", + "Phyllostachys aurea", + "black bamboo", + "kuri-chiku", + "Phyllostachys nigra", + "giant timber bamboo", + "madake", + "ku-chiku", + "Phyllostachys bambusoides", + "Cyperaceae", + "family Cyperaceae", + "sedge family", + "sedge", + "Cyperus", + "genus Cyperus", + "umbrella plant", + "umbrella sedge", + "Cyperus alternifolius", + "chufa", + "yellow nutgrass", + "earth almond", + "ground almond", + "rush nut", + "Cyperus esculentus", + "galingale", + "galangal", + "Cyperus longus", + "papyrus", + "Egyptian paper reed", + "Egyptian paper rush", + "paper rush", + "paper plant", + "Cyperus papyrus", + "nutgrass", + "nut grass", + "nutsedge", + "nut sedge", + "Cyperus rotundus", + "Carex", + "genus Carex", + "sand sedge", + "sand reed", + "Carex arenaria", + "cypress sedge", + "Carex pseudocyperus", + "Eriophorum", + "genus Eriophorum", + "cotton grass", + "cotton rush", + "common cotton grass", + "Eriophorum angustifolium", + "Scirpus", + "genus Scirpus", + "hardstem bulrush", + "hardstemmed bulrush", + "Scirpus acutus", + "wool grass", + "Scirpus cyperinus", + "Eleocharis", + "genus Eleocharis", + "spike rush", + "water chestnut", + "Chinese water chestnut", + "Eleocharis dulcis", + "needle spike rush", + "needle rush", + "slender spike rush", + "hair grass", + "Eleocharis acicularis", + "creeping spike rush", + "Eleocharis palustris", + "Pandanales", + "order Pandanales", + "Pandanaceae", + "family Pandanaceae", + "screw-pine family", + "genus Pandanus", + "pandanus", + "screw pine", + "textile screw pine", + "lauhala", + "Pandanus tectorius", + "pandanus", + "Typhaceae", + "family Typhaceae", + "cattail family", + "Typha", + "genus Typha", + "cattail", + "cat's-tail", + "bullrush", + "bulrush", + "nailrod", + "reed mace", + "reedmace", + "Typha latifolia", + "lesser bullrush", + "narrow-leaf cattail", + "narrow-leaved reedmace", + "soft flag", + "Typha angustifolia", + "Sparganiaceae", + "family Sparganiaceae", + "bur-reed family", + "Sparganium", + "genus Sparganium", + "bur reed", + "grain", + "caryopsis", + "kernel", + "rye", + "Cucurbitaceae", + "family Cucurbitaceae", + "gourd family", + "cucurbit", + "gourd", + "gourd vine", + "gourd", + "Cucurbita", + "genus Cucurbita", + "pumpkin", + "pumpkin vine", + "autumn pumpkin", + "Cucurbita pepo", + "squash", + "squash vine", + "summer squash", + "summer squash vine", + "Cucurbita pepo melopepo", + "yellow squash", + "marrow", + "marrow squash", + "vegetable marrow", + "zucchini", + "courgette", + "cocozelle", + "Italian vegetable marrow", + "cymling", + "pattypan squash", + "spaghetti squash", + "winter squash", + "winter squash plant", + "acorn squash", + "hubbard squash", + "Cucurbita maxima", + "turban squash", + "Cucurbita maxima turbaniformis", + "buttercup squash", + "butternut squash", + "Cucurbita maxima", + "winter crookneck", + "winter crookneck squash", + "Cucurbita moschata", + "cushaw", + "Cucurbita mixta", + "Cucurbita argyrosperma", + "prairie gourd", + "prairie gourd vine", + "Missouri gourd", + "wild pumpkin", + "buffalo gourd", + "calabazilla", + "Cucurbita foetidissima", + "prairie gourd", + "genus Bryonia", + "bryony", + "briony", + "white bryony", + "devil's turnip", + "Bryonia alba", + "red bryony", + "wild hop", + "Bryonia dioica", + "Citrullus", + "genus Citrullus", + "melon", + "melon vine", + "watermelon", + "watermelon vine", + "Citrullus vulgaris", + "Cucumis", + "genus Cucumis", + "sweet melon", + "muskmelon", + "sweet melon vine", + "Cucumis melo", + "cantaloupe", + "cantaloup", + "cantaloupe vine", + "cantaloup vine", + "Cucumis melo cantalupensis", + "winter melon", + "Persian melon", + "honeydew melon", + "winter melon vine", + "Cucumis melo inodorus", + "net melon", + "netted melon", + "nutmeg melon", + "Cucumis melo reticulatus", + "cucumber", + "cucumber vine", + "Cucumis sativus", + "Ecballium", + "genus Ecballium", + "squirting cucumber", + "exploding cucumber", + "touch-me-not", + "Ecballium elaterium", + "Lagenaria", + "genus Lagenaria", + "bottle gourd", + "calabash", + "Lagenaria siceraria", + "genus Luffa", + "luffa", + "dishcloth gourd", + "sponge gourd", + "rag gourd", + "strainer vine", + "loofah", + "vegetable sponge", + "Luffa cylindrica", + "angled loofah", + "sing-kwa", + "Luffa acutangula", + "loofa", + "loofah", + "luffa", + "loufah sponge", + "Momordica", + "genus Momordica", + "balsam apple", + "Momordica balsamina", + "balsam pear", + "Momordica charantia", + "Goodeniaceae", + "family Goodeniaceae", + "Goodenia family", + "Goodenia", + "Lobeliaceae", + "family Lobeliaceae", + "lobelia family", + "genus Lobelia", + "lobelia", + "cardinal flower", + "Indian pink", + "Lobelia cardinalis", + "Indian tobacco", + "bladderpod", + "Lobelia inflata", + "water lobelia", + "Lobelia dortmanna", + "great lobelia", + "blue cardinal flower", + "Lobelia siphilitica", + "Malvales", + "order Malvales", + "Malvaceae", + "family Malvaceae", + "mallow family", + "Malva", + "genus Malva", + "mallow", + "musk mallow", + "mus rose", + "Malva moschata", + "common mallow", + "Malva neglecta", + "tall mallow", + "high mallow", + "cheese", + "cheeseflower", + "Malva sylvestris", + "Abelmoschus", + "genus Abelmoschus", + "okra", + "gumbo", + "okra plant", + "lady's-finger", + "Abelmoschus esculentus", + "Hibiscus esculentus", + "okra", + "abelmosk", + "musk mallow", + "Abelmoschus moschatus", + "Hibiscus moschatus", + "Abutilon", + "genus Abutilon", + "flowering maple", + "velvetleaf", + "velvet-leaf", + "velvetweed", + "Indian mallow", + "butter-print", + "China jute", + "Abutilon theophrasti", + "Alcea", + "genus Alcea", + "hollyhock", + "rose mallow", + "Alcea rosea", + "Althea rosea", + "genus Althaea", + "althea", + "althaea", + "hollyhock", + "marsh mallow", + "white mallow", + "Althea officinalis", + "Callirhoe", + "genus Callirhoe", + "poppy mallow", + "fringed poppy mallow", + "Callirhoe digitata", + "purple poppy mallow", + "Callirhoe involucrata", + "clustered poppy mallow", + "Callirhoe triangulata", + "Gossypium", + "genus Gossypium", + "cotton", + "cotton plant", + "tree cotton", + "Gossypium arboreum", + "sea island cotton", + "tree cotton", + "Gossypium barbadense", + "Levant cotton", + "Gossypium herbaceum", + "upland cotton", + "Gossypium hirsutum", + "Peruvian cotton", + "Gossypium peruvianum", + "Egyptian cotton", + "wild cotton", + "Arizona wild cotton", + "Gossypium thurberi", + "genus Hibiscus", + "hibiscus", + "kenaf", + "kanaf", + "deccan hemp", + "bimli", + "bimli hemp", + "Indian hemp", + "Bombay hemp", + "Hibiscus cannabinus", + "kenaf", + "deccan hemp", + "Cuban bast", + "blue mahoe", + "mahoe", + "majagua", + "mahagua", + "Hibiscus elatus", + "sorrel tree", + "Hibiscus heterophyllus", + "rose mallow", + "swamp mallow", + "common rose mallow", + "swamp rose mallow", + "Hibiscus moscheutos", + "cotton rose", + "Confederate rose", + "Confederate rose mallow", + "Hibiscus mutabilis", + "China rose", + "Chinese hibiscus", + "Rose of China", + "shoeblack plant", + "shoe black", + "Hibiscus rosa-sinensis", + "roselle", + "rozelle", + "sorrel", + "red sorrel", + "Jamaica sorrel", + "Hibiscus sabdariffa", + "rose of Sharon", + "Hibiscus syriacus", + "mahoe", + "majagua", + "mahagua", + "balibago", + "purau", + "Hibiscus tiliaceus", + "flower-of-an-hour", + "flowers-of-an-hour", + "bladder ketmia", + "black-eyed Susan", + "Hibiscus trionum", + "Hoheria", + "genus Hoheria", + "lacebark", + "ribbonwood", + "houhere", + "Hoheria populnea", + "Iliamna", + "genus Iliamna", + "wild hollyhock", + "Iliamna remota", + "Sphaeralcea remota", + "mountain hollyhock", + "Iliamna ruvularis", + "Iliamna acerifolia", + "Kosteletzya", + "genus Kosteletzya", + "seashore mallow", + "salt marsh mallow", + "Kosteletzya virginica", + "Lavatera", + "genus Lavatera", + "tree mallow", + "velvetleaf", + "velvet-leaf", + "Lavatera arborea", + "Malacothamnus", + "genus Malacothamnus", + "chaparral mallow", + "Malacothamnus fasciculatus", + "Sphaeralcea fasciculata", + "genus Malope", + "malope", + "Malope trifida", + "Malvastrum", + "genus Malvastrum", + "false mallow", + "Malvaviscus", + "genus Malvaviscus", + "waxmallow", + "wax mallow", + "sleeping hibiscus", + "Napaea", + "genus Napaea", + "glade mallow", + "Napaea dioica", + "genus Pavonia", + "pavonia", + "Plagianthus", + "genus Plagianthus", + "ribbon tree", + "ribbonwood", + "Plagianthus regius", + "Plagianthus betulinus", + "New Zealand cotton", + "Radyera", + "genus Radyera", + "bush hibiscus", + "Radyera farragei", + "Hibiscus farragei", + "Sida", + "genus Sida", + "Virginia mallow", + "Sida hermaphrodita", + "Queensland hemp", + "jellyleaf", + "Sida rhombifolia", + "Indian mallow", + "Sida spinosa", + "Sidalcea", + "genus Sidalcea", + "checkerbloom", + "wild hollyhock", + "Sidalcea malviflora", + "Sphaeralcea", + "genus Sphaeralcea", + "globe mallow", + "false mallow", + "prairie mallow", + "red false mallow", + "Sphaeralcea coccinea", + "Malvastrum coccineum", + "Thespesia", + "genus Thespesia", + "tulipwood tree", + "tulipwood", + "portia tree", + "bendy tree", + "seaside mahoe", + "Thespesia populnea", + "Bombacaceae", + "family Bombacaceae", + "Bombax", + "genus Bombax", + "red silk-cotton tree", + "simal", + "Bombax ceiba", + "Bombax malabarica", + "Adansonia", + "genus Adansonia", + "cream-of-tartar tree", + "sour gourd", + "Adansonia gregorii", + "baobab", + "monkey-bread tree", + "Adansonia digitata", + "Ceiba", + "genus Ceiba", + "kapok", + "ceiba tree", + "silk-cotton tree", + "white silk-cotton tree", + "Bombay ceiba", + "God tree", + "Ceiba pentandra", + "Durio", + "genus Durio", + "durian", + "durion", + "durian tree", + "Durio zibethinus", + "genus Montezuma", + "Montezuma", + "Ochroma", + "genus Ochroma", + "balsa", + "Ochroma lagopus", + "balsa", + "balsa wood", + "Pseudobombax", + "genus Pseudobombax", + "shaving-brush tree", + "Pseudobombax ellipticum", + "Elaeocarpaceae", + "family Elaeocarpaceae", + "elaeocarpus family", + "Elaeocarpus", + "genus Elaeocarpus", + "quandong", + "quandong tree", + "Brisbane quandong", + "silver quandong tree", + "blue fig", + "Elaeocarpus grandis", + "silver quandong", + "quandong", + "blue fig", + "Aristotelia", + "genus Aristotelia", + "makomako", + "New Zealand wine berry", + "wineberry", + "Aristotelia serrata", + "Aristotelia racemosa", + "Muntingia", + "genus Muntingia", + "Jamaican cherry", + "calabur tree", + "calabura", + "silk wood", + "silkwood", + "Muntingia calabura", + "Sloanea", + "genus Sloanea", + "breakax", + "breakaxe", + "break-axe", + "Sloanea jamaicensis", + "Sterculiaceae", + "family Sterculiaceae", + "sterculia family", + "genus Sterculia", + "sterculia", + "Panama tree", + "Sterculia apetala", + "kalumpang", + "Java olives", + "Sterculia foetida", + "Brachychiton", + "genus Brachychiton", + "bottle-tree", + "bottle tree", + "flame tree", + "flame durrajong", + "Brachychiton acerifolius", + "Sterculia acerifolia", + "flame tree", + "broad-leaved bottletree", + "Brachychiton australis", + "kurrajong", + "currajong", + "Brachychiton populneus", + "Queensland bottletree", + "narrow-leaved bottletree", + "Brachychiton rupestris", + "Sterculia rupestris", + "Cola", + "genus Cola", + "kola", + "kola nut", + "kola nut tree", + "goora nut", + "Cola acuminata", + "kola nut", + "cola nut", + "genus Dombeya", + "dombeya", + "Firmiana", + "genus Firmiana", + "Chinese parasol tree", + "Chinese parasol", + "Japanese varnish tree", + "phoenix tree", + "Firmiana simplex", + "Fremontodendron", + "genus Fremontodendron", + "Fremontia", + "genus Fremontia", + "flannelbush", + "flannel bush", + "California beauty", + "Helicteres", + "genus Helicteres", + "screw tree", + "nut-leaved screw tree", + "Helicteres isora", + "Heritiera", + "genus Heritiera", + "Terrietia", + "genus Terrietia", + "red beech", + "brown oak", + "booyong", + "crow's foot", + "stave wood", + "silky elm", + "Heritiera trifoliolata", + "Terrietia trifoliolata", + "looking glass tree", + "Heritiera macrophylla", + "looking-glass plant", + "Heritiera littoralis", + "Hermannia", + "genus Hermannia", + "honey bell", + "honeybells", + "Hermannia verticillata", + "Mahernia verticillata", + "Pterospermum", + "genus Pterospermum", + "mayeng", + "maple-leaved bayur", + "Pterospermum acerifolium", + "Tarrietia", + "genus Tarrietia", + "silver tree", + "Tarrietia argyrodendron", + "Theobroma", + "genus Theobroma", + "cacao", + "cacao tree", + "chocolate tree", + "Theobroma cacao", + "Triplochiton", + "genus Triplochiton", + "obeche", + "obechi", + "arere", + "samba", + "Triplochiton scleroxcylon", + "obeche", + "Tiliaceae", + "family Tiliaceae", + "linden family", + "Tilia", + "genus Tilia", + "linden", + "linden tree", + "basswood", + "lime", + "lime tree", + "basswood", + "linden", + "American basswood", + "American lime", + "Tilia americana", + "small-leaved linden", + "small-leaved lime", + "Tilia cordata", + "white basswood", + "cottonwood", + "Tilia heterophylla", + "Japanese linden", + "Japanese lime", + "Tilia japonica", + "silver lime", + "silver linden", + "Tilia tomentosa", + "Entelea", + "genus Entelea", + "Corchorus", + "genus Corchorus", + "corchorus", + "Grewia", + "genus Grewia", + "phalsa", + "Grewia asiatica", + "Sparmannia", + "genus Sparmannia", + "African hemp", + "Sparmannia africana", + "herb", + "herbaceous plant", + "vegetable", + "simple", + "Rosidae", + "subclass Rosidae", + "Umbellales", + "order Umbellales", + "Proteales", + "order Proteales", + "Proteaceae", + "family Proteaceae", + "protea family", + "Bartle Frere", + "genus Bartle-Frere", + "green dinosaur", + "genus Protea", + "protea", + "honeypot", + "king protea", + "Protea cynaroides", + "honeyflower", + "honey-flower", + "Protea mellifera", + "genus Banksia", + "banksia", + "honeysuckle", + "Australian honeysuckle", + "coast banksia", + "Banksia integrifolia", + "Conospermum", + "genus Conospermum", + "smoke bush", + "Embothrium", + "genus Embothrium", + "Chilean firebush", + "Chilean flameflower", + "Embothrium coccineum", + "Guevina", + "genus Guevina", + "Chilean nut", + "Chile nut", + "Chile hazel", + "Chilean hazelnut", + "Guevina heterophylla", + "Guevina avellana", + "genus Grevillea", + "grevillea", + "silk oak", + "red-flowered silky oak", + "Grevillea banksii", + "silver oak", + "Grevillela parallela", + "silky oak", + "Grevillea robusta", + "beefwood", + "Grevillea striata", + "Hakea", + "genus Hakea", + "cushion flower", + "pincushion hakea", + "Hakea laurina", + "needlewood", + "needle-wood", + "needle wood", + "Hakea leucoptera", + "needlebush", + "needle-bush", + "needle bush", + "Hakea lissosperma", + "Knightia", + "genus Knightia", + "rewa-rewa", + "New Zealand honeysuckle", + "Lambertia", + "genus Lambertia", + "honeyflower", + "honey-flower", + "mountain devil", + "Lambertia formosa", + "Leucadendron", + "genus Leucadendron", + "silver tree", + "Leucadendron argenteum", + "genus Lomatia", + "lomatia", + "genus Macadamia", + "macadamia", + "macadamia tree", + "Macadamia integrifolia", + "macadamia nut", + "macadamia nut tree", + "Macadamia ternifolia", + "Queensland nut", + "Macadamia tetraphylla", + "Orites", + "genus Orites", + "prickly ash", + "Orites excelsa", + "Persoonia", + "genus Persoonia", + "geebung", + "Stenocarpus", + "genus Stenocarpus", + "wheel tree", + "firewheel tree", + "Stenocarpus sinuatus", + "scrub beefwood", + "beefwood", + "Stenocarpus salignus", + "Telopea", + "genus Telopea", + "waratah", + "Telopea Oreades", + "waratah", + "Telopea speciosissima", + "Xylomelum", + "genus Xylomelum", + "native pear", + "woody pear", + "Xylomelum pyriforme", + "Casuarinales", + "order Casuarinales", + "Casuarinaceae", + "family Casuarinaceae", + "genus Casuarina", + "casuarina", + "she-oak", + "beefwood", + "Australian pine", + "Casuarina equisetfolia", + "beefwood", + "Ericales", + "order Ericales", + "Ericaceae", + "family Ericaceae", + "heath family", + "heath", + "genus Erica", + "erica", + "true heath", + "tree heath", + "briar", + "brier", + "Erica arborea", + "briarroot", + "briarwood", + "brierwood", + "brier-wood", + "winter heath", + "spring heath", + "Erica carnea", + "bell heather", + "heather bell", + "fine-leaved heath", + "Erica cinerea", + "cross-leaved heath", + "bell heather", + "Erica tetralix", + "Cornish heath", + "Erica vagans", + "Spanish heath", + "Portuguese heath", + "Erica lusitanica", + "Prince-of-Wales'-heath", + "Prince of Wales heath", + "Erica perspicua", + "genus Andromeda", + "andromeda", + "bog rosemary", + "moorwort", + "Andromeda glaucophylla", + "marsh andromeda", + "common bog rosemary", + "Andromeda polifolia", + "genus Arbutus", + "arbutus", + "madrona", + "madrono", + "manzanita", + "Arbutus menziesii", + "strawberry tree", + "Irish strawberry", + "Arbutus unedo", + "Arctostaphylos", + "genus Arctostaphylos", + "bearberry", + "common bearberry", + "red bearberry", + "wild cranberry", + "mealberry", + "hog cranberry", + "sand berry", + "sandberry", + "mountain box", + "bear's grape", + "creashak", + "Arctostaphylos uva-ursi", + "alpine bearberry", + "black bearberry", + "Arctostaphylos alpina", + "manzanita", + "heartleaf manzanita", + "Arctostaphylos andersonii", + "Parry manzanita", + "Arctostaphylos manzanita", + "downy manzanita", + "woolly manzanita", + "Arctostaphylos tomentosa", + "Bruckenthalia", + "genus Bruckenthalia", + "spike heath", + "Bruckenthalia spiculifolia", + "genus Bryanthus", + "bryanthus", + "Calluna", + "genus Calluna", + "heather", + "ling", + "Scots heather", + "broom", + "Calluna vulgaris", + "Cassiope", + "genus Cassiope", + "white heather", + "Cassiope mertensiana", + "Chamaedaphne", + "genus Chamaedaphne", + "leatherleaf", + "Chamaedaphne calyculata", + "Daboecia", + "genus Daboecia", + "Connemara heath", + "St. Dabeoc's heath", + "Daboecia cantabrica", + "Epigaea", + "genus Epigaea", + "trailing arbutus", + "mayflower", + "Epigaea repens", + "Gaultheria", + "genus Gaultheria", + "creeping snowberry", + "moxie plum", + "maidenhair berry", + "Gaultheria hispidula", + "teaberry", + "wintergreen", + "checkerberry", + "mountain tea", + "groundberry", + "ground-berry", + "creeping wintergreen", + "Gaultheria procumbens", + "salal", + "shallon", + "Gaultheria shallon", + "Gaylussacia", + "genus Gaylussacia", + "huckleberry", + "black huckleberry", + "Gaylussacia baccata", + "dangleberry", + "dangle-berry", + "Gaylussacia frondosa", + "box huckleberry", + "Gaylussacia brachycera", + "genus Kalmia", + "kalmia", + "mountain laurel", + "wood laurel", + "American laurel", + "calico bush", + "Kalmia latifolia", + "swamp laurel", + "bog laurel", + "bog kalmia", + "Kalmia polifolia", + "sheep laurel", + "pig laurel", + "lambkill", + "Kalmia angustifolia", + "Ledum", + "genus Ledum", + "Labrador tea", + "crystal tea", + "Ledum groenlandicum", + "trapper's tea", + "glandular Labrador tea", + "wild rosemary", + "marsh tea", + "Ledum palustre", + "Leiophyllum", + "genus Leiophyllum", + "sand myrtle", + "Leiophyllum buxifolium", + "genus Leucothoe", + "leucothoe", + "dog laurel", + "dog hobble", + "switch-ivy", + "Leucothoe fontanesiana", + "Leucothoe editorum", + "sweet bells", + "Leucothoe racemosa", + "Loiseleuria", + "genus Loiseleuria", + "alpine azalea", + "mountain azalea", + "Loiseleuria procumbens", + "Lyonia", + "genus Lyonia", + "staggerbush", + "stagger bush", + "Lyonia mariana", + "maleberry", + "male berry", + "privet andromeda", + "he-huckleberry", + "Lyonia ligustrina", + "fetterbush", + "fetter bush", + "shiny lyonia", + "Lyonia lucida", + "Menziesia", + "genus Menziesia", + "false azalea", + "fool's huckleberry", + "Menziesia ferruginea", + "minniebush", + "minnie bush", + "Menziesia pilosa", + "Oxydendrum", + "genus Oxydendrum", + "sorrel tree", + "sourwood", + "titi", + "Oxydendrum arboreum", + "Phyllodoce", + "genus Phyllodoce", + "mountain heath", + "Phyllodoce caerulea", + "Bryanthus taxifolius", + "purple heather", + "Brewer's mountain heather", + "Phyllodoce breweri", + "Pieris", + "genus Pieris", + "andromeda", + "Japanese andromeda", + "lily-of-the-valley tree", + "Pieris japonica", + "fetterbush", + "mountain fetterbush", + "mountain andromeda", + "Pieris floribunda", + "genus Rhododendron", + "rhododendron", + "coast rhododendron", + "Rhododendron californicum", + "rosebay", + "Rhododendron maxima", + "swamp azalea", + "swamp honeysuckle", + "white honeysuckle", + "Rhododendron viscosum", + "subgenus Azalea", + "Azaleastrum", + "subgenus Azaleastrum", + "azalea", + "Vaccinium", + "genus Vaccinium", + "cranberry", + "American cranberry", + "large cranberry", + "Vaccinium macrocarpon", + "European cranberry", + "small cranberry", + "Vaccinium oxycoccus", + "blueberry", + "blueberry bush", + "huckleberry", + "farkleberry", + "sparkleberry", + "Vaccinium arboreum", + "low-bush blueberry", + "low blueberry", + "Vaccinium angustifolium", + "Vaccinium pennsylvanicum", + "rabbiteye blueberry", + "rabbit-eye blueberry", + "rabbiteye", + "Vaccinium ashei", + "dwarf bilberry", + "dwarf blueberry", + "Vaccinium caespitosum", + "high-bush blueberry", + "tall bilberry", + "swamp blueberry", + "Vaccinium corymbosum", + "evergreen blueberry", + "Vaccinium myrsinites", + "evergreen huckleberry", + "Vaccinium ovatum", + "bilberry", + "thin-leaved bilberry", + "mountain blue berry", + "Viccinium membranaceum", + "bilberry", + "whortleberry", + "whinberry", + "blaeberry", + "Viccinium myrtillus", + "bog bilberry", + "bog whortleberry", + "moor berry", + "Vaccinium uliginosum alpinum", + "dryland blueberry", + "dryland berry", + "Vaccinium pallidum", + "grouseberry", + "grouse-berry", + "grouse whortleberry", + "Vaccinium scoparium", + "deerberry", + "squaw huckleberry", + "Vaccinium stamineum", + "cowberry", + "mountain cranberry", + "lingonberry", + "lingenberry", + "lingberry", + "foxberry", + "Vaccinium vitis-idaea", + "Clethraceae", + "family Clethraceae", + "white-alder family", + "Clethra", + "genus Clethra", + "sweet pepperbush", + "pepper bush", + "summer sweet", + "white alder", + "Clethra alnifolia", + "Diapensiaceae", + "family Diapensiaceae", + "diapensia family", + "Diapensiales", + "order Diapensiales", + "genus Diapensia", + "diapensia", + "genus Galax", + "galax", + "galaxy", + "wandflower", + "beetleweed", + "coltsfoot", + "Galax urceolata", + "Pyxidanthera", + "genus Pyxidanthera", + "pyxie", + "pixie", + "pixy", + "Pyxidanthera barbulata", + "genus Shortia", + "shortia", + "oconee bells", + "Shortia galacifolia", + "Epacridaceae", + "family Epacridaceae", + "epacris family", + "Australian heath", + "genus Epacris", + "epacris", + "common heath", + "Epacris impressa", + "common heath", + "blunt-leaf heath", + "Epacris obtusifolia", + "Port Jackson heath", + "Epacris purpurascens", + "Astroloma", + "genus Astroloma", + "native cranberry", + "groundberry", + "ground-berry", + "cranberry heath", + "Astroloma humifusum", + "Styphelia humifusum", + "Richea", + "genus Richea", + "Australian grass tree", + "Richea dracophylla", + "tree heath", + "grass tree", + "Richea pandanifolia", + "Styphelia", + "genus Styphelia", + "pink fivecorner", + "Styphelia triflora", + "Lennoaceae", + "family Lennoaceae", + "Pyrolaceae", + "family Pyrolaceae", + "wintergreen family", + "genus Pyrola", + "wintergreen", + "pyrola", + "false wintergreen", + "Pyrola americana", + "Pyrola rotundifolia americana", + "lesser wintergreen", + "Pyrola minor", + "wild lily of the valley", + "shinleaf", + "Pyrola elliptica", + "wild lily of the valley", + "Pyrola rotundifolia", + "Orthilia", + "genus Orthilia", + "Chimaphila", + "genus Chimaphila", + "pipsissewa", + "prince's pine", + "love-in-winter", + "western prince's pine", + "Chimaphila umbellata", + "Chimaphila corymbosa", + "Moneses", + "genus Moneses", + "one-flowered wintergreen", + "one-flowered pyrola", + "Moneses uniflora", + "Pyrola uniflora", + "Monotropaceae", + "family Monotropaceae", + "Monotropa", + "genus Monotropa", + "Indian pipe", + "waxflower", + "Monotropa uniflora", + "Hypopitys", + "genus Hypopitys", + "pinesap", + "false beachdrops", + "Monotropa hypopithys", + "Sarcodes", + "genus Sarcodes", + "snow plant", + "Sarcodes sanguinea", + "Fagales", + "order Fagales", + "Fagaceae", + "family Fagaceae", + "beech family", + "Fagus", + "genus Fagus", + "beech", + "beech tree", + "beech", + "beechwood", + "common beech", + "European beech", + "Fagus sylvatica", + "copper beech", + "purple beech", + "Fagus sylvatica atropunicea", + "Fagus purpurea", + "Fagus sylvatica purpurea", + "American beech", + "white beech", + "red beech", + "Fagus grandifolia", + "Fagus americana", + "weeping beech", + "Fagus pendula", + "Fagus sylvatica pendula", + "Japanese beech", + "Castanea", + "genus Castanea", + "chestnut", + "chestnut tree", + "chestnut", + "American chestnut", + "American sweet chestnut", + "Castanea dentata", + "European chestnut", + "sweet chestnut", + "Spanish chestnut", + "Castanea sativa", + "Chinese chestnut", + "Castanea mollissima", + "Japanese chestnut", + "Castanea crenata", + "Allegheny chinkapin", + "eastern chinquapin", + "chinquapin", + "dwarf chestnut", + "Castanea pumila", + "Ozark chinkapin", + "Ozark chinquapin", + "chinquapin", + "Castanea ozarkensis", + "Castanopsis", + "genus Castanopsis", + "oak chestnut", + "Chrysolepis", + "genus Chrysolepis", + "giant chinkapin", + "golden chinkapin", + "Chrysolepis chrysophylla", + "Castanea chrysophylla", + "Castanopsis chrysophylla", + "dwarf golden chinkapin", + "Chrysolepis sempervirens", + "Lithocarpus", + "genus Lithocarpus", + "tanbark oak", + "Lithocarpus densiflorus", + "Japanese oak", + "Lithocarpus glabra", + "Lithocarpus glaber", + "tanbark", + "Nothofagus", + "genus Nothofagus", + "southern beech", + "evergreen beech", + "myrtle beech", + "Nothofagus cuninghamii", + "Coigue", + "Nothofagus dombeyi", + "New Zealand beech", + "silver beech", + "Nothofagus menziesii", + "roble beech", + "Nothofagus obliqua", + "rauli beech", + "Nothofagus procera", + "black beech", + "Nothofagus solanderi", + "hard beech", + "Nothofagus truncata", + "acorn", + "cup", + "cupule", + "acorn cup", + "Quercus", + "genus Quercus", + "oak", + "oak tree", + "oak", + "fumed oak", + "live oak", + "coast live oak", + "California live oak", + "Quercus agrifolia", + "white oak", + "American white oak", + "Quercus alba", + "Arizona white oak", + "Quercus arizonica", + "swamp white oak", + "swamp oak", + "Quercus bicolor", + "European turkey oak", + "turkey oak", + "Quercus cerris", + "canyon oak", + "canyon live oak", + "maul oak", + "iron oak", + "Quercus chrysolepis", + "scarlet oak", + "Quercus coccinea", + "jack oak", + "northern pin oak", + "Quercus ellipsoidalis", + "red oak", + "southern red oak", + "swamp red oak", + "turkey oak", + "Quercus falcata", + "Oregon white oak", + "Oregon oak", + "Garry oak", + "Quercus garryana", + "holm oak", + "holm tree", + "holly-leaved oak", + "evergreen oak", + "Quercus ilex", + "holm oak", + "bear oak", + "Quercus ilicifolia", + "shingle oak", + "laurel oak", + "Quercus imbricaria", + "bluejack oak", + "turkey oak", + "Quercus incana", + "California black oak", + "Quercus kelloggii", + "American turkey oak", + "turkey oak", + "Quercus laevis", + "laurel oak", + "pin oak", + "Quercus laurifolia", + "California white oak", + "valley oak", + "valley white oak", + "roble", + "Quercus lobata", + "overcup oak", + "Quercus lyrata", + "bur oak", + "burr oak", + "mossy-cup oak", + "mossycup oak", + "Quercus macrocarpa", + "scrub oak", + "blackjack oak", + "blackjack", + "jack oak", + "Quercus marilandica", + "swamp chestnut oak", + "Quercus michauxii", + "Japanese oak", + "Quercus mongolica", + "Quercus grosseserrata", + "chestnut oak", + "chinquapin oak", + "chinkapin oak", + "yellow chestnut oak", + "Quercus muehlenbergii", + "myrtle oak", + "seaside scrub oak", + "Quercus myrtifolia", + "water oak", + "possum oak", + "Quercus nigra", + "Nuttall oak", + "Nuttall's oak", + "Quercus nuttalli", + "durmast", + "Quercus petraea", + "Quercus sessiliflora", + "basket oak", + "cow oak", + "Quercus prinus", + "Quercus montana", + "pin oak", + "swamp oak", + "Quercus palustris", + "willow oak", + "Quercus phellos", + "dwarf chinkapin oak", + "dwarf chinquapin oak", + "dwarf oak", + "Quercus prinoides", + "common oak", + "English oak", + "pedunculate oak", + "Quercus robur", + "northern red oak", + "Quercus rubra", + "Quercus borealis", + "Shumard oak", + "Shumard red oak", + "Quercus shumardii", + "post oak", + "box white oak", + "brash oak", + "iron oak", + "Quercus stellata", + "cork oak", + "Quercus suber", + "Spanish oak", + "Quercus texana", + "huckleberry oak", + "Quercus vaccinifolia", + "Chinese cork oak", + "Quercus variabilis", + "black oak", + "yellow oak", + "quercitron", + "quercitron oak", + "Quercus velutina", + "southern live oak", + "Quercus virginiana", + "interior live oak", + "Quercus wislizenii", + "Quercus wizlizenii", + "mast", + "Betulaceae", + "family Betulaceae", + "birch family", + "Betula", + "genus Betula", + "birch", + "birch tree", + "birch", + "yellow birch", + "Betula alleghaniensis", + "Betula leutea", + "American white birch", + "paper birch", + "paperbark birch", + "canoe birch", + "Betula cordifolia", + "Betula papyrifera", + "grey birch", + "gray birch", + "American grey birch", + "American gray birch", + "Betula populifolia", + "silver birch", + "common birch", + "European white birch", + "Betula pendula", + "downy birch", + "white birch", + "Betula pubescens", + "black birch", + "river birch", + "red birch", + "Betula nigra", + "sweet birch", + "cherry birch", + "black birch", + "Betula lenta", + "Yukon white birch", + "Betula neoalaskana", + "swamp birch", + "water birch", + "mountain birch", + "Western paper birch", + "Western birch", + "Betula fontinalis", + "Newfoundland dwarf birch", + "American dwarf birch", + "Betula glandulosa", + "Alnus", + "genus Alnus", + "alder", + "alder tree", + "alder", + "common alder", + "European black alder", + "Alnus glutinosa", + "Alnus vulgaris", + "grey alder", + "gray alder", + "Alnus incana", + "seaside alder", + "Alnus maritima", + "white alder", + "mountain alder", + "Alnus rhombifolia", + "red alder", + "Oregon alder", + "Alnus rubra", + "speckled alder", + "Alnus rugosa", + "smooth alder", + "hazel alder", + "Alnus serrulata", + "green alder", + "Alnus veridis", + "green alder", + "Alnus veridis crispa", + "Alnus crispa", + "Carpinaceae", + "subfamily Carpinaceae", + "family Carpinaceae", + "Carpinus", + "genus Carpinus", + "hornbeam", + "European hornbeam", + "Carpinus betulus", + "American hornbeam", + "Carpinus caroliniana", + "Ostrya", + "genus Ostrya", + "hop hornbeam", + "Old World hop hornbeam", + "Ostrya carpinifolia", + "Eastern hop hornbeam", + "ironwood", + "ironwood tree", + "Ostrya virginiana", + "Ostryopsis", + "genus Ostryopsis", + "Corylaceae", + "subfamily Corylaceae", + "family Corylaceae", + "Corylus", + "genus Corylus", + "hazelnut", + "hazel", + "hazelnut tree", + "hazel", + "American hazel", + "Corylus americana", + "cobnut", + "filbert", + "Corylus avellana", + "Corylus avellana grandis", + "beaked hazelnut", + "Corylus cornuta", + "Gentianales", + "order Gentianales", + "Gentianaceae", + "family Gentianaceae", + "gentian family", + "Centaurium", + "genus Centaurium", + "centaury", + "rosita", + "Centaurium calycosum", + "lesser centaury", + "Centaurium minus", + "tufted centaury", + "Centaurium scilloides", + "seaside centaury", + "broad leaved centaury", + "slender centaury", + "Eustoma", + "genus Eustoma", + "prairie gentian", + "tulip gentian", + "bluebell", + "Eustoma grandiflorum", + "Exacum", + "genus Exacum", + "Persian violet", + "Exacum affine", + "Frasera", + "genus Frasera", + "columbo", + "American columbo", + "deer's-ear", + "deer's-ears", + "pyramid plant", + "American gentian", + "green gentian", + "Frasera speciosa", + "Swertia speciosa", + "Gentiana", + "genus Gentiana", + "gentian", + "gentianella", + "Gentiana acaulis", + "closed gentian", + "blind gentian", + "bottle gentian", + "Gentiana andrewsii", + "explorer's gentian", + "Gentiana calycosa", + "closed gentian", + "blind gentian", + "Gentiana clausa", + "great yellow gentian", + "Gentiana lutea", + "marsh gentian", + "calathian violet", + "Gentiana pneumonanthe", + "soapwort gentian", + "Gentiana saponaria", + "striped gentian", + "Gentiana villosa", + "Gentianella", + "genus Gentianella", + "agueweed", + "ague weed", + "five-flowered gentian", + "stiff gentian", + "Gentianella quinquefolia", + "Gentiana quinquefolia", + "felwort", + "gentianella amarella", + "Gentianopsis", + "genus Gentianopsis", + "fringed gentian", + "Gentianopsis crinita", + "Gentiana crinita", + "Gentianopsis detonsa", + "Gentiana detonsa", + "Gentianopsid procera", + "Gentiana procera", + "Gentianopsis thermalis", + "Gentiana thermalis", + "tufted gentian", + "Gentianopsis holopetala", + "Gentiana holopetala", + "Halenia", + "genus Halenia", + "spurred gentian", + "genus Sabbatia", + "sabbatia", + "marsh pink", + "rose pink", + "bitter floom", + "American centaury", + "Sabbatia stellaris", + "Sabbatia Angularis", + "prairia Sabbatia", + "Texas star", + "Sabbatia campestris", + "Swertia", + "genus Swertia", + "marsh felwort", + "Swertia perennia", + "Salvadoraceae", + "family Salvadoraceae", + "Salvadora family", + "Salvadora", + "genus Salvadora", + "toothbrush tree", + "mustard tree", + "Salvadora persica", + "Oleaceae", + "family Oleaceae", + "olive family", + "Oleales", + "order Oleales", + "Olea", + "genus Olea", + "olive tree", + "olive", + "olive", + "European olive tree", + "Olea europaea", + "olive", + "black maire", + "Olea cunninghamii", + "white maire", + "Olea lanceolata", + "Chionanthus", + "genus Chionanthus", + "fringe tree", + "fringe bush", + "Chionanthus virginicus", + "genus Forestiera", + "forestiera", + "tanglebush", + "desert olive", + "Forestiera neomexicana", + "genus Forsythia", + "forsythia", + "Fraxinus", + "genus Fraxinus", + "ash", + "ash tree", + "ash", + "white ash", + "Fraxinus Americana", + "swamp ash", + "Fraxinus caroliniana", + "flowering ash", + "Fraxinus cuspidata", + "flowering ash", + "Fraxinus dipetala", + "European ash", + "common European ash", + "Fraxinus excelsior", + "Oregon ash", + "Fraxinus latifolia", + "Fraxinus oregona", + "black ash", + "basket ash", + "brown ash", + "hoop ash", + "Fraxinus nigra", + "manna ash", + "flowering ash", + "Fraxinus ornus", + "red ash", + "downy ash", + "Fraxinus pennsylvanica", + "green ash", + "Fraxinus pennsylvanica subintegerrima", + "blue ash", + "Fraxinus quadrangulata", + "mountain ash", + "Fraxinus texensis", + "pumpkin ash", + "Fraxinus tomentosa", + "Arizona ash", + "Fraxinus velutina", + "ash-key", + "Jasminum", + "genus Jasminum", + "jasmine", + "primrose jasmine", + "Jasminum mesnyi", + "winter jasmine", + "Jasminum nudiflorum", + "common jasmine", + "true jasmine", + "jessamine", + "Jasminum officinale", + "Arabian jasmine", + "Jasminum sambac", + "Ligustrum", + "genus Ligustrum", + "privet", + "Amur privet", + "Ligustrum amurense", + "ibolium privet", + "ibota privet", + "Ligustrum ibolium", + "Japanese privet", + "Ligustrum japonicum", + "Chinese privet", + "white wax tree", + "Ligustrum lucidum", + "Ligustrum obtusifolium", + "California privet", + "Ligustrum ovalifolium", + "common privet", + "Ligustrum vulgare", + "Osmanthus", + "genus Osmanthus", + "devilwood", + "American olive", + "Osmanthus americanus", + "Phillyrea", + "genus Phillyrea", + "mock privet", + "Syringa", + "genus Syringa", + "lilac", + "Himalayan lilac", + "Syringa emodi", + "Hungarian lilac", + "Syringa josikaea", + "Syringa josikea", + "Persian lilac", + "Syringa persica", + "Japanese tree lilac", + "Syringa reticulata", + "Syringa amurensis japonica", + "Japanese lilac", + "Syringa villosa", + "common lilac", + "Syringa vulgaris", + "manna", + "Haemodoraceae", + "family Haemodoraceae", + "bloodwort family", + "bloodwort", + "Haemodorum", + "genus Haemodorum", + "Anigozanthus", + "genus Anigozanthus", + "kangaroo paw", + "kangaroo's paw", + "kangaroo's-foot", + "kangaroo-foot plant", + "Australian sword lily", + "Anigozanthus manglesii", + "Hamamelidae", + "subclass Hamamelidae", + "Amentiferae", + "group Amentiferae", + "Hamamelidanthum", + "genus Hamamelidanthum", + "Hamamelidoxylon", + "genus Hamamelidoxylon", + "Hamamelites", + "genus Hamamelites", + "Hamamelidaceae", + "family Hamamelidaceae", + "witch-hazel family", + "Hamamelis", + "genus Hamamelis", + "witch hazel", + "witch hazel plant", + "wych hazel", + "wych hazel plant", + "Virginian witch hazel", + "Hamamelis virginiana", + "vernal witch hazel", + "Hamamelis vernalis", + "Corylopsis", + "genus Corylopsis", + "winter hazel", + "flowering hazel", + "genus Fothergilla", + "Fothergilla", + "fothergilla", + "witch alder", + "genus Liquidambar", + "Liquidambar", + "liquidambar", + "sweet gum", + "sweet gum tree", + "bilsted", + "red gum", + "American sweet gum", + "Liquidambar styraciflua", + "sweet gum", + "liquidambar", + "sweet gum", + "satin walnut", + "hazelwood", + "red gum", + "Parrotia", + "genus Parrotia", + "iron tree", + "iron-tree", + "ironwood", + "ironwood tree", + "ironwood", + "Parrotiopsis", + "genus Parrotiopsis", + "Juglandales", + "order Juglandales", + "Juglandaceae", + "family Juglandaceae", + "walnut family", + "Juglans", + "genus Juglans", + "walnut", + "walnut tree", + "walnut", + "California black walnut", + "Juglans californica", + "butternut", + "butternut tree", + "white walnut", + "Juglans cinerea", + "black walnut", + "black walnut tree", + "black hickory", + "Juglans nigra", + "English walnut", + "English walnut tree", + "Circassian walnut", + "Persian walnut", + "Juglans regia", + "Carya", + "genus Carya", + "hickory", + "hickory tree", + "hickory", + "water hickory", + "bitter pecan", + "water bitternut", + "Carya aquatica", + "pignut", + "pignut hickory", + "brown hickory", + "black hickory", + "Carya glabra", + "bitternut", + "bitternut hickory", + "bitter hickory", + "bitter pignut", + "swamp hickory", + "Carya cordiformis", + "pecan", + "pecan tree", + "Carya illinoensis", + "Carya illinoinsis", + "pecan", + "big shellbark", + "big shellbark hickory", + "big shagbark", + "king nut", + "king nut hickory", + "Carya laciniosa", + "nutmeg hickory", + "Carya myristicaeformis", + "Carya myristiciformis", + "shagbark", + "shagbark hickory", + "shellbark", + "shellbark hickory", + "Carya ovata", + "mockernut", + "mockernut hickory", + "black hickory", + "white-heart hickory", + "big-bud hickory", + "Carya tomentosa", + "Pterocarya", + "genus Pterocarya", + "wing nut", + "wing-nut", + "Caucasian walnut", + "Pterocarya fraxinifolia", + "Myrtales", + "order Myrtales", + "Thymelaeales", + "order Thymelaeales", + "Combretaceae", + "family Combretaceae", + "combretum family", + "dhawa", + "dhava", + "genus Combretum", + "combretum", + "hiccup nut", + "hiccough nut", + "Combretum bracteosum", + "bush willow", + "Combretum appiculatum", + "bush willow", + "Combretum erythrophyllum", + "Conocarpus", + "genus Conocarpus", + "button tree", + "button mangrove", + "Conocarpus erectus", + "Laguncularia", + "genus Laguncularia", + "white mangrove", + "Laguncularia racemosa", + "Elaeagnaceae", + "family Elaeagnaceae", + "oleaster family", + "Elaeagnus", + "genus Elaeagnus", + "oleaster", + "wild olive", + "Elaeagnus latifolia", + "silverberry", + "silver berry", + "silverbush", + "silver-bush", + "Elaeagnus commutata", + "Russian olive", + "silver berry", + "Elaeagnus augustifolia", + "Haloragidaceae", + "family Haloragidaceae", + "Haloragaceae", + "family Haloragaceae", + "water-milfoil family", + "Myriophyllum", + "genus Myriophyllum", + "water milfoil", + "Lecythidaceae", + "family Lecythidaceae", + "Grias", + "genus Grias", + "anchovy pear", + "anchovy pear tree", + "Grias cauliflora", + "Bertholletia", + "genus Bertholletia", + "brazil nut", + "brazil-nut tree", + "Bertholletia excelsa", + "Lythraceae", + "family Lythraceae", + "loosestrife family", + "Lythrum", + "genus Lythrum", + "loosestrife", + "purple loosestrife", + "spiked loosestrife", + "Lythrum salicaria", + "grass poly", + "hyssop loosestrife", + "Lythrum hyssopifolia", + "Lagerstroemia", + "genus Lagerstroemia", + "crape myrtle", + "crepe myrtle", + "crepe flower", + "Lagerstroemia indica", + "Queen's crape myrtle", + "pride-of-India", + "Lagerstroemia speciosa", + "pyinma", + "Myrtaceae", + "family Myrtaceae", + "myrtle family", + "myrtaceous tree", + "Myrtus", + "genus Myrtus", + "myrtle", + "common myrtle", + "Myrtus communis", + "Pimenta", + "genus Pimenta", + "bayberry", + "bay-rum tree", + "Jamaica bayberry", + "wild cinnamon", + "Pimenta acris", + "allspice", + "allspice tree", + "pimento tree", + "Pimenta dioica", + "allspice tree", + "Pimenta officinalis", + "Eugenia", + "genus Eugenia", + "sour cherry", + "Eugenia corynantha", + "nakedwood", + "Eugenia dicrana", + "Surinam cherry", + "pitanga", + "Eugenia uniflora", + "rose apple", + "rose-apple tree", + "jambosa", + "Eugenia jambos", + "genus Feijoa", + "feijoa", + "feijoa bush", + "Jambos", + "genus Jambos", + "Myrciaria", + "genus Myrciaria", + "Myrcia", + "jaboticaba", + "jaboticaba tree", + "Myrciaria cauliflora", + "Psidium", + "genus Psidium", + "guava", + "true guava", + "guava bush", + "Psidium guajava", + "guava", + "strawberry guava", + "yellow cattley guava", + "Psidium littorale", + "cattley guava", + "purple strawberry guava", + "Psidium cattleianum", + "Psidium littorale longipes", + "Brazilian guava", + "Psidium guineense", + "gum tree", + "gum", + "gumwood", + "gum", + "genus Eucalyptus", + "eucalyptus", + "eucalypt", + "eucalyptus tree", + "eucalyptus", + "flooded gum", + "mallee", + "stringybark", + "smoothbark", + "red gum", + "peppermint", + "peppermint gum", + "Eucalyptus amygdalina", + "red gum", + "marri", + "Eucalyptus calophylla", + "river red gum", + "river gum", + "Eucalyptus camaldulensis", + "Eucalyptus rostrata", + "mountain swamp gum", + "Eucalyptus camphora", + "snow gum", + "ghost gum", + "white ash", + "Eucalyptus coriacea", + "Eucalyptus pauciflora", + "alpine ash", + "mountain oak", + "Eucalyptus delegatensis", + "white mallee", + "congoo mallee", + "Eucalyptus dumosa", + "white stringybark", + "thin-leaved stringybark", + "Eucalyptusd eugenioides", + "white mountain ash", + "Eucalyptus fraxinoides", + "blue gum", + "fever tree", + "Eucalyptus globulus", + "rose gum", + "Eucalypt grandis", + "cider gum", + "Eucalypt gunnii", + "swamp gum", + "Eucalypt ovata", + "spotted gum", + "Eucalyptus maculata", + "lemon-scented gum", + "Eucalyptus citriodora", + "Eucalyptus maculata citriodora", + "black mallee", + "black sally", + "black gum", + "Eucalytus stellulata", + "forest red gum", + "Eucalypt tereticornis", + "mountain ash", + "Eucalyptus regnans", + "manna gum", + "Eucalyptus viminalis", + "eucalyptus gum", + "eucalyptus kino", + "red gum", + "Syzygium", + "genus Syzygium", + "clove", + "clove tree", + "Syzygium aromaticum", + "Eugenia aromaticum", + "Eugenia caryophyllatum", + "clove", + "Nyssaceae", + "family Nyssaceae", + "sour-gum family", + "tupelo family", + "Nyssa", + "genus Nyssa", + "tupelo", + "tupelo tree", + "water gum", + "Nyssa aquatica", + "sour gum", + "black gum", + "pepperidge", + "Nyssa sylvatica", + "tupelo", + "Onagraceae", + "family Onagraceae", + "evening-primrose family", + "Circaea", + "genus Circaea", + "enchanter's nightshade", + "Alpine enchanter's nightshade", + "Circaea alpina", + "Circaea lutetiana", + "Epilobium", + "genus Epilobium", + "willowherb", + "fireweed", + "giant willowherb", + "rosebay willowherb", + "wickup", + "Epilobium angustifolium", + "California fuchsia", + "humming bird's trumpet", + "Epilobium canum canum", + "Zauschneria californica", + "hairy willowherb", + "codlins-and-cream", + "Epilobium hirsutum", + "genus Fuchsia", + "fuchsia", + "lady's-eardrop", + "ladies'-eardrop", + "lady's-eardrops", + "ladies'-eardrops", + "Fuchsia coccinea", + "konini", + "tree fuchsia", + "native fuchsia", + "Fuchsia excorticata", + "Oenothera", + "genus Oenothera", + "evening primrose", + "common evening primrose", + "German rampion", + "Oenothera biennis", + "sundrops", + "Oenothera fruticosa", + "Missouri primrose", + "Ozark sundrops", + "Oenothera macrocarpa", + "Punicaceae", + "family Punicaceae", + "Punica", + "genus Punica", + "pomegranate", + "pomegranate tree", + "Punica granatum", + "Rhizophoraceae", + "family Rhizophoraceae", + "mangrove family", + "Rhizophora", + "genus Rhizophora", + "mangrove", + "Rhizophora mangle", + "Thymelaeaceae", + "family Thymelaeaceae", + "daphne family", + "genus Daphne", + "daphne", + "garland flower", + "Daphne cneorum", + "spurge laurel", + "wood laurel", + "Daphne laureola", + "mezereon", + "February daphne", + "Daphne mezereum", + "mezereum", + "Dirca", + "genus Dirca", + "leatherwood", + "moosewood", + "moose-wood", + "wicopy", + "ropebark", + "Dirca palustris", + "Trapaceae", + "family Trapaceae", + "Trapa", + "genus Trapa", + "water chestnut", + "water chestnut plant", + "caltrop", + "water caltrop", + "Jesuits' nut", + "Trapa natans", + "ling", + "ling ko", + "Trapa bicornis", + "Melastomataceae", + "family Melastomataceae", + "Melastomaceae", + "family Melastomaceae", + "meadow-beauty family", + "Melastoma", + "genus Melastoma", + "Indian rhododendron", + "Melastoma malabathricum", + "Medinilla", + "genus Medinilla", + "Medinilla magnifica", + "Rhexia", + "genus Rhexia", + "deer grass", + "meadow beauty", + "Musales", + "order Musales", + "Cannaceae", + "family Cannaceae", + "genus Canna", + "canna", + "canna lily", + "Canna generalis", + "achira", + "indian shot", + "arrowroot", + "Canna indica", + "Canna edulis", + "Marantaceae", + "family Marantaceae", + "arrowroot family", + "genus Maranta", + "maranta", + "arrowroot", + "American arrowroot", + "obedience plant", + "Maranta arundinaceae", + "Musaceae", + "family Musaceae", + "banana family", + "Musa", + "genus Musa", + "banana", + "banana tree", + "dwarf banana", + "Musa acuminata", + "Japanese banana", + "Musa basjoo", + "plantain", + "plantain tree", + "Musa paradisiaca", + "edible banana", + "Musa paradisiaca sapientum", + "abaca", + "Manila hemp", + "Musa textilis", + "Ensete", + "genus Ensete", + "Abyssinian banana", + "Ethiopian banana", + "Ensete ventricosum", + "Musa ensete", + "Strelitziaceae", + "family Strelitziaceae", + "strelitzia family", + "Strelitzia", + "genus Strelitzia", + "bird of paradise", + "Strelitzia reginae", + "genus Ravenala", + "traveler's tree", + "traveller's tree", + "ravenala", + "Ravenala madagascariensis", + "Zingiberaceae", + "family Zingiberaceae", + "ginger family", + "Zingiber", + "genus Zingiber", + "ginger", + "common ginger", + "Canton ginger", + "stem ginger", + "Zingiber officinale", + "Curcuma", + "genus Curcuma", + "turmeric", + "Curcuma longa", + "Curcuma domestica", + "Alpinia", + "genus Alpinia", + "genus Zerumbet", + "genus Languas", + "galangal", + "Alpinia galanga", + "lesser galangal", + "Alpinia officinarum", + "Alpinia officinalis", + "red ginger", + "Alpinia purpurata", + "shellflower", + "shall-flower", + "shell ginger", + "Alpinia Zerumbet", + "Alpinia speciosa", + "Languas speciosa", + "Aframomum", + "genus Aframomum", + "grains of paradise", + "Guinea grains", + "Guinea pepper", + "melagueta pepper", + "Aframomum melegueta", + "Elettaria", + "genus Elettaria", + "cardamom", + "cardamon", + "Elettaria cardamomum", + "Dilleniidae", + "subclass Dilleniidae", + "Parietales", + "order Parietales", + "Hypericales", + "order Hypericales", + "Guttiferales", + "order Guttiferales", + "Begoniaceae", + "family Begoniaceae", + "begonia family", + "genus Begonia", + "begonia", + "fibrous-rooted begonia", + "tuberous begonia", + "rhizomatous begonia", + "Christmas begonia", + "blooming-fool begonia", + "Begonia cheimantha", + "angel-wing begonia", + "Begonia cocchinea", + "grape-leaf begonia", + "maple-leaf begonia", + "Begonia dregei", + "beefsteak begonia", + "kidney begonia", + "Begonia erythrophylla", + "Begonia feastii", + "star begonia", + "star-leaf begonia", + "Begonia heracleifolia", + "rex begonia", + "king begonia", + "painted-leaf begonia", + "beefsteak geranium", + "Begonia rex", + "wax begonia", + "Begonia semperflorens", + "Socotra begonia", + "Begonia socotrana", + "hybrid tuberous begonia", + "Begonia tuberhybrida", + "Dilleniaceae", + "family Dilleniaceae", + "genus Dillenia", + "dillenia", + "Hibbertia", + "genus Hibbertia", + "guinea gold vine", + "guinea flower", + "Guttiferae", + "family Guttiferae", + "Clusiaceae", + "family Clusiaceae", + "St John's wort family", + "Calophyllum", + "genus Calophyllum", + "poon", + "poon", + "calaba", + "Santa Maria tree", + "Calophyllum calaba", + "Maria", + "Calophyllum longifolium", + "laurelwood", + "lancewood tree", + "Calophyllum candidissimum", + "Alexandrian laurel", + "Calophyllum inophyllum", + "genus Clusia", + "clusia", + "wild fig", + "Clusia flava", + "waxflower", + "Clusia insignis", + "pitch apple", + "strangler fig", + "Clusia rosea", + "Clusia major", + "Garcinia", + "genus Garcinia", + "mangosteen", + "mangosteen tree", + "Garcinia mangostana", + "gamboge tree", + "Garcinia hanburyi", + "Garcinia cambogia", + "Garcinia gummi-gutta", + "Hypericaceae", + "family Hypericaceae", + "Hypericum", + "genus Hypericum", + "St John's wort", + "common St John's wort", + "tutsan", + "Hypericum androsaemum", + "great St John's wort", + "Hypericum ascyron", + "Hypericum pyramidatum", + "creeping St John's wort", + "Hypericum calycinum", + "orange grass", + "nitweed", + "pineweed", + "pine-weed", + "Hypericum gentianoides", + "St Andrews's cross", + "Hypericum crux andrae", + "low St Andrew's cross", + "Hypericum hypericoides", + "klammath weed", + "Hypericum perforatum", + "shrubby St John's wort", + "Hypericum prolificum", + "Hypericum spathulatum", + "St Peter's wort", + "Hypericum tetrapterum", + "Hypericum maculatum", + "marsh St-John's wort", + "Hypericum virginianum", + "Mammea", + "genus Mammea", + "mammee apple", + "mammee", + "mamey", + "mammee tree", + "Mammea americana", + "Mesua", + "genus Mesua", + "rose chestnut", + "ironwood", + "ironwood tree", + "Mesua ferrea", + "Actinidiaceae", + "family Actinidiaceae", + "Actinidia", + "genus Actinidia", + "bower actinidia", + "tara vine", + "Actinidia arguta", + "Chinese gooseberry", + "kiwi", + "kiwi vine", + "Actinidia chinensis", + "Actinidia deliciosa", + "silvervine", + "silver vine", + "Actinidia polygama", + "Canellaceae", + "family Canellaceae", + "canella family", + "genus Canella", + "wild cinnamon", + "white cinnamon tree", + "Canella winterana", + "Canella-alba", + "canella", + "canella bark", + "white cinnamon", + "Caricaceae", + "family Caricaceae", + "papaya family", + "Carica", + "genus Carica", + "papaya", + "papaia", + "pawpaw", + "papaya tree", + "melon tree", + "Carica papaya", + "Caryocaraceae", + "family Caryocaraceae", + "Caryocar", + "genus Caryocar", + "souari", + "souari nut", + "souari tree", + "Caryocar nuciferum", + "Cistaceae", + "family Cistaceae", + "rockrose family", + "Cistus", + "genus Cistus", + "rockrose", + "rock rose", + "white-leaved rockrose", + "Cistus albidus", + "common gum cistus", + "Cistus ladanifer", + "Cistus ladanum", + "labdanum", + "ladanum", + "genus Helianthemum", + "helianthemum", + "sunrose", + "sun rose", + "frostweed", + "frost-weed", + "frostwort", + "Helianthemum canadense", + "Crocanthemum canadense", + "rockrose", + "rock rose", + "rush rose", + "Helianthemum scoparium", + "Hudsonia", + "genus Hudsonia", + "false heather", + "golden heather", + "Hudsonia ericoides", + "beach heather", + "poverty grass", + "Hudsonia tomentosa", + "Dipterocarpaceae", + "family Dipterocarpaceae", + "dipterocarp", + "Shorea", + "genus Shorea", + "red lauan", + "red lauan tree", + "Shorea teysmanniana", + "red lauan", + "Flacourtiaceae", + "family Flacourtiaceae", + "flacourtia family", + "Flacourtia", + "genus Flacourtia", + "governor's plum", + "governor plum", + "Madagascar plum", + "ramontchi", + "batoko palm", + "Flacourtia indica", + "Dovyalis", + "genus Dovyalis", + "kei apple", + "kei apple bush", + "Dovyalis caffra", + "ketembilla", + "kitembilla", + "kitambilla", + "ketembilla tree", + "Ceylon gooseberry", + "Dovyalis hebecarpa", + "Hydnocarpus", + "genus Hydnocarpus", + "Taraktagenos", + "genus Taraktagenos", + "Taraktogenos", + "genus Taraktogenos", + "chaulmoogra", + "chaulmoogra tree", + "chaulmugra", + "Hydnocarpus kurzii", + "Taraktagenos kurzii", + "Taraktogenos kurzii", + "Hydnocarpus laurifolia", + "Hydnocarpus wightiana", + "hydnocarpus oil", + "genus Idesia", + "idesia", + "Idesia polycarpa", + "Kiggelaria", + "genus Kiggelaria", + "wild peach", + "Kiggelaria africana", + "genus Xylosma", + "xylosma", + "Xylosma congestum", + "Fouquieriaceae", + "family Fouquieriaceae", + "candlewood", + "Fouquieria", + "genus Fouquieria", + "ocotillo", + "coachwhip", + "Jacob's staff", + "vine cactus", + "Fouquieria splendens", + "boojum tree", + "cirio", + "Fouquieria columnaris", + "Idria columnaris", + "Ochnaceae", + "family Ochnaceae", + "ochna family", + "Ochna", + "genus Ochna", + "bird's-eye bush", + "Ochna serrulata", + "Passifloraceae", + "family Passifloraceae", + "passionflower family", + "Passiflora", + "genus Passiflora", + "passionflower", + "passionflower vine", + "granadilla", + "purple granadillo", + "Passiflora edulis", + "granadilla", + "sweet granadilla", + "Passiflora ligularis", + "granadilla", + "giant granadilla", + "Passiflora quadrangularis", + "maypop", + "Passiflora incarnata", + "Jamaica honeysuckle", + "yellow granadilla", + "Passiflora laurifolia", + "banana passion fruit", + "Passiflora mollissima", + "sweet calabash", + "Passiflora maliformis", + "love-in-a-mist", + "running pop", + "wild water lemon", + "Passiflora foetida", + "Resedaceae", + "family Resedaceae", + "mignonette family", + "genus Reseda", + "reseda", + "mignonette", + "sweet reseda", + "Reseda odorata", + "dyer's rocket", + "dyer's mignonette", + "weld", + "Reseda luteola", + "Tamaricaceae", + "family Tamaricaceae", + "tamarisk family", + "Tamarix", + "genus Tamarix", + "tamarisk", + "Myricaria", + "genus Myricaria", + "false tamarisk", + "German tamarisk", + "Myricaria germanica", + "halophyte", + "Violaceae", + "family Violaceae", + "violet family", + "Viola", + "genus Viola", + "viola", + "violet", + "field pansy", + "heartsease", + "Viola arvensis", + "American dog violet", + "Viola conspersa", + "sweet white violet", + "white violet", + "woodland white violet", + "Viola blanda", + "Canada violet", + "tall white violet", + "white violet", + "Viola canadensis", + "dog violet", + "heath violet", + "Viola canina", + "horned violet", + "tufted pansy", + "Viola cornuta", + "two-eyed violet", + "heartsease", + "Viola ocellata", + "sweet violet", + "garden violet", + "English violet", + "Viola odorata", + "bird's-foot violet", + "pansy violet", + "Johnny-jump-up", + "wood violet", + "Viola pedata", + "downy yellow violet", + "Viola pubescens", + "long-spurred violet", + "Viola rostrata", + "pale violet", + "striped violet", + "cream violet", + "Viola striata", + "hedge violet", + "wood violet", + "Viola sylvatica", + "Viola reichenbachiana", + "pansy", + "Viola tricolor hortensis", + "wild pansy", + "Johnny-jump-up", + "heartsease", + "love-in-idleness", + "pink of my John", + "Viola tricolor", + "Hybanthus", + "genus Hybanthus", + "Hymenanthera", + "genus Hymenanthera", + "Melicytus", + "genus Melicytus", + "Urticales", + "order Urticales", + "Urticaceae", + "family Urticaceae", + "nettle family", + "nettle", + "Urtica", + "genus Urtica", + "stinging nettle", + "Urtica dioica", + "Roman nettle", + "Urtica pipulifera", + "Boehmeria", + "genus Boehmeria", + "false nettle", + "bog hemp", + "ramie", + "ramee", + "Chinese silk plant", + "China grass", + "Boehmeria nivea", + "Helxine", + "genus Helxine", + "Soleirolia", + "genus Soleirolia", + "baby's tears", + "baby tears", + "Helxine soleirolia", + "Soleirolia soleirolii", + "Laportea", + "genus Laportea", + "wood nettle", + "Laportea canadensis", + "Australian nettle", + "Australian nettle tree", + "Parietaria", + "genus Parietaria", + "pellitory-of-the-wall", + "wall pellitory", + "pellitory", + "Parietaria difussa", + "Pilea", + "genus Pilea", + "richweed", + "clearweed", + "dead nettle", + "Pilea pumilla", + "artillery plant", + "Pilea microphylla", + "friendship plant", + "panamica", + "panamiga", + "Pilea involucrata", + "Pipturus", + "genus Pipturus", + "Queensland grass-cloth plant", + "Pipturus argenteus", + "Pipturus albidus", + "Cannabidaceae", + "family Cannabidaceae", + "hemp family", + "genus Cannabis", + "cannabis", + "hemp", + "marijuana", + "marihuana", + "ganja", + "Cannabis sativa", + "Indian hemp", + "Cannabis indica", + "Humulus", + "genus Humulus", + "hop", + "hops", + "common hop", + "common hops", + "bine", + "European hop", + "Humulus lupulus", + "American hop", + "Humulus americanus", + "Japanese hop", + "Humulus japonicus", + "Moraceae", + "family Moraceae", + "mulberry family", + "Morus", + "genus Morus", + "mulberry", + "mulberry tree", + "white mulberry", + "Morus alba", + "black mulberry", + "Morus nigra", + "red mulberry", + "Morus rubra", + "Maclura", + "genus Maclura", + "osage orange", + "bow wood", + "mock orange", + "Maclura pomifera", + "Artocarpus", + "genus Artocarpus", + "breadfruit", + "breadfruit tree", + "Artocarpus communis", + "Artocarpus altilis", + "jackfruit", + "jackfruit tree", + "Artocarpus heterophyllus", + "marang", + "marang tree", + "Artocarpus odoratissima", + "Ficus", + "genus Ficus", + "fig tree", + "fig", + "common fig", + "common fig tree", + "Ficus carica", + "caprifig", + "Ficus carica sylvestris", + "golden fig", + "Florida strangler fig", + "strangler fig", + "wild fig", + "Ficus aurea", + "banyan", + "banyan tree", + "banian", + "banian tree", + "Indian banyan", + "East Indian fig tree", + "Ficus bengalensis", + "pipal", + "pipal tree", + "pipul", + "peepul", + "sacred fig", + "bo tree", + "Ficus religiosa", + "India-rubber tree", + "India-rubber plant", + "India-rubber fig", + "rubber plant", + "Assam rubber", + "Ficus elastica", + "mistletoe fig", + "mistletoe rubber plant", + "Ficus diversifolia", + "Ficus deltoidea", + "Port Jackson fig", + "rusty rig", + "little-leaf fig", + "Botany Bay fig", + "Ficus rubiginosa", + "sycamore", + "sycamore fig", + "mulberry fig", + "Ficus sycomorus", + "Broussonetia", + "genus Broussonetia", + "paper mulberry", + "Broussonetia papyrifera", + "Cecropiaceae", + "family Cecropiaceae", + "Cecropia", + "genus Cecropia", + "trumpetwood", + "trumpet-wood", + "trumpet tree", + "snake wood", + "imbauba", + "Cecropia peltata", + "Ulmaceae", + "family Ulmaceae", + "elm family", + "Ulmus", + "genus Ulmus", + "elm", + "elm tree", + "elm", + "elmwood", + "winged elm", + "wing elm", + "Ulmus alata", + "American elm", + "white elm", + "water elm", + "rock elm", + "Ulmus americana", + "smooth-leaved elm", + "European field elm", + "Ulmus carpinifolia", + "cedar elm", + "Ulmus crassifolia", + "witch elm", + "wych elm", + "Ulmus glabra", + "Dutch elm", + "Ulmus hollandica", + "Huntingdon elm", + "Ulmus hollandica vegetata", + "water elm", + "Ulmus laevis", + "Chinese elm", + "Ulmus parvifolia", + "English elm", + "European elm", + "Ulmus procera", + "Siberian elm", + "Chinese elm", + "dwarf elm", + "Ulmus pumila", + "slippery elm", + "red elm", + "Ulmus rubra", + "Jersey elm", + "guernsey elm", + "wheately elm", + "Ulmus sarniensis", + "Ulmus campestris sarniensis", + "Ulmus campestris wheatleyi", + "September elm", + "red elm", + "Ulmus serotina", + "rock elm", + "Ulmus thomasii", + "Celtis", + "genus Celtis", + "hackberry", + "nettle tree", + "European hackberry", + "Mediterranean hackberry", + "Celtis australis", + "American hackberry", + "Celtis occidentalis", + "sugarberry", + "Celtis laevigata", + "Planera", + "genus Planera", + "Trema", + "genus Trema", + "Liliidae", + "subclass Liliidae", + "Liliales", + "order Liliales", + "Iridaceae", + "family Iridaceae", + "iris family", + "iridaceous plant", + "genus Iris", + "iris", + "flag", + "fleur-de-lis", + "sword lily", + "bearded iris", + "beardless iris", + "bulbous iris", + "orrisroot", + "orris", + "dwarf iris", + "Iris cristata", + "Dutch iris", + "Iris filifolia", + "Florentine iris", + "orris", + "Iris germanica florentina", + "Iris florentina", + "stinking iris", + "gladdon", + "gladdon iris", + "stinking gladwyn", + "roast beef plant", + "Iris foetidissima", + "German iris", + "Iris germanica", + "Japanese iris", + "Iris kaempferi", + "German iris", + "Iris kochii", + "Dalmatian iris", + "Iris pallida", + "Persian iris", + "Iris persica", + "yellow iris", + "yellow flag", + "yellow water flag", + "Iris pseudacorus", + "Dutch iris", + "Iris tingitana", + "dwarf iris", + "vernal iris", + "Iris verna", + "blue flag", + "Iris versicolor", + "southern blue flag", + "Iris virginica", + "English iris", + "Iris xiphioides", + "Spanish iris", + "xiphium iris", + "Iris xiphium", + "falls", + "Belamcanda", + "genus Belamcanda", + "blackberry-lily", + "leopard lily", + "Belamcanda chinensis", + "genus Crocus", + "crocus", + "saffron", + "saffron crocus", + "Crocus sativus", + "genus Freesia", + "freesia", + "genus Gladiolus", + "gladiolus", + "gladiola", + "glad", + "sword lily", + "Ixia", + "genus Ixia", + "corn lily", + "Sisyrinchium", + "genus Sisyrinchium", + "blue-eyed grass", + "Sparaxis", + "genus Sparaxis", + "wandflower", + "Sparaxis tricolor", + "Amaryllidaceae", + "family Amaryllidaceae", + "amaryllis family", + "amaryllis", + "genus Amaryllis", + "belladonna lily", + "naked lady", + "Amaryllis belladonna", + "Bomarea", + "genus Bomarea", + "salsilla", + "Bomarea edulis", + "salsilla", + "Bomarea salsilla", + "Haemanthus", + "genus Haemanthus", + "blood lily", + "Cape tulip", + "Haemanthus coccineus", + "genus Hippeastrum", + "hippeastrum", + "Hippeastrum puniceum", + "genus Narcissus", + "narcissus", + "daffodil", + "Narcissus pseudonarcissus", + "jonquil", + "Narcissus jonquilla", + "jonquil", + "paper white", + "Narcissus papyraceus", + "Strekelia", + "genus Strekelia", + "Jacobean lily", + "Aztec lily", + "Strekelia formosissima", + "Hypoxidaceae", + "family Hypoxidaceae", + "Hypoxis", + "genus Hypoxis", + "star grass", + "American star grass", + "Hypoxis hirsuta", + "Liliaceae", + "family Liliaceae", + "lily family", + "liliaceous plant", + "Lilium", + "genus Lilium", + "lily", + "mountain lily", + "Lilium auratum", + "Canada lily", + "wild yellow lily", + "meadow lily", + "wild meadow lily", + "Lilium canadense", + "Madonna lily", + "white lily", + "Annunciation lily", + "Lent lily", + "Lilium candidum", + "tiger lily", + "leopard lily", + "pine lily", + "Lilium catesbaei", + "Columbia tiger lily", + "Oregon lily", + "Lilium columbianum", + "tiger lily", + "devil lily", + "kentan", + "Lilium lancifolium", + "Easter lily", + "Bermuda lily", + "white trumpet lily", + "Lilium longiflorum", + "coast lily", + "Lilium maritinum", + "Turk's-cap", + "martagon", + "Lilium martagon", + "Michigan lily", + "Lilium michiganense", + "leopard lily", + "panther lily", + "Lilium pardalinum", + "wood lily", + "Lilium philadelphicum", + "Turk's-cap", + "Turk's cap-lily", + "Lilium superbum", + "genus Agapanthus", + "agapanthus", + "lily of the Nile", + "African lily", + "African tulip", + "blue African lily", + "Agapanthus africanus", + "genus Albuca", + "albuca", + "Aletris", + "genus Aletris", + "colicroot", + "colic root", + "crow corn", + "star grass", + "unicorn root", + "ague root", + "ague grass", + "Aletris farinosa", + "yellow colicroot", + "Aletris aurea", + "Alliaceae", + "family Alliaceae", + "Allium", + "genus Allium", + "alliaceous plant", + "wild onion", + "Hooker's onion", + "Allium acuminatum", + "wild leek", + "Levant garlic", + "kurrat", + "Allium ampeloprasum", + "Canada garlic", + "meadow leek", + "rose leek", + "Allium canadense", + "keeled garlic", + "Allium carinatum", + "onion", + "onion plant", + "Allium cepa", + "onion", + "shallot", + "eschalot", + "multiplier onion", + "Allium cepa aggregatum", + "Allium ascalonicum", + "shallot", + "tree onion", + "Egyptian onion", + "top onion", + "Allium cepa viviparum", + "nodding onion", + "nodding wild onion", + "lady's leek", + "Allium cernuum", + "Welsh onion", + "Japanese leek", + "Allium fistulosum", + "red-skinned onion", + "Allium haematochiton", + "leek", + "scallion", + "Allium porrum", + "daffodil garlic", + "flowering onion", + "Naples garlic", + "Allium neopolitanum", + "few-flowered leek", + "Allium paradoxum", + "garlic", + "Allium sativum", + "sand leek", + "giant garlic", + "Spanish garlic", + "rocambole", + "Allium scorodoprasum", + "chives", + "chive", + "cive", + "schnittlaugh", + "Allium schoenoprasum", + "ramp", + "wild leek", + "Allium tricoccum", + "crow garlic", + "false garlic", + "field garlic", + "stag's garlic", + "wild garlic", + "Allium vineale", + "wild garlic", + "wood garlic", + "Ramsons", + "Allium ursinum", + "garlic chive", + "Chinese chive", + "Oriental garlic", + "Allium tuberosum", + "round-headed leek", + "Allium sphaerocephalum", + "three-cornered leek", + "triquetrous leek", + "Allium triquetrum", + "Aloeaceae", + "family Aloeaceae", + "aloe family", + "genus Aloe", + "aloe", + "cape aloe", + "Aloe ferox", + "burn plant", + "Aloe vera", + "genus Kniphofia", + "kniphofia", + "tritoma", + "flame flower", + "flame-flower", + "flameflower", + "poker plant", + "Kniphofia uvaria", + "red-hot poker", + "Kniphofia praecox", + "Alstroemeriaceae", + "family Alstroemeriaceae", + "genus Alstroemeria", + "alstroemeria", + "Peruvian lily", + "lily of the Incas", + "Alstroemeria pelegrina", + "Amianthum", + "genus Amianthum", + "fly poison", + "Amianthum muscaetoxicum", + "Amianthum muscitoxicum", + "Anthericum", + "genus Anthericum", + "Saint-Bernard's-lily", + "Anthericum liliago", + "amber lily", + "Anthericum torreyi", + "Aphyllanthaceae", + "family Aphyllanthaceae", + "Aphyllanthes", + "genus Aphyllanthes", + "Asparagaceae", + "family Asparagaceae", + "genus Asparagus", + "asparagus", + "edible asparagus", + "Asparagus officinales", + "asparagus fern", + "Asparagus setaceous", + "Asparagus plumosus", + "smilax", + "Asparagus asparagoides", + "Asphodelaceae", + "family Asphodelaceae", + "asphodel", + "Asphodeline", + "genus Asphodeline", + "Jacob's rod", + "king's spear", + "yellow asphodel", + "Asphodeline lutea", + "Asphodelus", + "genus Asphodelus", + "genus Aspidistra", + "aspidistra", + "cast-iron plant", + "bar-room plant", + "Aspidistra elatio", + "Bessera", + "genus Bessera", + "coral drops", + "Bessera elegans", + "Blandfordia", + "genus Blandfordia", + "Christmas bells", + "Bloomeria", + "genus Bloomeria", + "golden star", + "golden stars", + "Bloomeria crocea", + "Bowiea", + "genus Bowiea", + "climbing onion", + "Bowiea volubilis", + "genus Brodiaea", + "brodiaea", + "elegant brodiaea", + "Brodiaea elegans", + "Calochortus", + "genus Calochortus", + "mariposa", + "mariposa tulip", + "mariposa lily", + "globe lily", + "fairy lantern", + "cat's-ear", + "white globe lily", + "white fairy lantern", + "Calochortus albus", + "yellow globe lily", + "golden fairy lantern", + "Calochortus amabilis", + "rose globe lily", + "Calochortus amoenus", + "star tulip", + "elegant cat's ears", + "Calochortus elegans", + "desert mariposa tulip", + "Calochortus kennedyi", + "yellow mariposa tulip", + "Calochortus luteus", + "sagebrush mariposa tulip", + "Calochortus macrocarpus", + "sego lily", + "Calochortus nuttallii", + "Camassia", + "genus Camassia", + "Quamassia", + "genus Quamassia", + "camas", + "camass", + "quamash", + "camosh", + "camash", + "common camas", + "Camassia quamash", + "Leichtlin's camas", + "Camassia leichtlinii", + "wild hyacinth", + "indigo squill", + "Camassia scilloides", + "Erythronium", + "genus Erythronium", + "dogtooth violet", + "dogtooth", + "dog's-tooth violet", + "white dogtooth violet", + "white dog's-tooth violet", + "blonde lilian", + "Erythronium albidum", + "yellow adder's tongue", + "trout lily", + "amberbell", + "Erythronium americanum", + "European dogtooth", + "Erythronium dens-canis", + "fawn lily", + "Erythronium californicum", + "glacier lily", + "snow lily", + "Erythronium grandiflorum", + "avalanche lily", + "Erythronium montanum", + "Fritillaria", + "genus Fritillaria", + "fritillary", + "checkered lily", + "mission bells", + "rice-grain fritillary", + "Fritillaria affinis", + "Fritillaria lanceolata", + "Fritillaria mutica", + "mission bells", + "black fritillary", + "Fritillaria biflora", + "stink bell", + "Fritillaria agrestis", + "crown imperial", + "Fritillaria imperialis", + "white fritillary", + "Fritillaria liliaceae", + "snake's head fritillary", + "guinea-hen flower", + "checkered daffodil", + "leper lily", + "Fritillaria meleagris", + "brown bells", + "Fritillaria micrantha", + "Fritillaria parviflora", + "adobe lily", + "pink fritillary", + "Fritillaria pluriflora", + "scarlet fritillary", + "Fritillaria recurva", + "Tulipa", + "genus Tulipa", + "tulip", + "dwarf tulip", + "Tulipa armena", + "Tulipa suaveolens", + "lady tulip", + "candlestick tulip", + "Tulipa clusiana", + "Tulipa gesneriana", + "cottage tulip", + "Darwin tulip", + "Colchicaceae", + "family Colchicaceae", + "Colchicum", + "genus Colchicum", + "autumn crocus", + "meadow saffron", + "naked lady", + "Colchicum autumnale", + "genus Gloriosa", + "gloriosa", + "glory lily", + "climbing lily", + "creeping lily", + "Gloriosa superba", + "Hemerocallidaceae", + "family Hemerocallidaceae", + "Hemerocallis", + "genus Hemerocallis", + "day lily", + "daylily", + "lemon lily", + "Hemerocallis lilio-asphodelus", + "Hemerocallis flava", + "Hostaceae", + "family Hostaceae", + "Funkaceae", + "family Funkaceae", + "Hosta", + "genus Hosta", + "Funka", + "genus Funka", + "plantain lily", + "day lily", + "Hyacinthaceae", + "family Hyacinthaceae", + "genus Hyacinthus", + "hyacinth", + "common hyacinth", + "Hyacinthus orientalis", + "Roman hyacinth", + "Hyacinthus orientalis albulus", + "summer hyacinth", + "cape hyacinth", + "Hyacinthus candicans", + "Galtonia candicans", + "Hyacinthoides", + "genus Hyacinthoides", + "wild hyacinth", + "wood hyacinth", + "bluebell", + "harebell", + "Hyacinthoides nonscripta", + "Scilla nonscripta", + "Ornithogalum", + "genus Ornithogalum", + "star-of-Bethlehem", + "starflower", + "sleepy dick", + "summer snowflake", + "Ornithogalum umbellatum", + "bath asparagus", + "Prussian asparagus", + "Ornithogalum pyrenaicum", + "chincherinchee", + "wonder flower", + "Ornithogalum thyrsoides", + "Muscari", + "genus Muscari", + "grape hyacinth", + "common grape hyacinth", + "Muscari neglectum", + "tassel hyacinth", + "Muscari comosum", + "genus Scilla", + "scilla", + "squill", + "spring squill", + "Scilla verna", + "sea onion", + "Tofieldia", + "genus Tofieldia", + "false asphodel", + "Scotch asphodel", + "Tofieldia pusilla", + "Urginea", + "genus Urginea", + "sea squill", + "sea onion", + "squill", + "Urginea maritima", + "squill", + "Ruscus", + "genus Ruscus", + "butcher's broom", + "Ruscus aculeatus", + "Melanthiaceae", + "family Melanthiaceae", + "Narthecium", + "genus Narthecium", + "bog asphodel", + "European bog asphodel", + "Narthecium ossifragum", + "American bog asphodel", + "Narthecium americanum", + "Veratrum", + "genus Veratrum", + "hellebore", + "false hellebore", + "white hellebore", + "American hellebore", + "Indian poke", + "bugbane", + "Veratrum viride", + "Ruscaceae", + "family Ruscaceae", + "Tecophilaeacea", + "family Tecophilaeacea", + "Xerophyllum", + "genus Xerophyllum", + "squaw grass", + "bear grass", + "Xerophyllum tenax", + "Xanthorrhoeaceae", + "family Xanthorrhoeaceae", + "grass tree family", + "Xanthorroea", + "genus Xanthorroea", + "grass tree", + "Australian grass tree", + "Zigadenus", + "genus Zigadenus", + "death camas", + "zigadene", + "alkali grass", + "Zigadenus elegans", + "white camas", + "Zigadenus glaucus", + "poison camas", + "Zigadenus nuttalli", + "grassy death camas", + "Zigadenus venenosus", + "Zigadenus venenosus gramineus", + "Trilliaceae", + "family Trilliaceae", + "trillium family", + "genus Trillium", + "trillium", + "wood lily", + "wake-robin", + "prairie wake-robin", + "prairie trillium", + "Trillium recurvatum", + "dwarf-white trillium", + "snow trillium", + "early wake-robin", + "purple trillium", + "red trillium", + "birthroot", + "Trillium erectum", + "red trillium", + "toadshade", + "sessile trillium", + "Trillium sessile", + "Paris", + "genus Paris", + "herb Paris", + "Paris quadrifolia", + "Smilacaceae", + "subfamily Smilacaceae", + "Smilax", + "genus Smilax", + "sarsaparilla", + "sarsaparilla root", + "bullbrier", + "greenbrier", + "catbrier", + "horse brier", + "horse-brier", + "brier", + "briar", + "Smilax rotundifolia", + "rough bindweed", + "Smilax aspera", + "Convallariaceae", + "family Convallariaceae", + "Convallaria", + "genus Convallaria", + "lily of the valley", + "May lily", + "Convallaria majalis", + "genus Clintonia", + "clintonia", + "Clinton's lily", + "red Clintonia", + "Andrew's clintonia", + "Clintonia andrewsiana", + "yellow clintonia", + "heal all", + "Clintonia borealis", + "queen's cup", + "bride's bonnet", + "Clintonia uniflora", + "Liriope", + "genus Liriope", + "lilyturf", + "lily turf", + "Liriope muscari", + "Maianthemum", + "genus Maianthemum", + "false lily of the valley", + "Maianthemum canadense", + "false lily of the valley", + "Maianthemum bifolium", + "Polygonatum", + "genus Polygonatum", + "Solomon's-seal", + "great Solomon's-seal", + "Polygonatum biflorum", + "Polygonatum commutatum", + "Uvulariaceae", + "subfamily Uvulariaceae", + "Uvularia", + "genus Uvularia", + "bellwort", + "merry bells", + "wild oats", + "strawflower", + "cornflower", + "Uvularia grandiflora", + "Taccaceae", + "family Taccaceae", + "Tacca", + "genus Tacca", + "pia", + "Indian arrowroot", + "Tacca leontopetaloides", + "Tacca pinnatifida", + "Agavaceae", + "family Agavaceae", + "agave family", + "sisal family", + "agave", + "century plant", + "American aloe", + "genus Agave", + "American agave", + "Agave americana", + "sisal", + "Agave sisalana", + "maguey", + "cantala", + "Agave cantala", + "maguey", + "Agave atrovirens", + "Agave tequilana", + "cantala", + "Cebu maguey", + "manila maguey", + "Cordyline", + "genus Cordyline", + "ti", + "Cordyline terminalis", + "cabbage tree", + "grass tree", + "Cordyline australis", + "Dracenaceae", + "subfamily Dracenaceae", + "Dracaenaceae", + "subfamily Dracaenaceae", + "genus Dracaena", + "dracaena", + "dragon tree", + "Dracaena draco", + "Nolina", + "genus Nolina", + "bear grass", + "Nolina microcarpa", + "Polianthes", + "genus Polianthes", + "tuberose", + "Polianthes tuberosa", + "genus Sansevieria", + "sansevieria", + "bowstring hemp", + "African bowstring hemp", + "African hemp", + "Sansevieria guineensis", + "Ceylon bowstring hemp", + "Sansevieria zeylanica", + "mother-in-law's tongue", + "snake plant", + "Sansevieria trifasciata", + "bowstring hemp", + "genus Yucca", + "yucca", + "Spanish bayonet", + "Yucca aloifolia", + "Spanish bayonet", + "Yucca baccata", + "Joshua tree", + "Yucca brevifolia", + "Spanish dagger", + "Yucca carnerosana", + "soapweed", + "soap-weed", + "soap tree", + "Yucca elata", + "Adam's needle", + "Adam's needle-and-thread", + "spoonleaf yucca", + "needle palm", + "Yucca filamentosa", + "bear grass", + "Yucca glauca", + "Spanish dagger", + "Yucca gloriosa", + "bear grass", + "Yucca smalliana", + "Our Lord's candle", + "Yucca whipplei", + "Menyanthaceae", + "family Menyanthaceae", + "buckbean family", + "Menyanthes", + "genus Menyanthes", + "water shamrock", + "buckbean", + "bogbean", + "bog myrtle", + "marsh trefoil", + "Menyanthes trifoliata", + "Loganiaceae", + "family Loganiaceae", + "Logania", + "genus Logania", + "genus Buddleia", + "butterfly bush", + "buddleia", + "Gelsemium", + "genus Gelsemium", + "yellow jasmine", + "yellow jessamine", + "Carolina jasmine", + "evening trumpet flower", + "Gelsemium sempervirens", + "Linaceae", + "family Linaceae", + "flax family", + "Linum", + "genus Linum", + "flax", + "Physostigma", + "genus Physostigma", + "calabar-bean vine", + "Physostigma venenosum", + "calabar bean", + "ordeal bean", + "physostigmine", + "Caesalpiniaceae", + "family Caesalpiniaceae", + "Caesalpinioideae", + "subfamily Caesalpinioideae", + "Caesalpinia", + "genus Caesalpinia", + "bonduc", + "bonduc tree", + "Caesalpinia bonduc", + "Caesalpinia bonducella", + "divi-divi", + "Caesalpinia coriaria", + "divi-divi", + "Mysore thorn", + "Caesalpinia decapetala", + "Caesalpinia sepiaria", + "brazilwood", + "peachwood", + "peach-wood", + "pernambuco wood", + "Caesalpinia echinata", + "brazilwood", + "brazilian ironwood", + "Caesalpinia ferrea", + "bird of paradise", + "poinciana", + "Caesalpinia gilliesii", + "Poinciana gilliesii", + "pride of barbados", + "paradise flower", + "flamboyant tree", + "Caesalpinia pulcherrima", + "Poinciana pulcherrima", + "Acrocarpus", + "genus Acrocarpus", + "shingle tree", + "Acrocarpus fraxinifolius", + "Bauhinia", + "genus Bauhinia", + "butterfly flower", + "Bauhinia monandra", + "mountain ebony", + "orchid tree", + "Bauhinia variegata", + "Brachystegia", + "genus Brachystegia", + "msasa", + "Brachystegia speciformis", + "genus Cassia", + "Cassia", + "cassia", + "golden shower tree", + "drumstick tree", + "purging cassia", + "pudding pipe tree", + "canafistola", + "canafistula", + "Cassia fistula", + "pink shower", + "pink shower tree", + "horse cassia", + "Cassia grandis", + "rainbow shower", + "Cassia javonica", + "horse cassia", + "Cassia roxburghii", + "Cassia marginata", + "Ceratonia", + "genus Ceratonia", + "carob", + "carob tree", + "carob bean tree", + "algarroba", + "Ceratonia siliqua", + "carob", + "carob bean", + "algarroba bean", + "algarroba", + "locust bean", + "locust pod", + "Cercidium", + "genus Cercidium", + "paloverde", + "Chamaecrista", + "genus Chamaecrista", + "partridge pea", + "sensitive pea", + "wild sensitive plant", + "Chamaecrista fasciculata", + "Cassia fasciculata", + "Delonix", + "genus Delonix", + "royal poinciana", + "flamboyant", + "flame tree", + "peacock flower", + "Delonix regia", + "Poinciana regia", + "locust tree", + "locust", + "locust", + "Gleditsia", + "genus Gleditsia", + "water locust", + "swamp locust", + "Gleditsia aquatica", + "honey locust", + "Gleditsia triacanthos", + "Gymnocladus", + "genus Gymnocladus", + "Kentucky coffee tree", + "bonduc", + "chicot", + "Gymnocladus dioica", + "Haematoxylum", + "genus Haematoxylum", + "Haematoxylon", + "genus Haematoxylon", + "logwood", + "logwood tree", + "campeachy", + "bloodwood tree", + "Haematoxylum campechianum", + "logwood", + "Parkinsonia", + "genus Parkinsonia", + "Jerusalem thorn", + "horsebean", + "Parkinsonia aculeata", + "palo verde", + "Parkinsonia florida", + "Cercidium floridum", + "Petteria", + "genus Petteria", + "Dalmatian laburnum", + "Petteria ramentacea", + "Cytisus ramentaceus", + "Poinciana", + "subgenus Poinciana", + "genus Senna", + "senna", + "ringworm bush", + "ringworm shrub", + "ringworm cassia", + "Senna alata", + "Cassia alata", + "avaram", + "tanner's cassia", + "Senna auriculata", + "Cassia auriculata", + "Alexandria senna", + "Alexandrian senna", + "true senna", + "tinnevelly senna", + "Indian senna", + "Senna alexandrina", + "Cassia acutifolia", + "Cassia augustifolia", + "wild senna", + "Senna marilandica", + "Cassia marilandica", + "sicklepod", + "Senna obtusifolia", + "Cassia tora", + "coffee senna", + "mogdad coffee", + "styptic weed", + "stinking weed", + "Senna occidentalis", + "Cassia occidentalis", + "Tamarindus", + "genus Tamarindus", + "tamarind", + "tamarind tree", + "tamarindo", + "Tamarindus indica", + "Papilionaceae", + "family Papilionacea", + "Papilionoideae", + "subfamily Papilionoideae", + "genus Amorpha", + "amorpha", + "leadplant", + "lead plant", + "Amorpha canescens", + "false indigo", + "bastard indigo", + "Amorpha californica", + "false indigo", + "bastard indigo", + "Amorpha fruticosa", + "Amphicarpaea", + "genus Amphicarpaea", + "Amphicarpa", + "genus Amphicarpa", + "hog peanut", + "wild peanut", + "Amphicarpaea bracteata", + "Amphicarpa bracteata", + "Anagyris", + "genus Anagyris", + "bean trefoil", + "stinking bean trefoil", + "Anagyris foetida", + "Andira", + "genus Andira", + "angelim", + "andelmin", + "cabbage bark", + "cabbage-bark tree", + "cabbage tree", + "Andira inermis", + "Anthyllis", + "genus Anthyllis", + "Jupiter's beard", + "silverbush", + "silver-bush", + "Anthyllis barba-jovis", + "kidney vetch", + "Anthyllis vulneraria", + "Apios", + "genus Apios", + "groundnut", + "groundnut vine", + "Indian potato", + "potato bean", + "wild bean", + "Apios americana", + "Apios tuberosa", + "Aspalathus", + "genus Aspalathus", + "rooibos", + "Aspalathus linearis", + "Aspalathus cedcarbergensis", + "Astragalus", + "genus Astragalus", + "milk vetch", + "milk-vetch", + "wild licorice", + "wild liquorice", + "Astragalus glycyphyllos", + "alpine milk vetch", + "Astragalus alpinus", + "purple milk vetch", + "Astragalus danicus", + "Baphia", + "genus Baphia", + "camwood", + "African sandalwood", + "Baphia nitida", + "Baptisia", + "genus Baptisia", + "wild indigo", + "false indigo", + "blue false indigo", + "Baptisia australis", + "white false indigo", + "Baptisia lactea", + "indigo broom", + "horsefly weed", + "rattle weed", + "Baptisia tinctoria", + "Butea", + "genus Butea", + "dhak", + "dak", + "palas", + "Butea frondosa", + "Butea monosperma", + "Cajanus", + "genus Cajanus", + "pigeon pea", + "pigeon-pea plant", + "cajan pea", + "catjang pea", + "red gram", + "dhal", + "dahl", + "Cajanus cajan", + "Canavalia", + "genus Canavalia", + "jack bean", + "wonder bean", + "giant stock bean", + "Canavalia ensiformis", + "sword bean", + "Canavalia gladiata", + "genus Caragana", + "pea tree", + "caragana", + "Siberian pea tree", + "Caragana arborescens", + "Chinese pea tree", + "Caragana sinica", + "Castanospermum", + "genus Castanospermum", + "Moreton Bay chestnut", + "Australian chestnut", + "Centrosema", + "genus Centrosema", + "butterfly pea", + "Centrosema virginianum", + "Cercis", + "genus Cercis", + "Judas tree", + "love tree", + "Circis siliquastrum", + "redbud", + "Cercis canadensis", + "western redbud", + "California redbud", + "Cercis occidentalis", + "Chamaecytisus", + "genus Chamaecytisus", + "tagasaste", + "Chamaecytisus palmensis", + "Cytesis proliferus", + "Chordospartium", + "genus Chordospartium", + "weeping tree broom", + "Chorizema", + "genus Chorizema", + "flame pea", + "Cicer", + "genus Cicer", + "chickpea", + "chickpea plant", + "Egyptian pea", + "Cicer arietinum", + "chickpea", + "garbanzo", + "Cladrastis", + "genus Cladrastis", + "Kentucky yellowwood", + "gopherwood", + "Cladrastis lutea", + "Cladrastis kentukea", + "genus Clianthus", + "glory pea", + "clianthus", + "desert pea", + "Sturt pea", + "Sturt's desert pea", + "Clianthus formosus", + "Clianthus speciosus", + "parrot's beak", + "parrot's bill", + "Clianthus puniceus", + "Clitoria", + "genus Clitoria", + "butterfly pea", + "Clitoria mariana", + "blue pea", + "butterfly pea", + "Clitoria turnatea", + "Codariocalyx", + "genus Codariocalyx", + "telegraph plant", + "semaphore plant", + "Codariocalyx motorius", + "Desmodium motorium", + "Desmodium gyrans", + "Colutea", + "genus Colutea", + "bladder senna", + "Colutea arborescens", + "genus Coronilla", + "coronilla", + "axseed", + "crown vetch", + "Coronilla varia", + "genus Crotalaria", + "crotalaria", + "rattlebox", + "American rattlebox", + "Crotalaria sagitallis", + "Indian rattlebox", + "Crotalaria spectabilis", + "Cyamopsis", + "genus Cyamopsis", + "guar", + "cluster bean", + "Cyamopsis tetragonolobus", + "Cyamopsis psoraloides", + "Cytisus", + "genus Cytisus", + "broom", + "white broom", + "white Spanish broom", + "Cytisus albus", + "Cytisus multiflorus", + "common broom", + "Scotch broom", + "green broom", + "Cytisus scoparius", + "witches' broom", + "witch broom", + "hexenbesen", + "staghead", + "Dalbergia", + "genus Dalbergia", + "rosewood", + "rosewood tree", + "rosewood", + "Indian blackwood", + "East Indian rosewood", + "East India rosewood", + "Indian rosewood", + "Dalbergia latifolia", + "sissoo", + "sissu", + "sisham", + "Dalbergia sissoo", + "kingwood", + "kingwood tree", + "Dalbergia cearensis", + "kingwood", + "Brazilian rosewood", + "caviuna wood", + "jacaranda", + "Dalbergia nigra", + "Honduras rosewood", + "Dalbergia stevensonii", + "cocobolo", + "Dalbergia retusa", + "granadilla wood", + "blackwood", + "blackwood tree", + "blackwood", + "Dalea", + "genus Dalea", + "smoke tree", + "Dalea spinosa", + "Daviesia", + "genus Daviesia", + "bitter pea", + "genus Derris", + "derris", + "derris root", + "tuba root", + "Derris elliptica", + "Desmanthus", + "genus Desmanthus", + "prairie mimosa", + "prickle-weed", + "Desmanthus ilinoensis", + "Desmodium", + "genus Desmodium", + "tick trefoil", + "beggar lice", + "beggar's lice", + "beggarweed", + "Desmodium tortuosum", + "Desmodium purpureum", + "Dipogon", + "genus Dipogon", + "Australian pea", + "Dipogon lignosus", + "Dolichos lignosus", + "Dolichos", + "genus Dolichos", + "genus Erythrina", + "coral tree", + "erythrina", + "kaffir boom", + "Cape kafferboom", + "Erythrina caffra", + "coral bean tree", + "Erythrina corallodendrum", + "ceibo", + "crybaby tree", + "cry-baby tree", + "common coral tree", + "Erythrina crista-galli", + "kaffir boom", + "Transvaal kafferboom", + "Erythrina lysistemon", + "Indian coral tree", + "Erythrina variegata", + "Erythrina Indica", + "cork tree", + "Erythrina vespertilio", + "Galega", + "genus Galega", + "goat's rue", + "goat rue", + "Galega officinalis", + "genus Gastrolobium", + "poison bush", + "poison pea", + "gastrolobium", + "Genista", + "genus Genista", + "broom tree", + "needle furze", + "petty whin", + "Genista anglica", + "Spanish broom", + "Spanish gorse", + "Genista hispanica", + "woodwaxen", + "dyer's greenweed", + "dyer's-broom", + "dyeweed", + "greenweed", + "whin", + "woadwaxen", + "Genista tinctoria", + "Geoffroea", + "genus Geoffroea", + "chanar", + "chanal", + "Geoffroea decorticans", + "genus Gliricidia", + "gliricidia", + "Glycine", + "genus Glycine", + "soy", + "soya", + "soybean", + "soya bean", + "soybean plant", + "soja", + "soja bean", + "Glycine max", + "soy", + "soybean", + "soya bean", + "Glycyrrhiza", + "genus Glycyrrhiza", + "licorice", + "liquorice", + "Glycyrrhiza glabra", + "wild licorice", + "wild liquorice", + "American licorice", + "American liquorice", + "Glycyrrhiza lepidota", + "licorice root", + "Halimodendron", + "genus Halimodendron", + "salt tree", + "Halimodendron halodendron", + "Halimodendron argenteum", + "Hardenbergia", + "genus Hardenbergia", + "Western Australia coral pea", + "Hardenbergia comnptoniana", + "Hedysarum", + "genus Hedysarum", + "sweet vetch", + "Hedysarum boreale", + "French honeysuckle", + "sulla", + "Hedysarum coronarium", + "Hippocrepis", + "genus Hippocrepis", + "horseshoe vetch", + "Hippocrepis comosa", + "genus Hovea", + "hovea", + "purple pea", + "Indigofera", + "genus Indigofera", + "indigo", + "indigo plant", + "Indigofera tinctoria", + "anil", + "Indigofera suffruticosa", + "Indigofera anil", + "Jacksonia", + "genus Jacksonia", + "Kennedia", + "genus Kennedia", + "Kennedya", + "genus Kennedya", + "coral pea", + "coral vine", + "Kennedia coccinea", + "scarlet runner", + "running postman", + "Kennedia prostrata", + "Lablab", + "genus Lablab", + "hyacinth bean", + "bonavist", + "Indian bean", + "Egyptian bean", + "Lablab purpureus", + "Dolichos lablab", + "Laburnum", + "genus Laburnum", + "Scotch laburnum", + "Alpine golden chain", + "Laburnum alpinum", + "common laburnum", + "golden chain", + "golden rain", + "Laburnum anagyroides", + "Lathyrus", + "genus Lathyrus", + "vetchling", + "wild pea", + "singletary pea", + "Caley pea", + "rough pea", + "wild winterpea", + "Lathyrus hirsutus", + "everlasting pea", + "broad-leaved everlasting pea", + "perennial pea", + "Lathyrus latifolius", + "beach pea", + "sea pea", + "Lathyrus maritimus", + "Lathyrus japonicus", + "black pea", + "Lathyrus niger", + "grass vetch", + "grass vetchling", + "Lathyrus nissolia", + "sweet pea", + "sweetpea", + "Lathyrus odoratus", + "marsh pea", + "Lathyrus palustris", + "common vetchling", + "meadow pea", + "yellow vetchling", + "Lathyrus pratensis", + "grass pea", + "Indian pea", + "khesari", + "Lathyrus sativus", + "pride of California", + "Lathyrus splendens", + "flat pea", + "narrow-leaved everlasting pea", + "Lathyrus sylvestris", + "Tangier pea", + "Tangier peavine", + "Lalthyrus tingitanus", + "heath pea", + "earth-nut pea", + "earthnut pea", + "tuberous vetch", + "Lathyrus tuberosus", + "spring vetchling", + "spring vetch", + "Lathyrus vernus", + "genus Lespedeza", + "bush clover", + "lespedeza", + "bicolor lespediza", + "ezo-yama-hagi", + "Lespedeza bicolor", + "japanese clover", + "japan clover", + "jap clover", + "Lespedeza striata", + "Korean lespedeza", + "Lespedeza stipulacea", + "sericea lespedeza", + "Lespedeza sericea", + "Lespedeza cuneata", + "Lens", + "genus Lens", + "lentil", + "lentil plant", + "Lens culinaris", + "lentil", + "Lonchocarpus", + "genus Lonchocarpus", + "cube", + "Lotus", + "genus Lotus", + "prairie bird's-foot trefoil", + "compass plant", + "prairie lotus", + "prairie trefoil", + "Lotus americanus", + "coral gem", + "Lotus berthelotii", + "bird's foot trefoil", + "bird's foot clover", + "babies' slippers", + "bacon and eggs", + "Lotus corniculatus", + "winged pea", + "asparagus pea", + "Lotus tetragonolobus", + "Lupinus", + "genus Lupinus", + "lupine", + "lupin", + "white lupine", + "field lupine", + "wolf bean", + "Egyptian lupine", + "Lupinus albus", + "tree lupine", + "Lupinus arboreus", + "yellow lupine", + "Lupinus luteus", + "wild lupine", + "sundial lupine", + "Indian beet", + "old-maid's bonnet", + "Lupinus perennis", + "bluebonnet", + "buffalo clover", + "Texas bluebonnet", + "Lupinus subcarnosus", + "Texas bluebonnet", + "Lupinus texensis", + "Macrotyloma", + "genus Macrotyloma", + "horse gram", + "horse grain", + "poor man's pulse", + "Macrotyloma uniflorum", + "Dolichos biflorus", + "Medicago", + "genus Medicago", + "medic", + "medick", + "trefoil", + "moon trefoil", + "Medicago arborea", + "sickle alfalfa", + "sickle lucerne", + "sickle medick", + "Medicago falcata", + "Calvary clover", + "Medicago intertexta", + "Medicago echinus", + "black medick", + "hop clover", + "yellow trefoil", + "nonesuch clover", + "Medicago lupulina", + "alfalfa", + "lucerne", + "Medicago sativa", + "genus Millettia", + "millettia", + "genus Mucuna", + "Stizolobium", + "genus Stizolobium", + "mucuna", + "cowage", + "velvet bean", + "Bengal bean", + "Benghal bean", + "Florida bean", + "Mucuna pruriens utilis", + "Mucuna deeringiana", + "Mucuna aterrima", + "Stizolobium deeringiana", + "cowage", + "Myroxylon", + "genus Myroxylon", + "tolu tree", + "tolu balsam tree", + "Myroxylon balsamum", + "Myroxylon toluiferum", + "Peruvian balsam", + "Myroxylon pereirae", + "Myroxylon balsamum pereirae", + "tolu", + "balsam of tolu", + "tolu balsam", + "balsam of Peru", + "Onobrychis", + "genus Onobrychis", + "sainfoin", + "sanfoin", + "holy clover", + "esparcet", + "Onobrychis viciifolia", + "Onobrychis viciaefolia", + "Ononis", + "genus Ononis", + "restharrow", + "rest-harrow", + "Ononis repens", + "restharrow", + "rest-harrow", + "Ononis spinosa", + "Ormosia", + "genus Ormosia", + "necklace tree", + "bead tree", + "jumby bean", + "jumby tree", + "Ormosia monosperma", + "jumby bead", + "jumbie bead", + "Ormosia coarctata", + "Oxytropis", + "genus Oxytropis", + "locoweed", + "crazyweed", + "crazy weed", + "purple locoweed", + "purple loco", + "Oxytropis lambertii", + "tumbleweed", + "Pachyrhizus", + "genus Pachyrhizus", + "yam bean", + "Pachyrhizus erosus", + "yam bean", + "potato bean", + "Pachyrhizus tuberosus", + "Parochetus", + "genus Parochetus", + "shamrock pea", + "Parochetus communis", + "Phaseolus", + "genus Phaseolus", + "bean", + "bean plant", + "bush bean", + "pole bean", + "common bean", + "common bean plant", + "Phaseolus vulgaris", + "kidney bean", + "frijol", + "frijole", + "green bean", + "haricot", + "wax bean", + "scarlet runner", + "scarlet runner bean", + "Dutch case-knife bean", + "runner bean", + "Phaseolus coccineus", + "Phaseolus multiflorus", + "shell bean", + "shell bean plant", + "lima bean", + "lima bean plant", + "Phaseolus limensis", + "sieva bean", + "butter bean", + "butter-bean plant", + "lima bean", + "Phaseolus lunatus", + "tepary bean", + "Phaseolus acutifolius latifolius", + "Pickeringia", + "genus Pickeringia", + "chaparral pea", + "stingaree-bush", + "Pickeringia montana", + "Piscidia", + "genus Piscidia", + "Jamaica dogwood", + "fish fuddle", + "Piscidia piscipula", + "Piscidia erythrina", + "Pisum", + "genus Pisum", + "pea", + "pea plant", + "pea", + "garden pea", + "garden pea plant", + "common pea", + "Pisum sativum", + "garden pea", + "edible-pod pea", + "edible-podded pea", + "Pisum sativum macrocarpon", + "snow pea", + "sugar pea", + "sugar snap pea", + "snap pea", + "field pea", + "field-pea plant", + "Austrian winter pea", + "Pisum sativum arvense", + "Pisum arvense", + "field pea", + "Platylobium", + "genus Platylobium", + "flat pea", + "Platylobium formosum", + "common flat pea", + "native holly", + "Playlobium obtusangulum", + "Platymiscium", + "genus Platymiscium", + "quira", + "roble", + "Platymiscium trinitatis", + "Panama redwood tree", + "Panama redwood", + "Platymiscium pinnatum", + "Panama redwood", + "quira", + "Podalyria", + "genus Podalyria", + "Pongamia", + "genus Pongamia", + "Indian beech", + "Pongamia glabra", + "Psophocarpus", + "genus Psophocarpus", + "winged bean", + "winged pea", + "goa bean", + "goa bean vine", + "Manila bean", + "Psophocarpus tetragonolobus", + "Psoralea", + "genus Psoralea", + "breadroot", + "Indian breadroot", + "pomme blanche", + "pomme de prairie", + "Psoralea esculenta", + "Pterocarpus", + "genus Pterocarpus", + "bloodwood tree", + "kiaat", + "Pterocarpus angolensis", + "padauk", + "padouk", + "amboyna", + "Pterocarpus indicus", + "amboyna", + "Andaman redwood", + "Burma padauk", + "Burmese rosewood", + "Pterocarpus macrocarpus", + "kino", + "Pterocarpus marsupium", + "East India kino", + "Malabar kino", + "kino gum", + "red sandalwood", + "red sanders", + "red sanderswood", + "red saunders", + "Pterocarpus santalinus", + "ruby wood", + "red sandalwood", + "Pueraria", + "genus Pueraria", + "kudzu", + "kudzu vine", + "Pueraria lobata", + "Retama", + "genus Retama", + "retem", + "raetam", + "juniper bush", + "juniper", + "Retama raetam", + "Genista raetam", + "Robinia", + "genus Robinia", + "bristly locust", + "rose acacia", + "moss locust", + "Robinia hispida", + "black locust", + "yellow locust", + "Robinia pseudoacacia", + "black locust", + "clammy locust", + "Robinia viscosa", + "Sabinea", + "genus Sabinea", + "carib wood", + "Sabinea carinalis", + "genus Sesbania", + "sesbania", + "Colorado River hemp", + "Sesbania exaltata", + "scarlet wisteria tree", + "vegetable hummingbird", + "Sesbania grandiflora", + "Sophora", + "genus Sophora", + "Japanese pagoda tree", + "Chinese scholartree", + "Chinese scholar tree", + "Sophora japonica", + "Sophora sinensis", + "mescal bean", + "coral bean", + "frijolito", + "frijolillo", + "Sophora secundiflora", + "kowhai", + "Sophora tetraptera", + "Spartium", + "genus Spartium", + "Spanish broom", + "weaver's broom", + "Spartium junceum", + "Strongylodon", + "genus Strongylodon", + "jade vine", + "emerald creeper", + "Strongylodon macrobotrys", + "Templetonia", + "genus Templetonia", + "coral bush", + "flame bush", + "Templetonia retusa", + "Tephrosia", + "genus Tephrosia", + "hoary pea", + "bastard indigo", + "Tephrosia purpurea", + "catgut", + "goat's rue", + "wild sweet pea", + "Tephrosia virginiana", + "Thermopsis", + "genus Thermopsis", + "bush pea", + "false lupine", + "golden pea", + "yellow pea", + "Thermopsis macrophylla", + "Carolina lupine", + "Thermopsis villosa", + "Tipuana", + "genus Tipuana", + "tipu", + "tipu tree", + "yellow jacaranda", + "pride of Bolivia", + "Trigonella", + "genus Trigonella", + "bird's foot trefoil", + "Trigonella ornithopodioides", + "fenugreek", + "Greek clover", + "Trigonella foenumgraecum", + "Ulex", + "genus Ulex", + "gorse", + "furze", + "whin", + "Irish gorse", + "Ulex europaeus", + "Vicia", + "genus Vicia", + "vetch", + "tare", + "tufted vetch", + "bird vetch", + "Calnada pea", + "Vicia cracca", + "broad bean", + "broad-bean", + "broad-bean plant", + "English bean", + "European bean", + "field bean", + "Vicia faba", + "broad bean", + "fava bean", + "horsebean", + "bitter betch", + "Vicia orobus", + "spring vetch", + "Vicia sativa", + "bush vetch", + "Vicia sepium", + "hairy vetch", + "hairy tare", + "Vicia villosa", + "Vigna", + "genus Vigna", + "moth bean", + "Vigna aconitifolia", + "Phaseolus aconitifolius", + "adzuki bean", + "adsuki bean", + "Vigna angularis", + "Phaseolus angularis", + "snailflower", + "snail-flower", + "snail flower", + "snail bean", + "corkscrew flower", + "Vigna caracalla", + "Phaseolus caracalla", + "mung", + "mung bean", + "green gram", + "golden gram", + "Vigna radiata", + "Phaseolus aureus", + "cowpea", + "cowpea plant", + "black-eyed pea", + "Vigna unguiculata", + "Vigna sinensis", + "cowpea", + "black-eyed pea", + "asparagus bean", + "yard-long bean", + "Vigna unguiculata sesquipedalis", + "Vigna sesquipedalis", + "Viminaria", + "genus Viminaria", + "swamp oak", + "Viminaria juncea", + "Viminaria denudata", + "Virgilia", + "genus Virgilia", + "keurboom", + "Virgilia capensis", + "Virgilia oroboides", + "keurboom", + "Virgilia divaricata", + "genus Wisteria", + "wisteria", + "wistaria", + "Japanese wistaria", + "Wisteria floribunda", + "Chinese wistaria", + "Wisteria chinensis", + "American wistaria", + "American wisteria", + "Wisteria frutescens", + "silky wisteria", + "Wisteria venusta", + "Palmales", + "order Palmales", + "Palmae", + "family Palmae", + "Palmaceae", + "family Palmaceae", + "Arecaceae", + "family Arecaceae", + "palm family", + "palm", + "palm tree", + "sago palm", + "feather palm", + "fan palm", + "palmetto", + "Acrocomia", + "genus Acrocomia", + "coyol", + "coyol palm", + "Acrocomia vinifera", + "grugru", + "gri-gri", + "grugru palm", + "macamba", + "Acrocomia aculeata", + "genus Areca", + "areca", + "betel palm", + "Areca catechu", + "Arenga", + "genus Arenga", + "sugar palm", + "gomuti", + "gomuti palm", + "Arenga pinnata", + "Attalea", + "genus Attalea", + "piassava palm", + "pissaba palm", + "Bahia piassava", + "bahia coquilla", + "Attalea funifera", + "coquilla nut", + "Borassus", + "genus Borassus", + "palmyra", + "palmyra palm", + "toddy palm", + "wine palm", + "lontar", + "longar palm", + "Borassus flabellifer", + "bassine", + "genus Calamus", + "calamus", + "rattan", + "rattan palm", + "Calamus rotang", + "lawyer cane", + "Calamus australis", + "Caryota", + "genus Caryota", + "fishtail palm", + "wine palm", + "jaggery palm", + "kitul", + "kittul", + "kitul tree", + "toddy palm", + "Caryota urens", + "Ceroxylon", + "genus Ceroxylon", + "wax palm", + "Ceroxylon andicola", + "Ceroxylon alpinum", + "Cocos", + "genus Cocos", + "coconut", + "coconut palm", + "coco palm", + "coco", + "cocoa palm", + "coconut tree", + "Cocos nucifera", + "coir", + "Copernicia", + "genus Copernicia", + "carnauba", + "carnauba palm", + "wax palm", + "Copernicia prunifera", + "Copernicia cerifera", + "carnauba wax", + "carnauba", + "caranday", + "caranda", + "caranda palm", + "wax palm", + "Copernicia australis", + "Copernicia alba", + "genus Corozo", + "corozo", + "corozo palm", + "Corypha", + "genus Corypha", + "gebang palm", + "Corypha utan", + "Corypha gebanga", + "latanier", + "latanier palm", + "talipot", + "talipot palm", + "Corypha umbraculifera", + "Elaeis", + "genus Elaeis", + "oil palm", + "African oil palm", + "Elaeis guineensis", + "American oil palm", + "Elaeis oleifera", + "palm nut", + "palm kernel", + "Euterpe", + "genus Euterpe", + "cabbage palm", + "Euterpe oleracea", + "Livistona", + "genus Livistona", + "cabbage palm", + "cabbage tree", + "Livistona australis", + "Metroxylon", + "genus Metroxylon", + "true sago palm", + "Metroxylon sagu", + "Nipa", + "genus Nipa", + "Nypa", + "genus Nypa", + "nipa palm", + "Nipa fruticans", + "Orbignya", + "genus Orbignya", + "babassu", + "babassu palm", + "coco de macao", + "Orbignya phalerata", + "Orbignya spesiosa", + "Orbignya martiana", + "babassu nut", + "babassu oil", + "babacu oil", + "cohune palm", + "Orbignya cohune", + "cohune", + "cohune nut", + "cohune-nut oil", + "cohune oil", + "cohune fat", + "phoenicophorium", + "genus Phoenicophorium", + "phoenix", + "genus Phoenix", + "date palm", + "Phoenix dactylifera", + "phytelephas", + "genus Phytelephas", + "ivory palm", + "ivory-nut palm", + "ivory plant", + "Phytelephas macrocarpa", + "ivory nut", + "vegetable ivory", + "apple nut", + "Raffia", + "genus Raffia", + "Raphia", + "genus Raphia", + "raffia palm", + "Raffia farinifera", + "Raffia ruffia", + "raffia", + "jupati", + "jupaty", + "jupati palm", + "Raffia taedigera", + "bamboo palm", + "Raffia vinifera", + "Rhapis", + "genus Rhapis", + "lady palm", + "miniature fan palm", + "bamboo palm", + "fern rhapis", + "Rhapis excelsa", + "reed rhapis", + "slender lady palm", + "Rhapis humilis", + "Roystonea", + "genus Roystonea", + "royal palm", + "Roystonea regia", + "cabbage palm", + "Roystonea oleracea", + "Sabal", + "genus Sabal", + "cabbage palmetto", + "cabbage palm", + "Sabal palmetto", + "Serenoa", + "genus Serenoa", + "saw palmetto", + "scrub palmetto", + "Serenoa repens", + "Thrinax", + "genus Thrinax", + "thatch palm", + "thatch tree", + "silver thatch", + "broom palm", + "Thrinax parviflora", + "key palm", + "silvertop palmetto", + "silver thatch", + "Thrinax microcarpa", + "Thrinax morrisii", + "Thrinax keyensis", + "Plantaginales", + "order Plantaginales", + "Plantaginaceae", + "family Plantaginaceae", + "plantain family", + "Plantago", + "genus Plantago", + "plantain", + "English plantain", + "narrow-leaved plantain", + "ribgrass", + "ribwort", + "ripple-grass", + "buckthorn", + "Plantago lanceolata", + "broad-leaved plantain", + "common plantain", + "white-man's foot", + "whiteman's foot", + "cart-track plant", + "Plantago major", + "hoary plantain", + "Plantago media", + "fleawort", + "psyllium", + "Spanish psyllium", + "Plantago psyllium", + "rugel's plantain", + "broad-leaved plantain", + "Plantago rugelii", + "hoary plantain", + "Plantago virginica", + "Polygonales", + "order Polygonales", + "Polygonaceae", + "family Polygonaceae", + "buckwheat family", + "Polygonum", + "genus Polygonum", + "silver lace vine", + "China fleece vine", + "Russian vine", + "Polygonum aubertii", + "Fagopyrum", + "genus Fagopyrum", + "buckwheat", + "Polygonum fagopyrum", + "Fagopyrum esculentum", + "prince's-feather", + "princess feather", + "kiss-me-over-the-garden-gate", + "prince's-plume", + "Polygonum orientale", + "genus Eriogonum", + "eriogonum", + "umbrella plant", + "Eriogonum allenii", + "wild buckwheat", + "California buckwheat", + "Erigonum fasciculatum", + "Rheum", + "genus Rheum", + "rhubarb", + "rhubarb plant", + "Himalayan rhubarb", + "Indian rhubarb", + "red-veined pie plant", + "Rheum australe", + "Rheum emodi", + "pie plant", + "garden rhubarb", + "Rheum cultorum", + "Rheum rhabarbarum", + "Rheum rhaponticum", + "Chinese rhubarb", + "Rheum palmatum", + "Rumex", + "genus Rumex", + "dock", + "sorrel", + "sour grass", + "sour dock", + "garden sorrel", + "Rumex acetosa", + "sheep sorrel", + "sheep's sorrel", + "Rumex acetosella", + "bitter dock", + "broad-leaved dock", + "yellow dock", + "Rumex obtusifolius", + "French sorrel", + "garden sorrel", + "Rumex scutatus", + "Xyridales", + "order Xyridales", + "Commelinales", + "order Commelinales", + "Xyridaceae", + "family Xyridaceae", + "yellow-eyed grass family", + "Xyris", + "genus Xyris", + "yellow-eyed grass", + "tall yellow-eye", + "Xyris operculata", + "Commelinaceae", + "family Commelinaceae", + "spiderwort family", + "genus Commelina", + "commelina", + "spiderwort", + "dayflower", + "St.-Bruno's-lily", + "Paradisea liliastrum", + "Tradescantia", + "genus Tradescantia", + "Bromeliaceae", + "family Bromeliaceae", + "pineapple family", + "Ananas", + "genus Ananas", + "pineapple", + "pineapple plant", + "Ananas comosus", + "Bromelia", + "Tillandsia", + "genus Tillandsia", + "Spanish moss", + "old man's beard", + "black moss", + "long moss", + "Tillandsia usneoides", + "Mayacaceae", + "family Mayacaceae", + "Mayaca", + "genus Mayaca", + "Rapateaceae", + "family Rapateaceae", + "Eriocaulaceae", + "family Eriocaulaceae", + "pipewort family", + "Eriocaulon", + "genus Eriocaulon", + "pipewort", + "Eriocaulon aquaticum", + "Pontederiaceae", + "family Pontederiaceae", + "pickerelweed family", + "Pontederia", + "genus Pontederia", + "pickerelweed", + "pickerel weed", + "wampee", + "Pontederia cordata", + "Eichhornia", + "genus Eichhornia", + "water hyacinth", + "water orchid", + "Eichhornia crassipes", + "Eichhornia spesiosa", + "Heteranthera", + "genus Heteranthera", + "water star grass", + "mud plantain", + "Heteranthera dubia", + "Naiadales", + "order Naiadales", + "Alismales", + "order Alismales", + "Naiadaceae", + "family Naiadaceae", + "Najadaceae", + "family Najadaceae", + "naiad family", + "Naias", + "genus Naias", + "Najas", + "genus Najas", + "naiad", + "water nymph", + "Alismataceae", + "family Alismataceae", + "water-plantain family", + "Alisma", + "genus Alisma", + "water plantain", + "Alisma plantago-aquatica", + "Sagittaria", + "genus Sagittaria", + "common arrowhead", + "ribbon-leaved water plantain", + "narrow-leaved water plantain", + "Hydrocharitaceae", + "family Hydrocharitaceae", + "Hydrocharidaceae", + "family Hydrocharidaceae", + "frogbit family", + "frog's-bit family", + "Hydrocharis", + "genus Hydrocharis", + "frogbit", + "frog's-bit", + "Hydrocharis morsus-ranae", + "genus Hydrilla", + "hydrilla", + "Hydrilla verticillata", + "Limnobium", + "genus Limnobium", + "American frogbit", + "Limnodium spongia", + "Elodea", + "genus Elodea", + "pondweed", + "ditchmoss", + "waterweed", + "Canadian pondweed", + "Elodea canadensis", + "dense-leaved elodea", + "Elodea densa", + "Egeria densa", + "Egeria", + "genus Egeria", + "Vallisneria", + "genus Vallisneria", + "tape grass", + "eelgrass", + "wild celery", + "Vallisneria spiralis", + "Potamogetonaceae", + "family Potamogetonaceae", + "pondweed family", + "pondweed", + "Potamogeton", + "genus Potamogeton", + "curled leaf pondweed", + "curly pondweed", + "Potamogeton crispus", + "variously-leaved pondweed", + "Potamogeton gramineous", + "loddon pondweed", + "Potamogeton nodosus", + "Potamogeton americanus", + "Groenlandia", + "genus Groenlandia", + "frog's lettuce", + "Scheuchzeriaceae", + "family Scheuchzeriaceae", + "Juncaginaceae", + "family Juncaginaceae", + "arrow-grass family", + "Triglochin", + "genus Triglochin", + "arrow grass", + "Triglochin maritima", + "Zannichelliaceae", + "family Zannichelliaceae", + "Zannichellia", + "genus Zannichellia", + "horned pondweed", + "Zannichellia palustris", + "Zosteraceae", + "family Zosteraceae", + "eelgrass family", + "Zostera", + "genus Zostera", + "eelgrass", + "grass wrack", + "sea wrack", + "Zostera marina", + "Rosales", + "order Rosales", + "Rosaceae", + "family Rosaceae", + "rose family", + "Rosa", + "genus Rosa", + "rose", + "rosebush", + "hip", + "rose hip", + "rosehip", + "mountain rose", + "Rosa pendulina", + "ground rose", + "Rosa spithamaea", + "banksia rose", + "Rosa banksia", + "dog rose", + "Rosa canina", + "China rose", + "Bengal rose", + "Rosa chinensis", + "damask rose", + "summer damask rose", + "Rosa damascena", + "sweetbrier", + "sweetbriar", + "brier", + "briar", + "eglantine", + "Rosa eglanteria", + "brier", + "brierpatch", + "brier patch", + "Cherokee rose", + "Rosa laevigata", + "multiflora", + "multiflora rose", + "Japanese rose", + "baby rose", + "Rosa multiflora", + "musk rose", + "Rosa moschata", + "tea rose", + "Rosa odorata", + "genus Agrimonia", + "agrimonia", + "agrimony", + "harvest-lice", + "Agrimonia eupatoria", + "fragrant agrimony", + "Agrimonia procera", + "Amelanchier", + "genus Amelanchier", + "Juneberry", + "serviceberry", + "service tree", + "shadbush", + "shadblow", + "alderleaf Juneberry", + "alder-leaved serviceberry", + "Amelanchier alnifolia", + "Bartram Juneberry", + "Amelanchier bartramiana", + "Chaenomeles", + "genus Chaenomeles", + "flowering quince", + "japonica", + "maule's quince", + "Chaenomeles japonica", + "Japanese quince", + "Chaenomeles speciosa", + "Chrysobalanus", + "genus Chrysobalanus", + "coco plum", + "coco plum tree", + "cocoa plum", + "icaco", + "Chrysobalanus icaco", + "genus Cotoneaster", + "cotoneaster", + "Cotoneaster dammeri", + "Cotoneaster horizontalis", + "Crataegus", + "genus Crataegus", + "hawthorn", + "haw", + "parsley haw", + "parsley-leaved thorn", + "Crataegus apiifolia", + "Crataegus marshallii", + "scarlet haw", + "Crataegus biltmoreana", + "blackthorn", + "pear haw", + "pear hawthorn", + "Crataegus calpodendron", + "Crataegus tomentosa", + "cockspur thorn", + "cockspur hawthorn", + "Crataegus crus-galli", + "mayhaw", + "summer haw", + "Crataegus aestivalis", + "whitethorn", + "English hawthorn", + "may", + "Crataegus laevigata", + "Crataegus oxycantha", + "English hawthorn", + "Crataegus monogyna", + "red haw", + "downy haw", + "Crataegus mollis", + "Crataegus coccinea mollis", + "evergreen thorn", + "Crataegus oxyacantha", + "red haw", + "Crataegus pedicellata", + "Crataegus coccinea", + "Cydonia", + "genus Cydonia", + "quince", + "quince bush", + "Cydonia oblonga", + "Dryas", + "genus Dryas", + "mountain avens", + "Dryas octopetala", + "Eriobotrya", + "genus Eriobotrya", + "loquat", + "loquat tree", + "Japanese medlar", + "Japanese plum", + "Eriobotrya japonica", + "Fragaria", + "genus Fragaria", + "strawberry", + "garden strawberry", + "cultivated strawberry", + "Fragaria ananassa", + "wild strawberry", + "wood strawberry", + "Fragaria vesca", + "beach strawberry", + "Chilean strawberry", + "Fragaria chiloensis", + "Virginia strawberry", + "scarlet strawberry", + "Fragaria virginiana", + "Geum", + "genus Geum", + "avens", + "yellow avens", + "Geum alleppicum strictum", + "Geum strictum", + "bennet", + "white avens", + "Geum canadense", + "yellow avens", + "Geum macrophyllum", + "water avens", + "Indian chocolate", + "purple avens", + "chocolate root", + "Geum rivale", + "prairie smoke", + "purple avens", + "Geum triflorum", + "herb bennet", + "cloveroot", + "clover-root", + "wood avens", + "Geum urbanum", + "bennet", + "white avens", + "Geum virginianum", + "Heteromeles", + "genus Heteromeles", + "toyon", + "tollon", + "Christmasberry", + "Christmas berry", + "Heteromeles arbutifolia", + "Photinia arbutifolia", + "Malus", + "genus Malus", + "apple tree", + "applewood", + "apple", + "orchard apple tree", + "Malus pumila", + "wild apple", + "crab apple", + "crabapple", + "crab apple", + "crabapple", + "cultivated crab apple", + "Siberian crab", + "Siberian crab apple", + "cherry apple", + "cherry crab", + "Malus baccata", + "wild crab", + "Malus sylvestris", + "American crab apple", + "garland crab", + "Malus coronaria", + "Oregon crab apple", + "Malus fusca", + "Southern crab apple", + "flowering crab", + "Malus angustifolia", + "Iowa crab", + "Iowa crab apple", + "prairie crab", + "western crab apple", + "Malus ioensis", + "Bechtel crab", + "flowering crab", + "Mespilus", + "genus Mespilus", + "medlar", + "medlar tree", + "Mespilus germanica", + "Photinia", + "genus Photinia", + "Potentilla", + "genus Potentilla", + "cinquefoil", + "five-finger", + "silverweed", + "goose-tansy", + "goose grass", + "Potentilla anserina", + "Poterium", + "genus Poterium", + "salad burnet", + "burnet bloodwort", + "pimpernel", + "Poterium sanguisorba", + "Prunus", + "genus Prunus", + "plum", + "plum tree", + "wild plum", + "wild plum tree", + "Allegheny plum", + "Alleghany plum", + "sloe", + "Prunus alleghaniensis", + "American red plum", + "August plum", + "goose plum", + "Prunus americana", + "chickasaw plum", + "hog plum", + "hog plum bush", + "Prunus angustifolia", + "beach plum", + "beach plum bush", + "Prunus maritima", + "common plum", + "Prunus domestica", + "bullace", + "Prunus insititia", + "damson plum", + "damson plum tree", + "Prunus domestica insititia", + "big-tree plum", + "Prunus mexicana", + "Canada plum", + "Prunus nigra", + "plumcot", + "plumcot tree", + "apricot", + "apricot tree", + "Japanese apricot", + "mei", + "Prunus mume", + "common apricot", + "Prunus armeniaca", + "purple apricot", + "black apricot", + "Prunus dasycarpa", + "cherry", + "cherry tree", + "cherry", + "wild cherry", + "wild cherry tree", + "wild cherry", + "sweet cherry", + "Prunus avium", + "heart cherry", + "oxheart", + "oxheart cherry", + "gean", + "mazzard", + "mazzard cherry", + "Western sand cherry", + "Rocky Mountains cherry", + "Prunus besseyi", + "capulin", + "capulin tree", + "Prunus capuli", + "cherry laurel", + "laurel cherry", + "mock orange", + "wild orange", + "Prunus caroliniana", + "cherry plum", + "myrobalan", + "myrobalan plum", + "Prunus cerasifera", + "sour cherry", + "sour cherry tree", + "Prunus cerasus", + "amarelle", + "Prunus cerasus caproniana", + "morello", + "Prunus cerasus austera", + "marasca", + "marasca cherry", + "maraschino cherry", + "Prunus cerasus marasca", + "marasca", + "Amygdalaceae", + "family Amygdalaceae", + "Amygdalus", + "genus Amygdalus", + "almond tree", + "almond", + "sweet almond", + "Prunus dulcis", + "Prunus amygdalus", + "Amygdalus communis", + "bitter almond", + "Prunus dulcis amara", + "Amygdalus communis amara", + "almond oil", + "expressed almond oil", + "sweet almond oil", + "bitter almond oil", + "jordan almond", + "dwarf flowering almond", + "Prunus glandulosa", + "holly-leaved cherry", + "holly-leaf cherry", + "evergreen cherry", + "islay", + "Prunus ilicifolia", + "fuji", + "fuji cherry", + "Prunus incisa", + "flowering almond", + "oriental bush cherry", + "Prunus japonica", + "cherry laurel", + "laurel cherry", + "Prunus laurocerasus", + "Catalina cherry", + "Prunus lyonii", + "bird cherry", + "bird cherry tree", + "hagberry tree", + "European bird cherry", + "common bird cherry", + "Prunus padus", + "hagberry", + "pin cherry", + "Prunus pensylvanica", + "peach", + "peach tree", + "Prunus persica", + "nectarine", + "nectarine tree", + "Prunus persica nectarina", + "sand cherry", + "Prunus pumila", + "Prunus pumilla susquehanae", + "Prunus susquehanae", + "Prunus cuneata", + "Japanese plum", + "Prunus salicina", + "black cherry", + "black cherry tree", + "rum cherry", + "Prunus serotina", + "flowering cherry", + "oriental cherry", + "Japanese cherry", + "Japanese flowering cherry", + "Prunus serrulata", + "Japanese flowering cherry", + "Prunus sieboldii", + "blackthorn", + "sloe", + "Prunus spinosa", + "Sierra plum", + "Pacific plum", + "Prunus subcordata", + "rosebud cherry", + "winter flowering cherry", + "Prunus subhirtella", + "Russian almond", + "dwarf Russian almond", + "Prunus tenella", + "flowering almond", + "Prunus triloba", + "chokecherry", + "chokecherry tree", + "Prunus virginiana", + "chokecherry", + "western chokecherry", + "Prunus virginiana demissa", + "Prunus demissa", + "genus Pyracantha", + "Pyracantha", + "pyracanth", + "fire thorn", + "firethorn", + "Pyrus", + "genus Pyrus", + "pear", + "pear tree", + "Pyrus communis", + "fruit tree", + "fruitwood", + "Rubus", + "genus Rubus", + "bramble bush", + "lawyerbush", + "lawyer bush", + "bush lawyer", + "Rubus cissoides", + "Rubus australis", + "stone bramble", + "Rubus saxatilis", + "blackberry", + "blackberry bush", + "true blackberry", + "Rubus fruticosus", + "sand blackberry", + "Rubus cuneifolius", + "dewberry", + "dewberry bush", + "running blackberry", + "western blackberry", + "western dewberry", + "Rubus ursinus", + "boysenberry", + "boysenberry bush", + "loganberry", + "Rubus loganobaccus", + "Rubus ursinus loganobaccus", + "American dewberry", + "Rubus canadensis", + "Northern dewberry", + "American dewberry", + "Rubus flagellaris", + "Southern dewberry", + "Rubus trivialis", + "swamp dewberry", + "swamp blackberry", + "Rubus hispidus", + "European dewberry", + "Rubus caesius", + "raspberry", + "raspberry bush", + "red raspberry", + "wild raspberry", + "European raspberry", + "framboise", + "Rubus idaeus", + "American raspberry", + "Rubus strigosus", + "Rubus idaeus strigosus", + "black raspberry", + "blackcap", + "blackcap raspberry", + "thimbleberry", + "Rubus occidentalis", + "salmonberry", + "Rubus spectabilis", + "salmonberry", + "salmon berry", + "thimbleberry", + "Rubus parviflorus", + "cloudberry", + "dwarf mulberry", + "bakeapple", + "baked-apple berry", + "salmonberry", + "Rubus chamaemorus", + "flowering raspberry", + "purple-flowering raspberry", + "Rubus odoratus", + "thimbleberry", + "wineberry", + "Rubus phoenicolasius", + "Sorbus", + "genus Sorbus", + "mountain ash", + "rowan", + "rowan tree", + "European mountain ash", + "Sorbus aucuparia", + "rowanberry", + "American mountain ash", + "Sorbus americana", + "Western mountain ash", + "Sorbus sitchensis", + "service tree", + "sorb apple", + "sorb apple tree", + "Sorbus domestica", + "wild service tree", + "Sorbus torminalis", + "Spiraea", + "genus Spiraea", + "spirea", + "spiraea", + "bridal wreath", + "bridal-wreath", + "Saint Peter's wreath", + "St. Peter's wreath", + "Spiraea prunifolia", + "Rubiales", + "order Rubiales", + "Rubiaceae", + "family Rubiaceae", + "madder family", + "madderwort", + "rubiaceous plant", + "Rubia", + "genus Rubia", + "Indian madder", + "munjeet", + "Rubia cordifolia", + "madder", + "Rubia tinctorum", + "Asperula", + "genus Asperula", + "woodruff", + "dyer's woodruff", + "Asperula tinctoria", + "Calycophyllum", + "genus Calycophyllum", + "dagame", + "lemonwood tree", + "Calycophyllum candidissimum", + "Chiococca", + "genus Chiococca", + "blolly", + "West Indian snowberry", + "Chiococca alba", + "Coffea", + "genus Coffea", + "coffee", + "coffee tree", + "Arabian coffee", + "Coffea arabica", + "Liberian coffee", + "Coffea liberica", + "robusta coffee", + "Rio Nunez coffee", + "Coffea robusta", + "Coffea canephora", + "genus Cinchona", + "genus Chinchona", + "cinchona", + "chinchona", + "Cartagena bark", + "Cinchona cordifolia", + "Cinchona lancifolia", + "calisaya", + "Cinchona officinalis", + "Cinchona ledgeriana", + "Cinchona calisaya", + "cinchona tree", + "Cinchona pubescens", + "cinchona", + "cinchona bark", + "Peruvian bark", + "Jesuit's bark", + "Galium", + "genus Galium", + "bedstraw", + "sweet woodruff", + "waldmeister", + "woodruff", + "fragrant bedstraw", + "Galium odoratum", + "Asperula odorata", + "Northern bedstraw", + "Northern snow bedstraw", + "Galium boreale", + "yellow bedstraw", + "yellow cleavers", + "Our Lady's bedstraw", + "Galium verum", + "wild licorice", + "Galium lanceolatum", + "cleavers", + "clivers", + "goose grass", + "catchweed", + "spring cleavers", + "Galium aparine", + "wild madder", + "white madder", + "white bedstraw", + "infant's-breath", + "false baby's breath", + "Galium mollugo", + "genus Gardenia", + "gardenia", + "cape jasmine", + "cape jessamine", + "Gardenia jasminoides", + "Gardenia augusta", + "genus Genipa", + "genipa", + "genipap fruit", + "jagua", + "marmalade box", + "Genipa Americana", + "genus Hamelia", + "hamelia", + "scarlet bush", + "scarlet hamelia", + "coloradillo", + "Hamelia patens", + "Hamelia erecta", + "Mitchella", + "genus Mitchella", + "partridgeberry", + "boxberry", + "twinberry", + "Mitchella repens", + "Nauclea", + "genus Nauclea", + "opepe", + "Nauclea diderrichii", + "Sarcocephalus diderrichii", + "Pinckneya", + "genus Pinckneya", + "fever tree", + "Georgia bark", + "bitter-bark", + "Pinckneya pubens", + "Psychotria", + "genus Psychotria", + "lemonwood", + "lemon-wood", + "lemonwood tree", + "lemon-wood tree", + "Psychotria capensis", + "lemonwood", + "Sarcocephalus", + "genus Sarcocephalus", + "negro peach", + "Sarcocephalus latifolius", + "Sarcocephalus esculentus", + "Vangueria", + "genus Vangueria", + "wild medlar", + "wild medlar tree", + "medlar", + "Vangueria infausta", + "Spanish tamarind", + "Vangueria madagascariensis", + "Caprifoliaceae", + "family Caprifoliaceae", + "honeysuckle family", + "genus Abelia", + "abelia", + "Diervilla", + "genus Diervilla", + "bush honeysuckle", + "Diervilla lonicera", + "bush honeysuckle", + "Diervilla sessilifolia", + "Kolkwitzia", + "genus Kolkwitzia", + "beauty bush", + "Kolkwitzia amabilis", + "Leycesteria", + "genus Leycesteria", + "Himalaya honeysuckle", + "Leycesteria formosa", + "Linnaea", + "genus Linnaea", + "twinflower", + "Linnaea borealis", + "American twinflower", + "Linnaea borealis americana", + "Lonicera", + "genus Lonicera", + "honeysuckle", + "white honeysuckle", + "Lonicera albiflora", + "American fly honeysuckle", + "fly honeysuckle", + "Lonicera canadensis", + "Italian honeysuckle", + "Italian woodbine", + "Lonicera caprifolium", + "yellow honeysuckle", + "Lonicera dioica", + "yellow honeysuckle", + "Lonicera flava", + "hairy honeysuckle", + "Lonicera hirsuta", + "twinberry", + "Lonicera involucrata", + "Japanese honeysuckle", + "Lonicera japonica", + "Hall's honeysuckle", + "Lonicera japonica halliana", + "Morrow's honeysuckle", + "Lonicera morrowii", + "woodbine", + "Lonicera periclymenum", + "trumpet honeysuckle", + "coral honeysuckle", + "trumpet flower", + "trumpet vine", + "Lonicera sempervirens", + "bush honeysuckle", + "Tartarian honeysuckle", + "Lonicera tatarica", + "European fly honeysuckle", + "European honeysuckle", + "Lonicera xylosteum", + "swamp fly honeysuckle", + "Symphoricarpos", + "genus Symphoricarpos", + "snowberry", + "common snowberry", + "waxberry", + "Symphoricarpos alba", + "coralberry", + "Indian currant", + "Symphoricarpos orbiculatus", + "Sambucus", + "genus Sambucus", + "elder", + "elderberry bush", + "American elder", + "black elderberry", + "sweet elder", + "Sambucus canadensis", + "blue elder", + "blue elderberry", + "Sambucus caerulea", + "dwarf elder", + "danewort", + "Sambucus ebulus", + "bourtree", + "black elder", + "common elder", + "elderberry", + "European elder", + "Sambucus nigra", + "American red elder", + "red-berried elder", + "stinking elder", + "Sambucus pubens", + "European red elder", + "red-berried elder", + "Sambucus racemosa", + "Triostium", + "genus Triostium", + "feverroot", + "horse gentian", + "tinker's root", + "wild coffee", + "Triostium perfoliatum", + "Viburnum", + "genus Viburnum", + "cranberry bush", + "cranberry tree", + "American cranberry bush", + "highbush cranberry", + "Viburnum trilobum", + "wayfaring tree", + "twist wood", + "twistwood", + "Viburnum lantana", + "guelder rose", + "European cranberrybush", + "European cranberry bush", + "crampbark", + "cranberry tree", + "Viburnum opulus", + "arrow wood", + "southern arrow wood", + "Viburnum dentatum", + "arrow wood", + "Viburnum recognitum", + "black haw", + "Viburnum prunifolium", + "genus Weigela", + "weigela", + "Weigela florida", + "Dipsacaceae", + "family Dipsacaceae", + "Dipsacus", + "genus Dipsacus", + "teasel", + "teazel", + "teasle", + "common teasel", + "Dipsacus fullonum", + "fuller's teasel", + "Dipsacus sativus", + "wild teasel", + "Dipsacus sylvestris", + "genus Scabiosa", + "scabious", + "scabiosa", + "sweet scabious", + "pincushion flower", + "mournful widow", + "Scabiosa atropurpurea", + "field scabious", + "Scabiosa arvensis", + "Balsaminaceae", + "family Balsaminaceae", + "balsam family", + "genus Impatiens", + "jewelweed", + "lady's earrings", + "orange balsam", + "celandine", + "touch-me-not", + "Impatiens capensis", + "Geraniales", + "order Geraniales", + "Geraniaceae", + "family Geraniaceae", + "geranium family", + "geranium", + "genus Geranium", + "cranesbill", + "crane's bill", + "wild geranium", + "spotted cranesbill", + "Geranium maculatum", + "meadow cranesbill", + "Geranium pratense", + "Richardson's geranium", + "Geranium richardsonii", + "herb robert", + "herbs robert", + "herb roberts", + "Geranium robertianum", + "sticky geranium", + "Geranium viscosissimum", + "dove's foot geranium", + "Geranium molle", + "Pelargonium", + "genus Pelargonium", + "rose geranium", + "sweet-scented geranium", + "Pelargonium graveolens", + "fish geranium", + "bedding geranium", + "zonal pelargonium", + "Pelargonium hortorum", + "ivy geranium", + "ivy-leaved geranium", + "hanging geranium", + "Pelargonium peltatum", + "apple geranium", + "nutmeg geranium", + "Pelargonium odoratissimum", + "lemon geranium", + "Pelargonium limoneum", + "Erodium", + "genus Erodium", + "storksbill", + "heron's bill", + "redstem storksbill", + "alfilaria", + "alfileria", + "filaree", + "filaria", + "clocks", + "pin grass", + "pin clover", + "Erodium cicutarium", + "musk clover", + "muskus grass", + "white-stemmed filaree", + "Erodium moschatum", + "Texas storksbill", + "Erodium texanum", + "Erythroxylaceae", + "family Erythroxylaceae", + "Erythroxylon", + "genus Erythroxylon", + "Erythroxylum", + "genus Erythroxylum", + "Erythroxylon coca", + "coca", + "coca plant", + "Erythroxylon truxiuense", + "Burseraceae", + "family Burseraceae", + "torchwood family", + "incense tree", + "elemi", + "gum elemi", + "Bursera", + "genus Bursera", + "elephant tree", + "Bursera microphylla", + "gumbo-limbo", + "Bursera simaruba", + "Boswellia", + "genus Boswellia", + "Boswellia carteri", + "salai", + "Boswellia serrata", + "Commiphora", + "genus Commiphora", + "balm of gilead", + "Commiphora meccanensis", + "myrrh tree", + "Commiphora myrrha", + "myrrh", + "gum myrrh", + "sweet cicely", + "Protium", + "genus Protium", + "Protium heptaphyllum", + "Protium guianense", + "incense wood", + "Callitrichaceae", + "family Callitrichaceae", + "Callitriche", + "genus Callitriche", + "water starwort", + "Malpighiaceae", + "family Malpighiaceae", + "Malpighia", + "genus Malpighia", + "jiqui", + "Malpighia obovata", + "barbados cherry", + "acerola", + "Surinam cherry", + "West Indian cherry", + "Malpighia glabra", + "Meliaceae", + "family Meliaceae", + "mahogany family", + "mahogany", + "mahogany tree", + "mahogany", + "Melia", + "genus Melia", + "chinaberry", + "chinaberry tree", + "China tree", + "Persian lilac", + "pride-of-India", + "azederach", + "azedarach", + "Melia azederach", + "Melia azedarach", + "Azadirachta", + "genus Azadirachta", + "neem", + "neem tree", + "nim tree", + "margosa", + "arishth", + "Azadirachta indica", + "Melia Azadirachta", + "neem seed", + "Cedrela", + "genus Cedrela", + "Spanish cedar", + "Spanish cedar tree", + "Cedrela odorata", + "Chloroxylon", + "genus Chloroxylon", + "satinwood", + "satinwood tree", + "Chloroxylon swietenia", + "satinwood", + "Entandrophragma", + "genus Entandrophragma", + "African scented mahogany", + "cedar mahogany", + "sapele mahogany", + "Entandrophragma cylindricum", + "Flindersia", + "genus Flindersia", + "silver ash", + "native beech", + "flindosa", + "flindosy", + "Flindersia australis", + "bunji-bunji", + "Flindersia schottiana", + "Khaya", + "genus Khaya", + "African mahogany", + "genus Lansium", + "lanseh tree", + "langsat", + "langset", + "Lansium domesticum", + "Lovoa", + "genus Lovoa", + "African walnut", + "Lovoa klaineana", + "Swietinia", + "genus Swietinia", + "true mahogany", + "Cuban mahogany", + "Dominican mahogany", + "Swietinia mahogani", + "Honduras mahogany", + "Swietinia macrophylla", + "Toona", + "genus Toona", + "Philippine mahogany", + "Philippine cedar", + "kalantas", + "Toona calantas", + "Cedrela calantas", + "Philippine mahogany", + "cigar-box cedar", + "genus Turreae", + "turreae", + "Lepidobotryaceae", + "family Lepidobotryaceae", + "genus Lepidobotrys", + "lepidobotrys", + "Ruptiliocarpon", + "genus Ruptiliocarpon", + "caracolito", + "Ruptiliocarpon caracolito", + "Oxalidaceae", + "family Oxalidaceae", + "wood-sorrel family", + "genus Oxalis", + "oxalis", + "sorrel", + "wood sorrel", + "common wood sorrel", + "cuckoo bread", + "shamrock", + "Oxalis acetosella", + "Bermuda buttercup", + "English-weed", + "Oxalis pes-caprae", + "Oxalis cernua", + "creeping oxalis", + "creeping wood sorrel", + "Oxalis corniculata", + "goatsfoot", + "goat's foot", + "Oxalis caprina", + "violet wood sorrel", + "Oxalis violacea", + "oca", + "oka", + "Oxalis tuberosa", + "Oxalis crenata", + "Averrhoa", + "genus Averrhoa", + "carambola", + "carambola tree", + "Averrhoa carambola", + "bilimbi", + "Averrhoa bilimbi", + "Polygalaceae", + "family Polygalaceae", + "milkwort family", + "Polygala", + "genus Polygala", + "milkwort", + "senega", + "Polygala alba", + "orange milkwort", + "yellow milkwort", + "candyweed", + "yellow bachelor's button", + "Polygala lutea", + "flowering wintergreen", + "gaywings", + "bird-on-the-wing", + "fringed polygala", + "Polygala paucifolia", + "Seneca snakeroot", + "Seneka snakeroot", + "senga root", + "senega root", + "senega snakeroot", + "Polygala senega", + "senega", + "common milkwort", + "gand flower", + "Polygala vulgaris", + "Rutaceae", + "family Rutaceae", + "rue family", + "Ruta", + "genus Ruta", + "rue", + "herb of grace", + "Ruta graveolens", + "genus Citrus", + "citrus", + "citrus tree", + "orange", + "orange tree", + "orangewood", + "sour orange", + "Seville orange", + "bitter orange", + "bitter orange tree", + "bigarade", + "marmalade orange", + "Citrus aurantium", + "bergamot", + "bergamot orange", + "Citrus bergamia", + "pomelo", + "pomelo tree", + "pummelo", + "shaddock", + "Citrus maxima", + "Citrus grandis", + "Citrus decumana", + "citron", + "citron tree", + "Citrus medica", + "citronwood", + "grapefruit", + "Citrus paradisi", + "mandarin", + "mandarin orange", + "mandarin orange tree", + "Citrus reticulata", + "tangerine", + "tangerine tree", + "clementine", + "clementine tree", + "satsuma", + "satsuma tree", + "sweet orange", + "sweet orange tree", + "Citrus sinensis", + "temple orange", + "temple orange tree", + "tangor", + "king orange", + "Citrus nobilis", + "tangelo", + "tangelo tree", + "ugli fruit", + "Citrus tangelo", + "rangpur", + "rangpur lime", + "lemanderin", + "Citrus limonia", + "lemon", + "lemon tree", + "Citrus limon", + "sweet lemon", + "sweet lime", + "Citrus limetta", + "lime", + "lime tree", + "Citrus aurantifolia", + "Citroncirus", + "genus Citroncirus", + "citrange", + "citrange tree", + "Citroncirus webberi", + "Dictamnus", + "genus Dictamnus", + "fraxinella", + "dittany", + "burning bush", + "gas plant", + "Dictamnus alba", + "Fortunella", + "genus Fortunella", + "kumquat", + "cumquat", + "kumquat tree", + "marumi", + "marumi kumquat", + "round kumquat", + "Fortunella japonica", + "nagami", + "nagami kumquat", + "oval kumquat", + "Fortunella margarita", + "Phellodendron", + "genus Phellodendron", + "cork tree", + "Phellodendron amurense", + "Poncirus", + "genus Poncirus", + "trifoliate orange", + "trifoliata", + "wild orange", + "Poncirus trifoliata", + "Zanthoxylum", + "genus Zanthoxylum", + "prickly ash", + "toothache tree", + "sea ash", + "Zanthoxylum americanum", + "Zanthoxylum fraxineum", + "Hercules'-club", + "Hercules'-clubs", + "Hercules-club", + "Zanthoxylum clava-herculis", + "satinwood", + "West Indian satinwood", + "Zanthoxylum flavum", + "Simaroubaceae", + "family Simaroubaceae", + "quassia family", + "bitterwood tree", + "Simarouba", + "genus Simarouba", + "marupa", + "Simarouba amara", + "paradise tree", + "bitterwood", + "Simarouba glauca", + "genus Ailanthus", + "ailanthus", + "tree of heaven", + "tree of the gods", + "Ailanthus altissima", + "Irvingia", + "genus Irvingia", + "wild mango", + "dika", + "wild mango tree", + "Irvingia gabonensis", + "Kirkia", + "genus Kirkia", + "pepper tree", + "Kirkia wilmsii", + "Picrasma", + "genus Picrasma", + "Jamaica quassia", + "bitterwood", + "Picrasma excelsa", + "Picrasma excelsum", + "Jamaica quassia", + "genus Quassia", + "quassia", + "bitterwood", + "Quassia amara", + "Tropaeolaceae", + "family Tropaeolaceae", + "nasturtium family", + "Tropaeolum", + "genus Tropaeolum", + "nasturtium", + "garden nasturtium", + "Indian cress", + "Tropaeolum majus", + "bush nasturtium", + "Tropaeolum minus", + "canarybird flower", + "canarybird vine", + "canary creeper", + "Tropaeolum peregrinum", + "Zygophyllaceae", + "family Zygophyllaceae", + "bean-caper family", + "Zygophyllum", + "genus Zygophyllum", + "bean caper", + "Syrian bean caper", + "Zygophyllum fabago", + "Bulnesia", + "genus Bulnesia", + "palo santo", + "Bulnesia sarmienti", + "guaiac wood", + "guaiacum wood", + "Guaiacum", + "genus Guaiacum", + "lignum vitae", + "Guaiacum officinale", + "lignum vitae", + "guaiac", + "guaiacum", + "bastard lignum vitae", + "Guaiacum sanctum", + "guaiacum", + "Larrea", + "genus Larrea", + "creosote bush", + "coville", + "hediondilla", + "Larrea tridentata", + "Sonora gum", + "Tribulus", + "genus Tribulus", + "caltrop", + "devil's weed", + "Tribulus terestris", + "Salicales", + "order Salicales", + "Salicaceae", + "family Salicaceae", + "willow family", + "Salix", + "genus Salix", + "willow", + "willow tree", + "osier", + "white willow", + "Huntingdon willow", + "Salix alba", + "silver willow", + "silky willow", + "Salix alba sericea", + "Salix sericea", + "golden willow", + "Salix alba vitellina", + "Salix vitellina", + "cricket-bat willow", + "Salix alba caerulea", + "arctic willow", + "Salix arctica", + "weeping willow", + "Babylonian weeping willow", + "Salix babylonica", + "Wisconsin weeping willow", + "Salix pendulina", + "Salix blanda", + "Salix pendulina blanda", + "pussy willow", + "Salix discolor", + "sallow", + "goat willow", + "florist's willow", + "pussy willow", + "Salix caprea", + "peachleaf willow", + "peach-leaved willow", + "almond-leaves willow", + "Salix amygdaloides", + "almond willow", + "black Hollander", + "Salix triandra", + "Salix amygdalina", + "hoary willow", + "sage willow", + "Salix candida", + "crack willow", + "brittle willow", + "snap willow", + "Salix fragilis", + "prairie willow", + "Salix humilis", + "dwarf willow", + "Salix herbacea", + "grey willow", + "gray willow", + "Salix cinerea", + "arroyo willow", + "Salix lasiolepis", + "shining willow", + "Salix lucida", + "swamp willow", + "black willow", + "Salix nigra", + "bay willow", + "laurel willow", + "Salix pentandra", + "purple willow", + "red willow", + "red osier", + "basket willow", + "purple osier", + "Salix purpurea", + "balsam willow", + "Salix pyrifolia", + "creeping willow", + "Salix repens", + "Sitka willow", + "silky willow", + "Salix sitchensis", + "dwarf grey willow", + "dwarf gray willow", + "sage willow", + "Salix tristis", + "bearberry willow", + "Salix uva-ursi", + "common osier", + "hemp willow", + "velvet osier", + "Salix viminalis", + "Populus", + "genus Populus", + "poplar", + "poplar tree", + "poplar", + "balsam poplar", + "hackmatack", + "tacamahac", + "Populus balsamifera", + "white poplar", + "white aspen", + "abele", + "aspen poplar", + "silver-leaved poplar", + "Populus alba", + "grey poplar", + "gray poplar", + "Populus canescens", + "black poplar", + "Populus nigra", + "Lombardy poplar", + "Populus nigra italica", + "cottonwood", + "Eastern cottonwood", + "necklace poplar", + "Populus deltoides", + "black cottonwood", + "Western balsam poplar", + "Populus trichocarpa", + "swamp cottonwood", + "black cottonwood", + "downy poplar", + "swamp poplar", + "Populus heterophylla", + "aspen", + "quaking aspen", + "European quaking aspen", + "Populus tremula", + "American quaking aspen", + "American aspen", + "Populus tremuloides", + "Canadian aspen", + "bigtooth aspen", + "bigtoothed aspen", + "big-toothed aspen", + "large-toothed aspen", + "large tooth aspen", + "Populus grandidentata", + "Santalales", + "order Santalales", + "Santalaceae", + "family Santalaceae", + "sandalwood family", + "Santalum", + "genus Santalum", + "sandalwood tree", + "true sandalwood", + "Santalum album", + "sandalwood", + "genus Buckleya", + "buckleya", + "Buckleya distichophylla", + "Comandra", + "genus Comandra", + "bastard toadflax", + "Comandra pallida", + "Eucarya", + "genus Eucarya", + "Fusanus", + "genus Fusanus", + "quandong", + "quandang", + "quandong tree", + "Eucarya acuminata", + "Fusanus acuminatus", + "Pyrularia", + "genus Pyrularia", + "rabbitwood", + "buffalo nut", + "Pyrularia pubera", + "buffalo nut", + "elk nut", + "oil nut", + "Loranthaceae", + "family Loranthaceae", + "mistletoe family", + "Loranthus", + "genus Loranthus", + "mistletoe", + "Loranthus europaeus", + "Arceuthobium", + "genus Arceuthobium", + "American mistletoe", + "Arceuthobium pusillum", + "Nuytsia", + "genus Nuytsia", + "flame tree", + "fire tree", + "Christmas tree", + "Nuytsia floribunda", + "Viscaceae", + "family Viscaceae", + "mistletoe family", + "Viscum", + "genus Viscum", + "mistletoe", + "Viscum album", + "Old World mistletoe", + "Phoradendron", + "genus Phoradendron", + "mistletoe", + "false mistletoe", + "American mistletoe", + "Phoradendron serotinum", + "Phoradendron flavescens", + "Sapindales", + "order Sapindales", + "Sapindaceae", + "family Sapindaceae", + "soapberry family", + "aalii", + "Dodonaea", + "genus Dodonaea", + "soapberry", + "soapberry tree", + "Sapindus", + "genus Sapindus", + "wild China tree", + "Sapindus drumondii", + "Sapindus marginatus", + "China tree", + "false dogwood", + "jaboncillo", + "chinaberry", + "Sapindus saponaria", + "Blighia", + "genus Blighia", + "akee", + "akee tree", + "Blighia sapida", + "Cardiospermum", + "genus Cardiospermum", + "soapberry vine", + "heartseed", + "Cardiospermum grandiflorum", + "balloon vine", + "heart pea", + "Cardiospermum halicacabum", + "Dimocarpus", + "genus Dimocarpus", + "longan", + "lungen", + "longanberry", + "Dimocarpus longan", + "Euphorbia litchi", + "Nephelium longana", + "genus Harpullia", + "harpullia", + "harpulla", + "Harpullia cupanioides", + "Moreton Bay tulipwood", + "Harpullia pendula", + "genus Litchi", + "litchi", + "lichee", + "litchi tree", + "Litchi chinensis", + "Nephelium litchi", + "Melicoccus", + "genus Melicoccus", + "Melicocca", + "genus Melicocca", + "Spanish lime", + "Spanish lime tree", + "honey berry", + "mamoncillo", + "genip", + "ginep", + "Melicocca bijuga", + "Melicocca bijugatus", + "Nephelium", + "genus Nephelium", + "rambutan", + "rambotan", + "rambutan tree", + "Nephelium lappaceum", + "pulasan", + "pulassan", + "pulasan tree", + "Nephelium mutabile", + "Buxaceae", + "family Buxaceae", + "box family", + "Buxus", + "genus Buxus", + "box", + "boxwood", + "common box", + "European box", + "Buxus sempervirens", + "boxwood", + "Turkish boxwood", + "genus Pachysandra", + "pachysandra", + "Allegheny spurge", + "Allegheny mountain spurge", + "Pachysandra procumbens", + "Japanese spurge", + "Pachysandra terminalis", + "Celastraceae", + "family Celastraceae", + "spindle-tree family", + "staff-tree family", + "staff tree", + "Celastrus", + "genus Celastrus", + "bittersweet", + "American bittersweet", + "climbing bittersweet", + "false bittersweet", + "staff vine", + "waxwork", + "shrubby bittersweet", + "Celastrus scandens", + "Japanese bittersweet", + "Japan bittersweet", + "oriental bittersweet", + "Celastrus orbiculatus", + "Celastric articulatus", + "Euonymus", + "genus Euonymus", + "spindle tree", + "spindleberry", + "spindleberry tree", + "common spindle tree", + "Euonymus europaeus", + "winged spindle tree", + "Euonymous alatus", + "wahoo", + "burning bush", + "Euonymus atropurpureus", + "strawberry bush", + "wahoo", + "Euonymus americanus", + "evergreen bittersweet", + "Euonymus fortunei radicans", + "Euonymus radicans vegetus", + "Cyrilliaceae", + "family Cyrilliaceae", + "cyrilla family", + "titi family", + "genus Cyrilla", + "cyrilla", + "leatherwood", + "white titi", + "Cyrilla racemiflora", + "Cliftonia", + "genus Cliftonia", + "titi", + "buckwheat tree", + "Cliftonia monophylla", + "Empetraceae", + "family Empetraceae", + "crowberry family", + "Empetrum", + "genus Empetrum", + "crowberry", + "Aceraceae", + "family Aceraceae", + "maple family", + "Acer", + "genus Acer", + "maple", + "maple", + "bird's-eye maple", + "silver maple", + "Acer saccharinum", + "sugar maple", + "rock maple", + "Acer saccharum", + "red maple", + "scarlet maple", + "swamp maple", + "Acer rubrum", + "moosewood", + "moose-wood", + "striped maple", + "striped dogwood", + "goosefoot maple", + "Acer pennsylvanicum", + "Oregon maple", + "big-leaf maple", + "Acer macrophyllum", + "dwarf maple", + "Rocky-mountain maple", + "Acer glabrum", + "mountain maple", + "mountain alder", + "Acer spicatum", + "vine maple", + "Acer circinatum", + "hedge maple", + "field maple", + "Acer campestre", + "Norway maple", + "Acer platanoides", + "sycamore", + "great maple", + "scottish maple", + "Acer pseudoplatanus", + "box elder", + "ash-leaved maple", + "Acer negundo", + "California box elder", + "Acer negundo Californicum", + "pointed-leaf maple", + "Acer argutum", + "Japanese maple", + "full moon maple", + "Acer japonicum", + "Japanese maple", + "Acer palmatum", + "Dipteronia", + "genus Dipteronia", + "Aquifoliaceae", + "family Aquifoliaceae", + "holly family", + "holly", + "Ilex", + "genus Ilex", + "Chinese holly", + "Ilex cornuta", + "bearberry", + "possum haw", + "winterberry", + "Ilex decidua", + "inkberry", + "gallberry", + "gall-berry", + "evergreen winterberry", + "Ilex glabra", + "mate", + "Paraguay tea", + "Ilex paraguariensis", + "American holly", + "Christmas holly", + "low gallberry holly", + "tall gallberry holly", + "yaupon holly", + "deciduous holly", + "juneberry holly", + "largeleaf holly", + "Geogia holly", + "common winterberry holly", + "smooth winterberry holly", + "Anacardiaceae", + "family Anacardiaceae", + "sumac family", + "Anacardium", + "genus Anacardium", + "cashew", + "cashew tree", + "Anacardium occidentale", + "Astronium", + "genus Astronium", + "goncalo alves", + "Astronium fraxinifolium", + "Cotinus", + "genus Cotinus", + "smoke tree", + "smoke bush", + "American smokewood", + "chittamwood", + "Cotinus americanus", + "Cotinus obovatus", + "Venetian sumac", + "wig tree", + "Cotinus coggygria", + "Malosma", + "genus Malosma", + "laurel sumac", + "Malosma laurina", + "Rhus laurina", + "Mangifera", + "genus Mangifera", + "mango", + "mango tree", + "Mangifera indica", + "Pistacia", + "genus Pistacia", + "pistachio", + "Pistacia vera", + "pistachio tree", + "terebinth", + "Pistacia terebinthus", + "mastic", + "mastic tree", + "lentisk", + "Pistacia lentiscus", + "Rhodosphaera", + "genus Rhodosphaera", + "Australian sumac", + "Rhodosphaera rhodanthema", + "Rhus rhodanthema", + "Rhus", + "genus Rhus", + "sumac", + "sumach", + "shumac", + "sumac", + "fragrant sumac", + "lemon sumac", + "Rhus aromatica", + "smooth sumac", + "scarlet sumac", + "vinegar tree", + "Rhus glabra", + "dwarf sumac", + "mountain sumac", + "black sumac", + "shining sumac", + "Rhus copallina", + "sugar-bush", + "sugar sumac", + "Rhus ovata", + "staghorn sumac", + "velvet sumac", + "Virginian sumac", + "vinegar tree", + "Rhus typhina", + "squawbush", + "squaw-bush", + "skunkbush", + "Rhus trilobata", + "Schinus", + "genus Schinus", + "aroeira blanca", + "Schinus chichita", + "pepper tree", + "molle", + "Peruvian mastic tree", + "Schinus molle", + "Brazilian pepper tree", + "Schinus terebinthifolius", + "Spondias", + "genus Spondias", + "hog plum", + "yellow mombin", + "yellow mombin tree", + "Spondias mombin", + "mombin", + "mombin tree", + "jocote", + "Spondias purpurea", + "Toxicodendron", + "genus Toxicodendron", + "poison ash", + "poison dogwood", + "poison sumac", + "Toxicodendron vernix", + "Rhus vernix", + "poison ivy", + "markweed", + "poison mercury", + "poison oak", + "Toxicodendron radicans", + "Rhus radicans", + "western poison oak", + "Toxicodendron diversilobum", + "Rhus diversiloba", + "eastern poison oak", + "Toxicodendron quercifolium", + "Rhus quercifolia", + "Rhus toxicodenedron", + "varnish tree", + "lacquer tree", + "Chinese lacquer tree", + "Japanese lacquer tree", + "Japanese varnish tree", + "Japanese sumac", + "Toxicodendron vernicifluum", + "Rhus verniciflua", + "Hippocastanaceae", + "family Hippocastanaceae", + "horse-chestnut family", + "Aesculus", + "genus Aesculus", + "horse chestnut", + "buckeye", + "Aesculus hippocastanum", + "buckeye", + "horse chestnut", + "conker", + "sweet buckeye", + "Ohio buckeye", + "dwarf buckeye", + "bottlebrush buckeye", + "red buckeye", + "particolored buckeye", + "Staphylaceae", + "family Staphylaceae", + "bladdernut family", + "Staphylea", + "genus Staphylea", + "Ebenales", + "order Ebenales", + "Ebenaceae", + "family Ebenaceae", + "ebony family", + "Diospyros", + "genus Diospyros", + "ebony", + "ebony tree", + "Diospyros ebenum", + "ebony", + "marblewood", + "marble-wood", + "Andaman marble", + "Diospyros kurzii", + "marblewood", + "marble-wood", + "persimmon", + "persimmon tree", + "Japanese persimmon", + "kaki", + "Diospyros kaki", + "American persimmon", + "possumwood", + "Diospyros virginiana", + "date plum", + "Diospyros lotus", + "Sapotaceae", + "family Sapotaceae", + "sapodilla family", + "Achras", + "genus Achras", + "Bumelia", + "genus Bumelia", + "buckthorn", + "southern buckthorn", + "shittimwood", + "shittim", + "mock orange", + "Bumelia lycioides", + "false buckthorn", + "chittamwood", + "chittimwood", + "shittimwood", + "black haw", + "Bumelia lanuginosa", + "Calocarpum", + "genus Calocarpum", + "Chrysophyllum", + "genus Chrysophyllum", + "star apple", + "caimito", + "Chrysophyllum cainito", + "satinleaf", + "satin leaf", + "caimitillo", + "damson plum", + "Chrysophyllum oliviforme", + "Manilkara", + "genus Manilkara", + "balata", + "balata tree", + "beefwood", + "bully tree", + "Manilkara bidentata", + "balata", + "gutta balata", + "sapodilla", + "sapodilla tree", + "Manilkara zapota", + "Achras zapota", + "Palaquium", + "genus Palaquium", + "gutta-percha tree", + "Palaquium gutta", + "Payena", + "genus Payena", + "gutta-percha tree", + "Pouteria", + "genus Pouteria", + "canistel", + "canistel tree", + "Pouteria campechiana nervosa", + "marmalade tree", + "mammee", + "sapote", + "Pouteria zapota", + "Calocarpum zapota", + "Symplocaceae", + "family Symplocaceae", + "sweetleaf family", + "Symplocus", + "genus Symplocus", + "sweetleaf", + "Symplocus tinctoria", + "Asiatic sweetleaf", + "sapphire berry", + "Symplocus paniculata", + "Styracaceae", + "family Styracaceae", + "storax family", + "styrax family", + "storax", + "genus Styrax", + "styrax", + "snowbell", + "Styrax obassia", + "Japanese snowbell", + "Styrax japonicum", + "Texas snowbell", + "Texas snowbells", + "Styrax texana", + "Halesia", + "genus Halesia", + "silver bell", + "silver-bell tree", + "silverbell tree", + "snowdrop tree", + "opossum wood", + "Halesia carolina", + "Halesia tetraptera", + "carnivorous plant", + "Sarraceniales", + "order Sarraceniales", + "Sarraceniaceae", + "family Sarraceniaceae", + "pitcher-plant family", + "Sarracenia", + "genus Sarracenia", + "pitcher plant", + "common pitcher plant", + "huntsman's cup", + "huntsman's cups", + "Sarracenia purpurea", + "pitcher", + "hooded pitcher plant", + "Sarracenia minor", + "huntsman's horn", + "huntsman's horns", + "yellow trumpet", + "yellow pitcher plant", + "trumpets", + "Sarracenia flava", + "Darlingtonia", + "genus Darlingtonia", + "California pitcher plant", + "Darlingtonia californica", + "Heliamphora", + "genus Heliamphora", + "sun pitcher", + "Nepenthaceae", + "family Nepenthaceae", + "Nepenthes", + "genus Nepenthes", + "tropical pitcher plant", + "Droseraceae", + "family Droseraceae", + "sundew family", + "Drosera", + "genus Drosera", + "sundew", + "sundew plant", + "daily dew", + "Dionaea", + "genus Dionaea", + "Venus's flytrap", + "Venus's flytraps", + "Dionaea muscipula", + "Aldrovanda", + "genus Aldrovanda", + "waterwheel plant", + "Aldrovanda vesiculosa", + "Drosophyllum", + "genus Drosophyllum", + "Drosophyllum lusitanicum", + "Roridulaceae", + "family Roridulaceae", + "genus Roridula", + "roridula", + "Cephalotaceae", + "family Cephalotaceae", + "Cephalotus", + "genus Cephalotus", + "Australian pitcher plant", + "Cephalotus follicularis", + "Crassulaceae", + "family Crassulaceae", + "stonecrop family", + "Crassula", + "genus Crassula", + "genus Sedum", + "sedum", + "stonecrop", + "wall pepper", + "Sedum acre", + "rose-root", + "midsummer-men", + "Sedum rosea", + "orpine", + "orpin", + "livelong", + "live-forever", + "Sedum telephium", + "Aeonium", + "genus Aeonium", + "pinwheel", + "Aeonium haworthii", + "Cunoniaceae", + "family Cunoniaceae", + "cunonia family", + "Ceratopetalum", + "genus Ceratopetalum", + "Christmas bush", + "Christmas tree", + "Ceratopetalum gummiferum", + "Hydrangeaceae", + "family Hydrangeaceae", + "hydrangea family", + "genus Hydrangea", + "hydrangea", + "climbing hydrangea", + "Hydrangea anomala", + "wild hydrangea", + "Hydrangea arborescens", + "hortensia", + "Hydrangea macrophylla hortensis", + "fall-blooming hydrangea", + "Hydrangea paniculata", + "climbing hydrangea", + "Hydrangea petiolaris", + "genus Carpenteria", + "carpenteria", + "Carpenteria californica", + "Decumaria", + "genus Decumaria", + "decumary", + "Decumaria barbata", + "Decumaria barbara", + "genus Deutzia", + "deutzia", + "Philadelphaceae", + "subfamily Philadelphaceae", + "genus Philadelphus", + "philadelphus", + "mock orange", + "syringa", + "Philadelphus coronarius", + "Schizophragma", + "genus Schizophragma", + "climbing hydrangea", + "Schizophragma hydrangeoides", + "Saxifragaceae", + "family Saxifragaceae", + "saxifrage family", + "Saxifraga", + "genus Saxifraga", + "saxifrage", + "breakstone", + "rockfoil", + "yellow mountain saxifrage", + "Saxifraga aizoides", + "meadow saxifrage", + "fair-maids-of-France", + "Saxifraga granulata", + "mossy saxifrage", + "Saxifraga hypnoides", + "western saxifrage", + "Saxifraga occidentalis", + "purple saxifrage", + "Saxifraga oppositifolia", + "star saxifrage", + "starry saxifrage", + "Saxifraga stellaris", + "strawberry geranium", + "strawberry saxifrage", + "mother-of-thousands", + "Saxifraga stolonifera", + "Saxifraga sarmentosam", + "genus Astilbe", + "astilbe", + "false goatsbeard", + "Astilbe biternata", + "dwarf astilbe", + "Astilbe chinensis pumila", + "spirea", + "spiraea", + "Astilbe japonica", + "genus Bergenia", + "bergenia", + "Boykinia", + "genus Boykinia", + "coast boykinia", + "Boykinia elata", + "Boykinia occidentalis", + "Chrysosplenium", + "genus Chrysosplenium", + "golden saxifrage", + "golden spleen", + "water carpet", + "water mat", + "Chrysosplenium americanum", + "Darmera", + "genus Darmera", + "Peltiphyllum", + "genus Peltiphyllum", + "umbrella plant", + "Indian rhubarb", + "Darmera peltata", + "Peltiphyllum peltatum", + "Francoa", + "genus Francoa", + "bridal wreath", + "bridal-wreath", + "Francoa ramosa", + "Heuchera", + "genus Heuchera", + "alumroot", + "alumbloom", + "rock geranium", + "Heuchera americana", + "poker alumroot", + "poker heuchera", + "Heuchera cylindrica", + "coralbells", + "Heuchera sanguinea", + "Leptarrhena", + "genus Leptarrhena", + "leatherleaf saxifrage", + "Leptarrhena pyrolifolia", + "Lithophragma", + "genus Lithophragma", + "woodland star", + "Lithophragma affine", + "Lithophragma affinis", + "Tellima affinis", + "prairie star", + "Lithophragma parviflorum", + "Mitella", + "genus Mitella", + "miterwort", + "mitrewort", + "bishop's cap", + "fairy cup", + "Mitella diphylla", + "five-point bishop's cap", + "Mitella pentandra", + "genus Parnassia", + "parnassia", + "grass-of-Parnassus", + "bog star", + "Parnassia palustris", + "fringed grass of Parnassus", + "Parnassia fimbriata", + "genus Suksdorfia", + "suksdorfia", + "violet suksdorfia", + "Suksdorfia violaceae", + "Tellima", + "genus Tellima", + "false alumroot", + "fringe cups", + "Tellima grandiflora", + "Tiarella", + "genus Tiarella", + "foamflower", + "coolwart", + "false miterwort", + "false mitrewort", + "Tiarella cordifolia", + "false miterwort", + "false mitrewort", + "Tiarella unifoliata", + "Tolmiea", + "genus Tolmiea", + "pickaback plant", + "piggyback plant", + "youth-on-age", + "Tolmiea menziesii", + "Grossulariaceae", + "family Grossulariaceae", + "gooseberry family", + "Ribes", + "genus Ribes", + "currant", + "currant bush", + "red currant", + "garden current", + "Ribes rubrum", + "black currant", + "European black currant", + "Ribes nigrum", + "white currant", + "Ribes sativum", + "winter currant", + "Ribes sanguineum", + "gooseberry", + "gooseberry bush", + "Ribes uva-crispa", + "Ribes grossularia", + "Platanaceae", + "family Platanaceae", + "plane-tree family", + "Platanus", + "genus Platanus", + "plane tree", + "sycamore", + "platan", + "sycamore", + "lacewood", + "London plane", + "Platanus acerifolia", + "American sycamore", + "American plane", + "buttonwood", + "Platanus occidentalis", + "oriental plane", + "Platanus orientalis", + "California sycamore", + "Platanus racemosa", + "Arizona sycamore", + "Platanus wrightii", + "Polemoniales", + "order Polemoniales", + "Scrophulariales", + "order Scrophulariales", + "Polemoniaceae", + "family Polemoniaceae", + "phlox family", + "genus Polemonium", + "polemonium", + "Jacob's ladder", + "Greek valerian", + "charity", + "Polemonium caeruleum", + "Polemonium van-bruntiae", + "Polymonium caeruleum van-bruntiae", + "Greek valerian", + "Polemonium reptans", + "northern Jacob's ladder", + "Polemonium boreale", + "skunkweed", + "skunk-weed", + "Polemonium viscosum", + "genus Phlox", + "phlox", + "chickweed phlox", + "sand phlox", + "Phlox bifida", + "Phlox stellaria", + "moss pink", + "mountain phlox", + "moss phlox", + "dwarf phlox", + "Phlox subulata", + "Linanthus", + "genus Linanthus", + "ground pink", + "fringed pink", + "moss pink", + "Linanthus dianthiflorus", + "evening-snow", + "Linanthus dichotomus", + "Acanthaceae", + "family Acanthaceae", + "acanthus family", + "genus Acanthus", + "acanthus", + "bear's breech", + "bear's breeches", + "sea holly", + "Acanthus mollis", + "Graptophyllum", + "genus Graptophyllum", + "caricature plant", + "Graptophyllum pictum", + "Thunbergia", + "genus Thunbergia", + "black-eyed Susan", + "black-eyed Susan vine", + "Thunbergia alata", + "Bignoniaceae", + "family Bignoniaceae", + "bignoniad", + "Bignonia", + "genus Bignonia", + "cross vine", + "trumpet flower", + "quartervine", + "quarter-vine", + "Bignonia capreolata", + "trumpet creeper", + "trumpet vine", + "Campsis radicans", + "genus Catalpa", + "catalpa", + "Indian bean", + "Catalpa bignioides", + "Catalpa speciosa", + "Chilopsis", + "genus Chilopsis", + "desert willow", + "Chilopsis linearis", + "Crescentia", + "genus Crescentia", + "calabash", + "calabash tree", + "Crescentia cujete", + "calabash", + "Boraginaceae", + "family Boraginaceae", + "borage family", + "Borago", + "genus Borago", + "borage", + "tailwort", + "Borago officinalis", + "Amsinckia", + "genus Amsinckia", + "common amsinckia", + "Amsinckia intermedia", + "large-flowered fiddleneck", + "Amsinckia grandiflora", + "genus Anchusa", + "anchusa", + "bugloss", + "alkanet", + "Anchusa officinalis", + "cape forget-me-not", + "Anchusa capensis", + "cape forget-me-not", + "Anchusa riparia", + "Cordia", + "genus Cordia", + "Spanish elm", + "Equador laurel", + "salmwood", + "cypre", + "princewood", + "Cordia alliodora", + "princewood", + "Spanish elm", + "Cordia gerascanthus", + "Cynoglossum", + "genus Cynoglossum", + "Chinese forget-me-not", + "Cynoglossum amabile", + "hound's-tongue", + "Cynoglossum officinale", + "hound's-tongue", + "Cynoglossum virginaticum", + "Echium", + "genus Echium", + "blueweed", + "blue devil", + "blue thistle", + "viper's bugloss", + "Echium vulgare", + "Hackelia", + "genus Hackelia", + "Lappula", + "genus Lappula", + "beggar's lice", + "beggar lice", + "stickweed", + "Lithospermum", + "genus Lithospermum", + "gromwell", + "Lithospermum officinale", + "puccoon", + "Lithospermum caroliniense", + "hoary puccoon", + "Indian paint", + "Lithospermum canescens", + "Mertensia", + "genus Mertensia", + "Virginia bluebell", + "Virginia cowslip", + "Mertensia virginica", + "Myosotis", + "genus Myosotis", + "garden forget-me-not", + "Myosotis sylvatica", + "forget-me-not", + "mouse ear", + "Myosotis scorpiodes", + "Onosmodium", + "genus Onosmodium", + "false gromwell", + "Symphytum", + "genus Symphytum", + "comfrey", + "cumfrey", + "common comfrey", + "boneset", + "Symphytum officinale", + "Convolvulaceae", + "family Convolvulaceae", + "morning-glory family", + "genus Convolvulus", + "convolvulus", + "bindweed", + "field bindweed", + "wild morning-glory", + "Convolvulus arvensis", + "scammony", + "Convolvulus scammonia", + "scammony", + "Argyreia", + "genus Argyreia", + "silverweed", + "Calystegia", + "genus Calystegia", + "hedge bindweed", + "wild morning-glory", + "Calystegia sepium", + "Convolvulus sepium", + "Cuscuta", + "genus Cuscuta", + "dodder", + "love vine", + "Cuscuta gronovii", + "genus Dichondra", + "dichondra", + "Dichondra micrantha", + "Ipomoea", + "genus Ipomoea", + "morning glory", + "common morning glory", + "Ipomoea purpurea", + "common morning glory", + "Ipomoea tricolor", + "cypress vine", + "star-glory", + "Indian pink", + "Ipomoea quamoclit", + "Quamoclit pennata", + "moonflower", + "belle de nuit", + "Ipomoea alba", + "sweet potato", + "sweet potato vine", + "Ipomoea batatas", + "wild potato vine", + "wild sweet potato vine", + "man-of-the-earth", + "manroot", + "scammonyroot", + "Ipomoea panurata", + "Ipomoea fastigiata", + "red morning-glory", + "star ipomoea", + "Ipomoea coccinea", + "man-of-the-earth", + "Ipomoea leptophylla", + "scammony", + "Ipomoea orizabensis", + "railroad vine", + "beach morning glory", + "Ipomoea pes-caprae", + "Japanese morning glory", + "Ipomoea nil", + "imperial Japanese morning glory", + "Ipomoea imperialis", + "Gesneriaceae", + "family Gesneriaceae", + "gesneria family", + "gesneriad", + "genus Gesneria", + "gesneria", + "genus Achimenes", + "achimenes", + "hot water plant", + "genus Aeschynanthus", + "aeschynanthus", + "lipstick plant", + "Aeschynanthus radicans", + "Alsobia", + "genus Alsobia", + "lace-flower vine", + "Alsobia dianthiflora", + "Episcia dianthiflora", + "genus Columnea", + "columnea", + "genus Episcia", + "episcia", + "genus Gloxinia", + "gloxinia", + "Canterbury bell", + "Gloxinia perennis", + "genus Kohleria", + "kohleria", + "Saintpaulia", + "genus Saintpaulia", + "African violet", + "Saintpaulia ionantha", + "Sinningia", + "genus Sinningia", + "florist's gloxinia", + "Sinningia speciosa", + "Gloxinia spesiosa", + "genus Streptocarpus", + "streptocarpus", + "Cape primrose", + "Hydrophyllaceae", + "family Hydrophyllaceae", + "waterleaf family", + "Hydrophyllum", + "genus Hydrophyllum", + "waterleaf", + "Virginia waterleaf", + "Shawnee salad", + "shawny", + "Indian salad", + "John's cabbage", + "Hydrophyllum virginianum", + "Emmanthe", + "genus Emmanthe", + "yellow bells", + "California yellow bells", + "whispering bells", + "Emmanthe penduliflora", + "Eriodictyon", + "genus Eriodictyon", + "yerba santa", + "Eriodictyon californicum", + "genus Nemophila", + "nemophila", + "baby blue-eyes", + "Nemophila menziesii", + "five-spot", + "Nemophila maculata", + "genus Phacelia", + "scorpionweed", + "scorpion weed", + "phacelia", + "California bluebell", + "Phacelia campanularia", + "California bluebell", + "whitlavia", + "Phacelia minor", + "Phacelia whitlavia", + "fiddleneck", + "Phacelia tanacetifolia", + "Pholistoma", + "genus Pholistoma", + "fiesta flower", + "Pholistoma auritum", + "Nemophila aurita", + "Labiatae", + "family Labiatae", + "Lamiaceae", + "family Lamiaceae", + "mint family", + "mint", + "Acinos", + "genus Acinos", + "basil thyme", + "basil balm", + "mother of thyme", + "Acinos arvensis", + "Satureja acinos", + "Agastache", + "genus Agastache", + "giant hyssop", + "yellow giant hyssop", + "Agastache nepetoides", + "anise hyssop", + "Agastache foeniculum", + "Mexican hyssop", + "Agastache mexicana", + "Ajuga", + "genus Ajuga", + "bugle", + "bugleweed", + "creeping bugle", + "Ajuga reptans", + "erect bugle", + "blue bugle", + "Ajuga genevensis", + "pyramid bugle", + "Ajuga pyramidalis", + "ground pine", + "yellow bugle", + "Ajuga chamaepitys", + "Ballota", + "genus Ballota", + "black horehound", + "black archangel", + "fetid horehound", + "stinking horehound", + "Ballota nigra", + "Blephilia", + "genus Blephilia", + "wood mint", + "hairy wood mint", + "Blephilia hirsuta", + "downy wood mint", + "Blephilia celiata", + "Calamintha", + "genus Calamintha", + "calamint", + "common calamint", + "Calamintha sylvatica", + "Satureja calamintha officinalis", + "large-flowered calamint", + "Calamintha grandiflora", + "Clinopodium grandiflorum", + "Satureja grandiflora", + "lesser calamint", + "field balm", + "Calamintha nepeta", + "Calamintha nepeta glantulosa", + "Satureja nepeta", + "Satureja calamintha glandulosa", + "Clinopodium", + "genus Clinopodium", + "wild basil", + "cushion calamint", + "Clinopodium vulgare", + "Satureja vulgaris", + "Collinsonia", + "genus Collinsonia", + "horse balm", + "horseweed", + "stoneroot", + "stone-root", + "richweed", + "stone root", + "Collinsonia canadensis", + "genus Coleus", + "coleus", + "flame nettle", + "country borage", + "Coleus aromaticus", + "Coleus amboinicus", + "Plectranthus amboinicus", + "painted nettle", + "Joseph's coat", + "Coleus blumei", + "Solenostemon blumei", + "Solenostemon scutellarioides", + "Conradina", + "genus Conradina", + "Apalachicola rosemary", + "Conradina glabra", + "Dracocephalum", + "genus Dracocephalum", + "dragonhead", + "dragon's head", + "Dracocephalum parviflorum", + "genus Elsholtzia", + "elsholtzia", + "Galeopsis", + "genus Galeopsis", + "hemp nettle", + "dead nettle", + "Galeopsis tetrahit", + "Glechoma", + "genus Glechoma", + "ground ivy", + "alehoof", + "field balm", + "gill-over-the-ground", + "runaway robin", + "Glechoma hederaceae", + "Nepeta hederaceae", + "Hedeoma", + "genus Hedeoma", + "pennyroyal", + "American pennyroyal", + "Hedeoma pulegioides", + "pennyroyal oil", + "hedeoma oil", + "Hyssopus", + "genus Hyssopus", + "hyssop", + "Hyssopus officinalis", + "hyssop oil", + "Lamium", + "genus Lamium", + "dead nettle", + "white dead nettle", + "Lamium album", + "henbit", + "Lamium amplexicaule", + "Lavandula", + "genus Lavandula", + "lavender", + "English lavender", + "Lavandula angustifolia", + "Lavandula officinalis", + "French lavender", + "Lavandula stoechas", + "spike lavender", + "French lavender", + "Lavandula latifolia", + "spike lavender oil", + "spike oil", + "Leonotis", + "genus Leonotis", + "dagga", + "Cape dagga", + "red dagga", + "wilde dagga", + "Leonotis leonurus", + "lion's-ear", + "Leonotis nepetaefolia", + "Leonotis nepetifolia", + "Leonurus", + "genus Leonurus", + "motherwort", + "Leonurus cardiaca", + "Lepechinia", + "genus Lepechinia", + "Sphacele", + "genus Sphacele", + "pitcher sage", + "Lepechinia calycina", + "Sphacele calycina", + "Lycopus", + "genus Lycopus", + "bugleweed", + "Lycopus virginicus", + "water horehound", + "Lycopus americanus", + "gipsywort", + "gypsywort", + "Lycopus europaeus", + "genus Origanum", + "Majorana", + "genus Majorana", + "origanum", + "oregano", + "marjoram", + "pot marjoram", + "wild marjoram", + "winter sweet", + "Origanum vulgare", + "sweet marjoram", + "knotted marjoram", + "Origanum majorana", + "Majorana hortensis", + "dittany of crete", + "cretan dittany", + "crete dittany", + "hop marjoram", + "winter sweet", + "Origanum dictamnus", + "Marrubium", + "genus Marrubium", + "horehound", + "common horehound", + "white horehound", + "Marrubium vulgare", + "Melissa", + "genus Melissa", + "lemon balm", + "garden balm", + "sweet balm", + "bee balm", + "beebalm", + "Melissa officinalis", + "Mentha", + "genus Mentha", + "mint", + "corn mint", + "field mint", + "Mentha arvensis", + "water-mint", + "water mint", + "Mentha aquatica", + "bergamot mint", + "lemon mint", + "eau de cologne mint", + "Mentha citrata", + "horsemint", + "Mentha longifolia", + "peppermint", + "Mentha piperita", + "spearmint", + "Mentha spicata", + "apple mint", + "applemint", + "Mentha rotundifolia", + "Mentha suaveolens", + "pennyroyal", + "Mentha pulegium", + "pennyroyal oil", + "Micromeria", + "genus Micromeria", + "yerba buena", + "Micromeria chamissonis", + "Micromeria douglasii", + "Satureja douglasii", + "savory", + "Micromeria juliana", + "Molucella", + "genus Molucella", + "molucca balm", + "bells of Ireland", + "Molucella laevis", + "genus Monarda", + "monarda", + "wild bergamot", + "bee balm", + "beebalm", + "bergamot mint", + "oswego tea", + "Monarda didyma", + "horsemint", + "Monarda punctata", + "bee balm", + "beebalm", + "Monarda fistulosa", + "lemon mint", + "horsemint", + "Monarda citriodora", + "plains lemon monarda", + "Monarda pectinata", + "basil balm", + "Monarda clinopodia", + "Monardella", + "genus Monardella", + "mustang mint", + "Monardella lanceolata", + "Nepeta", + "genus Nepeta", + "catmint", + "catnip", + "Nepeta cataria", + "Ocimum", + "genus Ocimum", + "basil", + "common basil", + "sweet basil", + "Ocimum basilicum", + "Perilla", + "genus Perilla", + "beefsteak plant", + "Perilla frutescens crispa", + "genus Phlomis", + "phlomis", + "Jerusalem sage", + "Phlomis fruticosa", + "genus Physostegia", + "physostegia", + "false dragonhead", + "false dragon head", + "obedient plant", + "Physostegia virginiana", + "genus Plectranthus", + "plectranthus", + "Pogostemon", + "genus Pogostemon", + "patchouli", + "patchouly", + "pachouli", + "Pogostemon cablin", + "Prunella", + "genus Prunella", + "self-heal", + "heal all", + "Prunella vulgaris", + "Pycnanthemum", + "genus Pycnanthemum", + "Koellia", + "genus Koellia", + "mountain mint", + "basil mint", + "Pycnanthemum virginianum", + "Rosmarinus", + "genus Rosmarinus", + "rosemary", + "Rosmarinus officinalis", + "genus Salvia", + "sage", + "salvia", + "blue sage", + "Salvia azurea", + "clary sage", + "Salvia clarea", + "blue sage", + "mealy sage", + "Salvia farinacea", + "blue sage", + "Salvia reflexa", + "Salvia lancifolia", + "purple sage", + "chaparral sage", + "Salvia leucophylla", + "cancerweed", + "cancer weed", + "Salvia lyrata", + "common sage", + "ramona", + "Salvia officinalis", + "meadow clary", + "Salvia pratensis", + "clary", + "Salvia sclarea", + "pitcher sage", + "Salvia spathacea", + "Mexican mint", + "Salvia divinorum", + "wild sage", + "wild clary", + "vervain sage", + "Salvia verbenaca", + "Satureja", + "genus Satureja", + "Satureia", + "genus Satureia", + "savory", + "summer savory", + "Satureja hortensis", + "Satureia hortensis", + "winter savory", + "Satureja montana", + "Satureia montana", + "Scutellaria", + "genus Scutellaria", + "skullcap", + "helmetflower", + "blue pimpernel", + "blue skullcap", + "mad-dog skullcap", + "mad-dog weed", + "Scutellaria lateriflora", + "Sideritis", + "genus Sideritis", + "Solenostemon", + "genus Solenostemon", + "Stachys", + "genus Stachys", + "hedge nettle", + "dead nettle", + "Stachys sylvatica", + "hedge nettle", + "Stachys palustris", + "Teucrium", + "genus Teucrium", + "germander", + "American germander", + "wood sage", + "Teucrium canadense", + "wall germander", + "Teucrium chamaedrys", + "cat thyme", + "marum", + "Teucrium marum", + "wood sage", + "Teucrium scorodonia", + "Thymus", + "genus Thymus", + "thyme", + "common thyme", + "Thymus vulgaris", + "wild thyme", + "creeping thyme", + "Thymus serpyllum", + "Trichostema", + "genus Trichostema", + "blue curls", + "black sage", + "wooly blue curls", + "California romero", + "Trichostema lanatum", + "turpentine camphor weed", + "camphorweed", + "vinegarweed", + "Trichostema lanceolatum", + "bastard pennyroyal", + "Trichostema dichotomum", + "Lentibulariaceae", + "family Lentibulariaceae", + "bladderwort family", + "Utricularia", + "genus Utricularia", + "bladderwort", + "Pinguicula", + "genus Pinguicula", + "butterwort", + "genus Genlisea", + "genlisea", + "Martyniaceae", + "family Martyniaceae", + "genus Martynia", + "martynia", + "Martynia annua", + "Orobanchaceae", + "family Orobanchaceae", + "broomrape family", + "Pedaliaceae", + "family Pedaliaceae", + "sesame family", + "Sesamum", + "genus Sesamum", + "sesame", + "benne", + "benni", + "benny", + "Sesamum indicum", + "Proboscidea", + "genus Proboscidea", + "common unicorn plant", + "devil's claw", + "common devil's claw", + "elephant-tusk", + "proboscis flower", + "ram's horn", + "Proboscidea louisianica", + "beak", + "sand devil's claw", + "Proboscidea arenaria", + "Martynia arenaria", + "sweet unicorn plant", + "Proboscidea fragrans", + "Martynia fragrans", + "Scrophulariaceae", + "family Scrophulariaceae", + "figwort family", + "foxglove family", + "Scrophularia", + "genus Scrophularia", + "figwort", + "Antirrhinum", + "genus Antirrhinum", + "snapdragon", + "white snapdragon", + "Antirrhinum coulterianum", + "yellow twining snapdragon", + "Antirrhinum filipes", + "Mediterranean snapdragon", + "Antirrhinum majus", + "Besseya", + "genus Besseya", + "kitten-tails", + "Alpine besseya", + "Besseya alpina", + "Aureolaria", + "genus Aureolaria", + "false foxglove", + "Aureolaria pedicularia", + "Gerardia pedicularia", + "false foxglove", + "Aureolaria virginica", + "Gerardia virginica", + "genus Calceolaria", + "calceolaria", + "slipperwort", + "Castilleja", + "genus Castilleja", + "Castilleia", + "genus Castilleia", + "Indian paintbrush", + "painted cup", + "desert paintbrush", + "Castilleja chromosa", + "giant red paintbrush", + "Castilleja miniata", + "great plains paintbrush", + "Castilleja sessiliflora", + "sulfur paintbrush", + "Castilleja sulphurea", + "Chelone", + "genus Chelone", + "shellflower", + "shell-flower", + "turtlehead", + "snakehead", + "snake-head", + "Chelone glabra", + "Collinsia", + "genus Collinsia", + "purple chinese houses", + "innocense", + "Collinsia bicolor", + "Collinsia heterophylla", + "maiden blue-eyed Mary", + "Collinsia parviflora", + "blue-eyed Mary", + "Collinsia verna", + "Culver's root", + "Culvers root", + "Culver's physic", + "Culvers physic", + "whorlywort", + "Veronicastrum virginicum", + "genus Digitalis", + "foxglove", + "digitalis", + "common foxglove", + "fairy bell", + "fingerflower", + "finger-flower", + "fingerroot", + "finger-root", + "Digitalis purpurea", + "yellow foxglove", + "straw foxglove", + "Digitalis lutea", + "genus Gerardia", + "gerardia", + "Agalinis", + "genus Agalinis", + "Linaria", + "genus Linaria", + "blue toadflax", + "old-field toadflax", + "Linaria canadensis", + "toadflax", + "butter-and-eggs", + "wild snapdragon", + "devil's flax", + "Linaria vulgaris", + "Penstemon", + "genus Penstemon", + "golden-beard penstemon", + "Penstemon barbatus", + "scarlet bugler", + "Penstemon centranthifolius", + "red shrubby penstemon", + "redwood penstemon", + "Platte River penstemon", + "Penstemon cyananthus", + "Davidson's penstemon", + "Penstemon davidsonii", + "hot-rock penstemon", + "Penstemon deustus", + "Jones' penstemon", + "Penstemon dolius", + "shrubby penstemon", + "lowbush penstemon", + "Penstemon fruticosus", + "narrow-leaf penstemon", + "Penstemon linarioides", + "mountain pride", + "Penstemon newberryi", + "balloon flower", + "scented penstemon", + "Penstemon palmeri", + "Parry's penstemon", + "Penstemon parryi", + "rock penstemon", + "cliff penstemon", + "Penstemon rupicola", + "Rydberg's penstemon", + "Penstemon rydbergii", + "cascade penstemon", + "Penstemon serrulatus", + "Whipple's penstemon", + "Penstemon whippleanus", + "Verbascum", + "genus Verbascum", + "mullein", + "flannel leaf", + "velvet plant", + "moth mullein", + "Verbascum blattaria", + "white mullein", + "Verbascum lychnitis", + "purple mullein", + "Verbascum phoeniceum", + "common mullein", + "great mullein", + "Aaron's rod", + "flannel mullein", + "woolly mullein", + "torch", + "Verbascum thapsus", + "genus Veronica", + "veronica", + "speedwell", + "field speedwell", + "Veronica agrestis", + "brooklime", + "American brooklime", + "Veronica americana", + "corn speedwell", + "Veronica arvensis", + "brooklime", + "European brooklime", + "Veronica beccabunga", + "germander speedwell", + "bird's eye", + "Veronica chamaedrys", + "water speedwell", + "Veronica michauxii", + "Veronica anagallis-aquatica", + "common speedwell", + "gypsyweed", + "Veronica officinalis", + "purslane speedwell", + "Veronica peregrina", + "thyme-leaved speedwell", + "Veronica serpyllifolia", + "Solanaceae", + "family Solanaceae", + "potato family", + "Solanum", + "genus Solanum", + "nightshade", + "kangaroo apple", + "poroporo", + "Solanum aviculare", + "horse nettle", + "ball nettle", + "bull nettle", + "ball nightshade", + "Solanum carolinense", + "potato tree", + "Solanum crispum", + "Uruguay potato", + "Uruguay potato vine", + "Solanum commersonii", + "bittersweet", + "bittersweet nightshade", + "climbing nightshade", + "deadly nightshade", + "poisonous nightshade", + "woody nightshade", + "Solanum dulcamara", + "trompillo", + "white horse nettle", + "prairie berry", + "purple nightshade", + "silverleaf nightshade", + "silver-leaved nightshade", + "silver-leaved nettle", + "Solanum elaeagnifolium", + "African holly", + "Solanum giganteum", + "wild potato", + "Solanum jamesii", + "potato vine", + "Solanum jasmoides", + "eggplant", + "aubergine", + "brinjal", + "eggplant bush", + "garden egg", + "mad apple", + "Solanum melongena", + "black nightshade", + "common nightshade", + "poisonberry", + "poison-berry", + "Solanum nigrum", + "garden huckleberry", + "wonderberry", + "sunberry", + "Solanum nigrum guineese", + "Solanum melanocerasum", + "Solanum burbankii", + "Jerusalem cherry", + "winter cherry", + "Madeira winter cherry", + "Solanum pseudocapsicum", + "naranjilla", + "Solanum quitoense", + "buffalo bur", + "Solanum rostratum", + "potato", + "white potato", + "white potato vine", + "Solanum tuberosum", + "potato vine", + "giant potato creeper", + "Solanum wendlandii", + "potato tree", + "Brazilian potato tree", + "Solanum wrightii", + "Solanum macranthum", + "Atropa", + "genus Atropa", + "belladonna", + "belladonna plant", + "deadly nightshade", + "Atropa belladonna", + "genus Browallia", + "bush violet", + "browallia", + "Brunfelsia", + "genus Brunfelsia", + "lady-of-the-night", + "Brunfelsia americana", + "Brugmansia", + "genus Brugmansia", + "angel's trumpet", + "maikoa", + "Brugmansia arborea", + "Datura arborea", + "angel's trumpet", + "Brugmansia suaveolens", + "Datura suaveolens", + "red angel's trumpet", + "Brugmansia sanguinea", + "Datura sanguinea", + "genus Capsicum", + "Capsicum", + "capsicum", + "pepper", + "capsicum pepper plant", + "cone pepper", + "Capsicum annuum conoides", + "cayenne", + "cayenne pepper", + "chili pepper", + "chilli pepper", + "long pepper", + "jalapeno", + "Capsicum annuum longum", + "sweet pepper", + "bell pepper", + "pimento", + "pimiento", + "paprika", + "sweet pepper plant", + "Capsicum annuum grossum", + "cherry pepper", + "Capsicum annuum cerasiforme", + "bird pepper", + "Capsicum frutescens baccatum", + "Capsicum baccatum", + "tabasco pepper", + "hot pepper", + "tabasco plant", + "Capsicum frutescens", + "Cestrum", + "genus Cestrum", + "day jessamine", + "Cestrum diurnum", + "night jasmine", + "night jessamine", + "Cestrum nocturnum", + "Cyphomandra", + "genus Cyphomandra", + "tree tomato", + "tamarillo", + "Datura", + "genus Datura", + "thorn apple", + "jimsonweed", + "jimson weed", + "Jamestown weed", + "common thorn apple", + "apple of Peru", + "Datura stramonium", + "Fabiana", + "genus Fabiana", + "pichi", + "Fabiana imbricata", + "Hyoscyamus", + "genus Hyoscyamus", + "henbane", + "black henbane", + "stinking nightshade", + "Hyoscyamus niger", + "Egyptian henbane", + "Hyoscyamus muticus", + "Lycium", + "genus Lycium", + "matrimony vine", + "boxthorn", + "common matrimony vine", + "Duke of Argyll's tea tree", + "Lycium barbarum", + "Lycium halimifolium", + "Christmasberry", + "Christmas berry", + "Lycium carolinianum", + "Lycopersicon", + "genus Lycopersicon", + "Lycopersicum", + "genus Lycopersicum", + "tomato", + "love apple", + "tomato plant", + "Lycopersicon esculentum", + "cherry tomato", + "Lycopersicon esculentum cerasiforme", + "plum tomato", + "Mandragora", + "genus Mandragora", + "mandrake", + "devil's apples", + "Mandragora officinarum", + "mandrake root", + "mandrake", + "Nicandra", + "genus Nicandra", + "apple of Peru", + "shoo fly", + "Nicandra physaloides", + "Nicotiana", + "genus Nicotiana", + "tobacco", + "tobacco plant", + "flowering tobacco", + "Jasmine tobacco", + "Nicotiana alata", + "common tobacco", + "Nicotiana tabacum", + "wild tobacco", + "Indian tobacco", + "Nicotiana rustica", + "tree tobacco", + "mustard tree", + "Nicotiana glauca", + "genus Nierembergia", + "cupflower", + "nierembergia", + "whitecup", + "Nierembergia repens", + "Nierembergia rivularis", + "tall cupflower", + "Nierembergia frutescens", + "genus Petunia", + "Petunia", + "petunia", + "large white petunia", + "Petunia axillaris", + "violet-flowered petunia", + "Petunia integrifolia", + "hybrid petunia", + "Petunia hybrida", + "Physalis", + "genus Physalis", + "ground cherry", + "husk tomato", + "downy ground cherry", + "strawberry tomato", + "Physalis pubescens", + "Chinese lantern plant", + "winter cherry", + "bladder cherry", + "Physalis alkekengi", + "cape gooseberry", + "purple ground cherry", + "Physalis peruviana", + "strawberry tomato", + "dwarf cape gooseberry", + "Physalis pruinosa", + "tomatillo", + "jamberry", + "Mexican husk tomato", + "Physalis ixocarpa", + "tomatillo", + "miltomate", + "purple ground cherry", + "jamberry", + "Physalis philadelphica", + "yellow henbane", + "Physalis viscosa", + "Salpichroa", + "genus Salpichroa", + "cock's eggs", + "Salpichroa organifolia", + "Salpichroa rhomboidea", + "genus Salpiglossis", + "salpiglossis", + "painted tongue", + "Salpiglossis sinuata", + "genus Schizanthus", + "butterfly flower", + "poor man's orchid", + "schizanthus", + "Scopolia", + "genus Scopolia", + "Scopolia carniolica", + "Solandra", + "genus Solandra", + "chalice vine", + "trumpet flower", + "cupflower", + "Solandra guttata", + "Streptosolen", + "genus Streptosolen", + "marmalade bush", + "fire bush", + "fire-bush", + "Streptosolen jamesonii", + "Verbenaceae", + "family Verbenaceae", + "verbena family", + "vervain family", + "genus Verbena", + "verbena", + "vervain", + "lantana", + "Avicennia", + "genus Avicennia", + "Avicenniaceae", + "family Avicenniaceae", + "black mangrove", + "Avicennia marina", + "white mangrove", + "Avicennia officinalis", + "Aegiceras", + "genus Aegiceras", + "black mangrove", + "Aegiceras majus", + "Tectona", + "genus Tectona", + "teak", + "Tectona grandis", + "teak", + "teakwood", + "Euphorbiaceae", + "family Euphorbiaceae", + "spurge family", + "Euphorbia", + "genus Euphorbia", + "spurge", + "caper spurge", + "myrtle spurge", + "mole plant", + "Euphorbia lathyris", + "sun spurge", + "wartweed", + "wartwort", + "devil's milk", + "Euphorbia helioscopia", + "petty spurge", + "devil's milk", + "Euphorbia peplus", + "medusa's head", + "Euphorbia medusae", + "Euphorbia caput-medusae", + "wild spurge", + "flowering spurge", + "tramp's spurge", + "Euphorbia corollata", + "snow-on-the-mountain", + "snow-in-summer", + "ghost weed", + "Euphorbia marginata", + "cypress spurge", + "Euphorbia cyparissias", + "leafy spurge", + "wolf's milk", + "Euphorbia esula", + "hairy spurge", + "Euphorbia hirsuta", + "poinsettia", + "Christmas star", + "Christmas flower", + "lobster plant", + "Mexican flameleaf", + "painted leaf", + "Euphorbia pulcherrima", + "Japanese poinsettia", + "mole plant", + "paint leaf", + "Euphorbia heterophylla", + "fire-on-the-mountain", + "painted leaf", + "Mexican fire plant", + "Euphorbia cyathophora", + "wood spurge", + "Euphorbia amygdaloides", + "candelilla", + "Euphorbia antisyphilitica", + "dwarf spurge", + "Euphorbia exigua", + "scarlet plume", + "Euphorbia fulgens", + "naboom", + "cactus euphorbia", + "Euphorbia ingens", + "crown of thorns", + "Christ thorn", + "Christ plant", + "Euphorbia milii", + "toothed spurge", + "Euphorbia dentata", + "Acalypha", + "genus Acalypha", + "three-seeded mercury", + "Acalypha virginica", + "genus Croton", + "croton", + "Croton tiglium", + "croton oil", + "cascarilla", + "Croton eluteria", + "cascarilla bark", + "eleuthera bark", + "sweetwood bark", + "Codiaeum", + "genus Codiaeum", + "croton", + "Codiaeum variegatum", + "Mercurialis", + "genus Mercurialis", + "herb mercury", + "herbs mercury", + "boys-and-girls", + "Mercurialis annua", + "dog's mercury", + "dog mercury", + "Mercurialis perennis", + "Ricinus", + "genus Ricinus", + "castor-oil plant", + "castor bean plant", + "palma christi", + "palma christ", + "Ricinus communis", + "Cnidoscolus", + "genus Cnidoscolus", + "spurge nettle", + "tread-softly", + "devil nettle", + "pica-pica", + "Cnidoscolus urens", + "Jatropha urens", + "Jatropha stimulosus", + "Jatropha", + "genus Jatropha", + "physic nut", + "Jatropha curcus", + "Hevea", + "rubber tree", + "genus Hevea", + "Para rubber tree", + "caoutchouc tree", + "Hevea brasiliensis", + "Manihot", + "genus Manihot", + "cassava", + "casava", + "bitter cassava", + "manioc", + "mandioc", + "mandioca", + "tapioca plant", + "gari", + "Manihot esculenta", + "Manihot utilissima", + "cassava", + "manioc", + "sweet cassava", + "Manihot dulcis", + "Aleurites", + "genus Aleurites", + "candlenut", + "varnish tree", + "Aleurites moluccana", + "tung tree", + "tung", + "tung-oil tree", + "Aleurites fordii", + "Pedilanthus", + "genus Pedilanthus", + "slipper spurge", + "slipper plant", + "candelilla", + "Pedilanthus bracteatus", + "Pedilanthus pavonis", + "Jewbush", + "Jew-bush", + "Jew bush", + "redbird cactus", + "redbird flower", + "Pedilanthus tithymaloides", + "Sebastiana", + "genus Sebastiana", + "jumping bean", + "jumping seed", + "Mexican jumping bean", + "Theaceae", + "family Theaceae", + "tea family", + "genus Camellia", + "camellia", + "camelia", + "japonica", + "Camellia japonica", + "tea", + "Camellia sinensis", + "Umbelliferae", + "family Umbelliferae", + "Apiaceae", + "family Apiaceae", + "carrot family", + "umbellifer", + "umbelliferous plant", + "wild parsley", + "Aethusa", + "genus Aethusa", + "fool's parsley", + "lesser hemlock", + "Aethusa cynapium", + "Anethum", + "genus Anethum", + "dill", + "Anethum graveolens", + "genus Angelica", + "angelica", + "angelique", + "garden angelica", + "archangel", + "Angelica Archangelica", + "wild angelica", + "Angelica sylvestris", + "Anthriscus", + "genus Anthriscus", + "chervil", + "beaked parsley", + "Anthriscus cereifolium", + "cow parsley", + "wild chervil", + "Anthriscus sylvestris", + "Apium", + "genus Apium", + "wild celery", + "Apium graveolens", + "celery", + "cultivated celery", + "Apium graveolens dulce", + "celeriac", + "celery root", + "knob celery", + "root celery", + "turnip-rooted celery", + "Apium graveolens rapaceum", + "genus Astrantia", + "astrantia", + "masterwort", + "greater masterwort", + "Astrantia major", + "Carum", + "genus Carum", + "caraway", + "Carum carvi", + "whorled caraway", + "Cicuta", + "genus Cicuta", + "water hemlock", + "Cicuta verosa", + "spotted cowbane", + "spotted hemlock", + "spotted water hemlock", + "Conium", + "genus Conium", + "hemlock", + "poison hemlock", + "poison parsley", + "California fern", + "Nebraska fern", + "winter fern", + "Conium maculatum", + "Conopodium", + "genus Conopodium", + "earthnut", + "Conopodium denudatum", + "Coriandrum", + "genus Coriandrum", + "coriander", + "coriander plant", + "Chinese parsley", + "cilantro", + "Coriandrum sativum", + "Cuminum", + "genus Cuminum", + "cumin", + "Cuminum cyminum", + "Daucus", + "genus Daucus", + "wild carrot", + "Queen Anne's lace", + "Daucus carota", + "carrot", + "cultivated carrot", + "Daucus carota sativa", + "carrot", + "Eryngium", + "genus Eryngium", + "eryngo", + "eringo", + "sea holly", + "sea holm", + "sea eryngium", + "Eryngium maritimum", + "button snakeroot", + "Eryngium aquaticum", + "rattlesnake master", + "rattlesnake's master", + "button snakeroot", + "Eryngium yuccifolium", + "Foeniculum", + "genus Foeniculum", + "fennel", + "common fennel", + "Foeniculum vulgare", + "Florence fennel", + "Foeniculum dulce", + "Foeniculum vulgare dulce", + "Heracleum", + "genus Heracleum", + "cow parsnip", + "hogweed", + "Heracleum sphondylium", + "Levisticum", + "genus Levisticum", + "lovage", + "Levisticum officinale", + "Myrrhis", + "genus Myrrhis", + "sweet cicely", + "Myrrhis odorata", + "Oenanthe", + "genus Oenanthe", + "water dropwort", + "hemlock water dropwort", + "Oenanthe crocata", + "water fennel", + "Oenanthe aquatica", + "Pastinaca", + "genus Pastinaca", + "parsnip", + "Pastinaca sativa", + "cultivated parsnip", + "parsnip", + "wild parsnip", + "madnep", + "Petroselinum", + "genus Petroselinum", + "parsley", + "Petroselinum crispum", + "Italian parsley", + "flat-leaf parsley", + "Petroselinum crispum neapolitanum", + "Hamburg parsley", + "turnip-rooted parsley", + "Petroselinum crispum tuberosum", + "Pimpinella", + "genus Pimpinella", + "anise", + "anise plant", + "Pimpinella anisum", + "Sanicula", + "genus Sanicula", + "sanicle", + "snakeroot", + "footsteps-of-spring", + "Sanicula arctopoides", + "purple sanicle", + "Sanicula bipinnatifida", + "European sanicle", + "Sanicula Europaea", + "Seseli", + "genus Seseli", + "moon carrot", + "stone parsley", + "Sison", + "genus Sison", + "stone parsley", + "Sison amomum", + "Sium", + "genus Sium", + "water parsnip", + "Sium suave", + "greater water parsnip", + "Sium latifolium", + "skirret", + "Sium sisarum", + "Smyrnium", + "genus Smyrnium", + "Alexander", + "Alexanders", + "black lovage", + "horse parsley", + "Smyrnium olusatrum", + "Cornaceae", + "family Cornaceae", + "dogwood family", + "Aucuba", + "genus Aucuba", + "Cornus", + "genus Cornus", + "dogwood", + "dogwood tree", + "cornel", + "dogwood", + "common white dogwood", + "eastern flowering dogwood", + "Cornus florida", + "red osier", + "red osier dogwood", + "red dogwood", + "American dogwood", + "redbrush", + "Cornus stolonifera", + "silky dogwood", + "Cornus obliqua", + "silky cornel", + "silky dogwood", + "Cornus amomum", + "common European dogwood", + "red dogwood", + "blood-twig", + "pedwood", + "Cornus sanguinea", + "bunchberry", + "dwarf cornel", + "crackerberry", + "pudding berry", + "Cornus canadensis", + "cornelian cherry", + "Cornus mas", + "Corokia", + "genus Corokia", + "Curtisia", + "genus Curtisia", + "Griselinia", + "genus Griselinia", + "puka", + "Griselinia lucida", + "kapuka", + "Griselinia littoralis", + "Helwingia", + "genus Helwingia", + "Valerianaceae", + "family Valerianaceae", + "valerian family", + "Valeriana", + "genus Valeriana", + "valerian", + "common valerian", + "garden heliotrope", + "Valeriana officinalis", + "Valerianella", + "genus Valerianella", + "corn salad", + "common corn salad", + "lamb's lettuce", + "Valerianella olitoria", + "Valerianella locusta", + "Centranthus", + "genus Centranthus", + "red valerian", + "French honeysuckle", + "Centranthus ruber", + "cutch", + "kutch", + "Hymenophyllaceae", + "family Hymenophyllaceae", + "Hymenophyllum", + "genus Hymenophyllum", + "filmy fern", + "film fern", + "Trichomanes", + "genus Trichomanes", + "bristle fern", + "filmy fern", + "hare's-foot bristle fern", + "Trichomanes boschianum", + "Killarney fern", + "Trichomanes speciosum", + "kidney fern", + "Trichomanes reniforme", + "Osmundaceae", + "family Osmundaceae", + "genus Osmunda", + "flowering fern", + "osmund", + "royal fern", + "royal osmund", + "king fern", + "ditch fern", + "French bracken", + "Osmunda regalis", + "interrupted fern", + "Osmunda clatonia", + "cinnamon fern", + "fiddlehead", + "fiddlehead fern", + "Osmunda cinnamonea", + "Leptopteris", + "genus Leptopteris", + "crape fern", + "Prince-of-Wales fern", + "Prince-of-Wales feather", + "Prince-of-Wales plume", + "Leptopteris superba", + "Todea superba", + "Todea", + "genus Todea", + "crepe fern", + "king fern", + "Todea barbara", + "Schizaeaceae", + "family Schizaeaceae", + "Schizaea", + "genus Schizaea", + "curly grass", + "curly grass fern", + "Schizaea pusilla", + "Anemia", + "genus Anemia", + "pine fern", + "Anemia adiantifolia", + "Lygodium", + "genus Lygodium", + "climbing fern", + "creeping fern", + "Hartford fern", + "Lygodium palmatum", + "climbing maidenhair", + "climbing maidenhair fern", + "snake fern", + "Lygodium microphyllum", + "Mohria", + "genus Mohria", + "scented fern", + "Mohria caffrorum", + "aquatic fern", + "water fern", + "Marsileaceae", + "family Marsileaceae", + "Marsilea", + "genus Marsilea", + "clover fern", + "pepperwort", + "nardoo", + "nardo", + "common nardoo", + "Marsilea drummondii", + "water clover", + "Marsilea quadrifolia", + "Pilularia", + "genus Pilularia", + "pillwort", + "Pilularia globulifera", + "genus Regnellidium", + "regnellidium", + "Regnellidium diphyllum", + "Salviniaceae", + "family Salviniaceae", + "Salvinia", + "genus Salvinia", + "floating-moss", + "Salvinia rotundifolia", + "Salvinia auriculata", + "Azollaceae", + "family Azollaceae", + "Azolla", + "genus Azolla", + "mosquito fern", + "floating fern", + "Carolina pond fern", + "Azolla caroliniana", + "Ophioglossales", + "order Ophioglossales", + "Ophioglossaceae", + "family Ophioglossaceae", + "Ophioglossum", + "genus Ophioglossum", + "adder's tongue", + "adder's tongue fern", + "ribbon fern", + "Ophioglossum pendulum", + "Botrychium", + "genus Botrychium", + "grape fern", + "moonwort", + "common moonwort", + "Botrychium lunaria", + "daisyleaf grape fern", + "daisy-leaved grape fern", + "Botrychium matricariifolium", + "leathery grape fern", + "Botrychium multifidum", + "rattlesnake fern", + "Botrychium virginianum", + "Helminthostachys", + "genus Helminthostachys", + "flowering fern", + "Helminthostachys zeylanica", + "soldier grainy club", + "ostiole", + "perithecium", + "stroma", + "stroma", + "plastid", + "chromoplast", + "chloroplast", + "Erysiphales", + "order Erysiphales", + "Erysiphaceae", + "family Erysiphaceae", + "Erysiphe", + "genus Erysiphe", + "powdery mildew", + "Sphaeriales", + "order Sphaeriales", + "Sphaeriaceae", + "family Sphaeriaceae", + "Neurospora", + "genus Neurospora", + "Ceratostomataceae", + "family Ceratostomataceae", + "Ceratostomella", + "genus Ceratostomella", + "Dutch elm fungus", + "Ceratostomella ulmi", + "Hypocreales", + "order Hypocreales", + "Hypocreaceae", + "family Hypocreaceae", + "Claviceps", + "genus Claviceps", + "ergot", + "Claviceps purpurea", + "rye ergot", + "mushroom pimple", + "orange mushroom pimple", + "green mushroom pimple", + "Xylariaceae", + "family Xylariaceae", + "Xylaria", + "genus Xylaria", + "black root rot fungus", + "Xylaria mali", + "dead-man's-fingers", + "dead-men's-fingers", + "Xylaria polymorpha", + "Rosellinia", + "genus Rosellinia", + "Helotiales", + "order Helotiales", + "Helotiaceae", + "family Helotiaceae", + "Helotium", + "genus Helotium", + "Sclerotiniaceae", + "family Sclerotiniaceae", + "genus Sclerotinia", + "sclerotinia", + "brown cup", + "Sclerodermatales", + "order Sclerodermatales", + "Sclerodermataceae", + "family Sclerodermataceae", + "Scleroderma", + "genus Scleroderma", + "earthball", + "false truffle", + "puffball", + "hard-skinned puffball", + "Scleroderma citrinum", + "Scleroderma aurantium", + "Scleroderma flavidium", + "star earthball", + "Scleroderma bovista", + "smooth earthball", + "Podaxaceae", + "stalked puffball", + "Tulostomaceae", + "family Tulostomaceae", + "Tulostomataceae", + "family Tulostomataceae", + "Tulostoma", + "genus Tulostoma", + "Tulestoma", + "genus Tulestoma", + "stalked puffball", + "Hymenogastrales", + "order Hymenogastrales", + "Rhizopogonaceae", + "family Rhizopogonaceae", + "false truffle", + "Rhizopogon", + "genus Rhizopogon", + "Rhizopogon idahoensis", + "Truncocolumella", + "genus Truncocolumella", + "Truncocolumella citrina", + "Zygomycota", + "subdivision Zygomycota", + "Zygomycotina", + "subdivision Zygomycotina", + "Zygomycetes", + "class Zygomycetes", + "Mucorales", + "order Mucorales", + "Mucoraceae", + "family Mucoraceae", + "genus Mucor", + "mucor", + "genus Rhizopus", + "rhizopus", + "bread mold", + "Rhizopus nigricans", + "leak fungus", + "ring rot fungus", + "Rhizopus stolonifer", + "Entomophthorales", + "order Entomophthorales", + "Entomophthoraceae", + "family Entomophthoraceae", + "Entomophthora", + "genus Entomophthora", + "rhizoid", + "slime mold", + "slime mould", + "Myxomycota", + "division Myxomycota", + "Gymnomycota", + "division Gymnomycota", + "Myxomycetes", + "class Myxomycetes", + "true slime mold", + "acellular slime mold", + "plasmodial slime mold", + "myxomycete", + "Acrasiomycetes", + "class Acrasiomycetes", + "cellular slime mold", + "genus Dictostylium", + "dictostylium", + "Phycomycetes", + "Phycomycetes group", + "Mastigomycota", + "subdivision Mastigomycota", + "Mastigomycotina", + "subdivision Mastigomycotina", + "Oomycetes", + "class Oomycetes", + "Chytridiomycetes", + "class Chytridiomycetes", + "Chytridiales", + "order Chytridiales", + "pond-scum parasite", + "Chytridiaceae", + "family Chytridiaceae", + "Blastocladiales", + "order Blastocladiales", + "Blastodiaceae", + "family Blastodiaceae", + "Blastocladia", + "genus Blastocladia", + "Synchytriaceae", + "family Synchytriaceae", + "Synchytrium", + "genus Synchytrium", + "potato wart fungus", + "Synchytrium endobioticum", + "Saprolegniales", + "order Saprolegniales", + "Saprolegnia", + "genus Saprolegnia", + "white fungus", + "Saprolegnia ferax", + "water mold", + "Peronosporales", + "order Peronosporales", + "Peronosporaceae", + "family Peronosporaceae", + "Peronospora", + "genus Peronospora", + "downy mildew", + "false mildew", + "blue mold fungus", + "Peronospora tabacina", + "onion mildew", + "Peronospora destructor", + "tobacco mildew", + "Peronospora hyoscyami", + "Albuginaceae", + "family Albuginaceae", + "Albugo", + "genus Albugo", + "white rust", + "Pythiaceae", + "family Pythiaceae", + "genus Pythium", + "pythium", + "damping off fungus", + "Pythium debaryanum", + "Phytophthora", + "genus Phytophthora", + "Phytophthora citrophthora", + "Phytophthora infestans", + "Plasmodiophoraceae", + "family Plasmodiophoraceae", + "Plasmodiophora", + "genus Plasmodiophora", + "clubroot fungus", + "Plasmodiophora brassicae", + "Geglossaceae", + "Sarcosomataceae", + "black felt cup", + "Rufous rubber cup", + "charred pancake cup", + "devil's cigar", + "devil's urn", + "winter urn", + "Tuberales", + "order Tuberales", + "Tuberaceae", + "family Tuberaceae", + "Tuber", + "genus Tuber", + "truffle", + "earthnut", + "earth-ball", + "Clavariaceae", + "family Clavariaceae", + "club fungus", + "coral fungus", + "Hydnaceae", + "family Hydnaceae", + "tooth fungus", + "Hydnum", + "genus Hydnum", + "Lichenes", + "division Lichenes", + "Lichenales", + "order Lichenales", + "lichen", + "ascolichen", + "basidiolichen", + "Lechanorales", + "order Lechanorales", + "Lecanoraceae", + "family Lecanoraceae", + "genus Lecanora", + "lecanora", + "manna lichen", + "archil", + "orchil", + "Roccellaceae", + "family Roccellaceae", + "genus Roccella", + "roccella", + "Roccella tinctoria", + "Pertusariaceae", + "family Pertusariaceae", + "Pertusaria", + "genus Pertusaria", + "Usneaceae", + "family Usneaceae", + "Usnea", + "genus Usnea", + "beard lichen", + "beard moss", + "Usnea barbata", + "Evernia", + "genus Evernia", + "Ramalina", + "genus Ramalina", + "Alectoria", + "genus Alectoria", + "horsehair lichen", + "horsetail lichen", + "Cladoniaceae", + "family Cladoniaceae", + "Cladonia", + "genus Cladonia", + "reindeer moss", + "reindeer lichen", + "arctic moss", + "Cladonia rangiferina", + "Parmeliaceae", + "family Parmeliaceae", + "Parmelia", + "genus Parmelia", + "crottle", + "crottal", + "crotal", + "Cetraria", + "genus Cetraria", + "Iceland moss", + "Iceland lichen", + "Cetraria islandica", + "Fungi", + "kingdom Fungi", + "fungus kingdom", + "fungus", + "basidium", + "hypobasidium", + "promycelium", + "Eumycota", + "division Eumycota", + "Eumycetes", + "class Eumycetes", + "true fungus", + "Deuteromycota", + "subdivision Deuteromycota", + "Deuteromycotina", + "Fungi imperfecti", + "subdivision Deuteromycotina", + "Deuteromycetes", + "class Deuteromycetes", + "Basidiomycota", + "subdivision Basidiomycota", + "Basidiomycotina", + "subdivision Basidiomycotina", + "Basidiomycetes", + "class Basidiomycetes", + "Homobasidiomycetes", + "subclass Homobasidiomycetes", + "Heterobasidiomycetes", + "subclass Heterobasidiomycetes", + "basidiomycete", + "basidiomycetous fungi", + "mushroom", + "Hymenomycetes", + "class Hymenomycetes", + "Agaricales", + "order Agaricales", + "agaric", + "Agaricaceae", + "family Agaricaceae", + "Agaricus", + "genus Agaricus", + "mushroom", + "mushroom", + "toadstool", + "horse mushroom", + "Agaricus arvensis", + "meadow mushroom", + "field mushroom", + "Agaricus campestris", + "Lentinus", + "genus Lentinus", + "shiitake", + "shiitake mushroom", + "Chinese black mushroom", + "golden oak mushroom", + "Oriental black mushroom", + "Lentinus edodes", + "scaly lentinus", + "Lentinus lepideus", + "Amanita", + "genus Amanita", + "royal agaric", + "Caesar's agaric", + "Amanita caesarea", + "false deathcap", + "Amanita mappa", + "fly agaric", + "Amanita muscaria", + "death cap", + "death cup", + "death angel", + "destroying angel", + "Amanita phalloides", + "blushing mushroom", + "blusher", + "Amanita rubescens", + "destroying angel", + "Amanita verna", + "slime mushroom", + "white slime mushroom", + "Fischer's slime mushroom", + "Cantharellus", + "genus Cantharellus", + "chanterelle", + "chantarelle", + "Cantharellus cibarius", + "floccose chanterelle", + "Cantharellus floccosus", + "pig's ears", + "Cantharellus clavatus", + "cinnabar chanterelle", + "Cantharellus cinnabarinus", + "Omphalotus", + "genus Omphalotus", + "jack-o-lantern fungus", + "jack-o-lantern", + "jack-a-lantern", + "Omphalotus illudens", + "Coprinus", + "genus Coprinus", + "Coprinaceae", + "family Coprinaceae", + "inky cap", + "inky-cap mushroom", + "Coprinus atramentarius", + "shaggymane", + "shaggy cap", + "shaggymane mushroom", + "Coprinus comatus", + "Lactarius", + "genus Lactarius", + "milkcap", + "Lactarius delicioso", + "Marasmius", + "genus Marasmius", + "fairy-ring mushroom", + "Marasmius oreades", + "fairy ring", + "fairy circle", + "Pleurotus", + "genus Pleurotus", + "oyster mushroom", + "oyster fungus", + "oyster agaric", + "Pleurotus ostreatus", + "olive-tree agaric", + "Pleurotus phosphoreus", + "Pholiota", + "genus Pholiota", + "Pholiota astragalina", + "Pholiota aurea", + "golden pholiota", + "Pholiota destruens", + "Pholiota flammans", + "Pholiota flavida", + "nameko", + "viscid mushroom", + "Pholiota nameko", + "Pholiota squarrosa-adiposa", + "Pholiota squarrosa", + "scaly pholiota", + "Pholiota squarrosoides", + "Russula", + "genus Russula", + "Russulaceae", + "family Russulaceae", + "Strophariaceae", + "family Strophariaceae", + "Stropharia", + "genus Stropharia", + "ring-stalked fungus", + "Stropharia ambigua", + "Stropharia hornemannii", + "Stropharia rugoso-annulata", + "galea", + "gill fungus", + "gill", + "lamella", + "Entolomataceae", + "family Entolomataceae", + "Entoloma", + "genus Entoloma", + "Entoloma lividum", + "Entoloma sinuatum", + "Entoloma aprile", + "Lepiotaceae", + "family Lepiotaceae", + "genus Chlorophyllum", + "Chlorophyllum molybdites", + "genus Lepiota", + "lepiota", + "parasol mushroom", + "Lepiota procera", + "poisonous parasol", + "Lepiota morgani", + "Lepiota naucina", + "Lepiota rhacodes", + "American parasol", + "Lepiota americana", + "Lepiota rubrotincta", + "Lepiota clypeolaria", + "onion stem", + "Lepiota cepaestipes", + "Thelephoraceae", + "family Thelephoraceae", + "Corticium", + "genus Corticium", + "pink disease fungus", + "Corticium salmonicolor", + "bottom rot fungus", + "Corticium solani", + "Pellicularia", + "genus Pellicularia", + "potato fungus", + "Pellicularia filamentosa", + "Rhizoctinia solani", + "coffee fungus", + "Pellicularia koleroga", + "Tricholomataceae", + "family Tricholomataceae", + "Tricholoma", + "genus Tricholoma", + "blewits", + "Clitocybe nuda", + "sandy mushroom", + "Tricholoma populinum", + "Tricholoma pessundatum", + "Tricholoma sejunctum", + "man-on-a-horse", + "Tricholoma flavovirens", + "Tricholoma venenata", + "Tricholoma pardinum", + "Tricholoma vaccinum", + "Tricholoma aurantium", + "Volvariaceae", + "family Volvariaceae", + "Volvaria", + "genus Volvaria", + "Volvaria bombycina", + "Pluteaceae", + "family Pluteaceae", + "Pluteus", + "genus Pluteus", + "roof mushroom", + "Pluteus aurantiorugosus", + "Pluteus magnus", + "sawdust mushroom", + "deer mushroom", + "Pluteus cervinus", + "Volvariella", + "genus Volvariella", + "straw mushroom", + "Chinese mushroom", + "Volvariella volvacea", + "Volvariella bombycina", + "Clitocybe", + "genus Clitocybe", + "Clitocybe clavipes", + "Clitocybe dealbata", + "Clitocybe inornata", + "Clitocybe robusta", + "Clytocybe alba", + "Clitocybe irina", + "Tricholoma irinum", + "Lepista irina", + "Clitocybe subconnexa", + "Flammulina", + "genus Flammulina", + "winter mushroom", + "Flammulina velutipes", + "hypha", + "mycelium", + "sclerotium", + "sac fungus", + "Ascomycota", + "subdivision Ascomycota", + "Ascomycotina", + "subdivision Ascomycotina", + "Ascomycetes", + "class Ascomycetes", + "ascomycete", + "ascomycetous fungus", + "Euascomycetes", + "subclass Euascomycetes", + "Clavicipitaceae", + "grainy club mushrooms", + "grainy club", + "Hemiascomycetes", + "class Hemiascomycetes", + "Endomycetales", + "order Endomycetales", + "Saccharomycetaceae", + "family Saccharomycetaceae", + "Saccharomyces", + "genus Saccharomyces", + "yeast", + "baker's yeast", + "brewer's yeast", + "Saccharomyces cerevisiae", + "wine-maker's yeast", + "Saccharomyces ellipsoides", + "Schizosaccharomycetaceae", + "family Schizosaccharomycetaceae", + "Schizosaccharomyces", + "genus Schizosaccharomyces", + "Plectomycetes", + "class Plectomycetes", + "Eurotiales", + "order Eurotiales", + "Aspergillales", + "order Aspergillales", + "Eurotium", + "genus Eurotium", + "Aspergillaceae", + "family Aspergillaceae", + "Aspergillus", + "genus Aspergillus", + "Aspergillus fumigatus", + "Thielavia", + "genus Thielavia", + "brown root rot fungus", + "Thielavia basicola", + "Pyrenomycetes", + "class Pyrenomycetes", + "Discomycetes", + "subclass Discomycetes", + "discomycete", + "cup fungus", + "Leotia lubrica", + "Mitrula elegans", + "Sarcoscypha coccinea", + "scarlet cup", + "Caloscypha fulgens", + "Aleuria aurantia", + "orange peel fungus", + "Pezizales", + "order Pezizales", + "Pezizaceae", + "family Pezizaceae", + "elf cup", + "Peziza", + "genus Peziza", + "Peziza domicilina", + "blood cup", + "fairy cup", + "Peziza coccinea", + "Plectania", + "genus Plectania", + "Urnula craterium", + "urn fungus", + "Galiella rufa", + "Jafnea semitosta", + "Morchellaceae", + "family Morchellaceae", + "Morchella", + "genus Morchella", + "morel", + "common morel", + "Morchella esculenta", + "sponge mushroom", + "sponge morel", + "Disciotis venosa", + "cup morel", + "Verpa", + "bell morel", + "Verpa bohemica", + "early morel", + "Verpa conica", + "conic Verpa", + "black morel", + "Morchella conica", + "conic morel", + "Morchella angusticeps", + "narrowhead morel", + "Morchella crassipes", + "thick-footed morel", + "Morchella semilibera", + "half-free morel", + "cow's head", + "Sarcoscyphaceae", + "family Sarcoscyphaceae", + "Wynnea", + "genus Wynnea", + "Wynnea americana", + "Wynnea sparassoides", + "Helvellaceae", + "family Helvellaceae", + "false morel", + "lorchel", + "genus Helvella", + "helvella", + "Helvella crispa", + "miter mushroom", + "Helvella acetabulum", + "Helvella sulcata", + "genus Discina", + "discina", + "Discina macrospora", + "genus Gyromitra", + "gyromitra", + "Gyromitra californica", + "California false morel", + "Gyromitra sphaerospora", + "round-spored gyromitra", + "Gyromitra esculenta", + "brain mushroom", + "beefsteak morel", + "Gyromitra infula", + "saddled-shaped false morel", + "Gyromitra fastigiata", + "Gyromitra brunnea", + "Gyromitra gigas", + "Gasteromycetes", + "class Gasteromycetes", + "Gastromycetes", + "class Gastromycetes", + "gasteromycete", + "gastromycete", + "Phallales", + "order Phallales", + "Phallaceae", + "family Phallaceae", + "Phallus", + "genus Phallus", + "stinkhorn", + "carrion fungus", + "common stinkhorn", + "Phallus impudicus", + "Phallus ravenelii", + "Dictyophera", + "genus Dictyophera", + "Mutinus", + "genus Mutinus", + "dog stinkhorn", + "Mutinus caninus", + "Tulostomatales", + "order Tulostomatales", + "Calostomataceae", + "family Calostomataceae", + "Calostoma lutescens", + "Calostoma cinnabarina", + "Calostoma ravenelii", + "Clathraceae", + "family Clathraceae", + "Clathrus", + "genus Clathrus", + "Pseudocolus", + "genus Pseudocolus", + "stinky squid", + "Pseudocolus fusiformis", + "Lycoperdales", + "order Lycoperdales", + "Lycoperdaceae", + "family Lycoperdaceae", + "Lycoperdon", + "genus Lycoperdon", + "puffball", + "true puffball", + "Calvatia", + "genus Calvatia", + "giant puffball", + "Calvatia gigantea", + "Geastraceae", + "family Geastraceae", + "earthstar", + "Geastrum", + "genus Geastrum", + "Geastrum coronatum", + "Radiigera", + "genus Radiigera", + "Radiigera fuscogleba", + "Astreus", + "genus Astreus", + "Astreus pteridis", + "Astreus hygrometricus", + "Nidulariales", + "order Nidulariales", + "Nidulariaceae", + "family Nidulariaceae", + "bird's-nest fungus", + "Nidularia", + "genus Nidularia", + "Sphaerobolaceae", + "family Sphaerobolaceae", + "Secotiales", + "order Secotiales", + "Secotiaceae", + "family Secotiaceae", + "Gastrocybe", + "genus Gastrocybe", + "Gastrocybe lateritia", + "Macowanites", + "genus Macowanites", + "Macowanites americanus", + "Gastroboletus", + "genus Gastroboletus", + "Gastroboletus scabrosus", + "Gastroboletus turbinatus", + "Aphyllophorales", + "order Aphyllophorales", + "Polyporaceae", + "family Polyporaceae", + "polypore", + "pore fungus", + "pore mushroom", + "bracket fungus", + "shelf fungus", + "Albatrellus", + "genus Albatrellus", + "Albatrellus dispansus", + "Albatrellus ovinus", + "sheep polypore", + "Neolentinus", + "genus Neolentinus", + "Neolentinus ponderosus", + "Nigroporus", + "genus Nigroporus", + "Nigroporus vinosus", + "Oligoporus", + "genus Oligoporus", + "Oligoporus leucospongia", + "Polyporus tenuiculus", + "Polyporus", + "genus Polyporus", + "hen-of-the-woods", + "hen of the woods", + "Polyporus frondosus", + "Grifola frondosa", + "Polyporus squamosus", + "scaly polypore", + "Fistulinaceae", + "family Fistulinaceae", + "Fistulina", + "genus Fistulina", + "beefsteak fungus", + "Fistulina hepatica", + "Fomes", + "genus Fomes", + "agaric", + "Fomes igniarius", + "Boletaceae", + "family Boletaceae", + "bolete", + "Boletus", + "genus Boletus", + "Boletus chrysenteron", + "Boletus edulis", + "Frost's bolete", + "Boletus frostii", + "Boletus luridus", + "Boletus mirabilis", + "Boletus pallidus", + "Boletus pulcherrimus", + "Boletus pulverulentus", + "Boletus roxanae", + "Boletus subvelutipes", + "Boletus variipes", + "Boletus zelleri", + "Fuscoboletinus", + "genus Fuscoboletinus", + "Fuscoboletinus paluster", + "Fuscoboletinus serotinus", + "Leccinum", + "genus Leccinum", + "Leccinum fibrillosum", + "Phylloporus", + "genus Phylloporus", + "Phylloporus boletinoides", + "Suillus", + "genus Suillus", + "Suillus albivelatus", + "Strobilomyces", + "genus Strobilomyces", + "old-man-of-the-woods", + "Strobilomyces floccopus", + "Boletellus", + "genus Boletellus", + "Boletellus russellii", + "jelly fungus", + "Tremellales", + "order Tremellales", + "Tremellaceae", + "family Tremellaceae", + "Tremella", + "genus Tremella", + "snow mushroom", + "Tremella fuciformis", + "witches' butter", + "Tremella lutescens", + "Tremella foliacea", + "Tremella reticulata", + "Auriculariales", + "order Auriculariales", + "Auriculariaceae", + "family Auriculariaceae", + "Auricularia", + "genus Auricularia", + "Jew's-ear", + "Jew's-ears", + "ear fungus", + "Auricularia auricula", + "Dacrymycetaceae", + "family Dacrymycetaceae", + "Dacrymyces", + "genus Dacrymyces", + "Uredinales", + "order Uredinales", + "rust", + "rust fungus", + "aecium", + "aeciospore", + "Melampsoraceae", + "family Melampsoraceae", + "Melampsora", + "genus Melampsora", + "flax rust", + "flax rust fungus", + "Melampsora lini", + "Cronartium", + "genus Cronartium", + "blister rust", + "Cronartium ribicola", + "Pucciniaceae", + "family Pucciniaceae", + "Puccinia", + "genus Puccinia", + "wheat rust", + "Puccinia graminis", + "Gymnosporangium", + "genus Gymnosporangium", + "apple rust", + "cedar-apple rust", + "Gymnosporangium juniperi-virginianae", + "Tiliomycetes", + "class Tiliomycetes", + "Ustilaginales", + "order Ustilaginales", + "smut", + "smut fungus", + "covered smut", + "Ustilaginaceae", + "family Ustilaginaceae", + "Ustilago", + "genus Ustilago", + "loose smut", + "cornsmut", + "corn smut", + "boil smut", + "Ustilago maydis", + "Sphacelotheca", + "genus Sphacelotheca", + "head smut", + "Sphacelotheca reiliana", + "Tilletiaceae", + "family Tilletiaceae", + "Tilletia", + "genus Tilletia", + "bunt", + "Tilletia caries", + "bunt", + "stinking smut", + "Tilletia foetida", + "Urocystis", + "genus Urocystis", + "onion smut", + "Urocystis cepulae", + "flag smut fungus", + "wheat flag smut", + "Urocystis tritici", + "Septobasidiaceae", + "family Septobasidiaceae", + "Septobasidium", + "genus Septobasidium", + "felt fungus", + "Septobasidium pseudopedicellatum", + "Hygrophoraceae", + "family Hygrophoraceae", + "waxycap", + "Hygrocybe", + "genus Hygrocybe", + "Hygrocybe acutoconica", + "conic waxycap", + "Hygrophorus", + "genus Hygrophorus", + "Hygrophorus borealis", + "Hygrophorus caeruleus", + "Hygrophorus inocybiformis", + "Hygrophorus kauffmanii", + "Hygrophorus marzuolus", + "Hygrophorus purpurascens", + "Hygrophorus russula", + "Hygrophorus sordidus", + "Hygrophorus tennesseensis", + "Hygrophorus turundus", + "Hygrotrama", + "genus Hygrotrama", + "Hygrotrama foetens", + "Neohygrophorus", + "genus Neohygrophorus", + "Neohygrophorus angelesianus", + "cortina", + "Cortinariaceae", + "family Cortinariaceae", + "Cortinarius", + "genus Cortinarius", + "Cortinarius armillatus", + "Cortinarius atkinsonianus", + "Cortinarius corrugatus", + "Cortinarius gentilis", + "Cortinarius mutabilis", + "purple-staining Cortinarius", + "Cortinarius semisanguineus", + "Cortinarius subfoetidus", + "Cortinarius violaceus", + "Gymnopilus", + "genus Gymnopilus", + "Gymnopilus spectabilis", + "Gymnopilus validipes", + "Gymnopilus ventricosus", + "mold", + "mould", + "mildew", + "Moniliales", + "order Moniliales", + "genus Verticillium", + "verticillium", + "Moniliaceae", + "family Moniliaceae", + "Trichophyton", + "genus Trichophyton", + "Microsporum", + "genus Microsporum", + "genus Monilia", + "monilia", + "genus Candida", + "candida", + "Candida albicans", + "Monilia albicans", + "Cercosporella", + "genus Cercosporella", + "Penicillium", + "genus Penicillium", + "Blastomyces", + "genus Blastomyces", + "blastomycete", + "Dematiaceae", + "family Dematiaceae", + "Cercospora", + "genus Cercospora", + "yellow spot fungus", + "Cercospora kopkei", + "Ustilaginoidea", + "genus Ustilaginoidea", + "green smut fungus", + "Ustilaginoidea virens", + "Tuberculariaceae", + "family Tuberculariaceae", + "Tubercularia", + "genus Tubercularia", + "genus Fusarium", + "dry rot", + "Mycelia Sterilia", + "order Mycelia Sterilia", + "genus Rhizoctinia", + "form genus Rhizoctinia", + "rhizoctinia", + "Ozonium", + "genus Ozonium", + "Sclerotium", + "genus Sclerotium", + "houseplant", + "garden plant", + "bedder", + "bedding plant", + "vascular plant", + "tracheophyte", + "succulent", + "nonvascular organism", + "relict", + "cultivar", + "cultivated plant", + "weed", + "wort", + "crop", + "harvest", + "cash crop", + "catch crop", + "cover crop", + "field crop", + "fruitage", + "plant part", + "plant structure", + "plant organ", + "plant process", + "enation", + "apophysis", + "callus", + "blister", + "nodule", + "tubercle", + "spur", + "fruiting body", + "aculeus", + "acumen", + "spine", + "thorn", + "prickle", + "pricker", + "sticker", + "spikelet", + "glochidium", + "glochid", + "brier", + "hair", + "fuzz", + "tomentum", + "stinging hair", + "coma", + "beard", + "awn", + "aril", + "duct", + "laticifer", + "antheridium", + "antheridiophore", + "sporophyll", + "sporophyl", + "sporangium", + "spore case", + "spore sac", + "sporangiophore", + "ascus", + "ascospore", + "arthrospore", + "arthrospore", + "theca", + "sac", + "paraphysis", + "eusporangium", + "leptosporangium", + "tetrasporangium", + "sporophore", + "gametangium", + "gametoecium", + "gynoecium", + "androecium", + "gametophore", + "sorus", + "sorus", + "indusium", + "veil", + "velum", + "universal veil", + "partial veil", + "annulus", + "skirt", + "antherozoid", + "spermatozoid", + "plant tissue", + "pulp", + "flesh", + "pith", + "parenchyma", + "chlorenchyma", + "lignum", + "vascular tissue", + "stele", + "cambium", + "sapwood", + "heartwood", + "duramen", + "vascular bundle", + "vascular strand", + "fibrovascular bundle", + "vein", + "nervure", + "midrib", + "midvein", + "vascular ray", + "medullary ray", + "xylem", + "tracheid", + "phloem", + "bast", + "sieve tube", + "pseudophloem", + "bast", + "bast fiber", + "gall", + "oak apple", + "evergreen", + "evergreen plant", + "deciduous plant", + "poisonous plant", + "vine", + "climber", + "creeper", + "tendril", + "cirrus", + "cirrhus", + "root climber", + "woody plant", + "ligneous plant", + "lignosae", + "arborescent plant", + "snag", + "tree", + "timber tree", + "treelet", + "arbor", + "bean tree", + "pollard", + "sapling", + "shade tree", + "gymnospermous tree", + "conifer", + "coniferous tree", + "angiospermous tree", + "flowering tree", + "nut tree", + "spice tree", + "fever tree", + "stump", + "tree stump", + "stool", + "bonsai", + "ming tree", + "ming tree", + "groundcover", + "ground cover", + "groundcover", + "ground cover", + "shrub", + "bush", + "undershrub", + "burning bush", + "shrublet", + "subshrub", + "suffrutex", + "bramble", + "flowering shrub", + "liana", + "parasitic plant", + "hemiparasite", + "semiparasite", + "geophyte", + "desert plant", + "xerophyte", + "xerophytic plant", + "xerophile", + "xerophilous plant", + "mesophyte", + "mesophytic plant", + "aquatic plant", + "water plant", + "hydrophyte", + "hydrophytic plant", + "marsh plant", + "bog plant", + "swamp plant", + "air plant", + "epiphyte", + "aerophyte", + "epiphytic plant", + "hemiepiphyte", + "semiepiphyte", + "strangler", + "strangler tree", + "rock plant", + "lithophyte", + "lithophytic plant", + "rupestral plant", + "rupestrine plant", + "rupicolous plant", + "saxicolous plant", + "saprophyte", + "saprophytic organism", + "saprobe", + "katharobe", + "autophyte", + "autophytic plant", + "autotroph", + "autotrophic organism", + "butt", + "rootage", + "root system", + "root", + "pneumatophore", + "taproot", + "adventitious root", + "root crop", + "root cap", + "rootlet", + "root hair", + "prop root", + "prophyll", + "stock", + "rootstock", + "cutting", + "slip", + "quickset", + "stolon", + "runner", + "offset", + "crown", + "treetop", + "capitulum", + "tuberous plant", + "tuber", + "rhizome", + "rootstock", + "rootstalk", + "axis", + "rachis", + "caudex", + "stalk", + "stem", + "internode", + "beanstalk", + "cladode", + "cladophyll", + "phylloclad", + "phylloclade", + "receptacle", + "stock", + "caudex", + "axil", + "stipe", + "scape", + "flower stalk", + "meristem", + "umbel", + "corymb", + "ray", + "petiole", + "leafstalk", + "phyllode", + "blade", + "leaf blade", + "peduncle", + "pedicel", + "pedicle", + "flower cluster", + "raceme", + "panicle", + "thyrse", + "thyrsus", + "cyme", + "cymule", + "glomerule", + "scorpioid cyme", + "spike", + "ear", + "spike", + "capitulum", + "capitulum", + "head", + "spadix", + "bulb", + "bulbous plant", + "bulbil", + "bulblet", + "corm", + "cormous plant", + "fruit", + "fruitlet", + "seed", + "bean", + "nut", + "nutlet", + "pyrene", + "kernel", + "meat", + "syconium", + "berry", + "aggregate fruit", + "multiple fruit", + "syncarp", + "simple fruit", + "bacca", + "acinus", + "drupe", + "stone fruit", + "drupelet", + "pome", + "false fruit", + "pod", + "seedpod", + "loment", + "pyxidium", + "pyxis", + "husk", + "cornhusk", + "hull", + "pod", + "cod", + "seedcase", + "pea pod", + "peasecod", + "accessory fruit", + "pseudocarp", + "Rhamnales", + "order Rhamnales", + "Rhamnaceae", + "family Rhamnaceae", + "buckthorn family", + "Rhamnus", + "genus Rhamnus", + "buckthorn", + "buckthorn berry", + "yellow berry", + "cascara buckthorn", + "bearberry", + "bearwood", + "chittamwood", + "chittimwood", + "Rhamnus purshianus", + "cascara", + "cascara sagrada", + "chittam bark", + "chittem bark", + "Carolina buckthorn", + "indian cherry", + "Rhamnus carolinianus", + "coffeeberry", + "California buckthorn", + "California coffee", + "Rhamnus californicus", + "alder buckthorn", + "alder dogwood", + "Rhamnus frangula", + "redberry", + "red-berry", + "Rhamnus croceus", + "Colubrina", + "genus Colubrina", + "nakedwood", + "Ziziphus", + "genus Ziziphus", + "jujube", + "jujube bush", + "Christ's-thorn", + "Jerusalem thorn", + "Ziziphus jujuba", + "lotus tree", + "Ziziphus lotus", + "Paliurus", + "genus Paliurus", + "Christ's-thorn", + "Jerusalem thorn", + "Paliurus spina-christi", + "Pomaderris", + "genus Pomaderris", + "hazel", + "hazel tree", + "Pomaderris apetala", + "Vitaceae", + "family Vitaceae", + "Vitidaceae", + "grapevine family", + "Vitis", + "genus Vitis", + "grape", + "grapevine", + "grape vine", + "fox grape", + "Vitis labrusca", + "muscadine", + "Vitis rotundifolia", + "vinifera", + "vinifera grape", + "common grape vine", + "Vitis vinifera", + "Chardonnay", + "chardonnay grape", + "Pinot", + "Pinot grape", + "Pinot noir", + "Pinot blanc", + "Sauvignon grape", + "Cabernet Sauvignon grape", + "Sauvignon blanc", + "Merlot", + "Muscadet", + "Riesling", + "Zinfandel", + "Chenin blanc", + "malvasia", + "muscat", + "muskat", + "Verdicchio", + "Parthenocissus", + "genus Parthenocissus", + "Boston ivy", + "Japanese ivy", + "Parthenocissus tricuspidata", + "Virginia creeper", + "American ivy", + "woodbine", + "Parthenocissus quinquefolia", + "Piperales", + "order Piperales", + "Piperaceae", + "family Piperaceae", + "pepper family", + "Piper", + "genus Piper", + "true pepper", + "pepper vine", + "pepper", + "common pepper", + "black pepper", + "white pepper", + "Madagascar pepper", + "Piper nigrum", + "long pepper", + "Piper longum", + "betel", + "betel pepper", + "Piper betel", + "cubeb", + "cubeb vine", + "Java pepper", + "Piper cubeba", + "cubeb", + "schizocarp", + "genus Peperomia", + "peperomia", + "watermelon begonia", + "Peperomia argyreia", + "Peperomia sandersii", + "Chloranthaceae", + "family Chloranthaceae", + "Chloranthus", + "genus Chloranthus", + "Saururaceae", + "family Saururaceae", + "lizard's-tail family", + "Saururus", + "genus Saururus", + "lizard's-tail", + "swamp lily", + "water dragon", + "Saururus cernuus", + "Anemopsis", + "genus Anemopsis", + "yerba mansa", + "Anemopsis californica", + "Houttuynia", + "genus Houttuynia", + "leaf", + "leafage", + "foliage", + "amplexicaul leaf", + "greenery", + "verdure", + "hydathode", + "water pore", + "water stoma", + "lenticel", + "leaflet", + "node", + "leaf node", + "pinna", + "pinnule", + "frond", + "pad", + "lily pad", + "bract", + "bracteole", + "bractlet", + "spathe", + "involucre", + "lemma", + "flowering glume", + "glume", + "scale", + "scale leaf", + "squamule", + "fig leaf", + "simple leaf", + "compound leaf", + "trifoliolate leaf", + "quinquefoliate leaf", + "palmate leaf", + "pinnate leaf", + "bijugate leaf", + "bijugous leaf", + "twice-pinnate", + "decompound leaf", + "acerate leaf", + "needle", + "acuminate leaf", + "cordate leaf", + "cuneate leaf", + "deltoid leaf", + "elliptic leaf", + "ensiform leaf", + "hastate leaf", + "lanceolate leaf", + "linear leaf", + "elongate leaf", + "lyrate leaf", + "obtuse leaf", + "oblanceolate leaf", + "oblong leaf", + "obovate leaf", + "ovate leaf", + "orbiculate leaf", + "pandurate leaf", + "panduriform leaf", + "peltate leaf", + "perfoliate leaf", + "reniform leaf", + "sagittate-leaf", + "sagittiform leaf", + "spatulate leaf", + "bipinnate leaf", + "even-pinnate leaf", + "abruptly-pinnate leaf", + "odd-pinnate leaf", + "pedate leaf", + "entire leaf", + "crenate leaf", + "serrate leaf", + "dentate leaf", + "denticulate leaf", + "emarginate leaf", + "erose leaf", + "runcinate leaf", + "lobed leaf", + "lobe", + "parallel-veined leaf", + "parted leaf", + "prickly-edged leaf", + "rosette", + "ligule", + "bark", + "winter's bark", + "tapa", + "tapa bark", + "tappa", + "tappa bark", + "angostura bark", + "angostura", + "branch", + "culm", + "deadwood", + "haulm", + "halm", + "limb", + "tree branch", + "branchlet", + "twig", + "sprig", + "wand", + "withe", + "withy", + "osier", + "sprout", + "shoot", + "sucker", + "tiller", + "bud", + "leaf bud", + "flower bud", + "mixed bud", + "stick", + "bough", + "trunk", + "tree trunk", + "bole", + "burl", + "burl", + "fern family", + "fern genus", + "Filicopsida", + "class Filicopsida", + "Filicinae", + "class Filicinae", + "Filicales", + "order Filicales", + "Polypodiales", + "order Polypodiales", + "Gleicheniaceae", + "family Gleicheniaceae", + "Gleichenia", + "genus Gleichenia", + "Dicranopteris", + "genus Dicranopteris", + "Diplopterygium", + "genus Diplopterygium", + "giant scrambling fern", + "Diplopterygium longissimum", + "Sticherus", + "genus Sticherus", + "umbrella fern", + "fan fern", + "Sticherus flabellatus", + "Gleichenia flabellata", + "Parkeriaceae", + "family Parkeriaceae", + "Ceratopteris", + "genus Ceratopteris", + "floating fern", + "water sprite", + "Ceratopteris pteridioides", + "floating fern", + "Ceratopteris thalictroides", + "Polypodiaceae", + "family Polypodiaceae", + "Polypodium", + "genus Polypodium", + "polypody", + "licorice fern", + "Polypodium glycyrrhiza", + "grey polypody", + "gray polypody", + "resurrection fern", + "Polypodium polypodioides", + "leatherleaf", + "leathery polypody", + "coast polypody", + "Polypodium scouleri", + "rock polypody", + "rock brake", + "American wall fern", + "Polypodium virgianum", + "common polypody", + "adder's fern", + "wall fern", + "golden maidenhair", + "golden polypody", + "sweet fern", + "Polypodium vulgare", + "Aglaomorpha", + "genus Aglaomorpha", + "bear's-paw fern", + "Aglaomorpha meyeniana", + "Campyloneurum", + "genus Campyloneurum", + "strap fern", + "Florida strap fern", + "cow-tongue fern", + "hart's-tongue fern", + "Central American strap fern", + "narrow-leaved strap fern", + "Campyloneurum augustifolium", + "Drymoglossum", + "genus Drymoglossum", + "Drynaria", + "genus Drynaria", + "basket fern", + "Drynaria rigidula", + "genus Lecanopteris", + "lecanopteris", + "Microgramma", + "genus Microgramma", + "snake polypody", + "Microgramma-piloselloides", + "Microsorium", + "genus Microsorium", + "climbing bird's nest fern", + "Microsorium punctatum", + "Phlebodium", + "genus Phlebodium", + "golden polypody", + "serpent fern", + "rabbit's-foot fern", + "Phlebodium aureum", + "Polypodium aureum", + "Platycerium", + "genus Platycerium", + "staghorn fern", + "South American staghorn", + "Platycerium andinum", + "common staghorn fern", + "elkhorn fern", + "Platycerium bifurcatum", + "Platycerium alcicorne", + "Pyrrosia", + "genus Pyrrosia", + "felt fern", + "tongue fern", + "Pyrrosia lingua", + "Cyclophorus lingua", + "Solanopteris", + "genus Solanopteris", + "potato fern", + "Solanopteris bifrons", + "Cyclophorus", + "genus Cyclophorus", + "myrmecophyte", + "Adiantaceae", + "family Adiantaceae", + "Vittariaceae", + "family Vittariaceae", + "Vittaria", + "genus Vittaria", + "grass fern", + "ribbon fern", + "Vittaria lineata", + "Aspleniaceae", + "family Aspleniaceae", + "Asplenium", + "genus Asplenium", + "spleenwort", + "black spleenwort", + "Asplenium adiantum-nigrum", + "bird's nest fern", + "Asplenium nidus", + "ebony spleenwort", + "Scott's Spleenwort", + "Asplenium platyneuron", + "black-stem spleenwort", + "black-stemmed spleenwort", + "little ebony spleenwort", + "Camptosorus", + "genus Camptosorus", + "walking fern", + "walking leaf", + "Asplenium rhizophyllum", + "Camptosorus rhizophyllus", + "maidenhair spleenwort", + "Asplenium trichomanes", + "green spleenwort", + "Asplenium viride", + "mountain spleenwort", + "Asplenium montanum", + "wall rue", + "wall rue spleenwort", + "Asplenium ruta-muraria", + "Bradley's spleenwort", + "Asplenium bradleyi", + "lobed spleenwort", + "Asplenium pinnatifidum", + "lanceolate spleenwort", + "Asplenium billotii", + "hart's-tongue", + "hart's-tongue fern", + "Asplenium scolopendrium", + "Phyllitis scolopendrium", + "Ceterach", + "genus Ceterach", + "scale fern", + "scaly fern", + "Asplenium ceterach", + "Ceterach officinarum", + "Pleurosorus", + "genus Pleurosorus", + "Schaffneria", + "genus Schaffneria", + "Schaffneria nigripes", + "Asplenium nigripes", + "Scolopendrium nigripes", + "Phyllitis", + "genus Phyllitis", + "genus Scolopendrium", + "scolopendrium", + "Blechnaceae", + "family Blechnaceae", + "Blechnum", + "genus Blechnum", + "hard fern", + "deer fern", + "Blechnum spicant", + "genus Doodia", + "Doodia", + "doodia", + "rasp fern", + "Sadleria", + "genus Sadleria", + "Stenochlaena", + "genus Stenochlaena", + "Woodwardia", + "genus Woodwardia", + "chain fern", + "Virginia chain fern", + "Woodwardia virginica", + "tree fern", + "Cyatheaceae", + "family Cyatheaceae", + "Cyathea", + "genus Cyathea", + "silver tree fern", + "sago fern", + "black tree fern", + "Cyathea medullaris", + "Davalliaceae", + "family Davalliaceae", + "genus Davallia", + "davallia", + "hare's-foot fern", + "Canary Island hare's foot fern", + "Davallia canariensis", + "Australian hare's foot", + "Davallia pyxidata", + "squirrel's-foot fern", + "ball fern", + "Davalia bullata", + "Davalia bullata mariesii", + "Davallia Mariesii", + "Dennstaedtiaceae", + "family Dennstaedtiaceae", + "Dennstaedtia", + "genus Dennstaedtia", + "hay-scented", + "hay-scented fern", + "scented fern", + "boulder fern", + "Dennstaedtia punctilobula", + "Pteridium", + "genus Pteridium", + "bracken", + "pasture brake", + "brake", + "Pteridium aquilinum", + "bracken", + "Pteridium esculentum", + "Dicksoniaceae", + "family Dicksoniaceae", + "Dicksonia", + "genus Dicksonia", + "soft tree fern", + "Dicksonia antarctica", + "Cibotium", + "genus Cibotium", + "Scythian lamb", + "Cibotium barometz", + "Culcita", + "genus Culcita", + "false bracken", + "Culcita dubia", + "genus Thyrsopteris", + "thyrsopteris", + "Thyrsopteris elegans", + "Dryopteridaceae", + "family Dryopteridaceae", + "Athyriaceae", + "family Athyriaceae", + "shield fern", + "buckler fern", + "Dryopteris", + "genus Dryopteris", + "broad buckler-fern", + "Dryopteris dilatata", + "fragrant cliff fern", + "fragrant shield fern", + "fragrant wood fern", + "Dryopteris fragrans", + "Goldie's fern", + "Goldie's shield fern", + "goldie's wood fern", + "Dryopteris goldiana", + "wood fern", + "wood-fern", + "woodfern", + "male fern", + "Dryopteris filix-mas", + "marginal wood fern", + "evergreen wood fern", + "leatherleaf wood fern", + "Dryopteris marginalis", + "mountain male fern", + "Dryopteris oreades", + "Athyrium", + "genus Athyrium", + "lady fern", + "Athyrium filix-femina", + "Alpine lady fern", + "Athyrium distentifolium", + "silvery spleenwort", + "glade fern", + "narrow-leaved spleenwort", + "Athyrium pycnocarpon", + "Diplazium pycnocarpon", + "Cyrtomium", + "genus Cyrtomium", + "holly fern", + "Cyrtomium aculeatum", + "Polystichum aculeatum", + "Cystopteris", + "genus Cystopteris", + "bladder fern", + "brittle bladder fern", + "brittle fern", + "fragile fern", + "Cystopteris fragilis", + "mountain bladder fern", + "Cystopteris montana", + "bulblet fern", + "bulblet bladder fern", + "berry fern", + "Cystopteris bulbifera", + "Deparia", + "genus Deparia", + "silvery spleenwort", + "Deparia acrostichoides", + "Athyrium thelypteroides", + "Diacalpa", + "genus Diacalpa", + "Gymnocarpium", + "genus Gymnocarpium", + "oak fern", + "Gymnocarpium dryopteris", + "Thelypteris dryopteris", + "limestone fern", + "northern oak fern", + "Gymnocarpium robertianum", + "Lastreopsis", + "genus Lastreopsis", + "Matteuccia", + "genus Matteuccia", + "Pteretis", + "genus Pteretis", + "ostrich fern", + "shuttlecock fern", + "fiddlehead", + "Matteuccia struthiopteris", + "Pteretis struthiopteris", + "Onoclea struthiopteris", + "Olfersia", + "genus Olfersia", + "hart's-tongue", + "hart's-tongue fern", + "Olfersia cervina", + "Polybotrya cervina", + "Polybotria cervina", + "Onoclea", + "genus Onoclea", + "sensitive fern", + "bead fern", + "Onoclea sensibilis", + "Polybotrya", + "genus Polybotrya", + "Polybotria", + "genus Polybotria", + "Polystichum", + "genus Polystichum", + "Christmas fern", + "canker brake", + "dagger fern", + "evergreen wood fern", + "Polystichum acrostichoides", + "holly fern", + "Braun's holly fern", + "prickly shield fern", + "Polystichum braunii", + "northern holly fern", + "Polystichum lonchitis", + "western holly fern", + "Polystichum scopulinum", + "soft shield fern", + "Polystichum setiferum", + "Rumohra", + "genus Rumohra", + "leather fern", + "leatherleaf fern", + "ten-day fern", + "Rumohra adiantiformis", + "Polystichum adiantiformis", + "Tectaria", + "genus Tectaria", + "button fern", + "Tectaria cicutaria", + "Indian button fern", + "Tectaria macrodonta", + "genus Woodsia", + "woodsia", + "rusty woodsia", + "fragrant woodsia", + "oblong woodsia", + "Woodsia ilvensis", + "Alpine woodsia", + "northern woodsia", + "flower-cup fern", + "Woodsia alpina", + "smooth woodsia", + "Woodsia glabella", + "Lomariopsidaceae", + "family Lomariopsidaceae", + "Bolbitis", + "genus Bolbitis", + "Lomogramma", + "genus Lomogramma", + "Lophosoriaceae", + "family Lophosoriaceae", + "Lophosoria", + "genus Lophosoria", + "Loxomataceae", + "family Loxomataceae", + "Loxoma", + "genus Loxoma", + "Oleandraceae", + "family Oleandraceae", + "Oleandra", + "genus Oleandra", + "oleander fern", + "Oleandra neriiformis", + "Oleandra mollis", + "Arthropteris", + "genus Arthropteris", + "Nephrolepis", + "genus Nephrolepis", + "sword fern", + "Boston fern", + "Nephrolepis exaltata", + "Nephrolepis exaltata bostoniensis", + "basket fern", + "toothed sword fern", + "Nephrolepis pectinata", + "Pteridaceae", + "family Pteridaceae", + "Acrostichum", + "genus Acrostichum", + "golden fern", + "leather fern", + "Acrostichum aureum", + "Actiniopteris", + "genus Actiniopteris", + "Adiantum", + "genus Adiantum", + "maidenhair", + "maidenhair fern", + "common maidenhair", + "Venushair", + "Venus'-hair fern", + "southern maidenhair", + "Venus maidenhair", + "Adiantum capillus-veneris", + "American maidenhair fern", + "five-fingered maidenhair fern", + "Adiantum pedatum", + "Bermuda maidenhair", + "Bermuda maidenhair fern", + "Adiantum bellum", + "brittle maidenhair", + "brittle maidenhair fern", + "Adiantum tenerum", + "Farley maidenhair", + "Farley maidenhair fern", + "Barbados maidenhair", + "glory fern", + "Adiantum tenerum farleyense", + "Anogramma", + "genus Anogramma", + "annual fern", + "Jersey fern", + "Anogramma leptophylla", + "Cheilanthes", + "genus Cheilanthes", + "lip fern", + "lipfern", + "smooth lip fern", + "Alabama lip fern", + "Cheilanthes alabamensis", + "lace fern", + "Cheilanthes gracillima", + "wooly lip fern", + "hairy lip fern", + "Cheilanthes lanosa", + "southwestern lip fern", + "Cheilanthes eatonii", + "Coniogramme", + "genus Coniogramme", + "bamboo fern", + "Coniogramme japonica", + "Cryptogramma", + "genus Cryptogramma", + "rock brake", + "American rock brake", + "American parsley fern", + "Cryptogramma acrostichoides", + "European parsley fern", + "mountain parsley fern", + "Cryptogramma crispa", + "Doryopteris", + "genus Doryopteris", + "hand fern", + "Doryopteris pedata", + "Jamesonia", + "genus Jamesonia", + "Onychium", + "genus Onychium", + "Pellaea", + "genus Pellaea", + "cliff brake", + "cliff-brake", + "rock brake", + "coffee fern", + "Pellaea andromedifolia", + "purple rock brake", + "Pellaea atropurpurea", + "bird's-foot fern", + "Pellaea mucronata", + "Pellaea ornithopus", + "button fern", + "Pellaea rotundifolia", + "Pityrogramma", + "genus Pityrogramma", + "silver fern", + "Pityrogramma argentea", + "silver fern", + "Pityrogramma calomelanos", + "golden fern", + "Pityrogramma calomelanos aureoflava", + "gold fern", + "Pityrogramma chrysophylla", + "Pteris", + "genus Pteris", + "brake", + "Pteris cretica", + "spider brake", + "spider fern", + "Pteris multifida", + "ribbon fern", + "spider fern", + "Pteris serrulata", + "Marattiales", + "order Marattiales", + "Marattiaceae", + "family Marattiaceae", + "Marattia", + "genus Marattia", + "potato fern", + "Marattia salicina", + "genus Angiopteris", + "angiopteris", + "giant fern", + "Angiopteris evecta", + "Danaea", + "genus Danaea", + "Psilopsida", + "class Psilopsida", + "Psilotatae", + "class Psilotatae", + "Psilotales", + "order Psilotales", + "Psilotaceae", + "family Psilotaceae", + "Psilotum", + "genus Psilotum", + "whisk fern", + "skeleton fork fern", + "Psilotum nudum", + "Psilophytales", + "order Psilophytales", + "psilophyte", + "Psilophytaceae", + "family Psilophytaceae", + "genus Psilophyton", + "psilophyton", + "Rhyniaceae", + "family Rhyniaceae", + "Rhynia", + "genus Rhynia", + "Horneophyton", + "genus Horneophyton", + "Sphenopsida", + "class Sphenopsida", + "Equisetatae", + "class Equisetatae", + "Equisetales", + "order Equisetales", + "Equisetaceae", + "family Equisetaceae", + "horsetail family", + "Equisetum", + "genus Equisetum", + "horsetail", + "common horsetail", + "field horsetail", + "Equisetum arvense", + "swamp horsetail", + "water horsetail", + "Equisetum fluviatile", + "scouring rush", + "rough horsetail", + "Equisetum hyemale", + "Equisetum hyemale robustum", + "Equisetum robustum", + "marsh horsetail", + "Equisetum palustre", + "wood horsetail", + "Equisetum Sylvaticum", + "variegated horsetail", + "variegated scouring rush", + "Equisetum variegatum", + "Lycopsida", + "class Lycopsida", + "Lycopodiate", + "class Lycopodiate", + "Lycophyta", + "Lycopodineae", + "class Lycopodineae", + "club moss", + "club-moss", + "lycopod", + "Lepidodendrales", + "order Lepidodendrales", + "Lepidodendraceae", + "family Lepidodendraceae", + "Lycopodiales", + "order Lycopodiales", + "Lycopodiaceae", + "family Lycopodiaceae", + "clubmoss family", + "Lycopodium", + "genus Lycopodium", + "shining clubmoss", + "Lycopodium lucidulum", + "alpine clubmoss", + "Lycopodium alpinum", + "fir clubmoss", + "mountain clubmoss", + "little clubmoss", + "Lycopodium selago", + "ground pine", + "Christmas green", + "running pine", + "Lycopodium clavitum", + "ground cedar", + "staghorn moss", + "Lycopodium complanatum", + "ground fir", + "princess pine", + "tree clubmoss", + "Lycopodium obscurum", + "foxtail grass", + "Lycopodium alopecuroides", + "Selaginellales", + "order Selaginellales", + "Selaginellaceae", + "family Selaginellaceae", + "Selaginella", + "genus Selaginella", + "spikemoss", + "spike moss", + "little club moss", + "meadow spikemoss", + "basket spikemoss", + "Selaginella apoda", + "rock spikemoss", + "dwarf lycopod", + "Selaginella rupestris", + "desert selaginella", + "Selaginella eremophila", + "resurrection plant", + "rose of Jericho", + "Selaginella lepidophylla", + "florida selaginella", + "Selaginella eatonii", + "Isoetales", + "order Isoetales", + "Isoetaceae", + "family Isoetaceae", + "quillwort family", + "Isoetes", + "genus Isoetes", + "quillwort", + "Geoglossaceae", + "family Geoglossaceae", + "Geoglossum", + "genus Geoglossum", + "earthtongue", + "earth-tongue", + "Cryptogrammataceae", + "family Cryptogrammataceae", + "Thelypteridaceae", + "family Thelypteridaceae", + "Thelypteris", + "genus Thelypteris", + "marsh fern", + "Thelypteris palustris", + "Dryopteris thelypteris", + "snuffbox fern", + "meadow fern", + "Thelypteris palustris pubescens", + "Dryopteris thelypteris pubescens", + "Amauropelta", + "genus Amauropelta", + "genus Christella", + "christella", + "Cyclosorus", + "genus Cyclosorus", + "Goniopteris", + "genus Goniopteris", + "Macrothelypteris", + "genus Macrothelypteris", + "Meniscium", + "genus Meniscium", + "Oreopteris", + "genus Oreopteris", + "mountain fern", + "Oreopteris limbosperma", + "Dryopteris oreopteris", + "Parathelypteris", + "genus Parathelypteris", + "New York fern", + "Parathelypteris novae-boracensis", + "Dryopteris noveboracensis", + "Massachusetts fern", + "Parathelypteris simulata", + "Thelypteris simulata", + "Phegopteris", + "genus Phegopteris", + "beech fern", + "broad beech fern", + "southern beech fern", + "Phegopteris hexagonoptera", + "Dryopteris hexagonoptera", + "Thelypteris hexagonoptera", + "long beech fern", + "narrow beech fern", + "northern beech fern", + "Phegopteris connectilis", + "Dryopteris phegopteris", + "Thelypteris phegopteris", + "rhizomorph", + "Armillaria", + "genus Armillaria", + "shoestring fungus", + "Armillaria caligata", + "booted armillaria", + "Armillaria ponderosa", + "white matsutake", + "Armillaria zelleri", + "Armillariella", + "genus Armillariella", + "honey mushroom", + "honey fungus", + "Armillariella mellea", + "Asclepiadaceae", + "family Asclepiadaceae", + "milkweed family", + "asclepiad", + "Asclepias", + "genus Asclepias", + "milkweed", + "silkweed", + "white milkweed", + "Asclepias albicans", + "blood flower", + "swallowwort", + "Asclepias curassavica", + "poke milkweed", + "Asclepias exaltata", + "swamp milkweed", + "Asclepias incarnata", + "Mead's milkweed", + "Asclepias meadii", + "Asclepia meadii", + "purple silkweed", + "Asclepias purpurascens", + "showy milkweed", + "Asclepias speciosa", + "poison milkweed", + "horsetail milkweed", + "Asclepias subverticillata", + "butterfly weed", + "orange milkweed", + "chigger flower", + "chiggerflower", + "pleurisy root", + "tuber root", + "Indian paintbrush", + "Asclepias tuberosa", + "whorled milkweed", + "Asclepias verticillata", + "Araujia", + "genus Araujia", + "cruel plant", + "Araujia sericofera", + "genus Cynancum", + "cynancum", + "genus Hoya", + "hoya", + "honey plant", + "wax plant", + "Hoya carnosa", + "Periploca", + "genus Periploca", + "silk vine", + "Periploca graeca", + "Sarcostemma", + "genus Sarcostemma", + "soma", + "haoma", + "Sarcostemma acidum", + "genus Stapelia", + "stapelia", + "carrion flower", + "starfish flower", + "Stapelias asterias", + "genus Stephanotis", + "stephanotis", + "Madagascar jasmine", + "waxflower", + "Stephanotis floribunda", + "Vincetoxicum", + "genus Vincetoxicum", + "negro vine", + "Vincetoxicum hirsutum", + "Vincetoxicum negrum", + "zygospore", + "old growth", + "virgin forest", + "second growth", + "tree of knowledge", + "ownership", + "community", + "severalty", + "property right", + "preemptive right", + "subscription right", + "option", + "stock option", + "stock option", + "call option", + "put option", + "lock-up option", + "tenure", + "land tenure", + "copyhold", + "freehold", + "freehold", + "villeinage", + "stock buyback", + "public domain", + "proprietorship", + "proprietary", + "employee ownership", + "property", + "belongings", + "holding", + "tangible possession", + "material possession", + "worldly possessions", + "worldly belongings", + "worldly goods", + "ratables", + "rateables", + "hereditament", + "intellectual property", + "community property", + "personal property", + "personal estate", + "personalty", + "private property", + "chattel", + "personal chattel", + "movable", + "effects", + "personal effects", + "things", + "real property", + "real estate", + "realty", + "immovable", + "estate", + "land", + "landed estate", + "acres", + "demesne", + "commonage", + "glebe", + "landholding", + "landholding", + "salvage", + "shareholding", + "spiritualty", + "spirituality", + "church property", + "temporalty", + "temporality", + "benefice", + "ecclesiastical benefice", + "sinecure", + "lease", + "rental", + "letting", + "car rental", + "hire car", + "rent-a-car", + "self-drive", + "u-drive", + "you-drive", + "trade-in", + "sublease", + "sublet", + "public property", + "leasehold", + "smallholding", + "homestead", + "farmstead", + "homestead", + "no man's land", + "fief", + "feoff", + "land", + "mortmain", + "dead hand", + "wealth", + "money", + "pile", + "bundle", + "big bucks", + "megabucks", + "big money", + "estate", + "stuff", + "clobber", + "gross estate", + "net estate", + "life estate", + "estate for life", + "barony", + "countryseat", + "Crown land", + "manor", + "seigneury", + "seigniory", + "signory", + "hacienda", + "plantation", + "orangery", + "white elephant", + "transferred property", + "transferred possession", + "acquisition", + "accession", + "addition", + "purchase", + "bargain", + "buy", + "steal", + "song", + "travel bargain", + "grant", + "assignment", + "appanage", + "apanage", + "land grant", + "gain", + "financial gain", + "income", + "disposable income", + "double dipping", + "easy money", + "gravy train", + "EBITDA", + "Earnings Before Interest Taxes Depreciation and Amortization", + "easy money", + "tight money", + "escheat", + "gross", + "revenue", + "receipts", + "national income", + "gross national product", + "GNP", + "real gross national product", + "real GNP", + "gross domestic product", + "GDP", + "deflator", + "royalty", + "box office", + "gate", + "net income", + "net", + "net profit", + "lucre", + "profit", + "profits", + "earnings", + "paper profit", + "paper loss", + "cash flow", + "personal income", + "earning per share", + "windfall profit", + "killing", + "cleanup", + "winnings", + "win", + "profits", + "rental income", + "return", + "issue", + "take", + "takings", + "proceeds", + "yield", + "payoff", + "fast buck", + "quick buck", + "filthy lucre", + "gross profit", + "gross profit margin", + "margin", + "gross sales", + "gross revenue", + "sales", + "net sales", + "margin of profit", + "profit margin", + "gross margin", + "unearned income", + "unearned revenue", + "unearned income", + "unearned revenue", + "government income", + "government revenue", + "tax income", + "taxation", + "tax revenue", + "revenue", + "internal revenue", + "per capita income", + "stolen property", + "spoil", + "loot", + "booty", + "pillage", + "plunder", + "prize", + "swag", + "dirty money", + "inheritance", + "heritage", + "primogeniture", + "borough English", + "accretion", + "bequest", + "legacy", + "birthright", + "patrimony", + "devise", + "dower", + "jointure", + "legal jointure", + "free lunch", + "heirloom", + "heirloom", + "gift", + "dowry", + "dowery", + "dower", + "portion", + "bride price", + "largess", + "largesse", + "aid", + "economic aid", + "financial aid", + "scholarship", + "fellowship", + "foreign aid", + "Marshall Plan", + "European Recovery Program", + "grant", + "subsidy", + "subvention", + "price support", + "grant-in-aid", + "postdoctoral", + "postdoc", + "post doc", + "traineeship", + "gratuity", + "prize", + "award", + "door prize", + "jackpot", + "prize money", + "present", + "birthday present", + "birthday gift", + "Christmas present", + "Christmas gift", + "stocking filler", + "stocking stuffer", + "wedding present", + "wedding gift", + "bride-gift", + "cash surrender value", + "contribution", + "contribution", + "donation", + "benefaction", + "offering", + "tithe", + "offertory", + "hearth money", + "Peter's pence", + "political contribution", + "political donation", + "soft money", + "endowment", + "endowment fund", + "enrichment", + "patrimony", + "chantry", + "lagniappe", + "bestowal", + "bestowment", + "bounty", + "premium", + "premium", + "freebie", + "freebee", + "giveaway", + "gift horse", + "thank offering", + "bonus", + "incentive", + "incentive program", + "incentive scheme", + "deductible", + "defalcation", + "dividend", + "sales incentive", + "allowance", + "adjustment", + "cost-of-living allowance", + "depreciation allowance", + "deduction", + "discount", + "trade discount", + "seasonal adjustment", + "tare", + "outgo", + "spending", + "expenditure", + "outlay", + "expense", + "disbursal", + "disbursement", + "cost", + "business expense", + "trade expense", + "interest expense", + "lobbying expense", + "medical expense", + "non-cash expense", + "moving expense", + "operating expense", + "operating cost", + "overhead", + "budget items", + "organization expense", + "personal expense", + "promotional expense", + "expense", + "transfer payment", + "capital expenditure", + "payment", + "overpayment", + "underpayment", + "wage", + "pay", + "earnings", + "remuneration", + "salary", + "combat pay", + "double time", + "found", + "half-pay", + "living wage", + "merit pay", + "minimum wage", + "pay envelope", + "pay packet", + "sick pay", + "strike pay", + "take-home pay", + "subscription", + "regular payment", + "pay rate", + "rate of pay", + "time and a half", + "payment rate", + "rate of payment", + "repayment rate", + "installment rate", + "blood money", + "recompense", + "refund", + "rebate", + "discount", + "rent-rebate", + "compensation", + "overcompensation", + "workmen's compensation", + "conscience money", + "support payment", + "palimony", + "alimony", + "maintenance", + "reward", + "honorarium", + "ransom", + "ransom money", + "blood money", + "guerdon", + "meed", + "hush money", + "bribe", + "payoff", + "kickback", + "payola", + "soap", + "share", + "portion", + "part", + "percentage", + "tranche", + "dispensation", + "dole", + "way", + "ration", + "allowance", + "slice", + "piece", + "split", + "interest", + "stake", + "grubstake", + "controlling interest", + "insurable interest", + "vested interest", + "security interest", + "terminable interest", + "undivided interest", + "undivided right", + "fee", + "fee simple", + "fee tail", + "entail", + "profit sharing", + "cut", + "rake-off", + "vigorish", + "allotment", + "allocation", + "reallocation", + "quota", + "appropriation", + "reimbursement", + "emolument", + "blood money", + "damages", + "amends", + "indemnity", + "indemnification", + "restitution", + "redress", + "relief", + "counterbalance", + "offset", + "actual damages", + "compensatory damages", + "general damages", + "nominal damages", + "punitive damages", + "exemplary damages", + "smart money", + "double damages", + "treble damages", + "reparation", + "reparation", + "atonement", + "expiation", + "satisfaction", + "residual", + "poverty line", + "poverty level", + "allowance", + "breakage", + "costs", + "per diem", + "travel allowance", + "travel reimbursement", + "mileage", + "stipend", + "privy purse", + "prebend", + "annuity", + "rente", + "annuity in advance", + "ordinary annuity", + "reversionary annuity", + "survivorship annuity", + "tontine", + "rent", + "ground rent", + "peppercorn rent", + "rack rent", + "economic rent", + "rent", + "payback", + "installment plan", + "installment buying", + "time plan", + "hire-purchase", + "never-never", + "benefit", + "cost-of-living benefit", + "death benefit", + "advance death benefit", + "viatical settlement", + "disability benefit", + "sick benefit", + "sickness benefit", + "fringe benefit", + "perquisite", + "perk", + "appanage", + "apanage", + "tax benefit", + "tax break", + "gratuity", + "tip", + "pourboire", + "baksheesh", + "bakshish", + "bakshis", + "backsheesh", + "Christmas box", + "child support", + "lump sum", + "payoff", + "final payment", + "remittance", + "remittal", + "remission", + "remitment", + "repayment", + "quittance", + "redemption", + "token payment", + "nonpayment", + "default", + "nonremittal", + "delinquency", + "default", + "nonpayment", + "nonremittal", + "penalty", + "pittance", + "retribution", + "requital", + "forfeit", + "forfeiture", + "forfeit", + "forfeiture", + "fine", + "mulct", + "amercement", + "library fine", + "premium", + "insurance premium", + "installment", + "cost overrun", + "cost of living", + "borrowing cost", + "distribution cost", + "handling cost", + "handling charge", + "marketing cost", + "production cost", + "replacement cost", + "reproduction cost", + "physical value", + "unit cost", + "price", + "terms", + "damage", + "price", + "markup", + "asking price", + "selling price", + "bid price", + "closing price", + "offer price", + "upset price", + "factory price", + "highway robbery", + "list price", + "purchase price", + "spot price", + "cash price", + "support level", + "valuation", + "opportunity cost", + "cost of capital", + "capital cost", + "carrying cost", + "carrying charge", + "portage", + "incidental expense", + "incidental", + "minor expense", + "travel expense", + "charge", + "carrying charge", + "depreciation charge", + "undercharge", + "overcharge", + "extortion", + "corkage", + "fare", + "transportation", + "airfare", + "bus fare", + "carfare", + "cab fare", + "taxi fare", + "subway fare", + "train fare", + "levy", + "tax", + "taxation", + "revenue enhancement", + "tax base", + "tax rate", + "tax liability", + "single tax", + "income tax", + "bracket creep", + "estimated tax", + "FICA", + "business deduction", + "exemption", + "entertainment deduction", + "withholding tax", + "withholding", + "PAYE", + "pay as you earn", + "unearned increment", + "capital gain", + "capital loss", + "capital gains tax", + "capital levy", + "departure tax", + "property tax", + "land tax", + "council tax", + "franchise tax", + "gift tax", + "inheritance tax", + "estate tax", + "death tax", + "death duty", + "direct tax", + "tax advantage", + "tax shelter", + "shelter", + "indirect tax", + "hidden tax", + "capitation", + "poll tax", + "progressive tax", + "graduated tax", + "proportional tax", + "degressive tax", + "rates", + "poor rates", + "stamp tax", + "stamp duty", + "surtax", + "supertax", + "pavage", + "transfer tax", + "tithe", + "special assessment", + "duty", + "tariff", + "excise", + "excise tax", + "sales tax", + "nuisance tax", + "VAT", + "value-added tax", + "ad valorem tax", + "gasoline tax", + "customs", + "customs duty", + "custom", + "impost", + "ship money", + "tonnage", + "tunnage", + "tonnage duty", + "octroi", + "revenue tariff", + "protective tariff", + "anti-dumping duty", + "import duty", + "export duty", + "countervailing duty", + "fixed charge", + "fixed cost", + "fixed costs", + "cover charge", + "cover", + "interest", + "compound interest", + "simple interest", + "interest rate", + "rate of interest", + "discount rate", + "discount", + "bank discount", + "bank rate", + "discount rate", + "base rate", + "prime interest rate", + "usury", + "vigorish", + "fee", + "anchorage", + "cellarage", + "commission", + "contingency fee", + "dockage", + "docking fee", + "drop-off charge", + "entrance fee", + "admission", + "admission charge", + "admission fee", + "admission price", + "price of admission", + "entrance money", + "finder's fee", + "legal fee", + "licensing fee", + "license fee", + "license tax", + "refresher", + "lighterage", + "lockage", + "mintage", + "moorage", + "origination fee", + "pipage", + "poundage", + "retainer", + "consideration", + "quid pro quo", + "quid", + "seigniorage", + "toll", + "truckage", + "tuition", + "tuition fee", + "wharfage", + "quayage", + "agio", + "agiotage", + "premium", + "exchange premium", + "demurrage", + "installation charge", + "porterage", + "postage", + "poundage", + "rate", + "charge per unit", + "water-rate", + "surcharge", + "single supplement", + "service charge", + "service fee", + "stowage", + "tankage", + "freight", + "freightage", + "freight rate", + "rate of depreciation", + "depreciation rate", + "rate of exchange", + "exchange rate", + "excursion rate", + "footage", + "linage", + "lineage", + "room rate", + "loss", + "red ink", + "red", + "squeeze", + "loss", + "financial loss", + "sacrifice", + "wastage", + "depreciation", + "wear and tear", + "straight-line method", + "straight-line method of depreciation", + "write-off", + "write-down", + "tax write-off", + "tax deduction", + "deduction", + "losings", + "losses", + "circumstances", + "assets", + "payables", + "receivables", + "crown jewel", + "deep pocket", + "reserve assets", + "special drawing rights", + "paper gold", + "sum", + "sum of money", + "amount", + "amount of money", + "figure", + "resource", + "natural resource", + "natural resources", + "labor resources", + "land resources", + "mineral resources", + "renewable resource", + "intangible", + "intangible asset", + "good will", + "goodwill", + "liquid assets", + "current assets", + "quick assets", + "investment", + "investment funds", + "equity", + "sweat equity", + "equity", + "stock", + "stockholding", + "stockholding", + "stockholdings", + "capital stock", + "blue chip", + "blue-chip stock", + "classified stock", + "common stock", + "common shares", + "ordinary shares", + "stock of record", + "par value", + "face value", + "nominal value", + "no-par-value stock", + "no-par stock", + "preferred stock", + "preferred shares", + "preference shares", + "cumulative preferred", + "cumulative preferred stock", + "float", + "common stock equivalent", + "control stock", + "growth stock", + "hot stock", + "hot issue", + "penny stock", + "book value", + "market value", + "market price", + "bond issue", + "convertible bond", + "corporate bond", + "coupon bond", + "bearer bond", + "government bond", + "junk bond", + "high-yield bond", + "municipal bond", + "noncallable bond", + "performance bond", + "surety bond", + "post-obit bond", + "registered bond", + "revenue bond", + "secured bond", + "unsecured bond", + "debenture", + "debenture bond", + "government security", + "agency security", + "mortgage-backed security", + "registered security", + "savings bond", + "utility bond", + "utility revenue bond", + "zero coupon bond", + "zero-coupon bond", + "reversion", + "escheat", + "right", + "accession", + "share", + "authorized shares", + "authorized stock", + "capital stock", + "quarter stock", + "speculation", + "venture", + "gamble", + "smart money", + "pyramid", + "stake", + "stakes", + "bet", + "wager", + "pot", + "jackpot", + "kitty", + "ante", + "security", + "protection", + "easy street", + "hedge", + "hedging", + "coverage", + "insurance coverage", + "insurance", + "assurance", + "automobile insurance", + "car insurance", + "no fault insurance", + "no fault automobile insurance", + "business interruption insurance", + "coinsurance", + "fire insurance", + "group insurance", + "hazard insurance", + "health insurance", + "hospitalization insurance", + "hospitalization", + "liability insurance", + "life insurance", + "life assurance", + "endowment insurance", + "tontine", + "tontine insurance", + "whole life insurance", + "ordinary life insurance", + "straight life insurance", + "malpractice insurance", + "reinsurance", + "self-insurance", + "term insurance", + "health maintenance organization", + "HMO", + "security", + "surety", + "deposit", + "down payment", + "deposit", + "satisfaction", + "earnest", + "earnest money", + "arles", + "recognizance", + "recognisance", + "pledge", + "pawn", + "bail", + "bail bond", + "bond", + "margin", + "security deposit", + "brokerage account", + "cash account", + "custodial account", + "margin account", + "mortgage", + "conditional sale", + "first mortgage", + "second mortgage", + "chattel mortgage", + "collateral", + "guarantee", + "guaranty", + "material resource", + "wealth", + "riches", + "gold", + "capital", + "means", + "substance", + "pocketbook", + "wherewithal", + "venture capital", + "risk capital", + "capital", + "working capital", + "operating capital", + "account", + "accounting", + "account statement", + "income statement", + "earnings report", + "operating statement", + "profit-and-loss statement", + "capital account", + "capital account", + "principal", + "corpus", + "principal sum", + "seed money", + "funds", + "finances", + "monetary resource", + "cash in hand", + "pecuniary resource", + "bank", + "bankroll", + "roll", + "pocket", + "Medicaid funds", + "treasury", + "exchequer", + "money supply", + "M1", + "M2", + "M3", + "public treasury", + "trough", + "till", + "pork barrel", + "pork", + "bursary", + "subtreasury", + "fisc", + "fund", + "monetary fund", + "mutual fund", + "exchange traded fund", + "ETF", + "index fund", + "revolving fund", + "sinking fund", + "savings", + "nest egg", + "bank account", + "giro account", + "pension fund", + "superannuation fund", + "war chest", + "slush fund", + "trust", + "active trust", + "blind trust", + "passive trust", + "charitable trust", + "public trust", + "Clifford trust", + "grantor trust", + "implied trust", + "constructive trust", + "involuntary trust", + "resulting trust", + "direct trust", + "express trust", + "discretionary trust", + "nondiscretionary trust", + "fixed investment trust", + "living trust", + "inter vivos trust", + "spendthrift trust", + "testamentary trust", + "savings account trust", + "savings bank trust", + "trust account", + "trustee account", + "Totten trust", + "voting trust", + "trust fund", + "checking account", + "chequing account", + "current account", + "savings account", + "time deposit account", + "deposit account", + "dormant account", + "passbook savings account", + "cash equivalent", + "certificate of deposit", + "CD", + "support", + "keep", + "livelihood", + "living", + "bread and butter", + "sustenance", + "support", + "financial support", + "funding", + "backing", + "financial backing", + "ways and means", + "comforts", + "creature comforts", + "amenities", + "conveniences", + "maintenance", + "meal ticket", + "subsistence", + "accumulation", + "hoard", + "cache", + "stash", + "store", + "stock", + "fund", + "provision", + "issue", + "military issue", + "government issue", + "seed stock", + "seed corn", + "seed grain", + "reserve", + "backlog", + "stockpile", + "bank", + "blood bank", + "eye bank", + "food bank", + "fuel level", + "hole card", + "soil bank", + "pool", + "kitty", + "hidden reserve", + "cookie jar reserve", + "pool", + "reserve account", + "reserve fund", + "valuation reserve", + "valuation account", + "allowance", + "allowance account", + "treasure", + "treasure", + "hoarded wealth", + "fortune", + "valuable", + "swag", + "king's ransom", + "treasure trove", + "trove", + "precious metal", + "bullion", + "gold", + "silver", + "diamond", + "ice", + "sparkler", + "ruby", + "pearl", + "seed pearl", + "emerald", + "sapphire", + "medium of exchange", + "monetary system", + "standard", + "monetary standard", + "gold standard", + "silver standard", + "bimetallism", + "tender", + "legal tender", + "stamp", + "food stamp", + "credit", + "deferred payment", + "consumer credit", + "bank loan", + "business loan", + "commercial loan", + "interbank loan", + "home loan", + "home equity credit", + "home equity loan", + "equity credit line", + "installment credit", + "installment loan", + "open-end credit", + "revolving credit", + "charge account credit", + "credit account", + "charge account", + "open account", + "revolving charge account", + "advance", + "cash advance", + "credit card", + "charge card", + "charge plate", + "plastic", + "bank card", + "calling card", + "phone card", + "cash card", + "cashcard", + "debit card", + "smart card", + "draft", + "bill of exchange", + "order of payment", + "overdraft", + "foreign bill", + "foreign draft", + "inland bill", + "redraft", + "trade acceptance", + "foreign exchange", + "credit", + "cheap money", + "overage", + "tax credit", + "export credit", + "import credit", + "credit line", + "line of credit", + "bank line", + "line", + "personal credit line", + "personal line of credit", + "commercial credit", + "letter of credit", + "commercial letter of credit", + "traveler's letter of credit", + "traveller's letter of credit", + "traveler's check", + "traveller's check", + "banker's check", + "bank draft", + "banker's draft", + "dividend warrant", + "money order", + "postal order", + "overdraft credit", + "check overdraft credit", + "deposit", + "bank deposit", + "demand deposit", + "time deposit", + "acceptance", + "banker's acceptance", + "check", + "bank check", + "cheque", + "bad check", + "bad cheque", + "kite", + "kite", + "counter check", + "giro", + "giro cheque", + "paycheck", + "payroll check", + "certified check", + "certified cheque", + "personal check", + "personal cheque", + "cashier's check", + "treasurer's check", + "cashier's cheque", + "treasurer's cheque", + "blank check", + "blank cheque", + "disability check", + "disability payment", + "medicare check", + "medicare payment", + "pension", + "old-age pension", + "retirement pension", + "retirement check", + "retirement benefit", + "retirement fund", + "superannuation", + "money", + "money", + "sterling", + "boodle", + "bread", + "cabbage", + "clams", + "dinero", + "dough", + "gelt", + "kale", + "lettuce", + "lolly", + "lucre", + "loot", + "moolah", + "pelf", + "scratch", + "shekels", + "simoleons", + "sugar", + "wampum", + "shinplaster", + "subsidization", + "subsidisation", + "token money", + "currency", + "Eurocurrency", + "fractional currency", + "cash", + "immediate payment", + "cash", + "hard cash", + "hard currency", + "hard currency", + "paper money", + "folding money", + "paper currency", + "change", + "change", + "coinage", + "mintage", + "specie", + "metal money", + "small change", + "chickenfeed", + "chump change", + "change", + "coin", + "bawbee", + "bezant", + "bezzant", + "byzant", + "solidus", + "denier", + "ducat", + "real", + "piece of eight", + "shilling", + "crown", + "half crown", + "dime", + "nickel", + "quarter", + "half dollar", + "fifty-cent piece", + "halfpenny", + "ha'penny", + "penny", + "cent", + "centime", + "slug", + "tenpence", + "twopence", + "tuppence", + "threepence", + "fourpence", + "groat", + "fivepence", + "sixpence", + "tanner", + "eightpence", + "ninepence", + "copper", + "new penny", + "dollar", + "Susan B Anthony dollar", + "silver dollar", + "cartwheel", + "double eagle", + "eagle", + "half eagle", + "guinea", + "farthing", + "doubloon", + "louis d'or", + "medallion", + "stater", + "sou", + "Maundy money", + "fiat money", + "bill", + "note", + "government note", + "bank bill", + "banker's bill", + "bank note", + "banknote", + "Federal Reserve note", + "greenback", + "silver certificate", + "Treasury", + "Treasury obligations", + "Treasury bill", + "T-bill", + "Treasury bond", + "Treasury note", + "hundred dollar bill", + "c-note", + "fifty dollar bill", + "fifty", + "twenty dollar bill", + "twenty", + "tenner", + "ten dollar bill", + "fiver", + "five-spot", + "five dollar bill", + "nickel", + "nickel note", + "two dollar bill", + "dollar", + "dollar bill", + "one dollar bill", + "buck", + "clam", + "liabilities", + "deficit", + "budget deficit", + "federal deficit", + "trade deficit", + "due", + "limited liability", + "debt", + "arrears", + "national debt", + "public debt", + "debt limit", + "debt ceiling", + "national debt ceiling", + "debt instrument", + "obligation", + "certificate of indebtedness", + "note", + "promissory note", + "note of hand", + "bad debt", + "installment debt", + "loan", + "call loan", + "demand loan", + "direct loan", + "participation loan", + "loan participation", + "participation financing", + "personal loan", + "consumer loan", + "automobile loan", + "auto loan", + "car loan", + "point", + "real estate loan", + "mortgage loan", + "time loan", + "demand note", + "principal", + "charge", + "lien", + "artisan's lien", + "federal tax lien", + "general lien", + "judgment lien", + "landlord's lien", + "mechanic's lien", + "garageman's lien", + "state tax lien", + "tax lien", + "warehouseman's lien", + "encumbrance", + "incumbrance", + "assessment", + "document", + "quittance", + "record", + "balance sheet", + "expense record", + "ledger", + "leger", + "account book", + "book of account", + "book", + "cost ledger", + "general ledger", + "subsidiary ledger", + "control account", + "daybook", + "journal", + "entry", + "accounting entry", + "ledger entry", + "adjusting entry", + "credit", + "credit entry", + "debit", + "debit entry", + "accounting", + "accounting system", + "method of accounting", + "credit side", + "debit side", + "accrual basis", + "cash basis", + "pooling of interest", + "accounts receivable", + "note receivable", + "accounts payable", + "note payable", + "profit and loss", + "profit and loss account", + "dividend", + "stock dividend", + "extra dividend", + "equalizing dividend", + "divvy", + "suspense account", + "balance", + "balance", + "balance of trade", + "trade balance", + "visible balance", + "trade gap", + "carry-over", + "carry-forward", + "compensating balance", + "offsetting balance", + "invisible balance", + "balance of payments", + "balance of international payments", + "current account", + "trial balance", + "audited account", + "audit", + "limited audit", + "review", + "limited review", + "analytical review", + "expense account", + "travel and entertainment account", + "payslip", + "register", + "inventory", + "payroll", + "paysheet", + "payroll", + "paysheet", + "peanuts", + "purse", + "purse", + "value", + "economic value", + "mess of pottage", + "premium", + "bankbook", + "passbook", + "checkbook", + "chequebook", + "pawn ticket", + "escrow", + "escrow funds", + "commercial paper", + "municipal note", + "IOU", + "time note", + "floater", + "hotel plan", + "meal plan", + "American plan", + "modified American plan", + "Bermuda plan", + "European plan", + "continental plan", + "devise", + "security", + "certificate", + "scrip", + "stock certificate", + "stock", + "tax-exempt security", + "tax-exempt", + "bond", + "bond certificate", + "Premium Bond", + "warrant", + "stock warrant", + "stock-purchase warrant", + "perpetual warrant", + "subscription warrant", + "zero-coupon security", + "zero coupon security", + "partnership certificate", + "proprietorship certificate", + "convertible", + "convertible security", + "letter security", + "investment letter", + "treasury stock", + "treasury shares", + "reacquired stock", + "voting stock", + "watered stock", + "letter stock", + "letter bond", + "listed security", + "unlisted security", + "over the counter security", + "OTC security", + "over the counter stock", + "OTC stock", + "unlisted stock", + "budget", + "balanced budget", + "budget", + "Civil List", + "operating budget", + "petty cash", + "pocket money", + "pin money", + "spending money", + "ready cash", + "cold cash", + "ready money", + "sight draft", + "sight bill", + "time draft", + "time bill", + "matching funds", + "bottom line", + "ablactation", + "ablation", + "abrasion", + "attrition", + "corrasion", + "detrition", + "abscission", + "absorption", + "soaking up", + "absorption", + "accession", + "acclimatization", + "acclimatisation", + "acclimation", + "accretion", + "accumulation", + "accretion", + "accretion", + "accretion", + "acetylation", + "Acheson process", + "acid-base equilibrium", + "acid-base balance", + "acidification", + "activation", + "active birth", + "active transport", + "acylation", + "adaptation", + "adaption", + "adjustment", + "addition reaction", + "adiabatic process", + "administrative data processing", + "business data processing", + "adsorption", + "surface assimilation", + "advection", + "aeration", + "agenesis", + "agenesia", + "agglutination", + "agglutination", + "agglutination", + "agglutinating activity", + "aging", + "ageing", + "senescence", + "aldol reaction", + "alluvion", + "alpha decay", + "alternative birth", + "alternative birthing", + "amelogenesis", + "Americanization", + "Americanisation", + "amitosis", + "ammonification", + "amylolysis", + "anabolism", + "constructive metabolism", + "anaglyphy", + "anamorphism", + "anamorphosis", + "anamorphism", + "anaphase", + "anastalsis", + "androgenesis", + "androgeny", + "angiogenesis", + "Anglicization", + "Anglicisation", + "anisogamy", + "anovulation", + "anthropogenesis", + "anthropogeny", + "antiredeposition", + "antisepsis", + "asepsis", + "aphaeresis", + "apheresis", + "aphesis", + "apogamy", + "apomixis", + "apposition", + "asexual reproduction", + "agamogenesis", + "assibilation", + "assimilation", + "assimilation", + "absorption", + "assimilation", + "absorption", + "association", + "asynchronous operation", + "attack", + "autocatalysis", + "autolysis", + "self-digestion", + "automatic data processing", + "ADP", + "autoradiography", + "autotype", + "autotypy", + "autoregulation", + "auxesis", + "auxiliary operation", + "off-line operation", + "background processing", + "backgrounding", + "backup", + "bacteriolysis", + "bacteriostasis", + "basal metabolic rate", + "BMR", + "basal metabolism", + "batch processing", + "beach erosion", + "bed-wetting", + "Bessemer process", + "beta decay", + "biochemical mechanism", + "biosynthesis", + "biogenesis", + "blastogenesis", + "blaze", + "blazing", + "blood coagulation", + "blood clotting", + "blooming", + "bloom", + "blossoming", + "flowering", + "florescence", + "inflorescence", + "anthesis", + "efflorescence", + "blowing", + "bluing", + "blueing", + "bodily process", + "body process", + "bodily function", + "activity", + "boiling", + "boolean operation", + "binary operation", + "binary arithmetic operation", + "bottom fermentation", + "bowel movement", + "movement", + "bm", + "Bradley method of childbirth", + "Bradley method", + "brooding", + "incubation", + "budding", + "buildup", + "calcification", + "calcination", + "calving", + "capture", + "capture", + "carbonation", + "carbon cycle", + "carbon cycle", + "carbonization", + "carbonisation", + "carriage return", + "catabiosis", + "catabolism", + "katabolism", + "dissimilation", + "destructive metabolism", + "catalysis", + "contact action", + "cavity", + "caries", + "dental caries", + "tooth decay", + "cell division", + "cellular division", + "cenogenesis", + "kenogenesis", + "caenogenesis", + "cainogenesis", + "kainogenesis", + "centrifugation", + "chain reaction", + "chain reaction", + "chelation", + "chelation", + "chemical equilibrium", + "equilibrium", + "chemical process", + "chemical change", + "chemical action", + "chemical reaction", + "reaction", + "chemisorption", + "chemosorption", + "chemosynthesis", + "childbirth", + "childbearing", + "accouchement", + "vaginal birth", + "chlorination", + "chromatography", + "civilization", + "civilisation", + "cleavage", + "segmentation", + "cleavage", + "climate change", + "global climate change", + "clouding", + "clouding up", + "cohesion", + "cold fusion", + "column chromatography", + "combustion", + "burning", + "deflagration", + "compensation", + "computer operation", + "machine operation", + "concretion", + "concurrent operation", + "condensation", + "congealment", + "congelation", + "conspicuous consumption", + "consumption", + "economic consumption", + "usance", + "use", + "use of goods and services", + "control operation", + "control function", + "convalescence", + "recuperation", + "recovery", + "convection", + "convection", + "conversion", + "cooling", + "chilling", + "temperature reduction", + "corrosion", + "corroding", + "erosion", + "corruption", + "cost-pull inflation", + "cracking", + "crossing over", + "crossover", + "cultivation", + "curdling", + "clotting", + "coagulation", + "cyanide process", + "cytogenesis", + "cytogeny", + "cytolysis", + "data mining", + "data processing", + "dealignment", + "deamination", + "deaminization", + "decalcification", + "decarboxylation", + "decay", + "decline", + "decay", + "decay", + "radioactive decay", + "disintegration", + "decentralization", + "decentalisation", + "decline", + "diminution", + "decoction", + "decoction process", + "decoction mashing", + "decomposition", + "rot", + "rotting", + "putrefaction", + "decomposition", + "decomposition reaction", + "chemical decomposition reaction", + "decrease", + "decrement", + "dedifferentiation", + "deepening", + "defecation", + "laxation", + "shitting", + "defense mechanism", + "defense reaction", + "defence mechanism", + "defence reaction", + "defense", + "defence", + "deflation", + "defoliation", + "degaussing", + "degeneration", + "devolution", + "dehydration", + "desiccation", + "drying up", + "evaporation", + "de-iodination", + "demagnetization", + "demagnetisation", + "demand", + "demand-pull inflation", + "demineralization", + "demineralisation", + "denazification", + "de-Nazification", + "denial", + "deossification", + "deposition", + "deposit", + "derivation", + "eponymy", + "desalination", + "desalinization", + "desalinisation", + "desertification", + "desensitization", + "desensitisation", + "desorption", + "destalinization", + "de-Stalinization", + "destalinisation", + "de-Stalinisation", + "destructive distillation", + "deterioration", + "decline in quality", + "declension", + "worsening", + "detumescence", + "development", + "developing", + "development", + "evolution", + "diakinesis", + "diastrophism", + "diffusion", + "digestion", + "digestion", + "digital photography", + "dilapidation", + "ruin", + "diplotene", + "discharge", + "emission", + "expelling", + "disinflation", + "displacement", + "displacement", + "displacement reaction", + "dissimilation", + "dissociation", + "dissolution", + "disintegration", + "dissolving", + "dissolution", + "distillation", + "distillment", + "distributed data processing", + "remote-access data processing", + "teleprocessing", + "dithering", + "domestication", + "double decomposition", + "double decomposition reaction", + "metathesis", + "double replacement reaction", + "doubling", + "drift", + "drift", + "dry plate", + "dry plate process", + "melioration", + "dyadic operation", + "ebb", + "ebbing", + "wane", + "eburnation", + "ecchymosis", + "economic growth", + "economic process", + "effacement", + "effervescence", + "ejaculation", + "electrodeposition", + "electrolysis", + "electronic data processing", + "EDP", + "electrophoresis", + "cataphoresis", + "dielectrolysis", + "ionophoresis", + "electrostatic precipitation", + "elimination", + "evacuation", + "excretion", + "excreting", + "voiding", + "elimination reaction", + "elision", + "ellipsis", + "eclipsis", + "elution", + "emergent evolution", + "emission", + "encapsulation", + "endoergic reaction", + "endothermic reaction", + "enuresis", + "urinary incontinence", + "epigenesis", + "epilation", + "epitaxy", + "erosion", + "eroding", + "eating away", + "wearing", + "wearing away", + "erosion", + "erythropoiesis", + "establishment", + "ecesis", + "Europeanization", + "Europeanisation", + "eutrophication", + "evolution", + "organic evolution", + "phylogeny", + "phylogenesis", + "execution", + "instruction execution", + "exoergic reaction", + "exothermic reaction", + "expectoration", + "exponential decay", + "exponential return", + "expression", + "extinction", + "extraction", + "extravasation", + "farrow", + "farrowing", + "fat metabolism", + "feedback", + "feminization", + "feminisation", + "festering", + "suppuration", + "maturation", + "fibrinolysis", + "field emission", + "filling", + "filtration", + "fire", + "flame", + "flaming", + "fission", + "nuclear fission", + "fission", + "fissiparity", + "fixed-cycle operation", + "flare", + "floating-point operation", + "flop", + "flocculation", + "flow", + "flowage", + "focalization", + "focalisation", + "fold", + "folding", + "foliation", + "foliation", + "leafing", + "foreground processing", + "foregrounding", + "formation", + "fossilization", + "fossilisation", + "fractional distillation", + "fractionation", + "fractional process", + "fragmentation", + "freeze", + "freezing", + "freeze-drying", + "lyophilization", + "lyophilisation", + "frost", + "icing", + "fructification", + "fusion", + "nuclear fusion", + "nuclear fusion reaction", + "fusion", + "galactosis", + "galvanization", + "galvanisation", + "gametogenesis", + "gasification", + "gassing", + "gastric digestion", + "gastrulation", + "geological process", + "geologic process", + "germination", + "sprouting", + "glaciation", + "Riss glaciation", + "Saale glaciation", + "Wolstonian glaciation", + "globalization", + "globalisation", + "global warming", + "glycogenesis", + "glycolysis", + "growing", + "growth", + "growing", + "maturation", + "development", + "ontogeny", + "ontogenesis", + "growth", + "gynogenesis", + "Haber process", + "Haber-Bosch process", + "habit", + "hardening", + "solidifying", + "solidification", + "set", + "curing", + "hatch", + "hatching", + "healing", + "heat dissipation", + "heating", + "warming", + "hemagglutination", + "haemagglutination", + "hematochezia", + "haematochezia", + "hematopoiesis", + "haematopoiesis", + "hemopoiesis", + "haemopoiesis", + "hemogenesis", + "haemogenesis", + "hematogenesis", + "haematogenesis", + "sanguification", + "hemimetamorphosis", + "hemimetabolism", + "hemimetaboly", + "heterometabolism", + "heterometaboly", + "hemolysis", + "haemolysis", + "hematolysis", + "haematolysis", + "heredity", + "heterospory", + "holometabolism", + "holometaboly", + "homospory", + "human process", + "humification", + "hydration", + "hydrocracking", + "hydrogenation", + "hydrolysis", + "hyperhidrosis", + "hyperidrosis", + "polyhidrosis", + "hypersecretion", + "hypostasis", + "hypostasis", + "epistasis", + "idealization", + "idealisation", + "ignition", + "imbibition", + "immunoelectrophoresis", + "implantation", + "nidation", + "impregnation", + "saturation", + "inactivation", + "incontinence", + "incontinency", + "increase", + "increment", + "growth", + "incrustation", + "encrustation", + "induction heating", + "industrial process", + "indweller", + "infection", + "infection", + "inflation", + "rising prices", + "deflation", + "inflationary spiral", + "deflationary spiral", + "inflow", + "influx", + "infructescence", + "infusion", + "inhibition", + "inpouring", + "inpour", + "inrush", + "inspissation", + "insufflation", + "integrated data processing", + "IDP", + "intellectualization", + "intellectualisation", + "internal combustion", + "intrusion", + "intumescence", + "intumescency", + "swelling", + "intussusception", + "invagination", + "introversion", + "intussusception", + "infolding", + "inversion", + "involution", + "iodination", + "ion exchange", + "ionization", + "ionisation", + "irreversible process", + "isoagglutination", + "isogamy", + "isolation", + "iteration", + "looping", + "iteration", + "loop", + "juvenescence", + "cytokinesis", + "karyokinesis", + "karyolysis", + "katamorphism", + "keratinization", + "keratinisation", + "Krebs cycle", + "Krebs citric acid cycle", + "citric acid cycle", + "tricarboxylic acid cycle", + "lacrimation", + "lachrymation", + "tearing", + "watering", + "lactation", + "Lamaze method of childbirth", + "Lamaze method", + "laying", + "egg laying", + "leach", + "leaching", + "leak", + "wetting", + "making water", + "passing water", + "Leboyer method of childbirth", + "Leboyer method", + "leeway", + "leptotene", + "lexicalization", + "lexicalisation", + "libration", + "life cycle", + "light reaction", + "line feed", + "linguistic process", + "liquefaction", + "list processing", + "lithuresis", + "logic operation", + "logical operation", + "loss", + "lymphopoiesis", + "lysis", + "lysis", + "lysogenization", + "lysogenisation", + "maceration", + "macroevolution", + "magnetization", + "magnetisation", + "magnetic induction", + "majority operation", + "malabsorption", + "marginalization", + "marginalisation", + "market forces", + "Markov chain", + "Markoff chain", + "Markov process", + "Markoff process", + "masculinization", + "masculinisation", + "virilization", + "virilisation", + "materialization", + "materialisation", + "maturation", + "ripening", + "maturement", + "mechanism", + "chemical mechanism", + "meiosis", + "miosis", + "reduction division", + "mellowing", + "meltdown", + "nuclear meltdown", + "menorrhagia", + "hypermenorrhea", + "menstruation", + "menses", + "menstruum", + "catamenia", + "period", + "flow", + "metabolism", + "metabolic process", + "metamorphism", + "metamorphosis", + "metabolism", + "metaphase", + "metaphase", + "metastasis", + "metathesis", + "microevolution", + "microphoning", + "micturition", + "urination", + "mildew", + "mold", + "mould", + "mineral extraction", + "mineral processing", + "mineral dressing", + "ore processing", + "ore dressing", + "beneficiation", + "mitosis", + "molt", + "molting", + "moult", + "moulting", + "ecdysis", + "monadic operation", + "unary operation", + "monogenesis", + "sporulation", + "morphallaxis", + "morphogenesis", + "multiplex operation", + "multiplication", + "multiprocessing", + "parallel processing", + "multiprogramming", + "concurrent execution", + "myelinization", + "myelinisation", + "narrowing", + "natural childbirth", + "natural process", + "natural action", + "action", + "activity", + "Nazification", + "necrolysis", + "negative feedback", + "neoplasia", + "neurogenesis", + "neutralization", + "neutralisation", + "neutralization reaction", + "neutralisation reaction", + "new line", + "nitrification", + "nitrification", + "nitrogen cycle", + "nitrogen fixation", + "nocturia", + "nycturia", + "nocturnal emission", + "nondevelopment", + "nondisjunction", + "nosedive", + "nuclear reaction", + "nucleosynthesis", + "nutrition", + "obsolescence", + "oligomenorrhea", + "oliguria", + "omission", + "deletion", + "oogenesis", + "opacification", + "open-hearth process", + "operation", + "operation", + "functioning", + "performance", + "opsonization", + "opsonisation", + "organic process", + "biological process", + "organification", + "orogeny", + "oscillation", + "osmosis", + "reverse osmosis", + "ossification", + "ossification", + "ossification", + "osteolysis", + "outflow", + "effluence", + "efflux", + "overactivity", + "overcompensation", + "overflow incontinence", + "overheating", + "ovulation", + "oxidation", + "oxidization", + "oxidisation", + "oxidation-reduction", + "oxidoreduction", + "redox", + "oxidative phosphorylation", + "oxygenation", + "pachytene", + "pair production", + "pair creation", + "pair formation", + "palingenesis", + "recapitulation", + "paper chromatography", + "paper electrophoresis", + "carrier electrophoresis", + "parallel operation", + "simultaneous operation", + "parthenocarpy", + "parthenogenesis", + "parthenogeny", + "parthenogenesis", + "parthenogeny", + "virgin birth", + "parturition", + "birth", + "giving birth", + "birthing", + "passive transport", + "pathogenesis", + "pathologic process", + "pathological process", + "peace process", + "peeing", + "pee", + "pissing", + "piss", + "peptization", + "peptisation", + "percolation", + "infiltration", + "perennation", + "peristalsis", + "vermiculation", + "permeation", + "pervasion", + "suffusion", + "perspiration", + "sweating", + "diaphoresis", + "sudation", + "hidrosis", + "petrifaction", + "petrification", + "phagocytosis", + "phase change", + "phase transition", + "state change", + "physical change", + "phase of cell division", + "photochemical reaction", + "photoelectric emission", + "photography", + "photomechanics", + "photoplate making", + "photosynthesis", + "pigmentation", + "pinocytosis", + "pitting", + "roughness", + "indentation", + "placentation", + "planation", + "plastination", + "polymerization", + "polymerisation", + "population growth", + "irruption", + "positive feedback", + "regeneration", + "potentiation", + "powder photography", + "powder method", + "powder technique", + "precession of the equinoxes", + "prechlorination", + "precipitation", + "precocious dentition", + "premature ejaculation", + "preservation", + "printing operation", + "priority processing", + "processing", + "professionalization", + "professionalisation", + "projection", + "proliferation", + "proliferation", + "prophase", + "prophase", + "proteolysis", + "psilosis", + "psychoanalytic process", + "psychogenesis", + "psychogenesis", + "psychomotor development", + "psychosexual development", + "ptyalism", + "pullulation", + "pullulation", + "gemmation", + "pyrochemical process", + "pyrochemistry", + "quadrupling", + "quellung", + "quellung reaction", + "quickening", + "quintupling", + "radiant heating", + "radiation", + "radioactivity", + "radiography", + "skiagraphy", + "radiolysis", + "rain-wash", + "rally", + "random walk", + "rationalization", + "rationalisation", + "reaction formation", + "Read method of childbirth", + "Read method", + "real-time processing", + "real-time operation", + "rectification", + "redeposition", + "reducing", + "reduction", + "reducing", + "refilling", + "replenishment", + "replacement", + "renewal", + "refining", + "refinement", + "purification", + "reflation", + "refrigeration", + "infrigidation", + "regeneration", + "regression", + "regulation", + "relaxation", + "relaxation behavior", + "relaxation", + "release", + "replication", + "repression", + "reproduction", + "resorption", + "reabsorption", + "reticulation", + "retrieval", + "stovepiping", + "reuptake", + "re-uptake", + "reversible process", + "rigor mortis", + "ripening", + "aging", + "ageing", + "rooting", + "rust", + "rusting", + "salivation", + "saltation", + "saponification", + "scanning", + "scattering", + "schizogony", + "search", + "lookup", + "secondary emission", + "secretion", + "secernment", + "segregation", + "sensitization", + "sensitisation", + "sequestration", + "serial operation", + "sequential operation", + "consecutive operation", + "serial processing", + "sericulture", + "sexual reproduction", + "amphimixis", + "shaping", + "defining", + "shedding", + "sloughing", + "shit", + "dump", + "sink", + "sinking spell", + "slippage", + "slippage", + "slump", + "slack", + "drop-off", + "falloff", + "falling off", + "smoke", + "smoking", + "soak", + "soakage", + "soaking", + "social process", + "softening", + "soil erosion", + "solvation", + "Solvay process", + "sorption", + "sort", + "sorting", + "source", + "origin", + "souring", + "spallation", + "specialization", + "specialisation", + "differentiation", + "speciation", + "spiral", + "spermatogenesis", + "spoilage", + "spoiling", + "spontaneous combustion", + "stagflation", + "Stalinization", + "Stalinisation", + "stationary stochastic process", + "steel production", + "stiffening", + "rigidifying", + "rigidification", + "stimulation", + "stochastic process", + "storage", + "stratification", + "stress incontinence", + "subduction", + "succession", + "ecological succession", + "summation", + "superposition", + "supply", + "suppression", + "survival", + "survival of the fittest", + "natural selection", + "selection", + "symphysis", + "synapsis", + "syncretism", + "synchronous operation", + "syneresis", + "synaeresis", + "syneresis", + "synaeresis", + "synergy", + "synergism", + "synizesis", + "synezesis", + "synthesis", + "tanning", + "teething", + "dentition", + "odontiasis", + "telophase", + "telophase", + "temperature change", + "teratogenesis", + "thaw", + "melt", + "thawing", + "melting", + "thermionic emission", + "thermal emission", + "thermocoagulation", + "thermonuclear reaction", + "threshold operation", + "thrombolysis", + "top fermentation", + "transamination", + "transamination", + "transcription", + "transduction", + "transduction", + "translation", + "protein folding", + "folding", + "translocation", + "translocation", + "transpiration", + "transpiration", + "transpiration", + "transport", + "tripling", + "tumefaction", + "ulceration", + "ultracentrifugation", + "underdevelopment", + "unfolding", + "flowering", + "union", + "conglutination", + "uptake", + "urbanization", + "urbanisation", + "urge incontinence", + "urochesia", + "urochezia", + "variation", + "vaporization", + "vaporisation", + "vapor", + "vapour", + "evaporation", + "vascularization", + "vascularisation", + "vegetation", + "vesiculation", + "vesication", + "blistering", + "vicious circle", + "vicious cycle", + "video digitizing", + "vinification", + "vitrification", + "vulcanization", + "vulcanisation", + "washout", + "wash", + "wastage", + "Westernization", + "Westernisation", + "widening", + "broadening", + "word processing", + "zygotene", + "zymosis", + "zymosis", + "zymolysis", + "fermentation", + "fermenting", + "ferment", + "fundamental quantity", + "fundamental measure", + "definite quantity", + "indefinite quantity", + "relative quantity", + "system of measurement", + "metric", + "system of weights and measures", + "British Imperial System", + "English system", + "British system", + "metric system", + "cgs", + "cgs system", + "Systeme International d'Unites", + "Systeme International", + "SI system", + "SI", + "SI unit", + "International System of Units", + "International System", + "United States Customary System", + "point system", + "information measure", + "bandwidth", + "baud", + "baud rate", + "cordage", + "octane number", + "octane rating", + "utility", + "marginal utility", + "enough", + "sufficiency", + "fill", + "normality", + "N", + "majority", + "absolute majority", + "plurality", + "relative majority", + "absolute value", + "numerical value", + "acid value", + "chlorinity", + "number", + "quire", + "ream", + "solubility", + "toxicity", + "cytotoxicity", + "unit of measurement", + "unit", + "measuring unit", + "measuring block", + "denier", + "diopter", + "dioptre", + "karat", + "carat", + "kt", + "decimal", + "constant", + "Avogadro's number", + "Avogadro number", + "Boltzmann's constant", + "coefficient", + "absorption coefficient", + "coefficient of absorption", + "absorptance", + "drag coefficient", + "coefficient of drag", + "coefficient of friction", + "coefficient of mutual induction", + "mutual inductance", + "coefficient of self induction", + "self-inductance", + "modulus", + "coefficient of elasticity", + "modulus of elasticity", + "elastic modulus", + "bulk modulus", + "modulus of rigidity", + "Young's modulus", + "coefficient of expansion", + "expansivity", + "coefficient of reflection", + "reflection factor", + "reflectance", + "reflectivity", + "transmittance", + "transmission", + "coefficient of viscosity", + "absolute viscosity", + "dynamic viscosity", + "weight", + "weighting", + "cosmological constant", + "equilibrium constant", + "dissociation constant", + "gas constant", + "universal gas constant", + "R", + "gravitational constant", + "universal gravitational constant", + "constant of gravitation", + "G", + "Hubble's constant", + "Hubble constant", + "Hubble's parameter", + "Hubble parameter", + "ionic charge", + "Planck's constant", + "h", + "oxidation number", + "oxidation state", + "cardinality", + "count", + "complement", + "blood count", + "body count", + "circulation", + "circulation", + "head count", + "headcount", + "pollen count", + "sperm count", + "factor", + "conversion factor", + "factor of proportionality", + "constant of proportionality", + "Fibonacci number", + "prime", + "prime quantity", + "prime factor", + "prime number", + "composite number", + "score", + "stroke", + "birdie", + "bogey", + "deficit", + "double-bogey", + "duck", + "duck's egg", + "eagle", + "double eagle", + "game", + "lead", + "love", + "match", + "par", + "record", + "compound number", + "ordinal number", + "ordinal", + "no.", + "first", + "number one", + "number 1", + "cardinal number", + "cardinal", + "base", + "radix", + "floating-point number", + "fixed-point number", + "frequency", + "absolute frequency", + "googol", + "googolplex", + "atomic number", + "magic number", + "baryon number", + "quota", + "long measure", + "magnetization", + "magnetisation", + "magnetic flux", + "absorption unit", + "acceleration unit", + "angular unit", + "area unit", + "square measure", + "volume unit", + "capacity unit", + "capacity measure", + "cubage unit", + "cubic measure", + "cubic content unit", + "displacement unit", + "cubature unit", + "cubic inch", + "cu in", + "cubic foot", + "cu ft", + "computer memory unit", + "cord", + "electromagnetic unit", + "emu", + "explosive unit", + "force unit", + "linear unit", + "linear measure", + "metric unit", + "metric", + "miles per gallon", + "monetary unit", + "megaflop", + "MFLOP", + "million floating point operations per second", + "teraflop", + "trillion floating point operations per second", + "MIPS", + "million instructions per second", + "pain unit", + "pressure unit", + "printing unit", + "sound unit", + "telephone unit", + "temperature unit", + "weight unit", + "weight", + "mass unit", + "unit of viscosity", + "work unit", + "heat unit", + "energy unit", + "langley", + "Brinell number", + "Brix scale", + "point", + "advantage", + "set point", + "match point", + "sabin", + "circular measure", + "mil", + "degree", + "arcdegree", + "second", + "arcsecond", + "minute", + "arcminute", + "minute of arc", + "microradian", + "milliradian", + "radian", + "rad", + "grad", + "grade", + "oxtant", + "sextant", + "straight angle", + "steradian", + "sr", + "square inch", + "sq in", + "square foot", + "sq ft", + "square yard", + "sq yd", + "square meter", + "square metre", + "centare", + "square mile", + "section", + "quarter section", + "acre", + "are", + "ar", + "hectare", + "arpent", + "barn", + "b", + "dessiatine", + "morgen", + "perch", + "rod", + "pole", + "liquid unit", + "liquid measure", + "dry unit", + "dry measure", + "United States liquid unit", + "British capacity unit", + "Imperial capacity unit", + "metric capacity unit", + "ardeb", + "arroba", + "bath", + "cran", + "ephah", + "epha", + "field capacity", + "homer", + "kor", + "hin", + "fathom", + "fthm", + "acre-foot", + "acre inch", + "board measure", + "board foot", + "standard", + "cubic yard", + "yard", + "last", + "mutchkin", + "oka", + "minim", + "fluidram", + "fluid dram", + "fluid drachm", + "drachm", + "fluidounce", + "fluid ounce", + "gill", + "cup", + "pint", + "fifth", + "quart", + "gallon", + "gal", + "barrel", + "bbl", + "United States dry unit", + "pint", + "dry pint", + "quart", + "dry quart", + "peck", + "bushel", + "minim", + "fluidram", + "fluid dram", + "fluid drachm", + "drachm", + "fluidounce", + "fluid ounce", + "gill", + "pint", + "quart", + "gallon", + "Imperial gallon", + "congius", + "peck", + "bushel", + "firkin", + "kilderkin", + "quarter", + "hogshead", + "chaldron", + "cubic millimeter", + "cubic millimetre", + "milliliter", + "millilitre", + "mil", + "ml", + "cubic centimeter", + "cubic centimetre", + "cc", + "centiliter", + "centilitre", + "cl", + "deciliter", + "decilitre", + "dl", + "liter", + "litre", + "l", + "cubic decimeter", + "cubic decimetre", + "dekaliter", + "dekalitre", + "decaliter", + "decalitre", + "dal", + "dkl", + "hectoliter", + "hectolitre", + "hl", + "kiloliter", + "kilolitre", + "cubic meter", + "cubic metre", + "cubic kilometer", + "cubic kilometre", + "bit", + "parity bit", + "parity", + "check bit", + "nybble", + "nibble", + "byte", + "sector", + "block", + "bad block", + "allocation unit", + "partition", + "word", + "kilobyte", + "kibibyte", + "K", + "KB", + "kB", + "KiB", + "kilobyte", + "K", + "KB", + "kB", + "kilobit", + "kbit", + "kb", + "kibibit", + "kibit", + "megabyte", + "mebibyte", + "M", + "MB", + "MiB", + "megabyte", + "M", + "MB", + "megabit", + "Mbit", + "Mb", + "mebibit", + "Mibit", + "gigabyte", + "gibibyte", + "G", + "GB", + "GiB", + "gigabyte", + "G", + "GB", + "gigabit", + "Gbit", + "Gb", + "gibibit", + "Gibit", + "terabyte", + "tebibyte", + "TB", + "TiB", + "terabyte", + "TB", + "terabit", + "Tbit", + "Tb", + "tebibit", + "Tibit", + "petabyte", + "pebibyte", + "PB", + "PiB", + "petabyte", + "PB", + "petabit", + "Pbit", + "Pb", + "pebibit", + "Pibit", + "exabyte", + "exbibyte", + "EB", + "EiB", + "exabyte", + "EB", + "exabit", + "Ebit", + "Eb", + "exbibit", + "Eibit", + "zettabyte", + "zebibyte", + "ZB", + "ZiB", + "zettabyte", + "ZB", + "zettabit", + "Zbit", + "Zb", + "zebibit", + "Zibit", + "yottabyte", + "yobibyte", + "YB", + "YiB", + "yottabyte", + "YB", + "yottabit", + "Ybit", + "Yb", + "yobibit", + "Yibit", + "capacitance unit", + "charge unit", + "quantity unit", + "conductance unit", + "current unit", + "elastance unit", + "field strength unit", + "flux density unit", + "flux unit", + "magnetic flux unit", + "inductance unit", + "light unit", + "magnetomotive force unit", + "potential unit", + "power unit", + "radioactivity unit", + "resistance unit", + "electrostatic unit", + "picofarad", + "microfarad", + "millifarad", + "farad", + "F", + "abfarad", + "coulomb", + "C", + "ampere-second", + "abcoulomb", + "ampere-minute", + "ampere-hour", + "mho", + "siemens", + "reciprocal ohm", + "S", + "ampere", + "amp", + "A", + "milliampere", + "mA", + "abampere", + "abamp", + "ampere", + "international ampere", + "daraf", + "gamma", + "oersted", + "maxwell", + "Mx", + "weber", + "Wb", + "microgauss", + "gauss", + "tesla", + "abhenry", + "millihenry", + "henry", + "H", + "illumination unit", + "luminance unit", + "luminous flux unit", + "luminous intensity unit", + "candlepower unit", + "exposure", + "footcandle", + "lambert", + "L", + "lux", + "lx", + "phot", + "nit", + "foot-lambert", + "ft-L", + "lumen", + "lm", + "candle", + "candela", + "cd", + "standard candle", + "international candle", + "gilbert", + "Gb", + "Gi", + "ampere-turn", + "magneton", + "abvolt", + "millivolt", + "mV", + "microvolt", + "nanovolt", + "picovolt", + "femtovolt", + "volt", + "V", + "kilovolt", + "kV", + "rydberg", + "rydberg constant", + "rydberg unit", + "wave number", + "abwatt", + "milliwatt", + "watt", + "W", + "kilowatt", + "kW", + "megawatt", + "horsepower", + "HP", + "H.P.", + "volt-ampere", + "var", + "kilovolt-ampere", + "millicurie", + "curie", + "Ci", + "gray", + "Gy", + "roentgen", + "R", + "rutherford", + "REM", + "rad", + "abohm", + "ohm", + "megohm", + "kiloton", + "megaton", + "dyne", + "newton", + "N", + "sthene", + "poundal", + "pdl", + "pound", + "lbf.", + "pounder", + "g", + "gee", + "g-force", + "gal", + "Beaufort scale", + "astronomy unit", + "metric linear unit", + "nautical linear unit", + "inch", + "in", + "foot", + "ft", + "footer", + "yard", + "pace", + "yarder", + "perch", + "rod", + "pole", + "furlong", + "mile", + "statute mile", + "stat mi", + "land mile", + "international mile", + "mi", + "miler", + "half mile", + "880 yards", + "quarter mile", + "440 yards", + "league", + "ligne", + "nail", + "archine", + "kos", + "coss", + "vara", + "verst", + "cable", + "cable length", + "cable's length", + "chain", + "Gunter's chain", + "engineer's chain", + "cubit", + "finger", + "fingerbreadth", + "finger's breadth", + "digit", + "fistmele", + "body length", + "extremum", + "peak", + "hand", + "handbreadth", + "handsbreadth", + "head", + "lea", + "li", + "link", + "mesh", + "mil", + "mile", + "mil", + "Swedish mile", + "mile", + "Roman mile", + "Roman pace", + "geometric pace", + "military pace", + "palm", + "span", + "survey mile", + "light year", + "light-year", + "light hour", + "light minute", + "light second", + "Astronomical Unit", + "AU", + "parsec", + "secpar", + "femtometer", + "femtometre", + "fermi", + "picometer", + "picometre", + "micromicron", + "angstrom", + "angstrom unit", + "A", + "nanometer", + "nanometre", + "nm", + "millimicron", + "micromillimeter", + "micromillimetre", + "micron", + "micrometer", + "millimeter", + "millimetre", + "mm", + "centimeter", + "centimetre", + "cm", + "decimeter", + "decimetre", + "dm", + "meter", + "metre", + "m", + "decameter", + "dekameter", + "decametre", + "dekametre", + "dam", + "dkm", + "hectometer", + "hectometre", + "hm", + "kilometer", + "kilometre", + "km", + "klick", + "myriameter", + "myriametre", + "mym", + "nautical chain", + "fathom", + "fthm", + "nautical mile", + "mile", + "mi", + "naut mi", + "knot", + "international nautical mile", + "air mile", + "nautical mile", + "naut mi", + "mile", + "mi", + "geographical mile", + "Admiralty mile", + "sea mile", + "mile", + "halfpennyworth", + "ha'p'orth", + "pennyworth", + "penn'orth", + "dollar", + "euro", + "franc", + "fractional monetary unit", + "subunit", + "Afghan monetary unit", + "afghani", + "pul", + "Argentine monetary unit", + "austral", + "Thai monetary unit", + "baht", + "tical", + "satang", + "Panamanian monetary unit", + "balboa", + "Ethiopian monetary unit", + "birr", + "cent", + "centesimo", + "centimo", + "centavo", + "centime", + "Venezuelan monetary unit", + "bolivar", + "Ghanian monetary unit", + "cedi", + "pesewa", + "Costa Rican monetary unit", + "colon", + "Costa Rican colon", + "El Salvadoran monetary unit", + "colon", + "El Salvadoran colon", + "Brazilian monetary unit", + "real", + "Gambian monetary unit", + "dalasi", + "butut", + "butat", + "Algerian monetary unit", + "Algerian dinar", + "dinar", + "Algerian centime", + "Bahrainian monetary unit", + "Bahrain dinar", + "dinar", + "fils", + "Iraqi monetary unit", + "Iraqi dinar", + "dinar", + "Jordanian monetary unit", + "Jordanian dinar", + "dinar", + "Kuwaiti monetary unit", + "Kuwaiti dinar", + "dinar", + "Kuwaiti dirham", + "dirham", + "Libyan monetary unit", + "Libyan dinar", + "dinar", + "Libyan dirham", + "dirham", + "Tunisian monetary unit", + "Tunisian dinar", + "dinar", + "Tunisian dirham", + "dirham", + "millime", + "Yugoslavian monetary unit", + "Yugoslavian dinar", + "dinar", + "para", + "Moroccan monetary unit", + "Moroccan dirham", + "dirham", + "United Arab Emirate monetary unit", + "United Arab Emirate dirham", + "dirham", + "Australian dollar", + "Bahamian dollar", + "Barbados dollar", + "Belize dollar", + "Bermuda dollar", + "Brunei dollar", + "sen", + "Canadian dollar", + "loonie", + "Cayman Islands dollar", + "Dominican dollar", + "Fiji dollar", + "Grenada dollar", + "Guyana dollar", + "Hong Kong dollar", + "Jamaican dollar", + "Kiribati dollar", + "Liberian dollar", + "New Zealand dollar", + "Singapore dollar", + "Taiwan dollar", + "Trinidad and Tobago dollar", + "Tuvalu dollar", + "United States dollar", + "Eurodollar", + "Zimbabwean dollar", + "Vietnamese monetary unit", + "dong", + "hao", + "Greek monetary unit", + "drachma", + "Greek drachma", + "lepton", + "Sao Thome e Principe monetary unit", + "dobra", + "Cape Verde monetary unit", + "Cape Verde escudo", + "escudo", + "Portuguese monetary unit", + "Portuguese escudo", + "escudo", + "conto", + "Hungarian monetary unit", + "forint", + "filler", + "pengo", + "Belgian franc", + "Benin franc", + "Burundi franc", + "Cameroon franc", + "Central African Republic franc", + "Chadian franc", + "Congo franc", + "Djibouti franc", + "French franc", + "Gabon franc", + "Ivory Coast franc", + "Cote d'Ivoire franc", + "Luxembourg franc", + "Madagascar franc", + "Mali franc", + "Niger franc", + "Rwanda franc", + "Senegalese franc", + "Swiss franc", + "Togo franc", + "Burkina Faso franc", + "Haitian monetary unit", + "gourde", + "Haitian centime", + "Paraguayan monetary unit", + "guarani", + "Dutch monetary unit", + "guilder", + "gulden", + "florin", + "Dutch florin", + "Surinamese monetary unit", + "guilder", + "gulden", + "florin", + "Peruvian monetary unit", + "inti", + "Papuan monetary unit", + "kina", + "toea", + "Laotian monetary unit", + "kip", + "at", + "Czech monetary unit", + "koruna", + "haler", + "heller", + "Slovakian monetary unit", + "koruna", + "haler", + "heller", + "Icelandic monetary unit", + "Icelandic krona", + "krona", + "eyrir", + "Swedish monetary unit", + "Swedish krona", + "krona", + "ore", + "Danish monetary unit", + "Danish krone", + "krone", + "Norwegian monetary unit", + "Norwegian krone", + "krone", + "Malawian monetary unit", + "Malawi kwacha", + "kwacha", + "tambala", + "Zambian monetary unit", + "Zambian kwacha", + "kwacha", + "ngwee", + "Angolan monetary unit", + "kwanza", + "lwei", + "Myanmar monetary unit", + "kyat", + "pya", + "Albanian monetary unit", + "lek", + "qindarka", + "qintar", + "Honduran monetary unit", + "lempira", + "Sierra Leone monetary unit", + "leone", + "Romanian monetary unit", + "leu", + "ban", + "Bulgarian monetary unit", + "lev", + "stotinka", + "Swaziland monetary unit", + "lilangeni", + "Italian monetary unit", + "lira", + "Italian lira", + "British monetary unit", + "British pound", + "pound", + "British pound sterling", + "pound sterling", + "quid", + "British shilling", + "shilling", + "bob", + "Turkish monetary unit", + "lira", + "Turkish lira", + "kurus", + "piaster", + "piastre", + "asper", + "Lesotho monetary unit", + "loti", + "sente", + "German monetary unit", + "mark", + "German mark", + "Deutsche Mark", + "Deutschmark", + "pfennig", + "Finnish monetary unit", + "markka", + "Finnish mark", + "penni", + "Mozambique monetary unit", + "metical", + "Nigerian monetary unit", + "naira", + "kobo", + "Bhutanese monetary unit", + "ngultrum", + "chetrum", + "Mauritanian monetary unit", + "ouguiya", + "khoum", + "Tongan monetary unit", + "pa'anga", + "seniti", + "Macao monetary unit", + "pataca", + "avo", + "Spanish monetary unit", + "peseta", + "Spanish peseta", + "Bolivian monetary unit", + "boliviano", + "Nicaraguan monetary unit", + "cordoba", + "Chilean monetary unit", + "Chilean peso", + "peso", + "Colombian monetary unit", + "Colombian peso", + "peso", + "Cuban monetary unit", + "Cuban peso", + "peso", + "Dominican monetary unit", + "Dominican peso", + "peso", + "Guinea-Bissau monetary unit", + "Guinea-Bissau peso", + "peso", + "Mexican monetary unit", + "Mexican peso", + "peso", + "Philippine monetary unit", + "Philippine peso", + "peso", + "Uruguayan monetary unit", + "Uruguayan peso", + "peso", + "Cypriot monetary unit", + "Cypriot pound", + "pound", + "mil", + "Egyptian monetary unit", + "Egyptian pound", + "pound", + "piaster", + "piastre", + "penny", + "Irish monetary unit", + "Irish pound", + "Irish punt", + "punt", + "pound", + "Lebanese monetary unit", + "Lebanese pound", + "pound", + "Maltese monetary unit", + "lira", + "Maltese lira", + "Sudanese monetary unit", + "Sudanese pound", + "pound", + "Syrian monetary unit", + "Syrian pound", + "pound", + "Botswana monetary unit", + "pula", + "thebe", + "Guatemalan monetary unit", + "quetzal", + "South African monetary unit", + "rand", + "Iranian monetary unit", + "Iranian rial", + "rial", + "Iranian dinar", + "dinar", + "Omani monetary unit", + "riyal-omani", + "Omani rial", + "rial", + "baiza", + "baisa", + "Yemeni monetary unit", + "Yemeni rial", + "rial", + "Yemeni fils", + "fils", + "Cambodian monetary unit", + "riel", + "Malaysian monetary unit", + "ringgit", + "Qatari monetary unit", + "Qatari riyal", + "riyal", + "Qatari dirham", + "dirham", + "Saudi Arabian monetary unit", + "Saudi Arabian riyal", + "riyal", + "qurush", + "Russian monetary unit", + "ruble", + "rouble", + "kopek", + "kopeck", + "copeck", + "Armenian monetary unit", + "dram", + "lumma", + "Azerbaijani monetary unit", + "manat", + "qepiq", + "Belarusian monetary unit", + "rubel", + "kapeika", + "Estonian monetary unit", + "kroon", + "sent", + "Georgian monetary unit", + "lari", + "tetri", + "Kazakhstani monetary unit", + "tenge", + "tiyin", + "Latvian monetary unit", + "lats", + "santims", + "Lithuanian monetary unit", + "litas", + "centas", + "Kyrgyzstani monetary unit", + "som", + "tyiyn", + "Moldovan monetary unit", + "leu", + "ban", + "Tajikistani monetary unit", + "ruble", + "tanga", + "Turkmen monetary unit", + "manat", + "tenge", + "Ukranian monetary unit", + "hryvnia", + "kopiyka", + "Uzbekistani monetary unit", + "som", + "tiyin", + "Indian monetary unit", + "Indian rupee", + "rupee", + "paisa", + "Pakistani monetary unit", + "Pakistani rupee", + "rupee", + "anna", + "Mauritian monetary unit", + "Mauritian rupee", + "rupee", + "Nepalese monetary unit", + "Nepalese rupee", + "rupee", + "Seychelles monetary unit", + "Seychelles rupee", + "rupee", + "Sri Lankan monetary unit", + "Sri Lanka rupee", + "rupee", + "Indonesian monetary unit", + "rupiah", + "Austrian monetary unit", + "schilling", + "Austrian schilling", + "groschen", + "Israeli monetary unit", + "shekel", + "agora", + "Kenyan monetary unit", + "Kenyan shilling", + "shilling", + "Somalian monetary unit", + "Somalian shilling", + "shilling", + "Tanzanian monetary unit", + "Tanzanian shilling", + "shilling", + "Ugandan monetary unit", + "Ugandan shilling", + "shilling", + "Ecuadoran monetary unit", + "sucre", + "Guinean monetary unit", + "Guinean franc", + "Bangladeshi monetary unit", + "taka", + "Western Samoan monetary unit", + "tala", + "sene", + "Mongolian monetary unit", + "tugrik", + "tughrik", + "mongo", + "North Korean monetary unit", + "North Korean won", + "won", + "chon", + "South Korean monetary unit", + "South Korean won", + "won", + "chon", + "Japanese monetary unit", + "yen", + "Chinese monetary unit", + "yuan", + "kwai", + "jiao", + "fen", + "Zairese monetary unit", + "zaire", + "likuta", + "Polish monetary unit", + "zloty", + "grosz", + "dol", + "standard atmosphere", + "atmosphere", + "atm", + "standard pressure", + "pascal", + "Pa", + "torr", + "millimeter of mercury", + "mm Hg", + "pounds per square inch", + "psi", + "millibar", + "bar", + "barye", + "bar absolute", + "microbar", + "point", + "em", + "pica em", + "pica", + "en", + "nut", + "em", + "em quad", + "mutton quad", + "cicero", + "agate line", + "line", + "milline", + "column inch", + "inch", + "linage", + "lineage", + "Bel", + "B", + "decibel", + "dB", + "sone", + "phon", + "Erlang", + "degree", + "millidegree", + "degree centigrade", + "degree Celsius", + "C", + "degree Fahrenheit", + "F", + "kelvin", + "K", + "Rankine", + "degree day", + "standard temperature", + "poise", + "atomic mass unit", + "mass number", + "nucleon number", + "system of weights", + "weight", + "avoirdupois", + "avoirdupois weight", + "avoirdupois unit", + "troy", + "troy weight", + "troy unit", + "apothecaries' unit", + "apothecaries' weight", + "metric weight unit", + "weight unit", + "arroba", + "catty", + "cattie", + "crith", + "frail", + "last", + "maund", + "obolus", + "oka", + "picul", + "pood", + "rotl", + "slug", + "tael", + "tod", + "welterweight", + "grain", + "dram", + "ounce", + "oz.", + "pound", + "lb", + "pound", + "half pound", + "quarter pound", + "stone", + "quarter", + "hundredweight", + "cwt", + "long hundredweight", + "hundredweight", + "cwt", + "short hundredweight", + "centner", + "cental", + "quintal", + "long ton", + "ton", + "gross ton", + "short ton", + "ton", + "net ton", + "kiloton", + "megaton", + "grain", + "scruple", + "pennyweight", + "dram", + "drachm", + "drachma", + "ounce", + "troy ounce", + "apothecaries' ounce", + "troy pound", + "apothecaries' pound", + "microgram", + "mcg", + "milligram", + "mg", + "nanogram", + "ng", + "grain", + "metric grain", + "decigram", + "dg", + "carat", + "gram", + "gramme", + "gm", + "g", + "gram atom", + "gram-atomic weight", + "gram molecule", + "mole", + "mol", + "dekagram", + "decagram", + "dkg", + "dag", + "hectogram", + "hg", + "kilogram", + "kg", + "kilo", + "key", + "myriagram", + "myg", + "centner", + "hundredweight", + "metric hundredweight", + "doppelzentner", + "centner", + "quintal", + "metric ton", + "MT", + "tonne", + "t", + "erg", + "electron volt", + "eV", + "joule", + "J", + "watt second", + "calorie", + "gram calorie", + "small calorie", + "Calorie", + "kilogram calorie", + "kilocalorie", + "large calorie", + "nutritionist's calorie", + "British thermal unit", + "BTU", + "B.Th.U.", + "therm", + "watt-hour", + "kilowatt hour", + "kW-hr", + "Board of Trade unit", + "B.T.U.", + "foot-pound", + "foot-ton", + "foot-poundal", + "horsepower-hour", + "kilogram-meter", + "natural number", + "integer", + "whole number", + "addend", + "augend", + "minuend", + "subtrahend", + "remainder", + "difference", + "complex number", + "complex quantity", + "imaginary number", + "imaginary", + "complex conjugate", + "real number", + "real", + "pure imaginary number", + "imaginary part", + "imaginary part of a complex number", + "modulus", + "rational number", + "rational", + "irrational number", + "irrational", + "transcendental number", + "algebraic number", + "square", + "second power", + "cube", + "third power", + "biquadrate", + "biquadratic", + "quartic", + "fourth power", + "radical", + "root", + "square root", + "cube root", + "fraction", + "common fraction", + "simple fraction", + "numerator", + "dividend", + "denominator", + "divisor", + "quotient", + "divisor", + "factor", + "remainder", + "multiplier", + "multiplier factor", + "multiplicand", + "scale factor", + "time-scale factor", + "equivalent-binary-digit factor", + "aliquot", + "aliquot part", + "aliquant", + "aliquant part", + "common divisor", + "common factor", + "common measure", + "greatest common divisor", + "greatest common factor", + "highest common factor", + "common multiple", + "common denominator", + "modulus", + "improper fraction", + "proper fraction", + "complex fraction", + "compound fraction", + "decimal fraction", + "decimal", + "circulating decimal", + "recurring decimal", + "repeating decimal", + "continued fraction", + "one-half", + "half", + "fifty percent", + "moiety", + "mediety", + "one-third", + "third", + "tierce", + "two-thirds", + "one-fourth", + "fourth", + "one-quarter", + "quarter", + "fourth part", + "twenty-five percent", + "quartern", + "three-fourths", + "three-quarters", + "one-fifth", + "fifth", + "fifth part", + "twenty percent", + "one-sixth", + "sixth", + "one-seventh", + "seventh", + "one-eighth", + "eighth", + "one-ninth", + "ninth", + "one-tenth", + "tenth", + "tenth part", + "ten percent", + "one-twelfth", + "twelfth", + "twelfth part", + "duodecimal", + "one-sixteenth", + "sixteenth", + "sixteenth part", + "one-thirty-second", + "thirty-second", + "thirty-second part", + "one-sixtieth", + "sixtieth", + "one-sixty-fourth", + "sixty-fourth", + "one-hundredth", + "hundredth", + "one percent", + "one-thousandth", + "thousandth", + "one-ten-thousandth", + "ten-thousandth", + "one-hundred-thousandth", + "one-millionth", + "millionth", + "one-hundred-millionth", + "one-billionth", + "billionth", + "one-trillionth", + "trillionth", + "one-quadrillionth", + "quadrillionth", + "one-quintillionth", + "quintillionth", + "nothing", + "nil", + "nix", + "nada", + "null", + "aught", + "cipher", + "cypher", + "goose egg", + "naught", + "zero", + "zilch", + "zip", + "zippo", + "nihil", + "bugger all", + "fuck all", + "Fanny Adams", + "sweet Fanny Adams", + "digit", + "figure", + "binary digit", + "octal digit", + "decimal digit", + "duodecimal digit", + "hexadecimal digit", + "significant digit", + "significant figure", + "zero", + "0", + "nought", + "cipher", + "cypher", + "one", + "1", + "I", + "ace", + "single", + "unity", + "monad", + "monas", + "singleton", + "mate", + "fellow", + "two", + "2", + "II", + "deuce", + "craps", + "snake eyes", + "couple", + "pair", + "twosome", + "twain", + "brace", + "span", + "yoke", + "couplet", + "distich", + "duo", + "duet", + "dyad", + "duad", + "doubleton", + "three", + "3", + "III", + "trio", + "threesome", + "tierce", + "leash", + "troika", + "triad", + "trine", + "trinity", + "ternary", + "ternion", + "triplet", + "tercet", + "terzetto", + "trey", + "deuce-ace", + "four", + "4", + "IV", + "tetrad", + "quatern", + "quaternion", + "quaternary", + "quaternity", + "quartet", + "quadruplet", + "foursome", + "Little Joe", + "five", + "5", + "V", + "cinque", + "quint", + "quintet", + "fivesome", + "quintuplet", + "pentad", + "fin", + "Phoebe", + "Little Phoebe", + "six", + "6", + "VI", + "sixer", + "sise", + "Captain Hicks", + "half a dozen", + "sextet", + "sestet", + "sextuplet", + "hexad", + "seven", + "7", + "VII", + "sevener", + "heptad", + "septet", + "septenary", + "eight", + "8", + "VIII", + "eighter", + "eighter from Decatur", + "octad", + "ogdoad", + "octonary", + "octet", + "nine", + "9", + "IX", + "niner", + "Nina from Carolina", + "ennead", + "large integer", + "double digit", + "ten", + "10", + "X", + "tenner", + "decade", + "eleven", + "11", + "XI", + "twelve", + "12", + "XII", + "dozen", + "boxcars", + "teens", + "thirteen", + "13", + "XIII", + "baker's dozen", + "long dozen", + "fourteen", + "14", + "XIV", + "fifteen", + "15", + "XV", + "sixteen", + "16", + "XVI", + "seventeen", + "17", + "XVII", + "eighteen", + "18", + "XVIII", + "nineteen", + "19", + "XIX", + "twenty", + "20", + "XX", + "twenty-one", + "21", + "XXI", + "twenty-two", + "22", + "XXII", + "twenty-three", + "23", + "XXIII", + "twenty-four", + "24", + "XXIV", + "two dozen", + "twenty-five", + "25", + "XXV", + "twenty-six", + "26", + "XXVI", + "twenty-seven", + "27", + "XXVII", + "twenty-eight", + "28", + "XXVIII", + "twenty-nine", + "29", + "XXIX", + "thirty", + "30", + "XXX", + "forty", + "40", + "XL", + "fifty", + "50", + "L", + "sixty", + "60", + "LX", + "seventy", + "70", + "LXX", + "seventy-eight", + "78", + "LXXVIII", + "eighty", + "80", + "LXXX", + "fourscore", + "ninety", + "90", + "XC", + "hundred", + "100", + "C", + "century", + "one C", + "gross", + "144", + "long hundred", + "great hundred", + "120", + "five hundred", + "500", + "D", + "thousand", + "one thousand", + "1000", + "M", + "K", + "chiliad", + "G", + "grand", + "thou", + "yard", + "millenary", + "great gross", + "1728", + "ten thousand", + "10000", + "myriad", + "hundred thousand", + "100000", + "lakh", + "million", + "1000000", + "one thousand thousand", + "meg", + "crore", + "billion", + "one thousand million", + "1000000000", + "milliard", + "billion", + "one million million", + "1000000000000", + "trillion", + "one million million", + "1000000000000", + "trillion", + "one million million million", + "quadrillion", + "quadrillion", + "quintillion", + "sextillion", + "septillion", + "octillion", + "aleph-null", + "aleph-nought", + "aleph-zero", + "pi", + "e", + "addition", + "increase", + "gain", + "accretion", + "bag", + "breakage", + "capacity", + "formatted capacity", + "unformatted capacity", + "catch", + "haul", + "correction", + "fudge factor", + "containerful", + "footstep", + "pace", + "step", + "stride", + "headspace", + "large indefinite quantity", + "large indefinite amount", + "chunk", + "limit", + "limitation", + "limit", + "limit point", + "point of accumulation", + "output", + "yield", + "production", + "cutoff", + "region", + "neighborhood", + "outage", + "picking", + "pick", + "reserve", + "pulmonary reserve", + "run", + "small indefinite quantity", + "small indefinite amount", + "crumb", + "dab", + "splash", + "splatter", + "spot", + "bit", + "hair's-breadth", + "hairsbreadth", + "hair", + "whisker", + "modicum", + "scattering", + "sprinkling", + "shoestring", + "shoe string", + "spray", + "spraying", + "nose", + "step", + "stone's throw", + "little", + "shtik", + "shtick", + "schtik", + "schtick", + "shtikl", + "shtickl", + "schtikl", + "schtickl", + "tad", + "shade", + "minimum", + "lower limit", + "skeleton", + "spillage", + "spoilage", + "tankage", + "ullage", + "top-up", + "worth", + "armful", + "bag", + "bagful", + "barrel", + "barrelful", + "barrow", + "barrowful", + "barnful", + "basin", + "basinful", + "basket", + "basketful", + "bin", + "binful", + "bottle", + "bottleful", + "bowl", + "bowlful", + "box", + "boxful", + "bucket", + "bucketful", + "busload", + "can", + "canful", + "capful", + "carful", + "cartload", + "carton", + "cartonful", + "case", + "caseful", + "cask", + "caskful", + "crate", + "crateful", + "cup", + "cupful", + "dish", + "dishful", + "dustpan", + "dustpanful", + "flask", + "flaskful", + "glass", + "glassful", + "handful", + "fistful", + "hatful", + "headful", + "houseful", + "jar", + "jarful", + "jug", + "jugful", + "keg", + "kegful", + "kettle", + "kettleful", + "lapful", + "mouthful", + "mug", + "mugful", + "pail", + "pailful", + "pipeful", + "pitcher", + "pitcherful", + "plate", + "plateful", + "pocketful", + "pot", + "potful", + "roomful", + "sack", + "sackful", + "scoop", + "scoopful", + "shelfful", + "shoeful", + "skinful", + "shovel", + "shovelful", + "spadeful", + "skepful", + "split", + "spoon", + "spoonful", + "tablespoon", + "tablespoonful", + "dessertspoon", + "dessertspoonful", + "tank", + "tankful", + "teacup", + "teacupful", + "teaspoon", + "teaspoonful", + "thimble", + "thimbleful", + "tub", + "tubful", + "morsel", + "handful", + "smattering", + "couple", + "drop", + "drib", + "driblet", + "droplet", + "eyedrop", + "eye-drop", + "dollop", + "dose", + "dosage", + "load", + "load", + "loading", + "precipitation", + "trainload", + "dreg", + "jack", + "doodly-squat", + "diddly-squat", + "diddlysquat", + "diddly-shit", + "diddlyshit", + "diddly", + "diddley", + "squat", + "shit", + "nip", + "shot", + "trace", + "hint", + "suggestion", + "spark", + "shred", + "scintilla", + "whit", + "iota", + "tittle", + "smidgen", + "smidgeon", + "smidgin", + "smidge", + "tot", + "snuff", + "touch", + "hint", + "tinge", + "mite", + "pinch", + "jot", + "speck", + "soupcon", + "barrels", + "batch", + "deal", + "flock", + "good deal", + "great deal", + "hatful", + "heap", + "lot", + "mass", + "mess", + "mickle", + "mint", + "mountain", + "muckle", + "passel", + "peck", + "pile", + "plenty", + "pot", + "quite a little", + "raft", + "sight", + "slew", + "spate", + "stack", + "tidy sum", + "wad", + "battalion", + "large number", + "multitude", + "plurality", + "pack", + "billyo", + "billyoh", + "billy-ho", + "all get out", + "boatload", + "shipload", + "carload", + "flood", + "inundation", + "deluge", + "torrent", + "haymow", + "infinitude", + "maximum", + "upper limit", + "mile", + "million", + "billion", + "trillion", + "zillion", + "jillion", + "gazillion", + "much", + "myriad", + "reservoir", + "ocean", + "sea", + "ream", + "small fortune", + "supply", + "tons", + "dozens", + "heaps", + "lots", + "piles", + "scores", + "stacks", + "loads", + "rafts", + "slews", + "wads", + "oodles", + "gobs", + "scads", + "lashings", + "room", + "way", + "elbow room", + "breathing room", + "breathing space", + "headroom", + "headway", + "clearance", + "houseroom", + "living space", + "lebensraum", + "parking", + "sea room", + "swath", + "volume", + "volume", + "capacity", + "content", + "vital capacity", + "population", + "proof", + "STP", + "s.t.p.", + "relations", + "dealings", + "causality", + "relationship", + "human relationship", + "function", + "partnership", + "personal relation", + "personal relationship", + "bonding", + "obligation", + "indebtedness", + "female bonding", + "male bonding", + "maternal-infant bonding", + "association", + "logical relation", + "contradictory", + "contrary", + "mathematical relation", + "function", + "mathematical function", + "single-valued function", + "map", + "mapping", + "expansion", + "inverse function", + "Kronecker delta", + "metric function", + "metric", + "transformation", + "reflection", + "rotation", + "translation", + "affine transformation", + "isometry", + "operator", + "linear operator", + "identity", + "identity element", + "identity operator", + "trigonometric function", + "circular function", + "sine", + "sin", + "arc sine", + "arcsine", + "arcsin", + "inverse sine", + "cosine", + "cos", + "arc cosine", + "arccosine", + "arccos", + "inverse cosine", + "tangent", + "tan", + "arc tangent", + "arctangent", + "arctan", + "inverse tangent", + "cotangent", + "cotan", + "arc cotangent", + "arccotangent", + "inverse cotangent", + "secant", + "sec", + "arc secant", + "arcsecant", + "arcsec", + "inverse secant", + "cosecant", + "cosec", + "arc cosecant", + "arccosecant", + "inverse cosecant", + "threshold function", + "exponential", + "exponential function", + "exponential equation", + "exponential curve", + "exponential expression", + "exponential series", + "parity", + "evenness", + "oddness", + "foundation", + "footing", + "basis", + "ground", + "common ground", + "grass roots", + "connection", + "connexion", + "connectedness", + "series", + "alliance", + "bond", + "silver cord", + "linkage", + "link", + "nexus", + "communication", + "concatenation", + "bridge", + "involvement", + "implication", + "inclusion", + "comprehension", + "unconnectedness", + "relevance", + "relevancy", + "materiality", + "cogency", + "point", + "germaneness", + "applicability", + "pertinence", + "pertinency", + "relatedness", + "bearing", + "irrelevance", + "irrelevancy", + "inapplicability", + "immateriality", + "unrelatedness", + "extraneousness", + "grammatical relation", + "linguistic relation", + "agreement", + "concord", + "number agreement", + "person agreement", + "case agreement", + "gender agreement", + "transitivity", + "transitiveness", + "intransitivity", + "intransitiveness", + "transitivity", + "reflexivity", + "reflexiveness", + "coreference", + "reflexivity", + "reflexiveness", + "conjunction", + "coordinating conjunction", + "subordinating conjunction", + "copulative conjunction", + "disjunctive conjunction", + "adversative conjunction", + "complementation", + "coordination", + "subordination", + "modification", + "qualifying", + "limiting", + "restrictiveness", + "apposition", + "mood", + "mode", + "modality", + "indicative mood", + "indicative", + "declarative mood", + "declarative", + "common mood", + "fact mood", + "subjunctive mood", + "subjunctive", + "optative mood", + "optative", + "imperative mood", + "imperative", + "jussive mood", + "imperative form", + "interrogative mood", + "interrogative", + "modality", + "mode", + "anaphoric relation", + "voice", + "active voice", + "active", + "passive voice", + "passive", + "inflection", + "inflexion", + "conjugation", + "declension", + "paradigm", + "pluralization", + "pluralisation", + "aspect", + "perfective", + "perfective aspect", + "imperfective", + "imperfective aspect", + "durative", + "durative aspect", + "progressive aspect", + "inchoative", + "inchoative aspect", + "iterative", + "iterative aspect", + "progressive", + "progressive tense", + "imperfect", + "imperfect tense", + "continuous tense", + "present progressive", + "present progressive tense", + "perfective", + "perfective tense", + "perfect", + "perfect tense", + "present perfect", + "present perfect tense", + "preterit", + "preterite", + "past perfect", + "past perfect tense", + "pluperfect", + "pluperfect tense", + "past progressive", + "past progressive tense", + "future perfect", + "future perfect tense", + "future progressive", + "future progressive tense", + "semantic relation", + "hyponymy", + "subordination", + "hypernymy", + "superordination", + "synonymy", + "synonymity", + "synonymousness", + "antonymy", + "holonymy", + "whole to part relation", + "meronymy", + "part to whole relation", + "troponymy", + "homonymy", + "part", + "portion", + "component part", + "component", + "constituent", + "basis", + "base", + "detail", + "particular", + "item", + "highlight", + "high spot", + "unit", + "member", + "remainder", + "balance", + "residual", + "residue", + "residuum", + "rest", + "leftover", + "remnant", + "subpart", + "affinity", + "kinship", + "rapport", + "resonance", + "sympathy", + "mutual understanding", + "mutual affection", + "affinity", + "phylogenetic relation", + "kinship", + "family relationship", + "relationship", + "descent", + "line of descent", + "lineage", + "filiation", + "affinity", + "steprelationship", + "consanguinity", + "blood kinship", + "cognation", + "parentage", + "birth", + "fatherhood", + "paternity", + "motherhood", + "maternity", + "sisterhood", + "sistership", + "brotherhood", + "bilateral descent", + "unilateral descent", + "matrilineage", + "enation", + "cognation", + "patrilineage", + "agnation", + "marital relationship", + "marital bed", + "magnitude relation", + "quantitative relation", + "scale", + "proportion", + "ratio", + "proportion", + "case-fatality proportion", + "case-to-infection proportion", + "case-to-infection ratio", + "content", + "rate", + "scale", + "golden section", + "golden mean", + "commensurateness", + "correspondence", + "proportionateness", + "percentage", + "percent", + "per centum", + "pct", + "absentee rate", + "batting average", + "hitting average", + "batting average", + "fielding average", + "occupancy rate", + "hospital occupancy", + "hotel occupancy", + "vacancy rate", + "unemployment rate", + "ratio", + "abundance", + "abundance", + "albedo", + "reflective power", + "aspect ratio", + "average", + "cephalic index", + "breadth index", + "cranial index", + "efficiency", + "figure of merit", + "facial index", + "focal ratio", + "f number", + "stop number", + "speed", + "frequency", + "relative frequency", + "hematocrit", + "haematocrit", + "packed cell volume", + "intelligence quotient", + "IQ", + "I.Q.", + "adult intelligence", + "borderline intelligence", + "load factor", + "loss ratio", + "Mach number", + "magnification", + "mechanical advantage", + "mileage", + "fuel consumption rate", + "gasoline mileage", + "gas mileage", + "odds", + "betting odds", + "order of magnitude", + "magnitude", + "output-to-input ratio", + "prevalence", + "price-to-earnings ratio", + "P/E ratio", + "productivity", + "proportionality", + "quotient", + "refractive index", + "index of refraction", + "relative humidity", + "respiratory quotient", + "safety factor", + "factor of safety", + "signal-to-noise ratio", + "signal-to-noise", + "signal/noise ratio", + "signal/noise", + "S/N", + "stoichiometry", + "time constant", + "employee turnover", + "turnover rate", + "turnover", + "loading", + "power loading", + "span loading", + "wing loading", + "incidence", + "relative incidence", + "morbidity", + "control", + "direction", + "frontage", + "orientation", + "attitude", + "trim", + "horizontal", + "vertical", + "opposition", + "orthogonality", + "perpendicularity", + "orthogonal opposition", + "antipodal", + "antipodal opposition", + "diametrical opposition", + "enantiomorphism", + "mirror-image relation", + "windward", + "to windward", + "windward side", + "weatherboard", + "weather side", + "leeward", + "to leeward", + "leeward side", + "seaward", + "quarter", + "compass point", + "point", + "cardinal compass point", + "north", + "due north", + "northward", + "N", + "north by east", + "NbE", + "north", + "magnetic north", + "compass north", + "north northeast", + "nor'-nor'-east", + "NNE", + "northeast by north", + "NEbN", + "northeast", + "nor'-east", + "northeastward", + "NE", + "northeast by east", + "NEbE", + "east northeast", + "ENE", + "east by north", + "EbN", + "east", + "due east", + "eastward", + "E", + "east by south", + "EbS", + "east southeast", + "ESE", + "southeast by east", + "SEbE", + "southeast", + "sou'-east", + "southeastward", + "SE", + "southeast by south", + "SEbS", + "south southeast", + "sou'-sou'-east", + "SSE", + "south by east", + "SbE", + "south", + "due south", + "southward", + "S", + "south by west", + "SbW", + "south southwest", + "sou'-sou'-west", + "SSW", + "southwest by south", + "SWbS", + "southwest", + "sou'-west", + "southwestward", + "SW", + "southwest by west", + "SWbW", + "west southwest", + "WSW", + "west by south", + "WbS", + "west", + "due west", + "westward", + "W", + "west by north", + "WbN", + "west northwest", + "WNW", + "northwest by west", + "NWbW", + "northwest", + "nor'-west", + "northwestward", + "NW", + "northwest by north", + "NWbN", + "north northwest", + "nor'-nor'-west", + "NNW", + "north by west", + "NbW", + "north", + "northeast", + "east", + "southeast", + "south", + "southwest", + "west", + "northwest", + "angular position", + "elevation", + "EL", + "altitude", + "ALT", + "depression", + "business relation", + "competition", + "price war", + "price competition", + "clientage", + "professional relation", + "medical relation", + "doctor-patient relation", + "nurse-patient relation", + "legal relation", + "fiduciary relation", + "bank-depositor relation", + "confidential adviser-advisee relation", + "conservator-ward relation", + "director-stockholder relation", + "executor-heir relation", + "lawyer-client relation", + "attorney-client relation", + "partner relation", + "receiver-creditor relation", + "trustee-beneficiary relation", + "academic relation", + "teacher-student relation", + "politics", + "political relation", + "chemistry", + "interpersonal chemistry", + "alchemy", + "reciprocality", + "reciprocity", + "complementarity", + "correlation", + "correlativity", + "mutuality", + "interdependence", + "interdependency", + "commensalism", + "parasitism", + "symbiosis", + "mutualism", + "trophobiosis", + "additive inverse", + "multiplicative inverse", + "reciprocal", + "mutuality", + "mutualness", + "reciprocal", + "sharing", + "sharing", + "time sharing", + "interrelation", + "interrelationship", + "interrelatedness", + "psychodynamics", + "temporal relation", + "antecedent", + "forerunner", + "chronology", + "synchronism", + "synchrony", + "synchronicity", + "synchroneity", + "synchronization", + "synchronisation", + "synchronizing", + "asynchronism", + "asynchrony", + "desynchronization", + "desynchronisation", + "desynchronizing", + "first", + "number one", + "former", + "second", + "latter", + "third", + "fourth", + "fifth", + "sixth", + "seventh", + "eighth", + "ninth", + "tenth", + "eleventh", + "twelfth", + "thirteenth", + "fourteenth", + "fifteenth", + "sixteenth", + "seventeenth", + "eighteenth", + "nineteenth", + "twentieth", + "thirtieth", + "fortieth", + "fiftieth", + "sixtieth", + "seventieth", + "eightieth", + "ninetieth", + "hundredth", + "thousandth", + "millionth", + "billionth", + "last", + "scale", + "scale of measurement", + "graduated table", + "ordered series", + "Beaufort scale", + "wind scale", + "index", + "logarithmic scale", + "Mercalli scale", + "Mohs scale", + "Richter scale", + "moment magnitude scale", + "temperature scale", + "Celsius scale", + "international scale", + "centigrade scale", + "Fahrenheit scale", + "Kelvin scale", + "absolute scale", + "Rankine scale", + "Reaumur scale", + "wage scale", + "wage schedule", + "sliding scale", + "comparison", + "imaginative comparison", + "gauge", + "standard of measurement", + "baseline", + "norm", + "opposition", + "oppositeness", + "antipode", + "antithesis", + "conflict", + "contrast", + "direct contrast", + "flip side", + "mutual opposition", + "polarity", + "gradable opposition", + "polar opposition", + "polarity", + "sign", + "positivity", + "positiveness", + "negativity", + "negativeness", + "ungradable opposition", + "complementarity", + "contradictoriness", + "contradiction", + "dialectic", + "incompatibility", + "mutual exclusiveness", + "inconsistency", + "repugnance", + "contrary", + "contrariety", + "tertium quid", + "reverse", + "contrary", + "opposite", + "inverse", + "opposite", + "change", + "difference", + "gradient", + "concentration gradient", + "gravity gradient", + "temperature gradient", + "implication", + "logical implication", + "conditional relation", + "antagonism", + "solid", + "plane", + "sheet", + "Cartesian plane", + "facet plane", + "midplane", + "midline", + "orbital plane", + "picture plane", + "tangent plane", + "natural shape", + "leaf shape", + "leaf form", + "equilateral", + "flare", + "flair", + "figure", + "pencil", + "plane figure", + "two-dimensional figure", + "solid figure", + "three-dimensional figure", + "subfigure", + "line", + "bulb", + "convex shape", + "convexity", + "camber", + "entasis", + "angular shape", + "angularity", + "concave shape", + "concavity", + "incurvation", + "incurvature", + "cylinder", + "round shape", + "conglomeration", + "conglobation", + "heart", + "polygon", + "polygonal shape", + "isogon", + "convex polygon", + "concave polygon", + "reentrant polygon", + "reentering polygon", + "regular polygon", + "distorted shape", + "distortion", + "amorphous shape", + "curve", + "curved shape", + "closed curve", + "simple closed curve", + "Jordan curve", + "S-shape", + "catenary", + "Cupid's bow", + "wave", + "undulation", + "extrados", + "gooseneck", + "intrados", + "bend", + "crook", + "twist", + "turn", + "hook", + "crotchet", + "uncus", + "envelope", + "bight", + "straight line", + "geodesic", + "geodesic line", + "perpendicular", + "connection", + "connexion", + "link", + "asymptote", + "tangent", + "secant", + "perimeter", + "radius", + "diameter", + "centerline", + "center line", + "dome", + "pit", + "fossa", + "recess", + "recession", + "niche", + "corner", + "cone", + "conoid", + "cone shape", + "funnel", + "funnel shape", + "conic section", + "conic", + "intersection", + "oblong", + "circle", + "circlet", + "circle", + "equator", + "semicircle", + "hemicycle", + "arc", + "scallop", + "crenation", + "crenature", + "crenel", + "crenelle", + "chord", + "sector", + "disk", + "disc", + "saucer", + "ring", + "halo", + "annulus", + "doughnut", + "anchor ring", + "loop", + "bight", + "coil", + "whorl", + "roll", + "curl", + "curlicue", + "ringlet", + "gyre", + "scroll", + "spiral", + "helix", + "spiral", + "double helix", + "perversion", + "eccentricity", + "element", + "element of a cone", + "element of a cylinder", + "helix angle", + "kink", + "twist", + "twirl", + "whirl", + "swirl", + "vortex", + "convolution", + "ellipse", + "oval", + "square", + "foursquare", + "square", + "quadrate", + "quadrilateral", + "quadrangle", + "tetragon", + "triangle", + "trigon", + "trilateral", + "triangle", + "acute triangle", + "acute-angled triangle", + "equilateral triangle", + "equiangular triangle", + "delta", + "isosceles triangle", + "oblique triangle", + "obtuse triangle", + "obtuse-angled triangle", + "right triangle", + "right-angled triangle", + "scalene triangle", + "hexagram", + "parallel", + "parallelogram", + "trapezium", + "trapezoid", + "star", + "asterism", + "pentacle", + "pentagram", + "pentangle", + "pentagon", + "hexagon", + "regular hexagon", + "heptagon", + "octagon", + "nonagon", + "decagon", + "undecagon", + "dodecagon", + "rhombus", + "rhomb", + "diamond", + "rhomboid", + "rectangle", + "box", + "spherical polygon", + "spherical triangle", + "polyhedron", + "convex polyhedron", + "concave polyhedron", + "prism", + "parallelepiped", + "parallelopiped", + "parallelepipedon", + "parallelopipedon", + "cuboid", + "quadrangular prism", + "triangular prism", + "sinuosity", + "sinuousness", + "tortuosity", + "tortuousness", + "torsion", + "contortion", + "crookedness", + "warp", + "buckle", + "knot", + "gnarl", + "arch", + "bell", + "bell shape", + "campana", + "parabola", + "hyperbola", + "furcation", + "forking", + "bifurcation", + "bifurcation", + "jog", + "zigzag", + "zig", + "zag", + "angle", + "complementary angles", + "angular distance", + "hour angle", + "HA", + "true anomaly", + "plane angle", + "spherical angle", + "solid angle", + "inclination", + "angle of inclination", + "inclination", + "inclination of an orbit", + "reentrant angle", + "reentering angle", + "salient angle", + "interior angle", + "internal angle", + "exterior angle", + "external angle", + "hip", + "angle of incidence", + "incidence angle", + "angle of attack", + "critical angle", + "angle of reflection", + "angle of refraction", + "angle of extinction", + "extinction angle", + "acute angle", + "obtuse angle", + "dogleg", + "right angle", + "oblique angle", + "reflex angle", + "perigon", + "round angle", + "cutting angle", + "dip", + "angle of dip", + "magnetic dip", + "magnetic inclination", + "inclination", + "lead", + "magnetic declination", + "magnetic variation", + "variation", + "azimuth", + "AZ", + "bowl", + "trough", + "groove", + "channel", + "rut", + "scoop", + "pocket", + "bulge", + "bump", + "hump", + "swelling", + "gibbosity", + "gibbousness", + "jut", + "prominence", + "protuberance", + "protrusion", + "extrusion", + "excrescence", + "belly", + "caput", + "mogul", + "nub", + "nubble", + "snag", + "wart", + "node", + "knob", + "thickening", + "bow", + "arc", + "crescent", + "depression", + "impression", + "imprint", + "dimple", + "hyperboloid", + "paraboloid", + "ellipsoid", + "flank", + "hypotenuse", + "altitude", + "base", + "balance", + "equilibrium", + "equipoise", + "counterbalance", + "conformation", + "symmetry", + "proportion", + "disproportion", + "spheroid", + "ellipsoid of revolution", + "sphere", + "hemisphere", + "sphere", + "ball", + "globe", + "orb", + "spherule", + "cylinder", + "torus", + "toroid", + "toroid", + "column", + "tower", + "pillar", + "plume", + "columella", + "hoodoo", + "barrel", + "drum", + "pipe", + "tube", + "pellet", + "bolus", + "drop", + "bead", + "pearl", + "dewdrop", + "teardrop", + "ridge", + "corrugation", + "rim", + "point", + "tip", + "peak", + "taper", + "quadric", + "quadric surface", + "boundary", + "edge", + "bound", + "margin", + "border", + "perimeter", + "periphery", + "fringe", + "outer boundary", + "brink", + "threshold", + "verge", + "upper bound", + "lower bound", + "diagonal", + "bias", + "diagonal", + "dip", + "cup", + "incision", + "scratch", + "prick", + "slit", + "dent", + "incisure", + "incisura", + "notch", + "score", + "scotch", + "sag", + "droop", + "wrinkle", + "furrow", + "crease", + "crinkle", + "seam", + "line", + "crow's foot", + "crow's feet", + "laugh line", + "dermatoglyphic", + "frown line", + "line of life", + "life line", + "lifeline", + "line of heart", + "heart line", + "love line", + "mensal line", + "line of fate", + "line of destiny", + "line of Saturn", + "crevice", + "cranny", + "crack", + "fissure", + "chap", + "fold", + "crease", + "plication", + "flexure", + "crimp", + "bend", + "pucker", + "ruck", + "indentation", + "indenture", + "cleft", + "stria", + "striation", + "roulette", + "line roulette", + "cycloid", + "curate cycloid", + "prolate cycloid", + "sine curve", + "sinusoid", + "epicycle", + "epicycloid", + "cardioid", + "hypocycloid", + "shapelessness", + "blob", + "void", + "vacancy", + "emptiness", + "vacuum", + "space", + "hollow", + "node", + "articulation", + "join", + "joint", + "juncture", + "junction", + "hole", + "cavity", + "enclosed space", + "pocket", + "point", + "dot", + "pore", + "tree", + "tree diagram", + "cladogram", + "stemma", + "thalweg", + "spur", + "spine", + "acantha", + "constriction", + "bottleneck", + "chokepoint", + "facet", + "vector", + "ray", + "cast", + "mold", + "mould", + "stamp", + "branch", + "leg", + "ramification", + "brachium", + "fork", + "crotch", + "pouch", + "sac", + "sack", + "pocket", + "block", + "cube", + "pyramid", + "ovoid", + "tetrahedron", + "pentahedron", + "hexahedron", + "rhombohedron", + "octahedron", + "decahedron", + "dodecahedron", + "icosahedron", + "regular polyhedron", + "regular convex solid", + "regular convex polyhedron", + "Platonic body", + "Platonic solid", + "ideal solid", + "polyhedral angle", + "face angle", + "regular tetrahedron", + "cube", + "regular hexahedron", + "tesseract", + "quadrate", + "regular dodecahedron", + "regular octahedron", + "regular icosahedron", + "frustum", + "truncated pyramid", + "truncated cone", + "prismatoid", + "prismoid", + "tail", + "tail end", + "tongue", + "knife", + "tilt angle", + "trapezohedron", + "vertical angle", + "verticil", + "view angle", + "angle of view", + "washout", + "wave angle", + "wedge", + "wedge shape", + "cuneus", + "projection", + "keel", + "cleavage", + "medium", + "ornamentation", + "condition", + "condition", + "status", + "conditions", + "conditions", + "condition", + "anchorage", + "health", + "mode", + "conditionality", + "ground state", + "niche", + "ecological niche", + "noise conditions", + "participation", + "involvement", + "prepossession", + "regularization", + "regularisation", + "saturation", + "saturation point", + "silence", + "situation", + "position", + "ski conditions", + "niche", + "election", + "nationhood", + "nomination", + "place", + "shoes", + "poverty trap", + "soup", + "stymie", + "stymy", + "situation", + "state of affairs", + "absurd", + "the absurd", + "relationship", + "relationship", + "tribalism", + "account", + "business relationship", + "short account", + "blood brotherhood", + "company", + "companionship", + "fellowship", + "society", + "confidence", + "trust", + "freemasonry", + "acquaintance", + "acquaintanceship", + "affiliation", + "association", + "tie", + "tie-up", + "anaclisis", + "assimilation", + "friendship", + "friendly relationship", + "intrigue", + "love affair", + "romance", + "membership", + "sexual relationship", + "affair", + "affaire", + "intimacy", + "liaison", + "involvement", + "amour", + "utopia", + "dystopia", + "acceptance", + "ballgame", + "new ballgame", + "challenge", + "childlessness", + "complication", + "conflict of interest", + "crisis", + "crowding", + "crunch", + "disequilibrium", + "element", + "environment", + "equilibrium", + "exclusion", + "goldfish bowl", + "fish bowl", + "fishbowl", + "hornet's nest", + "hornets' nest", + "hotbed", + "hot potato", + "how-do-you-do", + "how-d'ye-do", + "imbroglio", + "embroilment", + "inclusion", + "intestacy", + "Mexican standoff", + "nightmare", + "incubus", + "no-win situation", + "pass", + "strait", + "straits", + "picture", + "scene", + "prison", + "prison house", + "purgatory", + "rejection", + "size", + "size of it", + "square one", + "status quo", + "swamp", + "standardization", + "standardisation", + "stigmatism", + "astigmatism", + "astigmia", + "stratification", + "social stratification", + "wild", + "natural state", + "state of nature", + "way", + "isomerism", + "degree", + "level", + "stage", + "point", + "ladder", + "acme", + "height", + "elevation", + "peak", + "pinnacle", + "summit", + "superlative", + "meridian", + "tiptop", + "top", + "extent", + "resultant", + "end point", + "standard of living", + "standard of life", + "plane", + "state of the art", + "ultimacy", + "ultimateness", + "extremity", + "profoundness", + "ordinary", + "circumstance", + "homelessness", + "vagrancy", + "event", + "case", + "hinge", + "playing field", + "thing", + "time bomb", + "ticking bomb", + "tinderbox", + "urgency", + "congestion", + "over-crowding", + "reinstatement", + "office", + "power", + "executive clemency", + "war power", + "status", + "position", + "equality", + "equivalence", + "equation", + "par", + "egality", + "egalite", + "tie", + "deuce", + "social station", + "social status", + "social rank", + "rank", + "place", + "station", + "place", + "quality", + "standing", + "high status", + "center stage", + "centre stage", + "stardom", + "championship", + "title", + "triple crown", + "triple crown", + "high ground", + "seniority", + "senior status", + "higher status", + "higher rank", + "precedence", + "precedency", + "priority", + "back burner", + "front burner", + "transcendence", + "transcendency", + "superiority", + "high profile", + "Holy Order", + "Order", + "low status", + "lowness", + "lowliness", + "inferiority", + "lower status", + "lower rank", + "backseat", + "shade", + "subordinateness", + "subsidiarity", + "handmaid", + "handmaiden", + "servant", + "junior status", + "subservience", + "subservientness", + "legal status", + "civil death", + "villeinage", + "villainage", + "bastardy", + "illegitimacy", + "bar sinister", + "left-handedness", + "citizenship", + "command", + "nationality", + "footing", + "terms", + "retirement", + "being", + "beingness", + "existence", + "actuality", + "entelechy", + "genuineness", + "reality", + "realness", + "realism", + "fact", + "reality", + "historicalness", + "truth", + "the true", + "verity", + "trueness", + "eternity", + "timelessness", + "timeless existence", + "preexistence", + "coexistence", + "eternal life", + "life eternal", + "subsistence", + "presence", + "immanence", + "immanency", + "inherence", + "inherency", + "ubiety", + "ubiquity", + "ubiquitousness", + "omnipresence", + "hereness", + "thereness", + "thereness", + "occurrence", + "allopatry", + "sympatry", + "shadow", + "nonbeing", + "nonexistence", + "nonentity", + "unreality", + "irreality", + "cloud", + "falsity", + "falseness", + "spuriousness", + "absence", + "nonoccurrence", + "awayness", + "life", + "animation", + "life", + "living", + "aliveness", + "skin", + "survival", + "endurance", + "subsistence", + "death", + "rest", + "eternal rest", + "sleep", + "eternal sleep", + "quietus", + "extinction", + "defunctness", + "life", + "ghetto", + "transcendence", + "transcendency", + "marital status", + "marriage", + "matrimony", + "union", + "spousal relationship", + "wedlock", + "bigamy", + "civil union", + "common-law marriage", + "endogamy", + "intermarriage", + "inmarriage", + "exogamy", + "intermarriage", + "marriage of convenience", + "misalliance", + "mesalliance", + "monandry", + "monogamy", + "monogamousness", + "monogyny", + "serial monogamy", + "open marriage", + "cuckoldom", + "polyandry", + "polygamy", + "polygyny", + "sigeh", + "celibacy", + "virginity", + "bachelorhood", + "spinsterhood", + "widowhood", + "employment", + "employ", + "unemployment", + "order", + "civil order", + "polity", + "rule of law", + "tranquillity", + "tranquility", + "quiet", + "harmony", + "concord", + "concordance", + "peace", + "comity", + "comity of nations", + "stability", + "peace", + "amity", + "peaceableness", + "peacefulness", + "mollification", + "armistice", + "cease-fire", + "truce", + "agreement", + "accord", + "community", + "community of interests", + "conciliation", + "concurrence", + "meeting of minds", + "consensus", + "sense of the meeting", + "unanimity", + "unison", + "social contract", + "disorder", + "anarchy", + "lawlessness", + "nihilism", + "cytopenia", + "hematocytopenia", + "haematocytopenia", + "pancytopenia", + "immunological disorder", + "immunocompetence", + "immunodeficiency", + "immunosuppression", + "bloodiness", + "incompatibility", + "histoincompatibility", + "Rh incompatibility", + "instability", + "confusion", + "demoralization", + "demoralisation", + "bluster", + "chaos", + "pandemonium", + "bedlam", + "topsy-turvydom", + "topsy-turvyness", + "balagan", + "hugger-mugger", + "schemozzle", + "shemozzle", + "rioting", + "riot", + "rowdiness", + "rowdyism", + "roughness", + "disorderliness", + "disturbance", + "disruption", + "commotion", + "flutter", + "hurly burly", + "to-do", + "hoo-ha", + "hoo-hah", + "kerfuffle", + "convulsion", + "turmoil", + "upheaval", + "earthquake", + "incident", + "stir", + "splash", + "storm", + "tempest", + "storm center", + "storm centre", + "tumult", + "tumultuousness", + "uproar", + "garboil", + "combustion", + "discord", + "strife", + "turbulence", + "upheaval", + "Sturm und Drang", + "agitation", + "ferment", + "fermentation", + "tempestuousness", + "unrest", + "roller coaster", + "violence", + "rage", + "hostility", + "enmity", + "antagonism", + "latent hostility", + "tension", + "conflict", + "clash", + "friction", + "clash", + "war", + "state of war", + "proxy war", + "hot war", + "cold war", + "Cold War", + "disagreement", + "dissension", + "dissonance", + "disunity", + "divide", + "suspicion", + "cloud", + "illumination", + "light", + "lighting", + "dark", + "darkness", + "night", + "total darkness", + "lightlessness", + "blackness", + "pitch blackness", + "black", + "blackout", + "brownout", + "dimout", + "semidarkness", + "cloudiness", + "overcast", + "shade", + "shadiness", + "shadowiness", + "shadow", + "umbra", + "penumbra", + "dimness", + "duskiness", + "gloom", + "somberness", + "sombreness", + "obscurity", + "obscureness", + "emotional state", + "spirit", + "embarrassment", + "ecstasy", + "rapture", + "transport", + "exaltation", + "raptus", + "gratification", + "satisfaction", + "quality of life", + "comfort", + "happiness", + "felicity", + "blessedness", + "beatitude", + "beatification", + "bliss", + "blissfulness", + "cloud nine", + "seventh heaven", + "walking on air", + "ecstasy", + "rapture", + "nirvana", + "enlightenment", + "state", + "unhappiness", + "embitterment", + "sadness", + "sorrow", + "sorrowfulness", + "mourning", + "bereavement", + "poignance", + "poignancy", + "innocence", + "blamelessness", + "inculpability", + "inculpableness", + "guiltlessness", + "purity", + "pureness", + "sinlessness", + "innocence", + "whiteness", + "cleanness", + "clear", + "guilt", + "guiltiness", + "blameworthiness", + "culpability", + "culpableness", + "bloodguilt", + "complicity", + "criminalism", + "criminality", + "criminalness", + "guilt by association", + "impeachability", + "indictability", + "freedom", + "academic freedom", + "enfranchisement", + "autonomy", + "liberty", + "self-government", + "self-determination", + "self-rule", + "sovereignty", + "local option", + "home rule", + "autarky", + "autarchy", + "fragmentation", + "free hand", + "blank check", + "free rein", + "play", + "freedom of the seas", + "independence", + "independency", + "liberty", + "license", + "licence", + "poetic license", + "latitude", + "license", + "licence", + "civil liberty", + "political liberty", + "discretion", + "run", + "liberty", + "svoboda", + "subjugation", + "subjection", + "repression", + "oppression", + "yoke", + "enslavement", + "captivity", + "bondage", + "slavery", + "thrall", + "thralldom", + "thraldom", + "bondage", + "bonded labor", + "servitude", + "peonage", + "serfdom", + "serfhood", + "vassalage", + "encapsulation", + "confinement", + "constraint", + "restraint", + "cage", + "iron cage", + "captivity", + "imprisonment", + "incarceration", + "immurement", + "detention", + "detainment", + "hold", + "custody", + "solitary confinement", + "solitary", + "durance", + "life imprisonment", + "internment", + "representation", + "delegacy", + "agency", + "free agency", + "legal representation", + "autonomy", + "self-direction", + "self-reliance", + "self-sufficiency", + "separateness", + "dependence", + "dependance", + "dependency", + "helplessness", + "reliance", + "subordination", + "contingency", + "polarization", + "polarisation", + "balance", + "tension", + "balance of power", + "dynamic balance", + "homeostasis", + "isostasy", + "Nash equilibrium", + "poise", + "thermal equilibrium", + "imbalance", + "instability", + "unbalance", + "motion", + "shaking", + "shakiness", + "trembling", + "quiver", + "quivering", + "vibration", + "palpitation", + "tremolo", + "tremor", + "essential tremor", + "perpetual motion", + "precession", + "stream", + "flow", + "motionlessness", + "stillness", + "lifelessness", + "stationariness", + "immobility", + "fixedness", + "rootage", + "dead letter", + "non-issue", + "action", + "activity", + "activeness", + "agency", + "Frankenstein", + "virus", + "busyness", + "hum", + "behavior", + "behaviour", + "eruption", + "eructation", + "extravasation", + "operation", + "overdrive", + "commission", + "running", + "idle", + "play", + "swing", + "inaction", + "inactivity", + "inactiveness", + "abeyance", + "suspension", + "anergy", + "arrest", + "check", + "halt", + "hitch", + "stay", + "stop", + "stoppage", + "calcification", + "deep freeze", + "desuetude", + "dormancy", + "quiescence", + "quiescency", + "extinction", + "holding pattern", + "rest", + "stagnation", + "stagnancy", + "doldrums", + "stagnation", + "stagnancy", + "stasis", + "recession", + "cold storage", + "deferral", + "recess", + "moratorium", + "standdown", + "stand-down", + "hibernation", + "estivation", + "aestivation", + "acathexia", + "angiotelectasia", + "torpor", + "torpidity", + "hibernation", + "lethargy", + "lassitude", + "sluggishness", + "slumber", + "countercheck", + "deadlock", + "dead end", + "impasse", + "stalemate", + "standstill", + "logjam", + "temporary state", + "case", + "state of mind", + "frame of mind", + "thinking cap", + "fatigue", + "weariness", + "tiredness", + "eyestrain", + "asthenopia", + "jet lag", + "exhaustion", + "depletion", + "salt depletion", + "electrolyte balance", + "nitrogen balance", + "frazzle", + "mental exhaustion", + "brain-fag", + "grogginess", + "loginess", + "logginess", + "drunkenness", + "inebriation", + "inebriety", + "intoxication", + "tipsiness", + "insobriety", + "grogginess", + "sottishness", + "soberness", + "sobriety", + "acardia", + "acephalia", + "acephaly", + "acephalism", + "acidosis", + "ketoacidosis", + "diabetic acidosis", + "metabolic acidosis", + "respiratory acidosis", + "carbon dioxide acidosis", + "starvation acidosis", + "acidemia", + "alkalemia", + "alkalinuria", + "alkaluria", + "alkalosis", + "metabolic alkalosis", + "respiratory alkalosis", + "acorea", + "acromicria", + "acromikria", + "acromphalus", + "agalactia", + "agalactosis", + "amastia", + "ankylosis", + "anchylosis", + "aneuploidy", + "anorchism", + "anorchidism", + "anorchia", + "wakefulness", + "sleeplessness", + "hypersomnia", + "insomnia", + "anesthesia", + "anaesthesia", + "anhidrosis", + "anhydrosis", + "aplasia", + "arousal", + "arteriectasis", + "arteriectasia", + "arthropathy", + "asynergy", + "asynergia", + "asystole", + "cardiac arrest", + "cardiopulmonary arrest", + "sleep", + "slumber", + "sleep terror disorder", + "pavor nocturnus", + "orthodox sleep", + "nonrapid eye movement sleep", + "NREM sleep", + "nonrapid eye movement", + "NREM", + "paradoxical sleep", + "rapid eye movement sleep", + "REM sleep", + "rapid eye movement", + "REM", + "sleep", + "sopor", + "shuteye", + "abulia", + "aboulia", + "anhedonia", + "depersonalization", + "depersonalisation", + "hypnosis", + "self-hypnosis", + "cryoanesthesia", + "cryoanaesthesia", + "general anesthesia", + "general anaesthesia", + "local anesthesia", + "local anaesthesia", + "conduction anesthesia", + "conduction anaesthesia", + "nerve block anesthesia", + "nerve block anaesthesia", + "block anesthesia", + "block anaesthesia", + "regional anesthesia", + "regional anaesthesia", + "topical anesthesia", + "topical anaesthesia", + "acroanesthesia", + "acroanaesthesia", + "caudal anesthesia", + "caudal anaesthesia", + "caudal block", + "epidural anesthesia", + "epidural anaesthesia", + "epidural", + "paracervical block", + "pudendal block", + "spinal anesthesia", + "spinal anaesthesia", + "spinal", + "saddle block anesthesia", + "saddle block anaesthesia", + "inhalation anesthesia", + "twilight sleep", + "fugue", + "sleepiness", + "drowsiness", + "somnolence", + "oscitancy", + "oscitance", + "imminence", + "imminency", + "imminentness", + "impendence", + "impendency", + "forthcomingness", + "readiness", + "preparedness", + "preparation", + "ready", + "alert", + "qui vive", + "air alert", + "red alert", + "strip alert", + "diverticulosis", + "emergency", + "clutch", + "Dunkirk", + "exigency", + "juncture", + "critical point", + "crossroads", + "desperate straits", + "dire straits", + "criticality", + "flash point", + "flashpoint", + "flux", + "state of flux", + "physical condition", + "physiological state", + "physiological condition", + "drive", + "elastosis", + "flatulence", + "flatulency", + "gas", + "flexure", + "flection", + "flexion", + "alertness", + "alerting", + "emotional arousal", + "excitation", + "innervation", + "irritation", + "anger", + "angriness", + "rage", + "fever pitch", + "excitement", + "excitation", + "inflammation", + "fervor", + "fervour", + "sensation", + "sexual arousal", + "cybersex", + "eroticism", + "erotism", + "horniness", + "hotness", + "hot pants", + "erection", + "hard-on", + "estrus", + "oestrus", + "heat", + "rut", + "anestrus", + "anestrum", + "anoestrus", + "anoestrum", + "diestrus", + "diestrum", + "desire", + "rage", + "passion", + "materialism", + "philistinism", + "hunger", + "hungriness", + "bulimia", + "emptiness", + "edacity", + "esurience", + "ravenousness", + "voracity", + "voraciousness", + "starvation", + "famishment", + "undernourishment", + "malnourishment", + "thirst", + "thirstiness", + "dehydration", + "polydipsia", + "sex drive", + "hypoxia", + "anemic hypoxia", + "hypoxic hypoxia", + "ischemic hypoxia", + "stagnant hypoxia", + "hypercapnia", + "hypercarbia", + "hypocapnia", + "acapnia", + "asphyxia", + "oxygen debt", + "altitude sickness", + "mountain sickness", + "anoxia", + "anemic anoxia", + "anoxic anoxia", + "ischemic anoxia", + "stagnant anoxia", + "suffocation", + "asphyxiation", + "hyperthermia", + "hyperthermy", + "normothermia", + "hypothermia", + "flux", + "muscularity", + "myasthenia", + "impotence", + "impotency", + "erectile dysfunction", + "male erecticle dysfunction", + "ED", + "barrenness", + "sterility", + "infertility", + "cacogenesis", + "dysgenesis", + "false pregnancy", + "pseudocyesis", + "pregnancy", + "gestation", + "maternity", + "trouble", + "gravidity", + "gravidness", + "gravidation", + "gravida", + "parity", + "para", + "abdominal pregnancy", + "ovarian pregnancy", + "tubal pregnancy", + "ectopic pregnancy", + "extrauterine pregnancy", + "ectopic gestation", + "extrauterine gestation", + "eccyesis", + "metacyesis", + "entopic pregnancy", + "quickening", + "premature labor", + "premature labour", + "parturiency", + "labor", + "labour", + "confinement", + "lying-in", + "travail", + "childbed", + "placenta previa", + "asynclitism", + "obliquity", + "atresia", + "rigor mortis", + "vitalization", + "vitalisation", + "good health", + "healthiness", + "wholeness", + "haleness", + "energy", + "vim", + "vitality", + "juice", + "qi", + "chi", + "ch'i", + "ki", + "bloom", + "blush", + "flush", + "rosiness", + "freshness", + "glow", + "radiance", + "sturdiness", + "fertility", + "fecundity", + "potency", + "potence", + "pathological state", + "ill health", + "unhealthiness", + "health problem", + "disorder", + "upset", + "functional disorder", + "organic disorder", + "dyscrasia", + "blood dyscrasia", + "abocclusion", + "abruptio placentae", + "achlorhydria", + "acholia", + "cholestasis", + "achylia", + "achylia gastrica", + "acute brain disorder", + "acute organic brain syndrome", + "adult respiratory distress syndrome", + "ARDS", + "wet lung", + "white lung", + "ailment", + "complaint", + "ill", + "eating disorder", + "anorexia", + "pica", + "astereognosis", + "tactile agnosia", + "attention deficit disorder", + "ADD", + "attention deficit hyperactivity disorder", + "ADHD", + "hyperkinetic syndrome", + "minimal brain dysfunction", + "minimal brain damage", + "MBD", + "anorgasmia", + "bulimarexia", + "binge-purge syndrome", + "binge-vomit syndrome", + "bulima nervosa", + "bulimia", + "binge-eating syndrome", + "bladder disorder", + "cardiovascular disease", + "carpal tunnel syndrome", + "celiac disease", + "cheilosis", + "perleche", + "choking", + "colpoxerosis", + "degenerative disorder", + "demyelination", + "dysaphia", + "dysosmia", + "parosamia", + "olfactory impairment", + "dysphagia", + "dysuria", + "dystrophy", + "osteodystrophy", + "failure", + "fantods", + "glandular disease", + "gland disease", + "glandular disorder", + "adenosis", + "hyperactivity", + "impaction", + "impacted tooth", + "impaction", + "learning disorder", + "learning disability", + "malocclusion", + "overbite", + "anorexia nervosa", + "cellularity", + "hypercellularity", + "hypocellularity", + "illness", + "unwellness", + "malady", + "sickness", + "invagination", + "introversion", + "invalidism", + "biliousness", + "addiction", + "dependence", + "dependance", + "dependency", + "habituation", + "suspended animation", + "anabiosis", + "cryptobiosis", + "dilatation", + "distension", + "distention", + "tympanites", + "ectasia", + "ectasis", + "lymphangiectasia", + "lymphangiectasis", + "alveolar ectasia", + "drug addiction", + "white plague", + "alcoholism", + "alcohol addiction", + "inebriation", + "drunkenness", + "cocaine addiction", + "heroin addiction", + "caffein addiction", + "nicotine addiction", + "ague", + "roots", + "amyloidosis", + "anuresis", + "anuria", + "catastrophic illness", + "collapse", + "prostration", + "breakdown", + "crack-up", + "nervous breakdown", + "nervous exhaustion", + "nervous prostration", + "neurasthenia", + "shock", + "cardiogenic shock", + "hypovolemic shock", + "obstructive shock", + "distributive shock", + "anaphylactic shock", + "insulin shock", + "insulin reaction", + "decompression sickness", + "aeroembolism", + "air embolism", + "gas embolism", + "caisson disease", + "bends", + "fluorosis", + "food poisoning", + "gastrointestinal disorder", + "botulism", + "mushroom poisoning", + "gammopathy", + "glossolalia", + "ptomaine", + "ptomaine poisoning", + "salmonellosis", + "lead poisoning", + "plumbism", + "saturnism", + "lead colic", + "painter's colic", + "catalepsy", + "disease", + "disease of the neuromuscular junction", + "angiopathy", + "aspergillosis", + "acanthocytosis", + "agranulocytosis", + "agranulosis", + "granulocytopenia", + "analbuminemia", + "Banti's disease", + "Banti's syndrome", + "anthrax", + "cutaneous anthrax", + "malignant pustule", + "pulmonary anthrax", + "inhalation anthrax", + "anthrax pneumonia", + "ragpicker's disease", + "ragsorter's disease", + "woolsorter's pneumonia", + "woolsorter's disease", + "blackwater", + "Argentine hemorrhagic fever", + "blackwater fever", + "jungle fever", + "cat scratch disease", + "complication", + "crud", + "endemic", + "endemic disease", + "enteropathy", + "idiopathic disease", + "idiopathic disorder", + "idiopathy", + "monogenic disorder", + "monogenic disease", + "polygenic disorder", + "polygenic disease", + "hypogonadism", + "male hypogonadism", + "eunuchoidism", + "Kallman's syndrome", + "valvular incompetence", + "incompetence", + "Kawasaki disease", + "mucocutaneous lymph node syndrome", + "plague", + "pestilence", + "pest", + "pycnosis", + "pyknosis", + "hyalinization", + "hyalinisation", + "hyperparathyroidism", + "hypoparathyroidism", + "hyperpituitarism", + "vacuolization", + "vacuolisation", + "vacuolation", + "malaria", + "Marseilles fever", + "Kenya fever", + "Indian tick fever", + "boutonneuse fever", + "Meniere's disease", + "milk sickness", + "mimesis", + "myasthenia gravis", + "myasthenia", + "Lambert-Eaton syndrome", + "Eaton-Lambert syndrome", + "myasthenic syndrome", + "carcinomatous myopathy", + "occupational disease", + "industrial disease", + "onycholysis", + "onychosis", + "Paget's disease", + "osteitis deformans", + "rheumatism", + "periarteritis nodosa", + "polyarteritis nodosa", + "periodontal disease", + "periodontitis", + "pyorrhea", + "pyorrhoea", + "pyorrhea alveolaris", + "Riggs' disease", + "pericementoclasia", + "alveolar resorption", + "gingivitis", + "ulatrophia", + "attack", + "anxiety attack", + "flare", + "seizure", + "ictus", + "raptus", + "touch", + "spot", + "stroke", + "apoplexy", + "cerebrovascular accident", + "CVA", + "convulsion", + "paroxysm", + "fit", + "convulsion", + "hysterics", + "clonus", + "epileptic seizure", + "grand mal", + "generalized seizure", + "epilepsia major", + "petit mal", + "epilepsia minor", + "mental disorder", + "mental disturbance", + "disturbance", + "psychological disorder", + "folie", + "Asperger's syndrome", + "metabolic disorder", + "alkaptonuria", + "alcaptonuria", + "nervous disorder", + "neurological disorder", + "neurological disease", + "brain damage", + "akinesis", + "akinesia", + "alalia", + "brain disorder", + "encephalopathy", + "brain disease", + "cystoplegia", + "cystoparalysis", + "epilepsy", + "akinetic epilepsy", + "cortical epilepsy", + "focal epilepsy", + "focal seizure", + "raptus hemorrhagicus", + "diplegia", + "protuberance", + "grand mal epilepsy", + "grand mal", + "generalized epilepsy", + "epilepsia major", + "Jacksonian epilepsy", + "myoclonus epilepsy", + "Lafora's disease", + "petit mal epilepsy", + "petit mal", + "epilepsia minor", + "absence", + "absence seizure", + "complex absence", + "pure absence", + "simple absence", + "subclinical absence", + "musicogenic epilepsy", + "photogenic epilepsy", + "posttraumatic epilepsy", + "traumatic epilepsy", + "procursive epilepsy", + "progressive vaccinia", + "vaccinia gangrenosa", + "psychomotor epilepsy", + "temporal lobe epilepsy", + "reflex epilepsy", + "sensory epilepsy", + "status epilepticus", + "tonic epilepsy", + "Erb's palsy", + "Erb-Duchenne paralysis", + "nympholepsy", + "apraxia", + "ataxia", + "ataxy", + "dyssynergia", + "motor ataxia", + "Friedreich's ataxia", + "herediatry spinal ataxia", + "hereditary cerebellar ataxia", + "atopognosia", + "atopognosis", + "brachydactyly", + "brachydactylia", + "cryptorchidy", + "cryptorchidism", + "cryptorchism", + "monorchism", + "monorchidism", + "dyskinesia", + "tardive dyskinesia", + "deviated septum", + "deviated nasal septum", + "dextrocardia", + "ectrodactyly", + "enteroptosis", + "erethism", + "fetal distress", + "foetal distress", + "multiple sclerosis", + "MS", + "disseminated sclerosis", + "disseminated multiple sclerosis", + "paralysis agitans", + "Parkinsonism", + "Parkinson's disease", + "Parkinson's syndrome", + "Parkinson's", + "shaking palsy", + "cerebral palsy", + "spastic paralysis", + "chorea", + "choriomeningitis", + "flaccid paralysis", + "orthochorea", + "Sydenham's chorea", + "Saint Vitus dance", + "St. Vitus dance", + "tarantism", + "agraphia", + "anorthography", + "logagraphia", + "acataphasia", + "aphagia", + "amaurosis", + "amblyopia", + "ametropia", + "emmetropia", + "aniseikonia", + "anorthopia", + "aphakia", + "aphasia", + "auditory aphasia", + "acoustic aphasia", + "word deafness", + "conduction aphasia", + "associative aphasia", + "global aphasia", + "total aphasia", + "motor aphasia", + "Broca's aphasia", + "ataxic aphasia", + "expressive aphasia", + "nonfluent aphasia", + "nominal aphasia", + "anomic aphasia", + "anomia", + "amnesic aphasia", + "amnestic aphasia", + "transcortical aphasia", + "visual aphasia", + "alexia", + "word blindness", + "Wernicke's aphasia", + "fluent aphasia", + "receptive aphasia", + "sensory aphasia", + "impressive aphasia", + "dyscalculia", + "dysgraphia", + "dyslexia", + "dysphasia", + "agnosia", + "anarthria", + "auditory agnosia", + "visual agnosia", + "Creutzfeldt-Jakob disease", + "CJD", + "Jakob-Creutzfeldt disease", + "occlusion", + "laryngospasm", + "embolism", + "air embolism", + "aeroembolism", + "gas embolism", + "fat embolism", + "pulmonary embolism", + "thromboembolism", + "thrombosis", + "cerebral thrombosis", + "coronary occlusion", + "coronary heart disease", + "coronary thrombosis", + "coronary", + "milk leg", + "white leg", + "phlegmasia alba dolens", + "hepatomegaly", + "megalohepatia", + "heart disease", + "cardiopathy", + "high blood pressure", + "hypertension", + "inversion", + "transposition", + "heterotaxy", + "keratectasia", + "keratoconus", + "orthostatic hypotension", + "postural hypotension", + "hypotension", + "essential hypertension", + "hyperpiesia", + "hyperpiesis", + "portal hypertension", + "malignant hypertension", + "secondary hypertension", + "white-coat hypertension", + "amyotrophia", + "amyotrophy", + "amyotrophic lateral sclerosis", + "ALS", + "Lou Gehrig's disease", + "aneurysm", + "aneurism", + "aortic aneurysm", + "abdominal aortic aneurysm", + "AAA", + "aortic stenosis", + "enterostenosis", + "laryngostenosis", + "pulmonary stenosis", + "pyloric stenosis", + "rhinostenosis", + "stenosis", + "stricture", + "cerebral aneurysm", + "intracranial aneurysm", + "ventricular aneurysm", + "angina pectoris", + "angina", + "arteriolosclerosis", + "arteriosclerosis", + "arterial sclerosis", + "hardening of the arteries", + "induration of the arteries", + "coronary-artery disease", + "atherogenesis", + "atherosclerosis", + "coronary artery disease", + "athetosis", + "kuru", + "nerve compression", + "nerve entrapment", + "arteriosclerosis obliterans", + "ascites", + "azymia", + "bacteremia", + "bacteriemia", + "bacteriaemia", + "sclerosis", + "induration", + "cardiac arrhythmia", + "arrhythmia", + "cardiomyopathy", + "myocardiopathy", + "hypertrophic cardiomyopathy", + "flutter", + "gallop rhythm", + "cantering rhythm", + "mitral valve prolapse", + "mitral stenosis", + "mitral valve stenosis", + "circulatory failure", + "heart failure", + "coronary failure", + "valvular heart disease", + "congestive heart failure", + "heart attack", + "myocardial infarction", + "myocardial infarct", + "MI", + "kidney disease", + "renal disorder", + "nephropathy", + "nephrosis", + "insufficiency", + "coronary insufficiency", + "cardiac insufficiency", + "nephritis", + "Bright's disease", + "nephrosclerosis", + "nephroangiosclerosis", + "polycystic kidney disease", + "PKD", + "polyuria", + "renal failure", + "kidney failure", + "renal insufficiency", + "acute renal failure", + "acute kidney failure", + "chronic renal failure", + "chronic kidney failure", + "cholelithiasis", + "enterolithiasis", + "nephrocalcinosis", + "nephrolithiasis", + "renal lithiasis", + "lipomatosis", + "lithiasis", + "glomerulonephritis", + "liver disease", + "cirrhosis", + "cirrhosis of the liver", + "fatty liver", + "Addison's disease", + "Addison's syndrome", + "hypoadrenalism", + "hypoadrenocorticism", + "adenopathy", + "aldosteronism", + "hyperaldosteronism", + "Cushing's disease", + "hyperadrenalism", + "Cushing's syndrome", + "hyperadrenocorticism", + "diabetes", + "diabetes mellitus", + "DM", + "type I diabetes", + "insulin-dependent diabetes mellitus", + "IDDM", + "juvenile-onset diabetes", + "juvenile diabetes", + "growth-onset diabetes", + "ketosis-prone diabetes", + "ketoacidosis-prone diabetes", + "autoimmune diabetes", + "type II diabetes", + "non-insulin-dependent diabetes mellitus", + "NIDDM", + "non-insulin-dependent diabetes", + "ketosis-resistant diabetes mellitus", + "ketosis-resistant diabetes", + "ketoacidosis-resistant diabetes mellitus", + "ketoacidosis-resistant diabetes", + "adult-onset diabetes mellitus", + "adult-onset diabetes", + "maturity-onset diabetes mellitus", + "maturity-onset diabetes", + "mature-onset diabetes", + "nephrogenic diabetes insipidus", + "diabetes insipidus", + "latent diabetes", + "chemical diabetes", + "angioedema", + "atrophedema", + "giant hives", + "periodic edema", + "Quincke's edema", + "lymphedema", + "hyperthyroidism", + "thyrotoxicosis", + "Graves' disease", + "exophthalmic goiter", + "hypothyroidism", + "myxedema", + "myxoedema", + "cretinism", + "achondroplasia", + "achondroplasty", + "osteosclerosis congenita", + "chondrodystrophy", + "communicable disease", + "contagious disease", + "contagion", + "influenza", + "flu", + "grippe", + "Asian influenza", + "Asiatic flu", + "swine influenza", + "swine flu", + "measles", + "rubeola", + "morbilli", + "German measles", + "rubella", + "three-day measles", + "epidemic roseola", + "diphtheria", + "exanthema subitum", + "roseola infantum", + "roseola infantilis", + "pseudorubella", + "scarlet fever", + "scarlatina", + "pox", + "smallpox", + "variola", + "variola major", + "alastrim", + "variola minor", + "pseudosmallpox", + "pseudovariola", + "milk pox", + "white pox", + "West Indian smallpox", + "Cuban itch", + "Kaffir pox", + "Vincent's angina", + "Vincent's infection", + "trench mouth", + "blastomycosis", + "chromoblastomycosis", + "tinea", + "ringworm", + "roundworm", + "dhobi itch", + "kerion", + "tinea pedis", + "athlete's foot", + "tinea barbae", + "barber's itch", + "tinea capitis", + "tinea corporis", + "tinea cruris", + "jock itch", + "eczema marginatum", + "blindness", + "sightlessness", + "cecity", + "legal blindness", + "tinea unguium", + "infectious disease", + "AIDS", + "acquired immune deficiency syndrome", + "brucellosis", + "undulant fever", + "Malta fever", + "Gibraltar fever", + "Rock fever", + "Mediterranean fever", + "agammaglobulinemia", + "anergy", + "hypogammaglobulinemia", + "severe combined immunodeficiency", + "severe combined immunodeficiency disease", + "SCID", + "ADA-SCID", + "X-linked SCID", + "X-SCID", + "cholera", + "Asiatic cholera", + "Indian cholera", + "epidemic cholera", + "dengue", + "dengue fever", + "dandy fever", + "breakbone fever", + "dysentery", + "epidemic disease", + "hepatitis", + "viral hepatitis", + "hepatitis A", + "infectious hepatitis", + "hepatitis B", + "serum hepatitis", + "hepatitis delta", + "delta hepatitis", + "hepatitis C", + "liver cancer", + "cancer of the liver", + "herpes", + "herpes simplex", + "oral herpes", + "herpes labialis", + "cold sore", + "fever blister", + "genital herpes", + "herpes genitalis", + "herpes zoster", + "zoster", + "shingles", + "chickenpox", + "varicella", + "venereal disease", + "VD", + "venereal infection", + "social disease", + "Cupid's itch", + "Cupid's disease", + "Venus's curse", + "dose", + "sexually transmitted disease", + "STD", + "gonorrhea", + "gonorrhoea", + "clap", + "granuloma inguinale", + "granuloma venereum", + "syphilis", + "syph", + "pox", + "lues venerea", + "lues", + "primary syphilis", + "secondary syphilis", + "tertiary syphilis", + "tabes dorsalis", + "locomotor ataxia", + "neurosyphilis", + "tabes", + "infectious mononucleosis", + "mononucleosis", + "mono", + "glandular fever", + "kissing disease", + "Ebola hemorrhagic fever", + "Ebola fever", + "Ebola", + "Lassa fever", + "leprosy", + "Hansen's disease", + "tuberculoid leprosy", + "lepromatous leprosy", + "necrotizing enterocolitis", + "NEC", + "listeriosis", + "listeria meningitis", + "lymphocytic choriomeningitis", + "lymphogranuloma venereum", + "LGV", + "lymphopathia venereum", + "meningitis", + "mumps", + "epidemic parotitis", + "cerebrospinal meningitis", + "epidemic meningitis", + "brain fever", + "cerebrospinal fever", + "paratyphoid", + "paratyphoid fever", + "plague", + "pestilence", + "pest", + "pestis", + "bubonic plague", + "pestis bubonica", + "glandular plague", + "ambulant plague", + "ambulatory plague", + "pestis ambulans", + "Black Death", + "Black Plague", + "pneumonic plague", + "pulmonic plague", + "plague pneumonia", + "septicemic plague", + "poliomyelitis", + "polio", + "infantile paralysis", + "acute anterior poliomyelitis", + "Pott's disease", + "ratbite fever", + "rickettsial disease", + "rickettsiosis", + "typhus", + "typhus fever", + "murine typhus", + "rat typhus", + "urban typhus", + "endemic typhus", + "spotted fever", + "Rocky Mountain spotted fever", + "mountain fever", + "tick fever", + "Q fever", + "rickettsialpox", + "trench fever", + "tsutsugamushi disease", + "scrub typhus", + "relapsing fever", + "recurrent fever", + "rheumatic fever", + "rheumatic heart disease", + "sweating sickness", + "miliary fever", + "tuberculosis", + "TB", + "T.B.", + "miliary tuberculosis", + "pulmonary tuberculosis", + "consumption", + "phthisis", + "wasting disease", + "white plague", + "scrofula", + "struma", + "king's evil", + "typhoid", + "typhoid fever", + "enteric fever", + "whooping cough", + "pertussis", + "yaws", + "frambesia", + "framboesia", + "yellow jack", + "yellow fever", + "black vomit", + "respiratory disease", + "respiratory illness", + "respiratory disorder", + "cold", + "common cold", + "head cold", + "asthma", + "asthma attack", + "bronchial asthma", + "status asthmaticus", + "bronchitis", + "bronchiolitis", + "chronic bronchitis", + "chronic obstructive pulmonary disease", + "coccidioidomycosis", + "coccidiomycosis", + "valley fever", + "desert rheumatism", + "cryptococcosis", + "emphysema", + "pulmonary emphysema", + "pneumonia", + "atypical pneumonia", + "primary atypical pneumonia", + "mycoplasmal pneumonia", + "bronchopneumonia", + "bronchial pneumonia", + "double pneumonia", + "interstitial pneumonia", + "lobar pneumonia", + "Legionnaires' disease", + "pneumococcal pneumonia", + "pneumocytosis", + "pneumocystis pneumonia", + "pneumocystis carinii pneumonia", + "interstitial plasma cell pneumonia", + "pneumothorax", + "psittacosis", + "parrot fever", + "ornithosis", + "pneumoconiosis", + "pneumonoconiosis", + "anthracosis", + "black lung", + "black lung disease", + "coal miner's lung", + "asbestosis", + "siderosis", + "silicosis", + "respiratory distress syndrome", + "respiratory distress syndrome of the newborn", + "hyaline membrane disease", + "genetic disease", + "genetic disorder", + "genetic abnormality", + "genetic defect", + "congenital disease", + "inherited disease", + "inherited disorder", + "hereditary disease", + "hereditary condition", + "abetalipoproteinemia", + "ablepharia", + "albinism", + "macrencephaly", + "anencephaly", + "anencephalia", + "adactylia", + "adactyly", + "adactylism", + "ametria", + "color blindness", + "colour blindness", + "color vision deficiency", + "colour vision deficiency", + "diplopia", + "double vision", + "epispadias", + "dichromacy", + "dichromatism", + "dichromatopsia", + "dichromia", + "dichromasy", + "red-green dichromacy", + "red-green color blindness", + "red-green colour blindness", + "deuteranopia", + "Daltonism", + "green-blindness", + "protanopia", + "red-blindness", + "yellow-blue dichromacy", + "yellow-blue color blindness", + "tetartanopia", + "yellow-blindness", + "tritanopia", + "blue-blindness", + "monochromacy", + "monochromatism", + "monochromatic vision", + "monochromia", + "monochromasy", + "cystic fibrosis", + "CF", + "fibrocystic disease of the pancreas", + "pancreatic fibrosis", + "mucoviscidosis", + "inborn error of metabolism", + "galactosemia", + "Gaucher's disease", + "Hirschsprung's disease", + "congenital megacolon", + "Horner's syndrome", + "Huntington's chorea", + "Huntington's disease", + "Hurler's syndrome", + "Hurler's disease", + "gargoylism", + "dysostosis multiplex", + "lipochondrodystrophy", + "mucopolysaccharidosis", + "malignant hyperthermia", + "Marfan's syndrome", + "neurofibromatosis", + "von Recklinghausen's disease", + "osteogenesis imperfecta", + "hyperbetalipoproteinemia", + "hypobetalipoproteinemia", + "ichthyosis", + "clinocephaly", + "clinocephalism", + "clinodactyly", + "macroglossia", + "mongolism", + "mongolianism", + "Down's syndrome", + "Down syndrome", + "trisomy 21", + "maple syrup urine disease", + "branched chain ketoaciduria", + "McArdle's disease", + "muscular dystrophy", + "dystrophy", + "oligodactyly", + "oligodontia", + "otosclerosis", + "Becker muscular dystrophy", + "distal muscular dystrophy", + "Duchenne's muscular dystrophy", + "pseudohypertrophic dystrophy", + "autosomal dominant disease", + "autosomal dominant disorder", + "autosomal recessive disease", + "autosomal recessive defect", + "limb-girdle muscular dystrophy", + "lysinemia", + "myotonic muscular dystrophy", + "myotonic dystrophy", + "myotonia atrophica", + "Steinert's disease", + "oculopharyngeal muscular dystrophy", + "Niemann-Pick disease", + "oxycephaly", + "acrocephaly", + "aplastic anemia", + "aplastic anaemia", + "erythroblastosis fetalis", + "Fanconi's anemia", + "Fanconi's anaemia", + "congenital pancytopenia", + "favism", + "hemolytic anemia", + "haemolytic anaemia", + "hyperchromic anemia", + "hyperchromic anaemia", + "hypochromic anemia", + "hypochromic anaemia", + "hypoplastic anemia", + "hypoplastic anaemia", + "iron deficiency anemia", + "iron deficiency anaemia", + "ischemia", + "ischaemia", + "ischemic stroke", + "ischaemic stroke", + "transient ischemic attack", + "TIA", + "chlorosis", + "greensickness", + "macrocytic anemia", + "macrocytic anaemia", + "microcytic anemia", + "microcytic anaemia", + "parasitemia", + "parasitaemia", + "pernicious anemia", + "pernicious anaemia", + "malignant anemia", + "malignant anaemia", + "megaloblastic anemia", + "megaloblastic anaemia", + "metaplastic anemia", + "metaplastic anaemia", + "refractory anemia", + "refractory anaemia", + "sideroblastic anemia", + "sideroblastic anaemia", + "siderochrestic anemia", + "siderochrestic anaemia", + "sideropenia", + "sickle-cell anemia", + "sickle-cell anaemia", + "sickle-cell disease", + "crescent-cell anemia", + "crescent-cell anaemia", + "drepanocytic anemia", + "drepanocytic anaemia", + "Spielmeyer-Vogt disease", + "juvenile amaurotic idiocy", + "Tay-Sachs disease", + "Tay-Sachs", + "Sachs disease", + "infantile amaurotic idiocy", + "thrombasthenia", + "tyrosinemia", + "Werdnig-Hoffman disease", + "hemophilia", + "haemophilia", + "bleeder's disease", + "afibrinogenemia", + "hemophilia A", + "haemophilia A", + "classical hemophilia", + "classical haemophilia", + "hemophilia B", + "haemophilia B", + "Christmas disease", + "von Willebrand's disease", + "angiohemophilia", + "vascular hemophilia", + "congenital afibrinogenemia", + "inflammatory disease", + "gastroenteritis", + "stomach flu", + "intestinal flu", + "cholera infantum", + "cholera morbus", + "collywobbles", + "pelvic inflammatory disease", + "PID", + "empyema", + "pleurisy", + "purulent pleurisy", + "pleuropneumonia", + "pyelitis", + "sore throat", + "pharyngitis", + "raw throat", + "angina", + "quinsy", + "peritonsillar abscess", + "croup", + "spasmodic laryngitis", + "glossoptosis", + "hypermotility", + "indisposition", + "infection", + "amebiasis", + "amoebiasis", + "amebiosis", + "amoebiosis", + "amebic dysentery", + "amoebic dysentery", + "chlamydia", + "fascioliasis", + "fasciolosis", + "fasciolopsiasis", + "Guinea worm disease", + "Guinea worm", + "dracunculiasis", + "enterobiasis", + "felon", + "whitlow", + "focal infection", + "fungal infection", + "mycosis", + "giardiasis", + "hemorrhagic fever", + "haemorrhagic fever", + "viral hemorrhagic fever", + "viral haemorrhagic fever", + "VHF", + "herpangia", + "leishmaniasis", + "leishmaniosis", + "kala azar", + "nonsocial infection", + "cross infection", + "opportunistic infection", + "paronychia", + "protozoal infection", + "respiratory tract infection", + "respiratory infection", + "lower respiratory infection", + "Crimea-Congo hemorrhagic fever", + "Rift Valley fever", + "HIV", + "viral pneumonia", + "severe acute respiratory syndrome", + "SARS", + "upper respiratory infection", + "scabies", + "itch", + "schistosomiasis", + "bilharzia", + "bilharziasis", + "sepsis", + "visceral leishmaniasis", + "kala-azar", + "Assam fever", + "dumdum fever", + "cutaneous leishmaniasis", + "Old World leishmaniasis", + "oriental sore", + "tropical sore", + "Delhi boil", + "Aleppo boil", + "mucocutaneous leishmaniasis", + "New World leishmaniasis", + "American leishmaniasis", + "leishmaniasis americana", + "nasopharyngeal leishmaniasis", + "candidiasis", + "moniliasis", + "monilia disease", + "dermatomycosis", + "dermatophytosis", + "favus", + "keratomycosis", + "phycomycosis", + "sporotrichosis", + "thrush", + "focus", + "focal point", + "nidus", + "aspergillosis", + "sore", + "boil", + "furuncle", + "gumboil", + "blain", + "chilblain", + "chilblains", + "pernio", + "kibe", + "carbuncle", + "cartilaginification", + "chancre", + "fester", + "suppurating sore", + "gall", + "saddle sore", + "shigellosis", + "bacillary dysentery", + "staphylococcal infection", + "streptococcal sore throat", + "strep throat", + "streptococcus tonsilitis", + "septic sore throat", + "throat infection", + "sty", + "stye", + "hordeolum", + "eye infection", + "superinfection", + "suprainfection", + "tapeworm infection", + "tetanus", + "lockjaw", + "toxoplasmosis", + "trichomoniasis", + "viral infection", + "virus infection", + "arthritis", + "rheumatoid arthritis", + "atrophic arthritis", + "rheumatism", + "rheumatoid factor", + "autoimmune disease", + "autoimmune disorder", + "psoriatic arthritis", + "Still's disease", + "juvenile rheumatoid arthritis", + "osteoarthritis", + "degenerative arthritis", + "degenerative joint disease", + "osteosclerosis", + "housemaid's knee", + "cystitis", + "gout", + "gouty arthritis", + "urarthritis", + "spondylarthritis", + "blood disease", + "blood disorder", + "blood poisoning", + "septicemia", + "septicaemia", + "sapremia", + "sapraemia", + "ozone sickness", + "puerperal fever", + "childbed fever", + "pyemia", + "pyaemia", + "toxemia", + "toxaemia", + "toxemia of pregnancy", + "toxaemia of pregnancy", + "toxemia", + "toxaemia", + "eclampsia", + "preeclampsia", + "pre-eclampsia", + "eosinopenia", + "erythroblastosis", + "hemoglobinemia", + "haemoglobinemia", + "hemoglobinopathy", + "haemoglobinopathy", + "hemoptysis", + "haemoptysis", + "Hand-Schuller-Christian disease", + "Schuller-Christian disease", + "Haverhill fever", + "histiocytosis", + "hydatid mole", + "hydatidiform mole", + "molar pregnancy", + "hydramnios", + "water on the knee", + "hydremia", + "hydrocele", + "lipidosis", + "lipemia", + "lipaemia", + "lipidemia", + "lipidaemia", + "lipoidemia", + "lipoidaemia", + "hyperlipemia", + "hyperlipaemia", + "hyperlipidemia", + "hyperlipidaemia", + "hyperlipoidemia", + "hyperlipoidaemia", + "lysine intolerance", + "lysogeny", + "lysogenicity", + "hypothrombinemia", + "hypervolemia", + "hypervolaemia", + "hypovolemia", + "hypovolaemia", + "anemia", + "anaemia", + "thalassemia", + "thalassaemia", + "Mediterranean anemia", + "Mediterranean anaemia", + "Cooley's anemia", + "Cooley's anaemia", + "thalassemia major", + "thalassaemia major", + "leukocytosis", + "leucocytosis", + "leukopenia", + "leucopenia", + "neutropenia", + "cyclic neutropenia", + "lymphocytopenia", + "lymphopenia", + "lymphocytosis", + "microcytosis", + "polycythemia", + "purpura", + "peliosis", + "nonthrombocytopenic purpura", + "essential thrombocytopenia", + "thrombocytopenia", + "thrombopenia", + "deficiency disease", + "fibrocystic breast disease", + "fibrocystic disease of the breast", + "cystic breast disease", + "cystic mastitis", + "avitaminosis", + "hypovitaminosis", + "hypervitaminosis", + "hypospadias", + "lagophthalmos", + "beriberi", + "kakke disease", + "goiter", + "goitre", + "struma", + "thyromegaly", + "malnutrition", + "kwashiorkor", + "marasmus", + "mental abnormality", + "nanophthalmos", + "organic brain syndrome", + "zinc deficiency", + "pellagra", + "Alpine scurvy", + "mal de la rosa", + "mal rosso", + "maidism", + "mayidism", + "Saint Ignatius' itch", + "rickets", + "rachitis", + "scurvy", + "scorbutus", + "dermoid cyst", + "galactocele", + "hemorrhagic cyst", + "blood cyst", + "hematocyst", + "hydatid", + "nabothian cyst", + "nabothian follicle", + "ovarian cyst", + "chalazion", + "Meibomian cyst", + "ranula", + "sebaceous cyst", + "pilar cyst", + "wen", + "steatocystoma", + "cyst", + "pip", + "motion sickness", + "kinetosis", + "airsickness", + "air sickness", + "car sickness", + "seasickness", + "mal de mer", + "naupathia", + "heatstroke", + "heat hyperpyrexia", + "heat exhaustion", + "heat prostration", + "algidity", + "sunstroke", + "insolation", + "thermic fever", + "siriasis", + "endometriosis", + "adenomyosis", + "pathology", + "adhesion", + "symphysis", + "synechia", + "anterior synechia", + "posterior synechia", + "hemochromatosis", + "iron-storage disease", + "iron overload", + "bronzed diabetes", + "classic hemochromatosis", + "idiopathic hemochromatosis", + "acquired hemochromatosis", + "infarct", + "infarction", + "macrocytosis", + "fibrosis", + "myelofibrosis", + "malacia", + "osteomalacia", + "mastopathy", + "mazopathy", + "neuropathy", + "Charcot-Marie-Tooth disease", + "hereditary motor and sensory neuropathy", + "mononeuropathy", + "multiple mononeuropathy", + "myopathy", + "dermatomyositis", + "polymyositis", + "inclusion body myositis", + "osteopetrosis", + "Albers-Schonberg disease", + "marble bones disease", + "osteoporosis", + "priapism", + "demineralization", + "demineralisation", + "pyorrhea", + "pyorrhoea", + "uremia", + "uraemia", + "azotemia", + "azotaemia", + "azoturia", + "lesion", + "tubercle", + "ulcer", + "ulceration", + "aphthous ulcer", + "bedsore", + "pressure sore", + "decubitus ulcer", + "chancroid", + "peptic ulcer", + "peptic ulceration", + "duodenal ulcer", + "gastric ulcer", + "canker", + "canker sore", + "noli-me-tangere", + "noma", + "affliction", + "curvature", + "deformity", + "malformation", + "misshapenness", + "Arnold-Chiari deformity", + "clawfoot", + "pes cavus", + "cleft foot", + "cleft lip", + "harelip", + "cheiloschisis", + "cleft palate", + "clubfoot", + "talipes", + "talipes valgus", + "talipes equinus", + "talipes calcaneus", + "pigeon breast", + "chicken breast", + "blight", + "alder blight", + "apple blight", + "apple canker", + "beet blight", + "blister blight", + "blister blight", + "cane blight", + "celery blight", + "chestnut blight", + "chestnut canker", + "chestnut-bark disease", + "coffee blight", + "collar blight", + "fire blight", + "pear blight", + "blight canker", + "halo blight", + "halo spot", + "bean blight", + "halo blight", + "head blight", + "wheat scab", + "late blight", + "leaf blight", + "leaf disease", + "needle blight", + "needle cast", + "leaf cast", + "oak blight", + "peach blight", + "potato blight", + "potato mold", + "potato disease", + "potato mildew", + "potato murrain", + "rim blight", + "spinach blight", + "spur blight", + "stem blight", + "stripe blight", + "thread blight", + "tomato blight", + "tomato yellows", + "twig blight", + "walnut blight", + "sandfly fever", + "pappataci fever", + "phlebotomus", + "skin disease", + "disease of the skin", + "skin disorder", + "lupus vulgaris", + "ankylosing spondylitis", + "Marie-Strumpell disease", + "rheumatoid spondylitis", + "discoid lupus erythematosus", + "DLE", + "Hashimoto's disease", + "lupus erythematosus", + "LE", + "systemic lupus erythematosus", + "SLE", + "disseminated lupus erythematosus", + "acantholysis", + "acanthosis", + "acanthosis nigricans", + "keratosis nigricans", + "acne", + "acne rosacea", + "rosacea", + "acne vulgaris", + "actinic dermatitis", + "atopic dermatitis", + "atopic eczema", + "bubble gum dermatitis", + "contact dermatitis", + "Rhus dermatitis", + "poison ivy", + "poison oak", + "poison sumac", + "cradle cap", + "diaper rash", + "diaper dermatitis", + "hypericism", + "neurodermatitis", + "schistosome dermatitis", + "swimmer's itch", + "dermatitis", + "dermatosis", + "baker's eczema", + "allergic eczema", + "eczema herpeticum", + "eczema vaccinatum", + "Kaposi's varicelliform eruption", + "lichtenoid eczema", + "chronic eczema", + "eczema hypertrophicum", + "eczema", + "erythema", + "erythema multiforme", + "erythema nodosum", + "hickey", + "love bite", + "erythema nodosum leprosum", + "ENL", + "erythroderma", + "flare", + "furunculosis", + "impetigo", + "jungle rot", + "keratoderma", + "keratodermia", + "keratonosis", + "keratosis", + "actinic keratosis", + "keratosis blennorrhagica", + "keratoderma blennorrhagica", + "keratosis follicularis", + "Darier's disease", + "keratosis pilaris", + "seborrheic keratosis", + "leukoderma", + "lichen", + "lichen planus", + "lichen ruber planus", + "livedo", + "lupus", + "melanosis", + "melanism", + "molluscum", + "molluscum contagiosum", + "necrobiosis lipoidica", + "necrobiosis lipoidica diabeticorum", + "pemphigus", + "pityriasis", + "dandruff", + "pityriasis alba", + "pityriasis rosea", + "prurigo", + "psoriasis", + "rhagades", + "Saint Anthony's fire", + "erysipelas", + "scleredema", + "seborrhea", + "seborrheic dermatitis", + "seborrheic eczema", + "vitiligo", + "xanthelasma", + "xanthoma", + "xanthoma disseminatum", + "xanthomatosis", + "xanthoma multiplex", + "cholesterosis cutis", + "lipid granulomatosis", + "lipoid granulomatosis", + "xanthosis", + "growth", + "exostosis", + "polyp", + "polypus", + "adenomatous polyp", + "sessile polyp", + "pedunculated polyp", + "peduncle", + "tumor", + "tumour", + "neoplasm", + "acanthoma", + "skin tumor", + "adenoma", + "angioma", + "chondroma", + "benign tumor", + "benign tumour", + "nonmalignant tumor", + "nonmalignant tumour", + "nonmalignant neoplasm", + "blastoma", + "blastocytoma", + "embryonal carcinosarcoma", + "brain tumor", + "brain tumour", + "glioblastoma", + "spongioblastoma", + "glioma", + "carcinoid", + "carcinosarcoma", + "celioma", + "malignancy", + "malignance", + "granulation", + "granulation tissue", + "enchondroma", + "fibroadenoma", + "fibroid tumor", + "fibroid", + "fibroma", + "granuloma", + "gumma", + "hamartoma", + "keratoacanthoma", + "lipoma", + "adipose tumor", + "malignant tumor", + "malignant neoplasm", + "metastatic tumor", + "meningioma", + "cancer", + "malignant neoplastic disease", + "angiosarcoma", + "chondrosarcoma", + "Ewing's sarcoma", + "Ewing's tumor", + "Ewing's tumour", + "endothelial myeloma", + "Kaposi's sarcoma", + "leiomyosarcoma", + "liposarcoma", + "myosarcoma", + "neurosarcoma", + "malignant neuroma", + "osteosarcoma", + "osteogenic sarcoma", + "lymphadenoma", + "lymphadenopathy", + "lymphoma", + "Hodgkin's disease", + "carcinoma", + "cancroid", + "squamous cell carcinoma", + "leukemia", + "leukaemia", + "leucaemia", + "cancer of the blood", + "acute leukemia", + "acute lymphocytic leukemia", + "acute lymphoblastic leukemia", + "acute myelocytic leukemia", + "acute myeloid leukemia", + "chronic leukemia", + "chronic lymphocytic leukemia", + "chronic myelocytic leukemia", + "myeloid leukemia", + "lymphocytic leukemia", + "lymphoblastic leukemia", + "monocytic leukemia", + "monocytic leukaemia", + "monoblastic leukemia", + "monoblastic leukaemia", + "histiocytic leukemia", + "histiocytic leukaemia", + "myeloblastic leukemia", + "myelocytic leukemia", + "granulocytic leukemia", + "rhabdomyosarcoma", + "rhabdosarcoma", + "embryonal rhabdomyosarcoma", + "embryonal rhabdosarcoma", + "alveolar rhabdomyosarcoma", + "alveolar rhabdosarcoma", + "pleomorphic rhabdomyosarcoma", + "pleomorphic rhabdosarcoma", + "Wilms' tumor", + "Wilms tumour", + "adenomyosarcoma", + "nephroblastoma", + "embryoma of the kidney", + "sarcoma", + "adenocarcinoma", + "glandular cancer", + "glandular carcinoma", + "breast cancer", + "carcinoma in situ", + "preinvasive cancer", + "colon cancer", + "embryonal carcinoma", + "endometrial carcinoma", + "endometrial cancer", + "hemangioma", + "haemangioma", + "strawberry hemangioma", + "strawberry haemangioma", + "lymphangioma", + "spider angioma", + "spider nevus", + "vascular spider", + "myeloma", + "multiple myeloma", + "myoma", + "myxoma", + "neurinoma", + "neuroblastoma", + "neuroepithelioma", + "neurofibroma", + "neurilemoma", + "neuroma", + "leiomyoma", + "rhabdomyoma", + "osteoblastoma", + "osteochondroma", + "osteoma", + "papilloma", + "villoma", + "papillary tumor", + "papillary tumour", + "pheochromocytoma", + "phaeochromocytoma", + "pinealoma", + "plasmacytoma", + "psammoma", + "sand tumor", + "retinoblastoma", + "teratoma", + "hepatoma", + "malignant hepatoma", + "hepatocarcinoma", + "hepatocellular carcinoma", + "lung cancer", + "mesothelioma", + "oat cell carcinoma", + "small cell carcinoma", + "oral cancer", + "pancreatic cancer", + "prostate cancer", + "prostatic adenocarcinoma", + "seminoma", + "testicular cancer", + "skin cancer", + "epithelioma", + "melanoma", + "malignant melanoma", + "trophoblastic cancer", + "eye disease", + "animal disease", + "actinomycosis", + "cervicofacial actinomycosis", + "lumpy jaw", + "cataract", + "macular edema", + "cystoid macular edema", + "drusen", + "glaucoma", + "acute glaucoma", + "closed-angle glaucoma", + "angle-closure glaucoma", + "normal tension glaucoma", + "cortical cataract", + "nuclear cataract", + "posterior subcapsular cataract", + "chronic glaucoma", + "open-angle glaucoma", + "keratonosus", + "macular degeneration", + "age-related macular degeneration", + "AMD", + "retinopathy", + "diabetic retinopathy", + "trachoma", + "leukoma", + "leucoma", + "adenitis", + "alveolitis", + "alveolitis", + "dry socket", + "angiitis", + "aortitis", + "rheumatic aortitis", + "appendicitis", + "arteritis", + "periarteritis", + "polyarteritis", + "Takayasu's arteritis", + "pulseless disease", + "temporal arteritis", + "ophthalmia", + "ophthalmitis", + "ophthalmia neonatorum", + "thoracic actinomycosis", + "abdominal actinomycosis", + "farmer's lung", + "thresher's lung", + "anaplasmosis", + "anthrax", + "splenic fever", + "aspergillosis", + "brooder pneumonia", + "aspiration pneumonia", + "bagassosis", + "bagascosis", + "balanitis", + "balanoposthitis", + "bighead", + "blepharitis", + "bursitis", + "brucellosis", + "contagious abortion", + "Bang's disease", + "bluetongue", + "bovine spongiform encephalitis", + "BSE", + "mad cow disease", + "bull nose", + "camelpox", + "canine chorea", + "chorea", + "catarrhal fever", + "chronic wasting disease", + "costiasis", + "cowpox", + "vaccinia", + "creeps", + "hemorrhagic septicemia", + "pasteurellosis", + "fistulous withers", + "fistula", + "fowl cholera", + "fowl pest", + "hog cholera", + "distemper", + "canine distemper", + "equine distemper", + "strangles", + "enterotoxemia", + "foot-and-mouth disease", + "hoof-and-mouth disease", + "foot rot", + "black disease", + "sheep rot", + "liver rot", + "distomatosis", + "glanders", + "heaves", + "broken wind", + "Lyme disease", + "Lyme arthritis", + "Marburg disease", + "Marburg hemorrhagic fever", + "green monkey disease", + "albuminuria", + "proteinuria", + "aminoaciduria", + "ammoniuria", + "hematocyturia", + "haematocyturia", + "Jacquemier's sign", + "Kayser-Fleischer ring", + "keratomalacia", + "Kernig's sign", + "ketonemia", + "ketosis", + "acetonemia", + "Koplik's spots", + "fructosuria", + "glucosuria", + "glycosuria", + "lymphuria", + "monocytosis", + "thrombocytosis", + "ochronosis", + "hypercalcemia", + "hypercalcaemia", + "hypocalcemia", + "hypocalcaemia", + "hypercalciuria", + "hypercalcinuria", + "hypercholesterolemia", + "hypercholesteremia", + "hyperkalemia", + "hypokalemia", + "kalemia", + "kaliuresis", + "kaluresis", + "natriuresis", + "hyperlipoproteinemia", + "hypolipoproteinemia", + "hypoproteinemia", + "hypernatremia", + "hyponatremia", + "hypersplenism", + "ketonuria", + "ketoaciduria", + "acetonuria", + "rabies", + "hydrophobia", + "lyssa", + "madness", + "red water", + "rhinotracheitis", + "rinderpest", + "cattle plague", + "scours", + "scrapie", + "shipping fever", + "shipping pneumonia", + "spavin", + "blood spavin", + "bog spavin", + "bone spavin", + "swamp fever", + "leptospirosis", + "canicola fever", + "Weil's disease", + "loco disease", + "locoism", + "looping ill", + "mange", + "moon blindness", + "mooneye", + "murrain", + "myxomatosis", + "Newcastle disease", + "pip", + "psittacosis", + "parrot disease", + "pullorum disease", + "bacillary white diarrhea", + "bacillary white diarrhoea", + "saddle sore", + "gall", + "sand crack", + "toe crack", + "quarter crack", + "staggers", + "blind staggers", + "sweating sickness", + "Texas fever", + "trembles", + "milk sickness", + "tularemia", + "tularaemia", + "rabbit fever", + "deer fly fever", + "yatobyo", + "zoonosis", + "zoonotic disease", + "plant disease", + "rust", + "blister rust", + "white-pine rust", + "white pine blister rust", + "blackheart", + "black knot", + "black rot", + "black spot", + "bottom rot", + "brown rot", + "brown rot gummosis", + "gummosis", + "gummosis", + "ring rot", + "ring disease", + "tobacco wilt", + "canker", + "cotton ball", + "crown gall", + "hairy root", + "crown wart", + "damping off", + "dieback", + "dry rot", + "heartrot", + "mosaic", + "potato mosaic", + "tobacco mosaic", + "tomato streak", + "rhizoctinia disease", + "little potato", + "rosette", + "russet scab", + "stem canker", + "pink disease", + "potato wart", + "root rot", + "scorch", + "leaf scorch", + "sweet-potato ring rot", + "sclerotium disease", + "sclerotium rot", + "Dutch elm disease", + "ergot", + "foot rot", + "granville wilt", + "pinkroot", + "wilt", + "wilt disease", + "fusarium wilt", + "verticilliosis", + "smut", + "loose smut", + "bunt", + "stinking smut", + "flag smut", + "green smut", + "false smut", + "soft rot", + "leak", + "yellow dwarf", + "yellow dwarf of potato", + "potato yellow dwarf", + "onion yellow dwarf", + "yellow spot", + "trauma", + "psychic trauma", + "birth trauma", + "injury", + "hurt", + "harm", + "trauma", + "raw wound", + "stigmata", + "abrasion", + "scratch", + "scrape", + "excoriation", + "graze", + "rope burn", + "cut", + "gash", + "slash", + "slice", + "laceration", + "bite", + "dog bite", + "snakebite", + "bee sting", + "flea bite", + "mosquito bite", + "birth trauma", + "blast trauma", + "bleeding", + "hemorrhage", + "haemorrhage", + "hemorrhagic stroke", + "haemorrhagic stroke", + "blunt trauma", + "bruise", + "contusion", + "ecchymosis", + "petechia", + "shiner", + "black eye", + "mouse", + "bump", + "burn", + "electric burn", + "scorch", + "singe", + "scald", + "sedation", + "sunburn", + "erythema solare", + "tan", + "suntan", + "sunburn", + "burn", + "windburn", + "hyperpigmentation", + "hypopigmentation", + "first-degree burn", + "second-degree burn", + "third-degree burn", + "dislocation", + "electric shock", + "fracture", + "break", + "comminuted fracture", + "complete fracture", + "compound fracture", + "open fracture", + "compression fracture", + "depressed fracture", + "displaced fracture", + "fatigue fracture", + "stress fracture", + "hairline fracture", + "capillary fracture", + "greenstick fracture", + "incomplete fracture", + "impacted fracture", + "simple fracture", + "closed fracture", + "abarticulation", + "diastasis", + "spondylolisthesis", + "frostbite", + "cryopathy", + "intravasation", + "penetrating trauma", + "penetrating injury", + "pinch", + "rupture", + "hernia", + "herniation", + "colpocele", + "vaginocele", + "diverticulum", + "Meckel's diverticulum", + "eventration", + "exomphalos", + "hiatus hernia", + "hiatal hernia", + "diaphragmatic hernia", + "herniated disc", + "ruptured intervertebral disc", + "slipped disc", + "inguinal hernia", + "cystocele", + "colpocystocele", + "rectocele", + "proctocele", + "keratocele", + "laparocele", + "umbilical hernia", + "omphalocele", + "sleep disorder", + "sting", + "bite", + "insect bite", + "strain", + "strangulation", + "whiplash", + "whiplash injury", + "wale", + "welt", + "weal", + "wheal", + "wound", + "lesion", + "wrench", + "twist", + "pull", + "sprain", + "trench foot", + "immersion foot", + "symptom", + "sign", + "vital sign", + "amenorrhea", + "amenorrhoea", + "amenia", + "aura", + "chloasma", + "melasma", + "mask of pregnancy", + "clubbing", + "cyanosis", + "diuresis", + "acrocyanosis", + "Raynaud's sign", + "primary amenorrhea", + "secondary amenorrhea", + "prodrome", + "prodroma", + "syndrome", + "cervical disc syndrome", + "cervical root syndrome", + "Chinese restaurant syndrome", + "Conn's syndrome", + "fetal alcohol syndrome", + "FAS", + "Gulf War syndrome", + "Persian Gulf illness", + "regional enteritis", + "regional ileitis", + "Crohn's disease", + "irritable bowel syndrome", + "spastic colon", + "mucous colitis", + "Klinefelter's syndrome", + "Klinefelter syndrome", + "XXY-syndrome", + "ulcerative colitis", + "malabsorption syndrome", + "Munchausen's syndrome", + "Munchausen syndrome", + "narcolepsy", + "nephrotic syndrome", + "nephrosis", + "Noonan's syndrome", + "phantom limb syndrome", + "premenstrual syndrome", + "PMS", + "radiation sickness", + "radiation syndrome", + "radiation", + "Ramsay Hunt syndrome", + "Reiter's syndrome", + "Reiter's disease", + "restless legs syndrome", + "restless legs", + "Ekbom syndrome", + "Reye's syndrome", + "scalenus syndrome", + "neonatal death", + "sudden infant death syndrome", + "SIDS", + "infant death", + "crib death", + "cot death", + "tetany", + "tetanilla", + "intermittent tetanus", + "intermittent cramp", + "apyretic tetanus", + "thoracic outlet syndrome", + "Tietze's syndrome", + "Tourette's syndrome", + "Gilles de la Tourette syndrome", + "effect", + "aftereffect", + "bummer", + "hairy tongue", + "furry tongue", + "black tongue", + "side effect", + "abscess", + "abscessed tooth", + "head", + "purulence", + "purulency", + "water blister", + "blood blister", + "exophthalmos", + "festination", + "furring", + "gangrene", + "sphacelus", + "slough", + "dry gangrene", + "cold gangrene", + "mumification necrosis", + "mummification", + "gas gangrene", + "clostridial myonecrosis", + "emphysematous gangrene", + "emphysematous phlegmon", + "gangrenous emphysema", + "gas phlegmon", + "progressive emphysematous necrosis", + "hematuria", + "haematuria", + "hemoglobinuria", + "haemoglobinuria", + "hemosiderosis", + "haemosiderosis", + "nebula", + "sneeze", + "sneezing", + "sternutation", + "enlargement", + "swelling", + "puffiness", + "lump", + "bloat", + "bubo", + "anasarca", + "chemosis", + "papilledema", + "bunion", + "palsy", + "pyuria", + "edema", + "oedema", + "hydrops", + "dropsy", + "cerebral edema", + "brain edema", + "hematocele", + "haematocele", + "hematocoele", + "haematocoele", + "hematocolpometra", + "haematocolpometra", + "hematocolpos", + "haematocolpos", + "intumescence", + "intumescency", + "iridoncus", + "lymphogranuloma", + "oscheocele", + "oscheocoele", + "tumescence", + "tumidity", + "tumidness", + "cephalhematoma", + "cephalohematoma", + "hematoma", + "haematoma", + "proud flesh", + "hyperbilirubinemia", + "hyperbilirubinemia of the newborn", + "neonatal hyperbilirubinemia", + "hyperglycemia", + "hyperglycaemia", + "hypoglycemia", + "hypoglycaemia", + "jaundice", + "icterus", + "jaundice of the newborn", + "physiological jaundice of the newborn", + "icterus neonatorum", + "kernicterus", + "congestion", + "hydrothorax", + "hemothorax", + "haemothorax", + "hyperemia", + "hyperaemia", + "engorgement", + "pulmonary congestion", + "stuffiness", + "eruption", + "enanthem", + "enanthema", + "exanthem", + "exanthema", + "skin eruption", + "rash", + "roseola", + "efflorescence", + "skin rash", + "prickly heat", + "heat rash", + "miliaria", + "urtication", + "urticaria", + "hives", + "nettle rash", + "numbness", + "pain", + "hurting", + "ache", + "aching", + "toothache", + "odontalgia", + "aerodontalgia", + "agony", + "suffering", + "excruciation", + "arthralgia", + "throe", + "paresthesia", + "paraesthesia", + "formication", + "Passion", + "Passion of Christ", + "backache", + "burn", + "burning", + "causalgia", + "colic", + "intestinal colic", + "gripes", + "griping", + "chest pain", + "chiralgia", + "distress", + "dysmenorrhea", + "primary dysmenorrhea", + "secondary dysmenorrhea", + "headache", + "head ache", + "cephalalgia", + "glossalgia", + "glossodynia", + "growing pains", + "hemorrhoid", + "haemorrhoid", + "piles", + "stomachache", + "stomach ache", + "bellyache", + "gastralgia", + "earache", + "otalgia", + "histamine headache", + "cluster headache", + "migraine", + "megrim", + "sick headache", + "hemicrania", + "sick headache", + "sinus headache", + "tension headache", + "lumbago", + "lumbar pain", + "keratalgia", + "labor pain", + "mastalgia", + "melagra", + "meralgia", + "metralgia", + "myalgia", + "myodynia", + "nephralgia", + "neuralgia", + "neuralgy", + "odynophagia", + "orchidalgia", + "pang", + "pang", + "sting", + "photalgia", + "photophobia", + "pleurodynia", + "pleuralgia", + "costalgia", + "podalgia", + "proctalgia", + "epidemic pleurodynia", + "epidemic myalgia", + "myosis", + "diaphragmatic pleurisy", + "Bornholm disease", + "trigeminal neuralgia", + "tic douloureux", + "sciatica", + "birth pangs", + "labor pains", + "labour pains", + "afterpains", + "palilalia", + "palmature", + "referred pain", + "renal colic", + "smart", + "smarting", + "smartness", + "sting", + "stinging", + "stitch", + "rebound tenderness", + "tenderness", + "soreness", + "rawness", + "thermalgesia", + "chafe", + "throb", + "torture", + "torment", + "ulalgia", + "urodynia", + "postnasal drip", + "papule", + "papulovesicle", + "vesicopapule", + "pustule", + "pimple", + "hickey", + "zit", + "pock", + "cardiomegaly", + "megalocardia", + "megacardia", + "enlarged heart", + "heart murmur", + "cardiac murmur", + "murmur", + "systolic murmur", + "palpitation", + "heartburn", + "pyrosis", + "gastroesophageal reflux", + "esophageal reflux", + "oesophageal reflux", + "hepatojugular reflux", + "ureterorenal reflux", + "vesicoureteral reflux", + "reflux", + "hot flash", + "flush", + "indigestion", + "dyspepsia", + "stomach upset", + "upset stomach", + "inflammation", + "redness", + "rubor", + "amyxia", + "carditis", + "endocarditis", + "subacute bacterial endocarditis", + "myocardial inflammation", + "myocarditis", + "pancarditis", + "pericarditis", + "catarrh", + "cellulitis", + "cervicitis", + "cheilitis", + "chill", + "shivering", + "ague", + "chills and fever", + "quartan", + "cholangitis", + "cholecystitis", + "chorditis", + "chorditis", + "colitis", + "inflammatory bowel disease", + "colpitis", + "colpocystitis", + "conjunctivitis", + "pinkeye", + "corditis", + "costochondritis", + "dacryocystitis", + "diverticulitis", + "encephalitis", + "cephalitis", + "phrenitis", + "encephalomyelitis", + "endarteritis", + "acute hemorrhagic encephalitis", + "equine encephalitis", + "equine encephalomyelitis", + "herpes simplex encephalitis", + "herpes encephalitis", + "acute inclusion body encephalitis", + "leukoencephalitis", + "meningoencephalitis", + "cerebromeningitis", + "encephalomeningitis", + "panencephalitis", + "sleeping sickness", + "sleepy sickness", + "epidemic encephalitis", + "lethargic encephalitis", + "encephalitis lethargica", + "West Nile encephalitis", + "subacute sclerosing panencephalitis", + "SSPE", + "inclusion body encephalitis", + "subacute inclusion body encephalitis", + "sclerosing leukoencephalitis", + "subacute sclerosing leukoencephalitis", + "Bosin's disease", + "Dawson's encephalitis", + "Van Bogaert encephalitis", + "rubella panencephalitis", + "endocervicitis", + "enteritis", + "necrotizing enteritis", + "epicondylitis", + "epididymitis", + "epiglottitis", + "episcleritis", + "esophagitis", + "oesophagitis", + "fibrositis", + "fibromyositis", + "folliculitis", + "funiculitis", + "gastritis", + "acute gastritis", + "chronic gastritis", + "glossitis", + "acute glossitis", + "chronic glossitis", + "Moeller's glossitis", + "glossodynia exfoliativa", + "hydrarthrosis", + "ileitis", + "iridocyclitis", + "iridokeratitis", + "iritis", + "jejunitis", + "jejunoileitis", + "keratitis", + "keratoconjunctivitis", + "keratoiritis", + "keratoscleritis", + "labyrinthitis", + "otitis interna", + "laminitis", + "founder", + "laryngitis", + "laryngopharyngitis", + "laryngotracheobronchitis", + "leptomeningitis", + "lymphadenitis", + "lymphangitis", + "mastitis", + "mastoiditis", + "metritis", + "endometritis", + "monoplegia", + "myelatelia", + "myelitis", + "myositis", + "myometritis", + "trichinosis", + "trichiniasis", + "myositis trichinosa", + "neuritis", + "oophoritis", + "orchitis", + "ophthalmoplegia", + "osteitis", + "osteomyelitis", + "otitis", + "otitis externa", + "otitis media", + "ovaritis", + "otorrhea", + "ozena", + "ozaena", + "pancreatitis", + "parametritis", + "parotitis", + "peritonitis", + "peritoneal inflammation", + "phalangitis", + "phlebitis", + "phlebothrombosis", + "venous thrombosis", + "polyneuritis", + "multiple neuritis", + "retrobulbar neuritis", + "Guillain-Barre syndrome", + "infectious polyneuritis", + "Landry's paralysis", + "thrombophlebitis", + "pneumonitis", + "posthitis", + "proctitis", + "prostatitis", + "rachitis", + "radiculitis", + "chorioretinitis", + "retinitis", + "rhinitis", + "coryza", + "sinusitis", + "pansinusitis", + "salpingitis", + "scleritis", + "sialadenitis", + "splenitis", + "spondylitis", + "stomatitis", + "vesicular stomatitis", + "synovitis", + "tarsitis", + "tendinitis", + "tendonitis", + "tenonitis", + "tennis elbow", + "lateral epicondylitis", + "lateral humeral epicondylitis", + "tenosynovitis", + "tendosynovitis", + "tendonous synovitis", + "thyroiditis", + "tonsillitis", + "tracheitis", + "tracheobronchitis", + "tympanitis", + "ulitis", + "ureteritis", + "uveitis", + "uvulitis", + "vaccinia", + "vaccina", + "variola vaccine", + "variola vaccinia", + "variola vaccina", + "vaginitis", + "valvulitis", + "vasculitis", + "vasovesiculitis", + "vesiculitis", + "vulvitis", + "vulvovaginitis", + "cough", + "coughing", + "hiccup", + "hiccough", + "singultus", + "meningism", + "nausea", + "sickness", + "morning sickness", + "queasiness", + "squeamishness", + "qualm", + "spasm", + "cramp", + "muscle spasm", + "charley horse", + "charley-horse", + "writer's cramp", + "graphospasm", + "blepharospasm", + "crick", + "kink", + "rick", + "wrick", + "myoclonus", + "opisthotonos", + "twitch", + "twitching", + "vellication", + "tic", + "blepharism", + "fibrillation", + "atrial fibrillation", + "bradycardia", + "heart block", + "Adams-Stokes syndrome", + "Stokes-Adams syndrome", + "atrioventricular block", + "premature ventricular contraction", + "PVC", + "tachycardia", + "ventricular fibrillation", + "fasciculation", + "scar", + "cicatrix", + "cicatrice", + "callus", + "keloid", + "cheloid", + "pockmark", + "sword-cut", + "vaccination", + "hardening", + "callosity", + "callus", + "corn", + "clavus", + "calcification", + "musca volitans", + "muscae volitantes", + "floater", + "spots", + "fever", + "febrility", + "febricity", + "pyrexia", + "feverishness", + "hyperpyrexia", + "atrophy", + "wasting", + "wasting away", + "dysplasia", + "fibrous dysplasia of bone", + "Albright's disease", + "polyostotic fibrous dysplasia", + "monostotic fibrous dysplasia", + "hypertrophy", + "adenomegaly", + "cor pulmonale", + "dactylomegaly", + "elephantiasis", + "elephantiasis neuromatosa", + "elephantiasis scroti", + "chyloderma", + "nevoid elephantiasis", + "pachyderma", + "filariasis", + "splenomegaly", + "giantism", + "gigantism", + "overgrowth", + "acromegaly", + "acromegalia", + "hyperplasia", + "benign prostatic hyperplasia", + "BPH", + "hypoplasia", + "anaplasia", + "apnea", + "periodic apnea of the newborn", + "dyspnea", + "dyspnoea", + "orthopnea", + "shortness of breath", + "SOB", + "breathlessness", + "sleep apnea", + "cerebral hemorrhage", + "blood extravasation", + "hyphema", + "metrorrhagia", + "nosebleed", + "epistaxis", + "ulemorrhagia", + "constipation", + "irregularity", + "dyschezia", + "fecal impaction", + "obstipation", + "diarrhea", + "diarrhoea", + "looseness of the bowels", + "looseness", + "the shits", + "the trots", + "Montezuma's revenge", + "dizziness", + "giddiness", + "lightheadedness", + "vertigo", + "anemia", + "anaemia", + "wheeziness", + "withdrawal symptom", + "thrombus", + "embolus", + "psychological state", + "psychological condition", + "mental state", + "mental condition", + "morale", + "anxiety", + "anxiousness", + "castration anxiety", + "hypochondria", + "hypochondriasis", + "overanxiety", + "hallucinosis", + "identity crisis", + "nervousness", + "nerves", + "jitters", + "heebie-jeebies", + "screaming meemies", + "strain", + "mental strain", + "nervous strain", + "tension", + "tenseness", + "stress", + "yips", + "breaking point", + "delusion", + "psychotic belief", + "delusions of grandeur", + "delusions of persecution", + "hallucination", + "auditory hallucination", + "acousma", + "chromatism", + "pink elephants", + "pseudohallucination", + "trip", + "visual hallucination", + "zoopsia", + "nihilistic delusion", + "nihilism", + "somatic delusion", + "zoanthropy", + "mental health", + "mental soundness", + "mental balance", + "sanity", + "saneness", + "lucidity", + "rationality", + "reason", + "reasonableness", + "mental illness", + "mental disease", + "psychopathy", + "anxiety disorder", + "generalized anxiety disorder", + "GAD", + "anxiety reaction", + "obsessive-compulsive disorder", + "panic disorder", + "phobia", + "phobic disorder", + "phobic neurosis", + "acarophobia", + "agoraphobia", + "androphobia", + "arachnophobia", + "gynophobia", + "simple phobia", + "acrophobia", + "algophobia", + "aquaphobia", + "astraphobia", + "automysophobia", + "claustrophobia", + "cryophobia", + "cyberphobia", + "hydrophobia", + "hydrophobia", + "hypnophobia", + "mysophobia", + "neophobia", + "nyctophobia", + "phobophobia", + "phonophobia", + "acousticophobia", + "photophobia", + "pyrophobia", + "taphephobia", + "thanatophobia", + "triskaidekaphobia", + "zoophobia", + "ailurophobia", + "cynophobia", + "entomophobia", + "lepidophobia", + "musophobia", + "social phobia", + "satanophobia", + "school phobia", + "traumatophobia", + "xenophobia", + "posttraumatic stress disorder", + "PTSD", + "psychosomatic disorder", + "aberration", + "conversion disorder", + "conversion reaction", + "conversion hysteria", + "glove anesthesia", + "delirium", + "delusional disorder", + "encopresis", + "folie a deux", + "personality disorder", + "maladjustment", + "antisocial personality disorder", + "sociopathic personality", + "psychopathic personality", + "battle fatigue", + "combat fatigue", + "combat neurosis", + "shell shock", + "schizotypal personality", + "schizoid", + "affective disorder", + "major affective disorder", + "emotional disorder", + "emotional disturbance", + "depressive disorder", + "clinical depression", + "depression", + "agitated depression", + "anaclitic depression", + "dysthymia", + "dysthymic depression", + "endogenous depression", + "exogenous depression", + "reactive depression", + "major depressive episode", + "involutional depression", + "neurotic depression", + "psychotic depression", + "retarded depression", + "unipolar depression", + "mania", + "manic disorder", + "craze", + "delirium", + "frenzy", + "fury", + "hysteria", + "mass hysteria", + "epidemic hysertia", + "megalomania", + "melancholia", + "bipolar disorder", + "manic depression", + "manic depressive illness", + "manic-depressive psychosis", + "cyclothymia", + "cyclothymic disorder", + "cyclic disorder", + "schizothymia", + "neurosis", + "neuroticism", + "psychoneurosis", + "hysteria", + "hysterical neurosis", + "anxiety hysteria", + "hysterocatalepsy", + "anxiety neurosis", + "depersonalization", + "depersonalisation", + "depersonalization disorder", + "depersonalisation disorder", + "depersonalization neurosis", + "depersonalisation neurosis", + "fugue", + "psychogenic fugue", + "split personality", + "multiple personality", + "insanity", + "lunacy", + "madness", + "insaneness", + "dementia", + "dementedness", + "alcoholic dementia", + "alcohol amnestic disorder", + "Korsakoff's psychosis", + "Korsakoff's syndrome", + "Korsakov's psychosis", + "Korsakov's syndrome", + "polyneuritic psychosis", + "presenile dementia", + "Alzheimer's disease", + "Alzheimer's", + "Alzheimers", + "Pick's disease", + "senile dementia", + "senile psychosis", + "rhinopathy", + "rhinophyma", + "hypertrophic rosacea", + "toper's nose", + "brandy nose", + "rum nose", + "rum-blossom", + "potato nose", + "hammer nose", + "copper nose", + "Wernicke's encephalopathy", + "irrationality", + "unreason", + "derangement", + "mental unsoundness", + "unbalance", + "craziness", + "daftness", + "flakiness", + "psychosis", + "delirium tremens", + "DTs", + "paranoia", + "schizophrenia", + "schizophrenic disorder", + "schizophrenic psychosis", + "dementia praecox", + "borderline schizophrenia", + "latent schizophrenia", + "catatonic schizophrenia", + "catatonic type schizophrenia", + "catatonia", + "hebephrenia", + "hebephrenic schizophrenia", + "disorganized schizophrenia", + "disorganized type schizophrenia", + "paranoid schizophrenia", + "paranoic type schizophrenia", + "paraphrenic schizophrenia", + "paraphrenia", + "acute schizophrenic episode", + "reactive schizophrenia", + "aphonia", + "voicelessness", + "speech disorder", + "speech defect", + "defect of speech", + "sprue", + "tropical sprue", + "psilosis", + "flaccid bladder", + "neurogenic bladder", + "spastic bladder", + "cataphasia", + "dysarthria", + "dyslogia", + "dysphonia", + "lallation", + "lambdacism", + "lisp", + "stammer", + "stutter", + "agitation", + "disturbance", + "perturbation", + "upset", + "fret", + "stew", + "sweat", + "lather", + "swither", + "dither", + "pother", + "fuss", + "tizzy", + "flap", + "tailspin", + "depression", + "blues", + "blue devils", + "megrims", + "vapors", + "vapours", + "funk", + "blue funk", + "melancholy", + "slough of despond", + "low spirits", + "dumps", + "mopes", + "elation", + "high", + "high", + "cold sweat", + "panic", + "scare", + "red scare", + "fit", + "tantrum", + "scene", + "conniption", + "areflexia", + "irritation", + "annoyance", + "vexation", + "botheration", + "bummer", + "huff", + "miff", + "seeing red", + "pinprick", + "restlessness", + "impatience", + "snit", + "enchantment", + "spell", + "trance", + "possession", + "fascination", + "captivation", + "difficulty", + "bitch", + "predicament", + "quandary", + "plight", + "corner", + "box", + "hot water", + "rattrap", + "pinch", + "fix", + "hole", + "jam", + "mess", + "muddle", + "pickle", + "kettle of fish", + "dog's breakfast", + "dog's dinner", + "hard time", + "rough sledding", + "stress", + "strain", + "mire", + "problem", + "job", + "race problem", + "balance-of-payments problem", + "situation", + "quicksand", + "vogue", + "recognition", + "acknowledgment", + "acknowledgement", + "approval", + "favorable reception", + "favourable reception", + "appro", + "acceptation", + "contentedness", + "content", + "acquiescence", + "welcome", + "apostasy", + "renunciation", + "defection", + "disfavor", + "disfavour", + "wilderness", + "excommunication", + "exclusion", + "censure", + "reprobation", + "separation", + "discreteness", + "distinctness", + "separateness", + "severalty", + "isolation", + "solitude", + "solitude", + "purdah", + "loneliness", + "solitariness", + "quarantine", + "insulation", + "insularity", + "insularism", + "detachment", + "alienation", + "estrangement", + "anomie", + "anomy", + "privacy", + "privateness", + "secrecy", + "concealment", + "hiddenness", + "covertness", + "bosom", + "confidentiality", + "dissociation", + "disassociation", + "compartmentalization", + "compartmentalisation", + "dissociative disorder", + "discontinuity", + "disjunction", + "disjuncture", + "disconnection", + "disconnectedness", + "separability", + "incoherence", + "incoherency", + "disjointedness", + "union", + "unification", + "coalition", + "fusion", + "alliance", + "confederation", + "federalization", + "federalisation", + "connection", + "link", + "connectedness", + "contact", + "concatenation", + "osculation", + "tangency", + "interconnection", + "interconnectedness", + "coherence", + "coherency", + "cohesion", + "cohesiveness", + "consistency", + "junction", + "conjunction", + "conjugation", + "colligation", + "association", + "disassociation", + "marriage", + "syncretism", + "continuity", + "improvement", + "melioration", + "decline", + "declination", + "betterment", + "development", + "underdevelopment", + "neglect", + "disuse", + "omission", + "twilight", + "wreck", + "reformation", + "counterreformation", + "renovation", + "restoration", + "refurbishment", + "maturity", + "matureness", + "adulthood", + "manhood", + "parenthood", + "parentage", + "ripeness", + "womanhood", + "muliebrity", + "youth", + "immaturity", + "immatureness", + "post-maturity", + "post-menopause", + "greenness", + "callowness", + "jejuneness", + "juvenility", + "prematureness", + "prematurity", + "adolescence", + "childhood", + "puerility", + "infancy", + "babyhood", + "embrace", + "encompassment", + "banishment", + "ostracism", + "Coventry", + "debarment", + "grade", + "level", + "tier", + "biosafety level", + "biosafety level 1", + "biosafety level 2", + "biosafety level 3", + "biosafety level 4", + "rating", + "ranking", + "gradation", + "step", + "cut", + "rank", + "second class", + "A level", + "General Certificate of Secondary Education", + "GCSE", + "O level", + "college level", + "military rank", + "military rating", + "paygrade", + "rating", + "flag rank", + "caste", + "dignity", + "nobility", + "noblesse", + "ordination", + "purple", + "pedestal", + "archidiaconate", + "baronetcy", + "barony", + "dukedom", + "earldom", + "kingship", + "princedom", + "viscountcy", + "viscounty", + "leadership", + "ennoblement", + "prominence", + "limelight", + "spotlight", + "glare", + "public eye", + "salience", + "saliency", + "strikingness", + "conspicuousness", + "visibility", + "profile", + "low profile", + "importance", + "grandness", + "emphasis", + "accent", + "stress", + "focus", + "primacy", + "eminence", + "distinction", + "preeminence", + "note", + "king", + "prestige", + "prestigiousness", + "obscurity", + "anonymity", + "namelessness", + "humbleness", + "unimportance", + "obscureness", + "lowliness", + "nowhere", + "oblivion", + "limbo", + "honor", + "honour", + "laurels", + "glory", + "glorification", + "fame", + "celebrity", + "renown", + "esteem", + "regard", + "respect", + "disesteem", + "stature", + "repute", + "reputation", + "black eye", + "stock", + "character", + "name", + "fame", + "infamy", + "notoriety", + "ill fame", + "reputation", + "dishonor", + "dishonour", + "disrepute", + "discredit", + "corruptness", + "shame", + "disgrace", + "ignominy", + "humiliation", + "abasement", + "degradation", + "abjection", + "degeneracy", + "degeneration", + "decadence", + "decadency", + "depth", + "infamy", + "opprobrium", + "obloquy", + "opprobrium", + "odium", + "reproach", + "dominance", + "ascendance", + "ascendence", + "ascendancy", + "ascendency", + "control", + "ascendant", + "ascendent", + "domination", + "mastery", + "supremacy", + "predominance", + "predomination", + "prepotency", + "dominion", + "rule", + "paramountcy", + "raj", + "regulation", + "reign", + "sovereignty", + "scepter", + "sceptre", + "suzerainty", + "absolutism", + "tyranny", + "despotism", + "monopoly", + "monopoly", + "monopsony", + "oligopoly", + "corner", + "bane", + "curse", + "scourge", + "nemesis", + "comfort", + "comfortableness", + "relief", + "ease", + "reprieve", + "respite", + "solace", + "solacement", + "coziness", + "cosiness", + "snugness", + "convenience", + "discomfort", + "uncomfortableness", + "inconvenience", + "incommodiousness", + "malaise", + "unease", + "uneasiness", + "hangover", + "katzenjammer", + "wretchedness", + "wellbeing", + "well-being", + "welfare", + "upbeat", + "eudaemonia", + "eudaimonia", + "fool's paradise", + "health", + "wellness", + "ill-being", + "misery", + "wretchedness", + "miserableness", + "concentration camp", + "living death", + "suffering", + "woe", + "anguish", + "need", + "demand", + "lack", + "deficiency", + "want", + "dearth", + "famine", + "shortage", + "deficit", + "mineral deficiency", + "shortness", + "stringency", + "tightness", + "necessity", + "requisiteness", + "urgency", + "hurry", + "haste", + "imperativeness", + "insistence", + "insistency", + "press", + "pressure", + "criticality", + "criticalness", + "cruciality", + "fullness", + "repletion", + "satiety", + "satiation", + "surfeit", + "excess", + "overabundance", + "solidity", + "infestation", + "acariasis", + "acariosis", + "acaridiasis", + "ascariasis", + "coccidiosis", + "echinococcosis", + "hydatid disease", + "hydatidosis", + "helminthiasis", + "hookworm", + "hookworm disease", + "myiasis", + "onchocerciasis", + "river blindness", + "opisthorchiasis", + "pediculosis", + "lousiness", + "pediculosis capitis", + "head lice", + "pediculosis corporis", + "pediculosis pubis", + "crabs", + "trombiculiasis", + "trichuriasis", + "emptiness", + "blankness", + "hollowness", + "nothingness", + "void", + "nullity", + "nihility", + "thin air", + "vacancy", + "vacuum", + "vacuity", + "nakedness", + "nudity", + "nudeness", + "nude", + "raw", + "altogether", + "birthday suit", + "undress", + "bareness", + "baldness", + "phalacrosis", + "hairlessness", + "depilation", + "alopecia", + "alopecia areata", + "male-patterned baldness", + "male pattern baldness", + "dishabille", + "deshabille", + "shirtsleeves", + "grace", + "saving grace", + "state of grace", + "damnation", + "eternal damnation", + "fire and brimstone", + "omniscience", + "God's Wisdom", + "omnipotence", + "God's Will", + "perfection", + "flawlessness", + "ne plus ultra", + "dream", + "polish", + "refinement", + "culture", + "cultivation", + "finish", + "fare-thee-well", + "intactness", + "integrity", + "unity", + "wholeness", + "completeness", + "entirety", + "entireness", + "integrality", + "totality", + "comprehensiveness", + "fullness", + "whole shebang", + "whole kit and caboodle", + "kit and caboodle", + "whole kit and boodle", + "kit and boodle", + "whole kit", + "whole caboodle", + "whole works", + "works", + "full treatment", + "partialness", + "incompleteness", + "rawness", + "sketchiness", + "imperfection", + "imperfectness", + "failing", + "weakness", + "flaw", + "tragic flaw", + "hamartia", + "insufficiency", + "inadequacy", + "fatigue", + "flaw", + "defect", + "defect", + "fault", + "flaw", + "blister", + "bug", + "glitch", + "hole", + "wart", + "birth defect", + "congenital anomaly", + "congenital defect", + "congenital disorder", + "congenital abnormality", + "hydrocephalus", + "hydrocephaly", + "hydronephrosis", + "abrachia", + "amelia", + "meromelia", + "phocomelia", + "seal limbs", + "encephalocele", + "familial hypercholesterolemia", + "meningocele", + "myelomeningocele", + "plagiocephaly", + "polysomy", + "hermaphroditism", + "hermaphrodism", + "pseudohermaphroditism", + "progeria", + "scaphocephaly", + "valgus", + "varus", + "congenital heart defect", + "septal defect", + "atrial septal defect", + "ventricular septal defect", + "tetralogy of Fallot", + "Fallot's tetralogy", + "Fallot's syndrome", + "toxic shock", + "toxic shock syndrome", + "TSS", + "Waterhouse-Friderichsen syndrome", + "Williams syndrome", + "Zollinger-Ellison syndrome", + "spina bifida", + "rachischisis", + "schistorrhachis", + "spinocerebellar disorder", + "polydactyly", + "hyperdactyly", + "syndactyly", + "syndactylism", + "tongue tie", + "ankyloglossia", + "defectiveness", + "faultiness", + "bugginess", + "crudeness", + "crudity", + "primitiveness", + "primitivism", + "rudeness", + "lameness", + "sickness", + "fortune", + "destiny", + "fate", + "luck", + "lot", + "circumstances", + "portion", + "good fortune", + "luckiness", + "good luck", + "providence", + "prosperity", + "successfulness", + "blessing", + "boon", + "mercy", + "strength", + "weakness", + "success", + "big time", + "pay dirt", + "misfortune", + "bad luck", + "tough luck", + "ill luck", + "adversity", + "hardship", + "hard knocks", + "gutter", + "sewer", + "toilet", + "hard cheese", + "catastrophe", + "disaster", + "extremity", + "bitter end", + "distress", + "pressure", + "throe", + "affliction", + "victimization", + "cross", + "crown of thorns", + "failure", + "solvency", + "insolvency", + "bankruptcy", + "failure", + "bankruptcy", + "bank failure", + "crop failure", + "dead duck", + "receivership", + "ownership", + "state of matter", + "state", + "phase", + "form", + "liquid", + "liquidness", + "liquidity", + "liquid state", + "solid", + "solidness", + "solid state", + "gas", + "gaseous state", + "plasma", + "possibility", + "possibleness", + "conceivableness", + "conceivability", + "achievability", + "attainability", + "attainableness", + "potential", + "potentiality", + "potency", + "latency", + "prospect", + "chance", + "impossibility", + "impossibleness", + "inconceivability", + "inconceivableness", + "unattainableness", + "hopefulness", + "confidence", + "opportunity", + "chance", + "brass ring", + "day", + "fresh start", + "clean slate", + "tabula rasa", + "hearing", + "audience", + "hunting ground", + "occasion", + "opening", + "room", + "say", + "shot", + "crack", + "street", + "throw", + "anticipation", + "expectation", + "despair", + "desperation", + "dejection", + "nadir", + "low-water mark", + "purity", + "pureness", + "plainness", + "impurity", + "impureness", + "adulteration", + "debasement", + "admixture", + "alloy", + "contamination", + "taint", + "dust contamination", + "dirtiness", + "feculence", + "putridity", + "financial condition", + "economic condition", + "boom", + "credit crunch", + "liquidity crisis", + "squeeze", + "depression", + "slump", + "economic crisis", + "Great Depression", + "full employment", + "prosperity", + "softness", + "obligation", + "indebtedness", + "liability", + "financial obligation", + "debt", + "arrears", + "account payable", + "payable", + "score", + "scot and lot", + "wealth", + "wealthiness", + "affluence", + "richness", + "ease", + "comfort", + "lap of luxury", + "inherited wealth", + "luxury", + "luxuriousness", + "opulence", + "sumptuousness", + "mammon", + "silver spoon", + "old money", + "sufficiency", + "poverty", + "poorness", + "impoverishment", + "privation", + "want", + "deprivation", + "neediness", + "destitution", + "indigence", + "need", + "penury", + "pauperism", + "pauperization", + "beggary", + "mendicancy", + "mendicity", + "impecuniousness", + "pennilessness", + "penuriousness", + "shakeout", + "wage setter", + "sanitary condition", + "sanitariness", + "hygiene", + "asepsis", + "antisepsis", + "sterility", + "sterileness", + "sanitation", + "unsanitariness", + "filth", + "filthiness", + "foulness", + "nastiness", + "dunghill", + "tilth", + "cleanness", + "cleanliness", + "spotlessness", + "immaculateness", + "orderliness", + "order", + "spit and polish", + "kilter", + "kelter", + "tidiness", + "neatness", + "spruceness", + "trim", + "trimness", + "shambles", + "dirtiness", + "uncleanness", + "dirt", + "filth", + "grime", + "soil", + "stain", + "grease", + "grunge", + "befoulment", + "defilement", + "pollution", + "dinginess", + "dinge", + "dustiness", + "griminess", + "grubbiness", + "smuttiness", + "sootiness", + "sordidness", + "squalor", + "squalidness", + "disorderliness", + "disorder", + "untidiness", + "sloppiness", + "slovenliness", + "unkemptness", + "shagginess", + "mess", + "messiness", + "muss", + "mussiness", + "disorganization", + "disorganisation", + "disarrangement", + "clutter", + "jumble", + "muddle", + "fuddle", + "mare's nest", + "welter", + "smother", + "rummage", + "normality", + "normalcy", + "averageness", + "commonness", + "expectedness", + "typicality", + "abnormality", + "abnormalcy", + "atelectasis", + "atypicality", + "untypicality", + "anoxemia", + "arrested development", + "fixation", + "infantile fixation", + "regression", + "coprolalia", + "aberrance", + "aberrancy", + "aberration", + "deviance", + "cyclopia", + "chromosomal aberration", + "chromosomal anomaly", + "chrosomal abnormality", + "chromosonal disorder", + "monosomy", + "trisomy", + "deflection", + "warp", + "spinal curvature", + "kyphosis", + "humpback", + "hunchback", + "lordosis", + "hollow-back", + "scoliosis", + "dowager's hump", + "subnormality", + "anomaly", + "anomalousness", + "gynecomastia", + "cross-eye", + "crossed eye", + "convergent strabismus", + "esotropia", + "dwarfism", + "nanism", + "pycnodysostosis", + "lactose intolerance", + "lactase deficiency", + "milk intolerance", + "lactosuria", + "myoglobinuria", + "oliguria", + "phenylketonuria", + "PKU", + "porphyria", + "infantilism", + "obstruction", + "blockage", + "intestinal obstruction", + "ileus", + "tamponade", + "tamponage", + "cardiac tamponade", + "ateleiosis", + "ateliosis", + "macrocephaly", + "megacephaly", + "megalocephaly", + "microbrachia", + "microcephaly", + "microcephalus", + "nanocephaly", + "pachycheilia", + "phimosis", + "poisoning", + "toxic condition", + "intoxication", + "alkali poisoning", + "caffeinism", + "caffeine intoxication", + "carbon monoxide poisoning", + "cyanide poisoning", + "malathion poisoning", + "ergotism", + "mercury poisoning", + "Minamata disease", + "naphthalene poisoning", + "nicotine poisoning", + "ophidism", + "paraquat poisoning", + "parathion poisoning", + "pesticide poisoning", + "salicylate poisoning", + "context", + "circumstance", + "setting", + "ecology", + "setting", + "background", + "scope", + "canvas", + "canvass", + "home", + "milieu", + "surroundings", + "sphere", + "domain", + "area", + "orbit", + "field", + "arena", + "distaff", + "front", + "lotusland", + "lotus land", + "kingdom", + "land", + "realm", + "lap", + "lap of the gods", + "political arena", + "political sphere", + "preserve", + "province", + "responsibility", + "ecclesiastical province", + "showcase", + "show window", + "street", + "environmental condition", + "pollution", + "biodegradable pollution", + "nonbiodegradable pollution", + "air pollution", + "acid rain", + "acid precipitation", + "industrial air pollution", + "miasma", + "miasm", + "small-particle pollution", + "smog", + "smogginess", + "noise pollution", + "sound pollution", + "thermal pollution", + "water pollution", + "erosion", + "deforestation", + "depopulation", + "climate", + "clime", + "glaciation", + "inhospitableness", + "meteorological conditions", + "atmosphere", + "atmospheric state", + "air mass", + "high", + "low", + "depression", + "anticyclone", + "cyclone", + "fog", + "fogginess", + "murk", + "murkiness", + "fug", + "good weather", + "calmness", + "mildness", + "clemency", + "balminess", + "softness", + "stillness", + "windlessness", + "lull", + "quiet", + "bad weather", + "inclemency", + "inclementness", + "raw weather", + "storminess", + "boisterousness", + "breeziness", + "windiness", + "tempestuousness", + "choppiness", + "roughness", + "rough water", + "cloudiness", + "cloud cover", + "overcast", + "turbulence", + "clear-air turbulence", + "climate", + "mood", + "atmosphere", + "ambiance", + "ambience", + "cloud", + "genius loci", + "gloom", + "gloominess", + "glumness", + "bleakness", + "desolation", + "bareness", + "nakedness", + "Hollywood", + "miasma", + "miasm", + "spirit", + "tone", + "feel", + "feeling", + "flavor", + "flavour", + "look", + "smell", + "Zeitgeist", + "unsusceptibility", + "immunity", + "resistance", + "immunity", + "resistance", + "immunogenicity", + "active immunity", + "passive immunity", + "autoimmunity", + "acquired immunity", + "natural immunity", + "innate immunity", + "racial immunity", + "exemption", + "freedom", + "amnesty", + "diplomatic immunity", + "indemnity", + "impunity", + "grandfather clause", + "subservience", + "susceptibility", + "susceptibleness", + "liability", + "taxability", + "ratability", + "rateability", + "capability", + "capacity", + "habitus", + "activity", + "irritation", + "retroversion", + "retroflection", + "retroflexion", + "sensitivity", + "predisposition", + "sensitization", + "sensitisation", + "food allergy", + "immediate allergy", + "atopy", + "atopic allergy", + "type I allergic reaction", + "serum sickness", + "serum disease", + "delayed allergy", + "type IV allergic reaction", + "allergy", + "allergic reaction", + "cryesthesia", + "cryaesthesia", + "hypersensitivity reaction", + "anaphylaxis", + "hypersensitivity", + "allergic rhinitis", + "eosinophilia", + "hay fever", + "pollinosis", + "diathesis", + "reactivity", + "suggestibility", + "wetness", + "wateriness", + "muddiness", + "sloppiness", + "moisture", + "wet", + "humidity", + "humidness", + "mugginess", + "damp", + "dampness", + "moistness", + "dankness", + "clamminess", + "rawness", + "sogginess", + "dryness", + "waterlessness", + "xerotes", + "dehydration", + "desiccation", + "drought", + "drouth", + "aridity", + "aridness", + "thirstiness", + "sereness", + "xeroderma", + "xerodermia", + "xeroderma pigmentosum", + "xerophthalmia", + "xerophthalmus", + "xeroma", + "conjunctivitis arida", + "xerostomia", + "dry mouth", + "safety", + "biosafety", + "risklessness", + "invulnerability", + "impregnability", + "salvation", + "security", + "peace", + "public security", + "secureness", + "indemnity", + "insurance", + "protection", + "shelter", + "collective security", + "Pax Romana", + "radioprotection", + "cause of death", + "killer", + "danger", + "danger", + "clear and present danger", + "hazardousness", + "perilousness", + "insecurity", + "hazard", + "jeopardy", + "peril", + "risk", + "endangerment", + "health hazard", + "biohazard", + "moral hazard", + "occupational hazard", + "sword of Damocles", + "powder keg", + "menace", + "threat", + "yellow peril", + "riskiness", + "peril", + "speculativeness", + "vulnerability", + "exposure", + "insecureness", + "tension", + "tensity", + "tenseness", + "tautness", + "tonicity", + "tonus", + "tone", + "catatonia", + "muscular tonus", + "muscle tone", + "myotonia", + "acromyotonia", + "myotonia congenita", + "Thomsen's disease", + "atonicity", + "atony", + "atonia", + "amyotonia", + "laxness", + "laxity", + "condition", + "shape", + "fitness", + "physical fitness", + "fettle", + "repair", + "soundness", + "seaworthiness", + "fitness", + "airworthiness", + "unfitness", + "softness", + "infirmity", + "frailty", + "debility", + "feebleness", + "frailness", + "valetudinarianism", + "asthenia", + "astheny", + "cachexia", + "cachexy", + "wasting", + "disability", + "disablement", + "handicap", + "impairment", + "disability of walking", + "abasia", + "abasia trepidans", + "atactic abasia", + "ataxic abasia", + "choreic abasia", + "paralytic abasia", + "paroxysmal trepidant abasia", + "spastic abasia", + "lameness", + "limping", + "gimp", + "gimpiness", + "gameness", + "claudication", + "intermittent claudication", + "astasia", + "amputation", + "sequela", + "hearing impairment", + "hearing disorder", + "deafness", + "hearing loss", + "conductive hearing loss", + "conduction deafness", + "middle-ear deafness", + "hyperacusis", + "hyperacusia", + "auditory hyperesthesia", + "sensorineural hearing loss", + "nerve deafness", + "tone deafness", + "tin ear", + "deaf-mutism", + "deaf-muteness", + "mutism", + "muteness", + "analgesia", + "dysomia", + "anosmia", + "hyposmia", + "visual impairment", + "visual defect", + "vision defect", + "visual disorder", + "myopia", + "nearsightedness", + "shortsightedness", + "astigmatism", + "astigmia", + "anopia", + "hyperopia", + "hypermetropia", + "hypermetropy", + "farsightedness", + "longsightedness", + "hemeralopia", + "day blindness", + "hemianopia", + "hemianopsia", + "quadrantanopia", + "metamorphopsia", + "nyctalopia", + "night blindness", + "moon blindness", + "photoretinitis", + "presbyopia", + "farsightedness", + "eye condition", + "anisometropia", + "isometropia", + "snowblindness", + "snow-blindness", + "retinal detachment", + "detachment of the retina", + "detached retina", + "scotoma", + "annular scotoma", + "central scotoma", + "hemianopic scotoma", + "paracentral scotoma", + "scintillating scotoma", + "flittering scotoma", + "tunnel vision", + "eyelessness", + "figural blindness", + "strabismus", + "squint", + "walleye", + "divergent strabismus", + "exotropia", + "torticollis", + "wryneck", + "dysfunction", + "disfunction", + "paralysis", + "palsy", + "paresis", + "paraparesis", + "metroptosis", + "descensus uteri", + "nephroptosis", + "nephroptosia", + "ptosis", + "brow ptosis", + "prolapse", + "prolapsus", + "descensus", + "paraplegia", + "hemiplegia", + "unilateral paralysis", + "quadriplegia", + "hypoesthesia", + "hypesthesia", + "knock-knee", + "genu valgum", + "tibia valga", + "pigeon toes", + "bow leg", + "bow legs", + "bandy legs", + "unsoundness", + "disrepair", + "decay", + "putrefaction", + "rot", + "putrescence", + "putridness", + "rottenness", + "corruption", + "decomposition", + "disintegration", + "disintegration", + "deterioration", + "impairment", + "rancidity", + "corrosion", + "devastation", + "desolation", + "ruin", + "ruination", + "decrepitude", + "dilapidation", + "wear", + "blight", + "end", + "destruction", + "death", + "foulness", + "impropriety", + "iniquity", + "wickedness", + "darkness", + "dark", + "light", + "illumination", + "malady", + "revocation", + "annulment", + "merchantability", + "sale", + "urinary hesitancy", + "wall", + "sarcoidosis", + "morphea", + "scleroderma", + "dermatosclerosis", + "thrombocytopenic purpura", + "idiopathic thrombocytopenic purpura", + "purpura hemorrhagica", + "Werlhof's disease", + "sex-linked disorder", + "Turner's syndrome", + "urinary tract infection", + "pyelonephritis", + "acute pyelonephritis", + "carotenemia", + "xanthemia", + "chronic pyelonephritis", + "nongonococcal urethritis", + "NGU", + "rhinorrhea", + "rhinosporidiosis", + "urethritis", + "nonspecific urethritis", + "NSU", + "sodoku", + "spirillum fever", + "stasis", + "steatorrhea", + "stridor", + "tinnitus", + "climax", + "serration", + "turgor", + "shin splints", + "hepatolenticular degeneration", + "Wilson's disease", + "homozygosity", + "heterozygosity", + "neotony", + "plurality", + "polyvalence", + "polyvalency", + "polyvalence", + "polyvalency", + "multivalence", + "multivalency", + "amphidiploidy", + "diploidy", + "haploidy", + "heteroploidy", + "polyploidy", + "mosaicism", + "orphanage", + "orphanhood", + "kraurosis", + "kraurosis vulvae", + "oligospermia", + "tenesmus", + "stigmatism", + "transsexualism", + "trismus", + "uratemia", + "uraturia", + "ureterocele", + "ureterostenosis", + "urethrocele", + "uricaciduria", + "urocele", + "uropathy", + "varicocele", + "varicosis", + "varicosity", + "varix", + "viremia", + "viraemia", + "volvulus", + "xanthopsia", + "absolution", + "automation", + "brutalization", + "brutalisation", + "condemnation", + "deification", + "diversification", + "exoneration", + "facilitation", + "frizz", + "fruition", + "hiding", + "hospitalization", + "hypertonia", + "hypertonus", + "hypertonicity", + "hypotonia", + "hypotonus", + "hypotonicity", + "hypertonicity", + "hypotonicity", + "identification", + "impaction", + "ionization", + "ionisation", + "irradiation", + "leakiness", + "lubrication", + "mechanization", + "mechanisation", + "motivation", + "mummification", + "paternity", + "preservation", + "prognathism", + "rustication", + "rustiness", + "scandalization", + "scandalisation", + "slot", + "toehold", + "submission", + "urbanization", + "urbanisation", + "utilization", + "substance", + "chemistry", + "material", + "stuff", + "ylem", + "dark matter", + "antimatter", + "micronutrient", + "philosopher's stone", + "philosophers' stone", + "elixir", + "precursor", + "phlogiston", + "chyme", + "glop", + "impurity", + "dross", + "acceptor", + "adduct", + "actinoid", + "actinide", + "actinon", + "allergen", + "assay", + "pyrogen", + "pyrectic", + "pyrogen", + "aldehyde", + "alkapton", + "alcapton", + "homogentisic acid", + "antiknock", + "ragweed pollen", + "atom", + "molecule", + "particle", + "corpuscle", + "mote", + "speck", + "ammunition", + "floccule", + "floc", + "HAZMAT", + "mixture", + "alloy", + "metal", + "botulinum toxin", + "botulinum toxin A", + "Botox", + "colloid", + "composition", + "dispersed phase", + "dispersed particles", + "dispersing phase", + "dispersion medium", + "dispersing medium", + "mechanical mixture", + "eutectic", + "solution", + "aqueous solution", + "Ringer's solution", + "Ringer solution", + "saline solution", + "saline", + "polyelectrolyte", + "gel", + "colloidal gel", + "hydrogel", + "sol", + "colloidal solution", + "colloidal suspension", + "hydrocolloid", + "suspension", + "slurry", + "resuspension", + "precipitate", + "sludge", + "domoic acid", + "acrylonitrile-butadiene-styrene", + "ABS", + "Mylar", + "pina cloth", + "Plasticine", + "plastic", + "plasticizer", + "plasticiser", + "thermoplastic", + "thermoplastic resin", + "saran", + "acrylic", + "acrylic resin", + "acrylate resin", + "polymethyl methacrylate", + "Lucite", + "Perspex", + "Plexiglas", + "plexiglass", + "polyethylene", + "polythene", + "acetyl", + "acetyl group", + "acetyl radical", + "ethanoyl group", + "ethanoyl radical", + "acyl", + "acyl group", + "aggregate", + "alcohol group", + "alcohol radical", + "aldehyde group", + "aldehyde radical", + "polyvinyl acetate", + "PVA", + "polyvinyl chloride", + "PVC", + "styrene", + "cinnamene", + "phenylethylene", + "vinylbenzene", + "polystyrene", + "Styrofoam", + "thermosetting compositions", + "thermosetting resin", + "Bakelite", + "Teflon", + "polytetrafluoroethylene", + "Vinylite", + "raw material", + "staple", + "feedstock", + "sorbate", + "sorbent", + "sorbent material", + "absorbent material", + "absorbent", + "absorbate", + "sponge", + "absorber", + "absorbent cotton", + "absorption indicator", + "adsorbent", + "adsorbent material", + "adsorbate", + "acaricide", + "acaracide", + "acaroid resin", + "accaroid resin", + "accroides", + "accroides resin", + "accroides gum", + "gum accroides", + "acetic acid", + "ethanoic acid", + "acetin", + "acetum", + "acetate", + "ethanoate", + "dichlorodiphenyltrichloroethane", + "DDT", + "larvacide", + "lead arsenate", + "tetraethyl lead", + "lead tetraethyl", + "acetone", + "propanone", + "dimethyl ketone", + "acetylene", + "ethyne", + "alkyne", + "adobe", + "Agent Orange", + "alicyclic compound", + "aliphatic compound", + "alkylbenzene", + "alkyl halide", + "haloalkane", + "amino acid", + "aminoalkanoic acid", + "alanine", + "argil", + "arsenical", + "asparagine", + "aspartic acid", + "canavanine", + "chlorobenzene", + "chlorofluorocarbon", + "CFC", + "chlorobenzylidenemalononitrile", + "CS gas", + "chloroacetophenone", + "CN gas", + "citrate", + "citrulline", + "cysteine", + "cystine", + "diamagnet", + "diamine", + "dopa", + "dihydroxyphenylalanine", + "L-dopa", + "levodopa", + "Bendopa", + "Brocadopa", + "Larodopa", + "endonuclease", + "enol", + "essential amino acid", + "exonuclease", + "gamma aminobutyric acid", + "GABA", + "glutamic acid", + "glutaminic acid", + "glutamine", + "glutathione peroxidase", + "glycine", + "hydroxyproline", + "iodoamino acid", + "ornithine", + "acid", + "acid-base indicator", + "alpha-linolenic acid", + "alpha-naphthol", + "alpha-naphthol test", + "Molisch's test", + "Molisch test", + "Molisch reaction", + "aromatic compound", + "arsenate", + "arsenic acid", + "arsenide", + "cerotic acid", + "hexacosanoic acid", + "chlorate", + "chloric acid", + "chlorous acid", + "monobasic acid", + "dibasic acid", + "dibasic salt", + "tribasic acid", + "tritium", + "tetrabasic acid", + "fulminic acid", + "gamma acid", + "heavy metal", + "hexanedioic acid", + "adipic acid", + "HMG-CoA reductase", + "5-hydroxy-3-methylglutaryl-coenzyme A reductase", + "horseradish peroxidase", + "hydrazoic acid", + "azoimide", + "hydrogen azide", + "HN", + "hydriodic acid", + "hydrochlorofluorocarbon", + "HCFC", + "hydrogen cyanide", + "hydrocyanic acid", + "prussic acid", + "hydrolysate", + "hydroxy acid", + "hydroxybenzoic acid", + "hypochlorite", + "hyponitrous acid", + "hypophosphoric acid", + "hypophosphorous acid", + "phosphorous acid", + "orthophosphorous acid", + "juniperic acid", + "lysergic acid", + "manganic acid", + "metaphosphoric acid", + "polyphosphoric acid", + "pyrogallol", + "pyrogallic acid", + "pyrophosphoric acid", + "pyrophosphate", + "methacrylic acid", + "2-methylpropenoic acid", + "mucic acid", + "selenic acid", + "suberic acid", + "octanedioic acid", + "succinic acid", + "sulfonate", + "sulfonic acid", + "sulphonic acid", + "titanic acid", + "titanium dioxide", + "titanium oxide", + "titanic oxide", + "titania", + "adulterant", + "adulterator", + "alkyl", + "alkyl group", + "alkyl radical", + "allyl", + "allyl group", + "allyl radical", + "amino", + "amino group", + "aminomethane", + "amyl", + "anionic compound", + "anionic detergent", + "anionic", + "non-ionic detergent", + "base", + "alkali", + "base metal", + "binary compound", + "chelate", + "chelate compound", + "atom", + "isotope", + "radioisotope", + "label", + "halon", + "bromoform", + "tribromomethane", + "fluoroform", + "trifluoromethane", + "iodoform", + "tri-iodomethane", + "haloform", + "monad", + "azido group", + "azido radical", + "azo group", + "azo radical", + "group", + "radical", + "chemical group", + "fullerene", + "buckminsterfullerene", + "buckyball", + "carbon nanotube", + "nanotube", + "benzyl", + "benzyl group", + "benzyl radical", + "benzoyl group", + "benzoyl radical", + "chemical element", + "element", + "allotrope", + "transuranic element", + "noble gas", + "inert gas", + "argonon", + "helium group", + "rare earth", + "rare-earth element", + "lanthanoid", + "lanthanide", + "lanthanon", + "terbium metal", + "actinide series", + "lanthanide series", + "metallic element", + "metal", + "noble metal", + "nonmetal", + "transactinide", + "metallized dye", + "actinium", + "Ac", + "atomic number 89", + "aluminum", + "aluminium", + "Al", + "atomic number 13", + "alum", + "potassium alum", + "potash alum", + "alum", + "ammonia alum", + "ammonium alum", + "americium", + "Am", + "atomic number 95", + "antimony", + "Sb", + "atomic number 51", + "argon", + "Ar", + "atomic number 18", + "arsenic", + "As", + "atomic number 33", + "astatine", + "At", + "atomic number 85", + "atrazine", + "barium", + "Ba", + "atomic number 56", + "baryta", + "barium hydroxide", + "barium monoxide", + "barium oxide", + "barium protoxide", + "barium dioxide", + "barium peroxide", + "base pair", + "berkelium", + "Bk", + "atomic number 97", + "beryllium", + "Be", + "glucinium", + "atomic number 4", + "bismuth", + "Bi", + "atomic number 83", + "bohrium", + "Bh", + "element 107", + "atomic number 107", + "boron", + "B", + "atomic number 5", + "bromine", + "Br", + "atomic number 35", + "cadmium", + "Cd", + "atomic number 48", + "calcium", + "Ca", + "atomic number 20", + "californium", + "Cf", + "atomic number 98", + "carbon", + "C", + "atomic number 6", + "carbon atom", + "radiocarbon", + "carbon 14", + "cerium", + "Ce", + "atomic number 58", + "cesium", + "caesium", + "Cs", + "atomic number 55", + "cesium 137", + "chlorine", + "Cl", + "atomic number 17", + "radiochlorine", + "chromium", + "Cr", + "atomic number 24", + "cobalt", + "Co", + "atomic number 27", + "cobalt 60", + "copper", + "Cu", + "atomic number 29", + "curium", + "Cm", + "atomic number 96", + "darmstadtium", + "Ds", + "element 110", + "atomic number 110", + "dubnium", + "Db", + "hahnium", + "element 105", + "atomic number 105", + "dysprosium", + "Dy", + "atomic number 66", + "einsteinium", + "Es", + "E", + "atomic number 99", + "erbium", + "Er", + "atomic number 68", + "europium", + "Eu", + "atomic number 63", + "fermium", + "Fm", + "atomic number 100", + "fluorine", + "F", + "atomic number 9", + "francium", + "Fr", + "atomic number 87", + "gadolinium", + "Gd", + "atomic number 64", + "gallium", + "Ga", + "atomic number 31", + "germanium", + "Ge", + "atomic number 32", + "gold", + "Au", + "atomic number 79", + "18-karat gold", + "22-karat gold", + "24-karat gold", + "pure gold", + "hafnium", + "Hf", + "atomic number 72", + "hassium", + "Hs", + "element 108", + "atomic number 108", + "helium", + "He", + "atomic number 2", + "holmium", + "Ho", + "atomic number 67", + "hydrogen", + "H", + "atomic number 1", + "hydrogen atom", + "acidic hydrogen", + "acid hydrogen", + "deuterium", + "heavy hydrogen", + "indium", + "In", + "atomic number 49", + "iodine", + "iodin", + "I", + "atomic number 53", + "iodine-131", + "iodine-125", + "iridium", + "Ir", + "atomic number 77", + "iron", + "Fe", + "atomic number 26", + "krypton", + "Kr", + "atomic number 36", + "lanthanum", + "La", + "atomic number 57", + "lawrencium", + "Lr", + "atomic number 103", + "lead", + "Pb", + "atomic number 82", + "lithium", + "Li", + "atomic number 3", + "lutetium", + "lutecium", + "Lu", + "atomic number 71", + "magnesium", + "Mg", + "atomic number 12", + "manganese", + "Mn", + "atomic number 25", + "meitnerium", + "Mt", + "element 109", + "atomic number 109", + "mendelevium", + "Md", + "Mv", + "atomic number 101", + "mercury", + "quicksilver", + "hydrargyrum", + "Hg", + "atomic number 80", + "molybdenum", + "Mo", + "atomic number 42", + "neodymium", + "Nd", + "atomic number 60", + "neon", + "Ne", + "atomic number 10", + "neptunium", + "Np", + "atomic number 93", + "nickel", + "Ni", + "atomic number 28", + "niobium", + "Nb", + "atomic number 41", + "columbium", + "nitrogen", + "N", + "atomic number 7", + "azote", + "nobelium", + "No", + "atomic number 102", + "osmium", + "Os", + "atomic number 76", + "oxygen", + "O", + "atomic number 8", + "liquid oxygen", + "LOX", + "palladium", + "Pd", + "atomic number 46", + "phosphor", + "phosphorus", + "P", + "atomic number 15", + "platinum", + "Pt", + "atomic number 78", + "plutonium", + "Pu", + "atomic number 94", + "plutonium 239", + "weapons plutonium", + "weapon-grade plutonium", + "polonium", + "Po", + "atomic number 84", + "potassium", + "K", + "atomic number 19", + "praseodymium", + "Pr", + "atomic number 59", + "promethium", + "Pm", + "atomic number 61", + "protactinium", + "protoactinium", + "Pa", + "atomic number 91", + "radium", + "Ra", + "atomic number 88", + "radon", + "Rn", + "atomic number 86", + "rhenium", + "Re", + "atomic number 75", + "rhodium", + "Rh", + "atomic number 45", + "roentgenium", + "Rg", + "element 111", + "atomic number 111", + "rubidium", + "Rb", + "atomic number 37", + "ruthenium", + "Ru", + "atomic number 44", + "rutherfordium", + "Rf", + "unnilquadium", + "Unq", + "element 104", + "atomic number 104", + "samarium", + "Sm", + "atomic number 62", + "scandium", + "Sc", + "atomic number 21", + "seaborgium", + "Sg", + "element 106", + "atomic number 106", + "selenium", + "Se", + "atomic number 34", + "silicon", + "Si", + "atomic number 14", + "silver", + "Ag", + "atomic number 47", + "sodium", + "Na", + "atomic number 11", + "strontium", + "Sr", + "atomic number 38", + "strontium 90", + "sulfur", + "S", + "sulphur", + "atomic number 16", + "tantalum", + "Ta", + "atomic number 73", + "taurine", + "technetium", + "Tc", + "atomic number 43", + "tellurium", + "Te", + "atomic number 52", + "terbium", + "Tb", + "atomic number 65", + "thallium", + "Tl", + "atomic number 81", + "thorium", + "Th", + "atomic number 90", + "thorium-228", + "radiothorium", + "thulium", + "Tm", + "atomic number 69", + "tin", + "Sn", + "atomic number 50", + "titanium", + "Ti", + "atomic number 22", + "tungsten", + "wolfram", + "W", + "atomic number 74", + "ununbium", + "Uub", + "element 112", + "atomic number 112", + "ununhexium", + "Uuh", + "element 116", + "atomic number 116", + "ununpentium", + "Uup", + "element 115", + "atomic number 115", + "ununquadium", + "Uuq", + "element 114", + "atomic number 114", + "ununtrium", + "Uut", + "element 113", + "atomic number 113", + "uranium", + "U", + "atomic number 92", + "uranium 235", + "uranium 238", + "vanadium", + "V", + "atomic number 23", + "xenon", + "Xe", + "atomic number 54", + "ytterbium", + "Yb", + "atomic number 70", + "yttrium", + "Y", + "atomic number 39", + "zinc", + "Zn", + "atomic number 30", + "zirconium", + "Zr", + "atomic number 40", + "mineral", + "ader wax", + "earth wax", + "mineral wax", + "ozokerite", + "ozocerite", + "alabaster", + "alabaster", + "oriental alabaster", + "onyx marble", + "Mexican onyx", + "amblygonite", + "amphibole", + "amphibole group", + "amphibolite", + "apatite", + "aragonite", + "argentite", + "argillite", + "argyrodite", + "arsenopyrite", + "mispickel", + "asphalt", + "mineral pitch", + "augite", + "azurite", + "baddeleyite", + "bastnasite", + "bastnaesite", + "bauxite", + "beryl", + "biotite", + "bone black", + "bone char", + "animal black", + "animal charcoal", + "borax", + "bornite", + "peacock ore", + "carnallite", + "carnotite", + "caspase", + "cassiterite", + "celestite", + "cerussite", + "white lead ore", + "chalcocite", + "copper glance", + "chalcopyrite", + "copper pyrites", + "china clay", + "china stone", + "kaolin", + "kaoline", + "porcelain clay", + "terra alba", + "chlorite", + "chromite", + "chromogen", + "chrysoberyl", + "cinnabar", + "cobalt blue", + "cobalt ultramarine", + "cobaltite", + "sodium chloride", + "common salt", + "halite", + "rock salt", + "columbite-tantalite", + "coltan", + "cordierite", + "corundom", + "corundum", + "cristobalite", + "crocolite", + "cryolite", + "Greenland spar", + "cuprite", + "cutin", + "damourite", + "dolomite", + "bitter spar", + "earth color", + "emery", + "emulsifier", + "emulsion", + "erythrite", + "cobalt bloom", + "fergusonite", + "fluorapatite", + "fluorite", + "fluorspar", + "fluor", + "gadolinite", + "ytterbite", + "galena", + "garnet", + "garnierite", + "almandite", + "almandine", + "germanite", + "gesso", + "gibbsite", + "glauconite", + "goethite", + "gothite", + "greaves", + "crackling", + "greenockite", + "cadmium sulphide", + "gypsum", + "hausmannite", + "heavy spar", + "barite", + "barytes", + "barium sulphate", + "hemimorphite", + "calamine", + "ilmenite", + "jadeite", + "kainite", + "kaolinite", + "kernite", + "kieserite", + "kyanite", + "cyanite", + "lactate", + "langbeinite", + "lecithin", + "lepidolite", + "lepidomelane", + "magnesite", + "malachite", + "maltha", + "mineral tar", + "manganese tetroxide", + "manganite", + "marl", + "meerschaum", + "sepiolite", + "mica", + "isinglass", + "millerite", + "molecule", + "molybdenite", + "monazite", + "monomer", + "muscovite", + "nepheline", + "nephelite", + "nephelinite", + "nephrite", + "niobite", + "columbite", + "nitrocalcite", + "olivine", + "olivenite", + "ozonide", + "perchlorate", + "perchloric acid", + "proline", + "biomass", + "butane", + "char", + "charcoal", + "wood coal", + "coal gas", + "town gas", + "coke", + "diesel oil", + "diesel fuel", + "derv", + "fire", + "fossil fuel", + "fuel oil", + "heating oil", + "gasohol", + "gasoline", + "gasolene", + "gas", + "petrol", + "leaded gasoline", + "leaded petrol", + "illuminant", + "kerosene", + "kerosine", + "lamp oil", + "coal oil", + "methanol", + "methyl alcohol", + "wood alcohol", + "wood spirit", + "nuclear fuel", + "opal", + "ore", + "oroide", + "oreide", + "orpiment", + "osmiridium", + "iridosmine", + "paragonite", + "paraldehyde", + "ethanal trimer", + "peat", + "pentlandite", + "triose", + "tetrose", + "pentose", + "hexose", + "pentoxide", + "peptone", + "periclase", + "magnesia", + "magnesium oxide", + "phlogopite", + "pinite", + "pollucite", + "quaternary ammonium compound", + "proenzyme", + "zymogen", + "propane", + "propellant", + "propellent", + "rocket fuel", + "rocket propellant", + "rocket propellent", + "propylthiouracil", + "psilomelane", + "pyridine", + "pyrite", + "iron pyrite", + "fool's gold", + "pyrites", + "pyrolusite", + "pyromorphite", + "green lead ore", + "pyrophyllite", + "pyroxene", + "pyrrhotite", + "pyrrhotine", + "magnetic pyrites", + "quartz", + "quartzite", + "rock crystal", + "transparent quartz", + "rhinestone", + "cairngorm", + "smoky quartz", + "rag paper", + "reactant", + "realgar", + "red clay", + "red fire", + "regosol", + "regur", + "regur soil", + "residual soil", + "residual clay", + "topsoil", + "surface soil", + "subsoil", + "undersoil", + "resinoid", + "rhodochrosite", + "rhodonite", + "ribose", + "ricin", + "ricin toxin", + "road metal", + "rock", + "stone", + "arenaceous rock", + "argillaceous rock", + "rudaceous rock", + "breccia", + "sedimentary rock", + "sial", + "sima", + "marlite", + "marlstone", + "metamorphic rock", + "gravel", + "crushed rock", + "hornfels", + "hornstone", + "ballast", + "bank gravel", + "pit-run gravel", + "pit run", + "caliche", + "shingle", + "gem", + "gemstone", + "stone", + "cabochon", + "slate", + "shingling", + "pumice", + "pumice stone", + "grit", + "gritrock", + "gritstone", + "animal product", + "ambergris", + "lac", + "garnet lac", + "gum-lac", + "shellac", + "mosaic gold", + "stannic sulfide", + "stick lac", + "seed lac", + "Sonora lac", + "adhesive material", + "adhesive agent", + "adhesive", + "birdlime", + "lime", + "glue", + "gum", + "mucilage", + "animal glue", + "casein glue", + "Crazy Glue", + "fish glue", + "marine glue", + "putty", + "iron putty", + "red-lead putty", + "spirit gum", + "binder", + "cement", + "mastic", + "paste", + "library paste", + "wafer", + "paste", + "rubber cement", + "sealing material", + "sealant", + "sealer", + "filler", + "lute", + "luting", + "size", + "sizing", + "purine", + "purine", + "adenine", + "A", + "adenosine", + "adenosine deaminase", + "ADA", + "adenosine monophosphate", + "AMP", + "adenylic acid", + "adenosine diphosphate", + "ADP", + "adenosine triphosphate", + "ATP", + "agate", + "moss agate", + "Alar", + "daminozide", + "alcohol", + "ether", + "ethyl alcohol", + "ethanol", + "fermentation alcohol", + "grain alcohol", + "spirits of wine", + "absolute alcohol", + "isopropyl alcohol", + "isopropanol", + "denaturant", + "denatured alcohol", + "ethyl", + "ethyl group", + "ethyl radical", + "aldohexose", + "aldose", + "acetal", + "acetaldol", + "acetaldehyde", + "ethanal", + "acetamide", + "ethanamide", + "acrylamide", + "agglomerate", + "aldol", + "aldehyde-alcohol", + "alkali", + "alkali metal", + "alkaline metal", + "alkaline earth", + "alkaline-earth metal", + "alkaloid", + "alkene", + "olefine", + "olefin", + "alkylbenzenesulfonate", + "cinchonine", + "ephedrine", + "ergonovine", + "Ergotrate Maleate", + "ergotamine", + "pseudoephedrine", + "epsilon toxin", + "Clostridium perfringens epsilon toxin", + "aflatoxin", + "nicotine", + "strychnine", + "brucine", + "shag", + "Turkish tobacco", + "latakia", + "alexandrite", + "alloy iron", + "alloy cast iron", + "alloy steel", + "Alnico", + "amalgam", + "dental amalgam", + "fusible metal", + "brass", + "bronze", + "gunmetal", + "phosphor bronze", + "cupronickel", + "electrum", + "pewter", + "pinchbeck", + "pot metal", + "hard solder", + "silver solder", + "soft solder", + "solder", + "gold dust", + "white gold", + "Monel metal", + "Monell metal", + "type metal", + "white metal", + "bearing metal", + "alluvial soil", + "allyl alcohol", + "propenyl alcohol", + "allyl resin", + "alpha-beta brass", + "Muntz metal", + "yellow metal", + "alpha brass", + "alpha bronze", + "alpha iron", + "alpha-tocopheral", + "carotenoid", + "carotene", + "lycopene", + "beta-carotene", + "xanthophyll", + "xanthophyl", + "lutein", + "zeaxanthin", + "betaine", + "beta iron", + "gamma iron", + "delta iron", + "amethyst", + "amygdaloid", + "aluminum bronze", + "aluminium bronze", + "activator", + "activating agent", + "catalyst", + "accelerator", + "biocatalyst", + "sensitizer", + "sensitiser", + "amide", + "inhibitor", + "antioxidant", + "rust inhibitor", + "anticatalyst", + "actinolite", + "andesite", + "anthophyllite", + "asbestos", + "chrysotile", + "tremolite", + "hornblende", + "aphanite", + "aplite", + "afterdamp", + "dacite", + "firedamp", + "carrier", + "moderator", + "heavy water", + "deuterium oxide", + "organic compound", + "protein", + "recombinant protein", + "actomyosin", + "aleurone", + "amyloid", + "apoenzyme", + "beta-naphthol", + "gelatin", + "gelatine", + "chondrin", + "mucin", + "conjugated protein", + "compound protein", + "actin", + "albumin", + "albumen", + "lactalbumin", + "serum albumin", + "alpha globulin", + "serum globulin", + "C-reactive protein", + "CRP", + "keratin", + "ceratin", + "chitin", + "enzyme", + "fibrin", + "filaggrin", + "growth factor", + "nerve growth factor", + "NGF", + "haptoglobin", + "iodoprotein", + "iodinated protein", + "nucleoprotein", + "opsin", + "phosphoprotein", + "casein", + "amylase", + "angiotensin converting enzyme", + "angiotensin-converting enzyme", + "ACE", + "cholinesterase", + "coagulase", + "collagenase", + "complement", + "plasma protein", + "prostate specific antigen", + "PSA", + "proteome", + "simple protein", + "thrombin", + "tumor necrosis factor", + "tumour necrosis factor", + "TNF", + "catalase", + "cyclooxygenase", + "Cox", + "cyclooxygenase-1", + "Cox-1", + "cyclooxygenase-2", + "Cox-2", + "ptyalin", + "rennet", + "ferment", + "substrate", + "amine", + "aminoalkane", + "azadirachtin", + "carboxylic acid", + "saccharic acid", + "sebacic acid", + "decanedioic acid", + "sorbic acid", + "valeric acid", + "pentanoic acid", + "fatty acid", + "saturated fatty acid", + "unsaturated fatty acid", + "trans fatty acid", + "monounsaturated fatty acid", + "polyunsaturated fatty acid", + "omega-3 fatty acid", + "omega-3", + "omega-6 fatty acid", + "omega-6", + "margaric acid", + "heptadecanoic acid", + "ricinoleic acid", + "fibrinopeptide", + "polypeptide", + "peptide", + "aminobenzoic acid", + "amino plastic", + "aminoplast", + "amino resin", + "ammonia", + "ammine", + "ammonia water", + "ammonia", + "ammonium hydroxide", + "ammoniac", + "gum ammoniac", + "ammonium", + "ammonium ion", + "ammonium carbamate", + "ammonium carbonate", + "ammonium chloride", + "sal ammoniac", + "amyl alcohol", + "phytohormone", + "plant hormone", + "growth regulator", + "auxin", + "gibberellin", + "gibberellic acid", + "kinin", + "cytokinin", + "steroid hormone", + "steroid", + "sex hormone", + "corticosterone", + "progesterone", + "Lipo-Lutin", + "megestrol", + "megestrol acetate", + "norethindrone", + "norethindrone acetate", + "norethandrolone", + "Norlutin", + "norethynodrel", + "norgestrel", + "medroxyprogesterone", + "Provera", + "progestin", + "progestogen", + "androgen", + "androgenic hormone", + "adrenosterone", + "androsterone", + "methyltestosterone", + "nandrolone", + "Durabolin", + "Kabolin", + "testosterone", + "follicle-stimulating hormone", + "FSH", + "human chorionic gonadotropin", + "human chorionic gonadotrophin", + "HCG", + "luteinizing hormone", + "LH", + "interstitial cell-stimulating hormone", + "ICSH", + "prolactin", + "lactogenic hormone", + "luteotropin", + "estrogen", + "oestrogen", + "diethylstilbestrol", + "diethylstilboestrol", + "stilbestrol", + "stilboestrol", + "DES", + "estradiol", + "oestradiol", + "estriol", + "oestriol", + "estrone", + "oestrone", + "theelin", + "Estronol", + "hexestrol", + "mestranol", + "corticosteroid", + "corticoid", + "adrenal cortical steroid", + "mineralocorticoid", + "glucocorticoid", + "glucosamine", + "aldosterone", + "hydrocortisone", + "cortisol", + "Hydrocortone", + "Cortef", + "cortisone", + "Cortone Acetate", + "prednisolone", + "Pediapred", + "Prelone", + "prednisone", + "Orasone", + "Deltasone", + "Liquid Pred", + "Meticorten", + "dexamethasone", + "Decadron", + "Dexamethasone Intensol", + "Dexone", + "Hexadrol", + "Oradexon", + "spironolactone", + "Aldactone", + "acid dye", + "aniline", + "aniline oil", + "aminobenzine", + "phenylamine", + "alizarin yellow", + "anil", + "indigo", + "indigotin", + "aniline dye", + "animal oil", + "drying oil", + "animal material", + "animal pigment", + "arsine", + "bilirubin", + "hematoidin", + "haematoidin", + "urobilin", + "urobilinogen", + "stercobilinogen", + "luciferin", + "melanin", + "dentine", + "dentin", + "ivory", + "tusk", + "fluff", + "bone", + "osseous tissue", + "horn", + "whalebone", + "baleen", + "tortoiseshell", + "shell", + "mother-of-pearl", + "nacre", + "animal skin", + "parchment", + "sheepskin", + "lambskin", + "vellum", + "hide", + "fell", + "cowhide", + "goatskin", + "rawhide", + "leather", + "grain", + "alligator", + "buckskin", + "buff", + "ooze leather", + "Russia leather", + "caffeine", + "caffein", + "calf", + "calfskin", + "white leather", + "whit leather", + "cassava", + "cassava starch", + "manioc", + "manioca", + "chamois", + "chamois leather", + "chammy", + "chammy leather", + "shammy", + "shammy leather", + "wash leather", + "cordovan", + "cowhide", + "cowskin", + "crushed leather", + "crush", + "deerskin", + "doeskin", + "glove leather", + "horsehide", + "kid", + "kidskin", + "mocha", + "morocco", + "Levant", + "Levant morocco", + "patent leather", + "pigskin", + "sheepskin", + "fleece", + "Golden Fleece", + "shoe leather", + "suede", + "suede leather", + "fur", + "pelt", + "astrakhan", + "bearskin", + "beaver", + "beaver fur", + "chinchilla", + "ermine", + "fox", + "lambskin", + "broadtail", + "Persian lamb", + "lapin", + "rabbit", + "leopard", + "mink", + "muskrat", + "muskrat fur", + "hudson seal", + "otter", + "raccoon", + "sable", + "seal", + "sealskin", + "squirrel", + "anime", + "gum anime", + "antifreeze", + "nitric acid", + "aqua fortis", + "nitrous acid", + "nitrogen oxide", + "nitrogen dioxide", + "nitric oxide", + "anhydride", + "aqua regia", + "nitrohydrochloric acid", + "aquamarine", + "arginine", + "aromatic hydrocarbon", + "arsenic", + "arsenic trioxide", + "arsenous anhydride", + "arsenous oxide", + "white arsenic", + "ratsbane", + "artificial blood", + "acetic anhydride", + "phthalic anhydride", + "art paper", + "asafetida", + "asafoetida", + "ash", + "fly ash", + "asphalt", + "mineral wool", + "rock wool", + "austenite", + "austenitic steel", + "axle grease", + "azide", + "hydrazoite", + "azo dye", + "congo red", + "gentian violet", + "crystal violet", + "thiazine", + "methylene blue", + "methylthionine chloride", + "methyl orange", + "phenothiazine", + "thiodiphenylamine", + "diazonium", + "Babbitt metal", + "babbitt", + "bactericide", + "bacteriacide", + "bagasse", + "baking powder", + "banana oil", + "barbituric acid", + "malonylurea", + "barium sulphate", + "barium sulfate", + "blanc fixe", + "basalt", + "basic dye", + "basic color", + "basic colour", + "basic iron", + "basic slag", + "bath water", + "battery acid", + "electrolyte acid", + "bearing brass", + "beebread", + "ambrosia", + "royal jelly", + "beef tallow", + "beet sugar", + "bell metal", + "benzene", + "benzine", + "benzol", + "benzene formula", + "benzene ring", + "benzene nucleus", + "Kekule formula", + "benzoate", + "benzoate of soda", + "sodium benzoate", + "benzoic acid", + "benzoyl peroxide", + "beryllium bronze", + "bicarbonate", + "hydrogen carbonate", + "bicarbonate of soda", + "sodium hydrogen carbonate", + "sodium bicarbonate", + "baking soda", + "saleratus", + "bimetal", + "binder's board", + "binder board", + "bitter principle", + "black opal", + "active agent", + "active", + "Alka-seltzer", + "Brioschi", + "Bromo-seltzer", + "lansoprazole", + "Prevacid", + "Maalox", + "Mylanta", + "omeprazole", + "Prilosec", + "Pepto-bismal", + "Rolaids", + "Tums", + "antacid", + "gastric antacid", + "alkalizer", + "alkaliser", + "antiacid", + "agent", + "reagent", + "bacteriostat", + "bleaching agent", + "bleach", + "blanching agent", + "whitener", + "chemical agent", + "desiccant", + "drying agent", + "drier", + "siccative", + "oxidant", + "oxidizer", + "oxidiser", + "oxidizing agent", + "reducing agent", + "reducer", + "reductant", + "bleaching clay", + "bleaching earth", + "mud pie", + "bleaching powder", + "chlorinated lime", + "chloride of lime", + "bleach liquor", + "hydrogen peroxide", + "peroxide", + "blister copper", + "bloodstone", + "heliotrope", + "blotting paper", + "blotter", + "blow gas", + "blowing gas", + "blubber", + "blueprint paper", + "blue vitriol", + "blue copperas", + "blue stone", + "chalcanthite", + "bog soil", + "bond", + "bond paper", + "bone ash", + "bonemeal", + "neem cake", + "bone fat", + "bone oil", + "Dippel's oil", + "bone oil", + "borate", + "boric acid", + "boracic acid", + "boric acid", + "orthoboric acid", + "boron trifluoride", + "borosilicate", + "bouncing putty", + "bowstring hemp", + "box calf", + "brewer's yeast", + "bottom fermenting yeast", + "top fermenting yeast", + "bricks and mortar", + "brushwood", + "brimstone", + "native sulfur", + "native sulphur", + "Britannia metal", + "bromic acid", + "bromide", + "brownstone", + "buffer", + "buffer solution", + "starting buffer", + "phosphate buffer solution", + "PBS", + "building material", + "lagging", + "butylene", + "butene", + "isobutylene", + "polybutylene", + "polybutene", + "animal fat", + "butterfat", + "cabinet wood", + "butanone", + "methyl ethyl ketone", + "butyl alcohol", + "butanol", + "butyric acid", + "butanoic acid", + "butyrin", + "tributyrin", + "cacodyl", + "cacodyl group", + "cacodyl radical", + "arsenic group", + "cacodyl", + "tetramethyldiarsine", + "calcium carbide", + "calcium-cyanamide", + "cyanamide", + "calcium hypochlorite", + "calcium lactate", + "calcium nitrate", + "calcium oxide", + "quicklime", + "lime", + "calx", + "calcined lime", + "fluxing lime", + "unslaked lime", + "burnt lime", + "calcium phosphate", + "calcium stearate", + "calcium octadecanoate", + "carbonyl", + "carbonyl group", + "carboxyl", + "carboxyl group", + "camphor", + "camphor oil", + "candelilla wax", + "cane sugar", + "cannabin", + "cannabis resin", + "cannel coal", + "capric acid", + "decanoic acid", + "caproic acid", + "hexanoic acid", + "caprylic acid", + "carbamate", + "carbamic acid", + "carbide", + "carbohydrate", + "saccharide", + "sugar", + "Carboloy", + "carbonado", + "black diamond", + "carbon black", + "lampblack", + "soot", + "smut", + "crock", + "carcinogen", + "cellulose", + "carboxymethyl cellulose", + "diethylaminoethyl cellulose", + "DEAE cellulose", + "pulp", + "cartridge brass", + "case-hardened steel", + "cellulose ester", + "cellulose nitrate", + "nitrocellulose", + "guncotton", + "nitrocotton", + "collodion", + "pyrocellulose", + "pyroxylin", + "pyroxyline", + "glycogen", + "animal starch", + "inulin", + "carbolic acid", + "phenol", + "hydroxybenzene", + "oxybenzene", + "phenylic acid", + "activated carbon", + "activated charcoal", + "graphite", + "black lead", + "plumbago", + "pencil", + "carbon dioxide", + "CO2", + "carbonic acid gas", + "chokedamp", + "blackdamp", + "carbon disulfide", + "carbon monoxide", + "carbon monoxide gas", + "CO", + "carbon paper", + "carbon", + "carbon tetrachloride", + "carbon tet", + "tetrachloromethane", + "perchloromethane", + "carbon tetrahalide", + "carbonate", + "fulminate", + "mercury fulminate", + "fulminate of mercury", + "fulminating mercury", + "carbonic acid", + "abrasive", + "abradant", + "abrasive material", + "carborundum", + "cardboard", + "composition board", + "cartridge paper", + "cartridge paper", + "card", + "cocarboxylase", + "thiamine pyrophosphate", + "coenzyme", + "coenzyme A", + "cofactor", + "congener", + "corrugated board", + "corrugated cardboard", + "paperboard", + "poster board", + "posterboard", + "pasteboard", + "millboard", + "strawboard", + "carnelian", + "cornelian", + "carrageenin", + "carrageenan", + "ingot iron", + "cast iron", + "pot metal", + "wrought iron", + "steel", + "stainless steel", + "stainless", + "chromium steel", + "carbon steel", + "crucible steel", + "Damascus steel", + "Damask steel", + "steel wool", + "wire wool", + "cationic detergent", + "invert soap", + "cat's eye", + "cellulosic", + "cement", + "cement", + "cement", + "reinforced concrete", + "ferroconcrete", + "hydraulic cement", + "Portland cement", + "cementite", + "iron carbide", + "ceresin", + "cerulean blue", + "cetrimide", + "chad", + "chaff", + "husk", + "shuck", + "stalk", + "straw", + "stubble", + "bran", + "chalcedony", + "calcedony", + "chalk", + "chamosite", + "chemical", + "chemical substance", + "neurochemical", + "neurotransmitter", + "monoamine neurotransmitter", + "catecholamine", + "chromophore", + "serotonin", + "5-hydroxytryptamine", + "acetylcholine", + "acyl anhydrides", + "acid anhydrides", + "acyl halide", + "acid halide", + "acetyl chloride", + "ethanoyl chloride", + "endorphin", + "beta endorphin", + "enkephalin", + "cheoplastic metal", + "chernozemic soil", + "chisel steel", + "chlorine dioxide", + "chlorine water", + "chloropicrin", + "nitrochloroform", + "nitrochloromethane", + "chlorpyrifos", + "choline", + "chrome", + "chrome-nickel steel", + "Elinvar", + "chrome-tungsten steel", + "chrome green", + "Windsor green", + "Hooker's green", + "chrome yellow", + "chromic acid", + "chromate", + "lead chromate", + "chrysolite", + "chrysoprase", + "chylomicron", + "cigarette paper", + "rolling paper", + "cinder pig", + "citric acid", + "citrine", + "clay", + "pipeclay", + "terra alba", + "bentonite", + "fireclay", + "Kitty Litter", + "potter's clay", + "potter's earth", + "slip", + "claystone", + "clunch", + "coal", + "anthracite", + "anthracite coal", + "hard coal", + "bituminous coal", + "soft coal", + "lignite", + "brown coal", + "wood coal", + "sea coal", + "steam coal", + "Clorox", + "coagulant", + "coagulator", + "cod-liver oil", + "cod liver oil", + "cod oil", + "lanolin", + "wool fat", + "wool grease", + "codon", + "coin silver", + "combustible", + "combustible material", + "complementary DNA", + "cDNA", + "provirus", + "dscDNA", + "episome", + "complex", + "coordination compound", + "composite material", + "hydrochloride", + "compost", + "compound", + "chemical compound", + "allomorph", + "computer paper", + "concrete", + "conjugate solution", + "conjugate", + "conima", + "constantan", + "Eureka", + "construction paper", + "conductor", + "semiconductor", + "semiconducting material", + "insulator", + "dielectric", + "nonconductor", + "glass wool", + "contaminant", + "contamination", + "coolant", + "copper-base alloy", + "copper oxide", + "copper sulfate", + "copper sulphate", + "cupric sulfate", + "cupric sulphate", + "coral", + "red coral", + "precious coral", + "cork", + "corkboard", + "phellem", + "cork", + "corn sugar", + "corrosive", + "alumina", + "aluminum oxide", + "aluminium oxide", + "aluminate", + "aluminum hydroxide", + "aluminium hydroxide", + "hydrated aluminum oxide", + "hydrated aluminium oxide", + "alundum", + "cottonseed cake", + "cotton cake", + "coumarone-indene resin", + "coumarone resin", + "indene", + "covering material", + "creatine", + "creatin", + "creosol", + "creosote", + "coal-tar creosote", + "creosote", + "cresol", + "methyl phenol", + "crepe", + "crepe paper", + "cryogen", + "cyanamide", + "cyanamid", + "cyanic acid", + "cyanide", + "sodium cyanide", + "cyanogen", + "cyano group", + "cyano radical", + "cyanide group", + "cyanide radical", + "nitrile", + "nitril", + "cyanide", + "cyanohydrin", + "cyanuric acid", + "cyclohexanol", + "cyclohexanol phthalate", + "cymene", + "cytokine", + "cytolysin", + "cytosine", + "C", + "daub", + "decarboxylase", + "defoliant", + "de-iodinase", + "demantoid", + "andradite", + "demerara", + "deoxyadenosine monophosphate", + "A", + "deoxycytidine monophosphate", + "C", + "deoxyguanosine monophosphate", + "G", + "deoxythymidine monophosphate", + "T", + "deoxyribonucleic acid", + "desoxyribonucleic acid", + "DNA", + "exon", + "coding DNA", + "intron", + "noncoding DNA", + "junk DNA", + "recombinant deoxyribonucleic acid", + "recombinant DNA", + "sticky end", + "transposon", + "jumping gene", + "ribonuclease", + "ribonucleinase", + "RNase", + "ribonucleic acid", + "RNA", + "messenger RNA", + "mRNA", + "template RNA", + "informational RNA", + "nuclear RNA", + "nRNA", + "transfer RNA", + "tRNA", + "acceptor RNA", + "soluble RNA", + "deoxyribose", + "dental gold", + "depilatory", + "derivative", + "desert soil", + "desertic soil", + "dew", + "dextrin", + "diamond", + "adamant", + "digestive", + "mono-iodotyrosine", + "di-iodotyrosine", + "iodotyrosine", + "iodothyronine", + "tri-iodothyronine", + "dilutant", + "diluent", + "thinner", + "dilution", + "dimer", + "dimethylglyoxime", + "dimpled chad", + "pregnant chad", + "dimple", + "diol", + "glycol", + "dihydric alcohol", + "dioxide", + "dioxin", + "disaccharidase", + "disaccharide", + "dishwater", + "distillate", + "distillation", + "distilled water", + "exhaust", + "exhaust fumes", + "fumes", + "dressed ore", + "concentrate", + "driftwood", + "drill steel", + "drill rod", + "docosahexaenoic acid", + "dolomite", + "dopamine", + "Dopastat", + "Intropin", + "dottle", + "dragon's blood", + "drawing paper", + "drilling mud", + "drilling fluid", + "dubbin", + "Duralumin", + "particulate", + "particulate matter", + "chalk dust", + "dust", + "dust", + "elaidic acid", + "elastomer", + "element", + "elixir", + "air", + "breath", + "hot air", + "halitosis", + "halitus", + "exhalation", + "compressed gas", + "compressed air", + "air cushion", + "air", + "fire", + "earth", + "ground", + "diatomaceous earth", + "diatomite", + "kieselguhr", + "sienna", + "bister", + "bistre", + "burnt sienna", + "raw sienna", + "ocher", + "ochre", + "sinopis", + "sinopia", + "sinoper", + "yellow ocher", + "yellow ochre", + "earth", + "saprolite", + "soil", + "dirt", + "soil conditioner", + "caliche", + "hardpan", + "water", + "H2O", + "holy water", + "musk", + "nectar", + "pheromone", + "quintessence", + "ether", + "water", + "ground water", + "spring water", + "well water", + "eicosapentaenoic acid", + "eleostearic acid", + "elaeostearic acid", + "electrolyte", + "eluate", + "Fehling's solution", + "formalin", + "formol", + "gargle", + "mouthwash", + "infusion", + "extract", + "pancreatin", + "injection", + "injectant", + "isotonic solution", + "isosmotic solution", + "elastase", + "emerald", + "emery cloth", + "emery paper", + "sandpaper", + "emery stone", + "emery rock", + "enterokinase", + "erythropoietin", + "ester", + "ethane", + "C2H6", + "ethyl acetate", + "ethylene", + "ethene", + "trichloroethylene", + "trichloroethane", + "TCE", + "ethylenediaminetetraacetic acid", + "EDTA", + "ethylene glycol", + "glycol", + "ethanediol", + "propylene glycol", + "propanediol", + "euphorbium", + "gum eurphorbium", + "discharge", + "emission", + "emmenagogue", + "eutectoid steel", + "exudate", + "exudation", + "transudate", + "transudation", + "high explosive", + "low explosive", + "effluvium", + "rheum", + "vaginal discharge", + "body waste", + "excretion", + "excreta", + "excrement", + "excretory product", + "fecal matter", + "faecal matter", + "feces", + "faeces", + "BM", + "stool", + "ordure", + "dejection", + "crap", + "dirt", + "shit", + "shite", + "poop", + "turd", + "pigeon droppings", + "droppings", + "dung", + "muck", + "cow pie", + "cowpie", + "meconium", + "melena", + "melaena", + "fecula", + "wormcast", + "human waste", + "urine", + "piss", + "pee", + "piddle", + "weewee", + "water", + "vomit", + "vomitus", + "puke", + "barf", + "detritus", + "waste", + "waste material", + "waste matter", + "waste product", + "filth", + "crud", + "skank", + "sewage", + "sewerage", + "effluent", + "wastewater", + "sewer water", + "garbage", + "refuse", + "food waste", + "scraps", + "pollutant", + "rubbish", + "trash", + "scrap", + "scrap metal", + "debris", + "dust", + "junk", + "rubble", + "detritus", + "slack", + "litter", + "slop", + "toxic waste", + "toxic industrial waste", + "extravasation", + "fallout", + "radioactive dust", + "fencing material", + "fencing", + "ferrite", + "fertilizer", + "fertiliser", + "plant food", + "gallamine", + "Flaxedil", + "organic", + "organic fertilizer", + "organic fertiliser", + "flux", + "soldering flux", + "foryml", + "sodium nitrate", + "soda niter", + "pearl ash", + "potassium bicarbonate", + "potassium acid carbonate", + "potassium hydrogen carbonate", + "potassium chloride", + "potassium muriate", + "potash muriate", + "K-Dur 20", + "Kaochlor", + "K-lor", + "Klorvess", + "K-lyte", + "potassium nitrate", + "saltpeter", + "saltpetre", + "niter", + "nitre", + "potassium bromide", + "potassium carbonate", + "potassium chlorate", + "potassium cyanide", + "potassium dichromate", + "potassium iodide", + "producer gas", + "air gas", + "proprionamide", + "propanamide", + "propionic acid", + "propanoic acid", + "pudding stone", + "conglomerate", + "putrescine", + "pyroligneous acid", + "wood vinegar", + "manure", + "chicken manure", + "cow manure", + "green manure", + "horse manure", + "night soil", + "facial tissue", + "fat", + "cocoa butter", + "leaf fat", + "leaf lard", + "feldspar", + "felspar", + "orthoclase", + "plagioclase", + "oligoclase", + "albite", + "white feldspar", + "anorthite", + "ferric oxide", + "ferricyanic acid", + "ferricyanide", + "ferritin", + "ferrocerium", + "ferrocyanic acid", + "ferrocyanide", + "fiberglass", + "fibreglass", + "fiber", + "fibre", + "string", + "fish meal", + "buntal", + "fibril", + "filament", + "strand", + "fieldstone", + "filling", + "fill", + "filter paper", + "filtrate", + "firelighter", + "fire opal", + "girasol", + "fish-liver oil", + "fish oil", + "fixative", + "fixing agent", + "fixer", + "flavone", + "flavonoid", + "flax", + "flyspeck", + "cotton", + "cotton fiber", + "cotton wool", + "long-staple cotton", + "short-staple cotton", + "chert", + "taconite", + "firestone", + "flavin", + "flint", + "flintstone", + "flooring", + "floor wax", + "fluoride", + "fluoroboric acid", + "fluoroboride", + "fluorocarbon", + "fluorocarbon plastic", + "fluosilicate", + "fluosilicic acid", + "hydrofluosilicic acid", + "flypaper", + "foam", + "foam rubber", + "fomentation", + "formaldehyde", + "methanal", + "formic acid", + "formulation", + "preparation", + "frankincense", + "olibanum", + "gum olibanum", + "thus", + "free radical", + "radical", + "freezing mixture", + "Freon", + "fructose", + "fruit sugar", + "levulose", + "laevulose", + "fuel", + "fuller's earth", + "fulvic acid", + "fumaric acid", + "fumigant", + "furan", + "furane", + "furfuran", + "furfural", + "furfuraldehyde", + "galactagogue", + "galactose", + "brain sugar", + "galbanum", + "gum albanum", + "gallic acid", + "galvanized iron", + "greenhouse gas", + "greenhouse emission", + "carbuncle", + "gas", + "liquefied petroleum gas", + "bottled gas", + "water gas", + "ghatti", + "ghatti gum", + "kraft", + "kraft paper", + "butcher paper", + "gift wrap", + "gilding metal", + "gilgai soil", + "natural glass", + "quartz glass", + "quartz", + "vitreous silica", + "lechatelierite", + "crystal", + "opal glass", + "milk glass", + "optical glass", + "optical crown", + "crown glass", + "optical crown glass", + "optical flint", + "flint glass", + "crown glass", + "tektite", + "volcanic glass", + "obsidian", + "pitchstone", + "tachylite", + "glass", + "soft glass", + "ground glass", + "ground glass", + "lead glass", + "paste", + "safety glass", + "laminated glass", + "shatterproof glass", + "soluble glass", + "water glass", + "sodium silicate", + "stained glass", + "Tiffany glass", + "wire glass", + "crystal", + "twins", + "enamine", + "enantiomorph", + "enantiomer", + "exotherm", + "glucose", + "dextrose", + "dextroglucose", + "grape sugar", + "blood sugar", + "blood glucose", + "glutamate", + "glutamic oxalacetic transaminase", + "glutamic oxaloacetic transaminase", + "glyceraldehyde", + "glyceric aldehyde", + "glyceric acid", + "glyceride", + "acylglycerol", + "triglyceride", + "glycerol", + "glycerin", + "glycerine", + "glycerinated gelatin", + "glycerin jelly", + "glycerite", + "glycerole", + "glycerogelatin", + "glycerogel", + "glyceryl", + "nitroglycerin", + "nitroglycerine", + "trinitroglycerin", + "glyceryl trinitrate", + "Nitrospan", + "Nitrostat", + "glyceryl ester", + "glycoside", + "amygdalin", + "laetrile", + "glucoside", + "saponin", + "glycolic acid", + "glycollic acid", + "hydroxyacetic acid", + "glycoprotein", + "cluster of differentiation 4", + "CD4", + "cluster of differentiation 8", + "CD8", + "hemoprotein", + "haemoprotein", + "lectin", + "gneiss", + "schist", + "rust", + "goitrogen", + "goldstone", + "gondang wax", + "fig wax", + "goose grease", + "graph paper", + "granite", + "granular pearlite", + "globular pearlite", + "lubricant", + "lubricator", + "lubricating substance", + "lube", + "grease", + "lubricating oil", + "greaseproof paper", + "Greek fire", + "green gold", + "greisen", + "groundmass", + "grid metal", + "grout", + "guanine", + "G", + "guano", + "guinea gold", + "gunite", + "essential oil", + "volatile oil", + "attar", + "atar", + "athar", + "ottar", + "attar of roses", + "rose oil", + "clove oil", + "oil of cloves", + "costus oil", + "eucalyptus oil", + "turpentine", + "oil of turpentine", + "spirit of turpentine", + "turps", + "wormwood oil", + "absinthe oil", + "linalool", + "resin", + "rosin", + "natural resin", + "amber", + "urea-formaldehyde resin", + "copal", + "copalite", + "copaline", + "fossil copal", + "congo copal", + "congo gum", + "kauri", + "kauri copal", + "kauri resin", + "kauri gum", + "dammar", + "gum dammar", + "damar", + "dammar resin", + "Zanzibar copal", + "anime", + "colophony", + "mastic", + "oleoresin", + "balsam", + "balm", + "balm of Gilead", + "Canada balsam", + "turpentine", + "gum terpentine", + "Chian turpentine", + "copaiba", + "copaiba balsam", + "balsam capivi", + "gum resin", + "benzoin", + "gum benzoin", + "benjamin", + "gum benjamin", + "asa dulcis", + "benzofuran", + "coumarone", + "cumarone", + "bdellium", + "gamboge", + "gum", + "medium", + "culture medium", + "medium", + "medium", + "contrast medium", + "contrast material", + "medium", + "agar", + "agar-agar", + "agar", + "nutrient agar", + "blood agar", + "algin", + "alginic acid", + "cherry-tree gum", + "chicle", + "chicle gum", + "guar gum", + "gum arabic", + "gum acacia", + "Senegal gum", + "gum butea", + "butea gum", + "butea kino", + "Bengal kino", + "kino", + "gum kino", + "kino gum", + "mesquite gum", + "mucilage", + "sterculia gum", + "karaya gum", + "synthetic", + "synthetic substance", + "synthetic resin", + "alkyd", + "alkyd resin", + "phenolic resin", + "phenolic", + "phenoplast", + "epoxy", + "epoxy resin", + "epoxy glue", + "copolymer", + "polyurethane", + "polyurethan", + "polyfoam", + "polyurethane foam", + "cinnamon stone", + "essonite", + "hessonite", + "gumbo", + "gumbo soil", + "gutta-percha", + "terra alba", + "gummite", + "halibut-liver oil", + "halide", + "halocarbon", + "halogen", + "hanging chad", + "hard lead", + "hard lead", + "antimonial lead", + "hard steel", + "hard water", + "harlequin opal", + "hematite", + "haematite", + "hemiacetal", + "hemlock", + "hemolysin", + "haemolysin", + "erythrolysin", + "erythrocytolysin", + "hemp", + "heptane", + "herbicide", + "weedkiller", + "weed killer", + "hexane", + "high brass", + "high-density lipoprotein", + "HDL", + "alpha-lipoprotein", + "high-level radioactive waste", + "high-speed steel", + "hot-work steel", + "hip tile", + "hipped tile", + "histidine", + "histaminase", + "homogenate", + "horsehair", + "humectant", + "humus", + "humate", + "humic acid", + "humic substance", + "humin", + "hyacinth", + "jacinth", + "hyaline", + "hyalin", + "hyaluronic acid", + "hyaluronidase", + "spreading factor", + "Hyazyme", + "hydrate", + "hydrazine", + "hydride", + "hydrobromic acid", + "hydrocarbon", + "bitumen", + "pitch", + "tar", + "coal tar", + "butadiene", + "chloroprene", + "hydrochloric acid", + "chlorohydric acid", + "hydrofluorocarbon", + "HFC", + "hydrogen bromide", + "hydrogen chloride", + "hydrogen fluoride", + "hydrofluoric acid", + "hydrogen iodide", + "hydroiodic acid", + "hydrogen sulfide", + "hyper-eutectoid steel", + "hypnagogue", + "hypo", + "sodium thiosulphate", + "sodium thiosulfate", + "hypochlorous acid", + "hypo-eutectoid steel", + "hypoglycemic agent", + "hypoglycaemic agent", + "hydrazo group", + "hydrazo radical", + "hydroxide", + "hydroxyl", + "hydroxyl group", + "hydroxyl radical", + "hydroxide ion", + "hydroxyl ion", + "hydroxymethyl", + "ice", + "water ice", + "black ice", + "frost", + "hoar", + "hoarfrost", + "rime", + "hailstone", + "icicle", + "Iceland spar", + "identification particle", + "Inconel", + "ideal gas", + "perfect gas", + "imidazole", + "iminazole", + "glyoxaline", + "impregnation", + "indelible ink", + "India ink", + "drawing ink", + "indicator", + "indurated clay", + "ink", + "magnetic ink", + "printer's ink", + "printing ink", + "writing ink", + "Indian red", + "Indian red", + "indoleacetic acid", + "IAA", + "indolebutyric acid", + "inducer", + "ivory black", + "incense", + "inhalant", + "inoculant", + "inoculum", + "inorganic compound", + "inosine", + "inositol", + "insecticide", + "insect powder", + "insectifuge", + "insect repellent", + "insect repellant", + "repellent", + "repellant", + "repellent", + "repellant", + "instillation", + "insulating material", + "insulant", + "insulation", + "interleukin", + "intermediate", + "Invar", + "invertase", + "saccharase", + "sucrase", + "invert sugar", + "Javelle water", + "Javel water", + "eau de Javelle", + "fraction", + "iodic acid", + "iodide", + "iodocompound", + "thyroprotein", + "thyroglobulin", + "iron blue", + "Prussian blue", + "iron blue", + "steel grey", + "steel gray", + "Davy's grey", + "Davy's gray", + "Payne's grey", + "Payne's gray", + "iron disulfide", + "iron ore", + "iron perchloride", + "isocyanate", + "isocyanic acid", + "isoleucine", + "isomer", + "isomerase", + "itaconic acid", + "jade", + "jadestone", + "Japan wax", + "Japan tallow", + "jargoon", + "jargon", + "jasper", + "jelly", + "jet", + "joss stick", + "jute", + "kapok", + "silk cotton", + "vegetable silk", + "red silk cotton", + "paraffin", + "paraffin oil", + "keratohyalin", + "ketone", + "ketone body", + "acetone body", + "ketone group", + "acetoacetic acid", + "beta-hydroxybutyric acid", + "hydroxybutyric acid", + "oxybutyric acid", + "ketohexose", + "ketose", + "kinase", + "Kleenex", + "kunzite", + "Kwell", + "labdanum", + "gum labdanum", + "lacquer", + "lactase", + "Lactaid", + "lactic acid", + "lactifuge", + "lactogen", + "lactose", + "milk sugar", + "lamellar mixture", + "lapis lazuli", + "lazuli", + "lard oil", + "larvicide", + "laterite", + "lath and plaster", + "lauric acid", + "dodecanoic acid", + "lauryl alcohol", + "1-dodecanol", + "latten", + "lava", + "tuff", + "tufa", + "tufa", + "calc-tufa", + "aa", + "pahoehoe", + "pillow lava", + "magma", + "igneous rock", + "adesite", + "batholith", + "batholite", + "pluton", + "plutonic rock", + "diorite", + "gabbro", + "pegmatite", + "peridotite", + "kimberlite", + "rhyolite", + "volcanic rock", + "leaded bronze", + "lead ore", + "massicot", + "massicotite", + "leaf mold", + "leaf mould", + "leaf soil", + "leaven", + "leavening", + "ledger paper", + "lepidocrocite", + "laid paper", + "wove paper", + "letter paper", + "lindane", + "linen", + "linen paper", + "leucine", + "lignin", + "hydroxide", + "hydrated oxide", + "calcite", + "calcium hydroxide", + "lime", + "slaked lime", + "hydrated lime", + "calcium hydrate", + "caustic lime", + "lime hydrate", + "limestone", + "rottenstone", + "tripoli", + "dripstone", + "calcium bicarbonate", + "calcium carbonate", + "limewater", + "calcium chloride", + "calcium hydride", + "hydrolith", + "calcium sulphate", + "calcium sulfate", + "limonene", + "limonite", + "linoleic acid", + "linolic acid", + "linolenic acid", + "linoleum", + "lino", + "lint", + "linuron", + "lipase", + "lipid", + "lipide", + "lipoid", + "lipoprotein", + "fluid", + "grume", + "ichor", + "fluid", + "liquid", + "liquid", + "liquid nitrogen", + "liquid air", + "liquid bleach", + "liquid crystal", + "liquor", + "litmus", + "litmus test", + "litmus paper", + "lithia water", + "lithium carbonate", + "Lithane", + "Lithonate", + "Eskalith", + "loam", + "lodestone", + "loadstone", + "loess", + "log", + "low brass", + "low-density lipoprotein", + "LDL", + "beta-lipoprotein", + "low-level radioactive waste", + "lumber", + "timber", + "lye", + "lymphokine", + "lysine", + "Lysol", + "lysozyme", + "muramidase", + "Mace", + "Chemical Mace", + "macromolecule", + "supermolecule", + "magnesium bicarbonate", + "magnesium carbonate", + "magnesium hydroxide", + "magnesium nitride", + "magnesium sulfate", + "Epsom salts", + "bitter salts", + "magnetite", + "magnetic iron-ore", + "Malathion", + "maleate", + "maleic acid", + "maltose", + "malt sugar", + "manifold paper", + "manifold", + "manila", + "manila paper", + "manilla", + "manilla paper", + "manganese bronze", + "high-strength brass", + "manganese steel", + "austenitic manganese steel", + "manganate", + "Manila hemp", + "Manilla hemp", + "abaca", + "maple sugar", + "marble", + "verd antique", + "verde antique", + "marking ink", + "marsh gas", + "martensite", + "mash", + "sour mash", + "matchwood", + "matchwood", + "splinters", + "matrix", + "matte", + "medium steel", + "megilp", + "magilp", + "melamine", + "cyanuramide", + "melamine resin", + "meltwater", + "menhaden oil", + "menstruum", + "menthol", + "mercuric chloride", + "mercury chloride", + "bichloride of mercury", + "corrosive sublimate", + "calomel", + "mercurous chloride", + "message pad", + "writing pad", + "methane", + "methane series", + "alkane series", + "alkane", + "paraffin series", + "paraffin", + "methyl bromide", + "methylated spirit", + "methylene group", + "methylene radical", + "methylene", + "methyl", + "methyl group", + "methyl radical", + "methionine", + "methyl salicylate", + "birch oil", + "sweet-birch oil", + "Microtaggant", + "mild steel", + "low-carbon steel", + "soft-cast steel", + "mine pig", + "mineral oil", + "misch metal", + "mitogen", + "motor oil", + "mold", + "mould", + "molybdenum steel", + "monoamine", + "monoamine oxidase", + "MAO", + "monohydrate", + "monosaccharide", + "monosaccharose", + "simple sugar", + "monoxide", + "montan wax", + "moonstone", + "mordant", + "chrome alum", + "tartar emetic", + "antimony potassium tartrate", + "tartrate", + "bitartrate", + "morganite", + "mortar", + "mucoid", + "mucopolysaccharide", + "mud", + "clay", + "slop", + "mire", + "sludge", + "slime", + "goo", + "goop", + "gook", + "guck", + "gunk", + "muck", + "ooze", + "sapropel", + "muriatic acid", + "music paper", + "score paper", + "mustard gas", + "mustard agent", + "blistering agent", + "dichloroethyl sulfide", + "sulfur mustard", + "muton", + "nitrogen mustard", + "mutton tallow", + "myelin", + "myeline", + "medulla", + "myristic acid", + "tetradecanoic acid", + "napalm", + "naphtha", + "naphthalene", + "naphthol", + "pyrene", + "man-made fiber", + "synthetic fiber", + "natural fiber", + "natural fibre", + "animal fiber", + "animal fibre", + "plant fiber", + "plant fibre", + "straw", + "natural gas", + "gas", + "naval brass", + "Admiralty brass", + "Admiralty Metal", + "Tobin bronze", + "neat's-foot oil", + "nebula", + "nerve gas", + "nerve agent", + "VX gas", + "sarin", + "GB", + "neuromuscular blocking agent", + "newspaper", + "newsprint", + "Nichrome", + "nickel-base alloy", + "nickel alloy", + "nickel bronze", + "nickel silver", + "German silver", + "nickel steel", + "nicotinamide adenine dinucleotide", + "NAD", + "nicotinamide adenine dinucleotide phosphate", + "NADP", + "Ni-hard", + "Ni-hard iron", + "Ni-resist", + "Ni-resist iron", + "nitride", + "nitrobenzene", + "nitrofuran", + "nitrogenase", + "nuclease", + "nucleic acid", + "nucleoside", + "nucleotide", + "base", + "nurse log", + "cellulose acetate", + "cellulose triacetate", + "triacetate", + "celluloid", + "cellulose xanthate", + "viscose", + "acrylic fiber", + "acrylic", + "polyamide", + "polymeric amide", + "nylon", + "oakum", + "octane", + "oil", + "fixed oil", + "fatty oil", + "fusel oil", + "gas oil", + "stand oil", + "neroli oil", + "tall oil", + "oil-hardened steel", + "oilpaper", + "oleic acid", + "oleo oil", + "oleoresin capiscum", + "oligosaccharide", + "onionskin", + "flimsy", + "india paper", + "onyx", + "opaque gem", + "opopanax", + "organophosphate", + "organophosphate nerve agent", + "ormolu", + "oxalacetate", + "oxaloacetate", + "oxalacetic acid", + "oxaloacetic acid", + "oxalate", + "oxalic acid", + "ethanedioic acid", + "oxidase", + "oxidation-reduction indicator", + "oxide", + "oxidoreductase", + "oxime", + "oxyacetylene", + "oxyacid", + "oxygen acid", + "periodic acid", + "oxygenase", + "ozone", + "pad", + "pad of paper", + "tablet", + "palmitic acid", + "hexadecanoic acid", + "palmitin", + "pantothenic acid", + "pantothen", + "papain", + "para aminobenzoic acid", + "PABA", + "paraquat", + "paper", + "paper tape", + "paper toweling", + "papier-mache", + "paper-mache", + "papyrus", + "parchment", + "rice paper", + "roofing paper", + "tar paper", + "ola", + "olla", + "ticker tape", + "packing material", + "packing", + "wadding", + "excelsior", + "wood shavings", + "pantile", + "blacktop", + "blacktopping", + "macadam", + "tarmacadam", + "tarmac", + "parget", + "pargeting", + "pargetting", + "paving", + "pavement", + "paving material", + "pay dirt", + "pearlite", + "pectic acid", + "pectin", + "pediculicide", + "penicillinase", + "beta-lactamase", + "pepsin", + "pepsinogen", + "perboric acid", + "perfluorocarbon", + "PFC", + "Permalloy", + "permanganate", + "permanganic acid", + "peroxidase", + "peridot", + "peroxide", + "pesticide", + "petrochemical", + "petroleum", + "crude oil", + "crude", + "rock oil", + "fossil oil", + "oil", + "residual oil", + "resid", + "petrolatum", + "petroleum jelly", + "mineral jelly", + "system", + "phenolic plastic", + "phenolic urea", + "phenylalanine", + "phosgene", + "phosphatase", + "phosphine", + "phosphate", + "orthophosphate", + "inorganic phosphate", + "phosphocreatine", + "creatine phosphate", + "creatine phosphoric acid", + "phospholipid", + "phosphoric acid", + "orthophosphoric acid", + "phthalic acid", + "phytochemical", + "picric acid", + "pig iron", + "pig lead", + "plasmin", + "fibrinolysin", + "plasminogen", + "plasminogen activator", + "urokinase", + "platinum black", + "polymerase", + "DNA polymerase", + "transcriptase", + "RNA polymerase", + "reverse transcriptase", + "coloring material", + "colouring material", + "color", + "colour", + "dye", + "dyestuff", + "tincture", + "argent", + "alizarin", + "alizarine", + "alizarin carmine", + "alizarin crimson", + "alizarin red", + "bluing", + "blueing", + "blue", + "bromophenol blue", + "bromphenol blue", + "tetrabromo-phenolsulfonephthalein", + "bromothymol blue", + "bromthymol blue", + "cochineal", + "cyanine dye", + "direct dye", + "substantive dye", + "eosin", + "bromeosin", + "fluorescein", + "fluoresceine", + "fluorescent dye", + "resorcinolphthalein", + "fluorescein isothiocyanate", + "fluorescein isocyanate", + "fluorochrome", + "hair dye", + "hair coloring", + "hematochrome", + "henna", + "rinse", + "Kendal green", + "Kendal", + "lac dye", + "lead acetate", + "sugar of lead", + "orchil", + "archil", + "cudbear", + "phenol", + "pigment", + "pigment", + "bole", + "lake", + "lake", + "orange", + "watercolor", + "water-color", + "watercolour", + "water-colour", + "pine tar", + "pisang wax", + "plant material", + "plant substance", + "plant product", + "plasma", + "plaster", + "plaster of Paris", + "plaster", + "puddle", + "podzol", + "podzol soil", + "podsol", + "podsol soil", + "podsolic soil", + "poison gas", + "polyester", + "polyester", + "polyester fiber", + "polysaccharide", + "polyose", + "polymer", + "polyphosphate", + "polyunsaturated fat", + "potassium ferrocyanide", + "yellow prussiate of potash", + "potassium permanganate", + "permanganate of potash", + "sandstone", + "bluestone", + "greensand", + "polish", + "polypropylene", + "polypropene", + "polyvinyl-formaldehyde", + "porphyry", + "porphyritic rock", + "porpoise oil", + "dolphin oil", + "potash", + "caustic potash", + "potassium hydroxide", + "powder", + "pulverization", + "pulverisation", + "prairie soil", + "precipitant", + "preservative", + "product", + "percolate", + "propanal", + "propionaldehyde", + "propanol", + "propyl alcohol", + "propenal", + "acrolein", + "propenoate", + "acrylate", + "propenoic acid", + "acrylic acid", + "propenonitrile", + "acrylonitrile", + "vinyl cyanide", + "propylene", + "propene", + "propyl", + "propyl group", + "propyl radical", + "protease", + "peptidase", + "proteinase", + "proteolytic enzyme", + "ptomaine", + "ptomain", + "Pyrex", + "pyrimidine", + "pyrimidine", + "pyrope", + "pyrophoric alloy", + "pyruvic acid", + "quassia", + "quenched steel", + "quercitron", + "quinone", + "benzoquinone", + "radiopaque dye", + "rhodolite", + "safranine", + "safranin", + "saffranine", + "pheno-safranine", + "Tyrian purple", + "vat dye", + "vat color", + "woad", + "radioactive material", + "radioactive waste", + "raffia", + "raphia", + "raffinose", + "rauwolfia", + "raveling", + "ravelling", + "red brass", + "guinea gold", + "red lead", + "minium", + "red tide", + "reductase", + "refrigerant", + "remover", + "renin", + "rennin", + "chymosin", + "residue", + "resorcinol", + "restrainer", + "restriction endonuclease", + "restriction nuclease", + "restriction enzyme", + "retinene", + "retinal", + "ridge tile", + "roofing material", + "rose quartz", + "roughcast", + "latex", + "rubber", + "natural rubber", + "India rubber", + "gum elastic", + "caoutchouc", + "crepe rubber", + "rubber", + "synthetic rubber", + "silicone rubber", + "cold rubber", + "neoprene", + "hard rubber", + "vulcanite", + "ebonite", + "Para rubber", + "buna", + "buna rubber", + "butyl rubber", + "butyl", + "ruby", + "ruddle", + "reddle", + "raddle", + "rutile", + "rain", + "rainwater", + "condensate", + "seawater", + "saltwater", + "brine", + "evaporite", + "fresh water", + "freshwater", + "Rochelle salt", + "Rochelle salts", + "potassium sodium tartrate", + "Seidlitz powder", + "Seidlitz powders", + "Rochelle powder", + "salicylate", + "salicylic acid", + "2-hydroxybenzoic acid", + "salmon oil", + "salol", + "phenyl salicylate", + "salt", + "double salt", + "parathion", + "Paris green", + "rotenone", + "samarskite", + "sapphirine", + "bile salt", + "Glauber's salt", + "Glauber's salts", + "cream of tartar", + "tartar", + "potassium bitartrate", + "potassium hydrogen tartrate", + "sodium chlorate", + "dichromic acid", + "bichromate", + "dichromate", + "sodium dichromate", + "sodium bichromate", + "ammonium nitrate", + "silver nitrate", + "lunar caustic", + "caustic", + "caulk", + "caulking", + "roan", + "sodium hydroxide", + "caustic soda", + "silver bromide", + "silver iodide", + "nitrate", + "nitro group", + "nitrite", + "sodium nitrite", + "gunpowder", + "powder", + "smokeless powder", + "Ballistite", + "microcosmic salt", + "chloride", + "trichloride", + "nitrogen trichloride", + "Agene", + "dichloride", + "bichloride", + "perchloride", + "chloride", + "aluminum chloride", + "aluminium chloride", + "methylene chloride", + "dichloromethane", + "obidoxime chloride", + "silver chloride", + "stannic chloride", + "stannous fluoride", + "staple", + "staple fiber", + "staple fibre", + "starch", + "sand", + "sangapenum", + "gum sangapenum", + "water sapphire", + "sapphire", + "sarcosine", + "sard", + "sardine", + "sardius", + "sardine oil", + "sardonyx", + "sawdust", + "saw log", + "saxitoxin", + "scale wax", + "paraffin scale", + "scavenger", + "scheelite", + "schorl", + "scrap iron", + "notepad", + "scratch pad", + "scratch paper", + "scribbling block", + "seal oil", + "secretase", + "sedimentary clay", + "sepia", + "serine", + "globulin", + "gamma globulin", + "human gamma globulin", + "myosin", + "coagulation factor", + "clotting factor", + "fibrinogen", + "factor I", + "releasing factor", + "releasing hormone", + "RF", + "growth hormone-releasing factor", + "GHRF", + "intrinsic factor", + "platelet", + "blood platelet", + "thrombocyte", + "porphyrin", + "hemoglobin", + "haemoglobin", + "Hb", + "myoglobin", + "oxyhemoglobin", + "oxyhaemoglobin", + "heme", + "haem", + "hematin", + "haemitin", + "protoheme", + "hemin", + "protohemin", + "heterocyclic compound", + "heterocyclic", + "heterocycle", + "cytochrome", + "cytochrome c", + "globin", + "hematohiston", + "haematohiston", + "glutelin", + "histone", + "prolamine", + "protamine", + "scleroprotein", + "albuminoid", + "hemosiderin", + "haemosiderin", + "antibody", + "autoantibody", + "precipitin", + "ABO antibodies", + "Rh antibody", + "antitoxin", + "antivenin", + "antivenene", + "tetanus antitoxin", + "toxin antitoxin", + "agglutinin", + "isoagglutinin", + "agglutinogen", + "isoagglutinogen", + "heterophil antibody", + "heterophile antibody", + "Forssman antibody", + "isoantibody", + "alloantibody", + "lysin", + "monoclonal antibody", + "monoclonal", + "infliximab", + "Remicade", + "opsonin", + "immunoglobulin", + "Ig", + "immune serum globulin", + "immune gamma globulin", + "immune globulin", + "immunoglobulin A", + "IgA", + "immunoglobulin D", + "IgD", + "immunoglobulin E", + "IgE", + "reagin", + "immunoglobulin G", + "IgG", + "immunoglobulin M", + "IgM", + "tetanus immunoglobulin", + "tetanus immune globulin", + "poison", + "toxicant", + "poisonous substance", + "chemical irritant", + "capsaicin", + "gingerol", + "piperin", + "piperine", + "isothiocyanate", + "fetoprotein", + "foetoprotein", + "alpha fetoprotein", + "alpha foetoprotein", + "AFP", + "toxin", + "anatoxin", + "toxoid", + "animal toxin", + "zootoxin", + "bacterial toxin", + "botulin", + "botulinus toxin", + "botulismotoxin", + "cytotoxin", + "endotoxin", + "enterotoxin", + "exotoxin", + "mephitis", + "hepatotoxin", + "nephrotoxin", + "neurotoxin", + "neurolysin", + "mycotoxin", + "plant toxin", + "phytotoxin", + "venom", + "kokoi venom", + "snake venom", + "antigen", + "antigenic determinant", + "determinant", + "epitope", + "rhesus factor", + "Rh factor", + "Rh", + "sap", + "scabicide", + "sewer gas", + "shale", + "humic shale", + "oil shale", + "shale oil", + "shark oil", + "shark-liver oil", + "sheep dip", + "Shetland wool", + "shingle", + "shake", + "shoe polish", + "blacking", + "shot metal", + "siderite", + "chalybite", + "silicic acid", + "silicate", + "silicide", + "silicon carbide", + "silicone", + "silicone polymer", + "silicone resin", + "siloxane", + "siding", + "silex", + "silica", + "silicon oxide", + "silicon dioxide", + "silica gel", + "silicon bronze", + "silk", + "silt", + "siltstone", + "silvex", + "simazine", + "Simoniz", + "sisal", + "sisal hemp", + "ski wax", + "slag", + "scoria", + "dross", + "slate", + "slating", + "smaltite", + "slush", + "smelling salts", + "snake oil", + "snow", + "snuff", + "corn snow", + "crud", + "soapstone", + "soaprock", + "soap-rock", + "steatite", + "soda lime", + "sodalite", + "sodium carbonate", + "washing soda", + "sal soda", + "soda ash", + "soda", + "sodium carboxymethyl cellulose", + "sodium fluoride", + "sodium hydride", + "sodium hypochlorite", + "sodium iodide", + "sodium lauryl sulphate", + "sodium lauryl sulfate", + "SLS", + "sodium pyrophosphate", + "tetrasodium pyrophosphate", + "sodium sulphate", + "sodium sulfate", + "sodium tripolyphosphate", + "sodium phosphate", + "sodium orthophosphate", + "soft water", + "solid", + "dry ice", + "solvent", + "dissolvent", + "dissolver", + "dissolving agent", + "resolvent", + "solute", + "solvate", + "solvating agent", + "viricide", + "virucide", + "alkahest", + "alcahest", + "universal solvent", + "soup", + "sourdough", + "spackle", + "spackling compound", + "spar", + "sparkle metal", + "spiegeleisen", + "spiegel", + "spiegel iron", + "spill", + "spelter", + "sperm oil", + "spice", + "stacte", + "staff", + "staphylococcal enterotoxin", + "staphylococcal enterotoxin B", + "SEB", + "spinel", + "spinel ruby", + "ruby spinel", + "almandine", + "balas", + "balas ruby", + "Ceylonite", + "pleonaste", + "rubicelle", + "solid solution", + "primary solid solution", + "spirits of ammonia", + "sal volatile", + "spodumene", + "hiddenite", + "spray", + "stabilizer", + "stachyose", + "stain", + "counterstain", + "Gram's solution", + "stannite", + "tin pyrites", + "star sapphire", + "starch", + "amylum", + "arrowroot", + "cornstarch", + "cornflour", + "sago", + "pearl sago", + "amyloid", + "Otaheite arrowroot", + "Otaheite arrowroot starch", + "steam", + "live steam", + "water vapor", + "water vapour", + "vapor", + "vapour", + "softener", + "water softener", + "soman", + "GD", + "spray", + "sea spray", + "spindrift", + "spoondrift", + "stearic acid", + "octadecanoic acid", + "stearin", + "Stellite", + "sterling silver", + "sternutator", + "sternutatory", + "steroid", + "nonsteroid", + "nonsteroidal", + "ketosteroid", + "sterol", + "steroid alcohol", + "cholesterol", + "cholesterin", + "HDL cholesterol", + "LDL cholesterol", + "oxidized LDL cholesterol", + "ergosterol", + "bile acid", + "cholic acid", + "bilge", + "bilge water", + "cardiac glycoside", + "cardiac glucoside", + "digitalis", + "digitalis glycoside", + "digitalin", + "render", + "stibnite", + "sticks and stone", + "wattle and daub", + "stiffener", + "streptodornase", + "streptokinase", + "streptolysin", + "stripper", + "strophanthin", + "strontianite", + "stucco", + "sublimate", + "tallow", + "vegetable tallow", + "sucrose", + "saccharose", + "jaggery", + "jagghery", + "jaggary", + "structural iron", + "structural steel", + "sulfanilic acid", + "sulphanilic acid", + "sulfate", + "sulphate", + "sulfide", + "sulphide", + "sulfur oxide", + "sulphur oxide", + "sulfur dioxide", + "sulphur dioxide", + "sulfur hexafluoride", + "sulphur hexafluoride", + "sunstone", + "aventurine", + "superoxide", + "superoxide anion", + "superoxide", + "superoxide dismutase", + "SOD", + "surgical spirit", + "Swedish iron", + "swinging chad", + "sylvanite", + "graphic tellurium", + "sylvite", + "sylvine", + "tabun", + "GA", + "talc", + "talcum", + "French chalk", + "rensselaerite", + "tallow oil", + "tannin", + "tannic acid", + "catechin", + "tantalite", + "tartaric acid", + "racemic acid", + "tear gas", + "teargas", + "lacrimator", + "lachrymator", + "telluride", + "telomerase", + "tenderizer", + "tenderiser", + "terpene", + "tetrachloride", + "tetrafluoroethylene", + "tetrahalide", + "tetrasaccharide", + "tetrodotoxin", + "tetroxide", + "tetryl", + "nitramine", + "thatch", + "thickening", + "thickener", + "thiouracil", + "thiocyanate", + "thiocyanic acid", + "thorite", + "thortveitite", + "threonine", + "prothrombin", + "factor II", + "thromboplastin", + "thrombokinase", + "factor III", + "calcium ion", + "factor IV", + "proaccelerin", + "prothrombin accelerator", + "accelerator factor", + "factor V", + "proconvertin", + "cothromboplastin", + "stable factor", + "factor VII", + "antihemophilic factor", + "antihaemophilic factor", + "antihemophilic globulin", + "antihaemophilic globulin", + "factor VIII", + "Hemofil", + "Christmas factor", + "factor IX", + "prothrombinase", + "factor X", + "plasma thromboplastin antecedent", + "factor XI", + "Hageman factor", + "factor XII", + "fibrinase", + "factor XIII", + "thymine", + "T", + "deoxyadenosine", + "deoxycytidine", + "cytidine", + "deoxyguanosine", + "guanosine", + "deoxythymidine", + "thymidine", + "thymol", + "thyme camphor", + "thymic acid", + "melanocyte-stimulating hormone", + "MSH", + "thyrotropin", + "thyrotropic hormone", + "thyrotrophin", + "thyrotrophic hormone", + "thyroid-stimulating hormone", + "TSH", + "thyrotropin-releasing hormone", + "TRH", + "thyrotropin-releasing factor", + "TRF", + "protirelin", + "thyronine", + "tile", + "roofing tile", + "till", + "boulder clay", + "tissue", + "tissue paper", + "toilet tissue", + "toilet paper", + "bathroom tissue", + "toilet roll", + "toluene", + "methylbenzene", + "toluic acid", + "tombac", + "tombak", + "tambac", + "toner", + "toner", + "tool steel", + "topaz", + "topaz", + "false topaz", + "common topaz", + "tourmaline", + "trace element", + "tracing paper", + "tragacanth", + "transaminase", + "aminotransferase", + "aminopherase", + "transferase", + "transfer paper", + "transferrin", + "beta globulin", + "siderophilin", + "transparent gem", + "transparent substance", + "translucent substance", + "triamcinolone", + "Aristocort", + "Aristopak", + "Kenalog", + "triazine", + "tri-chad", + "trichloroacetic acid", + "trichloracetic acid", + "margarin", + "glycerol trimargarate", + "tridymite", + "triolein", + "olein", + "trimer", + "trioxide", + "tripalmitin", + "glycerol tripalmitate", + "triphosphopyridine", + "triphosphopyridine nucleotide", + "triphosphoric acid", + "trisaccharide", + "trisodium phosphate", + "trisodium orthophosphate", + "tribasic sodium phosphate", + "tristearin", + "glycerol tristearate", + "trypsin", + "trypsinogen", + "tryptophan", + "tryptophane", + "tuna oil", + "tundra soil", + "tungsten steel", + "wolfram steel", + "tungstate", + "tungstic acid", + "turquoise", + "typewriter paper", + "typing paper", + "tyramine", + "tyrosine", + "ubiquinone", + "coenzyme Q", + "ultramarine", + "ultramarine blue", + "French blue", + "French ultramarine", + "French ultramarine blue", + "umber", + "raw umber", + "burnt umber", + "undecylenic acid", + "unleaded gasoline", + "unleaded petrol", + "undercut", + "urease", + "urethane", + "uracil", + "U", + "uraninite", + "pitchblende", + "uranium ore", + "uranyl", + "uranyl group", + "uranyl radical", + "uranyl nitrate", + "uranyl oxalate", + "urea", + "carbamide", + "uric acid", + "urate", + "tophus", + "chalkstone", + "valine", + "linseed", + "flaxseed", + "linseed oil", + "flaxseed oil", + "tung oil", + "Chinese wood oil", + "chaulmoogra oil", + "vanadate", + "vanadinite", + "vanadium pentoxide", + "vanadic acid", + "vanadium steel", + "vellum", + "vermiculite", + "very low density lipoprotein", + "VLDL", + "vesuvianite", + "vesuvian", + "idocrase", + "vinegar", + "vinyl", + "vinyl", + "vinyl group", + "vinyl radical", + "vinyl polymer", + "vinyl resin", + "polyvinyl resin", + "iodopsin", + "visual purple", + "rhodopsin", + "retinal purple", + "photopigment", + "vitamin", + "fat-soluble vitamin", + "water-soluble vitamin", + "vitamin A", + "antiophthalmic factor", + "axerophthol", + "A", + "vitamin A1", + "retinol", + "vitamin A2", + "dehydroretinol", + "provitamin", + "provitamin A", + "carotene", + "carotin", + "B-complex vitamin", + "B complex", + "vitamin B complex", + "vitamin B", + "B vitamin", + "B", + "vitamin B1", + "thiamine", + "thiamin", + "aneurin", + "antiberiberi factor", + "vitamin B12", + "cobalamin", + "cyanocobalamin", + "antipernicious anemia factor", + "vitamin B2", + "vitamin G", + "riboflavin", + "lactoflavin", + "ovoflavin", + "hepatoflavin", + "vitamin B6", + "pyridoxine", + "pyridoxal", + "pyridoxamine", + "adermin", + "vitamin Bc", + "vitamin M", + "folate", + "folic acid", + "folacin", + "pteroylglutamic acid", + "pteroylmonoglutamic acid", + "niacin", + "nicotinic acid", + "vitamin D", + "calciferol", + "viosterol", + "ergocalciferol", + "cholecalciferol", + "D", + "vitamin E", + "tocopherol", + "E", + "biotin", + "vitamin H", + "vitamin K", + "naphthoquinone", + "antihemorrhagic factor", + "vitamin K1", + "phylloquinone", + "phytonadione", + "vitamin K3", + "menadione", + "vitamin P", + "bioflavinoid", + "citrin", + "vitamin C", + "C", + "ascorbic acid", + "vitriol", + "oil of vitriol", + "sulfuric acid", + "sulphuric acid", + "volatile", + "wallpaper", + "waste paper", + "water of crystallization", + "water of crystallisation", + "water of hydration", + "wax", + "beeswax", + "Ghedda wax", + "cerumen", + "earwax", + "paraffin", + "paraffin wax", + "spermaceti", + "vegetable wax", + "shellac wax", + "lac wax", + "cadaverine", + "cadmium sulfide", + "cadmium yellow", + "cadmium yellow pale", + "cadmium orange", + "zinc cadmium sulfide", + "verdigris", + "cupric acetate", + "wax paper", + "wetting agent", + "wetter", + "surfactant", + "surface-active agent", + "detergent", + "builder", + "detergent builder", + "whale oil", + "train oil", + "whey", + "milk whey", + "white lead", + "ceruse", + "lead carbonate", + "wicker", + "wiesenboden", + "wood", + "dyewood", + "hardwood", + "softwood", + "deal", + "pulpwood", + "raw wood", + "hardtack", + "firewood", + "cordwood", + "backlog", + "Yule log", + "brand", + "firebrand", + "pine knot", + "igniter", + "ignitor", + "lighter", + "kindling", + "tinder", + "touchwood", + "spunk", + "punk", + "punk", + "board", + "plank", + "lemongrass", + "lemon grass", + "lemongrass oil", + "planking", + "chipboard", + "hardboard", + "deal", + "knot", + "knothole", + "clapboard", + "weatherboard", + "weatherboarding", + "wolframite", + "iron manganese tungsten", + "wollastonite", + "wood pulp", + "wood sugar", + "xylose", + "Wood's metal", + "Wood's alloy", + "wood tar", + "wool", + "raw wool", + "alpaca", + "cashmere", + "fleece", + "shoddy", + "vicuna", + "virgin wool", + "wrapping paper", + "writing paper", + "wool oil", + "wulfenite", + "wurtzite", + "xenotime", + "xylene", + "xylol", + "yeast", + "barm", + "yellowcake", + "U308", + "mother", + "zeolite", + "chabazite", + "chabasite", + "heulandite", + "natrolite", + "phillipsite", + "zinc blende", + "blende", + "sphalerite", + "zinc oxide", + "flowers of zinc", + "philosopher's wool", + "philosophers' wool", + "zinc sulfate", + "zinc sulphate", + "white vitriol", + "zinc vitriol", + "zinc sulfide", + "zinc sulphide", + "zinc white", + "Chinese white", + "zinkenite", + "zinnwaldite", + "zircon", + "zirconium silicate", + "zirconium oxide", + "zirconia", + "zirconium dioxide", + "zymase", + "emanation", + "ectoplasm", + "essence", + "ligand", + "enamel", + "imide", + "metabolite", + "vegetable matter", + "anabolic steroid", + "pregnanediol", + "tubocurarine", + "curare", + "tuberculin", + "vehicle", + "vesicant", + "vesicatory", + "vernix", + "vernix caseosa", + "vitrification", + "wad", + "xanthate", + "xanthic acid", + "xanthine", + "time period", + "period of time", + "period", + "trial period", + "test period", + "time frame", + "geological time", + "geologic time", + "biological time", + "cosmic time", + "civil time", + "standard time", + "local time", + "daylight-saving time", + "daylight-savings time", + "daylight saving", + "daylight savings", + "hours", + "downtime", + "uptime", + "24/7", + "hours", + "work time", + "time off", + "face time", + "compensatory time", + "bout", + "hospitalization", + "travel time", + "present", + "nowadays", + "now", + "here and now", + "present moment", + "moment", + "date", + "times", + "modern times", + "present times", + "modern world", + "contemporary world", + "Roman times", + "past", + "past times", + "yesteryear", + "yore", + "bygone", + "water under the bridge", + "old", + "history", + "future", + "hereafter", + "futurity", + "time to come", + "kingdom come", + "musical time", + "time", + "Elizabethan age", + "Victorian age", + "day", + "dead", + "hard times", + "incarnation", + "continuum", + "history", + "Phanerozoic", + "Phanerozoic eon", + "Phanerozoic aeon", + "Cenozoic", + "Cenozoic era", + "Age of Mammals", + "Quaternary", + "Quaternary period", + "Age of Man", + "Holocene", + "Holocene epoch", + "Recent", + "Recent epoch", + "Pleistocene", + "Pleistocene epoch", + "Glacial epoch", + "Tertiary", + "Tertiary period", + "Pliocene", + "Pliocene epoch", + "Miocene", + "Miocene epoch", + "Oligocene", + "Oligocene epoch", + "Eocene", + "Eocene epoch", + "Paleocene", + "Paleocene epoch", + "Mesozoic", + "Mesozoic era", + "Age of Reptiles", + "Cretaceous", + "Cretaceous period", + "Jurassic", + "Jurassic period", + "Triassic", + "Triassic period", + "Paleozoic", + "Paleozoic era", + "Permian", + "Permian period", + "Carboniferous", + "Carboniferous period", + "Pennsylvanian", + "Pennsylvanian period", + "Upper Carboniferous", + "Upper Carboniferous period", + "Mississippian", + "Missippian period", + "Lower Carboniferous", + "Lower Carboniferous period", + "Devonian", + "Devonian period", + "Age of Fishes", + "Silurian", + "Silurian period", + "Ordovician", + "Ordovician period", + "Cambrian", + "Cambrian period", + "Precambrian", + "Precambrian eon", + "Precambrian aeon", + "Precambrian period", + "Proterozoic", + "Proterozoic eon", + "Proterozoic aeon", + "Archean", + "Archean eon", + "Archean aeon", + "Archeozoic", + "Archaeozoic", + "Archeozoic eon", + "Archaeozoic aeon", + "Hadean", + "Hadean time", + "Hadean eon", + "Hadean aeon", + "Priscoan", + "Priscoan eon", + "Priscoan aeon", + "clock time", + "time", + "Greenwich Mean Time", + "Greenwich Time", + "GMT", + "universal time", + "UT", + "UT1", + "coordinated universal time", + "UTC", + "Earth-received time", + "ERT", + "one-way light time", + "OWLT", + "round-trip light time", + "RTLT", + "elapsed time", + "transmission time", + "TRM", + "spacecraft event time", + "SCET", + "spacecraft clock time", + "SCLK", + "Atlantic Time", + "Atlantic Standard Time", + "Eastern Time", + "Eastern Standard Time", + "EST", + "Central Time", + "Central Standard Time", + "CST", + "Mountain Time", + "Mountain Standard Time", + "MST", + "Pacific Time", + "Pacific Standard Time", + "PST", + "Alaska Standard Time", + "Yukon Time", + "Hawaii Time", + "Hawaii Standard Time", + "Bering Time", + "Bering Standard Time", + "duration", + "continuance", + "duration", + "continuance", + "clocking", + "longueur", + "residence time", + "span", + "stretch", + "stint", + "time scale", + "value", + "time value", + "note value", + "extended time scale", + "slow time scale", + "fast time scale", + "time being", + "nonce", + "biological clock", + "circadian rhythm", + "fourth dimension", + "time", + "workweek", + "week", + "week", + "calendar week", + "midweek", + "day", + "workday", + "working day", + "workday", + "working day", + "work day", + "rest day", + "day of rest", + "overtime", + "turnaround", + "turnaround time", + "spare time", + "free time", + "day off", + "leisure", + "leisure time", + "vacation", + "holiday", + "half-term", + "vac", + "half-holiday", + "playtime", + "playday", + "field day", + "outing", + "picnic", + "field day", + "honeymoon", + "paid vacation", + "leave", + "leave of absence", + "furlough", + "pass", + "compassionate leave", + "sabbatical", + "sabbatical leave", + "sabbatical year", + "shore leave", + "liberty", + "sick leave", + "terminal leave", + "life", + "lifetime", + "life-time", + "lifespan", + "life", + "life", + "days", + "years", + "millennium", + "millenary", + "bimillennium", + "bimillenary", + "occupation", + "past", + "shelf life", + "life expectancy", + "birth", + "cradle", + "puerperium", + "lactation", + "incipiency", + "incipience", + "death", + "last", + "death", + "dying", + "demise", + "grave", + "afterlife", + "hereafter", + "kingdom come", + "immortality", + "period", + "time of life", + "summer", + "age", + "eld", + "neonatal period", + "infancy", + "babyhood", + "early childhood", + "anal stage", + "anal phase", + "genital stage", + "genital phase", + "latency stage", + "latency phase", + "latency period", + "oral stage", + "oral phase", + "phallic stage", + "phallic phase", + "childhood", + "girlhood", + "maidenhood", + "maidhood", + "boyhood", + "schooldays", + "schooltime", + "youth", + "adolescence", + "prepuberty", + "puberty", + "pubescence", + "teens", + "twenties", + "mid-twenties", + "1900s", + "1530s", + "twenties", + "1920s", + "1820s", + "thirties", + "mid-thirties", + "thirty-something", + "thirties", + "1930s", + "1830s", + "forties", + "mid-forties", + "forties", + "1940s", + "1840s", + "fifties", + "mid-fifties", + "fifties", + "1950s", + "1850s", + "1750s", + "sixties", + "mid-sixties", + "sixties", + "1960s", + "1860s", + "1760s", + "golden years", + "seventies", + "mid-seventies", + "seventies", + "1970s", + "1870s", + "1770s", + "eighties", + "mid-eighties", + "eighties", + "1980s", + "eighties", + "1880s", + "1780s", + "nineties", + "mid-nineties", + "nineties", + "1990s", + "nineties", + "1890s", + "1790s", + "bloom", + "bloom of youth", + "salad days", + "age of consent", + "majority", + "legal age", + "minority", + "nonage", + "prime", + "prime of life", + "drinking age", + "voting age", + "adulthood", + "maturity", + "maturity", + "maturity date", + "due date", + "bachelorhood", + "middle age", + "widowhood", + "old age", + "years", + "age", + "eld", + "geezerhood", + "dotage", + "second childhood", + "senility", + "deathbed", + "menopause", + "climacteric", + "change of life", + "climacteric", + "time unit", + "unit of time", + "day", + "twenty-four hours", + "twenty-four hour period", + "24-hour interval", + "solar day", + "mean solar day", + "night", + "tomorrow", + "today", + "yesterday", + "morrow", + "eve", + "mean time", + "mean solar time", + "terrestrial time", + "TT", + "terrestrial dynamical time", + "TDT", + "ephemeris time", + "calendar day", + "civil day", + "day", + "Admission Day", + "Arbor Day", + "Cinco de Mayo", + "commencement day", + "degree day", + "November 5", + "Guy Fawkes Day", + "Bonfire Night", + "Guy Fawkes Night", + "Inauguration Day", + "January 20", + "leap day", + "bissextile day", + "February 29", + "date", + "day of the month", + "date", + "future date", + "rain date", + "sell-by date", + "date", + "quarter day", + "fast day", + "major fast day", + "minor fast day", + "feast day", + "fete day", + "Succoth", + "Sukkoth", + "Succos", + "Feast of Booths", + "Feast of Tabernacles", + "Tabernacles", + "religious festival", + "church festival", + "festival", + "D-day", + "6 June 1944", + "V-day", + "Victory Day", + "V-E Day", + "8 May 1945", + "V-J Day", + "15 August 1945", + "day of the week", + "weekday", + "feria", + "Sunday", + "Lord's Day", + "Dominicus", + "Sun", + "Monday", + "Mon", + "Tuesday", + "Tues", + "Wednesday", + "Midweek", + "Wed", + "Thursday", + "Th", + "Friday", + "Fri", + "Saturday", + "Sabbatum", + "Sat", + "Sabbath", + "day", + "daytime", + "daylight", + "morning", + "morn", + "morning time", + "forenoon", + "noon", + "twelve noon", + "high noon", + "midday", + "noonday", + "noontide", + "mealtime", + "breakfast time", + "lunchtime", + "lunch period", + "dinnertime", + "suppertime", + "afternoon", + "midafternoon", + "evening", + "eve", + "even", + "eventide", + "guest night", + "prime time", + "night", + "nighttime", + "dark", + "night", + "night", + "night", + "weeknight", + "eve", + "evening", + "late-night hour", + "midnight", + "small hours", + "bedtime", + "lights-out", + "closing time", + "dawn", + "dawning", + "morning", + "aurora", + "first light", + "daybreak", + "break of day", + "break of the day", + "dayspring", + "sunrise", + "sunup", + "cockcrow", + "early-morning hour", + "sunset", + "sundown", + "twilight", + "dusk", + "gloaming", + "gloam", + "nightfall", + "evenfall", + "fall", + "crepuscule", + "crepuscle", + "night", + "week", + "hebdomad", + "week from Monday", + "fortnight", + "two weeks", + "weekend", + "rag", + "rag week", + "rag day", + "red-letter day", + "Judgment Day", + "Judgement Day", + "Day of Judgment", + "Day of Judgement", + "Doomsday", + "Last Judgment", + "Last Judgement", + "Last Day", + "eschaton", + "day of reckoning", + "doomsday", + "crack of doom", + "end of the world", + "off-day", + "access time", + "distance", + "space", + "distance", + "embolism", + "intercalation", + "payday", + "polling day", + "election day", + "church year", + "Christian year", + "field day", + "field day", + "calendar", + "timekeeping", + "Roman calendar", + "ides", + "market day", + "Gregorian calendar", + "New Style calendar", + "Julian calendar", + "Old Style calendar", + "Revolutionary calendar", + "Revolutionary calendar month", + "Vendemiaire", + "Brumaire", + "Frimaire", + "Nivose", + "Pluviose", + "Ventose", + "Germinal", + "Floreal", + "Prairial", + "Messidor", + "Thermidor", + "Fructidor", + "Jewish calendar", + "Hebrew calendar", + "lunar calendar", + "lunisolar calendar", + "solar calendar", + "Islamic calendar", + "Muhammadan calendar", + "Mohammedan calendar", + "Moslem calendar", + "Muslim calendar", + "Hindu calendar", + "date", + "particular date", + "deadline", + "curfew", + "anachronism", + "mistiming", + "misdating", + "point", + "point in time", + "arrival time", + "time of arrival", + "departure time", + "time of departure", + "checkout", + "checkout time", + "Holy Week", + "Passion Week", + "Holy Year", + "church calendar", + "ecclesiastical calendar", + "Walpurgis Night", + "New Year's Eve", + "December 31", + "New Year's Day", + "New Year's", + "January 1", + "New Year", + "Martin Luther King Jr's Birthday", + "Martin Luther King Day", + "Robert E Lee's Birthday", + "Robert E Lee Day", + "Lee's Birthday", + "January 19", + "Hogmanay", + "Rosh Hashanah", + "Rosh Hashana", + "Rosh Hashonah", + "Rosh Hashona", + "Jewish New Year", + "Rosh Hodesh", + "Rosh Chodesh", + "Tet", + "holiday", + "religious holiday", + "holy day", + "High Holy Day", + "High Holiday", + "Christian holy day", + "Jewish holy day", + "holy day of obligation", + "movable feast", + "moveable feast", + "Yom Kippur", + "Day of Atonement", + "Saint Agnes's Eve", + "January 20", + "Martinmas", + "St Martin's Day", + "11 November", + "Indian summer", + "Saint Martin's summer", + "Annunciation", + "Lady Day", + "Annunciation Day", + "March 25", + "Michaelmas", + "Michaelmas Day", + "September 29", + "Michaelmastide", + "Candlemas", + "Candlemas Day", + "Feb 2", + "Groundhog Day", + "February 2", + "Lincoln's Birthday", + "February 12", + "Valentine Day", + "Valentine's Day", + "Saint Valentine's Day", + "St Valentine's Day", + "February 14", + "Washington's Birthday", + "February 22", + "Presidents' Day", + "Texas Independence Day", + "March 2", + "St Patrick's Day", + "Saint Patrick's Day", + "March 17", + "Easter", + "Easter Sunday", + "Easter Day", + "April Fools'", + "April Fools' day", + "All Fools' day", + "Pan American Day", + "April 14", + "Patriot's Day", + "May Day", + "First of May", + "May 1", + "Mother's Day", + "Armed Forces Day", + "Memorial Day", + "Decoration Day", + "Jefferson Davis' Birthday", + "Davis' Birthday", + "June 3", + "Flag Day", + "June 14", + "Father's Day", + "Independence Day", + "Fourth of July", + "July 4", + "Lammas", + "Lammas Day", + "August 1", + "Lammastide", + "Labor Day", + "Citizenship Day", + "September 17", + "American Indian Day", + "Columbus Day", + "Discovery Day", + "October 12", + "United Nations Day", + "October 24", + "Halloween", + "Hallowe'en", + "Allhallows Eve", + "Pasch", + "Pascha", + "Pasch", + "Pascha", + "Eastertide", + "Palm Sunday", + "Passion Sunday", + "Good Friday", + "Low Sunday", + "Holy Saturday", + "Holy Innocents' Day", + "Innocents' Day", + "Septuagesima", + "Septuagesima Sunday", + "Quinquagesima", + "Quinquagesima Sunday", + "Quadragesima", + "Quadrigesima Sunday", + "Trinity Sunday", + "Rogation Day", + "Solemnity of Mary", + "January 1", + "Ascension", + "Ascension Day", + "Ascension of the Lord", + "Circumcision", + "Feast of the Circumcision", + "January 1", + "Maundy Thursday", + "Holy Thursday", + "Corpus Christi", + "Saints Peter and Paul", + "June 29", + "Assumption", + "Assumption of Mary", + "August 15", + "Dormition", + "Feast of Dormition", + "Epiphany", + "Epiphany of Our Lord", + "Twelfth day", + "Three Kings' Day", + "January 6", + "Saint Joseph", + "St Joseph", + "March 19", + "Twelfthtide", + "Twelfth night", + "All Saints' Day", + "Allhallows", + "November 1", + "Hallowmas", + "Hallowmass", + "Immaculate Conception", + "December 8", + "Allhallowtide", + "All Souls' Day", + "November 2", + "Ash Wednesday", + "Ember Day", + "Passover", + "Pesach", + "Pesah", + "Feast of the Unleavened Bread", + "Christmas", + "Christmas Day", + "Xmas", + "Dec 25", + "Christmas Eve", + "Dec 24", + "Christmas", + "Christmastide", + "Christmastime", + "Yule", + "Yuletide", + "Noel", + "Boxing Day", + "Purim", + "Shavous", + "Shabuoth", + "Shavuoth", + "Shavuot", + "Pentecost", + "Feast of Weeks", + "Shimchath Torah", + "Simchat Torah", + "Simhath Torah", + "Simhat Torah", + "Simchas Torah", + "Rejoicing over the Law", + "Rejoicing of the Law", + "Rejoicing in the Law", + "Tishah b'Av", + "Tishah b'Ab", + "Tisha b'Av", + "Tisha b'Ab", + "Ninth of Av", + "Ninth of Ab", + "Fast of Av", + "Fast of Ab", + "Fast of Gedaliah", + "Fast of Tevet", + "Fast of Esther", + "Fast of the Firstborn", + "Fast of Tammuz", + "Hanukkah", + "Hanukah", + "Hannukah", + "Chanukah", + "Chanukkah", + "Channukah", + "Channukkah", + "Festival of Lights", + "Feast of Lights", + "Feast of Dedication", + "Feast of the Dedication", + "Lag b'Omer", + "legal holiday", + "national holiday", + "public holiday", + "bank holiday", + "Commonwealth Day", + "Empire day", + "May 24", + "Dominion Day", + "July 1", + "Bastille Day", + "14 July", + "Remembrance Day", + "Remembrance Sunday", + "Poppy Day", + "Veterans Day", + "Veterans' Day", + "Armistice Day", + "November 11", + "Thanksgiving", + "Thanksgiving Day", + "Victoria Day", + "year", + "anomalistic year", + "year-end", + "common year", + "365 days", + "leap year", + "intercalary year", + "366 days", + "bissextile year", + "off year", + "off year", + "calendar year", + "civil year", + "solar year", + "tropical year", + "astronomical year", + "equinoctial year", + "lunar year", + "fiscal year", + "financial year", + "school", + "schooltime", + "school day", + "school year", + "academic year", + "year", + "twelvemonth", + "yr", + "annum", + "year", + "semester", + "bimester", + "Olympiad", + "lustrum", + "decade", + "decennary", + "decennium", + "century", + "quadrennium", + "quinquennium", + "quattrocento", + "twentieth century", + "half-century", + "quarter-century", + "month", + "quarter", + "phase of the moon", + "new moon", + "new phase of the moon", + "half-moon", + "first quarter", + "last quarter", + "full moon", + "full-of-the-moon", + "full phase of the moon", + "full", + "harvest moon", + "lunar month", + "moon", + "lunation", + "synodic month", + "anomalistic month", + "sidereal time", + "sidereal day", + "day", + "day", + "lunar day", + "sidereal year", + "sidereal hour", + "sidereal month", + "solar month", + "calendar month", + "month", + "Gregorian calendar month", + "January", + "Jan", + "mid-January", + "February", + "Feb", + "mid-February", + "March", + "Mar", + "mid-March", + "April", + "Apr", + "mid-April", + "May", + "mid-May", + "June", + "mid-June", + "July", + "mid-July", + "August", + "Aug", + "mid-August", + "September", + "Sep", + "Sept", + "mid-September", + "October", + "Oct", + "mid-October", + "November", + "Nov", + "mid-November", + "December", + "Dec", + "mid-December", + "Jewish calendar month", + "Tishri", + "Heshvan", + "Kislev", + "Chislev", + "Tebet", + "Tevet", + "Shebat", + "Shevat", + "Adar", + "Veadar", + "Adar Sheni", + "Nisan", + "Nissan", + "Iyar", + "Iyyar", + "Sivan", + "Siwan", + "Tammuz", + "Thammuz", + "Ab", + "Av", + "Elul", + "Ellul", + "Islamic calendar month", + "Muharram", + "Moharram", + "Muharrum", + "Safar", + "Saphar", + "Rabi I", + "Rabi II", + "Jumada I", + "Jomada I", + "Jumada II", + "Jomada II", + "Rajab", + "Sha'ban", + "Shaaban", + "Ramadan", + "Id al-Fitr", + "Shawwal", + "Dhu'l-Qa'dah", + "Dhu al-Qadah", + "Dhu'l-Hijja", + "Dhu'l-Hijjah", + "Dhu al-Hijja", + "Dhu al-Hijjah", + "Id al-Adha", + "Feast of Sacrifice", + "Hindu calendar month", + "Chait", + "Caitra", + "Ramanavami", + "Baisakh", + "Vaisakha", + "Jeth", + "Jyaistha", + "Asarh", + "Asadha", + "Sawan", + "Sravana", + "Bhadon", + "Bhadrapada", + "Asin", + "Asvina", + "Kartik", + "Karttika", + "Aghan", + "Margasivsa", + "Pus", + "Pansa", + "Magh", + "Magha", + "Mesasamkranti", + "Phagun", + "Phalguna", + "saint's day", + "name day", + "solstice", + "summer solstice", + "June 21", + "midsummer", + "Midsummer Day", + "Midsummer's Day", + "St John's Day", + "June 24", + "Midsummer Eve", + "Midsummer Night", + "St John's Eve", + "St John's Night", + "June 23", + "school day", + "speech day", + "washday", + "washing day", + "wedding day", + "wedding night", + "winter solstice", + "equinox", + "vernal equinox", + "March equinox", + "spring equinox", + "autumnal equinox", + "September equinox", + "fall equinox", + "Noruz", + "Nowruz", + "Nowrooz", + "time limit", + "limitation", + "term", + "prison term", + "sentence", + "time", + "hard time", + "life sentence", + "life", + "school term", + "academic term", + "academic session", + "session", + "summer school", + "midterm", + "semester", + "trimester", + "quarter", + "gestation", + "gestation period", + "term", + "full term", + "midterm", + "trimester", + "first trimester", + "second trimester", + "third trimester", + "refractory period", + "bell", + "ship's bell", + "hour", + "hr", + "60 minutes", + "half-hour", + "30 minutes", + "quarter-hour", + "15 minutes", + "hour", + "time of day", + "none", + "hour", + "happy hour", + "rush hour", + "zero hour", + "canonical hour", + "matins", + "morning prayer", + "prime", + "terce", + "tierce", + "sext", + "nones", + "vespers", + "evensong", + "compline", + "complin", + "man hour", + "person hour", + "silly season", + "Golden Age", + "silver age", + "bronze age", + "Bronze Age", + "iron age", + "Iron Age", + "Stone Age", + "Eolithic Age", + "Eolithic", + "Paleolithic Age", + "Paleolithic", + "Palaeolithic", + "Lower Paleolithic", + "Middle Paleolithic", + "Upper Paleolithic", + "Mesolithic Age", + "Mesolithic", + "Epipaleolithic", + "Neolithic Age", + "Neolithic", + "New Stone Age", + "great year", + "Platonic year", + "regulation time", + "overtime", + "extra time", + "extra innings", + "overtime period", + "tiebreaker", + "sudden death", + "minute", + "min", + "quarter", + "second", + "sec", + "s", + "leap second", + "attosecond", + "femtosecond", + "picosecond", + "nanosecond", + "microsecond", + "millisecond", + "msec", + "season", + "time of year", + "fall", + "autumn", + "spring", + "springtime", + "summer", + "summertime", + "dog days", + "canicule", + "canicular days", + "winter", + "wintertime", + "midwinter", + "growing season", + "seedtime", + "sheepshearing", + "holiday season", + "high season", + "peak season", + "off-season", + "rainy season", + "monsoon", + "dry season", + "season", + "season", + "preseason", + "spring training", + "baseball season", + "triple-crown season", + "basketball season", + "exhibition season", + "fishing season", + "football season", + "hockey season", + "hunting season", + "social season", + "theatrical season", + "Advent", + "Advent Sunday", + "Shrovetide", + "Mardi Gras", + "Shrove Tuesday", + "pancake day", + "Lent", + "Lententide", + "Pentecost", + "Whitsunday", + "Whitmonday", + "Whitsun Monday", + "Whit-Tuesday", + "Whitsun Tuesday", + "Whitsun", + "Whitsuntide", + "Whitweek", + "long time", + "age", + "years", + "month of Sundays", + "long run", + "long haul", + "eon", + "aeon", + "eon", + "aeon", + "eternity", + "infinity", + "alpha and omega", + "blue moon", + "year dot", + "drought", + "drouth", + "moment", + "minute", + "second", + "instant", + "eleventh hour", + "last minute", + "moment of truth", + "moment of truth", + "pinpoint", + "time", + "high time", + "occasion", + "meal", + "psychological moment", + "wee", + "while", + "piece", + "spell", + "patch", + "cold spell", + "cold snap", + "hot spell", + "moment", + "mo", + "minute", + "second", + "bit", + "blink of an eye", + "flash", + "heartbeat", + "instant", + "jiffy", + "split second", + "trice", + "twinkling", + "wink", + "New York minute", + "ephemera", + "period", + "geological period", + "era", + "geological era", + "epoch", + "era", + "epoch", + "Caliphate", + "Christian era", + "Common era", + "day", + "year of grace", + "Y2K", + "generation", + "anniversary", + "day of remembrance", + "birthday", + "jubilee", + "diamond jubilee", + "silver jubilee", + "wedding anniversary", + "silver wedding anniversary", + "golden wedding anniversary", + "diamond wedding anniversary", + "diamond wedding", + "semicentennial", + "semicentenary", + "centennial", + "centenary", + "sesquicentennial", + "bicentennial", + "bicentenary", + "tercentennial", + "tercentenary", + "triennial", + "quatercentennial", + "quatercentenary", + "quincentennial", + "quincentenary", + "millennium", + "millenary", + "bimillennium", + "bimillenary", + "birthday", + "natal day", + "time immemorial", + "time out of mind", + "auld langsyne", + "langsyne", + "old times", + "good old days", + "by-and-by", + "chapter", + "antiquity", + "golden age", + "historic period", + "age", + "prehistory", + "prehistoric culture", + "modern era", + "information age", + "ice age", + "glacial period", + "glacial epoch", + "Jazz Age", + "chukker", + "chukka", + "inning", + "frame", + "top", + "top of the inning", + "bottom", + "bottom of the inning", + "set", + "game", + "turn", + "bout", + "round", + "playing period", + "period of play", + "play", + "first period", + "second period", + "final period", + "half", + "first half", + "second half", + "last half", + "period", + "quarter", + "over", + "maiden over", + "maiden", + "Baroque", + "Baroque era", + "Baroque period", + "Middle Ages", + "Dark Ages", + "Renaissance", + "Renascence", + "Italian Renaissance", + "Industrial Revolution", + "technological revolution", + "Reign of Terror", + "reign of terror", + "reign", + "reign", + "turn of the century", + "Harlem Renaissance", + "New Deal", + "Reconstruction", + "Reconstruction Period", + "Restoration", + "print run", + "press run", + "run", + "run-time", + "run-time", + "split run", + "space age", + "today", + "tonight", + "yesterday", + "millennium", + "offing", + "tomorrow", + "manana", + "common time", + "four-four time", + "quadruple time", + "common measure", + "duple time", + "triple time", + "tempo", + "pacing", + "in time", + "accelerando", + "allegretto", + "allegro", + "allegro con spirito", + "andante", + "meno mosso", + "rubato", + "beginning", + "commencement", + "first", + "outset", + "get-go", + "start", + "kickoff", + "starting time", + "showtime", + "offset", + "youth", + "early days", + "terminus a quo", + "starting point", + "presidency", + "presidential term", + "administration", + "vice-presidency", + "vice-presidential term", + "middle", + "end", + "ending", + "deep", + "stopping point", + "finale", + "finis", + "finish", + "last", + "conclusion", + "close", + "dawn", + "evening", + "cease", + "fag end", + "tail", + "tail end", + "last gasp", + "termination", + "expiration", + "expiry", + "terminus ad quem", + "terminal point", + "limit", + "threshold", + "seek time", + "track-to-track seek time", + "time interval", + "interval", + "time constant", + "time slot", + "slot", + "time", + "lunitidal interval", + "absence", + "pause", + "intermission", + "break", + "interruption", + "suspension", + "lapse", + "blackout", + "caesura", + "dead air", + "delay", + "hold", + "time lag", + "postponement", + "wait", + "extension", + "halftime", + "interlude", + "entr'acte", + "interim", + "meantime", + "meanwhile", + "lag", + "latent period", + "reaction time", + "response time", + "latency", + "latent period", + "eternity", + "interregnum", + "sleep", + "nap", + "beauty sleep", + "kip", + "respite", + "rest", + "relief", + "rest period", + "time-out", + "letup", + "lull", + "breath", + "breather", + "breathing place", + "breathing space", + "breathing spell", + "breathing time", + "lease", + "term of a contract", + "half life", + "half-life", + "relaxation time", + "moratorium", + "retardation", + "tide", + "lunar time period", + "acceleration", + "centripetal acceleration", + "deceleration", + "attrition rate", + "rate of attrition", + "birthrate", + "birth rate", + "fertility", + "fertility rate", + "natality", + "bits per second", + "bps", + "crime rate", + "data rate", + "deathrate", + "death rate", + "mortality", + "mortality rate", + "fatality rate", + "dose rate", + "erythrocyte sedimentation rate", + "ESR", + "sedimentation rate", + "sed rate", + "flow", + "flow rate", + "rate of flow", + "cardiac output", + "flux", + "frequency", + "frequence", + "oftenness", + "gigahertz", + "GHz", + "gigacycle per second", + "gigacycle", + "Gc", + "growth rate", + "rate of growth", + "isometry", + "hertz", + "Hz", + "cycle per second", + "cycles/second", + "cps", + "cycle", + "inflation rate", + "rate of inflation", + "jerk", + "kilohertz", + "kHz", + "kilocycle per second", + "kilocycle", + "kc", + "kilometers per hour", + "kilometres per hour", + "kph", + "km/h", + "megahertz", + "MHz", + "megacycle per second", + "megacycle", + "Mc", + "terahertz", + "THz", + "metabolic rate", + "miles per hour", + "mph", + "pace", + "gait", + "pulse", + "pulse rate", + "heart rate", + "femoral pulse", + "radial pulse", + "rate of return", + "return on invested capital", + "return on investment", + "ROI", + "respiratory rate", + "rate of respiration", + "revolutions per minute", + "rpm", + "rev", + "sampling rate", + "Nyquist rate", + "solar constant", + "spacing", + "speed", + "velocity", + "tempo", + "pace", + "quick time", + "double time", + "airspeed", + "escape velocity", + "groundspeed", + "hypervelocity", + "muzzle velocity", + "peculiar velocity", + "radial velocity", + "speed of light", + "light speed", + "c", + "steerageway", + "terminal velocity", + "miles per hour", + "mph", + "attendance", + "count per minute", + "counts/minute", + "sampling frequency", + "Nyquist frequency", + "infant deathrate", + "infant mortality", + "infant mortality rate", + "neonatal mortality", + "neonatal mortality rate", + "words per minute", + "wpm", + "beats per minute", + "bpm", + "metronome marking", + "M.M.", + "rate", + "channel capacity", + "neutron flux", + "radiant flux", + "luminous flux", + "incubation", + "cycle", + "rhythm", + "round", + "menstrual cycle", + "fertile period", + "fertile phase", + "menstrual phase", + "musth", + "secretory phase", + "luteal phase", + "lead time", + "period", + "orbit period", + "phase", + "phase angle", + "phase", + "stage", + "generation", + "multistage", + "apogee", + "culmination", + "seedtime", + "tenure", + "term of office", + "incumbency", + "episcopate", + "shift", + "work shift", + "duty period", + "go", + "spell", + "tour", + "turn", + "trick", + "watch", + "watch", + "dogwatch", + "day shift", + "evening shift", + "swing shift", + "night shift", + "graveyard shift", + "split shift", + "peacetime", + "wartime", + "graveyard watch", + "middle watch", + "midwatch", + "night watch", + "enlistment", + "hitch", + "term of enlistment", + "tour of duty", + "duty tour", + "tour", + "honeymoon", + "indiction", + "float", + "Depression", + "Great Depression", + "prohibition", + "prohibition era", + "incubation period", + "rainy day", + "novitiate", + "noviciate", + "flower", + "prime", + "peak", + "heyday", + "bloom", + "blossom", + "efflorescence", + "flush", + "golden age", + "rule", + "Regency", + "running time", + "show time", + "safe period", + "octave", + "then", + "shiva", + "shivah", + "shibah", + "epoch", + "date of reference", + "clotting time", + "rotational latency", + "latency", + "probation", + "probation", + "processing time", + "air alert", + "command processing overhead time", + "command processing overhead", + "command overhead", + "overhead", + "Great Schism", + "question time", + "real time", + "real time", + "regency", + "snap", + "study hall", + "Transfiguration", + "Transfiguration Day", + "August 6", + "usance", + "window", + "9/11", + "9-11", + "September 11", + "Sept. 11", + "Sep 11" +] \ No newline at end of file diff --git a/static/data/en/verbs.json b/static/data/en/verbs.json new file mode 100644 index 0000000..5273e49 --- /dev/null +++ b/static/data/en/verbs.json @@ -0,0 +1,25049 @@ +[ + "breathe", + "take a breath", + "respire", + "suspire", + "respire", + "respire", + "choke", + "hyperventilate", + "hyperventilate", + "aspirate", + "burp", + "bubble", + "belch", + "eruct", + "force out", + "hiccup", + "hiccough", + "sigh", + "suspire", + "exhale", + "expire", + "breathe out", + "hold", + "exhale", + "give forth", + "emanate", + "sneeze", + "inhale", + "inspire", + "breathe in", + "pant", + "puff", + "gasp", + "heave", + "cough", + "hack", + "whoop", + "expectorate", + "cough up", + "cough out", + "spit up", + "spit out", + "snort", + "wheeze", + "puff", + "huff", + "chuff", + "blow", + "insufflate", + "yawn", + "sniff", + "sniffle", + "blink", + "wink", + "nictitate", + "nictate", + "palpebrate", + "bat", + "flutter", + "wink", + "wink", + "blink", + "blink away", + "squint", + "squinch", + "squint", + "wince", + "shed", + "molt", + "exuviate", + "moult", + "slough", + "desquamate", + "peel off", + "twitch", + "jerk", + "fibrillate", + "move involuntarily", + "move reflexively", + "act involuntarily", + "act reflexively", + "act", + "behave", + "do", + "fall over backwards", + "bend over backwards", + "presume", + "vulgarize", + "vulgarise", + "optimize", + "optimise", + "quack", + "menace", + "make", + "swagger", + "bluster", + "swash", + "freeze", + "wanton", + "romanticize", + "sentimentalise", + "sentimentalize", + "sentimentize", + "sentimentise", + "bungle", + "play", + "toy", + "act", + "play", + "act as", + "stooge", + "shake", + "didder", + "shiver", + "shudder", + "rest", + "be active", + "move", + "sleep", + "kip", + "slumber", + "log Z's", + "catch some Z's", + "bundle", + "practice bundling", + "snooze", + "drowse", + "doze", + "nap", + "catnap", + "catch a wink", + "oversleep", + "sleep late", + "sleep in", + "hibernate", + "hole up", + "estivate", + "aestivate", + "drowse", + "nod", + "nod", + "zonk out", + "snore", + "saw wood", + "saw logs", + "fall asleep", + "dope off", + "flake out", + "drift off", + "nod off", + "drop off", + "doze off", + "drowse off", + "bed down", + "bunk down", + "doss", + "doss down", + "crash", + "go to bed", + "turn in", + "bed", + "crawl in", + "kip down", + "hit the hay", + "hit the sack", + "sack out", + "go to sleep", + "retire", + "get up", + "turn out", + "arise", + "uprise", + "rise", + "get up", + "wake up", + "awake", + "arouse", + "awaken", + "wake", + "come alive", + "waken", + "awaken", + "wake", + "waken", + "rouse", + "wake up", + "arouse", + "reawaken", + "cause to sleep", + "affect", + "attack", + "ulcerate", + "wake", + "stay up", + "sit up", + "keep up", + "hypnotize", + "hypnotise", + "mesmerize", + "mesmerise", + "entrance", + "spellbind", + "anesthetize", + "anaesthetize", + "anesthetise", + "anaesthetise", + "put under", + "put out", + "etherize", + "etherise", + "cocainize", + "cocainise", + "chloroform", + "freeze", + "bring to", + "bring back", + "bring round", + "bring around", + "sedate", + "calm", + "tranquilize", + "tranquillize", + "tranquillise", + "stimulate", + "arouse", + "brace", + "energize", + "energise", + "perk up", + "de-energize", + "de-energise", + "cathect", + "perk up", + "perk", + "percolate", + "pick up", + "gain vigor", + "faint", + "conk", + "swoon", + "pass out", + "zonk out", + "pass out", + "black out", + "come to", + "revive", + "resuscitate", + "animate", + "recreate", + "reanimate", + "revive", + "renovate", + "repair", + "quicken", + "vivify", + "revivify", + "refresh", + "freshen", + "refreshen", + "freshen", + "refresh", + "refreshen", + "freshen up", + "wash up", + "lave", + "tense", + "strain", + "tense up", + "crick", + "relax", + "unstrain", + "unlax", + "loosen up", + "unwind", + "make relaxed", + "unbend", + "tense", + "tense up", + "relax", + "loosen up", + "unbend", + "unwind", + "decompress", + "slow down", + "vege out", + "vegetate", + "sit back", + "take it easy", + "limber up", + "warm up", + "loosen up", + "stretch", + "extend", + "spread-eagle", + "exsert", + "stretch out", + "put out", + "extend", + "hold out", + "stretch forth", + "hyperextend", + "crane", + "stretch out", + "invigorate", + "reinvigorate", + "smile", + "dimple", + "grin", + "beam", + "smirk", + "simper", + "fleer", + "bray", + "bellylaugh", + "roar", + "howl", + "snicker", + "snigger", + "giggle", + "titter", + "break up", + "crack up", + "break", + "break down", + "collapse", + "drop like flies", + "cramp", + "cramp", + "fall over", + "go over", + "cackle", + "guffaw", + "laugh loudly", + "chuckle", + "chortle", + "laugh softly", + "laugh", + "express joy", + "express mirth", + "convulse", + "cachinnate", + "sneer", + "sneer", + "frown", + "glower", + "lour", + "lower", + "glower", + "glare", + "stare", + "look", + "scowl", + "shrug", + "clap", + "spat", + "grimace", + "make a face", + "pull a face", + "screw up", + "pout", + "mop", + "mow", + "blow", + "clear the throat", + "hawk", + "shower", + "foment", + "bathe", + "cleanse", + "clean", + "wash", + "wash", + "lave", + "sponge down", + "scrub", + "scrub up", + "soap", + "lather", + "gargle", + "rinse", + "shave", + "epilate", + "depilate", + "razor", + "tonsure", + "bathe", + "bath", + "douche", + "comb", + "comb out", + "disentangle", + "slick", + "slick down", + "sleek down", + "dress", + "arrange", + "set", + "do", + "coif", + "coiffe", + "coiffure", + "bob", + "pompadour", + "marcel", + "wave", + "gauffer", + "goffer", + "perm", + "mousse", + "gel", + "pomade", + "tease", + "fluff", + "groom", + "neaten", + "clean up", + "make up", + "highlight", + "lipstick", + "rouge", + "condition", + "floss", + "shampoo", + "powder", + "talc", + "manicure", + "manicure", + "barber", + "pedicure", + "doll up", + "do up", + "pretty up", + "glam up", + "spruce up", + "spruce", + "slick up", + "smarten up", + "perfume", + "scent", + "preen", + "primp", + "plume", + "dress", + "prank", + "tart up", + "overdress", + "dress up", + "fig out", + "fig up", + "deck up", + "gussy up", + "fancy up", + "trick up", + "deck out", + "trick out", + "prink", + "attire", + "get up", + "rig out", + "tog up", + "tog out", + "dress", + "dress up", + "enrobe", + "prim", + "prim up", + "prim out", + "bedizen", + "dizen", + "dress down", + "underdress", + "prink", + "dress", + "groom", + "curry", + "reduce", + "melt off", + "lose weight", + "slim", + "slenderize", + "thin", + "slim down", + "sweat off", + "gain", + "put on", + "round", + "flesh out", + "fill out", + "dress", + "get dressed", + "bundle up", + "hat", + "try on", + "try", + "bonnet", + "wear", + "wear", + "bear", + "dress", + "clothe", + "enclothe", + "garb", + "raiment", + "tog", + "garment", + "habilitate", + "fit out", + "apparel", + "cover", + "wrap up", + "jacket", + "frock", + "shirt", + "habit", + "vesture", + "overdress", + "overclothe", + "underdress", + "corset", + "shoe", + "undress", + "discase", + "uncase", + "unclothe", + "strip", + "strip down", + "disrobe", + "peel", + "peel off", + "take off", + "wear", + "put on", + "get into", + "don", + "assume", + "scarf", + "slip on", + "slip off", + "coat", + "cross-dress", + "costume", + "dress up", + "dandify", + "vest", + "robe", + "vest", + "wear", + "have on", + "inseminate", + "fecundate", + "fertilize", + "fertilise", + "stratify", + "quicken", + "impregnate", + "knock up", + "bang up", + "prang up", + "impregnate", + "inoculate", + "cross-fertilize", + "cross-fertilise", + "cross-fertilize", + "cross-fertilise", + "pollinate", + "pollenate", + "cross-pollinate", + "conceive", + "nick", + "beget", + "get", + "engender", + "father", + "mother", + "sire", + "generate", + "bring forth", + "ejaculate", + "reproduce", + "procreate", + "multiply", + "propagate", + "vegetate", + "propagate", + "inoculate", + "fructify", + "set", + "breed", + "multiply", + "pullulate", + "spawn", + "spat", + "give birth", + "deliver", + "bear", + "birth", + "have", + "lie in", + "labor", + "labour", + "twin", + "drop", + "foal", + "cub", + "kitten", + "lamb", + "litter", + "whelp", + "pup", + "farrow", + "pig", + "fawn", + "calve", + "have young", + "have a bun in the oven", + "bear", + "carry", + "gestate", + "expect", + "expect", + "carry to term", + "miscarry", + "abort", + "abort", + "brood", + "hatch", + "cover", + "incubate", + "alter", + "neuter", + "spay", + "castrate", + "defeminize", + "defeminise", + "emasculate", + "castrate", + "demasculinize", + "demasculinise", + "caponize", + "caponise", + "geld", + "cut", + "vasectomize", + "vasectomise", + "sterilize", + "sterilise", + "desex", + "unsex", + "desexualize", + "desexualise", + "fix", + "face-lift", + "lift", + "trephine", + "menstruate", + "flow", + "ovulate", + "sterilize", + "sterilise", + "antisepticize", + "autoclave", + "hatch", + "irritate", + "inflame", + "inflame", + "soothe", + "relieve", + "alleviate", + "palliate", + "assuage", + "massage", + "hurt", + "indispose", + "suffer", + "hurt", + "have", + "be well", + "suffer", + "sustain", + "have", + "get", + "wail", + "whimper", + "mewl", + "pule", + "cry", + "weep", + "cry", + "bawl", + "tear", + "sob", + "snivel", + "sniffle", + "blubber", + "blub", + "snuffle", + "sweat", + "sudate", + "perspire", + "superfetate", + "exude", + "exudate", + "transude", + "ooze out", + "ooze", + "distill", + "distil", + "reek", + "fume", + "transpire", + "extravasate", + "stream", + "gum", + "secrete", + "release", + "water", + "swelter", + "injure", + "wound", + "trample", + "concuss", + "calk", + "trouble", + "ail", + "pain", + "disagree with", + "torture", + "excruciate", + "torment", + "rack", + "martyr", + "martyrize", + "martyrise", + "pull", + "overstretch", + "make", + "urinate", + "piddle", + "puddle", + "micturate", + "piss", + "pee", + "pee-pee", + "make water", + "relieve oneself", + "take a leak", + "spend a penny", + "wee", + "wee-wee", + "pass water", + "urinate", + "wet", + "stale", + "excrete", + "egest", + "eliminate", + "pass", + "evacuate", + "void", + "empty", + "suction", + "purge", + "stool", + "defecate", + "shit", + "take a shit", + "take a crap", + "ca-ca", + "crap", + "make", + "dung", + "constipate", + "bind", + "obstipate", + "shed blood", + "bleed", + "hemorrhage", + "tire", + "wear upon", + "tire out", + "wear", + "weary", + "jade", + "wear out", + "outwear", + "wear down", + "fag out", + "fag", + "fatigue", + "exhaust", + "wash up", + "beat", + "tucker", + "tucker out", + "frazzle", + "play", + "overtire", + "overweary", + "overfatigue", + "tire", + "pall", + "weary", + "fatigue", + "jade", + "vomit", + "vomit up", + "purge", + "cast", + "sick", + "cat", + "be sick", + "disgorge", + "regorge", + "retch", + "puke", + "barf", + "spew", + "spue", + "chuck", + "upchuck", + "honk", + "regurgitate", + "throw up", + "spew", + "spew out", + "eruct", + "keep down", + "gag", + "heave", + "retch", + "gag", + "choke", + "gag", + "choke", + "strangle", + "suffocate", + "choke", + "strangle", + "freeze", + "swelter", + "suffer", + "gnash", + "ail", + "treat", + "care for", + "correct", + "insufflate", + "detox", + "detoxify", + "irrigate", + "iodize", + "iodise", + "doctor", + "vet", + "vet", + "nurse", + "manipulate", + "administer", + "dispense", + "transfuse", + "digitalize", + "bring around", + "cure", + "heal", + "help", + "aid", + "comfort", + "ease", + "remedy", + "relieve", + "dress", + "poultice", + "plaster", + "bandage", + "ligate", + "strap", + "splint", + "operate on", + "operate", + "venesect", + "medicate", + "medicine", + "medicate", + "drug", + "dose", + "dope", + "dope up", + "soup", + "overdose", + "o.d.", + "narcotize", + "narcotise", + "anoint", + "inunct", + "oil", + "anele", + "embrocate", + "salve", + "bleed", + "leech", + "phlebotomize", + "phlebotomise", + "inject", + "shoot", + "infuse", + "immunize", + "immunise", + "inoculate", + "vaccinate", + "cup", + "transfuse", + "sicken", + "come down", + "wan", + "contract", + "take", + "get", + "catch", + "catch cold", + "sicken", + "poison", + "intoxicate", + "infect", + "taint", + "superinfect", + "smut", + "disinfect", + "chlorinate", + "infect", + "canker", + "canker", + "traumatize", + "traumatise", + "shock", + "shock", + "galvanize", + "galvanise", + "mutilate", + "mar", + "maim", + "twist", + "sprain", + "wrench", + "turn", + "wrick", + "rick", + "subluxate", + "cripple", + "lame", + "hamstring", + "disable", + "invalid", + "incapacitate", + "handicap", + "hock", + "devolve", + "deteriorate", + "drop", + "degenerate", + "recuperate", + "recover", + "convalesce", + "snap back", + "recuperate", + "relapse", + "lapse", + "recidivate", + "regress", + "retrogress", + "fall back", + "languish", + "fade", + "waste", + "rot", + "atrophy", + "hypertrophy", + "fledge", + "feather", + "grow", + "develop", + "produce", + "get", + "acquire", + "regrow", + "spring", + "sprout", + "stock", + "stool", + "tiller", + "leaf", + "pod", + "teethe", + "cut", + "ankylose", + "ancylose", + "ankylose", + "ancylose", + "pupate", + "work up", + "get up", + "fester", + "maturate", + "suppurate", + "draw", + "suppurate", + "mature", + "necrose", + "gangrene", + "mortify", + "sphacelate", + "regenerate", + "revitalize", + "rejuvenate", + "regenerate", + "resuscitate", + "revive", + "boot", + "reboot", + "bring up", + "resurrect", + "raise", + "upraise", + "resurrect", + "rise", + "uprise", + "scab", + "skin over", + "heal", + "granulate", + "poop out", + "peter out", + "run down", + "run out", + "conk out", + "exercise", + "work out", + "train", + "tumble", + "roll", + "exercise", + "work", + "work out", + "warm up", + "limber", + "tone", + "tone up", + "strengthen", + "stretch", + "stretch out", + "fart", + "break wind", + "snuffle", + "snivel", + "spit", + "ptyalize", + "ptyalise", + "spew", + "spue", + "splutter", + "sputter", + "spit out", + "stub", + "harm", + "salivate", + "drivel", + "drool", + "slabber", + "slaver", + "slobber", + "dribble", + "blush", + "crimson", + "flush", + "redden", + "pale", + "blanch", + "blench", + "etiolate", + "tan", + "bronze", + "suntan", + "sun", + "sunbathe", + "sunburn", + "burn", + "generalize", + "generalise", + "metastasize", + "metastasise", + "exhaust", + "discharge", + "expel", + "eject", + "release", + "emit", + "breathe", + "pass off", + "joke", + "jest", + "clown", + "clown around", + "antic", + "feel", + "feel like a million", + "feel like a million dollars", + "suffocate", + "gown", + "jaundice", + "piffle", + "run down", + "run over", + "pack on", + "call", + "make", + "make as if", + "break", + "fracture", + "break", + "fracture", + "refracture", + "fracture", + "cut", + "give", + "give", + "pack", + "snuff", + "froth", + "lather", + "change", + "shade", + "shade", + "gel", + "brutalize", + "brutalise", + "animalize", + "animalise", + "brutalize", + "brutalise", + "animalize", + "animalise", + "caramelize", + "caramelise", + "rasterize", + "caramelize", + "caramelise", + "convert", + "convert", + "humify", + "verbalize", + "verbalise", + "creolize", + "sporulate", + "novelize", + "novelise", + "fictionalize", + "fictionalise", + "deaden", + "opalize", + "opalise", + "opalize", + "opalise", + "receive", + "reconvert", + "malt", + "malt", + "malt", + "stay", + "remain", + "rest", + "keep out", + "continue", + "keep up", + "keep abreast", + "follow", + "sit tight", + "differentiate", + "speciate", + "differentiate", + "specialize", + "specialise", + "differentiate", + "dedifferentiate", + "mutate", + "arterialize", + "arterialise", + "revert", + "make", + "get", + "render", + "get", + "let", + "have", + "have", + "experience", + "alternate", + "take turns", + "spell", + "alternate", + "jump", + "interchange", + "tack", + "switch", + "alternate", + "flip", + "flip-flop", + "counterchange", + "transpose", + "interchange", + "vascularize", + "vascularise", + "decrepitate", + "decrepitate", + "crackle", + "suburbanize", + "suburbanise", + "suburbanize", + "suburbanise", + "change", + "alter", + "vary", + "modulate", + "avianize", + "avianise", + "optimize", + "optimise", + "move", + "step", + "scroll", + "roll", + "roll up", + "roll", + "glaze", + "glass", + "glass over", + "glaze over", + "revolutionize", + "revolutionise", + "overturn", + "turn", + "grow", + "bald", + "change", + "alter", + "modify", + "sensualize", + "sensualise", + "carnalize", + "carnalise", + "etiolate", + "barbarize", + "barbarise", + "barbarize", + "barbarise", + "alkalinize", + "alkalinise", + "alkalinize", + "alkalinise", + "mythologize", + "mythologise", + "mythicize", + "mythicise", + "allegorize", + "allegorise", + "demythologize", + "demythologise", + "bring", + "land", + "secularize", + "secularise", + "rubberize", + "rubberise", + "rubber", + "coarsen", + "anodize", + "anodise", + "citrate", + "equilibrate", + "leave", + "leave alone", + "leave behind", + "affect", + "impact", + "bear upon", + "bear on", + "touch on", + "touch", + "strike a blow", + "repercuss", + "tell on", + "redound", + "bacterize", + "bacterise", + "change by reversal", + "turn", + "reverse", + "turn the tables", + "turn the tide", + "commutate", + "alchemize", + "alchemise", + "alcoholize", + "alcoholise", + "alcoholize", + "alcoholise", + "change integrity", + "switch over", + "switch", + "exchange", + "change shape", + "change form", + "deform", + "individuate", + "granulate", + "grain", + "tie", + "terrace", + "fork", + "constellate", + "shape", + "form", + "tabulate", + "dimension", + "roll", + "draw", + "strike", + "crystallize", + "crystallise", + "crystalise", + "crystalize", + "twist", + "culminate", + "granulate", + "grain", + "sliver", + "ridge", + "plume", + "conglobate", + "conglobe", + "form", + "round", + "round out", + "round off", + "scallop", + "scollop", + "square", + "square up", + "round off", + "round down", + "round out", + "round", + "prim", + "purse", + "pooch", + "pooch out", + "change state", + "turn", + "fall", + "drop", + "fall off", + "fall away", + "fall in love", + "suspend", + "resuspend", + "sober up", + "sober", + "sober up", + "sober", + "sober", + "become", + "go", + "get", + "work", + "adjust", + "conform", + "adapt", + "follow", + "conform to", + "go by", + "readjust", + "readapt", + "proportion", + "reconstruct", + "readapt", + "decrease", + "diminish", + "lessen", + "fall", + "shrink", + "shrivel", + "taper", + "drop off", + "vanish", + "fly", + "vaporize", + "increase", + "suppress", + "extend", + "stretch", + "augment", + "build up", + "enlarge", + "up", + "break", + "rise", + "go up", + "climb", + "soar", + "rise", + "jump", + "climb up", + "jump", + "accrue", + "redound", + "bull", + "ease up", + "ease off", + "let up", + "ease up", + "ease off", + "slacken off", + "flag", + "increase", + "spike", + "add to", + "gain", + "gather", + "explode", + "irrupt", + "enlarge", + "augment", + "pyramid", + "advance", + "gain", + "snowball", + "raise", + "bump up", + "accumulate", + "cumulate", + "conglomerate", + "pile up", + "gather", + "amass", + "backlog", + "accrete", + "run up", + "assimilate", + "acculturate", + "detribalize", + "detribalise", + "assimilate", + "assimilate", + "dissimilate", + "dissimilate", + "dissimilate", + "change", + "exchange", + "commute", + "convert", + "rectify", + "utilize", + "commute", + "convert", + "exchange", + "capitalize", + "capitalise", + "overcapitalize", + "overcapitalise", + "transduce", + "replace", + "change", + "refurbish", + "renovate", + "freshen up", + "gentrify", + "revamp", + "retread", + "remold", + "remould", + "renovate", + "restitute", + "refresh", + "freshen", + "revitalize", + "revitalise", + "vitalize", + "vitalise", + "vitalize", + "vitalise", + "ruggedize", + "ruggedise", + "consolidate", + "consolidate", + "consolidate", + "proof", + "bombproof", + "bulletproof", + "child-proof", + "childproof", + "goofproof", + "goof-proof", + "foolproof", + "fireproof", + "weatherproof", + "devitalize", + "devitalise", + "eviscerate", + "shake", + "regenerate", + "reincarnate", + "renew", + "regenerate", + "reform", + "straighten out", + "see the light", + "surge", + "regenerate", + "regenerate", + "restore", + "rejuvenate", + "revive", + "resurrect", + "republish", + "revive", + "change", + "change magnitude", + "modify", + "attemper", + "syncopate", + "update", + "update", + "soup up", + "hop up", + "hot up", + "modify", + "qualify", + "cream", + "modulate", + "enrich", + "build up", + "develop", + "redevelop", + "round out", + "fill out", + "optimize", + "optimise", + "deprive", + "impoverish", + "fail", + "disestablish", + "choke", + "throttle", + "remove", + "take", + "take away", + "withdraw", + "harvest", + "tip", + "stem", + "extirpate", + "enucleate", + "exenterate", + "enucleate", + "decorticate", + "bail", + "bail", + "strip", + "undress", + "divest", + "disinvest", + "ablate", + "clean", + "pick", + "clean", + "winnow", + "pick", + "clear", + "clear up", + "muck", + "lift", + "lift", + "lift", + "tear away", + "tear off", + "take off", + "uncloak", + "take away", + "take out", + "pit", + "stone", + "seed", + "unhinge", + "shuck", + "hull", + "crumb", + "chip away", + "chip away at", + "burl", + "knock out", + "bus", + "scavenge", + "clean", + "hypophysectomize", + "hypophysectomise", + "degas", + "husk", + "shell", + "bur", + "burr", + "clear off", + "clear away", + "unclutter", + "clear", + "clutter", + "clutter up", + "clog", + "overload", + "brim", + "add", + "gild the lily", + "paint the lily", + "adjoin", + "work in", + "add on", + "include", + "mix", + "mix in", + "dash", + "put on", + "butylate", + "put on", + "iodize", + "iodise", + "nitrate", + "tank", + "oxygenate", + "oxygenize", + "oxygenise", + "aerate", + "mercerize", + "mercerise", + "back", + "malt", + "fluoridate", + "fluoridize", + "fluoridise", + "creosote", + "chlorinate", + "carbonate", + "camphorate", + "bromate", + "brominate", + "ammoniate", + "inject", + "welt", + "insert", + "enclose", + "inclose", + "stick in", + "put in", + "introduce", + "plug", + "plug", + "inoculate", + "seed", + "inset", + "glass", + "catheterize", + "catheterise", + "launder", + "cup", + "intersperse", + "interlard", + "interleave", + "feed", + "feed in", + "slip", + "foist", + "intercalate", + "punctuate", + "mark", + "concatenate", + "string", + "string up", + "flick", + "activate", + "activate", + "activate", + "aerate", + "biodegrade", + "activate", + "inactivate", + "deactivate", + "deactivate", + "reactivate", + "deaden", + "blunt", + "obtund", + "petrify", + "jazz up", + "juice up", + "pep up", + "ginger up", + "enliven", + "liven", + "liven up", + "invigorate", + "animate", + "spirit", + "spirit up", + "inspirit", + "deaden", + "compound", + "combine", + "totalize", + "totalise", + "recombine", + "strip", + "milk", + "milk", + "strip", + "dismantle", + "strip", + "strip", + "denude", + "bare", + "denudate", + "strip", + "clear-cut", + "stump", + "clear", + "clear", + "defoliate", + "deforest", + "disforest", + "disafforest", + "burn off", + "burn", + "frost", + "scald", + "declaw", + "defang", + "dehorn", + "disbud", + "bone", + "debone", + "disembowel", + "eviscerate", + "draw", + "shell", + "shuck", + "pod", + "tusk", + "detusk", + "dehorn", + "scalp", + "lift", + "moderate", + "mitigate", + "relieve", + "lighten", + "qualify", + "restrict", + "remodel", + "reconstruct", + "redo", + "correct", + "rectify", + "right", + "rectify", + "remediate", + "remedy", + "repair", + "amend", + "debug", + "edit", + "redact", + "edit", + "blue-pencil", + "delete", + "bowdlerize", + "bowdlerise", + "expurgate", + "castrate", + "shorten", + "interpolate", + "alter", + "falsify", + "hack", + "cut up", + "edit", + "cut", + "edit out", + "black out", + "blank out", + "falsify", + "tame", + "chasten", + "subdue", + "break in", + "break", + "break", + "chasten", + "moderate", + "temper", + "corrupt", + "spoil", + "pervert", + "misuse", + "abuse", + "abuse", + "fracture", + "worsen", + "decline", + "tumble", + "slip", + "drop off", + "drop away", + "fall away", + "lapse", + "backslide", + "suffer", + "suffer", + "lose", + "better", + "improve", + "ameliorate", + "meliorate", + "turn around", + "pick up", + "brisk", + "brisk up", + "brisken", + "better", + "improve", + "amend", + "ameliorate", + "meliorate", + "turn around", + "help", + "upgrade", + "condition", + "recondition", + "degrade", + "cheapen", + "emend", + "iron out", + "straighten out", + "put right", + "worsen", + "aggravate", + "exacerbate", + "exasperate", + "deteriorate", + "go to pot", + "go to the dogs", + "decay", + "crumble", + "dilapidate", + "decompose", + "break up", + "break down", + "digest", + "dissociate", + "decompose", + "rot", + "molder", + "moulder", + "hang", + "spoil", + "go bad", + "smut", + "addle", + "mold", + "mildew", + "dry-rot", + "exsiccate", + "dehydrate", + "dry up", + "desiccate", + "dehydrate", + "desiccate", + "tumble", + "freeze-dry", + "conserve", + "lyophilize", + "lyophilise", + "preserve", + "keep", + "dehydrate", + "desiccate", + "tin", + "pickle", + "salt", + "marinade", + "marinate", + "decoct", + "can", + "tin", + "put up", + "hydrate", + "hydrate", + "hydrate", + "slack", + "slake", + "air-slake", + "wet", + "bedew", + "spin-dry", + "tumble dry", + "spray-dry", + "humidify", + "moisturize", + "moisturise", + "dehumidify", + "drench", + "douse", + "dowse", + "soak", + "sop", + "souse", + "brine", + "bedraggle", + "draggle", + "bate", + "ret", + "flood", + "flow", + "lave", + "lap", + "wash", + "inundate", + "deluge", + "submerge", + "moisten", + "wash", + "dampen", + "moil", + "parch", + "sear", + "dry", + "dry out", + "rough-dry", + "lubricate", + "blow-dry", + "drip-dry", + "dry", + "dry out", + "scorch", + "lock", + "unlock", + "engage", + "disengage", + "strengthen", + "attenuate", + "strengthen", + "beef up", + "fortify", + "substantiate", + "restrengthen", + "undergird", + "brace up", + "confirm", + "sandbag", + "spike", + "lace", + "fortify", + "fortify", + "reinforce", + "reenforce", + "buttress", + "buttress", + "line", + "back", + "back up", + "vouch", + "bolster", + "bolster up", + "weaken", + "melt", + "disappear", + "evaporate", + "die down", + "die", + "collapse", + "fade", + "melt", + "weaken", + "depress", + "unbrace", + "etiolate", + "cripple", + "stultify", + "dilute", + "thin", + "thin out", + "reduce", + "cut", + "rarefy", + "attenuate", + "intensify", + "deepen", + "build", + "redouble", + "intensify", + "compound", + "heighten", + "deepen", + "heat up", + "hot up", + "screw up", + "fan", + "blunt", + "blunt", + "bloody", + "water", + "irrigate", + "hose", + "hose down", + "sprinkle", + "sparge", + "besprinkle", + "moonshine", + "distill", + "distil", + "distill", + "extract", + "distil", + "enhance", + "heighten", + "raise", + "potentiate", + "enhance", + "follow up", + "touch up", + "retouch", + "grow", + "vegetate", + "mushroom", + "grow", + "undergrow", + "exfoliate", + "vegetate", + "vegetate", + "vegetate", + "overgrow", + "grow over", + "overgrow", + "subside", + "lessen", + "pare", + "pare down", + "reduce", + "tighten", + "restrict", + "restrain", + "trammel", + "limit", + "bound", + "confine", + "throttle", + "develop", + "tie", + "gate", + "draw the line", + "draw a line", + "mark off", + "mark out", + "rule", + "harness", + "rein", + "baffle", + "regulate", + "carry", + "extend", + "limit", + "circumscribe", + "confine", + "hold down", + "number", + "keep down", + "cap", + "hamper", + "halter", + "cramp", + "strangle", + "restrict", + "curtail", + "curb", + "cut back", + "abridge", + "reduce", + "boil down", + "concentrate", + "boil down", + "reduce", + "decoct", + "concentrate", + "concentrate", + "reduce", + "come down", + "boil down", + "deoxidize", + "deoxidise", + "reduce", + "benficiate", + "crack", + "crack", + "catabolize", + "catabolise", + "oxidize", + "oxidise", + "oxidate", + "oxidise", + "oxidize", + "oxidate", + "rust", + "breathe", + "pole", + "reduce", + "scale down", + "blow up", + "enlarge", + "magnify", + "shrink", + "contract", + "stretch", + "shrink", + "reduce", + "reef", + "miniaturize", + "miniaturise", + "shrivel", + "shrivel up", + "shrink", + "wither", + "blast", + "die back", + "die down", + "mummify", + "dry up", + "reduce", + "consolidate", + "consolidate", + "weld", + "unite", + "unify", + "merge", + "consubstantiate", + "consubstantiate", + "abbreviate", + "abridge", + "foreshorten", + "abbreviate", + "shorten", + "cut", + "contract", + "reduce", + "foreshorten", + "encapsulate", + "capsule", + "capsulize", + "capsulise", + "digest", + "condense", + "concentrate", + "telescope", + "abate", + "let up", + "slack off", + "slack", + "die away", + "slake", + "abate", + "slack", + "grow", + "culture", + "rotate", + "twin", + "double", + "duplicate", + "redouble", + "geminate", + "triple", + "treble", + "pullulate", + "quadruple", + "quintuple", + "multiply", + "manifold", + "manifold", + "proliferate", + "senesce", + "age", + "get on", + "mature", + "maturate", + "turn", + "age", + "progress", + "come on", + "come along", + "advance", + "get on", + "get along", + "shape up", + "climb", + "leapfrog", + "regress", + "retrograde", + "retrogress", + "fossilize", + "fossilise", + "age", + "ripen", + "ripen", + "mature", + "mature", + "maturate", + "grow", + "grow", + "find oneself", + "find", + "rejuvenate", + "evolve", + "work out", + "work up", + "elaborate", + "work out", + "derive", + "educe", + "derive", + "develop", + "adolesce", + "build up", + "work up", + "build", + "progress", + "build up", + "work up", + "build", + "ramp up", + "antique", + "antiquate", + "antiquate", + "develop", + "make grow", + "incubate", + "mellow", + "mellow", + "melt", + "mellow out", + "mellow", + "soften", + "encrust", + "incrust", + "effloresce", + "soften", + "face-harden", + "callus", + "callus", + "mollify", + "balloon", + "inflate", + "billow", + "reflate", + "bulge", + "bulk", + "swell", + "swell up", + "intumesce", + "tumefy", + "tumesce", + "distend", + "distend", + "expand", + "belly", + "belly out", + "swell", + "tumefy", + "bilge", + "take in water", + "leak", + "break", + "bilge", + "break", + "damage", + "total", + "bruise", + "disturb", + "afflict", + "smite", + "visit", + "devastate", + "hurt", + "injure", + "repair", + "mend", + "fix", + "bushel", + "doctor", + "furbish up", + "restore", + "touch on", + "tinker", + "fiddle", + "fill", + "piece", + "patch", + "cobble", + "point", + "repoint", + "overhaul", + "modernize", + "modernise", + "retrofit", + "trouble-shoot", + "troubleshoot", + "patch", + "patch up", + "impair", + "flaw", + "blemish", + "bulge", + "pouch", + "protrude", + "dish", + "bulk", + "puff", + "puff up", + "blow up", + "puff out", + "amplify", + "inflate", + "blow up", + "reflate", + "inflate", + "blow up", + "expand", + "amplify", + "puff up", + "deflate", + "acidify", + "acetify", + "alkalize", + "alkalise", + "alkalify", + "basify", + "reform", + "reform", + "reform", + "reform", + "polymerize", + "polymerise", + "copolymerize", + "copolymerise", + "polymerize", + "polymerise", + "ionize", + "ionise", + "ionize", + "ionise", + "ossify", + "ossify", + "catalyze", + "catalyse", + "dwindle", + "dwindle away", + "dwindle down", + "turn down", + "lower", + "lour", + "get well", + "get over", + "bounce back", + "get worse", + "relapse", + "remit", + "paralyze", + "paralyse", + "palsy", + "paralyze", + "paralyse", + "stun", + "stupefy", + "immobilize", + "immobilise", + "freeze", + "block", + "immobilize", + "immobilise", + "unblock", + "unfreeze", + "free", + "release", + "immobilize", + "immobilise", + "mobilize", + "mobilise", + "circulate", + "mobilize", + "mobilise", + "marshal", + "summon", + "acerbate", + "mend", + "heal", + "fluctuate", + "stabilize", + "stabilise", + "peg", + "ballast", + "guy", + "destabilize", + "destabilise", + "stabilize", + "stabilise", + "destabilize", + "destabilise", + "sensitize", + "sensitise", + "sensify", + "sensibilize", + "sensibilise", + "desensitize", + "desensitise", + "inure", + "harden", + "indurate", + "callous", + "cauterize", + "cauterise", + "steel oneself against", + "steel onself for", + "brace oneself for", + "prepare for", + "habituate", + "accustom", + "teach", + "corrode", + "rust", + "corrode", + "eat", + "rust", + "fret", + "eat away", + "erode", + "eat away", + "fret", + "wash", + "weather", + "erode", + "gnaw", + "gnaw at", + "eat at", + "wear away", + "ablate", + "regularize", + "regularise", + "tidy", + "tidy up", + "clean up", + "neaten", + "straighten", + "straighten out", + "square away", + "make", + "make up", + "mess", + "mess up", + "disorder", + "disarray", + "perturb", + "derange", + "throw out of kilter", + "order", + "predate", + "antedate", + "foredate", + "postdate", + "chronologize", + "chronologise", + "order", + "straighten", + "disarrange", + "rearrange", + "recode", + "reshuffle", + "randomize", + "randomise", + "serialize", + "serialise", + "alphabetize", + "alphabetise", + "bleach", + "peroxide", + "bleach", + "bleach out", + "decolor", + "decolour", + "decolorize", + "decolourize", + "decolorise", + "decolourise", + "discolorize", + "discolourise", + "discolorise", + "wash out", + "whiten", + "white", + "blacken", + "melanize", + "melanise", + "nigrify", + "black", + "melanize", + "melanise", + "lighten", + "lighten up", + "discolor", + "discolour", + "colour", + "color", + "blackwash", + "sallow", + "bronze", + "discolor", + "wash out", + "turn", + "silver", + "foliate", + "discolor", + "dye", + "stain", + "deep-dye", + "henna", + "impress", + "yarn-dye", + "color", + "colorize", + "colorise", + "colourise", + "colourize", + "colour", + "color in", + "colour in", + "motley", + "parti-color", + "polychrome", + "polychromize", + "polychromise", + "azure", + "purple", + "empurple", + "purpurate", + "aurify", + "verdigris", + "pinkify", + "incarnadine", + "madder", + "embrown", + "brown", + "handcolor", + "handcolour", + "stain", + "ebonize", + "ebonise", + "dip", + "stain", + "smut", + "tint", + "tinct", + "tinge", + "touch", + "pigment", + "pigment", + "tincture", + "imbue", + "hue", + "complexion", + "hue", + "fast dye", + "double dye", + "tie-dye", + "retouch", + "hand-dye", + "batik", + "piece-dye", + "redden", + "blush", + "purple", + "grey", + "gray", + "silver", + "grey", + "gray", + "yellow", + "tone", + "tone", + "escalate", + "intensify", + "step up", + "redouble", + "de-escalate", + "weaken", + "step down", + "de-escalate", + "radiate", + "effuse", + "irradiate", + "ray", + "bombard", + "irradiate", + "light", + "illume", + "illumine", + "light up", + "illuminate", + "floodlight", + "spotlight", + "cut", + "cut off", + "mutilate", + "mangle", + "cut up", + "clip", + "curtail", + "cut short", + "fancify", + "beautify", + "embellish", + "prettify", + "uglify", + "dress up", + "window-dress", + "blossom", + "blossom out", + "blossom forth", + "unfold", + "spruce up", + "spruce", + "titivate", + "tittivate", + "smarten up", + "slick up", + "spiff up", + "bloom", + "blossom", + "flower", + "effloresce", + "burst forth", + "spike", + "spike out", + "temper", + "season", + "mollify", + "season", + "harden", + "temper", + "tune", + "tune up", + "untune", + "calibrate", + "graduate", + "fine-tune", + "tune", + "tune up", + "adjust", + "set", + "correct", + "time", + "trim", + "zero", + "zero in", + "zero", + "readjust", + "reset", + "attune", + "time", + "adjust", + "gear", + "pitch", + "pitch", + "set", + "reset", + "set", + "keynote", + "regulate", + "modulate", + "adapt", + "accommodate", + "fit", + "anglicise", + "anglicize", + "fit", + "qualify", + "dispose", + "habilitate", + "capacitate", + "disqualify", + "unfit", + "indispose", + "shoehorn", + "tailor", + "orient", + "domesticate", + "tame", + "domesticate", + "domesticize", + "domesticise", + "reclaim", + "tame", + "domesticate", + "cultivate", + "naturalize", + "naturalise", + "tame", + "fine-tune", + "tweak", + "temper", + "harden", + "anneal", + "temper", + "normalize", + "toughen", + "widen", + "widen", + "white out", + "let out", + "widen", + "take in", + "flare out", + "flare", + "constrict", + "constringe", + "narrow", + "astringe", + "strangulate", + "bottleneck", + "narrow", + "contract", + "taper off", + "dilate", + "distend", + "implode", + "go off", + "explode", + "burst", + "detonate", + "explode", + "blow up", + "explode", + "burst forth", + "break loose", + "explode", + "detonate", + "blow up", + "set off", + "fulminate", + "crump", + "go off", + "dynamite", + "erupt", + "belch", + "extravasate", + "erupt", + "irrupt", + "flare up", + "flare", + "break open", + "burst out", + "dehisce", + "oxygenize", + "oxygenise", + "dehydrogenate", + "hydrogenate", + "oxygenize", + "oxygenise", + "erupt", + "recrudesce", + "break out", + "burst", + "split", + "break open", + "pop", + "pop", + "puncture", + "blow", + "stave", + "stave in", + "boom", + "thrive", + "flourish", + "expand", + "proliferate", + "luxuriate", + "boost", + "blur", + "dim", + "slur", + "obliterate", + "efface", + "darken", + "infuscate", + "embrown", + "murk", + "dun", + "blind", + "dim", + "darken", + "dusk", + "black out", + "blacken out", + "brighten", + "lighten up", + "lighten", + "blur", + "blear", + "weed", + "stub", + "dim", + "dim", + "obscure", + "bedim", + "overcloud", + "benight", + "bedim", + "obscure", + "blot out", + "obliterate", + "veil", + "hide", + "focus", + "focalize", + "focalise", + "sharpen", + "refocus", + "focus", + "focalize", + "focalise", + "depreciate", + "undervalue", + "devaluate", + "devalue", + "depreciate", + "appreciate", + "apprize", + "apprise", + "revalue", + "expense", + "write off", + "write down", + "appreciate", + "apprize", + "apprise", + "revalue", + "deafen", + "shorten", + "lengthen", + "shorten", + "syncopate", + "truncate", + "cut short", + "broaden", + "broaden", + "lengthen", + "prolong", + "protract", + "extend", + "draw out", + "extend", + "temporize", + "temporise", + "spin", + "spin out", + "elongate", + "stretch", + "tree", + "shoetree", + "size", + "scale", + "resize", + "rescale", + "bake", + "ovenbake", + "brown", + "coddle", + "fire", + "farce", + "stuff", + "fetishize", + "feudalize", + "stuff", + "cork", + "pad", + "bolster", + "baste", + "souse", + "microwave", + "micro-cook", + "zap", + "nuke", + "crispen", + "toast", + "crisp", + "shirr", + "blanch", + "parboil", + "overboil", + "cook", + "cook", + "overcook", + "fricassee", + "stew", + "jug", + "simmer", + "seethe", + "roll", + "roast", + "barbeque", + "barbecue", + "cook out", + "pan roast", + "braise", + "fry", + "frizzle", + "deep-fat-fry", + "griddle", + "pan-fry", + "slenderize", + "slenderise", + "french-fry", + "deep-fry", + "stir fry", + "saute", + "grill", + "hibachi", + "steam", + "steep", + "infuse", + "infuse", + "brew", + "draw", + "boil", + "broil", + "oven broil", + "pan-broil", + "pressure-cook", + "branch", + "ramify", + "fork", + "furcate", + "separate", + "ramify", + "branch", + "arborize", + "arborise", + "twig", + "bifurcate", + "trifurcate", + "atomize", + "atomise", + "dialyse", + "dialyze", + "break up", + "disperse", + "scatter", + "backscatter", + "peptize", + "peptise", + "grind", + "mash", + "crunch", + "bray", + "comminute", + "pound", + "pulp", + "pestle", + "mill", + "powderize", + "powderise", + "powder", + "pulverize", + "pulverise", + "powderize", + "pulverize", + "pulverise", + "powderise", + "run", + "unravel", + "partition", + "zone", + "subdivide", + "subdivide", + "screen off", + "separate off", + "burst", + "bust", + "shatter", + "shatter", + "shatter", + "break", + "separate", + "split up", + "fall apart", + "come apart", + "smash", + "ladder", + "run", + "break", + "fracture", + "break in", + "stave in", + "sunder", + "smash", + "dash", + "blast", + "knock down", + "crack", + "check", + "break", + "check", + "chink", + "crack", + "fissure", + "snap", + "crack", + "crack", + "chap", + "craze", + "alligator", + "splinter", + "sliver", + "break up", + "fragment", + "fragmentize", + "fragmentise", + "dissolve", + "dismiss", + "rag", + "crumb", + "brecciate", + "crush", + "bruise", + "break", + "recrudesce", + "develop", + "arise", + "come up", + "happen", + "hap", + "go on", + "pass off", + "occur", + "pass", + "fall out", + "come about", + "take place", + "result", + "intervene", + "transpire", + "give", + "operate", + "supervene", + "proceed", + "go", + "drag", + "drag on", + "drag out", + "come", + "fall", + "descend", + "settle", + "fall", + "fall", + "anticipate", + "come", + "develop", + "transpire", + "recur", + "repeat", + "iterate", + "cycle", + "go off", + "come off", + "go over", + "come around", + "roll around", + "happen", + "materialize", + "materialise", + "dematerialize", + "dematerialise", + "happen", + "befall", + "bechance", + "come", + "befall", + "bechance", + "betide", + "spin off", + "concur", + "coincide", + "erupt", + "break out", + "bud", + "get down", + "begin", + "get", + "start out", + "start", + "set about", + "set out", + "commence", + "recommence", + "strike out", + "fall", + "break out", + "jump off", + "get to", + "auspicate", + "attack", + "break in", + "plunge", + "launch", + "come on", + "embark", + "enter", + "take up", + "get cracking", + "bestir oneself", + "get going", + "get moving", + "get weaving", + "get started", + "get rolling", + "begin", + "lead off", + "start", + "commence", + "jumpstart", + "jump-start", + "recommence", + "inaugurate", + "usher in", + "introduce", + "set off", + "carry over", + "resume", + "restart", + "re-start", + "resume", + "take up", + "persevere", + "persist", + "hang in", + "hang on", + "hold on", + "obstinate", + "ask for it", + "ask for trouble", + "plug", + "plug away", + "stick to", + "stick with", + "follow", + "pass away", + "close out", + "lapse", + "finish", + "close", + "cut out", + "go out", + "finish up", + "land up", + "fetch up", + "end up", + "wind up", + "finish", + "end", + "terminate", + "give the axe", + "give the bounce", + "give the gate", + "abort", + "culminate", + "lift", + "raise", + "ax", + "axe", + "stem", + "stanch", + "staunch", + "halt", + "check", + "die", + "stamp out", + "kill", + "kill", + "kill", + "kill", + "snap", + "dissolve", + "break up", + "dissolve", + "break up", + "change surface", + "level", + "level off", + "crust", + "heave", + "buckle", + "warp", + "lift", + "shoot", + "spud", + "germinate", + "pullulate", + "bourgeon", + "burgeon forth", + "sprout", + "germinate", + "burgeon", + "bud", + "root", + "root", + "die", + "decease", + "perish", + "go", + "exit", + "pass away", + "expire", + "pass", + "kick the bucket", + "cash in one's chips", + "buy the farm", + "conk", + "give-up the ghost", + "drop dead", + "pop off", + "choke", + "croak", + "snuff it", + "strangle", + "suffocate", + "stifle", + "asphyxiate", + "buy it", + "pip out", + "go", + "leave", + "leave behind", + "widow", + "drown", + "fall", + "predecease", + "be born", + "come to life", + "come into being", + "cloud over", + "mist", + "mist over", + "demist", + "defog", + "bloat", + "bloat", + "curl", + "curve", + "kink", + "break", + "break off", + "discontinue", + "stop", + "hold on", + "stop", + "cut short", + "break short", + "break off", + "hang up", + "drop", + "knock off", + "nolle pros", + "nolle prosequi", + "nol.pros.", + "freeze", + "suspend", + "bog down", + "bog", + "bog down", + "bog", + "interrupt", + "break", + "adjourn", + "recess", + "break up", + "punctuate", + "pasteurize", + "pasteurise", + "condense", + "distill", + "distil", + "condense", + "concentrate", + "contract", + "condense", + "condense", + "sublime", + "sublimate", + "sublime", + "sublimate", + "condense", + "condense", + "resublime", + "evaporate", + "vaporize", + "vaporise", + "pervaporate", + "pervaporate", + "transpire", + "unify", + "unite", + "merge", + "unitize", + "unitise", + "clog", + "clot", + "syncretize", + "syncretise", + "disunify", + "break apart", + "converge", + "league", + "federate", + "federalize", + "federalise", + "federate", + "federalize", + "federalise", + "carbonize", + "carbonise", + "cool", + "chill", + "cool down", + "cool", + "cool off", + "cool down", + "overheat", + "cool", + "chill", + "cool down", + "quench", + "ice", + "refrigerate", + "heat", + "heat up", + "scald", + "scald", + "refrigerate", + "soak", + "calcine", + "preheat", + "overheat", + "heat", + "hot up", + "heat up", + "warm", + "warm up", + "warm", + "warm up", + "chafe", + "carbonize", + "carbonise", + "carburize", + "carburise", + "cauterize", + "cauterise", + "burn", + "freeze", + "glaciate", + "concrete", + "boil", + "decoct", + "boil", + "boil over", + "overboil", + "deep freeze", + "ice", + "quick-freeze", + "flash-freeze", + "freeze", + "dissolve", + "thaw", + "unfreeze", + "unthaw", + "dethaw", + "melt", + "deliquesce", + "defrost", + "deice", + "de-ice", + "burn", + "combust", + "burn down", + "burn up", + "go up", + "smolder", + "smoulder", + "sear", + "scorch", + "sizzle", + "burn", + "incinerate", + "incinerate", + "singe", + "swinge", + "burn", + "fire", + "burn down", + "backfire", + "cremate", + "torch", + "char", + "blacken", + "sear", + "scorch", + "blister", + "vesicate", + "blister", + "switch", + "change over", + "shift", + "permute", + "commute", + "transpose", + "map", + "represent", + "transpose", + "convert", + "change over", + "metricize", + "metricise", + "metrify", + "metricate", + "flour", + "transform", + "transmute", + "metamorphose", + "transform", + "transform", + "transform", + "aurify", + "transmute", + "transform", + "transmute", + "transubstantiate", + "transubstantiate", + "sorcerize", + "sorcerise", + "ash", + "translate", + "transform", + "metricize", + "metricise", + "reclaim", + "metamorphose", + "transfigure", + "transmogrify", + "convert", + "reform", + "reclaim", + "regenerate", + "rectify", + "moralize", + "moralise", + "regenerate", + "convert", + "Islamize", + "Islamise", + "Christianize", + "Christianise", + "Christianize", + "Islamize", + "Islamise", + "evangelize", + "evangelise", + "catholicize", + "catholicise", + "latinize", + "latinise", + "turn back", + "invert", + "reverse", + "invert", + "reverse", + "invert", + "revert", + "return", + "retrovert", + "regress", + "turn back", + "resile", + "customize", + "customise", + "personalize", + "personalise", + "individualize", + "individualise", + "depersonalize", + "depersonalise", + "objectify", + "lay waste to", + "waste", + "devastate", + "desolate", + "ravage", + "scourge", + "harry", + "ravage", + "emaciate", + "waste", + "emaciate", + "macerate", + "enfeeble", + "debilitate", + "drain", + "enervate", + "pine away", + "waste", + "languish", + "dampen", + "damp", + "soften", + "weaken", + "break", + "dampen", + "dampen", + "deaden", + "damp", + "shush", + "stifle", + "dampen", + "suffocate", + "choke", + "suffocate", + "choke", + "choke off", + "choke down", + "choke back", + "dampen", + "dull", + "cloud", + "dull", + "pall", + "sharpen", + "sharpen", + "sharpen", + "heighten", + "subtilize", + "subtilise", + "strap", + "sharpen", + "taper", + "point", + "acuminate", + "sharpen", + "flatten", + "drop", + "acclimatize", + "acclimatise", + "acclimate", + "synchronize", + "synchronise", + "sync", + "phase", + "desynchronize", + "desynchronise", + "blend", + "flux", + "mix", + "conflate", + "commingle", + "immix", + "fuse", + "coalesce", + "meld", + "combine", + "merge", + "gauge", + "absorb", + "melt", + "meld", + "blend in", + "mix in", + "cut in", + "accrete", + "conjugate", + "admix", + "alloy", + "fuse", + "fuse", + "crumble", + "fall apart", + "disintegrate", + "digest", + "fold", + "reintegrate", + "macerate", + "macerate", + "macerate", + "disintegrate", + "decay", + "decompose", + "disintegrate", + "putrefy", + "magnetize", + "magnetise", + "demagnetize", + "demagnetise", + "degauss", + "simplify", + "oversimplify", + "complicate", + "refine", + "rarify", + "elaborate", + "complexify", + "complexify", + "ramify", + "involve", + "refine", + "refine", + "develop", + "sophisticate", + "complicate", + "perplex", + "snarl", + "snarl up", + "embrangle", + "snafu", + "pressurize", + "pressurise", + "pressurize", + "pressurise", + "supercharge", + "pressurize", + "pressurise", + "puncture", + "depressurize", + "depressurise", + "decompress", + "structure", + "restructure", + "reconstitute", + "organize", + "organise", + "coordinate", + "interlock", + "mesh", + "centralize", + "centralise", + "concentrate", + "decentralize", + "deconcentrate", + "decentralise", + "socialize", + "socialise", + "socialize", + "socialise", + "fix", + "prepare", + "set up", + "ready", + "gear up", + "set", + "provide", + "cram", + "precondition", + "fix", + "mount", + "set up", + "lay out", + "set", + "rig", + "set", + "set up", + "winterize", + "winterise", + "summerize", + "summerise", + "prime", + "communize", + "communise", + "internationalize", + "internationalise", + "communize", + "communise", + "bolshevize", + "bolshevise", + "Americanize", + "Americanise", + "Europeanize", + "Europeanise", + "Europeanize", + "Europeanise", + "bestialize", + "bestialise", + "Americanize", + "Americanise", + "Frenchify", + "Frenchify", + "modernize", + "modernise", + "develop", + "civilize", + "civilise", + "nationalize", + "nationalise", + "denationalize", + "denationalise", + "privatize", + "privatise", + "naturalize", + "naturalise", + "denaturalize", + "denaturalise", + "naturalize", + "naturalise", + "denaturalize", + "denaturalise", + "naturalize", + "naturalise", + "adopt", + "take in", + "immigrate", + "immigrate", + "settle", + "locate", + "colonize", + "colonise", + "relocate", + "relocate", + "dislocate", + "settle", + "homestead", + "settle", + "root", + "take root", + "steady down", + "settle down", + "roost", + "set in", + "resettle", + "immigrate", + "emigrate", + "expatriate", + "steady", + "calm", + "becalm", + "even", + "even out", + "even", + "even out", + "equal", + "match", + "equalize", + "equalise", + "equate", + "homologize", + "homologise", + "stiffen", + "starch", + "buckram", + "rigidify", + "ossify", + "petrify", + "rigidify", + "stiffen", + "stiffen", + "tighten", + "tighten up", + "constrain", + "clamp down", + "crack down", + "loosen", + "relax", + "loose", + "loosen", + "loose", + "relax", + "unbend", + "unbrace", + "tighten", + "tighten", + "fasten", + "frap", + "tauten", + "firm", + "tauten", + "firm", + "transitivize", + "transitivise", + "detransitivize", + "detransitivise", + "intransitivize", + "intransitivise", + "slacken", + "remit", + "douse", + "dowse", + "slacken", + "absent", + "remove", + "evanesce", + "fade", + "blow over", + "pass off", + "fleet", + "pass", + "fade", + "wither", + "appear", + "peep", + "erupt", + "manifest", + "wash up", + "come to light", + "come to hand", + "gleam", + "come on", + "come out", + "turn up", + "surface", + "show up", + "emerge", + "burst", + "get on", + "be on", + "outcrop", + "flash", + "flash", + "appear", + "come along", + "fulminate", + "turn out", + "resurface", + "basset", + "crop out", + "appear", + "come out", + "pop out", + "burst out", + "reappear", + "re-emerge", + "emerge", + "break through", + "come through", + "disappear", + "vanish", + "go away", + "vanish", + "disappear", + "skip town", + "take a powder", + "die out", + "die off", + "minimize", + "minimise", + "hedge", + "scale down", + "scale up", + "maximize", + "maximise", + "maximize", + "maximise", + "reduce", + "cut down", + "cut back", + "trim", + "trim down", + "trim back", + "cut", + "bring down", + "spill", + "quench", + "cut", + "retrench", + "slash", + "thin out", + "thin out", + "thin", + "draw", + "thin", + "thicken", + "inspissate", + "thicken", + "inspissate", + "thicken", + "inspissate", + "decline", + "go down", + "wane", + "dip", + "wear on", + "heighten", + "heighten", + "rise", + "shoot up", + "drop", + "slump", + "fall off", + "sink", + "tumble", + "wax", + "mount", + "climb", + "rise", + "wax", + "full", + "full", + "wane", + "wane", + "magnify", + "amplify", + "fail", + "go bad", + "give way", + "die", + "give out", + "conk out", + "go", + "break", + "break down", + "crash", + "go down", + "give way", + "yield", + "blow out", + "burn out", + "blow", + "unfurl", + "unroll", + "roll up", + "wrap up", + "roll up", + "furl", + "douse", + "reef", + "bolt", + "diversify", + "branch out", + "broaden", + "diversify", + "radiate", + "vary", + "variegate", + "motley", + "diversify", + "checker", + "chequer", + "specialize", + "specialise", + "narrow", + "narrow down", + "specialize", + "specialise", + "overspecialize", + "overspecialise", + "accelerate", + "speed up", + "speed", + "quicken", + "decelerate", + "slow down", + "retard", + "deaden", + "deaden", + "fishtail", + "accelerate", + "speed", + "speed up", + "rev up", + "rev", + "rev up", + "step up", + "decelerate", + "slow", + "slow down", + "slow up", + "retard", + "check", + "retard", + "delay", + "slow", + "slow down", + "slow up", + "slack", + "slacken", + "slow", + "slow down", + "slow up", + "clog", + "constipate", + "slack", + "slacken", + "slack up", + "relax", + "decrease", + "lessen", + "minify", + "diminish", + "belittle", + "quicken", + "invigorate", + "gasify", + "vaporize", + "vaporise", + "aerify", + "jell", + "set", + "congeal", + "curdle", + "curdle", + "harden", + "indurate", + "harden", + "indurate", + "crystallize", + "crystalize", + "crystalise", + "effloresce", + "liquefy", + "flux", + "liquify", + "liquefy", + "liquify", + "liquidize", + "liquidise", + "melt", + "run", + "melt down", + "try", + "render", + "solidify", + "solidify", + "freeze", + "freeze out", + "freeze down", + "crystallize", + "crystallise", + "crystalize", + "crystalise", + "dissolve", + "solvate", + "solvate", + "react", + "build", + "dissolve", + "resolve", + "break up", + "cut", + "dissolve", + "fade out", + "fade away", + "dissolve", + "etch", + "validate", + "invalidate", + "void", + "vitiate", + "empty", + "discharge", + "clean out", + "clear out", + "flow away", + "flow off", + "bleed", + "evacuate", + "bail out", + "bale out", + "evacuate", + "empty", + "eviscerate", + "void", + "clear", + "clear", + "clear", + "exhaust", + "knock out", + "populate", + "people", + "drain", + "fill", + "fill up", + "water", + "flood", + "rack up", + "fill", + "fill up", + "make full", + "top off", + "heap", + "overfill", + "ink", + "replenish", + "refill", + "fill again", + "prime", + "line", + "suffuse", + "perfuse", + "perfuse", + "suffuse", + "flush", + "wash down", + "flush down", + "flush", + "sluice", + "flush", + "flush", + "scour", + "purge", + "complete", + "complement", + "soak", + "imbue", + "saturate", + "match", + "match", + "fit", + "service", + "homogenize", + "homogenise", + "homogenize", + "homogenise", + "homogenize", + "homogenise", + "curdle", + "clabber", + "clot", + "clot", + "coagulate", + "clot", + "coagulate", + "sour", + "turn", + "ferment", + "work", + "ferment", + "work", + "vinify", + "rush", + "hurry", + "rush", + "hasten", + "hurry", + "look sharp", + "festinate", + "delay", + "detain", + "hold up", + "stonewall", + "catch", + "stall", + "buy time", + "stay", + "detain", + "delay", + "hush", + "hush", + "hush", + "hush", + "quieten", + "silence", + "still", + "shut up", + "hush up", + "louden", + "suppress", + "stamp down", + "inhibit", + "subdue", + "conquer", + "curb", + "inhibit", + "burke", + "silence", + "squelch", + "quell", + "quench", + "flatten", + "flatten out", + "splat", + "flatten", + "steamroll", + "steamroller", + "splat", + "align", + "aline", + "line up", + "adjust", + "address", + "synchronize", + "synchronise", + "synchronize", + "synchronise", + "realign", + "realine", + "true", + "true up", + "collimate", + "plumb", + "dislocate", + "luxate", + "splay", + "slip", + "align", + "ordinate", + "coordinate", + "misalign", + "skew", + "integrate", + "incorporate", + "lysogenize", + "build in", + "re-incorporate", + "integrate", + "standardize", + "standardise", + "gauge", + "normalize", + "normalise", + "renormalize", + "renormalise", + "normalize", + "normalise", + "reorient", + "morph", + "morph", + "wear", + "wear off", + "wear out", + "wear down", + "wear thin", + "wilt", + "droop", + "wilt", + "neutralize", + "neutralise", + "neutralize", + "neutralise", + "nullify", + "negate", + "commercialize", + "commercialise", + "market", + "eliminate", + "annihilate", + "extinguish", + "eradicate", + "wipe out", + "decimate", + "carry off", + "decimate", + "cancel out", + "wipe out", + "decouple", + "decouple", + "extinguish", + "eliminate", + "get rid of", + "do away with", + "obliterate", + "knock out", + "drown", + "cut out", + "excise", + "sparkle", + "scintillate", + "coruscate", + "cut", + "prune", + "rationalize", + "rationalise", + "perfect", + "hone", + "polish", + "round", + "round off", + "polish up", + "brush up", + "polish", + "refine", + "fine-tune", + "down", + "overrefine", + "over-refine", + "refine", + "rectify", + "refine", + "precipitate", + "purify", + "sublimate", + "make pure", + "distill", + "purge", + "purify", + "purge", + "sanctify", + "purify", + "spiritualize", + "spiritualise", + "lustrate", + "deform", + "distort", + "strain", + "draw", + "jaundice", + "blow", + "block", + "block", + "deform", + "cup", + "mar", + "impair", + "spoil", + "deflower", + "vitiate", + "snuff out", + "extinguish", + "stamp", + "stub out", + "crush out", + "extinguish", + "press out", + "kill", + "obliterate", + "wipe out", + "drown", + "massacre", + "slaughter", + "mow down", + "erase", + "wipe out", + "mechanize", + "mechanise", + "dehumanize", + "dehumanise", + "automatize", + "automatise", + "automate", + "automatize", + "automatise", + "semi-automatize", + "semi-automatise", + "mechanize", + "mechanise", + "mechanize", + "mechanise", + "motorize", + "motorise", + "systematize", + "systematise", + "systemize", + "systemise", + "digest", + "digest", + "codify", + "finalize", + "finalise", + "settle", + "nail down", + "harmonize", + "harmonise", + "chord", + "harmonize", + "harmonise", + "reconcile", + "key", + "accommodate", + "reconcile", + "conciliate", + "harmonize", + "harmonise", + "proportion", + "key", + "compartmentalize", + "compartmentalise", + "cut up", + "complete", + "finish", + "top", + "top off", + "get through", + "wrap up", + "finish off", + "mop up", + "polish off", + "clear up", + "finish up", + "see through", + "round out", + "finish out", + "cap off", + "culminate", + "climax", + "crown", + "top", + "follow through", + "follow up", + "follow out", + "carry out", + "implement", + "put through", + "go through", + "adhere", + "fixate", + "settle on", + "glue", + "fixate", + "fix", + "polarize", + "polarise", + "polarize", + "polarise", + "polarize", + "polarise", + "load", + "adulterate", + "stretch", + "dilute", + "debase", + "water down", + "water down", + "sophisticate", + "doctor", + "doctor up", + "leach", + "strip", + "vent", + "ventilate", + "air out", + "air", + "air", + "linearize", + "linearise", + "glorify", + "glorify", + "justify", + "quantify", + "measure", + "gauge", + "scale", + "meter", + "pace", + "step", + "clock", + "time", + "mistime", + "regress", + "click off", + "fathom", + "sound", + "titrate", + "quantify", + "foul", + "foul", + "foul", + "befoul", + "defile", + "maculate", + "pollute", + "foul", + "contaminate", + "decontaminate", + "contaminate", + "debase", + "alloy", + "devalue", + "devalue", + "devaluate", + "demonetize", + "demonetise", + "isolate", + "insulate", + "segregate", + "ghettoize", + "ghettoise", + "insulate", + "weatherstrip", + "soundproof", + "cloister", + "sequester", + "sequestrate", + "keep apart", + "set apart", + "isolate", + "seclude", + "sequester", + "sequestrate", + "withdraw", + "quarantine", + "maroon", + "let", + "isolate", + "preisolate", + "boost", + "advance", + "supercharge", + "ammonify", + "thoriate", + "stuff", + "impregnate", + "saturate", + "charge", + "imbrue", + "drench", + "impregnate", + "infuse", + "instill", + "tincture", + "calcify", + "calcify", + "coke", + "calcify", + "decalcify", + "decalcify", + "carnify", + "chondrify", + "citify", + "urbanize", + "urbanise", + "urbanize", + "urbanise", + "industrialize", + "industrialise", + "emulsify", + "emulsify", + "demulsify", + "demulsify", + "denazify", + "decarboxylate", + "decarboxylate", + "cleanse", + "nazify", + "denitrify", + "nitrify", + "dung", + "fertilize", + "fertilise", + "feed", + "topdress", + "stimulate", + "excite", + "innervate", + "irritate", + "pinch", + "vellicate", + "fertilize", + "fecundate", + "fertilise", + "federalize", + "federalise", + "nitrify", + "nitrogenize", + "nitrogenise", + "nitrify", + "clarify", + "detoxify", + "detoxicate", + "devitrify", + "embrittle", + "devitrify", + "electrify", + "wire", + "electrify", + "esterify", + "etherify", + "fructify", + "fructify", + "interstratify", + "stratify", + "jellify", + "jelly", + "jellify", + "lapidify", + "petrify", + "fossilize", + "fossilise", + "dot", + "mark", + "stigmatize", + "stigmatise", + "raddle", + "striate", + "ink", + "red-ink", + "reline", + "dimple", + "spot", + "freckle", + "spot", + "freckle", + "fox", + "mottle", + "dapple", + "cloud", + "harlequin", + "crisscross", + "star", + "asterisk", + "flag", + "tip", + "nick", + "tan", + "dress", + "bark", + "froth", + "spume", + "suds", + "lather", + "disable", + "disenable", + "incapacitate", + "lay up", + "nobble", + "pinion", + "enable", + "equip", + "buffer", + "background", + "play down", + "downplay", + "pick up", + "wave off", + "foreground", + "highlight", + "spotlight", + "play up", + "bring out", + "set off", + "de-emphasize", + "de-emphasise", + "destress", + "tender", + "tenderize", + "tenderise", + "process", + "treat", + "reverberate", + "curry", + "seed", + "dose", + "sulphur", + "sulfur", + "vulcanize", + "vulcanise", + "chrome", + "bituminize", + "bituminise", + "Agenize", + "Agenise", + "run", + "rerun", + "charge", + "charge", + "recharge", + "facilitate", + "ease", + "alleviate", + "mystify", + "demystify", + "bubble", + "bubble", + "foam", + "froth", + "fizz", + "effervesce", + "sparkle", + "form bubbles", + "seethe", + "sweeten", + "interrupt", + "disturb", + "cut in", + "interrupt", + "disrupt", + "cut short", + "de-ionate", + "iodinate", + "de-iodinate", + "ionate", + "upset", + "green", + "blue", + "thrombose", + "diagonalize", + "diagonalise", + "archaize", + "archaise", + "take effect", + "translate", + "inform", + "receive", + "get", + "find", + "obtain", + "incur", + "take", + "officialize", + "officialise", + "marbleize", + "marbleise", + "occidentalize", + "occidentalise", + "westernize", + "westernise", + "orientalize", + "orientalise", + "acetylate", + "acetylize", + "acetylise", + "acetylate", + "acetylize", + "acetylise", + "achromatize", + "achromatise", + "assume", + "acquire", + "adopt", + "take on", + "take", + "re-assume", + "prim", + "parallel", + "collimate", + "ritualize", + "ritualise", + "bromate", + "brominate", + "camp", + "capacitate", + "carboxylate", + "caseate", + "caseate", + "hack", + "hack on", + "classicize", + "classicise", + "clinker", + "clinker", + "closure", + "cloture", + "compost", + "conventionalize", + "conventionalise", + "cure", + "cure", + "cure", + "dun", + "corn", + "recover", + "go back", + "recuperate", + "rally", + "rebound", + "dawn", + "issue", + "emerge", + "come out", + "come forth", + "go forth", + "egress", + "pop out", + "radiate", + "leak", + "escape", + "fall", + "debouch", + "decarbonize", + "decarbonise", + "decarburize", + "decarburise", + "decoke", + "decimalize", + "decimalise", + "decimalize", + "decimalise", + "declutch", + "delouse", + "depopulate", + "desolate", + "lower", + "lour", + "derate", + "salinate", + "desalinate", + "desalt", + "desalinize", + "desalinise", + "take away", + "detract", + "dizzy", + "poison", + "envenom", + "exteriorize", + "exteriorise", + "externalize", + "externalise", + "objectify", + "glamorize", + "glamourise", + "glamourize", + "glamorise", + "sentimentalize", + "sentimentalise", + "sole", + "resole", + "vamp", + "revamp", + "heel", + "reheel", + "honeycomb", + "introvert", + "laicize", + "laicise", + "politicize", + "politicise", + "radicalize", + "proof", + "romanticize", + "romanticise", + "redden", + "encrimson", + "vermilion", + "carmine", + "rubify", + "rubric", + "ruddle", + "rusticate", + "sauce", + "shallow", + "shoal", + "shallow", + "shoal", + "tense", + "slack", + "steepen", + "steepen", + "superannuate", + "superannuate", + "ulcerate", + "scramble", + "unscramble", + "unsex", + "vitrify", + "vitrify", + "vulcanize", + "vulcanise", + "pall", + "dull", + "die", + "pall", + "become flat", + "pall", + "saponify", + "saponify", + "move", + "go", + "run", + "settle", + "lead up", + "initiate", + "break through", + "crack", + "open", + "open up", + "open", + "open up", + "widen", + "broaden", + "extend", + "territorialize", + "territorialise", + "globalize", + "globalise", + "extend", + "expand", + "expand", + "ream", + "ream", + "stretch", + "emasculate", + "castrate", + "come", + "wash out", + "suspend", + "set aside", + "dress", + "dress out", + "catch", + "bring home", + "catch on", + "develop", + "grow", + "outgrow", + "muddy", + "transform", + "broil", + "bake", + "reheat", + "poach", + "lift", + "raise", + "elevate", + "dignify", + "exalt", + "deify", + "fly", + "harshen", + "develop", + "acquire", + "evolve", + "make", + "flow out", + "effuse", + "emanate", + "white-out", + "whiteout", + "dinge", + "dinge", + "batter", + "crescendo", + "decrescendo", + "assibilate", + "smoothen", + "demonize", + "demonise", + "devilize", + "devilise", + "diabolize", + "diabolise", + "etherealize", + "etherialise", + "immaterialize", + "immaterialise", + "unsubstantialize", + "unsubstantialise", + "animize", + "animise", + "animate", + "come back", + "return", + "erupt", + "come out", + "break through", + "push through", + "turn on", + "drop", + "mangle", + "mutilate", + "murder", + "shift", + "run", + "clear", + "break into", + "save", + "make unnecessary", + "turn to", + "raise", + "lift", + "switch", + "shift", + "change", + "transition", + "transition", + "shift", + "deepen", + "change", + "break", + "surf", + "channel-surf", + "dynamize", + "dynamise", + "dynamize", + "dynamise", + "concretize", + "concretise", + "rarefy", + "sublimate", + "subtilize", + "volatilize", + "volatilise", + "uniformize", + "uniformise", + "symmetrize", + "symmetrise", + "decay", + "deliquesce", + "immortalize", + "immortalise", + "eternize", + "eternise", + "eternalize", + "eternalise", + "commute", + "transpose", + "syncretize", + "syncretise", + "denature", + "denature", + "denature", + "disrupt", + "sanitize", + "sanitise", + "verbify", + "introject", + "swell", + "transfer", + "transpose", + "transplant", + "shift", + "shift", + "brush", + "sputter", + "mix", + "transcribe", + "draw", + "make", + "dope", + "swing", + "take", + "raise", + "wash", + "wash out", + "wash off", + "wash away", + "lull", + "calm down", + "prostrate", + "advance", + "break", + "settle", + "excite", + "excite", + "energize", + "energise", + "crush", + "shake", + "outmode", + "spice", + "spice up", + "salt", + "fail", + "run out", + "give out", + "leap", + "jump", + "back", + "veer", + "shorten", + "cut", + "fall", + "fall", + "run out", + "run out", + "think", + "make", + "make", + "deflate", + "inflate", + "deflate", + "inflate", + "reflate", + "reflate", + "format", + "initialize", + "initialise", + "digitize", + "digitise", + "digitalize", + "digitalise", + "hydrolyze", + "hydrolyse", + "hydrolize", + "hydrolise", + "saccharify", + "fold", + "fold up", + "rumple", + "crumple", + "wrinkle", + "crease", + "crinkle", + "gelatinize", + "gelatinise", + "gelatinize", + "gelatinise", + "gelatinize", + "felt", + "felt up", + "mat up", + "matt-up", + "matte up", + "matte", + "mat", + "recombine", + "recombine", + "float", + "feminize", + "feminise", + "effeminize", + "effeminise", + "womanize", + "masculinize", + "masculinise", + "virilize", + "virilise", + "masculinize", + "feminize", + "feminise", + "bind", + "ligate", + "disharmonize", + "dissonate", + "obsolesce", + "sexualize", + "sexualise", + "schematize", + "schematise", + "patent", + "constitutionalize", + "constitutionalise", + "rationalize", + "rationalise", + "stalinize", + "stalinise", + "destalinize", + "destalinise", + "plasticize", + "plasticise", + "plasticize", + "plasticise", + "scrap", + "desorb", + "desorb", + "rarefy", + "deepen", + "recede", + "ebb", + "remove", + "take away", + "wash away", + "drift", + "pull", + "paganize", + "paganise", + "defervesce", + "incandesce", + "incandesce", + "calcify", + "drift", + "leave off", + "play out", + "turn down", + "damp", + "deaminate", + "deaminize", + "angulate", + "circularize", + "sensitize", + "sensitise", + "sensitize", + "sensitise", + "conjugate", + "depolarize", + "depolarise", + "demineralize", + "demineralise", + "intensify", + "isomerize", + "isomerise", + "isomerize", + "isomerise", + "legitimate", + "eliminate", + "evaporate", + "vaporise", + "evaporate", + "vaporise", + "expectorate", + "clear out", + "drive out", + "indurate", + "gradate", + "keratinize", + "keratinise", + "keratinize", + "keratinise", + "industrialize", + "industrialise", + "beneficiate", + "novate", + "opacify", + "opacify", + "opsonize", + "mature", + "militarize", + "militarise", + "nationalize", + "nationalise", + "popularize", + "popularise", + "recommend", + "rejuvenate", + "ruin", + "sentimentalize", + "sentimentalise", + "sequester", + "solemnize", + "solemnise", + "subordinate", + "subdue", + "territorialize", + "territorialise", + "transaminate", + "transaminate", + "transfigure", + "glorify", + "spiritualize", + "unsanctify", + "vesiculate", + "vesiculate", + "visualize", + "visualise", + "undulate", + "variegate", + "vascularize", + "vascularise", + "ventilate", + "vivify", + "vulgarise", + "vulgarize", + "scorch", + "scorch", + "sear", + "singe", + "supple", + "crash", + "professionalize", + "professionalise", + "professionalize", + "professionalise", + "smut", + "still", + "upgrade", + "upgrade", + "shift", + "roll in", + "flip", + "flip out", + "weaponize", + "deflagrate", + "diazotize", + "hay", + "lignify", + "mineralize", + "mineralize", + "ozonize", + "ozonise", + "slag", + "sulfate", + "cutinize", + "duplex", + "eroticize", + "sex up", + "gum", + "piggyback", + "repress", + "downsize", + "downsize", + "subtract", + "shear", + "port", + "obscure", + "reduce", + "carve out", + "lifehack", + "cloud", + "damage", + "grok", + "get the picture", + "comprehend", + "savvy", + "dig", + "grasp", + "compass", + "apprehend", + "lie low", + "understand", + "sense", + "smell", + "smell out", + "sense", + "follow", + "catch", + "get", + "figure", + "catch on", + "get wise", + "get onto", + "tumble", + "latch on", + "cotton on", + "twig", + "get it", + "touch", + "intuit", + "digest", + "understand", + "realize", + "realise", + "see", + "perceive", + "click", + "get through", + "dawn", + "come home", + "get across", + "sink in", + "penetrate", + "fall into place", + "resonate", + "come across", + "strike a chord", + "appreciate", + "take account", + "do justice", + "expect", + "acknowledge", + "recognize", + "recognise", + "know", + "attorn", + "write off", + "understand", + "infer", + "extrapolate", + "understand", + "read", + "interpret", + "translate", + "sympathize", + "sympathise", + "empathize", + "empathise", + "understand", + "know", + "know", + "cognize", + "cognise", + "keep track", + "lose track", + "ignore", + "know", + "know", + "know", + "have down", + "know the score", + "be with it", + "be on the ball", + "know what's going on", + "know what's what", + "know", + "experience", + "live", + "taste", + "relive", + "live over", + "master", + "control", + "master", + "get the hang", + "learn", + "larn", + "acquire", + "relearn", + "unlearn", + "unlearn", + "catch up", + "learn", + "hear", + "get word", + "get wind", + "pick up", + "find out", + "get a line", + "discover", + "see", + "get the goods", + "wise up", + "wise up", + "trip up", + "catch", + "learn", + "study", + "read", + "take", + "audit", + "absorb", + "engross", + "engage", + "occupy", + "involve", + "consume", + "steep", + "immerse", + "engulf", + "plunge", + "engross", + "absorb", + "soak up", + "plunge", + "immerse", + "welter", + "swallow", + "espouse", + "embrace", + "adopt", + "sweep up", + "take up", + "latch on", + "fasten on", + "hook on", + "seize on", + "absorb", + "assimilate", + "ingest", + "take in", + "imbibe", + "apprentice", + "train", + "prepare", + "retrain", + "train", + "develop", + "prepare", + "educate", + "retrain", + "drill", + "drill", + "housebreak", + "house-train", + "roughhouse", + "toilet-train", + "memorize", + "memorise", + "con", + "learn", + "understudy", + "alternate", + "indoctrinate", + "revolutionize", + "revolutionise", + "inspire", + "infect", + "brainwash", + "cram", + "grind away", + "drum", + "bone up", + "swot", + "get up", + "mug up", + "swot up", + "bone", + "drill", + "exercise", + "practice", + "practise", + "drill", + "hammer in", + "drill in", + "ram down", + "beat in", + "inculcate", + "instill", + "infuse", + "din", + "hold", + "study", + "hit the books", + "study", + "major", + "remember", + "retrieve", + "recall", + "call back", + "call up", + "recollect", + "think", + "know", + "know", + "know", + "think", + "slip", + "slip one's mind", + "forget", + "block", + "blank out", + "draw a blank", + "come to mind", + "spring to mind", + "mind", + "bear in mind", + "remember", + "think of", + "retain", + "forget", + "bury", + "recognize", + "recognise", + "remind", + "take back", + "nag", + "reminisce", + "remember", + "think back", + "commemorate", + "remember", + "remember", + "commemorate", + "memorialize", + "memorialise", + "immortalize", + "immortalise", + "record", + "monumentalize", + "monumentalise", + "commemorate", + "mark", + "suppress", + "repress", + "forget", + "leave", + "jilt", + "abandon", + "give up", + "leave", + "abandon", + "forsake", + "desolate", + "desert", + "expose", + "walk out", + "forget", + "neglect", + "pretermit", + "omit", + "drop", + "miss", + "leave out", + "overlook", + "overleap", + "elide", + "drop", + "exclude", + "except", + "leave out", + "leave off", + "omit", + "take out", + "neglect", + "slack", + "jump", + "pass over", + "skip", + "skip over", + "attend to", + "take to heart", + "neglect", + "ignore", + "disregard", + "receive", + "pretermit", + "slight", + "cold-shoulder", + "misremember", + "err", + "mistake", + "slip", + "stumble", + "slip up", + "trip up", + "mistake", + "misidentify", + "identify", + "type", + "typecast", + "identify", + "place", + "date", + "misdate", + "confuse", + "confound", + "misconstrue", + "misinterpret", + "misconceive", + "misunderstand", + "misapprehend", + "be amiss", + "read", + "stump", + "mix up", + "addle", + "muddle", + "puddle", + "confuse", + "blur", + "obscure", + "obnubilate", + "muddy", + "clear", + "clear up", + "shed light on", + "crystallize", + "crystallise", + "crystalize", + "crystalise", + "straighten out", + "sort out", + "enlighten", + "illuminate", + "elucidate", + "read between the lines", + "puzzle over", + "confuse", + "throw", + "fox", + "befuddle", + "fuddle", + "bedevil", + "confound", + "discombobulate", + "demoralize", + "perplex", + "vex", + "stick", + "get", + "puzzle", + "mystify", + "baffle", + "beat", + "pose", + "bewilder", + "flummox", + "stupefy", + "nonplus", + "gravel", + "amaze", + "dumbfound", + "riddle", + "interpret", + "construe", + "see", + "mythicize", + "mythicise", + "literalize", + "literalise", + "spiritualize", + "spiritualise", + "reinterpret", + "allegorize", + "allegorise", + "take", + "read", + "misread", + "misinterpret", + "idealize", + "idealise", + "read", + "anagram", + "anagrammatize", + "anagrammatise", + "reread", + "dip into", + "empanel", + "impanel", + "panel", + "decipher", + "trace", + "make out", + "read", + "numerate", + "dictate", + "read", + "scry", + "read", + "scan", + "misread", + "skim", + "skim over", + "lipread", + "lip-read", + "speech-read", + "copyread", + "subedit", + "copyedit", + "proofread", + "proof", + "think", + "cogitate", + "cerebrate", + "rationalize", + "rationalise", + "rationalize away", + "rationalise away", + "think", + "think out", + "philosophize", + "philosophise", + "brainstorm", + "chew over", + "think over", + "meditate", + "ponder", + "excogitate", + "contemplate", + "muse", + "reflect", + "mull", + "mull over", + "ruminate", + "speculate", + "premeditate", + "theologize", + "theologise", + "introspect", + "think", + "opine", + "suppose", + "imagine", + "reckon", + "guess", + "assume", + "presume", + "take for granted", + "reason", + "theorize", + "theorize", + "ratiocinate", + "speculate", + "theorize", + "theorise", + "conjecture", + "hypothesize", + "hypothesise", + "hypothecate", + "suppose", + "reconstruct", + "construct", + "retrace", + "etymologize", + "etymologise", + "reason", + "reason out", + "conclude", + "solve", + "work out", + "figure out", + "puzzle out", + "lick", + "work", + "answer", + "resolve", + "riddle", + "cinch", + "strike", + "guess", + "infer", + "answer", + "induce", + "deduce", + "infer", + "deduct", + "derive", + "establish", + "base", + "ground", + "found", + "build", + "calculate", + "cipher", + "cypher", + "compute", + "work out", + "reckon", + "figure", + "quantize", + "quantise", + "work out", + "extract", + "process", + "prorate", + "prorate", + "miscalculate", + "misestimate", + "recalculate", + "get", + "average", + "average out", + "square", + "cube", + "factor", + "factor in", + "factor out", + "factor", + "factor in", + "factor out", + "add", + "add together", + "foot", + "foot up", + "subtract", + "deduct", + "take off", + "carry back", + "multiply", + "raise", + "divide", + "fraction", + "halve", + "quarter", + "interpolate", + "extrapolate", + "differentiate", + "integrate", + "analyze", + "analyse", + "psychoanalyze", + "psychoanalyse", + "analyze", + "analyse", + "break down", + "dissect", + "take apart", + "parse", + "synthesize", + "synthesise", + "synthesize", + "analyze", + "analyse", + "study", + "examine", + "canvass", + "canvas", + "anatomize", + "botanize", + "botanise", + "diagnose", + "name", + "diagnose", + "explore", + "put out feelers", + "explore", + "plumb", + "survey", + "appraise", + "survey", + "triangulate", + "measure", + "mensurate", + "measure out", + "shoot", + "triangulate", + "caliper", + "calliper", + "survey", + "prospect", + "research", + "search", + "explore", + "google", + "mapquest", + "re-explore", + "cast about", + "beat about", + "cast around", + "explore", + "pioneer", + "cave", + "spelunk", + "discriminate", + "know apart", + "subtilize", + "distinguish", + "separate", + "differentiate", + "secern", + "secernate", + "severalize", + "severalise", + "tell", + "tell apart", + "label", + "treat", + "bristle", + "label", + "sex", + "individualize", + "individualise", + "distinguish", + "mark", + "differentiate", + "identify", + "discover", + "key", + "key out", + "distinguish", + "describe", + "name", + "catalogue", + "catalog", + "compare", + "analogize", + "analogise", + "syllogize", + "syllogise", + "compare", + "liken", + "equate", + "reconsider", + "reconsider", + "come round", + "come around", + "classify", + "class", + "sort", + "assort", + "sort out", + "separate", + "isolate", + "refer", + "reclassify", + "size", + "dichotomize", + "dichotomise", + "pigeonhole", + "stereotype", + "stamp", + "group", + "regroup", + "bracket", + "collocate", + "lump", + "chunk", + "categorize", + "categorise", + "grade", + "grade", + "score", + "mark", + "rate", + "rank", + "range", + "order", + "grade", + "place", + "superordinate", + "shortlist", + "seed", + "reorder", + "countermarch", + "outclass", + "subordinate", + "place", + "come in", + "come out", + "come", + "rank", + "prioritize", + "prioritise", + "sequence", + "downgrade", + "upgrade", + "rate", + "value", + "contrast", + "severalize", + "severalise", + "contradistinguish", + "collate", + "check", + "check up on", + "look into", + "check out", + "suss out", + "check over", + "go over", + "check into", + "check", + "check off", + "mark", + "mark off", + "tick off", + "tick", + "receipt", + "see", + "check", + "insure", + "see to it", + "ensure", + "control", + "ascertain", + "assure", + "control", + "check", + "double-check", + "cross-check", + "cinch", + "card", + "spot-check", + "authenticate", + "verify", + "prove", + "demonstrate", + "establish", + "show", + "shew", + "prove oneself", + "explode", + "lay down", + "establish", + "make", + "prove", + "prove", + "confirm", + "corroborate", + "sustain", + "substantiate", + "support", + "affirm", + "document", + "source", + "negate", + "contradict", + "invalidate", + "nullify", + "validate", + "disprove", + "confute", + "refute", + "rebut", + "controvert", + "falsify", + "digest", + "endure", + "stick out", + "stomach", + "bear", + "stand", + "tolerate", + "support", + "brook", + "abide", + "suffer", + "put up", + "accept", + "live with", + "swallow", + "stand for", + "hold still for", + "bear up", + "take lying down", + "take it on the chin", + "take a joke", + "take", + "submit", + "test", + "sit out", + "evaluate", + "pass judgment", + "judge", + "stand", + "misjudge", + "underestimate", + "underrate", + "sell short", + "overcapitalize", + "overcapitalise", + "overestimate", + "overrate", + "judge", + "estimate", + "gauge", + "approximate", + "guess", + "judge", + "quantize", + "quantise", + "misgauge", + "place", + "put", + "set", + "give", + "lowball", + "underestimate", + "approve", + "frown on", + "frown upon", + "disapprove", + "rubberstamp", + "choose", + "take", + "select", + "pick out", + "anoint", + "field", + "sieve", + "sift", + "draw", + "dial", + "plump", + "go", + "pick", + "hand-pick", + "elect", + "excerpt", + "extract", + "take out", + "cull out", + "winnow", + "cream off", + "skim off", + "sieve out", + "pick over", + "assign", + "specify", + "set apart", + "dedicate", + "detail", + "schedule", + "time", + "book", + "calendar", + "slot", + "single out", + "choose", + "prefer", + "opt", + "opt out", + "cop out", + "choose", + "prejudice", + "prepossess", + "bias", + "predetermine", + "slant", + "angle", + "weight", + "predispose", + "dispose", + "incline", + "indispose", + "disincline", + "prejudge", + "measure", + "evaluate", + "valuate", + "assess", + "appraise", + "value", + "assess", + "standardize", + "standardise", + "reappraise", + "reassess", + "reevaluate", + "censor", + "bethink", + "believe", + "buy", + "hold", + "credit", + "believe", + "believe", + "misbelieve", + "disbelieve", + "discredit", + "include", + "count", + "subsume", + "colligate", + "rule out", + "eliminate", + "winnow out", + "reject", + "reject", + "repudiate", + "recuse", + "accept", + "receive", + "approbate", + "reprobate", + "doubt", + "doubt", + "discredit", + "distrust", + "mistrust", + "suspect", + "lean", + "trust", + "swear", + "rely", + "bank", + "rethink", + "backpedal", + "about-face", + "surmise", + "think", + "believe", + "consider", + "conceive", + "think", + "think of", + "repute", + "regard as", + "look upon", + "look on", + "esteem", + "take to be", + "feel", + "see", + "consider", + "reckon", + "view", + "regard", + "consider", + "call", + "like", + "relativize", + "relativise", + "identify", + "favor", + "favour", + "abstract", + "reify", + "hypostatize", + "hypostatise", + "idealize", + "idealise", + "romanticize", + "romanticise", + "glamorize", + "glamourise", + "deify", + "apotheosize", + "apotheosise", + "apotheose", + "deem", + "hold", + "view as", + "take for", + "respect", + "esteem", + "value", + "prize", + "prise", + "think the world of", + "disrespect", + "disesteem", + "undervalue", + "assay", + "bioassay", + "value", + "overvalue", + "overestimate", + "undervalue", + "underestimate", + "float", + "review", + "reexamine", + "review", + "look back", + "retrospect", + "review", + "go over", + "survey", + "review", + "brush up", + "refresh", + "audit", + "scrutinize", + "scrutinise", + "inspect", + "screen", + "decide", + "make up one's mind", + "determine", + "make", + "make", + "will", + "design", + "seal", + "decide", + "settle", + "resolve", + "adjudicate", + "adjust", + "decide", + "purpose", + "resolve", + "determine", + "set", + "filiate", + "format", + "charge", + "determine", + "initialize", + "initialise", + "determine", + "shape", + "mold", + "influence", + "regulate", + "miscreate", + "carry weight", + "decide", + "reshape", + "time", + "index", + "pace", + "predetermine", + "predestine", + "foreordain", + "preordain", + "jinx", + "predestine", + "predestinate", + "foreordain", + "cogitate", + "see", + "contemplate", + "premeditate", + "brood", + "dwell", + "study", + "meditate", + "contemplate", + "plan", + "chart", + "plan", + "be after", + "draw a bead on", + "aspire", + "aim", + "shoot for", + "overshoot", + "overrun", + "hope", + "go for", + "project", + "propose", + "offer", + "introduce", + "frame", + "compose", + "draw up", + "conspire", + "cabal", + "complot", + "conjure", + "machinate", + "coconspire", + "counterplot", + "conspire", + "collude", + "scheme", + "intrigue", + "connive", + "plot", + "scheme", + "intend", + "mean", + "think", + "mean", + "aim", + "purpose", + "purport", + "propose", + "want", + "intend", + "destine", + "designate", + "specify", + "design", + "slate", + "mastermind", + "engineer", + "direct", + "organize", + "organise", + "orchestrate", + "choreograph", + "map", + "chart", + "plat", + "plot", + "lay out", + "block out", + "loft", + "engineer", + "entertain", + "think of", + "toy with", + "flirt with", + "think about", + "dally", + "trifle", + "play", + "calculate", + "estimate", + "reckon", + "count on", + "figure", + "forecast", + "miscalculate", + "misestimate", + "reckon", + "count", + "count", + "bet", + "depend", + "look", + "calculate", + "reckon", + "calculate", + "aim", + "direct", + "associate", + "tie in", + "relate", + "link", + "colligate", + "link up", + "connect", + "interrelate", + "correlate", + "decouple", + "dissociate", + "identify", + "free-associate", + "debate", + "conclude", + "find", + "feel", + "pin down", + "peg down", + "nail down", + "narrow down", + "narrow", + "specify", + "concretize", + "rule", + "decree", + "overrule", + "overturn", + "override", + "overthrow", + "reverse", + "presuppose", + "suppose", + "presuppose", + "suppose", + "postulate", + "posit", + "insist", + "assert", + "premise", + "premiss", + "react", + "respond", + "flip", + "flip out", + "overreact", + "answer", + "accept", + "stool", + "respond", + "greet", + "explode", + "accept", + "answer", + "expect", + "anticipate", + "expect", + "look", + "await", + "wait", + "look forward", + "look to", + "anticipate", + "previse", + "foreknow", + "foresee", + "tell", + "believe", + "trust", + "ascertain", + "discover", + "find", + "rake up", + "price", + "ferret out", + "ferret", + "concentrate", + "focus", + "center", + "centre", + "pore", + "rivet", + "rivet", + "recall", + "think", + "think of", + "occur", + "come", + "allow", + "take into account", + "budget for", + "budget", + "allow", + "appropriate", + "earmark", + "set aside", + "reserve", + "mind", + "beware", + "mind", + "amaze", + "astonish", + "astound", + "dazzle", + "surprise", + "explode a bombshell", + "catch", + "catch", + "flabbergast", + "boggle", + "bowl over", + "impute", + "ascribe", + "assign", + "attribute", + "impute", + "sensualize", + "carnalize", + "credit", + "reattribute", + "anthropomorphize", + "anthropomorphise", + "personify", + "personate", + "accredit", + "credit", + "blame", + "charge", + "register", + "impress", + "ingrain", + "instill", + "recognize", + "recognise", + "realize", + "realise", + "agnize", + "agnise", + "elicit", + "penetrate", + "fathom", + "bottom", + "trace", + "follow", + "wonder", + "inquire", + "enquire", + "project", + "externalize", + "externalise", + "internalize", + "internalise", + "interiorize", + "interiorise", + "think of", + "have in mind", + "mean", + "demarcate", + "delimit", + "delimitate", + "demarcate", + "plumb", + "draw", + "make", + "capitalize", + "capitalise", + "capitalize", + "capitalise", + "overcapitalize", + "overcapitalise", + "find out", + "catch out", + "concenter", + "concentre", + "focalize", + "focalise", + "focus", + "refocus", + "give", + "pay", + "devote", + "resign", + "reconcile", + "submit", + "observe", + "keep", + "maintain", + "discountenance", + "resolve", + "solve", + "factorize", + "factorise", + "misgive", + "align", + "array", + "fall in line", + "believe in", + "consider", + "take", + "deal", + "look at", + "think about", + "abstract", + "plant", + "implant", + "date", + "dateline", + "datemark", + "date-mark", + "date", + "date stamp", + "arrange", + "set up", + "put", + "order", + "synchronize", + "synchronise", + "contemporize", + "contemporise", + "awaken", + "analyze", + "analyse", + "factor analyse", + "factor analyze", + "hold", + "re-create", + "drink in", + "drink", + "keep note", + "swallow", + "grab", + "seize", + "seize", + "clutch", + "get hold of", + "pay", + "take one's lumps", + "get one's lumps", + "break", + "break", + "call", + "call", + "carry", + "think", + "think", + "calibrate", + "relegate", + "classify", + "assign", + "attribute", + "truncate", + "acknowledge", + "communicate", + "intercommunicate", + "yak", + "gab", + "fingerspell", + "finger-spell", + "aphorize", + "aphorise", + "riddle", + "shrug off", + "communicate", + "pass on", + "pass", + "pass along", + "put across", + "send a message", + "relay", + "project", + "reach", + "get through", + "get hold of", + "contact", + "ping", + "ping", + "raise", + "diphthongize", + "diphthongise", + "break", + "reach out", + "draw out", + "get across", + "put over", + "twang", + "vocalize", + "vocalise", + "phonate", + "troll", + "order", + "reorder", + "place", + "ordain", + "predestine", + "will", + "destine", + "fate", + "doom", + "designate", + "order", + "tell", + "enjoin", + "say", + "order", + "prescribe", + "dictate", + "force", + "thrust", + "begin", + "intrude", + "obtrude", + "clamp", + "stick", + "sting", + "inflict", + "bring down", + "visit", + "impose", + "give", + "furlough", + "give", + "foist", + "direct", + "direct", + "talk down", + "point the way", + "instruct", + "charge", + "charge", + "charge", + "saddle", + "burden", + "overburden", + "bear down", + "overwhelm", + "deluge", + "flood out", + "mandate", + "mandate", + "command", + "require", + "featherbed", + "command", + "general", + "officer", + "ask", + "request", + "bespeak", + "call for", + "quest", + "request", + "solicit", + "call", + "call", + "encore", + "requisition", + "page", + "petition", + "demand", + "adjure", + "appeal", + "invoke", + "ask", + "require", + "expect", + "claim", + "take", + "exact", + "claim", + "profess", + "pretend", + "contend", + "postulate", + "make out", + "purport", + "disclaim", + "disown", + "renounce", + "repudiate", + "apostatize", + "apostatise", + "tergiversate", + "abnegate", + "disclaim", + "claim", + "take", + "crave", + "supplicate", + "supplicate", + "supplicate", + "beg", + "implore", + "pray", + "plead", + "bid", + "beseech", + "entreat", + "adjure", + "press", + "conjure", + "pray", + "commune", + "commune", + "communicate", + "plead", + "profess", + "intercede", + "mediate", + "intermediate", + "liaise", + "arbitrate", + "clear", + "solve", + "concert", + "negociate", + "negotiate", + "talk terms", + "renegociate", + "renegotiate", + "renegociate", + "renegotiate", + "negociate", + "treat", + "horse-trade", + "parley", + "powwow", + "palaver", + "settle", + "square off", + "square up", + "determine", + "clinch", + "close", + "settle", + "agree", + "plea-bargain", + "bargain", + "reconcile", + "patch up", + "make up", + "conciliate", + "settle", + "propitiate", + "appease", + "apply", + "urge", + "urge on", + "press", + "exhort", + "push", + "bear on", + "nudge", + "persuade", + "hustle", + "bring round", + "bring around", + "bring", + "badger", + "sell", + "chat up", + "blaze away", + "memorialize", + "memorialise", + "keynote", + "talk out of", + "talk into", + "rope in", + "wheedle", + "cajole", + "palaver", + "blarney", + "coax", + "sweet-talk", + "inveigle", + "elocute", + "soft-soap", + "soft-soap", + "convert", + "win over", + "convince", + "proselytize", + "proselytise", + "brainwash", + "dissuade", + "deter", + "induce", + "stimulate", + "cause", + "have", + "get", + "make", + "solicit", + "encourage", + "let", + "lead", + "give", + "prompt", + "inspire", + "instigate", + "argue", + "reason", + "re-argue", + "argue", + "indicate", + "present", + "represent", + "lay out", + "expostulate", + "argue", + "contend", + "debate", + "fence", + "stickle", + "spar", + "quibble", + "niggle", + "pettifog", + "bicker", + "squabble", + "brabble", + "brawl", + "wrangle", + "clamor", + "clamour", + "spat", + "polemize", + "polemise", + "polemicize", + "polemicise", + "quarrel", + "dispute", + "scrap", + "argufy", + "altercate", + "fall out", + "oppose", + "oppose", + "controvert", + "contradict", + "assure", + "charm", + "influence", + "tempt", + "gibber", + "hex", + "bewitch", + "glamour", + "witch", + "enchant", + "jinx", + "voodoo", + "magnetize", + "mesmerize", + "mesmerise", + "magnetise", + "bewitch", + "spellbind", + "prevail", + "importune", + "insist", + "besiege", + "interrupt", + "disrupt", + "break up", + "cut off", + "break", + "put away", + "put aside", + "pause", + "intermit", + "break", + "rest", + "breathe", + "catch one's breath", + "take a breather", + "rest", + "blow", + "take five", + "take ten", + "chime in", + "cut in", + "put in", + "butt in", + "chisel in", + "barge in", + "break in", + "burst in on", + "burst upon", + "digress", + "stray", + "divagate", + "wander", + "continue", + "go on", + "carry on", + "proceed", + "go ahead", + "plow ahead", + "segue", + "hook", + "solicit", + "accost", + "hit", + "solicit", + "beg", + "tap", + "quest", + "entice", + "lure", + "tempt", + "hook", + "snare", + "seduce", + "call", + "drag", + "stool", + "lead on", + "tweedle", + "tempt", + "ask", + "inquire", + "enquire", + "ask", + "pry", + "question", + "query", + "interpellate", + "spy", + "spy", + "stag", + "snoop", + "sleuth", + "investigate", + "inquire", + "enquire", + "quiz", + "test", + "examine", + "cross examine", + "cross question", + "catechize", + "catechise", + "catechize", + "catechise", + "reinforce", + "reward", + "spoonfeed", + "pump", + "interrogate", + "question", + "probe", + "examine", + "grill", + "re-examine", + "investigate", + "look into", + "call", + "telephone", + "call up", + "phone", + "ring", + "cell phone", + "call in", + "dial", + "hang on", + "hold the line", + "hold on", + "telecommunicate", + "telex", + "summon", + "summons", + "cite", + "beep", + "recall", + "call back", + "call back", + "call in", + "vouch", + "buzz", + "call", + "send for", + "lift", + "convoke", + "convene", + "muster", + "subpoena", + "invite", + "bid", + "tempt", + "allure", + "provoke", + "stimulate", + "rejuvenate", + "jog", + "call on", + "turn", + "book up", + "schedule", + "program", + "programme", + "reschedule", + "reserve", + "forbid", + "prohibit", + "interdict", + "proscribe", + "veto", + "disallow", + "nix", + "ban", + "bar", + "debar", + "exclude", + "enjoin", + "reject", + "spurn", + "freeze off", + "scorn", + "pooh-pooh", + "disdain", + "turn down", + "puff", + "refuse", + "decline", + "accept", + "consent", + "go for", + "settle", + "contract in", + "contract out", + "rebuff", + "snub", + "repel", + "abjure", + "recant", + "forswear", + "retract", + "resile", + "swallow", + "take back", + "unsay", + "withdraw", + "misstate", + "retreat", + "pull back", + "back out", + "back away", + "crawfish", + "crawfish out", + "pull in one's horns", + "withdraw", + "revoke", + "annul", + "lift", + "countermand", + "reverse", + "repeal", + "overturn", + "rescind", + "vacate", + "renege", + "renege on", + "renegue on", + "go back on", + "cancel", + "invalidate", + "bracket", + "bracket out", + "cross off", + "cross out", + "strike out", + "strike off", + "mark", + "dismiss", + "disregard", + "brush aside", + "brush off", + "discount", + "push aside", + "ignore", + "recount", + "pass off", + "dismiss", + "throw out", + "scoff", + "flout", + "turn a blind eye", + "laugh off", + "laugh away", + "permit", + "allow", + "let", + "countenance", + "allow", + "permit", + "tolerate", + "authorize", + "authorise", + "pass", + "clear", + "approbate", + "certificate", + "assent", + "accede", + "acquiesce", + "yield", + "give in", + "succumb", + "knuckle under", + "buckle under", + "dissent", + "disagree", + "differ", + "dissent", + "take issue", + "clash", + "agree", + "hold", + "concur", + "concord", + "see eye to eye", + "concede", + "yield", + "grant", + "subscribe", + "support", + "approve", + "O.K.", + "okay", + "sanction", + "sanction", + "visa", + "disapprove", + "reject", + "object", + "demur", + "except", + "challenge", + "take exception", + "challenge", + "counterchallenge", + "cavil", + "carp", + "chicane", + "interview", + "question", + "check out", + "sound out", + "feel out", + "interview", + "interview", + "hedge", + "fudge", + "evade", + "put off", + "circumvent", + "parry", + "elude", + "skirt", + "dodge", + "duck", + "sidestep", + "beg", + "quibble", + "miss", + "escape", + "get off", + "get away", + "get by", + "get out", + "escape", + "evade", + "bypass", + "short-circuit", + "go around", + "get around", + "avoid", + "keep off", + "stay off", + "shirk", + "shy away from", + "shun", + "eschew", + "confront", + "face up", + "face", + "debate", + "deliberate", + "vex", + "consider", + "debate", + "moot", + "turn over", + "deliberate", + "wrestle", + "bandy", + "kick around", + "moderate", + "chair", + "lead", + "hash out", + "discuss", + "talk over", + "blaspheme", + "hold forth", + "discourse", + "dissertate", + "refute", + "rebut", + "answer", + "counter", + "field", + "answer", + "reply", + "respond", + "sass", + "retort", + "come back", + "repay", + "return", + "riposte", + "rejoin", + "deny", + "repudiate", + "deny", + "deny", + "admit", + "acknowledge", + "make no bones about", + "make a clean breast of", + "own up", + "fess up", + "superannuate", + "bastardize", + "bastardise", + "sustain", + "concede", + "profess", + "confess", + "confess", + "insist", + "take a firm stand", + "stand pat", + "stand firm", + "hold firm", + "stand fast", + "hunker down", + "confess", + "squeal", + "fink", + "profess", + "avow", + "avouch", + "disavow", + "attest", + "attest", + "declare", + "attest", + "certify", + "manifest", + "demonstrate", + "evidence", + "reflect", + "reflect", + "mirror", + "notarize", + "notarise", + "certify", + "declare", + "adjudge", + "hold", + "call", + "beatify", + "canonize", + "canonise", + "saint", + "contradict", + "negate", + "contravene", + "reprimand", + "censure", + "criminate", + "savage", + "blast", + "pillory", + "crucify", + "admonish", + "reprove", + "chastise", + "castigate", + "objurgate", + "chasten", + "correct", + "flame", + "call on the carpet", + "take to task", + "rebuke", + "rag", + "trounce", + "reproof", + "lecture", + "reprimand", + "jaw", + "dress down", + "call down", + "scold", + "chide", + "berate", + "bawl out", + "remonstrate", + "chew out", + "chew up", + "have words", + "lambaste", + "lambast", + "represent", + "tell off", + "brush down", + "lip off", + "shoot one's mouth off", + "reproach", + "upbraid", + "reprehend", + "deplore", + "knock", + "criticize", + "criticise", + "pick apart", + "animadvert", + "belabor", + "belabour", + "come down", + "troll", + "preach", + "advocate", + "preach", + "prophesy", + "evangelize", + "evangelise", + "sermonize", + "sermonise", + "preachify", + "moralize", + "moralise", + "pontificate", + "orate", + "bloviate", + "teach", + "learn", + "instruct", + "induct", + "mentor", + "tutor", + "unteach", + "unteach", + "ground", + "lecture", + "talk", + "instruct", + "apprise", + "apprize", + "brief", + "debrief", + "inform", + "inoculate", + "acquaint", + "warn", + "warn", + "inform", + "fill in", + "update", + "coach", + "train", + "misinform", + "mislead", + "lie", + "romance", + "perjure", + "suborn", + "suborn", + "fib", + "beat around the bush", + "equivocate", + "tergiversate", + "prevaricate", + "palter", + "falsify", + "distort", + "garble", + "warp", + "typify", + "symbolize", + "symbolise", + "stand for", + "represent", + "misrepresent", + "belie", + "tinge", + "color", + "colour", + "distort", + "color", + "colour", + "gloss", + "pose", + "impersonate", + "personate", + "masquerade", + "bluff", + "feign", + "sham", + "pretend", + "affect", + "dissemble", + "make", + "pretend", + "make believe", + "go through the motions", + "play possum", + "take a dive", + "bamboozle", + "snow", + "hoodwink", + "pull the wool over someone's eyes", + "lead by the nose", + "play false", + "talk through one's hat", + "bullshit", + "bull", + "fake", + "overstate", + "exaggerate", + "overdraw", + "hyperbolize", + "hyperbolise", + "magnify", + "amplify", + "soft-pedal", + "trivialize", + "trivialise", + "overemphasize", + "overemphasise", + "overstress", + "re-emphasise", + "re-emphasize", + "bear down", + "understate", + "minimize", + "minimise", + "downplay", + "sandbag", + "denounce", + "fulminate", + "rail", + "denounce", + "tell on", + "betray", + "give away", + "rat", + "grass", + "shit", + "shop", + "snitch", + "stag", + "denounce", + "blame", + "fault", + "blame", + "find fault", + "pick", + "accuse", + "impeach", + "incriminate", + "criminate", + "charge", + "accuse", + "arraign", + "charge", + "tax", + "complain", + "recriminate", + "impeach", + "nag", + "peck", + "hen-peck", + "dun", + "abuse", + "clapperclaw", + "blackguard", + "shout", + "slang", + "claw", + "disparage", + "belittle", + "pick at", + "nitpick", + "pan", + "tear apart", + "trash", + "defame", + "slander", + "smirch", + "asperse", + "denigrate", + "calumniate", + "smear", + "sully", + "besmirch", + "assassinate", + "blackwash", + "discredit", + "disgrace", + "libel", + "vilify", + "revile", + "vituperate", + "rail", + "badmouth", + "malign", + "traduce", + "drag through the mud", + "diss", + "insult", + "affront", + "mind", + "bristle at", + "bridle at", + "bridle up", + "bristle up", + "mock", + "bemock", + "mock", + "caricature", + "ape", + "impersonate", + "spoof", + "burlesque", + "parody", + "jeer", + "scoff", + "flout", + "barrack", + "gibe", + "tease", + "razz", + "rag", + "cod", + "tantalize", + "tantalise", + "bait", + "taunt", + "twit", + "rally", + "ride", + "pull the leg of", + "kid", + "incite", + "instigate", + "set off", + "stir up", + "raise", + "needle", + "goad", + "ridicule", + "roast", + "guy", + "blackguard", + "laugh at", + "jest at", + "rib", + "make fun", + "poke fun", + "tease", + "satirize", + "satirise", + "lampoon", + "deride", + "debunk", + "expose", + "stultify", + "joke", + "jest", + "gag", + "quip", + "horse around", + "arse around", + "fool around", + "fool", + "deceive", + "betray", + "lead astray", + "undeceive", + "gull", + "dupe", + "slang", + "befool", + "cod", + "fool", + "put on", + "take in", + "put one over", + "put one across", + "kid", + "chaff", + "jolly", + "josh", + "banter", + "review", + "critique", + "referee", + "peer review", + "deprecate", + "depreciate", + "vilipend", + "deflate", + "puncture", + "deprecate", + "condemn", + "praise", + "salute", + "overpraise", + "crow", + "crow", + "trumpet", + "exuberate", + "exult", + "rejoice", + "triumph", + "jubilate", + "glory", + "cheerlead", + "cheer", + "cheer", + "root on", + "inspire", + "urge", + "barrack", + "urge on", + "exhort", + "pep up", + "cheer", + "cheer up", + "chirk up", + "cheer", + "cheer up", + "jolly along", + "jolly up", + "humor", + "humour", + "amuse", + "convulse", + "lighten", + "lighten up", + "buoy up", + "applaud", + "bravo", + "laud", + "extol", + "exalt", + "glorify", + "proclaim", + "canonize", + "canonise", + "ensky", + "crack up", + "hymn", + "promulgate", + "acclaim", + "hail", + "herald", + "applaud", + "clap", + "spat", + "acclaim", + "boo", + "hiss", + "explode", + "sizzle", + "attack", + "round", + "assail", + "lash out", + "snipe", + "assault", + "vitriol", + "rip", + "whang", + "bombard", + "barrage", + "blister", + "scald", + "whip", + "condemn", + "reprobate", + "decry", + "objurgate", + "excoriate", + "minimize", + "belittle", + "denigrate", + "derogate", + "talk down", + "accurse", + "execrate", + "anathemize", + "comminate", + "anathemise", + "anathematize", + "anathematise", + "blog", + "curse", + "cuss", + "blaspheme", + "swear", + "imprecate", + "gee", + "ooh", + "aah", + "curse", + "beshrew", + "damn", + "bedamn", + "anathemize", + "anathemise", + "imprecate", + "maledict", + "curse", + "bless", + "consecrate", + "bless", + "hallow", + "sanctify", + "reconsecrate", + "desecrate", + "unhallow", + "deconsecrate", + "bless", + "sign", + "question", + "oppugn", + "call into question", + "account", + "answer for", + "impeach", + "impugn", + "defy", + "dare", + "call one's bluff", + "brazen", + "challenge", + "call out", + "challenge", + "dispute", + "gainsay", + "call", + "contest", + "contend", + "repugn", + "charge", + "lodge", + "file", + "warn", + "warn", + "discourage", + "admonish", + "monish", + "forewarn", + "previse", + "caution", + "admonish", + "monish", + "threaten", + "offer", + "threaten", + "bode", + "portend", + "auspicate", + "prognosticate", + "omen", + "presage", + "betoken", + "foreshadow", + "augur", + "foretell", + "prefigure", + "forecast", + "predict", + "alarm", + "alert", + "wake", + "rede", + "advise", + "counsel", + "tip off", + "tip", + "advise", + "notify", + "give notice", + "send word", + "apprise", + "apprize", + "call", + "familiarize", + "familiarise", + "acquaint", + "orient", + "verse", + "reacquaint", + "get into", + "recommend", + "urge", + "advocate", + "propose", + "suggest", + "advise", + "advance", + "throw out", + "proposition", + "misadvise", + "misguide", + "feed back", + "propound", + "consult", + "confer", + "confabulate", + "confab", + "consult", + "collogue", + "consult", + "refer", + "look up", + "research", + "consult", + "confer with", + "prompt", + "remind", + "cue", + "submit", + "state", + "put forward", + "posit", + "submit", + "bow", + "defer", + "accede", + "give in", + "submit", + "subject", + "give", + "return", + "report out", + "move", + "make a motion", + "nominate", + "put up", + "put forward", + "propose", + "declare oneself", + "offer", + "pop the question", + "volunteer", + "flatter", + "blandish", + "adulate", + "stroke", + "eulogize", + "eulogise", + "fawn", + "toady", + "truckle", + "bootlick", + "kowtow", + "kotow", + "suck up", + "curry favor", + "curry favour", + "court favor", + "court favour", + "butter up", + "brown-nose", + "compliment", + "congratulate", + "compliment", + "congratulate", + "felicitate", + "rave", + "gush", + "commend", + "commend", + "remember", + "speak of the devil", + "remember", + "commend", + "recommend", + "commend", + "boast", + "tout", + "swash", + "shoot a line", + "brag", + "gas", + "blow", + "bluster", + "vaunt", + "gasconade", + "gloat", + "triumph", + "crow", + "preen", + "congratulate", + "promise", + "assure", + "promise", + "pledge", + "plight", + "swear off", + "pledge", + "article", + "oblige", + "bind", + "hold", + "obligate", + "indenture", + "indent", + "tie down", + "oblige", + "accommodate", + "disoblige", + "pledge", + "collateralize", + "betroth", + "engage", + "affiance", + "plight", + "vow", + "vow", + "consecrate", + "dedicate", + "inscribe", + "give", + "dedicate", + "consecrate", + "commit", + "devote", + "give", + "rededicate", + "profess", + "take the veil", + "profess", + "contract", + "undertake", + "stipulate", + "sign", + "undertake", + "guarantee", + "underwrite", + "subvention", + "subvent", + "swear", + "guarantee", + "vouch", + "bail", + "guarantee", + "ensure", + "insure", + "assure", + "secure", + "doom", + "make", + "cover", + "insure", + "underwrite", + "reinsure", + "reinsure", + "guarantee", + "warrant", + "thank", + "give thanks", + "acknowledge", + "recognize", + "recognise", + "acknowledge", + "receipt", + "apologize", + "apologise", + "excuse", + "condone", + "excuse", + "explain", + "alibi", + "excuse", + "relieve", + "let off", + "exempt", + "frank", + "excuse", + "beg off", + "plead", + "take the Fifth", + "take the Fifth Amendment", + "apologize", + "apologise", + "excuse", + "justify", + "rationalize", + "rationalise", + "defend", + "support", + "fend for", + "stand up", + "stick up", + "cover for", + "uphold", + "justify", + "vindicate", + "uphold", + "maintain", + "legitimate", + "justify", + "warrant", + "greet", + "greet", + "recognize", + "recognise", + "address", + "turn to", + "ask", + "shake hands", + "nod", + "nod", + "cross oneself", + "bow", + "bow down", + "congee", + "conge", + "take a bow", + "take a bow", + "curtsy", + "bob", + "salute", + "salaam", + "salute", + "present", + "salute", + "hail", + "herald", + "hail", + "welcome", + "receive", + "dismiss", + "usher out", + "say farewell", + "introduce", + "present", + "acquaint", + "reintroduce", + "re-introduce", + "present", + "precede", + "preface", + "premise", + "introduce", + "preamble", + "prologize", + "prologuize", + "prologise", + "absolve", + "justify", + "free", + "wash one's hands", + "meld", + "wish", + "bid", + "wish", + "wish", + "forgive", + "shrive", + "absolve", + "remit", + "acquit", + "assoil", + "clear", + "discharge", + "exonerate", + "exculpate", + "vindicate", + "vindicate", + "whitewash", + "get off", + "purge", + "pardon", + "amnesty", + "excuse", + "pardon", + "extenuate", + "palliate", + "mitigate", + "convict", + "reconvict", + "sentence", + "condemn", + "doom", + "foredoom", + "complain", + "kick", + "plain", + "sound off", + "quetch", + "kvetch", + "backbite", + "bitch", + "heckle", + "whine", + "grizzle", + "yammer", + "yawp", + "deter", + "discourage", + "foster", + "nurture", + "patronize", + "patronise", + "patronage", + "support", + "keep going", + "patronize", + "patronise", + "condescend", + "stoop to", + "murmur", + "mutter", + "grumble", + "croak", + "gnarl", + "grouch", + "grumble", + "scold", + "coo", + "coo", + "protest", + "declaim", + "inveigh", + "remonstrate", + "raise hell", + "make a stink", + "raise a stink", + "repine", + "gripe", + "bitch", + "grouse", + "crab", + "beef", + "squawk", + "bellyache", + "holler", + "rail", + "inveigh", + "deplore", + "lament", + "bewail", + "bemoan", + "regret", + "regret", + "repudiate", + "exclaim", + "cry", + "cry out", + "outcry", + "call out", + "shout", + "shout", + "yell", + "scream", + "shout", + "shout out", + "cry", + "call", + "yell", + "scream", + "holler", + "hollo", + "squall", + "hollo", + "hollo", + "hurrah", + "halloo", + "whoop", + "shriek", + "shrill", + "pipe up", + "pipe", + "yowl", + "caterwaul", + "interject", + "come in", + "interpose", + "put in", + "throw in", + "inject", + "clamor", + "clamour", + "vociferate", + "shout out", + "holler", + "holler out", + "thunder", + "roar", + "whisper", + "peep", + "speak up", + "snap", + "snarl", + "snarl", + "enthuse", + "rhapsodize", + "rhapsodise", + "guess", + "venture", + "pretend", + "hazard", + "suppose", + "say", + "second-guess", + "second-guess", + "outguess", + "predict", + "foretell", + "prognosticate", + "call", + "forebode", + "anticipate", + "promise", + "vaticinate", + "augur", + "bet", + "wager", + "guesstimate", + "determine", + "find", + "find out", + "ascertain", + "gauge", + "translate", + "rectify", + "redetermine", + "sequence", + "determine", + "check", + "find out", + "see", + "ascertain", + "watch", + "learn", + "test", + "refract", + "suspect", + "surmise", + "bespeak", + "betoken", + "indicate", + "point", + "signal", + "mark", + "blaze", + "dimension", + "signpost", + "signalize", + "signalise", + "distinguish", + "singularize", + "singularise", + "buoy", + "read", + "register", + "show", + "record", + "say", + "show", + "surcharge", + "strike", + "indicate", + "point", + "designate", + "show", + "point", + "finger", + "signalize", + "signalise", + "point out", + "call attention", + "foreshow", + "suspect", + "wonder", + "question", + "scruple", + "wonder", + "marvel", + "marvel", + "explicate", + "formulate", + "develop", + "mature", + "redevelop", + "reformulate", + "forecast", + "calculate", + "prophesy", + "vaticinate", + "enlighten", + "irradiate", + "speculate", + "hint", + "suggest", + "intimate", + "adumbrate", + "insinuate", + "clue in", + "indicate", + "indicate", + "suggest", + "contraindicate", + "convey", + "say", + "sign", + "look", + "flash", + "breathe", + "imply", + "connote", + "burst out", + "rip out", + "suggest", + "evoke", + "paint a picture", + "imply", + "suggest", + "intimate", + "make out", + "connote", + "predicate", + "denote", + "refer", + "mean", + "intend", + "signify", + "stand for", + "denote", + "signify", + "spell", + "import", + "twist", + "twist around", + "pervert", + "convolute", + "sophisticate", + "euphemize", + "euphemise", + "speak in tongues", + "voice", + "tone down", + "moderate", + "tame", + "unwrap", + "disclose", + "let on", + "bring out", + "reveal", + "discover", + "expose", + "divulge", + "break", + "give away", + "let out", + "muckrake", + "blow", + "out", + "come out", + "out", + "come out of the closet", + "out", + "come out", + "unmask", + "uncloak", + "spring", + "break", + "get out", + "get around", + "leak", + "leak out", + "betray", + "bewray", + "confide", + "unbosom", + "relieve", + "sell out", + "nark", + "leak", + "spill the beans", + "let the cat out of the bag", + "talk", + "tattle", + "blab", + "peach", + "babble", + "sing", + "babble out", + "blab out", + "keep quiet", + "shut one's mouth", + "keep one's mouth shut", + "spell", + "spell out", + "misspell", + "rede", + "interpret", + "moralize", + "moralise", + "deconstruct", + "reinterpret", + "re-explain", + "commentate", + "misinterpret", + "explain", + "explicate", + "account for", + "naturalize", + "clarify", + "clear up", + "elucidate", + "obfuscate", + "express", + "verbalize", + "verbalise", + "utter", + "give tongue to", + "swallow", + "raise", + "breathe", + "drop", + "pour out", + "miaou", + "miaow", + "get off", + "talk", + "speak", + "utter", + "mouth", + "verbalize", + "verbalise", + "verbalize", + "verbalise", + "whiff", + "talk of", + "talk about", + "blubber", + "blubber out", + "express", + "show", + "evince", + "give", + "exude", + "vent", + "ventilate", + "give vent", + "drone", + "drone on", + "deduce", + "infer", + "gather", + "recite", + "say", + "rattle down", + "rattle off", + "reel off", + "spiel off", + "roll off", + "list", + "name", + "enumerate", + "recite", + "itemize", + "itemise", + "itemize", + "itemise", + "number", + "list", + "specify", + "set", + "determine", + "define", + "fix", + "limit", + "name", + "reset", + "count down", + "count", + "count", + "number", + "enumerate", + "numerate", + "miscount", + "census", + "number", + "foliate", + "paginate", + "page", + "total", + "tot", + "tot up", + "sum", + "sum up", + "summate", + "tote up", + "add", + "add together", + "tally", + "add up", + "tally", + "chalk up", + "remit", + "remand", + "send back", + "take a dare", + "pick up the gauntlet", + "take a dare", + "consider", + "count", + "weigh", + "devoice", + "raise", + "lilt", + "palatalize", + "palatalise", + "nasalize", + "nasalise", + "nasalize", + "nasalise", + "mispronounce", + "misspeak", + "platitudinize", + "tsk", + "tut", + "tut-tut", + "aspirate", + "voice", + "sound", + "vocalize", + "vocalise", + "tell", + "spill", + "talk", + "relate", + "tell", + "narrate", + "recount", + "recite", + "spin", + "crack", + "yarn", + "rhapsodize", + "rhapsodise", + "narrate", + "tell", + "evidence", + "publicize", + "publicise", + "air", + "bare", + "hype", + "bulletin", + "mean", + "intend", + "aim", + "elaborate", + "lucubrate", + "expatiate", + "exposit", + "enlarge", + "flesh out", + "expand", + "expound", + "dilate", + "detail", + "embroider", + "pad", + "lard", + "embellish", + "aggrandize", + "aggrandise", + "blow up", + "dramatize", + "dramatise", + "qualify", + "characterize", + "characterise", + "disambiguate", + "define", + "redefine", + "repeat", + "echo", + "cuckoo", + "reecho", + "parrot", + "repeat", + "reiterate", + "ingeminate", + "iterate", + "restate", + "retell", + "perseverate", + "ditto", + "regurgitate", + "reproduce", + "harp", + "dwell", + "hark back", + "return", + "come back", + "recall", + "recur", + "go back", + "translate", + "interpret", + "render", + "retranslate", + "mistranslate", + "dub", + "synchronize", + "synchronise", + "gloss", + "phrase", + "Latinize", + "gloss", + "comment", + "annotate", + "commentate", + "paraphrase", + "rephrase", + "reword", + "translate", + "lexicalize", + "lexicalise", + "talk", + "speak", + "talk down", + "spiel", + "dogmatize", + "dogmatise", + "cheek", + "speak", + "talk", + "run on", + "smatter", + "slang", + "level", + "talk turkey", + "monologuize", + "monologuise", + "soliloquize", + "soliloquise", + "converse", + "discourse", + "broach", + "initiate", + "report", + "describe", + "account", + "report", + "report", + "report", + "announce", + "declare", + "check in", + "sign in", + "clock in", + "punch in", + "clock on", + "check out", + "clock out", + "punch out", + "clock off", + "report", + "report", + "cover", + "cover", + "publish", + "bring out", + "put out", + "issue", + "release", + "edit", + "circulate", + "circularize", + "circularise", + "distribute", + "disseminate", + "propagate", + "broadcast", + "spread", + "diffuse", + "disperse", + "pass around", + "podcast", + "satellite", + "sportscast", + "sow", + "telecast", + "televise", + "colorcast", + "go around", + "spread", + "circulate", + "bandy about", + "popularize", + "popularise", + "vulgarize", + "vulgarise", + "generalize", + "generalise", + "propagandize", + "propagandise", + "propagandize", + "propagandise", + "call", + "misname", + "miscall", + "tout", + "pronounce", + "label", + "judge", + "rule", + "find", + "qualify", + "capacitate", + "disqualify", + "recuse", + "air", + "send", + "broadcast", + "beam", + "transmit", + "interrogate", + "air", + "rerun", + "rebroadcast", + "sign off", + "announce", + "annunciate", + "harbinger", + "foretell", + "herald", + "announce", + "denote", + "cry", + "blazon out", + "call", + "trump", + "trump out", + "blare out", + "blat out", + "announce", + "call out", + "count off", + "advertise", + "publicize", + "advertize", + "publicise", + "headline", + "ballyhoo", + "plug", + "advertise", + "advertize", + "promote", + "push", + "bill", + "proclaim", + "exclaim", + "promulgate", + "declare", + "trumpet", + "clarion", + "proclaim", + "articulate", + "enunciate", + "vocalize", + "vocalise", + "pronounce", + "articulate", + "enounce", + "sound out", + "enunciate", + "say", + "retroflex", + "subvocalize", + "subvocalise", + "say", + "syllabize", + "syllabise", + "drawl", + "round", + "labialize", + "labialise", + "give voice", + "formulate", + "word", + "phrase", + "articulate", + "dogmatize", + "dogmatise", + "formularize", + "formularise", + "frame", + "redact", + "cast", + "put", + "couch", + "bumble", + "stutter", + "stammer", + "falter", + "rasp", + "blurt out", + "blurt", + "blunder out", + "blunder", + "ejaculate", + "lisp", + "tone", + "inflect", + "modulate", + "inflect", + "compare", + "decline", + "conjugate", + "stress", + "accent", + "accentuate", + "vocalize", + "vocalise", + "vowelize", + "vowelise", + "utter", + "emit", + "let out", + "let loose", + "shoot", + "gurgle", + "cry", + "nasale", + "bite out", + "sigh", + "troat", + "lift", + "pant", + "volley", + "break into", + "heave", + "chorus", + "sputter", + "splutter", + "describe", + "depict", + "draw", + "represent", + "symbolize", + "symbolise", + "actualize", + "actualise", + "represent", + "dramatize", + "dramatise", + "overdramatize", + "overdramatise", + "portray", + "delineate", + "address", + "speak", + "take the floor", + "deliver", + "present", + "deliver", + "speechify", + "harangue", + "approach", + "address", + "accost", + "come up to", + "address", + "direct", + "misdirect", + "misaddress", + "instrument", + "re-address", + "enlighten", + "edify", + "disabuse", + "post", + "placard", + "bill", + "gesticulate", + "gesture", + "motion", + "shake", + "telepathize", + "telepathise", + "write", + "write in", + "style", + "apostrophize", + "apostrophise", + "encode", + "code", + "encipher", + "cipher", + "cypher", + "encrypt", + "inscribe", + "write in code", + "decode", + "decrypt", + "decipher", + "transliterate", + "transcribe", + "transcribe", + "transcribe", + "notate", + "Romanize", + "Romanise", + "Latinize", + "Latinise", + "braille", + "rewrite", + "revise", + "amend", + "sign", + "subscribe", + "rubricate", + "undersign", + "ink", + "autograph", + "inscribe", + "initial", + "countersign", + "execute", + "endorse", + "indorse", + "cosign", + "co-sign", + "visa", + "dot", + "record", + "tape", + "demagnetize", + "demagnetise", + "write", + "save", + "overwrite", + "tape record", + "prerecord", + "accession", + "post", + "erase", + "delete", + "ring up", + "record", + "enter", + "put down", + "manifest", + "inscribe", + "chronicle", + "set forth", + "expound", + "exposit", + "premise", + "file", + "file away", + "file", + "register", + "trademark", + "document", + "log", + "log up", + "clock up", + "film", + "shoot", + "take", + "videotape", + "tape", + "photograph", + "snap", + "shoot", + "retake", + "reshoot", + "x-ray", + "score", + "mark", + "underline", + "underscore", + "quote", + "notch", + "type", + "typewrite", + "shift", + "handwrite", + "backspace", + "double-space", + "triple-space", + "touch-type", + "spell out", + "jot down", + "jot", + "scribble", + "scrabble", + "sketch", + "outline", + "adumbrate", + "block out", + "correspond", + "write", + "drop a line", + "cable", + "telegraph", + "wire", + "radio", + "fax", + "telefax", + "facsimile", + "sum up", + "summarize", + "summarise", + "resume", + "abstract", + "precis", + "docket", + "docket", + "recapitulate", + "recap", + "retrograde", + "rehash", + "hash over", + "state", + "say", + "tell", + "say", + "get out", + "declare", + "profess", + "declare", + "affirm", + "verify", + "assert", + "avow", + "aver", + "swan", + "swear", + "protest", + "affirm", + "reaffirm", + "confirm", + "reassert", + "verify", + "validate", + "corroborate", + "circumstantiate", + "reconfirm", + "swear", + "depose", + "depone", + "remonstrate", + "point out", + "stress", + "emphasize", + "emphasise", + "punctuate", + "accent", + "accentuate", + "topicalize", + "point up", + "drive home", + "ram home", + "press home", + "underscore", + "underline", + "emphasize", + "emphasise", + "testify", + "attest", + "take the stand", + "bear witness", + "vouch", + "testify", + "bear witness", + "prove", + "evidence", + "show", + "presume", + "adduce", + "abduce", + "cite", + "allege", + "aver", + "say", + "plead", + "demur", + "assert", + "asseverate", + "maintain", + "predicate", + "proclaim", + "predicate", + "swear in", + "maintain", + "defend", + "demand", + "exact", + "demand", + "command", + "claim", + "counterclaim", + "remit", + "stipulate", + "qualify", + "condition", + "specify", + "stipulate", + "assure", + "tell", + "reassure", + "note", + "observe", + "mention", + "remark", + "write down", + "set down", + "get down", + "put down", + "dash down", + "dash off", + "complete", + "fill out", + "fill in", + "make out", + "note", + "take down", + "exemplify", + "illustrate", + "instance", + "conclude", + "resolve", + "arrange", + "fix up", + "firm up", + "specify", + "particularize", + "particularise", + "specialize", + "specialise", + "overgeneralize", + "overgeneralise", + "generalize", + "generalise", + "extrapolate", + "infer", + "universalize", + "universalise", + "generalize", + "generalise", + "mention", + "cite", + "quote", + "cite", + "quote", + "cite", + "misquote", + "quote", + "underquote", + "mention", + "advert", + "bring up", + "cite", + "name", + "refer", + "touch on", + "invoke", + "appeal", + "namedrop", + "raise", + "bring up", + "call up", + "bring forward", + "slip in", + "stick in", + "sneak in", + "insert", + "drag up", + "dredge up", + "cross-refer", + "name", + "identify", + "apply", + "allude", + "touch", + "advert", + "drive", + "get", + "aim", + "add", + "append", + "supply", + "toss in", + "decree", + "opine", + "speak up", + "speak out", + "animadvert", + "sound off", + "editorialize", + "editorialise", + "baptize", + "baptise", + "christen", + "refer", + "style", + "title", + "dub", + "nickname", + "name", + "call", + "rename", + "go by", + "go under", + "entitle", + "title", + "term", + "tag", + "label", + "designate", + "denominate", + "excommunicate", + "unchurch", + "curse", + "communicate", + "covenant", + "post", + "brand", + "mail", + "post", + "send", + "express", + "write", + "airmail", + "register", + "e-mail", + "email", + "netmail", + "spam", + "network", + "express-mail", + "comment", + "disk-jockey", + "disc-jockey", + "DJ", + "cover", + "treat", + "handle", + "plow", + "deal", + "address", + "sugarcoat", + "theologize", + "theologise", + "discourse", + "talk about", + "discuss", + "descant", + "talk shop", + "stonewall", + "browbeat", + "bully", + "swagger", + "compromise", + "agree", + "compromise", + "whore", + "give and take", + "queer", + "expose", + "scupper", + "endanger", + "peril", + "compromise", + "chatter", + "piffle", + "palaver", + "prate", + "tittle-tattle", + "twaddle", + "clack", + "maunder", + "prattle", + "blab", + "gibber", + "tattle", + "blabber", + "gabble", + "chatter", + "yack", + "jaw", + "yack away", + "rattle on", + "yap away", + "babble", + "blather", + "smatter", + "blether", + "blither", + "chat up", + "flirt", + "dally", + "butterfly", + "coquet", + "coquette", + "romance", + "philander", + "mash", + "wanton", + "vamp", + "chew the fat", + "shoot the breeze", + "chat", + "confabulate", + "confab", + "chitchat", + "chit-chat", + "chatter", + "chaffer", + "natter", + "gossip", + "jaw", + "claver", + "visit", + "shmooze", + "shmoose", + "schmooze", + "schmoose", + "jawbone", + "sign", + "signal", + "signalize", + "signalise", + "signify", + "wigwag", + "semaphore", + "semaphore", + "heliograph", + "flag", + "mouth", + "lip-synch", + "lip-sync", + "close up", + "clam up", + "dummy up", + "shut up", + "belt up", + "button up", + "be quiet", + "keep mum", + "open up", + "beckon", + "wave", + "beckon", + "summon", + "dish the dirt", + "gossip", + "rumor", + "rumour", + "bruit", + "rap", + "snivel", + "whine", + "hoot", + "pant-hoot", + "grunt-hoot", + "grunt", + "whistle", + "whistle", + "wolf-whistle", + "whistle", + "sing", + "murmur", + "susurrate", + "mumble", + "mutter", + "maunder", + "mussitate", + "slur", + "slur", + "snort", + "spit", + "spit out", + "groan", + "moan", + "grumble", + "growl", + "rumble", + "roar", + "howl", + "vroom", + "yawp", + "bawl", + "thunder", + "sough", + "purl", + "howl", + "ululate", + "wail", + "roar", + "yawl", + "yaup", + "squall", + "waul", + "wawl", + "howl", + "wrawl", + "yammer", + "yowl", + "bark", + "bark", + "bay", + "quest", + "bay", + "yelp", + "yip", + "yap", + "bleat", + "blate", + "blat", + "baa", + "bleat", + "bawl", + "bellow", + "bellow", + "roar", + "squawk", + "screak", + "skreak", + "skreigh", + "screech", + "chirk", + "place", + "troll", + "croon", + "carry", + "chant", + "intone", + "intonate", + "cantillate", + "singsong", + "intonate", + "intone", + "pipe up", + "yodel", + "warble", + "descant", + "warble", + "trill", + "quaver", + "quaver", + "waver", + "treble", + "declaim", + "recite", + "perorate", + "perorate", + "scan", + "rant", + "mouth off", + "jabber", + "spout", + "rabbit on", + "rave", + "peep", + "cheep", + "chirp", + "chirrup", + "churr", + "whirr", + "chirr", + "meow", + "mew", + "purr", + "make vibrant sounds", + "quack", + "hoot", + "honk", + "cronk", + "honk", + "claxon", + "chitter", + "twitter", + "hiss", + "siss", + "sizz", + "sibilate", + "assibilate", + "hiss", + "sizz", + "siss", + "sibilate", + "sibilate", + "hee-haw", + "bray", + "squeal", + "oink", + "cluck", + "click", + "clack", + "moo", + "low", + "click", + "trill", + "sibilate", + "flap", + "explode", + "hum", + "roll", + "cackel", + "hum", + "cackle", + "cackle", + "gaggle", + "bridle", + "jam", + "block", + "barrage jam", + "point jam", + "spot jam", + "blanket jam", + "mince", + "soften", + "moderate", + "crunch", + "scranch", + "scraunch", + "crackle", + "gobble", + "comment", + "notice", + "remark", + "point out", + "wisecrack", + "kibitz", + "kibbitz", + "notice", + "acknowledge", + "ignore", + "disregard", + "snub", + "cut", + "neigh", + "nicker", + "whicker", + "whinny", + "gargle", + "caw", + "mew", + "give", + "throw", + "give", + "pay", + "give", + "render", + "catcall", + "carry", + "convey", + "express", + "carry", + "express", + "state", + "haw", + "hem", + "hem and haw", + "hypothecate", + "rubbish", + "render", + "deliver", + "return", + "set", + "mark", + "send", + "get off", + "send off", + "call", + "issue", + "provide", + "come across", + "come over", + "invite", + "call for", + "share", + "pooh-pooh", + "thrash out", + "hammer out", + "croak", + "cronk", + "spell", + "unspell", + "write out", + "issue", + "make out", + "cut", + "check", + "introduce", + "bring out", + "puff", + "puff up", + "explain", + "babble", + "keep", + "maintain", + "get", + "think twice", + "confront", + "face", + "present", + "tone", + "chant", + "intone", + "gulp", + "menace", + "beam", + "smile", + "hurl", + "throw", + "sing", + "call", + "write up", + "traverse", + "deny", + "ask", + "call", + "demand", + "demand", + "connect", + "connect", + "give", + "request", + "seek", + "communicate", + "etymologize", + "etymologise", + "begin", + "stet", + "reprobate", + "message", + "message", + "message", + "conclude", + "pluralize", + "pluralise", + "harsh on", + "compete", + "vie", + "contend", + "put in", + "submit", + "try for", + "go for", + "play", + "line up", + "curl", + "snooker", + "revoke", + "develop", + "develop", + "die", + "misplay", + "start", + "fumble", + "volley", + "unblock", + "replay", + "cricket", + "backstop", + "fullback", + "quarterback", + "cradle", + "move", + "go", + "bluff", + "bluff out", + "stalemate", + "castle", + "serve", + "ace", + "open", + "draw", + "cast", + "trump", + "ruff", + "overtrump", + "crossruff", + "exit", + "confront", + "face", + "front", + "breast", + "take the bull by the horns", + "meet", + "encounter", + "play", + "take on", + "play", + "play", + "promote", + "promote", + "play", + "hook", + "replay", + "pit", + "oppose", + "match", + "play off", + "run off", + "play out", + "field", + "bear down", + "fistfight", + "field", + "catch", + "enter", + "participate", + "jump", + "drop out", + "give up", + "fall by the wayside", + "drop by the wayside", + "throw in", + "throw in the towel", + "quit", + "chuck up the sponge", + "demolish", + "destroy", + "smash", + "swallow", + "cut to ribbons", + "face off", + "bully off", + "tee off", + "par", + "shoot", + "convert", + "convert", + "convert", + "ace", + "referee", + "umpire", + "handicap", + "hinder", + "hamper", + "bias", + "handicap", + "race", + "run", + "show", + "place", + "boat-race", + "horse-race", + "jockey", + "arm", + "build up", + "fortify", + "gird", + "rearm", + "re-arm", + "forearm", + "disarm", + "demilitarize", + "demilitarise", + "disarm", + "unarm", + "demobilize", + "demobilise", + "demob", + "mobilize", + "mobilise", + "man", + "staff", + "station", + "post", + "send", + "place", + "garrison", + "team", + "team up", + "embed", + "crew", + "gang", + "gang up", + "group", + "aggroup", + "pool", + "brigade", + "contend", + "fight", + "struggle", + "join battle", + "tug", + "fight", + "oppose", + "fight back", + "fight down", + "defend", + "recalcitrate", + "settle", + "get back", + "fight back", + "battle", + "combat", + "dogfight", + "wrestle", + "war", + "blitzkrieg", + "go to war", + "take arms", + "take up arms", + "make peace", + "campaign", + "take the field", + "crusade", + "campaign", + "run", + "stump", + "rerun", + "barnstorm", + "barnstorm", + "whistlestop", + "serve", + "sit", + "staff", + "act", + "criticize", + "criticise", + "rotate", + "officiate", + "function", + "caddie", + "caddy", + "soldier", + "enlist", + "sign up", + "enlist", + "draft", + "muster in", + "discharge", + "muster out", + "call up", + "mobilize", + "mobilise", + "rally", + "demobilize", + "inactivate", + "demobilise", + "recruit", + "levy", + "raise", + "conscript", + "militarize", + "militarise", + "remilitarize", + "remilitarise", + "demilitarize", + "demilitarise", + "lose", + "go down", + "drop", + "win", + "romp", + "carry", + "take", + "sweep", + "outpoint", + "outscore", + "homer", + "count out", + "carry", + "carry", + "prevail", + "triumph", + "beat", + "beat out", + "crush", + "shell", + "trounce", + "vanquish", + "walk over", + "eliminate", + "worst", + "pip", + "mop up", + "whip", + "rack up", + "wallop", + "down", + "overrun", + "whomp", + "lurch", + "skunk", + "break down", + "crush", + "get the best", + "have the best", + "overcome", + "spread-eagle", + "spreadeagle", + "rout", + "get the jump", + "cut down", + "cut out", + "cheat", + "chouse", + "shaft", + "screw", + "chicane", + "jockey", + "outwit", + "overreach", + "outsmart", + "outfox", + "beat", + "circumvent", + "outgrow", + "outshout", + "outcry", + "outroar", + "outsail", + "outdraw", + "surpass", + "outstrip", + "outmatch", + "outgo", + "exceed", + "outdo", + "surmount", + "outperform", + "outsell", + "outsell", + "outpace", + "better", + "break", + "upstage", + "outshine", + "outrange", + "outweigh", + "outbrave", + "out-herod", + "outfox", + "take the cake", + "shame", + "get the better of", + "overcome", + "defeat", + "overcome", + "get over", + "subdue", + "surmount", + "master", + "bulldog", + "rout", + "rout out", + "expel", + "upset", + "outdo", + "outflank", + "trump", + "best", + "scoop", + "outfight", + "nose", + "outgeneral", + "manoeuver", + "maneuver", + "manoeuvre", + "operate", + "jockey", + "outmaneuver", + "outmanoeuvre", + "outsmart", + "overpower", + "overmaster", + "overwhelm", + "steamroller", + "steamroll", + "outmarch", + "gain", + "advance", + "win", + "pull ahead", + "make headway", + "get ahead", + "gain ground", + "steal", + "win back", + "get back", + "score", + "hit", + "tally", + "rack up", + "score", + "test", + "place-kick", + "kick", + "eagle", + "hole up", + "ace", + "walk", + "drive in", + "fall back", + "lose", + "drop off", + "fall behind", + "recede", + "keep up", + "keep step", + "keep pace", + "conquer", + "checkmate", + "mate", + "check", + "bait", + "sic", + "set", + "tie", + "draw", + "equalize", + "equalise", + "get even", + "surrender", + "give up", + "resist", + "stand", + "fend", + "abnegate", + "yield", + "resist", + "hold out", + "withstand", + "stand firm", + "stand out", + "stand up", + "outbrave", + "hold off", + "complete", + "nail", + "concede", + "capitulate", + "neutralize", + "neutralise", + "submit", + "subject", + "attack", + "aggress", + "fork", + "bulldog", + "attack", + "assail", + "submarine", + "rush", + "assail", + "assault", + "set on", + "attack", + "blindside", + "harass", + "savage", + "reassail", + "jump", + "pepper", + "pelt", + "immobilize", + "immobilise", + "pin", + "charge", + "bear down", + "duel", + "rival", + "emulate", + "outrival", + "outvie", + "joust", + "tilt", + "chicken-fight", + "chickenfight", + "tourney", + "feud", + "carry", + "carry", + "skirmish", + "strike", + "hit", + "slice", + "chop", + "stroke", + "stroke", + "feather", + "square", + "feather", + "square", + "counterattack", + "counterstrike", + "take the count", + "remain down", + "gas", + "teargas", + "mine", + "countermine", + "storm", + "surprise", + "blitz", + "invade", + "occupy", + "beset", + "set upon", + "blockade", + "seal off", + "blockade", + "block off", + "barricade", + "barricado", + "barricade", + "besiege", + "beleaguer", + "surround", + "hem in", + "circumvent", + "ebb", + "defend", + "bulwark", + "protect", + "immunize", + "immunise", + "overprotect", + "look out", + "cover", + "guard", + "ward", + "ward off", + "protect", + "defend", + "guard", + "hold", + "shield", + "screen", + "charm", + "wall", + "palisade", + "fence", + "fence in", + "surround", + "stockade", + "circumvallate", + "repel", + "repulse", + "fight off", + "rebuff", + "drive back", + "check", + "turn back", + "arrest", + "stop", + "contain", + "hold back", + "bombard", + "bomb", + "carpet bomb", + "bomb out", + "dive-bomb", + "glide-bomb", + "skip-bomb", + "atom-bomb", + "nuke", + "hydrogen-bomb", + "pattern-bomb", + "nuke", + "atomize", + "atomise", + "zap", + "letter bomb", + "firebomb", + "fire", + "discharge", + "pop", + "fire", + "discharge", + "go off", + "loose off", + "let fly", + "let drive", + "cannon", + "misfire", + "blast", + "shoot", + "blaze away", + "blaze", + "overshoot", + "trigger", + "sharpshoot", + "snipe", + "snipe", + "open fire", + "fire", + "blast", + "shell", + "strafe", + "crump", + "cannonade", + "gun", + "machine gun", + "gun down", + "grass", + "shoot", + "hit", + "pip", + "kneecap", + "fusillade", + "defuse", + "fuse", + "torpedo", + "safeguard", + "ambush", + "scupper", + "bushwhack", + "waylay", + "lurk", + "ambuscade", + "lie in wait", + "bandy", + "gamble", + "dice", + "shoot craps", + "play", + "bet on", + "back", + "gage", + "stake", + "game", + "punt", + "ante", + "underplay", + "parlay", + "double up", + "check", + "bird", + "birdwatch", + "crab", + "seine", + "scallop", + "scollop", + "harpoon", + "walk", + "fish", + "rail", + "brail", + "fly-fish", + "flyfish", + "angle", + "troll", + "whale", + "shrimp", + "still-hunt", + "ambush", + "turtle", + "drive", + "drive", + "rabbit", + "fowl", + "grouse", + "whelk", + "poach", + "net fish", + "seal", + "shark", + "trawl", + "hunt", + "run", + "hunt down", + "track down", + "ferret", + "hunt", + "course", + "foxhunt", + "tree", + "jacklight", + "jack", + "still-fish", + "hawk", + "falcon", + "fowl", + "strive", + "reach", + "strain", + "extend oneself", + "kill oneself", + "overexert oneself", + "bowl", + "skittle", + "golf", + "fence", + "parry", + "block", + "deflect", + "bandy", + "shuttlecock", + "rule out", + "rule in", + "foul", + "foul", + "cannon", + "hack", + "hack", + "cover", + "double-team", + "cover", + "pull", + "root for", + "side", + "champion", + "defend", + "deploy", + "play", + "pitch", + "cover", + "tackle", + "weight-lift", + "weightlift", + "press", + "target", + "aim", + "place", + "direct", + "point", + "address", + "aim", + "take", + "train", + "take aim", + "direct", + "draw a bead on", + "hold", + "turn", + "swing", + "charge", + "level", + "point", + "hit", + "undershoot", + "point", + "level", + "range in", + "home in", + "zero in", + "retaliate", + "strike back", + "revenge", + "avenge", + "retaliate", + "get even", + "get back", + "pay back", + "pay off", + "get", + "fix", + "retire", + "strike out", + "put out", + "take the field", + "croquet", + "mothproof", + "outplay", + "overtake", + "catch", + "catch up with", + "pump", + "fort", + "rise", + "bet", + "wager", + "play", + "play", + "raise", + "raise", + "see", + "drop one's serve", + "consume", + "ingest", + "take in", + "take", + "have", + "hit", + "consume", + "eat up", + "use up", + "eat", + "deplete", + "exhaust", + "run through", + "wipe out", + "drain", + "consume", + "squander", + "waste", + "ware", + "spare", + "use", + "expend", + "use", + "utilize", + "utilise", + "apply", + "employ", + "pull out all the stops", + "put", + "assign", + "repose", + "ply", + "address", + "waste", + "misapply", + "misuse", + "avail", + "overuse", + "overdrive", + "take in vain", + "work through", + "run through", + "go through", + "cannibalize", + "cannibalise", + "cannibalize", + "cannibalise", + "recycle", + "reprocess", + "reuse", + "rehash", + "exploit", + "work", + "make hay", + "play", + "harness", + "mine", + "quarry", + "strip mine", + "surface mine", + "surface-mine", + "exploit", + "tap", + "overexploit", + "commercialize", + "milk", + "use", + "habituate", + "addict", + "hook", + "strain", + "extend", + "overstrain", + "overextend", + "exert", + "exercise", + "tax", + "task", + "eat", + "take out", + "take away", + "victual", + "wash down", + "eat in", + "dine in", + "eat out", + "dine out", + "dine", + "dine", + "picnic", + "eat", + "gluttonize", + "gluttonise", + "fress", + "wolf", + "wolf down", + "slurp", + "swill", + "swill down", + "drench", + "suck", + "drink", + "imbibe", + "guggle", + "gurgle", + "sip", + "guzzle", + "lap", + "lap up", + "lick", + "drink", + "booze", + "fuddle", + "tank", + "port", + "claret", + "pub-crawl", + "bar hop", + "tipple", + "bib", + "drink", + "tope", + "break bread", + "partake", + "touch", + "receive", + "fare", + "pitch in", + "dig in", + "tuck in", + "tuck away", + "put away", + "nosh", + "snack", + "pick at", + "peck at", + "peck", + "peck", + "pick up", + "gobble", + "bolt", + "garbage down", + "gobble up", + "shovel in", + "bolt down", + "nibble", + "pick", + "piece", + "ruminate", + "browse", + "graze", + "chomp", + "champ", + "champ", + "mumble", + "gum", + "toast", + "drink", + "pledge", + "salute", + "wassail", + "give", + "drain the cup", + "drink up", + "mess", + "regale", + "treat", + "wine", + "alcoholize", + "board", + "board", + "live in", + "sleep in", + "live out", + "sleep out", + "forage", + "raven", + "scavenge", + "fodder", + "slop", + "swill", + "regurgitate", + "feed", + "give", + "corn", + "undernourish", + "malnourish", + "overfeed", + "spoonfeed", + "force-feed", + "feed", + "eat", + "feed", + "serve", + "serve up", + "dish out", + "dish up", + "dish", + "plank", + "cater", + "pander", + "pimp", + "procure", + "feed", + "serve", + "help", + "power", + "drive", + "feed", + "feed", + "feast", + "gratify", + "pander", + "indulge", + "spree", + "provide", + "supply", + "ply", + "cater", + "underlay", + "meet", + "satisfy", + "fill", + "fulfill", + "fulfil", + "answer", + "horse", + "remount", + "shower", + "accommodate", + "sustain", + "keep", + "maintain", + "patronage", + "reseed", + "lunch", + "lunch", + "brunch", + "breakfast", + "breakfast", + "feast", + "banquet", + "junket", + "feast", + "banquet", + "junket", + "breastfeed", + "suckle", + "suck", + "nurse", + "wet-nurse", + "lactate", + "give suck", + "dry-nurse", + "wean", + "ablactate", + "bottlefeed", + "suckle", + "starve", + "famish", + "starve", + "famish", + "starve", + "starve", + "hunger", + "famish", + "be full", + "crave", + "hunger", + "thirst", + "starve", + "lust", + "want", + "need", + "require", + "cry", + "need", + "diet", + "fast", + "fast", + "keep off", + "avoid", + "diet", + "souse", + "soak", + "inebriate", + "hit it up", + "intoxicate", + "soak", + "inebriate", + "befuddle", + "fuddle", + "wine", + "delight", + "enjoy", + "revel", + "have a ball", + "have a good time", + "wallow", + "live it up", + "indulge", + "luxuriate", + "surfeit", + "wallow", + "sow one's oats", + "sow one's wild oats", + "dunk", + "dip", + "enjoy", + "afford", + "run low", + "run short", + "go", + "go", + "gorge", + "ingurgitate", + "overindulge", + "glut", + "englut", + "stuff", + "engorge", + "overgorge", + "overeat", + "gormandize", + "gormandise", + "gourmandize", + "binge", + "pig out", + "satiate", + "scarf out", + "avail", + "help", + "satiate", + "sate", + "replete", + "fill", + "cloy", + "pall", + "quell", + "stay", + "appease", + "content", + "host", + "wine and dine", + "wine and dine", + "fatten", + "fat", + "flesh out", + "fill out", + "plump", + "plump out", + "fatten out", + "fatten up", + "inject", + "sample", + "try", + "try out", + "taste", + "degust", + "fritter", + "frivol away", + "dissipate", + "shoot", + "fritter away", + "fool", + "fool away", + "abstain", + "refrain", + "desist", + "teetotal", + "kick", + "give up", + "devour", + "guttle", + "raven", + "pig", + "eat up", + "finish", + "polish off", + "devour", + "down", + "consume", + "go through", + "smack", + "digest", + "stomach", + "metabolize", + "metabolise", + "predigest", + "take in", + "sop up", + "suck in", + "take up", + "smoke", + "chain-smoke", + "puff", + "whiff", + "inhale", + "puff", + "drag", + "draw", + "inject", + "mainline", + "pop", + "skin pop", + "take a hit", + "snort", + "light up", + "fire up", + "light", + "free-base", + "base", + "huff", + "snort", + "drug", + "do drugs", + "drop", + "dope", + "trip", + "trip out", + "turn on", + "get off", + "chew", + "masticate", + "manducate", + "jaw", + "chaw", + "crunch", + "munch", + "swallow", + "get down", + "gulp", + "quaff", + "swig", + "toss off", + "pop", + "bolt down", + "belt down", + "pour down", + "down", + "drink down", + "kill", + "bolt", + "nourish", + "nurture", + "sustain", + "carry", + "feed on", + "feed upon", + "fix up", + "raven", + "prey", + "predate", + "prey", + "feed", + "fill up", + "fill", + "quench", + "slake", + "allay", + "assuage", + "nutrify", + "aliment", + "nourish", + "range", + "grass", + "gutter", + "luxuriate", + "wanton", + "burn off", + "burn", + "burn up", + "carry", + "hold", + "go down", + "sup", + "touch", + "adjoin", + "meet", + "contact", + "touch", + "touch", + "toe", + "trap", + "pin", + "immobilize", + "immobilise", + "pick up", + "touch", + "disturb", + "violate", + "break in", + "cover", + "spread over", + "frost", + "frost", + "glaciate", + "strew", + "grass", + "grass over", + "hit", + "strike", + "strike", + "hit", + "feel", + "finger", + "finger", + "thumb", + "feel", + "palpate", + "feel", + "stub", + "handle", + "palm", + "fumble", + "paw", + "grope", + "paw", + "dandle", + "manipulate", + "lay hands on", + "mouse", + "guide", + "run", + "draw", + "pass", + "seize", + "prehend", + "clutch", + "snatch", + "nab", + "rack", + "claw", + "seize", + "raven", + "wrest", + "take", + "get hold of", + "bring out", + "get out", + "take in", + "gather in", + "brail", + "calve", + "break up", + "collar", + "nail", + "apprehend", + "arrest", + "pick up", + "nab", + "cop", + "get", + "catch", + "capture", + "collar", + "collar", + "grasp", + "hold on", + "latch on", + "cling", + "hang", + "clasp", + "hold", + "take hold", + "hold", + "support", + "sustain", + "hold up", + "scaffold", + "pleat", + "plicate", + "block", + "carry", + "chock", + "buoy", + "buoy up", + "pole", + "bracket", + "underpin", + "prop up", + "prop", + "shore up", + "shore", + "bolster", + "truss", + "jack", + "jack up", + "brace", + "tread", + "brace", + "steady", + "stabilize", + "stabilise", + "cling to", + "hold close", + "hold tight", + "clutch", + "slat", + "stopper", + "stopple", + "cling", + "cleave", + "adhere", + "stick", + "cohere", + "mold", + "conglutinate", + "agglutinate", + "haemagglutinate", + "hemagglutinate", + "agglutinate", + "cradle", + "clasp", + "unclasp", + "twist", + "quirk", + "flip", + "flip over", + "turn over", + "twist", + "twine", + "distort", + "untwist", + "curl", + "wave", + "crimp", + "crape", + "frizzle", + "frizz", + "kink up", + "kink", + "grip", + "twiddle", + "fiddle with", + "wield", + "handle", + "manage", + "ply", + "operate", + "control", + "turn", + "submarine", + "treadle", + "relay", + "pump", + "goose", + "stroke", + "caress", + "fondle", + "pet", + "canoodle", + "probe", + "dig into", + "poke into", + "cut", + "interpenetrate", + "permeate", + "invade", + "penetrate", + "perforate", + "strike", + "break", + "break", + "foray", + "poke into", + "sneak in", + "creep in", + "permeate", + "pervade", + "penetrate", + "interpenetrate", + "diffuse", + "imbue", + "riddle", + "spiritize", + "spiritise", + "honeycomb", + "jab", + "prod", + "stab", + "poke", + "dig", + "poke", + "stab", + "jab", + "jab", + "prod", + "incite", + "egg on", + "goose", + "halloo", + "nudge", + "poke at", + "prod", + "jog", + "knife", + "stab", + "poniard", + "bayonet", + "maul", + "mangle", + "maul", + "laminate", + "lapidate", + "massage", + "rub down", + "knead", + "dab", + "pat", + "dab", + "swab", + "swob", + "daub", + "smear", + "blood", + "thatch", + "roof", + "shingle", + "mulch", + "turf", + "bury", + "bank", + "carpet", + "carpet", + "board up", + "knead", + "work", + "proof", + "masticate", + "butt", + "bunt", + "headbutt", + "hit", + "strike", + "impinge on", + "run into", + "collide with", + "ping", + "spang", + "bang", + "rear-end", + "broadside", + "clap", + "clap", + "connect", + "miss", + "spat", + "thud", + "bottom", + "bottom out", + "knock", + "strike hard", + "shoulder", + "shoulder", + "port", + "shoulder", + "elbow", + "bump", + "knock", + "down", + "knock down", + "cut down", + "push down", + "pull down", + "submarine", + "run into", + "bump into", + "jar against", + "butt against", + "knock against", + "graze", + "crease", + "rake", + "brush", + "goad", + "prick", + "goad", + "spur", + "spur", + "spur", + "flip", + "rocket", + "carry", + "flick", + "snap", + "click", + "flick", + "slam", + "bang", + "lam into", + "tear into", + "lace into", + "pitch into", + "lay into", + "slam", + "flap down", + "slam", + "bang", + "shutter", + "draw", + "pull back", + "draw", + "peck", + "pick", + "beak", + "chuck", + "pat", + "brush", + "brush", + "swab", + "swob", + "dust", + "dredge", + "dredge", + "drag", + "vacuum", + "vacuum-clean", + "hoover", + "sanitize", + "sanitise", + "hygienize", + "hygienise", + "bream", + "steam", + "steam clean", + "Simonize", + "Simonise", + "polish", + "smooth", + "smoothen", + "shine", + "slick", + "sleek", + "buff", + "burnish", + "furbish", + "dull", + "dull", + "blunt", + "sharpen", + "edge", + "strop", + "whet", + "hone", + "set", + "cock", + "skim over", + "skim", + "squeak by", + "squeak through", + "tap", + "tip", + "percuss", + "postpose", + "prepose", + "shave", + "shave", + "trim", + "scissor", + "skive", + "shave", + "fillet", + "filet", + "plane", + "shave", + "rub", + "pumice", + "gauge", + "puree", + "strain", + "rosin", + "sponge down", + "sponge off", + "rub", + "fray", + "fret", + "chafe", + "scratch", + "worry", + "scrub", + "scour", + "holystone", + "scour", + "abrade", + "bedaub", + "besmear", + "smear", + "blur", + "smudge", + "smutch", + "resmudge", + "dust", + "smear", + "smirch", + "besmirch", + "slime", + "muddy", + "muddy up", + "smooth", + "smoothen", + "launch", + "coarsen", + "roughen", + "chafe", + "excoriate", + "abrade", + "corrade", + "abrase", + "rub down", + "rub off", + "wear away", + "wear off", + "slice", + "slice up", + "amputate", + "cut off", + "slough off", + "resect", + "eviscerate", + "abscise", + "abscise", + "pink", + "jag", + "serrate", + "carve", + "cut up", + "carve", + "swage", + "upset", + "step", + "carve", + "chip at", + "cube", + "dice", + "julienne", + "chop", + "hack", + "hash", + "chop down", + "undercut", + "hack", + "axe", + "ax", + "chop", + "chop up", + "fell", + "drop", + "strike down", + "cut down", + "poleax", + "poleaxe", + "log", + "lumber", + "nick", + "chip", + "nick", + "snick", + "chisel", + "chip", + "knap", + "cut off", + "break off", + "chip", + "chip off", + "come off", + "break away", + "break off", + "peel off", + "peel", + "flake off", + "flake", + "exfoliate", + "chip", + "hew", + "snag", + "hew", + "hew out", + "rough-hew", + "roughcast", + "skim", + "skim off", + "cream off", + "cream", + "skim", + "stucco", + "egg", + "encrust", + "incrust", + "dredge", + "flour", + "layer", + "coat", + "cake", + "soot", + "pare", + "trim", + "dress", + "skin", + "peel", + "pare", + "peel off", + "exfoliate", + "strip", + "strip", + "bark", + "skin", + "bark", + "decorticate", + "scale", + "descale", + "coat", + "surface", + "refinish", + "brush on", + "patinate", + "patinize", + "patinise", + "resurface", + "crumb", + "copper", + "finish", + "dress", + "broom", + "bonderize", + "bonderise", + "blacktop", + "foliate", + "galvanize", + "galvanise", + "pave", + "cobble", + "cobblestone", + "hard surface", + "causeway", + "asphalt", + "butter", + "wallpaper", + "paper", + "canvas", + "paper", + "oil", + "wax", + "beeswax", + "varnish", + "seal", + "veneer", + "grease", + "glaze", + "whitewash", + "wash", + "calcimine", + "water-wash", + "wash", + "rinse", + "elute", + "shellac", + "shellack", + "line", + "reline", + "face", + "revet", + "revet", + "reface", + "face", + "reface", + "crib", + "babbitt", + "tar", + "tar-and-feather", + "feather", + "feather", + "stamp", + "stripe", + "speck", + "bespot", + "rubberstamp", + "handstamp", + "stamp", + "meter", + "postmark", + "frank", + "sideswipe", + "circumcise", + "circumcise", + "flay", + "scarify", + "puncture", + "puncture", + "riddle", + "scarify", + "loosen", + "scarify", + "score", + "nock", + "mark", + "scotch", + "scribe", + "line", + "hatch", + "crisscross", + "notch", + "indent", + "recess", + "furrow", + "rut", + "groove", + "furrow", + "chamfer", + "chase", + "furrow", + "wrinkle", + "crease", + "fold", + "fold up", + "turn up", + "wrinkle", + "ruckle", + "crease", + "crinkle", + "scrunch", + "scrunch up", + "crisp", + "pucker", + "rumple", + "cockle", + "crumple", + "knit", + "pucker", + "ruck", + "ruck up", + "buckle", + "crumple", + "purse", + "wrinkle", + "contract", + "indent", + "dent", + "indent", + "flex", + "bend", + "deform", + "twist", + "turn", + "flex", + "bend", + "incurvate", + "gnarl", + "crank", + "unbend", + "convolve", + "convolute", + "gouge out", + "rabbet", + "gouge", + "force out", + "rout", + "gouge", + "scallop", + "scollop", + "hole", + "suck in", + "draw in", + "scoop out", + "rout", + "root", + "rootle", + "hollow", + "hollow out", + "core out", + "cavern", + "cavern out", + "cave", + "undermine", + "wrap", + "wrap up", + "do up", + "parcel", + "cere", + "shrinkwrap", + "gift-wrap", + "unwrap", + "undo", + "untie", + "unbrace", + "unlace", + "gag", + "muzzle", + "untie", + "undo", + "loosen", + "unloose", + "unloosen", + "retie", + "tie", + "bind", + "tie up", + "bind off", + "rig", + "loop", + "chain up", + "bitt", + "cord", + "latch", + "tie down", + "tie up", + "bind", + "truss", + "faggot", + "fagot", + "faggot up", + "faggot", + "fagot", + "lash together", + "garter", + "truss", + "hog-tie", + "fetter", + "shackle", + "manacle", + "cuff", + "handcuff", + "enchain", + "unchain", + "chain", + "unchain", + "cable", + "picket", + "rope", + "leash", + "rope up", + "strap", + "hopple", + "hobble", + "unstrap", + "tether", + "fasten", + "attach", + "attach", + "implant", + "blow off", + "join", + "conjoin", + "cross-link", + "miter", + "ply", + "close up", + "close", + "anastomose", + "inosculate", + "anastomose", + "inosculate", + "ground", + "earth", + "match", + "mate", + "couple", + "pair", + "twin", + "match", + "mismate", + "mortice", + "mortise", + "mortise", + "mortice", + "cog", + "mismatch", + "disjoin", + "disjoint", + "disjoin", + "disjoint", + "disjoint", + "disarticulate", + "fair", + "scarf", + "piece", + "rebate", + "join", + "bring together", + "rabbet", + "seam", + "suture", + "bridge", + "attach", + "hinge", + "bell", + "ring", + "band", + "couple", + "couple on", + "couple up", + "uncouple", + "decouple", + "prefix", + "suffix", + "affix", + "infix", + "detach", + "break", + "break off", + "snap off", + "French", + "cut off", + "chop off", + "lop off", + "roach", + "roach", + "unsolder", + "detach", + "come off", + "come away", + "fall off", + "knot", + "swaddle", + "swathe", + "shroud", + "pinion", + "shackle", + "bridle", + "snaffle", + "curb", + "restrain", + "encumber", + "cumber", + "constrain", + "clog", + "restrain", + "confine", + "hold", + "keep", + "impound", + "pound", + "pound", + "pound up", + "cabin", + "closet", + "gird", + "encircle", + "cinch", + "girth", + "hoop", + "bind", + "bind", + "bandage", + "lash", + "frap", + "unlash", + "cement", + "unbind", + "band", + "cramp", + "cleat", + "anchor", + "cast anchor", + "drop anchor", + "anchor", + "ground", + "moor", + "wharf", + "moor", + "berth", + "wharf", + "moor", + "berth", + "tie up", + "dock", + "dry-dock", + "drydock", + "undock", + "spike", + "batten", + "batten", + "batten down", + "secure", + "clapperclaw", + "claw", + "rake", + "rake", + "flush", + "level", + "even out", + "even", + "plane", + "grade", + "aggrade", + "degrade", + "strickle", + "strike", + "scrape", + "grate", + "replace", + "put back", + "stratify", + "hang up", + "scratch", + "scrape", + "scratch up", + "skin", + "scrape", + "dig", + "delve", + "cut into", + "turn over", + "gutter", + "spade", + "ridge", + "sap", + "excavate", + "dig", + "hollow", + "drive", + "dig", + "dig out", + "excavate", + "lift", + "trench", + "trench", + "ditch", + "dibble", + "dig out", + "scoop", + "scoop out", + "lift out", + "scoop up", + "take up", + "dip", + "shovel", + "trowel", + "daub", + "squirt", + "spritz", + "spritz", + "excavate", + "dig up", + "turn up", + "grub up", + "grub out", + "nuzzle", + "grope for", + "scrabble", + "finger", + "grope", + "fumble", + "divine", + "dowse", + "browse", + "surf", + "search", + "seek", + "look for", + "leave no stone unturned", + "hunt", + "gather", + "shell", + "felt", + "want", + "scour", + "seek out", + "quest for", + "go after", + "quest after", + "pursue", + "search", + "raid", + "frisk", + "strip-search", + "scan", + "rifle", + "go", + "rummage", + "comb", + "ransack", + "fish", + "angle", + "grub", + "mow", + "cut down", + "cut", + "scythe", + "reap", + "harvest", + "glean", + "club", + "cut", + "shear", + "poll", + "pollard", + "shear", + "snip", + "clip", + "crop", + "trim", + "lop", + "dress", + "prune", + "cut back", + "top", + "pinch", + "disbud", + "tail", + "scratch", + "engrave", + "grave", + "inscribe", + "engrave", + "etch", + "character", + "slash", + "gash", + "slash", + "cut down", + "butcher", + "slaughter", + "chine", + "poison", + "stone", + "lapidate", + "poison", + "kill", + "commit suicide", + "dispatch", + "zap", + "vaporize", + "kill", + "kill", + "strike down", + "sacrifice", + "take off", + "tomahawk", + "destroy", + "put down", + "saber", + "sabre", + "overlie", + "overlay", + "brain", + "put away", + "put to sleep", + "neutralize", + "neutralise", + "liquidate", + "waste", + "knock off", + "do in", + "exterminate", + "kill off", + "hitch", + "catch", + "catch", + "snag", + "unhitch", + "append", + "tag on", + "tack on", + "tack", + "hang on", + "append", + "add on", + "supplement", + "affix", + "subjoin", + "annex", + "sew", + "run up", + "sew together", + "stitch", + "hem", + "resew", + "unpick", + "overcast", + "overcast", + "oversew", + "backstitch", + "darn", + "gather", + "pucker", + "tuck", + "needle", + "finedraw", + "fell", + "baste", + "tack", + "hemstitch", + "tick", + "retick", + "tape", + "scotch tape", + "sellotape", + "glue", + "paste", + "epoxy", + "paste", + "cover", + "cloak", + "coif", + "hold", + "jacket", + "foil", + "enrobe", + "whiteout", + "white out", + "flash", + "pall", + "sod", + "bind", + "rebind", + "plank", + "plank over", + "parcel", + "flake", + "recover", + "overlay", + "cover", + "splash", + "hood", + "cowl", + "clapboard", + "canopy", + "bread", + "blinker", + "blindfold", + "aluminize", + "aluminise", + "crown", + "slate", + "sheet", + "tile", + "tessellate", + "lag", + "barb", + "submerge", + "drown", + "overwhelm", + "uncover", + "expose", + "undrape", + "unclothe", + "bare", + "pin down", + "pin up", + "peg", + "peg down", + "fasten", + "fix", + "secure", + "crank", + "reeve", + "padlock", + "noose", + "unzip", + "chock", + "brad", + "bight", + "belay", + "belay", + "bar", + "unbar", + "mount", + "remount", + "impact", + "clamp", + "velcro", + "fasten", + "unfasten", + "unfasten", + "unbend", + "stay", + "clinch", + "clinch", + "close", + "shut", + "roll up", + "bung", + "pen up", + "fold", + "open", + "open up", + "break open", + "click open", + "reopen", + "open", + "open up", + "close", + "shut", + "fly open", + "confine", + "coop up", + "coop in", + "lock in", + "lock away", + "lock", + "put away", + "shut up", + "shut away", + "lock up", + "lock in", + "seal in", + "lock", + "lock up", + "hasp", + "unlock", + "bolt", + "unbolt", + "wring", + "wrench", + "wring out", + "squeeze out", + "wrench", + "twist", + "gather", + "attract", + "grab", + "force", + "contort", + "deform", + "distort", + "wring", + "wring", + "extract", + "pull out", + "pull", + "pull up", + "take out", + "draw out", + "demodulate", + "press out", + "express", + "extract", + "ream", + "winkle", + "winkle out", + "pulp", + "take out", + "unscrew", + "unscrew", + "screw", + "screw", + "drive in", + "screw", + "screw up", + "seal", + "zip up", + "zipper", + "zip", + "unseal", + "seal", + "seal off", + "reseal", + "waterproof", + "caulk", + "calk", + "connect", + "link", + "tie", + "link up", + "daisy-chain", + "tie", + "communicate", + "interconnect", + "interlink", + "tee", + "put through", + "disconnect", + "tease", + "card", + "affix", + "stick on", + "seal", + "adhere", + "hold fast", + "bond", + "bind", + "stick", + "stick to", + "leech onto", + "gum up", + "tack", + "thumbtack", + "nail", + "stud", + "calk", + "mask", + "unmask", + "mask", + "block out", + "mask", + "blanket", + "string", + "unstring", + "string", + "thread", + "draw", + "thread", + "thread", + "bead", + "marshal", + "string", + "string", + "string", + "string out", + "spread out", + "plaster", + "daub", + "render", + "render-set", + "parget", + "roughcast", + "mud", + "float", + "skimcoat", + "mortar", + "plaster", + "plaster over", + "stick on", + "plaster", + "paint", + "grain", + "repaint", + "airbrush", + "paint", + "put on", + "apply", + "gum", + "dress", + "sauce", + "cream", + "cold-cream", + "putty", + "sponge on", + "slap on", + "clap on", + "slam on", + "laminate", + "prime", + "ground", + "undercoat", + "hook", + "hook", + "seize", + "net", + "nett", + "belt", + "unbelt", + "unhook", + "hook up", + "cement", + "grout", + "cement", + "staple", + "rivet", + "unstaple", + "clip", + "unclip", + "button", + "unbutton", + "button", + "pin", + "unpin", + "straighten", + "straighten out", + "extend", + "channelize", + "channelise", + "fray", + "frazzle", + "break", + "wear", + "wear out", + "bust", + "fall apart", + "break", + "bust", + "break down", + "scuff", + "scuff", + "scuff", + "kick", + "drop-kick", + "dropkick", + "place-kick", + "plant", + "kick back", + "recoil", + "kick", + "kick up", + "kick", + "dropkick", + "drop-kick", + "punt", + "pole", + "punt", + "boot", + "spray", + "shower", + "atomize", + "atomise", + "mist", + "syringe", + "spray", + "brush", + "spray", + "spatter", + "splatter", + "plash", + "splash", + "splosh", + "swash", + "puddle", + "slosh", + "slush", + "slosh around", + "slush around", + "sprinkle", + "splash", + "splosh", + "salt", + "splash", + "swatter", + "squirt", + "force out", + "squeeze out", + "eject", + "extravasate", + "drizzle", + "moisten", + "scatter", + "sprinkle", + "dot", + "dust", + "disperse", + "intersperse", + "interleave", + "discharge", + "play", + "bespangle", + "volley", + "aerosolize", + "aerosolise", + "aerosolize", + "aerosolise", + "strew", + "straw", + "bestrew", + "litter", + "spread", + "distribute", + "export", + "propagate", + "slather", + "deploy", + "redeploy", + "redistribute", + "spread", + "propagate", + "catch", + "benight", + "gather", + "garner", + "collect", + "pull together", + "hive", + "salvage", + "scavenge", + "muster", + "rally", + "summon", + "come up", + "muster up", + "corral", + "round up", + "pick", + "pluck", + "cull", + "mushroom", + "prawn", + "nut", + "frog", + "snail", + "blackberry", + "birdnest", + "bird-nest", + "nest", + "oyster", + "sponge", + "pearl", + "clam", + "berry", + "pluck", + "pull", + "tear", + "deplume", + "deplumate", + "displume", + "collect", + "pull in", + "archive", + "file away", + "scrape", + "scrape up", + "scratch", + "come up", + "nickel-and-dime", + "aggregate", + "combine", + "unitize", + "unitise", + "beat up", + "drum up", + "rally", + "collate", + "lump", + "chunk", + "batch", + "bale", + "shock", + "sandpaper", + "sand", + "rough-sand", + "sandblast", + "rasp", + "file", + "corrugate", + "ruffle", + "pleat", + "ruffle", + "ruffle up", + "rumple", + "mess up", + "plait", + "compress", + "constrict", + "squeeze", + "compact", + "contract", + "press", + "astringe", + "straiten", + "strangulate", + "convulse", + "convulse", + "bear down", + "overbear", + "compress", + "compact", + "pack together", + "decompress", + "uncompress", + "tuck", + "insert", + "wall in", + "wall up", + "brick in", + "brick up", + "brick over", + "embower", + "bower", + "tuck", + "mangle", + "press", + "iron", + "iron out", + "press", + "calender", + "roll out", + "roll", + "cog", + "laminate", + "mill", + "ruffle", + "fluff", + "fluff up", + "plump up", + "shake up", + "preen", + "plume", + "wipe", + "pass over", + "sponge", + "squeegee", + "wipe off", + "wipe away", + "deterge", + "wipe up", + "mop up", + "mop", + "sponge", + "sweep", + "broom", + "sweep", + "swipe", + "towel", + "grate", + "grind", + "grit", + "clench", + "grit", + "plate", + "tin", + "silver", + "nickel", + "electroplate", + "chrome", + "chromium-plate", + "goldplate", + "gold-plate", + "gold plate", + "silverplate", + "silver-plate", + "hug", + "smite", + "hook", + "swat", + "sock", + "bop", + "whop", + "whap", + "bonk", + "bash", + "beat", + "beat up", + "work over", + "strong-arm", + "soak", + "pistol-whip", + "whip", + "lash", + "belabour", + "belabor", + "rough up", + "flagellate", + "scourge", + "leather", + "horsewhip", + "beat", + "full", + "beat", + "beat", + "beetle", + "bastinado", + "hit", + "bean", + "pop", + "get", + "catch", + "conk", + "cosh", + "brain", + "smash", + "nail", + "boom", + "blast", + "crack", + "ground out", + "toe", + "shank", + "pitch", + "fly", + "snap", + "whang", + "undercut", + "tap", + "hob", + "putt", + "putt", + "heel", + "toe", + "bunker", + "bounce", + "bounce out", + "backhand", + "foul out", + "pop", + "hit", + "follow through", + "shell", + "ground", + "ground", + "ground", + "top", + "pull", + "kill", + "kill", + "connect", + "drive", + "drive", + "hole", + "hole out", + "bunt", + "drag a bunt", + "snick", + "racket", + "dribble", + "carry", + "slice", + "hook", + "single", + "double", + "triple", + "fan", + "whiff", + "sandbag", + "stun", + "strike", + "sclaff", + "flog", + "welt", + "whip", + "lather", + "lash", + "slash", + "strap", + "trounce", + "switch", + "cowhide", + "cat", + "birch", + "manhandle", + "cane", + "flog", + "lambaste", + "lambast", + "deck", + "coldcock", + "dump", + "knock down", + "floor", + "whang", + "paste", + "clout", + "cream", + "bat", + "clobber", + "drub", + "thrash", + "lick", + "bat", + "bat", + "bat", + "switch-hit", + "cut", + "knock cold", + "knock out", + "kayo", + "rap", + "knap", + "knock", + "thump", + "pound", + "poke", + "smack", + "thwack", + "belt", + "punch", + "plug", + "chop", + "slug", + "slog", + "swig", + "whack", + "wham", + "whop", + "wallop", + "pummel", + "pommel", + "biff", + "thrash", + "thresh", + "lam", + "flail", + "thrash", + "thresh", + "hammer", + "sledgehammer", + "sledge", + "slap", + "cuff", + "whomp", + "sclaff", + "clobber", + "baste", + "batter", + "buffet", + "buff", + "buffet", + "knock about", + "batter", + "whisk", + "whip", + "cream", + "beat", + "scramble", + "churn", + "toss", + "shuffle", + "ruffle", + "mix", + "reshuffle", + "riffle", + "paddle", + "agitate", + "vex", + "disturb", + "commove", + "shake up", + "stir up", + "raise up", + "roil", + "rile", + "muddle", + "puddle", + "box", + "spar", + "spar", + "prizefight", + "shadowbox", + "box", + "spank", + "paddle", + "larrup", + "plug in", + "plug into", + "connect", + "unplug", + "disconnect", + "insert", + "infix", + "enter", + "introduce", + "penetrate", + "cannulate", + "cannulize", + "cannulise", + "intubate", + "canulate", + "input", + "instill", + "instil", + "plug", + "stop up", + "secure", + "tampon", + "close", + "fill up", + "chink", + "cork", + "cork up", + "uncork", + "club", + "bludgeon", + "cudgel", + "fustigate", + "poke", + "nuzzle", + "nose", + "embrace", + "hug", + "bosom", + "squeeze", + "clinch", + "cuddle", + "snuggle", + "nestle", + "nest", + "nuzzle", + "draw close", + "nestle", + "snuggle", + "cuddle", + "smooch", + "spoon", + "pet", + "gentle", + "neck", + "make out", + "sleep together", + "roll in the hay", + "love", + "make out", + "make love", + "sleep with", + "get laid", + "have sex", + "know", + "do it", + "be intimate", + "have intercourse", + "have it away", + "have it off", + "screw", + "fuck", + "jazz", + "eff", + "hump", + "lie with", + "bed", + "have a go at it", + "bang", + "get it on", + "bonk", + "take", + "have", + "fornicate", + "swing", + "whore", + "wench", + "tread", + "serve", + "service", + "stand", + "deflower", + "ruin", + "seduce", + "score", + "make", + "copulate", + "mate", + "pair", + "couple", + "ride", + "mount", + "breed", + "mongrelize", + "mongrelise", + "backcross", + "crossbreed", + "cross", + "hybridize", + "hybridise", + "interbreed", + "breed", + "cover", + "masturbate", + "wank", + "fuck off", + "she-bop", + "jack off", + "jerk off", + "masturbate", + "scarf", + "snog", + "kiss", + "buss", + "osculate", + "kiss", + "smack", + "peck", + "tickle", + "lick", + "lap", + "tongue", + "mouth", + "bear", + "spirit away", + "bucket", + "return", + "bring", + "get", + "convey", + "fetch", + "fetch", + "retrieve", + "retrieve", + "bring", + "take away", + "bear off", + "bear away", + "carry away", + "carry off", + "pile", + "spirit away", + "spirit off", + "whisk off", + "whisk away", + "whisk", + "whisk off", + "transmit", + "transfer", + "transport", + "channel", + "channelize", + "channelise", + "project", + "propagate", + "translate", + "pipe in", + "turn", + "release", + "deflate", + "deflate", + "throw", + "shoot", + "send", + "send out", + "send in", + "mail out", + "mail", + "get off", + "pouch", + "deliver", + "misdeliver", + "serve", + "process", + "swear out", + "bring", + "catch", + "grab", + "take hold of", + "recapture", + "retake", + "snatch", + "snatch up", + "snap", + "swoop", + "swoop up", + "reach", + "reach out", + "intercept", + "stop", + "cut off", + "cut out", + "prickle", + "prick", + "pierce", + "bite", + "pierce", + "thrust", + "stick", + "stick", + "peg", + "pierce", + "pick", + "break up", + "punch", + "perforate", + "bore", + "drill", + "spud", + "counter-drill", + "center punch", + "trepan", + "tunnel", + "funnel", + "transfix", + "impale", + "empale", + "spike", + "skewer", + "spit", + "pin", + "spear", + "horn", + "tusk", + "gore", + "sting", + "bite", + "prick", + "gnaw", + "snap at", + "bite off", + "bite", + "seize with teeth", + "snap", + "nibble", + "nip", + "nibble", + "brandish", + "flourish", + "wave", + "wigwag", + "press", + "press", + "push", + "squeeze", + "pull", + "draw", + "force", + "twitch", + "skitter", + "pull back", + "adduct", + "abduct", + "stretch", + "give", + "yield", + "transport", + "carry", + "port", + "porter", + "pack", + "frogmarch", + "cart", + "cart off", + "cart away", + "haul off", + "haul away", + "fly", + "airlift", + "lift", + "haul", + "pluck", + "plunk", + "pick", + "twang", + "tug", + "tug", + "tug", + "drag", + "shlep", + "schlep", + "pull along", + "trail", + "train", + "lug", + "tote", + "tug", + "tow", + "tug", + "haul", + "hale", + "cart", + "drag", + "bowse", + "bouse", + "hoist", + "lift", + "wind", + "trice", + "trice up", + "trice", + "trice up", + "hoist", + "run up", + "heave", + "heave up", + "heft", + "heft up", + "upheave", + "weigh anchor", + "weigh the anchor", + "heft", + "nip", + "nip off", + "clip", + "snip", + "snip off", + "pinch", + "squeeze", + "twinge", + "tweet", + "nip", + "twitch", + "goose", + "crimp", + "pinch", + "flute", + "groove", + "dado", + "mill", + "percolate", + "sink in", + "permeate", + "filter", + "percolate", + "percolate", + "filter", + "filtrate", + "strain", + "separate out", + "filter out", + "separate", + "extract", + "fractionate", + "fractionate", + "concoct", + "sift", + "sieve", + "strain", + "rice", + "sieve", + "sift", + "resift", + "riddle", + "screen", + "winnow", + "fan", + "coalesce", + "compound", + "combine", + "heterodyne", + "sulfurette", + "sulphurette", + "mix", + "mingle", + "commix", + "unify", + "amalgamate", + "blend", + "intermix", + "immingle", + "intermingle", + "commingle", + "entangle", + "tangle", + "mat", + "snarl", + "felt", + "enmesh", + "mesh", + "ensnarl", + "disentangle", + "unsnarl", + "straighten out", + "tease", + "tease apart", + "loosen", + "arrange", + "set up", + "stack", + "chain", + "concatenate", + "pair", + "geminate", + "pair", + "geminate", + "concord", + "cascade", + "settle", + "pyramid", + "corral", + "catenate", + "catenulate", + "dress", + "decorate", + "disarrange", + "border", + "adjoin", + "edge", + "abut", + "march", + "butt", + "butt against", + "butt on", + "surround", + "environ", + "ring", + "skirt", + "border", + "fringe", + "girdle", + "gird", + "evict", + "force out", + "evict", + "eject", + "chuck out", + "exclude", + "turf out", + "boot out", + "turn out", + "show the door", + "bounce", + "superimpose", + "superpose", + "lay over", + "superpose", + "develop", + "invite", + "ask in", + "call in", + "welcome", + "receive", + "take in", + "invite", + "absorb", + "see", + "assume", + "kidnap", + "nobble", + "abduct", + "snatch", + "cloister", + "shanghai", + "impress", + "commandeer", + "hijack", + "highjack", + "pirate", + "skyjack", + "carjack", + "expropriate", + "scramble", + "jumble", + "throw together", + "tumble", + "putter", + "potter", + "potter around", + "putter around", + "putter", + "mess around", + "potter", + "tinker", + "monkey", + "monkey around", + "muck about", + "muck around", + "puddle", + "muss", + "tussle", + "tousle", + "dishevel", + "tangle", + "range", + "array", + "lay out", + "set out", + "compart", + "let go of", + "let go", + "release", + "relinquish", + "pop", + "toggle", + "unhand", + "bring out", + "let out", + "unleash", + "unleash", + "let loose", + "loose", + "uncork", + "unleash", + "free", + "disengage", + "suffocate", + "stifle", + "asphyxiate", + "choke", + "obstruct", + "obturate", + "impede", + "occlude", + "jam", + "block", + "close up", + "tie up", + "dam", + "dam up", + "shut off", + "block off", + "close off", + "screen", + "block out", + "shade", + "land up", + "earth up", + "barricade", + "block", + "blockade", + "stop", + "block off", + "block up", + "bar", + "close", + "clog", + "choke off", + "clog up", + "back up", + "congest", + "choke", + "foul", + "crap up", + "unclog", + "stuff", + "lug", + "choke up", + "block", + "silt up", + "silt", + "unstuff", + "loosen up", + "bag", + "batfowl", + "capture", + "catch", + "catch", + "rat", + "trap", + "entrap", + "snare", + "ensnare", + "trammel", + "gin", + "suspend", + "hang", + "hang up", + "hang", + "hang", + "hang", + "hang", + "dangle", + "pack", + "containerize", + "containerise", + "enshrine", + "shrine", + "pack", + "load down", + "veil", + "unveil", + "unveil", + "pack", + "bundle", + "wad", + "compact", + "compact", + "pack", + "puddle", + "bunch", + "bunch up", + "bundle", + "cluster", + "clump", + "agglomerate", + "pack", + "lubricate", + "lube", + "box", + "package", + "unbox", + "unpack", + "take out", + "break out", + "bag", + "pouch", + "sack", + "encase", + "incase", + "case", + "crate", + "uncrate", + "bundle", + "bundle up", + "roll up", + "roll out", + "straighten", + "burden", + "burthen", + "weight", + "weight down", + "lighten", + "overburden", + "plumb", + "unburden", + "disburden", + "unload", + "unlade", + "offload", + "empty", + "bomb up", + "overload", + "surcharge", + "overcharge", + "surcharge", + "overload", + "charge", + "freight", + "discharge", + "drop", + "drop off", + "set down", + "put down", + "unload", + "discharge", + "wharf", + "air-drop", + "load", + "lade", + "laden", + "load up", + "load", + "charge", + "recharge", + "reload", + "reload", + "saddle", + "yoke", + "inspan", + "unyoke", + "outspan", + "harness", + "tackle", + "unharness", + "yoke", + "link", + "yoke", + "saddle", + "unsaddle", + "offsaddle", + "bruise", + "contuse", + "jam", + "crush", + "garner", + "bin", + "stow", + "park", + "ensconce", + "settle", + "put", + "put to sleep", + "put", + "set", + "place", + "pose", + "position", + "lay", + "dispose", + "emplace", + "emplace", + "ship", + "reship", + "underlay", + "trench", + "pigeonhole", + "shelve", + "jar", + "prostrate", + "repose", + "sign", + "middle", + "parallelize", + "butt", + "recess", + "reposition", + "reduce", + "throw", + "thrust", + "pop", + "tee", + "tee up", + "rack up", + "coffin", + "bed", + "appose", + "set down", + "put down", + "place down", + "plank", + "flump", + "plonk", + "plop", + "plunk", + "plump down", + "plunk down", + "plump", + "sow", + "seed", + "broadcast", + "inseminate", + "sow", + "sow in", + "reseed", + "scatter", + "misplace", + "juxtapose", + "set down", + "bottle", + "bucket", + "barrel", + "ground", + "ground", + "pillow", + "rest", + "misplace", + "mislay", + "lose", + "rail", + "stack", + "pile", + "heap", + "rick", + "cord", + "stack", + "stagger", + "distribute", + "pile up", + "heap up", + "stack up", + "scuffle", + "tussle", + "wrestle", + "mudwrestle", + "mud-wrestle", + "struggle", + "attract", + "pull", + "pull in", + "draw", + "draw in", + "catch", + "arrest", + "get", + "repel", + "drive", + "repulse", + "force back", + "push back", + "beat back", + "draw in", + "retract", + "invaginate", + "introvert", + "intussuscept", + "hurl", + "hurtle", + "cast", + "crash", + "dash", + "precipitate", + "heave", + "pelt", + "bombard", + "snowball", + "egg", + "throw", + "defenestrate", + "deliver", + "pitch", + "strike out", + "shy", + "drive", + "deep-six", + "throw overboard", + "ridge", + "jettison", + "throw", + "flip", + "switch", + "switch on", + "turn on", + "switch off", + "cut", + "turn off", + "turn out", + "engage", + "mesh", + "lock", + "operate", + "ride", + "unlock", + "disengage", + "withdraw", + "propel", + "impel", + "drive", + "fling", + "flip", + "toss", + "sky", + "pitch", + "submarine", + "lag", + "throw back", + "toss back", + "lob", + "shed", + "cast", + "cast off", + "shake off", + "throw", + "throw off", + "throw away", + "drop", + "shell", + "exfoliate", + "autotomize", + "autotomise", + "pitch", + "set up", + "camp", + "camp down", + "sling", + "catapult", + "chuck", + "toss", + "launch", + "float", + "blast off", + "launch", + "set in motion", + "launch", + "catapult", + "project", + "send off", + "skim", + "skip", + "skitter", + "boost", + "jet", + "gush", + "force", + "drive", + "ram", + "toe", + "toenail", + "wreathe", + "wind", + "wreathe", + "frost", + "ice", + "encrust", + "incrust", + "beset", + "upend", + "intertwine", + "twine", + "entwine", + "enlace", + "interlace", + "lace", + "twine", + "untwine", + "wattle", + "inweave", + "raddle", + "ruddle", + "pleach", + "plash", + "spin", + "weave", + "interweave", + "shoot", + "unweave", + "tinsel", + "braid", + "pleach", + "braid", + "unbraid", + "undo", + "vandalize", + "vandalise", + "key", + "unravel", + "unknot", + "unscramble", + "untangle", + "unpick", + "ravel", + "tangle", + "knot", + "ravel", + "unravel", + "ravel out", + "lace", + "lace up", + "relace", + "thread", + "wind", + "wind up", + "wind", + "wrap", + "roll", + "twine", + "encircle", + "circle", + "spool", + "cheese", + "reel", + "ball", + "clue", + "clew", + "reel off", + "unreel", + "unwind", + "wind off", + "unroll", + "unwind", + "disentangle", + "coil", + "loop", + "curl", + "uncoil", + "jam", + "jampack", + "ram", + "chock up", + "cram", + "wad", + "deluge", + "flood", + "inundate", + "swamp", + "stuff", + "overstuff", + "jam", + "malfunction", + "misfunction", + "double", + "function", + "work", + "operate", + "go", + "run", + "roll", + "run", + "idle", + "tick over", + "go on", + "come up", + "come on", + "go off", + "pad", + "fill out", + "rat", + "wedge", + "squeeze", + "force", + "dislodge", + "bump", + "throw", + "exorcise", + "exorcize", + "lodge", + "wedge", + "stick", + "deposit", + "lounge", + "dislodge", + "free", + "implant", + "engraft", + "embed", + "imbed", + "plant", + "root", + "puddle", + "checkrow", + "pot", + "repot", + "nest", + "sandwich", + "bury", + "sink", + "set", + "countersink", + "transplant", + "graft", + "graft", + "engraft", + "ingraft", + "ingrain", + "grain", + "entrench", + "intrench", + "entrench", + "dig in", + "emboss", + "boss", + "stamp", + "block", + "tease", + "impress", + "imprint", + "spot", + "fleck", + "blob", + "blot", + "splotch", + "clean", + "clean", + "make clean", + "wash up", + "do the dishes", + "pipe-clay", + "houseclean", + "clean house", + "clean", + "G.I.", + "GI", + "spring-clean", + "scavenge", + "dirty", + "soil", + "begrime", + "grime", + "colly", + "bemire", + "splash", + "mire", + "muck", + "mud", + "muck up", + "crock", + "dry clean", + "wash", + "launder", + "wash out", + "pressure-wash", + "powerwash", + "suds", + "rinse", + "rinse off", + "wash", + "pan", + "pan out", + "pan off", + "cradle", + "stonewash", + "stone-wash", + "handwash", + "hand-wash", + "machine wash", + "machine-wash", + "acid-wash", + "tarnish", + "stain", + "maculate", + "sully", + "defile", + "darken", + "defile", + "sully", + "corrupt", + "taint", + "cloud", + "blemish", + "spot", + "speckle", + "bespeckle", + "stipple", + "speckle", + "spatter", + "bespatter", + "spat", + "blot", + "absorb", + "suck", + "imbibe", + "soak up", + "sop up", + "suck up", + "draw", + "take in", + "take up", + "sponge up", + "absorb", + "reabsorb", + "resorb", + "assimilate", + "imbibe", + "adsorb", + "sorb", + "take up", + "aspirate", + "draw out", + "suck out", + "take in", + "take up", + "incorporate", + "work", + "stir", + "spill", + "shed", + "disgorge", + "spill", + "shed", + "pour forth", + "seed", + "spill", + "slop", + "splatter", + "drape", + "hang", + "fall", + "flow", + "trail", + "drape", + "sit", + "sit down", + "sprawl", + "spread-eagle", + "perch", + "roost", + "rest", + "seat", + "sit", + "sit down", + "seat", + "unseat", + "reseat", + "lay", + "put down", + "repose", + "lay", + "blow", + "squat", + "crouch", + "scrunch", + "scrunch up", + "hunker", + "hunker down", + "kneel", + "rest", + "stand", + "stand up", + "ramp", + "stand back", + "stand", + "stand up", + "place upright", + "lie", + "recumb", + "repose", + "recline", + "recline", + "overlie", + "lie awake", + "repose", + "bask", + "buckle", + "clasp", + "unbuckle", + "brooch", + "clasp", + "erase", + "rub out", + "score out", + "efface", + "wipe off", + "sponge", + "delete", + "cancel", + "strike", + "scratch", + "expunge", + "excise", + "scratch out", + "cut out", + "deface", + "disfigure", + "blemish", + "dissect", + "vivisect", + "anatomize", + "anatomise", + "bisect", + "transect", + "trisect", + "scar", + "mark", + "pock", + "pit", + "pockmark", + "cicatrize", + "cicatrise", + "sculpt", + "sculpture", + "grave", + "whittle", + "pare", + "whittle away", + "whittle down", + "wear away", + "cut", + "crop", + "chatter", + "cut away", + "undercut", + "undercut", + "tomahawk", + "sabre", + "saber", + "cut out", + "die", + "die out", + "rebate", + "rusticate", + "cut", + "cradle", + "incise", + "trench", + "dock", + "tail", + "bob", + "tear", + "cleave", + "split", + "rive", + "separate", + "disunite", + "divide", + "part", + "joint", + "gin", + "break", + "separate", + "divide", + "part", + "segregate", + "segment", + "reduce", + "cleave", + "slit", + "slit", + "slice", + "gore", + "lacerate", + "worry", + "saw", + "whipsaw", + "splice", + "splice", + "splice", + "fleece", + "shear", + "mince", + "discerp", + "sever", + "lop", + "sever", + "break up", + "collide", + "clash", + "smash", + "smash", + "shock", + "crash", + "ram", + "crash", + "break up", + "break apart", + "crash", + "wrap", + "prang", + "collide", + "ditch", + "segment", + "section", + "syllabify", + "syllabicate", + "syllabize", + "syllabise", + "quarter", + "partition", + "partition off", + "pound", + "pound off", + "destroy", + "ruin", + "do a job on", + "subvert", + "get", + "devour", + "rape", + "spoil", + "despoil", + "violate", + "plunder", + "explode", + "consume", + "shipwreck", + "bust up", + "wreck", + "wrack", + "ruin", + "bang up", + "smash up", + "smash", + "uproot", + "extirpate", + "deracinate", + "root out", + "stub", + "plant", + "set", + "bed", + "dibble", + "afforest", + "forest", + "re-afforest", + "reforest", + "replant", + "smother", + "stifle", + "strangle", + "muffle", + "repress", + "smother", + "surround", + "smother", + "put out", + "smother", + "asphyxiate", + "suffocate", + "install", + "instal", + "put in", + "set up", + "retrofit", + "install", + "instal", + "set up", + "establish", + "reinstall", + "post", + "put up", + "choke", + "gag", + "fret", + "choke", + "scrag", + "strangle", + "strangulate", + "throttle", + "decapitate", + "behead", + "decollate", + "guillotine", + "garrote", + "garrotte", + "garotte", + "scrag", + "impale", + "stake", + "dismember", + "tease", + "dismember", + "take apart", + "discerp", + "strain", + "tense", + "clench", + "clinch", + "clinch", + "rend", + "rip", + "rive", + "pull", + "tear", + "rupture", + "snap", + "bust", + "shred", + "tear up", + "rip up", + "grate", + "grapple", + "grip", + "tamp down", + "tamp", + "pack", + "press down", + "depress", + "lower", + "depress", + "ram", + "ram down", + "pound", + "bulldoze", + "punch", + "situate", + "fix", + "posit", + "deposit", + "redeposit", + "crop", + "browse", + "graze", + "range", + "pasture", + "crop", + "graze", + "pasture", + "drift", + "cushion", + "buffer", + "soften", + "dunk", + "dip", + "souse", + "plunge", + "douse", + "sop", + "immerse", + "plunge", + "dip", + "dip", + "submerge", + "submerse", + "soak", + "sheathe", + "ladle", + "lade", + "laden", + "ladle", + "lift", + "pitchfork", + "fork", + "slop", + "spoon", + "unfold", + "spread", + "spread out", + "open", + "divaricate", + "exfoliate", + "grass", + "envelop", + "enfold", + "enwrap", + "wrap", + "enclose", + "tube", + "capsule", + "capsulate", + "capsulize", + "capsulise", + "engulf", + "sheathe", + "unsheathe", + "sheathe", + "invaginate", + "cocoon", + "bathe", + "shroud", + "enshroud", + "hide", + "cover", + "immerse", + "swallow", + "swallow up", + "bury", + "eat up", + "trace", + "draw", + "line", + "describe", + "delineate", + "construct", + "inscribe", + "circumscribe", + "circumscribe", + "chase", + "bevel", + "chamfer", + "miter", + "cone", + "turn", + "shove", + "deform", + "brecciate", + "reticulate", + "flake", + "strickle", + "inject", + "shoot", + "extricate", + "untangle", + "disentangle", + "disencumber", + "tamper", + "fiddle", + "monkey", + "toy", + "fiddle", + "diddle", + "play", + "storm", + "force", + "kick in", + "kick down", + "frame", + "frame in", + "border", + "enclose", + "close in", + "inclose", + "shut in", + "glass", + "glass in", + "bank", + "dike", + "dyke", + "encapsulate", + "fence", + "fence in", + "rope in", + "rope off", + "cordon off", + "tag", + "label", + "mark", + "brand", + "trademark", + "brandmark", + "point", + "point", + "point", + "calibrate", + "code", + "badge", + "lean on", + "rest on", + "lean against", + "patch", + "piece", + "vamp", + "vamp up", + "core", + "doff", + "gut", + "head", + "gut", + "jerk", + "flick", + "flick", + "ruffle", + "riffle", + "stake", + "post", + "post", + "placard", + "stake", + "yank", + "jerk", + "winch", + "pluck", + "tweak", + "pull off", + "pick off", + "tweak", + "draw off", + "draw away", + "pull off", + "tweeze", + "hike up", + "hitch up", + "pry", + "prise", + "prize", + "lever", + "jimmy", + "gap", + "breach", + "swing", + "sweep", + "swing out", + "squash", + "crush", + "squelch", + "mash", + "squeeze", + "stamp", + "steamroller", + "tread", + "telescope", + "crunch", + "cranch", + "craunch", + "grind", + "crank", + "crank up", + "solder", + "dip solder", + "soft-solder", + "braze", + "weld", + "spotweld", + "spot-weld", + "butt-weld", + "buttweld", + "comb", + "currycomb", + "heckle", + "hackle", + "hatchel", + "drag down", + "bear down", + "bear down on", + "press down on", + "weigh down", + "shoot", + "dunk", + "slam-dunk", + "break", + "chip", + "volley", + "carom", + "birdie", + "eagle", + "double birdie", + "double bogey", + "bogey", + "wire", + "unwire", + "wire", + "carburet", + "casket", + "chemisorb", + "crape", + "crepe", + "coal", + "coapt", + "coapt", + "conglutinate", + "concrete", + "corral", + "tag", + "nab", + "croquet", + "crosscut", + "cut across", + "rip", + "hold", + "carry", + "bear", + "sling", + "stoop", + "piggyback", + "piggyback", + "piggyback", + "poise", + "balance", + "juggle", + "poise", + "blacklead", + "gate", + "grass", + "gravel", + "metal", + "macadamize", + "macadamise", + "tarmac", + "limber", + "limber up", + "lime", + "lance", + "loft", + "lance", + "lasso", + "rope", + "loft", + "joggle", + "joint", + "juggle", + "martyr", + "knuckle", + "knuckle", + "mantle", + "ooze through", + "sop", + "soak through", + "wash out", + "interlock", + "lock", + "fortify", + "fort", + "trench", + "lean", + "lock", + "interlock", + "interlace", + "trap", + "bond", + "bring together", + "draw together", + "close", + "set", + "clap", + "hem in", + "mound over", + "toggle", + "girdle", + "deaden", + "straw", + "graze", + "clean", + "strip", + "clean", + "pick at", + "pluck at", + "pull at", + "pull", + "retract", + "pull back", + "draw back", + "draw close", + "rest", + "size", + "break", + "break up", + "break", + "cut", + "cut", + "cut", + "perch", + "hoist", + "dribble", + "drip", + "drop", + "spread", + "spread", + "load", + "cram", + "drape", + "dust", + "plaster", + "plaster", + "beplaster", + "set", + "siphon", + "squish", + "tap", + "butterfly", + "gradate", + "stick", + "stick", + "stick", + "hitch", + "steel", + "hedge", + "hedge in", + "hedge", + "ligate", + "put out", + "retire", + "metalize", + "metallize", + "platinize", + "porcelainize", + "zinc", + "put away", + "put aside", + "shed blood", + "tree", + "unblock", + "disperse", + "bowl", + "seat", + "clothe", + "cloak", + "drape", + "robe", + "make", + "create", + "track", + "institute", + "bring", + "introduce", + "short-circuit", + "short", + "do", + "make", + "unmake", + "undo", + "re-create", + "remake", + "refashion", + "redo", + "make over", + "destroy", + "destruct", + "self-destruct", + "self-destroy", + "destruct", + "end", + "fracture", + "wipe out", + "sweep away", + "interdict", + "produce", + "make", + "create", + "prefabricate", + "underproduce", + "output", + "pulse", + "pulsate", + "clap up", + "clap together", + "slap together", + "custom-make", + "customize", + "customise", + "tailor-make", + "dummy", + "dummy up", + "turn out", + "machine", + "machine", + "grind", + "grind", + "stamp", + "puddle", + "beat", + "churn out", + "overproduce", + "elaborate", + "put out", + "laminate", + "mass-produce", + "bootleg", + "compose", + "compile", + "confect", + "confection", + "comfit", + "cobble together", + "cobble up", + "anthologize", + "anthologise", + "catalogue", + "catalog", + "compile", + "generate", + "bring forth", + "come up", + "develop", + "generate", + "originate", + "initiate", + "start", + "set", + "render", + "yield", + "return", + "give", + "generate", + "give", + "yield", + "bring", + "work", + "play", + "wreak", + "make for", + "raise", + "conjure", + "conjure up", + "invoke", + "evoke", + "stir", + "call down", + "arouse", + "bring up", + "put forward", + "call forth", + "educe", + "evoke", + "elicit", + "extract", + "draw out", + "extort", + "wring from", + "pry", + "prise", + "regenerate", + "renew", + "create by mental act", + "create mentally", + "give birth", + "schematize", + "invent", + "contrive", + "devise", + "excogitate", + "formulate", + "forge", + "project", + "cast", + "contrive", + "throw", + "formulate", + "gestate", + "conceive", + "conceptualize", + "conceptualise", + "design", + "preconceive", + "think up", + "think of", + "dream up", + "hatch", + "concoct", + "fabricate", + "manufacture", + "cook up", + "make up", + "invent", + "mythologize", + "mythologise", + "confabulate", + "trump up", + "concoct", + "fictionalize", + "fictionalise", + "retell", + "visualize", + "visualise", + "envision", + "project", + "fancy", + "see", + "figure", + "picture", + "image", + "visualize", + "visualise", + "envision", + "foresee", + "imagine", + "conceive of", + "ideate", + "envisage", + "fantasize", + "fantasise", + "prefigure", + "think", + "fantasy", + "fantasize", + "fantasise", + "dream", + "daydream", + "woolgather", + "stargaze", + "discover", + "find", + "plan", + "project", + "contrive", + "design", + "plot", + "concert", + "mint", + "coin", + "strike", + "spin", + "spin", + "spatchcock", + "design", + "plan", + "redesign", + "create", + "make", + "design", + "carry through", + "accomplish", + "execute", + "carry out", + "action", + "fulfill", + "fulfil", + "get over", + "run", + "consummate", + "consummate", + "initiate", + "pioneer", + "strike up", + "introduce", + "innovate", + "phase in", + "phase out", + "effect", + "effectuate", + "set up", + "draw", + "get", + "draw", + "trip", + "actuate", + "trigger", + "activate", + "set off", + "spark off", + "spark", + "trigger off", + "touch off", + "induce", + "bring on", + "bring on", + "precipitate", + "induce", + "stimulate", + "rush", + "hasten", + "realize", + "realise", + "actualize", + "actualise", + "substantiate", + "incarnate", + "disincarnate", + "pioneer", + "open up", + "cause", + "do", + "make", + "make", + "drive", + "occasion", + "inspire", + "provoke", + "evoke", + "call forth", + "kick up", + "pick", + "establish", + "found", + "plant", + "constitute", + "institute", + "fix", + "establish", + "give", + "pacify", + "stage", + "arrange", + "dogfight", + "concord", + "tee up", + "prearrange", + "phase", + "engender", + "breed", + "spawn", + "mount", + "mount", + "put on", + "rerun", + "riff", + "misplay", + "put on", + "turn in", + "motivate", + "actuate", + "propel", + "move", + "prompt", + "incite", + "impel", + "force", + "start", + "start up", + "embark on", + "commence", + "sound off", + "strike up", + "undertake", + "set about", + "attempt", + "organize", + "organise", + "prepare", + "devise", + "get up", + "machinate", + "lay", + "bear", + "turn out", + "seed", + "crop", + "overbear", + "fruit", + "fruit", + "create from raw material", + "create from raw stuff", + "manufacture", + "fabricate", + "construct", + "make", + "raft", + "forge", + "fake", + "counterfeit", + "construct", + "build", + "make", + "dry-wall", + "lock", + "build", + "establish", + "wattle", + "frame", + "frame up", + "rebuild", + "reconstruct", + "groin", + "cantilever", + "demolish", + "pulverize", + "pulverise", + "assemble", + "piece", + "put together", + "set up", + "tack", + "tack together", + "jumble", + "confuse", + "mix up", + "reassemble", + "configure", + "compound", + "disassemble", + "dismantle", + "take apart", + "break up", + "break apart", + "fashion", + "forge", + "tie", + "recast", + "reforge", + "remodel", + "craft", + "handcraft", + "cooper", + "shape", + "form", + "work", + "mold", + "mould", + "forge", + "preform", + "preform", + "mound", + "mound over", + "hill", + "roughcast", + "reshape", + "remold", + "dip", + "sinter", + "raise", + "erect", + "rear", + "set up", + "put up", + "set up", + "rig up", + "level", + "raze", + "rase", + "dismantle", + "tear down", + "take down", + "pull down", + "uproot", + "eradicate", + "extirpate", + "root out", + "exterminate", + "dilapidate", + "press", + "press out", + "cast", + "mold", + "mould", + "recast", + "remold", + "remould", + "sand cast", + "throw", + "handbuild", + "hand-build", + "coil", + "bake", + "brew", + "cook", + "fix", + "ready", + "make", + "prepare", + "deglaze", + "scallop", + "escallop", + "flambe", + "sandwich", + "put on", + "spatchcock", + "devil", + "cook", + "precook", + "whip up", + "whomp up", + "concoct", + "cook up", + "sew", + "tailor", + "tailor-make", + "run up", + "cut", + "tailor", + "style", + "alter", + "quilt", + "quilt", + "embroider", + "broider", + "faggot", + "fagot", + "stick", + "purl", + "purl", + "illustrate", + "work", + "work on", + "process", + "hot-work", + "coldwork", + "cold work", + "overwork", + "rework", + "make over", + "retread", + "rack", + "tool", + "garland", + "fledge", + "flight", + "spangle", + "bespangle", + "foliate", + "flag", + "caparison", + "bard", + "barde", + "dress up", + "bead", + "pipe", + "applique", + "macrame", + "knit", + "purl", + "cast on", + "cast off", + "rib", + "purl stitch", + "knit", + "entwine", + "web", + "net", + "loom", + "crochet", + "hook", + "crochet", + "shell stitch", + "double crochet", + "double stitch", + "single crochet", + "single stitch", + "loop", + "intertwine", + "noose", + "knot", + "weave", + "tissue", + "brocade", + "lace", + "tat", + "intertwine", + "braid", + "lace", + "plait", + "twill", + "strike", + "forge", + "hammer", + "foliate", + "dropforge", + "extrude", + "squeeze out", + "decorate", + "adorn", + "grace", + "ornament", + "embellish", + "beautify", + "gild the lily", + "paint the lily", + "vermiculate", + "smock", + "hang", + "prank", + "tinsel", + "tart up", + "stucco", + "redecorate", + "panel", + "bejewel", + "jewel", + "fillet", + "filet", + "scallop", + "bedizen", + "dress ship", + "trim", + "garnish", + "dress", + "lard", + "trim", + "deck", + "bedight", + "bedeck", + "plume", + "festoon", + "sensualize", + "carnalize", + "silhouette", + "animalize", + "animalise", + "profile", + "finger-paint", + "stipple", + "tattoo", + "marble", + "bodypaint", + "enamel", + "smelt", + "inlay", + "hatch", + "damascene", + "gloss", + "lacquer", + "japan", + "gild", + "begild", + "engild", + "fresco", + "distemper", + "blueprint", + "draft", + "draught", + "illuminate", + "miniate", + "rubricate", + "emblazon", + "blazon", + "sculpt", + "sculpture", + "paint", + "paint", + "create", + "build", + "repaint", + "charge", + "represent", + "interpret", + "capture", + "recapture", + "picture", + "depict", + "render", + "show", + "illustrate", + "stylize", + "stylise", + "conventionalize", + "map", + "map", + "portray", + "depict", + "limn", + "pencil", + "portray", + "present", + "commend", + "delineate", + "limn", + "outline", + "lipstick", + "contour", + "streamline", + "rule", + "chalk", + "draw", + "draw", + "project", + "write", + "stenograph", + "calligraph", + "cross", + "superscribe", + "superscribe", + "capitalize", + "capitalise", + "letter", + "letter", + "crayon", + "write", + "check", + "checker", + "chequer", + "charcoal", + "doodle", + "diagram", + "plot", + "cartoon", + "copy", + "re-create", + "imitate", + "trace", + "back up", + "hectograph", + "clone", + "recopy", + "mimeograph", + "mimeo", + "roneo", + "shade", + "fill in", + "stipple", + "crosshatch", + "mottle", + "streak", + "blotch", + "vein", + "watercolour", + "watercolor", + "color", + "colour", + "emblazon", + "miniate", + "model", + "mold", + "mould", + "model", + "mock up", + "sketch", + "chalk out", + "create verbally", + "coin", + "sloganeer", + "write", + "compose", + "pen", + "indite", + "lyric", + "relyric", + "write on", + "write of", + "write about", + "profile", + "paragraph", + "paragraph", + "spell", + "write", + "spell out", + "hyphenate", + "hyphen", + "write off", + "dash off", + "scratch off", + "knock off", + "toss off", + "fling off", + "rewrite", + "write copy", + "dramatize", + "dramatise", + "adopt", + "draft", + "outline", + "rhyme", + "rime", + "tag", + "alliterate", + "pun", + "verse", + "versify", + "poetize", + "poetise", + "metrify", + "spondaize", + "spondaise", + "elegize", + "elegise", + "recite", + "retell", + "sonnet", + "sonnet", + "serenade", + "belt out", + "belt", + "descant on", + "vocalize", + "vocalise", + "author", + "co-author", + "ghost", + "ghostwrite", + "annotate", + "footnote", + "reference", + "cite", + "compose", + "write", + "counterpoint", + "set to music", + "arrange", + "set", + "put", + "score", + "transpose", + "melodize", + "melodise", + "harmonize", + "harmonise", + "reharmonize", + "reharmonise", + "harmonize", + "harmonise", + "realize", + "realise", + "orchestrate", + "instrument", + "instrumentate", + "transcribe", + "choreograph", + "jive", + "dance", + "trip the light fantastic", + "trip the light fantastic toe", + "hoof", + "clog", + "tap dance", + "belly dance", + "direct", + "cast", + "descant", + "recast", + "miscast", + "typecast", + "stage direct", + "stage", + "present", + "represent", + "set", + "localize", + "localise", + "place", + "film", + "film-make", + "cinematize", + "cinematise", + "microfilm", + "cut corners", + "perform", + "execute", + "do", + "stunt", + "cut", + "blaze away", + "interlude", + "scamp", + "churn out", + "perform", + "grandstand", + "solo", + "play out", + "underperform", + "sightread", + "sight-read", + "sightsing", + "sight-sing", + "rap", + "give", + "give", + "concertize", + "concertise", + "play", + "play", + "play", + "run", + "play", + "debut", + "debut", + "debut", + "premier", + "premiere", + "premier", + "premiere", + "audition", + "try out", + "read", + "cybernate", + "computerize", + "computerise", + "act", + "play", + "represent", + "act", + "play", + "roleplay", + "playact", + "stooge", + "enter", + "support", + "star", + "appear", + "co-star", + "dissemble", + "pretend", + "act", + "simulate", + "assume", + "sham", + "feign", + "play", + "feint", + "enact", + "reenact", + "act out", + "act out", + "reenact", + "model", + "simulate", + "rehearse", + "practise", + "practice", + "walk through", + "scrimmage", + "impersonate", + "portray", + "parody", + "travesty", + "mime", + "pantomime", + "play", + "spiel", + "fiddle", + "play", + "swing", + "replay", + "prelude", + "jazz", + "rag", + "bugle", + "play", + "register", + "skirl", + "beat", + "symphonize", + "symphonise", + "tweedle", + "chord", + "reprise", + "reprize", + "repeat", + "recapitulate", + "pipe", + "slur", + "pedal", + "bang out", + "play along", + "accompany", + "follow", + "sing along", + "improvise", + "improvize", + "ad-lib", + "extemporize", + "extemporise", + "modulate", + "bow", + "sing", + "psalm", + "minstrel", + "solmizate", + "tweedle", + "chirp", + "choir", + "chorus", + "sing", + "solmizate", + "troll", + "hymn", + "carol", + "madrigal", + "interpret", + "render", + "drum", + "harp", + "conduct", + "lead", + "direct", + "conduct", + "hold", + "throw", + "have", + "make", + "give", + "fiddle", + "trumpet", + "clarion", + "double tongue", + "triple-tongue", + "tongue", + "duplicate", + "reduplicate", + "double", + "repeat", + "replicate", + "replicate", + "copy", + "recapitulate", + "duplicate", + "reduplicate", + "geminate", + "triplicate", + "quadruplicate", + "reprint", + "reissue", + "photocopy", + "run off", + "xerox", + "microcopy", + "photostat", + "reproduce", + "reproduce", + "induce", + "induct", + "recreate", + "reinvent", + "reinvent", + "catch", + "get", + "play back", + "replay", + "evolve", + "germinate", + "develop", + "develop", + "build", + "prefabricate", + "preassemble", + "vamp", + "vamp up", + "fudge together", + "throw together", + "grow", + "raise", + "farm", + "produce", + "carry", + "overproduce", + "till", + "garden", + "landscape", + "cultivate", + "crop", + "work", + "overcrop", + "overcultivate", + "plow", + "plough", + "turn", + "ridge", + "harrow", + "disk", + "hoe", + "cultivate", + "imitate", + "copy", + "simulate", + "take off", + "mimic", + "mime", + "model", + "pattern", + "scale", + "sovietize", + "sovietise", + "take after", + "follow", + "publish", + "write", + "typeset", + "set", + "prove", + "format", + "arrange", + "indent", + "table", + "tabularize", + "tabularise", + "tabulate", + "print", + "publish", + "republish", + "carry", + "run", + "gazette", + "print", + "misprint", + "offset", + "offset", + "scribble", + "scrawl", + "copy", + "copy out", + "program", + "programme", + "print", + "impress", + "overprint", + "print over", + "surcharge", + "cyclostyle", + "fingerprint", + "boldface", + "italicize", + "italicise", + "print", + "lithograph", + "silkscreen", + "stencil", + "engrave", + "etch", + "benday", + "scrape", + "stipple", + "etch", + "aquatint", + "confect", + "corduroy", + "fringe", + "overact", + "ham it up", + "ham", + "overplay", + "underact", + "underplay", + "heel", + "fret", + "landscape", + "fret", + "honeycomb", + "proof", + "produce", + "bring forth", + "sporulate", + "produce", + "bring about", + "give rise", + "grind out", + "crank out", + "make up", + "design", + "create", + "press", + "prepare", + "rough in", + "rough", + "rough out", + "write out", + "write up", + "cut", + "cut", + "graph", + "chart", + "graph", + "shimmy", + "make", + "raise", + "make", + "beat", + "map", + "map out", + "cut", + "burn", + "cut", + "cut", + "script", + "rubricate", + "channelize", + "channelise", + "demyelinate", + "facilitate", + "construct", + "construct", + "filigree", + "release", + "free", + "liberate", + "embattle", + "blast", + "chop", + "carve out", + "manufacture", + "manufacture", + "blast", + "shell", + "busk", + "arouse", + "elicit", + "enkindle", + "kindle", + "evoke", + "fire", + "raise", + "provoke", + "strike a chord", + "touch a chord", + "invite", + "ask for", + "draw", + "rekindle", + "infatuate", + "prick", + "inflame", + "stir up", + "wake", + "ignite", + "heat", + "fire up", + "ferment", + "stimulate", + "shake", + "shake up", + "excite", + "stir", + "fuel", + "arouse", + "sex", + "excite", + "turn on", + "wind up", + "agitate", + "rouse", + "turn on", + "charge", + "commove", + "excite", + "charge up", + "jolt", + "bubble over", + "overflow", + "spill over", + "ferment", + "hype up", + "psych up", + "lull", + "calm", + "calm down", + "cool off", + "chill out", + "simmer down", + "settle down", + "cool it", + "perturb", + "unhinge", + "disquiet", + "trouble", + "cark", + "distract", + "disorder", + "unbalance", + "derange", + "calm", + "calm down", + "quiet", + "tranquilize", + "tranquillize", + "tranquillise", + "quieten", + "lull", + "still", + "compose", + "pacify", + "lenify", + "conciliate", + "assuage", + "appease", + "mollify", + "placate", + "gentle", + "gruntle", + "worry", + "vex", + "eat", + "eat on", + "reassure", + "assure", + "nag", + "worry", + "care", + "retire", + "withdraw", + "worry", + "fret", + "seethe", + "boil", + "sizzle", + "affect", + "impress", + "move", + "strike", + "engrave", + "strike dumb", + "zap", + "jar", + "hit home", + "strike home", + "strike a chord", + "strike a note", + "smite", + "cloud", + "pierce", + "impress", + "prepossess", + "wow", + "sweep away", + "sweep off", + "disturb", + "upset", + "trouble", + "touch", + "stir", + "get", + "get", + "get under one's skin", + "move", + "feel", + "experience", + "incline", + "recapture", + "pride", + "plume", + "congratulate", + "smolder", + "smoulder", + "emote", + "excite", + "harbor", + "harbour", + "hold", + "entertain", + "nurse", + "resent", + "embitter", + "envenom", + "acerbate", + "grudge", + "eat into", + "fret", + "rankle", + "grate", + "stew", + "grudge", + "hate", + "detest", + "abhor", + "loathe", + "abominate", + "execrate", + "contemn", + "despise", + "scorn", + "disdain", + "love", + "love", + "romance", + "fall for", + "cling", + "care for", + "cherish", + "hold dear", + "treasure", + "enshrine", + "saint", + "fancy", + "go for", + "take to", + "dislike", + "like", + "cotton", + "like", + "dote", + "yearn", + "cool off", + "adore", + "idolize", + "idolise", + "worship", + "hero-worship", + "revere", + "reverence", + "fear", + "revere", + "venerate", + "worship", + "frighten", + "fright", + "scare", + "affright", + "awe", + "overawe", + "cow", + "buffalo", + "frighten", + "fear", + "dread", + "fear", + "fear", + "fear", + "terrify", + "terrorize", + "terrorise", + "intimidate", + "hold over", + "strong-arm", + "bully", + "browbeat", + "bullyrag", + "ballyrag", + "boss around", + "hector", + "push around", + "tyrannize", + "tyrannise", + "domineer", + "panic", + "panic", + "apprehend", + "quail at", + "dismay", + "alarm", + "appal", + "appall", + "horrify", + "shock", + "haunt", + "obsess", + "ghost", + "preoccupy", + "prepossess", + "faze", + "unnerve", + "enervate", + "unsettle", + "unman", + "freak out", + "freak", + "gross out", + "break down", + "lose it", + "snap", + "dissolve", + "dissolve", + "die", + "die", + "break", + "burst", + "erupt", + "crack up", + "crack", + "crock up", + "break up", + "collapse", + "daunt", + "dash", + "scare off", + "pall", + "frighten off", + "scare away", + "frighten away", + "scare", + "anger", + "bridle", + "combust", + "miff", + "gall", + "irk", + "infuriate", + "exasperate", + "incense", + "anger", + "see red", + "steam", + "raise the roof", + "madden", + "madden", + "madden", + "craze", + "annoy", + "rag", + "get to", + "bother", + "get at", + "irritate", + "rile", + "nark", + "nettle", + "gravel", + "vex", + "chafe", + "devil", + "chafe", + "peeve", + "ruffle", + "fret", + "pique", + "offend", + "harass", + "hassle", + "harry", + "chivy", + "chivvy", + "chevy", + "chevvy", + "beset", + "plague", + "molest", + "provoke", + "upset", + "discompose", + "untune", + "disconcert", + "discomfit", + "fluster", + "ruffle", + "confuse", + "flurry", + "disconcert", + "put off", + "consternate", + "bewilder", + "bemuse", + "discombobulate", + "throw", + "bother", + "bother", + "distract", + "deflect", + "fluster", + "embarrass", + "abash", + "shame", + "discountenance", + "pain", + "anguish", + "hurt", + "break someone's heart", + "hurt", + "wound", + "injure", + "bruise", + "offend", + "spite", + "lacerate", + "sting", + "fuss", + "niggle", + "fret", + "scruple", + "agonize", + "agonise", + "agonize", + "agonise", + "suffer", + "anguish", + "lose", + "fume", + "flip one's lid", + "blow up", + "throw a fit", + "hit the roof", + "hit the ceiling", + "have kittens", + "have a fit", + "combust", + "blow one's stack", + "fly off the handle", + "flip one's wig", + "lose one's temper", + "blow a fuse", + "go ballistic", + "enrage", + "rage", + "foam at the mouth", + "froth at the mouth", + "thrill", + "tickle", + "vibrate", + "repent", + "regret", + "rue", + "repent", + "atone", + "regret", + "mourn", + "mourn", + "grieve", + "sorrow", + "grieve", + "aggrieve", + "afflict", + "tribulate", + "distress", + "besiege", + "try", + "strain", + "stress", + "rack", + "try", + "disappoint", + "let down", + "fail", + "betray", + "fall short", + "come short", + "hamstring", + "humiliate", + "mortify", + "chagrin", + "humble", + "abase", + "crush", + "smash", + "demolish", + "take down", + "degrade", + "disgrace", + "demean", + "put down", + "efface", + "reduce", + "stultify", + "dehumanize", + "dehumanise", + "humanize", + "humanise", + "humble", + "mortify", + "subdue", + "crucify", + "mortify", + "lament", + "keen", + "express emotion", + "express feelings", + "torment", + "torture", + "excruciate", + "rack", + "torment", + "rag", + "bedevil", + "crucify", + "dun", + "frustrate", + "tease", + "badger", + "pester", + "bug", + "beleaguer", + "tease", + "manipulate", + "keep in line", + "control", + "handle", + "ingratiate", + "cozy up", + "cotton up", + "shine up", + "play up", + "sidle up", + "suck up", + "anticipate", + "look for", + "look to", + "warm to", + "mope", + "moon around", + "moon about", + "grizzle", + "brood", + "stew", + "miss", + "ache", + "yearn", + "yen", + "pine", + "languish", + "appreciate", + "brace", + "poise", + "steel", + "nerve", + "take heart", + "buck up", + "capture", + "enamour", + "trance", + "catch", + "becharm", + "enamor", + "captivate", + "beguile", + "charm", + "fascinate", + "bewitch", + "entrance", + "enchant", + "beckon", + "endear", + "antagonize", + "antagonise", + "tempt", + "invite", + "tempt", + "attract", + "appeal", + "bring", + "disgust", + "revolt", + "nauseate", + "sicken", + "churn up", + "turn off", + "put off", + "repel", + "repulse", + "shock", + "floor", + "ball over", + "blow out of the water", + "take aback", + "overwhelm", + "overpower", + "sweep over", + "whelm", + "overcome", + "overtake", + "kill", + "shout down", + "benight", + "knock out", + "stagger", + "lock", + "shock", + "offend", + "scandalize", + "scandalise", + "appal", + "appall", + "outrage", + "despair", + "despond", + "hope", + "elate", + "lift up", + "uplift", + "pick up", + "intoxicate", + "beatify", + "puff", + "exhilarate", + "tickle pink", + "inebriate", + "thrill", + "exalt", + "beatify", + "inspire", + "animate", + "invigorate", + "enliven", + "exalt", + "gladden", + "sadden", + "overjoy", + "sadden", + "gladden", + "joy", + "exult", + "walk on air", + "be on cloud nine", + "jump for joy", + "rejoice", + "joy", + "lighten", + "lighten up", + "buoy up", + "weigh down", + "weigh on", + "depress", + "deject", + "cast down", + "get down", + "dismay", + "dispirit", + "demoralize", + "demoralise", + "comfort", + "soothe", + "console", + "solace", + "still", + "allay", + "relieve", + "ease", + "abreact", + "please", + "delight", + "please", + "titillate", + "satisfy", + "gratify", + "dissatisfy", + "content", + "discontent", + "displease", + "enchant", + "enrapture", + "transport", + "enthrall", + "ravish", + "enthral", + "delight", + "work", + "disenchant", + "disillusion", + "cheer", + "hearten", + "recreate", + "embolden", + "rise", + "encourage", + "draw out", + "bring out", + "spur", + "goad", + "chill", + "discourage", + "dishearten", + "put off", + "intimidate", + "restrain", + "throw cold water on", + "pour cold water on", + "dither", + "flap", + "pother", + "pother", + "dither", + "enjoy", + "bask", + "relish", + "savor", + "savour", + "feast one's eyes", + "devour", + "exacerbate", + "exasperate", + "aggravate", + "fascinate", + "transfix", + "grip", + "spellbind", + "interest", + "startle", + "galvanize", + "galvanise", + "bore", + "tire", + "feel for", + "pity", + "compassionate", + "condole with", + "sympathize with", + "commiserate", + "sympathize", + "sympathise", + "condole", + "sympathize", + "sympathise", + "care", + "care a hang", + "give a hoot", + "give a hang", + "give a damn", + "wallow", + "rejoice", + "triumph", + "estrange", + "alienate", + "alien", + "disaffect", + "alienate", + "drift apart", + "drift away", + "wean", + "wish", + "wish", + "wish well", + "wish", + "care", + "like", + "please", + "begrudge", + "resent", + "desire", + "want", + "itch", + "spoil", + "like", + "ambition", + "feel like", + "desire", + "prefer", + "hope", + "trust", + "desire", + "envy", + "begrudge", + "covet", + "salivate", + "drool", + "envy", + "drool over", + "slobber over", + "admire", + "look up to", + "look down on", + "lust after", + "lech after", + "hanker", + "long", + "yearn", + "care for", + "love", + "enjoy", + "take pride", + "pride oneself", + "fall apart", + "go to pieces", + "burn", + "die", + "fly high", + "glow", + "beam", + "radiate", + "shine", + "glow", + "enthuse", + "bring down", + "disarm", + "disgruntle", + "electrify", + "spook", + "obsess", + "puzzle", + "move", + "drop back", + "hit the dirt", + "hit the deck", + "prolapse", + "plunge", + "ease", + "whish", + "stand still", + "freeze", + "stop dead", + "grind to a halt", + "get stuck", + "bog down", + "mire", + "mire", + "bog down", + "gravitate", + "travel", + "go", + "move", + "locomote", + "float", + "thrash", + "swap", + "seek", + "whine", + "fly", + "ride", + "come", + "ghost", + "betake oneself", + "pass over", + "overfly", + "fly", + "red-eye", + "hop", + "tube", + "travel", + "wend", + "sheer", + "pull over", + "do", + "astrogate", + "fly", + "go out", + "desert", + "raft", + "take", + "get around", + "get about", + "travel", + "trip", + "jaunt", + "junketeer", + "junket", + "repair", + "resort", + "travel to", + "visit", + "sightsee", + "visit", + "inspect", + "revisit", + "frequent", + "haunt", + "cruise", + "cruise", + "stooge", + "tour", + "globe-trot", + "take the road", + "travel", + "journey", + "sledge", + "voyage", + "sail", + "navigate", + "sail", + "travel", + "journey", + "trek", + "trek", + "ship", + "ride", + "fly", + "fly", + "kite", + "stay in place", + "move over", + "give way", + "give", + "ease up", + "yield", + "go", + "go away", + "depart", + "shove off", + "shove along", + "blow", + "come", + "come up", + "approach", + "come near", + "get on", + "drive up", + "move", + "displace", + "work", + "take back", + "center", + "centre", + "re-enter", + "pump", + "pump", + "pump", + "transfuse", + "siphon", + "syphon", + "siphon off", + "transit", + "sluice", + "sluice", + "draw", + "take out", + "tap", + "suction", + "suck", + "rack", + "transplant", + "transfer", + "scan", + "move", + "move in", + "move in", + "move out", + "clear out", + "evacuate", + "migrate", + "transmigrate", + "migrate", + "stay", + "stick", + "stick around", + "stay put", + "start", + "start up", + "kick-start", + "hot-wire", + "rein", + "rein in", + "pull", + "restart", + "re-start", + "crank", + "crank up", + "round", + "jumpstart", + "jump-start", + "jump", + "stop", + "halt", + "hold", + "arrest", + "bring up", + "cut", + "cut", + "cut away", + "cut to", + "flag down", + "stop", + "halt", + "pull up short", + "check", + "check", + "check", + "turn on a dime", + "rein", + "rein in", + "stall", + "conk", + "stall", + "stall", + "stall", + "stop", + "stop over", + "draw up", + "pull up", + "haul up", + "draw up", + "pull up", + "brake", + "brake", + "ply", + "run", + "start", + "go", + "get going", + "get off the ground", + "take off", + "lurch", + "pitch", + "shift", + "jolt", + "jar", + "jar", + "shake up", + "bump around", + "duck", + "bob", + "dabble", + "dandle", + "bob around", + "bob about", + "wallow", + "welter", + "roll", + "turn over", + "rim", + "roll", + "revolve", + "transit", + "transit", + "transpose", + "tramp down", + "trample", + "tread down", + "somersault", + "roll over", + "tumble", + "trundle", + "waver", + "weave", + "writhe", + "wrestle", + "wriggle", + "worm", + "squirm", + "twist", + "wrench", + "wreathe", + "wobble", + "coggle", + "sidle", + "sashay", + "sidle", + "pronk", + "sweep", + "sail", + "swan", + "brush", + "sweep", + "skid", + "slip", + "slue", + "slew", + "slide", + "submarine", + "skid", + "side-slip", + "skid", + "wamble", + "waggle", + "chop", + "shimmy", + "wobble", + "jostle", + "shove", + "push", + "force", + "push", + "push", + "nose", + "push out", + "obtrude", + "thrust out", + "push aside", + "push away", + "muscle into", + "push up", + "uplift", + "boost up", + "elbow", + "shoulder in", + "waft", + "tide", + "tide", + "float", + "drift", + "refloat", + "travel purposefully", + "rock", + "sway", + "shake", + "roll", + "reciprocate", + "rock", + "sway", + "nutate", + "swag", + "move back and forth", + "cradle", + "fluctuate", + "vacillate", + "waver", + "fluctuate", + "swing", + "sway", + "swing", + "nod", + "lash", + "oscillate", + "vibrate", + "hunt", + "librate", + "flicker", + "waver", + "flitter", + "flutter", + "quiver", + "swing around", + "swing about", + "turn around", + "pulsate", + "throb", + "pulse", + "pulsate", + "beat", + "quiver", + "pulse", + "palpitate", + "flutter", + "beat", + "pound", + "thump", + "thrash", + "beat out", + "tap out", + "thump out", + "beat", + "flap", + "teeter", + "seesaw", + "totter", + "roll", + "wander", + "swan", + "stray", + "tramp", + "roam", + "cast", + "ramble", + "rove", + "range", + "drift", + "vagabond", + "tramp", + "maunder", + "walk", + "take the air", + "constitutionalize", + "gallivant", + "gad", + "jazz around", + "weave", + "wind", + "thread", + "meander", + "wander", + "snake", + "shift", + "dislodge", + "reposition", + "beat down", + "frolic", + "lark", + "rollick", + "skylark", + "disport", + "sport", + "cavort", + "gambol", + "frisk", + "romp", + "run around", + "lark about", + "forge", + "spurt", + "spirt", + "forge", + "buck", + "jerk", + "hitch", + "cant", + "cant over", + "tilt", + "slant", + "pitch", + "cock", + "careen", + "wobble", + "shift", + "tilt", + "scend", + "surge", + "churn", + "boil", + "moil", + "roil", + "fan", + "winnow", + "crawl", + "creep", + "formicate", + "scramble", + "slither", + "slide", + "coast", + "freewheel", + "wheel", + "roll", + "bowl", + "troll", + "glide", + "glide", + "skitter", + "snake", + "steal", + "slip", + "tremble", + "tremor", + "quake", + "shudder", + "shiver", + "throb", + "thrill", + "quiver", + "quake", + "palpitate", + "palpitate", + "shake", + "agitate", + "convulse", + "sparge", + "succuss", + "shake up", + "concuss", + "rattle", + "convulse", + "thresh", + "thresh about", + "thrash", + "thrash about", + "slash", + "toss", + "jactitate", + "whip", + "vibrate", + "brachiate", + "judder", + "shake", + "jerk", + "twitch", + "bounce", + "resile", + "take a hop", + "spring", + "bound", + "rebound", + "recoil", + "reverberate", + "ricochet", + "bounce", + "jounce", + "skip", + "bound off", + "carom", + "glance", + "flip", + "toss", + "capsize", + "turtle", + "turn turtle", + "flip", + "flick", + "flip", + "twitch", + "snap", + "click", + "stir", + "shift", + "budge", + "agitate", + "arouse", + "stir", + "stir", + "breeze", + "dance", + "glissade", + "chasse", + "sashay", + "capriole", + "bop", + "bebop", + "bump", + "twist", + "waltz", + "waltz around", + "tapdance", + "tap", + "tango", + "shag", + "foxtrot", + "contradance", + "country-dance", + "contredanse", + "contra danse", + "break dance", + "break-dance", + "break", + "cakewalk", + "conga", + "samba", + "two-step", + "Charleston", + "boogie", + "cha-cha", + "disco", + "mambo", + "polka", + "one-step", + "rhumba", + "rumba", + "slam dance", + "slam", + "mosh", + "thrash", + "jig", + "jitterbug", + "jiggle", + "joggle", + "wiggle", + "wag", + "waggle", + "folk dance", + "square dance", + "call", + "call off", + "quickstep", + "thrust", + "dig", + "dart", + "flit", + "flutter", + "fleet", + "dart", + "butterfly", + "flutter", + "stumble", + "trip", + "founder", + "trip", + "trip up", + "lollop", + "tap", + "stumble", + "falter", + "bumble", + "falter", + "waver", + "trot", + "jog", + "clip", + "trot", + "roll", + "undulate", + "flap", + "wave", + "mill", + "mill about", + "mill around", + "luff", + "scurry", + "scamper", + "skitter", + "scuttle", + "crab", + "float", + "drift", + "be adrift", + "blow", + "drift", + "play", + "play", + "tide", + "surge", + "ebb", + "ebb away", + "ebb down", + "ebb out", + "ebb off", + "fall back", + "float", + "swim", + "swim", + "buoy", + "walk", + "spacewalk", + "foot", + "leg it", + "hoof", + "hoof it", + "toe", + "chariot", + "walk", + "walk", + "turn", + "port", + "face", + "reorient", + "turn off", + "turn away", + "gee", + "about-face", + "caracole", + "corner", + "overturn", + "turn over", + "tip over", + "tump over", + "upend", + "turn", + "move around", + "overturn", + "tip over", + "turn over", + "upset", + "knock over", + "bowl over", + "tump over", + "startle", + "jump", + "start", + "shy", + "boggle", + "traipse", + "shlep", + "perambulate", + "walk about", + "walk around", + "circumambulate", + "walk around", + "circle", + "circumnavigate", + "compass", + "ambulate", + "sneak", + "mouse", + "creep", + "pussyfoot", + "traverse", + "track", + "cover", + "cross", + "pass over", + "get over", + "get across", + "cut through", + "cut across", + "stride", + "walk", + "crisscross", + "infiltrate", + "pass through", + "infiltrate", + "infiltrate", + "ford", + "cross", + "decussate", + "claw", + "jostle", + "cross", + "uncross", + "run", + "bridge", + "jaywalk", + "transit", + "pass through", + "move through", + "pass across", + "pass over", + "cut", + "cut", + "slice into", + "slice through", + "wade", + "puddle", + "tittup", + "swagger", + "ruffle", + "prance", + "strut", + "sashay", + "cock", + "sleepwalk", + "somnambulate", + "slink", + "limp", + "gimp", + "hobble", + "hitch", + "shuffle", + "scuffle", + "shamble", + "scuff", + "drag", + "stroll", + "saunter", + "amble", + "mosey", + "prowl", + "skulk", + "mope", + "mope around", + "toddle", + "coggle", + "totter", + "dodder", + "paddle", + "waddle", + "totter", + "promenade", + "march", + "stride", + "troop", + "file", + "file in", + "pop in", + "pop out", + "file out", + "tramp", + "hike", + "slog", + "footslog", + "plod", + "trudge", + "pad", + "tramp", + "squelch", + "squish", + "splash", + "splosh", + "slosh", + "slop", + "clamber", + "scramble", + "shin", + "shinny", + "skin", + "struggle", + "sputter", + "climb", + "climb up", + "mount", + "go up", + "scale", + "escalade", + "ramp", + "mountaineer", + "rappel", + "abseil", + "rope down", + "hop on", + "mount", + "mount up", + "get on", + "jump on", + "climb on", + "bestride", + "remount", + "hop out", + "get off", + "climb", + "tiptoe", + "tip", + "tippytoe", + "stalk", + "buzz", + "flounce", + "parade", + "troop", + "promenade", + "parade", + "exhibit", + "march", + "stagger", + "reel", + "keel", + "lurch", + "swag", + "careen", + "stagger", + "flounder", + "stomp", + "stamp", + "stump", + "lumber", + "pound", + "stray", + "err", + "drift", + "backpack", + "pack", + "run", + "romp", + "run", + "run bases", + "streak", + "run", + "outrun", + "run", + "consort", + "run", + "bear down on", + "bear down upon", + "luff", + "point", + "weather", + "jog", + "sprint", + "lope", + "step", + "backpedal", + "goose step", + "pace", + "tread", + "trample", + "treadle", + "slouch", + "mince", + "clump", + "clomp", + "drive", + "motor", + "drive", + "take", + "automobile", + "drive", + "coach", + "test drive", + "cruise", + "steer", + "maneuver", + "manoeuver", + "manoeuvre", + "direct", + "point", + "head", + "guide", + "channelize", + "channelise", + "helm", + "crab", + "navigate", + "stand out", + "starboard", + "conn", + "beacon", + "navigate", + "pilot", + "astrogate", + "channel", + "canalize", + "canalise", + "corner", + "tree", + "park", + "angle-park", + "parallel-park", + "double-park", + "steer", + "head", + "bicycle", + "cycle", + "bike", + "pedal", + "wheel", + "unicycle", + "backpedal", + "motorbike", + "motorcycle", + "cycle", + "kick", + "strike out", + "train", + "rail", + "skate", + "spread-eagle", + "ice skate", + "figure skate", + "roller skate", + "skateboard", + "Rollerblade", + "speed skate", + "ski", + "wedel", + "hot-dog", + "schuss", + "slalom", + "sled", + "sleigh", + "dogsled", + "mush", + "drive", + "mush", + "bobsled", + "bob", + "toboggan", + "luge", + "water ski", + "fly", + "wing", + "rack", + "flight", + "fly on", + "fly", + "aviate", + "pilot", + "fly blind", + "fly contact", + "solo", + "test fly", + "jet", + "glide", + "kite", + "plane", + "skim", + "aquaplane", + "sailplane", + "soar", + "hydroplane", + "seaplane", + "soar", + "hover", + "poise", + "soar", + "soar up", + "soar upwards", + "surge", + "zoom", + "go up", + "rocket", + "skyrocket", + "levitate", + "hover", + "levitate", + "boat", + "steamer", + "steam", + "tram", + "motorboat", + "yacht", + "sail", + "beat", + "scud", + "rack", + "outpoint", + "tack", + "wear round", + "wear ship", + "jibe", + "gybe", + "jib", + "change course", + "row", + "pull", + "scull", + "canoe", + "kayak", + "paddle", + "surfboard", + "surf", + "body-surf", + "windsurf", + "balloon", + "taxi", + "taxi", + "cab", + "bus", + "ferry", + "caravan", + "ferry", + "wheelbarrow", + "ferry", + "chariot", + "raft", + "bus", + "pipe", + "barge", + "railroad", + "transport", + "send", + "ship", + "air-ship", + "airfreight", + "air-freight", + "freight", + "send", + "direct", + "turn", + "turn", + "divert", + "route", + "route", + "refer", + "recommit", + "redirect", + "airt", + "sublimate", + "desexualize", + "desexualise", + "transport", + "truck", + "rail", + "sledge", + "lighter", + "bundle off", + "dispatch", + "despatch", + "send off", + "route", + "forward", + "send on", + "hedgehop", + "flat-hat", + "hang glide", + "soar", + "ride", + "aquaplane", + "joyride", + "tool", + "tool around", + "hitchhike", + "hitch", + "thumb", + "pick up", + "snowmobile", + "piggyback", + "ride", + "sit", + "override", + "ride herd", + "outride", + "unhorse", + "dismount", + "light", + "get off", + "get down", + "ride horseback", + "prance", + "prance", + "prance", + "canter", + "canter", + "canter", + "walk", + "gallop", + "post", + "gallop", + "extend", + "single-foot", + "rack", + "gallop", + "trot", + "swim", + "school", + "fin", + "break water", + "fin", + "paddle", + "crawl", + "breaststroke", + "backstroke", + "skinny-dip", + "dive", + "dive", + "skin-dive", + "belly-flop", + "jackknife", + "power-dive", + "snorkel", + "jump", + "leap", + "bound", + "spring", + "burst", + "bounce", + "capriole", + "galumph", + "jump", + "leap", + "ski jump", + "saltate", + "saltate", + "vault", + "leapfrog", + "bolt", + "vault", + "overleap", + "curvet", + "leap out", + "rush out", + "sally out", + "burst forth", + "avalanche", + "roll down", + "hop", + "skip", + "hop-skip", + "caper", + "hurdle", + "dive", + "plunge", + "plunk", + "nosedive", + "duck", + "crash-dive", + "sky dive", + "skydive", + "chute", + "parachute", + "jump", + "rise", + "lift", + "arise", + "move up", + "go up", + "come up", + "uprise", + "bubble", + "ascend", + "go up", + "uplift", + "ascend", + "move up", + "rise", + "queen", + "chandelle", + "steam", + "rise", + "come up", + "uprise", + "ascend", + "set", + "go down", + "go under", + "descend", + "fall", + "go down", + "come down", + "decline", + "slump", + "correct", + "precipitate", + "sink", + "subside", + "sink", + "pass", + "lapse", + "fall", + "crash", + "flop", + "flop", + "break", + "lower", + "take down", + "let down", + "get down", + "bring down", + "get down", + "reef", + "lift", + "raise", + "depress", + "raise", + "lift", + "elevate", + "get up", + "bring up", + "underlay", + "skid", + "pinnacle", + "chin", + "chin up", + "raise", + "leaven", + "prove", + "heighten", + "hike", + "hike up", + "boost", + "pick up", + "lift up", + "gather up", + "dip", + "douse", + "duck", + "dabble", + "tumble", + "topple", + "keel over", + "drop", + "plunge", + "dump", + "plop", + "plop", + "dump", + "drop", + "hang", + "plonk down", + "plump down", + "plank down", + "plummet", + "plump", + "flump", + "flump down", + "pitch", + "alight", + "climb down", + "alight", + "light", + "perch", + "force-land", + "beach", + "port", + "disembark", + "debark", + "set down", + "embark", + "ship", + "entrain", + "touch down", + "land", + "set down", + "drive in", + "undershoot", + "belly-land", + "crash land", + "ditch", + "land", + "put down", + "bring down", + "down", + "shoot down", + "land", + "land", + "set ashore", + "shore", + "rear", + "rise up", + "rear back", + "rear back", + "straighten", + "drop open", + "fall open", + "assume", + "take", + "strike", + "take up", + "draw up", + "pull up", + "straighten up", + "rear", + "erect", + "prick up", + "prick", + "cock up", + "rise", + "prove", + "arise", + "rise", + "uprise", + "get up", + "stand up", + "take the floor", + "bristle", + "uprise", + "stand up", + "change posture", + "fall", + "fall", + "fall down", + "right", + "right", + "sit down", + "sit", + "lie down", + "lie", + "stretch", + "stretch out", + "charge", + "sag", + "droop", + "swag", + "flag", + "sag", + "sag down", + "sink", + "drop", + "drop down", + "subside", + "settle", + "subside", + "settle", + "settle", + "sink", + "settle", + "position", + "square", + "square up", + "jog", + "even up", + "glycerolize", + "glycerolise", + "deglycerolize", + "deglycerolise", + "space", + "marshal", + "settle", + "settle down", + "sediment", + "sediment", + "slump", + "slide down", + "sink", + "collapse", + "fall in", + "cave in", + "give", + "give way", + "break", + "founder", + "collapse", + "burst", + "slump", + "slouch", + "sink", + "settle", + "go down", + "go under", + "founder", + "surface", + "come up", + "rise up", + "rise", + "uprise", + "emerge", + "resurface", + "bubble up", + "intumesce", + "well", + "swell", + "break", + "submerge", + "submerse", + "zigzag", + "crank", + "follow", + "travel along", + "heel", + "seesaw", + "teeter-totter", + "teetertotter", + "seesaw", + "advance", + "progress", + "pass on", + "move on", + "march on", + "go on", + "penetrate", + "creep up", + "sneak up", + "encroach", + "infringe", + "impinge", + "press on", + "push on", + "plough on", + "jam", + "string", + "string along", + "advance", + "bring forward", + "nose", + "advance", + "set ahead", + "withdraw", + "retreat", + "pull away", + "draw back", + "recede", + "pull back", + "retire", + "move back", + "retrograde", + "retreat", + "retrograde", + "retrograde", + "draw", + "pull", + "pull out", + "get out", + "take out", + "proceed", + "go forward", + "continue", + "trace", + "roar", + "limp", + "barge", + "thrust ahead", + "push forward", + "march", + "process", + "countermarch", + "back", + "back out", + "back", + "back up", + "back off", + "back down", + "lag", + "dawdle", + "fall back", + "fall behind", + "tailgate", + "pan", + "follow", + "catch up", + "come back", + "scale", + "surmount", + "precede", + "lead", + "lead", + "head", + "draw away", + "lead", + "take", + "direct", + "conduct", + "guide", + "hand", + "mislead", + "misdirect", + "misguide", + "lead astray", + "usher", + "show", + "marshal", + "pursue", + "follow", + "stalk", + "shadow", + "carry", + "chase", + "chase after", + "trail", + "tail", + "tag", + "give chase", + "dog", + "go after", + "track", + "fire", + "quest", + "chase away", + "drive out", + "turn back", + "drive away", + "dispel", + "drive off", + "run off", + "clear the air", + "banish", + "shoo off", + "shoo", + "shoo away", + "hound", + "hunt", + "trace", + "ferret", + "haunt", + "stalk", + "run down", + "trace", + "retrace", + "backtrack", + "turn back", + "double back", + "cut back", + "flash back", + "return", + "home", + "go home", + "head home", + "return", + "boomerang", + "arrive", + "get", + "come", + "roll up", + "get", + "come", + "come in", + "reach", + "hit", + "attain", + "max out", + "break even", + "access", + "get at", + "flood in", + "crest", + "bottom out", + "top out", + "peak", + "depart", + "take leave", + "quit", + "fall out", + "walk out of", + "congee", + "pop off", + "stay", + "beat a retreat", + "leave", + "go forth", + "go away", + "walk off", + "walk away", + "hightail", + "walk out", + "come away", + "decamp", + "skip", + "vamoose", + "scram", + "buzz off", + "fuck off", + "get", + "bugger off", + "run off", + "run out", + "bolt", + "bolt out", + "beetle off", + "ride off", + "ride away", + "go out", + "tarry", + "linger", + "dally", + "dawdle", + "derail", + "jump", + "derail", + "shunt", + "transfer", + "shift", + "carry", + "shuffle", + "transship", + "bunker", + "carry over", + "carry forward", + "displace", + "force out", + "crowd out", + "evacuate", + "depart", + "part", + "start", + "start out", + "set forth", + "set off", + "set out", + "take off", + "take off", + "lift off", + "roar off", + "blaze", + "blaze out", + "sally forth", + "sally out", + "pull out", + "get out", + "pull in", + "get in", + "move in", + "draw in", + "exit", + "go out", + "get out", + "leave", + "get off", + "detrain", + "deplane", + "step out", + "enter", + "come in", + "get into", + "get in", + "go into", + "go in", + "move into", + "walk in", + "call at", + "out in", + "plump in", + "plump out", + "take water", + "turn in", + "edge in", + "edge up", + "board", + "get on", + "emplane", + "enplane", + "catch", + "intrude", + "irrupt", + "bother", + "barge in", + "crash", + "gate-crash", + "move in on", + "crash", + "muscle", + "transgress", + "trespass", + "overstep", + "intrude on", + "invade", + "obtrude upon", + "encroach upon", + "foray into", + "raid", + "maraud", + "infest", + "overrun", + "reach", + "make", + "attain", + "hit", + "arrive at", + "gain", + "summit", + "breast", + "top", + "make", + "find", + "culminate", + "get through", + "come through", + "reach", + "make", + "get to", + "progress to", + "ground", + "run aground", + "ground", + "strand", + "run aground", + "miss", + "meet", + "meet up with", + "meet", + "run into", + "encounter", + "run across", + "come across", + "see", + "intersect", + "cross", + "congregate", + "hive", + "fort", + "fort up", + "mass", + "press", + "convene", + "reconvene", + "sit", + "cluster", + "constellate", + "flock", + "clump", + "flock", + "accompany", + "escort", + "see", + "escort", + "squire", + "safeguard", + "convoy", + "chaperone", + "chaperon", + "body guard", + "tag along", + "huddle", + "huddle together", + "bunch together", + "bunch", + "bunch up", + "crowd", + "crowd together", + "overcrowd", + "surcharge", + "overcrowd", + "pour", + "swarm", + "stream", + "teem", + "pullulate", + "herd", + "herd", + "crowd", + "disperse", + "dissipate", + "scatter", + "spread out", + "break", + "volley", + "break up", + "diffract", + "disband", + "dissolve", + "separate", + "part", + "split", + "disperse", + "dissipate", + "dispel", + "break up", + "scatter", + "break", + "disband", + "separate", + "divide", + "rail", + "rail off", + "detach", + "shut off", + "close off", + "curtain off", + "avulse", + "sprawl", + "straggle", + "diverge", + "converge", + "concentrate", + "bend", + "swerve", + "sheer", + "curve", + "trend", + "veer", + "slue", + "slew", + "cut", + "peel off", + "deflect", + "yaw", + "hunt", + "deflect", + "bend", + "turn away", + "avert", + "turn away", + "crook", + "curve", + "recurve", + "arch", + "curve", + "arc", + "overarch", + "arch over", + "camber", + "hunch", + "hump", + "hunch forward", + "hunch over", + "straighten", + "unbend", + "bend", + "flex", + "incurvate", + "retroflex", + "replicate", + "dress", + "line up", + "line up", + "queue up", + "queue", + "flex", + "slope", + "incline", + "pitch", + "ascend", + "stoop", + "fall", + "climb", + "dip", + "weather", + "lean", + "tilt", + "tip", + "slant", + "angle", + "list", + "heel", + "list", + "lean", + "lean back", + "recline", + "fall back", + "bank", + "tip", + "dip", + "sink", + "decline", + "ripple", + "ruffle", + "riffle", + "cockle", + "undulate", + "bow", + "curtsy", + "curtsey", + "scrape", + "kowtow", + "genuflect", + "genuflect", + "dip", + "billow", + "surge", + "heave", + "billow", + "wallow", + "cloud", + "billow", + "crumble", + "crumple", + "tumble", + "break down", + "collapse", + "burrow", + "tunnel", + "circulate", + "circulate", + "ventilate", + "circulate", + "convect", + "circulate", + "pass around", + "pass on", + "distribute", + "send around", + "circularize", + "circularise", + "utter", + "orb", + "orbit", + "revolve", + "circle", + "circulate", + "troll", + "loop", + "loop", + "angle", + "revolve", + "go around", + "rotate", + "turn out", + "splay", + "spread out", + "rotate", + "splay", + "rotate", + "circumvolve", + "wheel", + "wheel around", + "cartwheel", + "wheel", + "wheel around", + "pivot", + "swivel", + "spin", + "spin around", + "whirl", + "reel", + "gyrate", + "whirligig", + "centrifuge", + "centrifugate", + "ultracentrifuge", + "eddy", + "purl", + "whirlpool", + "swirl", + "whirl", + "whirl", + "tumble", + "whirl around", + "whirl", + "birl", + "spin", + "twirl", + "birl", + "birle", + "pirouette", + "kick", + "skank", + "grind", + "twirl", + "swirl", + "twiddle", + "whirl", + "gyrate", + "spiral", + "coil", + "corkscrew", + "spiral", + "pass", + "overtake", + "overhaul", + "get by", + "pass", + "go through", + "go across", + "negotiate", + "negociate", + "lock", + "make", + "work", + "cycle", + "cycle on", + "fumble", + "blunder", + "travel by", + "pass by", + "surpass", + "go past", + "go by", + "pass", + "skirt", + "run by", + "fly by", + "pass", + "make pass", + "cycle", + "recycle", + "pass off", + "pass through", + "reeve", + "clear", + "reeve", + "bushwhack", + "zip by", + "fly by", + "whisk by", + "approach", + "near", + "come on", + "go up", + "draw near", + "draw close", + "come near", + "close", + "close", + "come together", + "close in", + "draw in", + "push", + "crowd", + "unfold", + "stretch", + "stretch out", + "extend", + "tear", + "shoot", + "shoot down", + "charge", + "buck", + "zoom", + "zoom along", + "whizz", + "whizz along", + "travel rapidly", + "speed", + "hurry", + "zip", + "speed", + "zoom", + "stampede", + "rout out", + "drive out", + "force out", + "rouse", + "hunt", + "smoke out", + "drive", + "pull", + "pull", + "drive", + "cut in", + "drive around", + "chauffeur", + "bustle", + "bustle about", + "hustle", + "fidget", + "linger", + "dawdle", + "drag", + "trail", + "get behind", + "hang back", + "drop behind", + "drop back", + "rush", + "hotfoot", + "hasten", + "hie", + "speed", + "race", + "pelt along", + "rush along", + "cannonball along", + "bucket along", + "belt along", + "step on it", + "race", + "rush", + "rush off", + "rush away", + "rush", + "trail", + "shack", + "diffuse", + "spread", + "spread out", + "fan out", + "percolate", + "creep", + "run", + "bleed", + "crock", + "flinch", + "squinch", + "funk", + "cringe", + "shrink", + "wince", + "recoil", + "quail", + "shrink back", + "retract", + "dart", + "dash", + "scoot", + "scud", + "flash", + "shoot", + "commute", + "shuttle", + "lunge", + "hurl", + "hurtle", + "thrust", + "riposte", + "crouch", + "stoop", + "bend", + "bow", + "incline", + "squinch", + "double over", + "double", + "double up", + "uncurl", + "prostrate", + "bow down", + "fawn", + "crawl", + "creep", + "cringe", + "cower", + "grovel", + "huddle", + "cower", + "throng", + "mob", + "pack", + "pile", + "jam", + "pounce", + "swoop", + "stoop", + "swoop", + "deviate", + "divert", + "deviate", + "perturb", + "perturb", + "shunt", + "yaw", + "detour", + "sidetrack", + "depart", + "digress", + "straggle", + "flow", + "flux", + "transpire", + "transpirate", + "run", + "flow", + "feed", + "course", + "course", + "flow", + "waste", + "run off", + "spin", + "run down", + "pump", + "spurt", + "spirt", + "gush", + "spout", + "blow", + "whoosh", + "hiss", + "whoosh", + "woosh", + "whoosh", + "pour", + "regurgitate", + "pour", + "effuse", + "pour out", + "spill", + "run out", + "spill over", + "spill out", + "pour out", + "decant", + "pour", + "pour out", + "stream", + "well out", + "stream", + "trickle", + "dribble", + "filter", + "drip", + "cascade", + "cascade down", + "drain", + "run out", + "leach", + "percolate", + "leach", + "seep", + "ooze", + "overflow", + "overrun", + "well over", + "run over", + "brim over", + "geyser", + "edge", + "inch", + "ratchet", + "rachet up", + "ratchet down", + "elapse", + "lapse", + "pass", + "slip by", + "glide by", + "slip away", + "go by", + "slide by", + "go along", + "fly", + "fell", + "vanish", + "break", + "break out", + "break away", + "shake", + "shake off", + "throw off", + "escape from", + "abscond", + "bolt", + "absquatulate", + "decamp", + "run off", + "go off", + "make off", + "levant", + "elope", + "run off", + "elude", + "evade", + "bilk", + "escape", + "get away", + "break loose", + "scat", + "run", + "scarper", + "turn tail", + "lam", + "run away", + "hightail it", + "bunk", + "head for the hills", + "take to the woods", + "escape", + "fly the coop", + "break away", + "flee", + "fly", + "take flight", + "skedaddle", + "take", + "make", + "slip away", + "steal away", + "sneak away", + "sneak off", + "sneak out", + "slip", + "slip", + "vacate", + "empty", + "abandon", + "decamp", + "break camp", + "eject", + "expand", + "spread out", + "dispread", + "bush out", + "bring", + "convey", + "take", + "return", + "take back", + "bring back", + "track", + "bring in", + "introduce", + "insinuate", + "interpose", + "church", + "carry over", + "tube", + "whisk", + "whisk", + "impart", + "conduct", + "transmit", + "convey", + "carry", + "channel", + "wash up", + "pipe in", + "bring in", + "retransmit", + "peregrinate", + "clear", + "top", + "pronate", + "leave behind", + "outdistance", + "outstrip", + "distance", + "start", + "protrude", + "pop", + "pop out", + "bulge", + "bulge out", + "bug out", + "come out", + "career", + "revolve around", + "circle around", + "circle round", + "circuit", + "spread", + "scatter", + "spread out", + "manure", + "muck", + "birdlime", + "lime", + "circumfuse", + "collapse", + "concertina", + "bestir", + "rouse", + "debouch", + "march out", + "exteriorize", + "bring outside", + "flurry", + "march", + "march", + "frogmarch", + "gutter", + "hare", + "lance", + "mantle", + "outflank", + "go around", + "propagate", + "dock", + "undock", + "upstage", + "welter", + "remove", + "transfer", + "stampede", + "pack", + "land", + "strand", + "port", + "streak", + "swing", + "wind up", + "draw", + "transfer", + "change", + "heave", + "crash", + "thunder", + "snap", + "swash", + "come to the fore", + "step forward", + "come forward", + "step up", + "step to the fore", + "come out", + "turn", + "turn over", + "evert", + "leaf", + "turn", + "supinate", + "turn", + "bring about", + "port", + "slide", + "pace", + "step", + "tread", + "step", + "step", + "step on", + "tread on", + "hurtle", + "run", + "retreat", + "cocoon", + "high-tail", + "whistle", + "whistle", + "beat", + "flap", + "beat", + "flap", + "flail", + "thresh", + "bate", + "clap", + "clap", + "fling", + "thrust", + "stuff", + "shove", + "squeeze", + "hop", + "hop", + "hop", + "hop", + "bed-hop", + "bedhop", + "sleep around", + "ride", + "singsong", + "island hop", + "shoot", + "turn", + "hustle", + "dodge", + "dodge", + "plow", + "plough", + "topple", + "tumble", + "tip", + "throw", + "throw", + "lurch", + "jackrabbit", + "draw", + "come out", + "fall out", + "rip", + "wash", + "make way", + "curl up", + "curl", + "draw in", + "sit up", + "sift", + "interpose", + "dance", + "grab", + "fall", + "drag", + "rake", + "run", + "bang", + "tool", + "run away", + "blow", + "whiff", + "blow", + "blast", + "break", + "precess", + "cut", + "drag", + "travel", + "move around", + "itinerate", + "ride", + "advect", + "wander", + "ascend", + "pull", + "draw", + "snowshoe", + "beetle", + "lateralize", + "translate", + "hit", + "strike", + "smash", + "close", + "teleport", + "snowboard", + "jump", + "leap", + "jump off", + "sling", + "sling", + "slip", + "ascend", + "climb up", + "record", + "register", + "feel", + "sense", + "perceive", + "comprehend", + "apperceive", + "pick up", + "receive", + "hear", + "divine", + "chiromance", + "experience", + "receive", + "have", + "get", + "undergo", + "get", + "receive", + "hit", + "strike", + "come to", + "take", + "suffer", + "endure", + "tolerate", + "catch", + "get", + "die", + "suffer", + "meet", + "experience", + "see", + "go through", + "feel", + "enjoy", + "subject", + "vitriol", + "put", + "shipwreck", + "refract", + "expose", + "ventilate", + "sun", + "insolate", + "solarize", + "solarise", + "air out", + "air", + "aerate", + "overexpose", + "underexpose", + "expose", + "overexpose", + "solarize", + "solarise", + "solarize", + "solarise", + "underexpose", + "solarize", + "solarise", + "photosensitize", + "photosensitise", + "desensitize", + "desensitise", + "numb", + "benumb", + "blunt", + "dull", + "stun", + "bedaze", + "daze", + "besot", + "stupefy", + "sensitize", + "sensitise", + "stimulate", + "excite", + "stir", + "horripilate", + "horripilate", + "work", + "fellate", + "suck", + "blow", + "go down on", + "thrill", + "whet", + "quicken", + "hallucinate", + "misperceive", + "catch", + "pick up", + "dream", + "notice", + "mark", + "note", + "take notice", + "note", + "take note", + "observe", + "ignore", + "pass up", + "glimpse", + "chafe", + "gall", + "fret", + "rub", + "scratch", + "itch", + "tickle", + "titillate", + "vellicate", + "bite", + "sting", + "burn", + "nettle", + "urticate", + "urticate", + "burn", + "itch", + "itch", + "hurt", + "ache", + "suffer", + "twinge", + "hunger", + "thirst", + "ache", + "smart", + "hurt", + "act up", + "throb", + "twang", + "tingle", + "prickle", + "shoot", + "prickle", + "prick", + "prick", + "sting", + "twinge", + "smell", + "cause to be perceived", + "reek", + "stink", + "smell", + "salute", + "reach one's nostrils", + "smell", + "sniff", + "whiff", + "scent", + "nose", + "wind", + "sniff out", + "scent out", + "smell out", + "nose out", + "odorize", + "odourise", + "scent", + "stink up", + "smell up", + "stink out", + "snuff", + "snuffle", + "get a noseful", + "get a whiff", + "perfume", + "aromatize", + "aromatise", + "cense", + "incense", + "thurify", + "deodorize", + "deodorise", + "deodourise", + "fumigate", + "fume", + "touch", + "feel", + "miss", + "lose", + "discover", + "witness", + "eyewitness", + "watch", + "look on", + "witness", + "find", + "see", + "see", + "see", + "catch sight", + "get a look", + "catch a glimpse", + "lose sight of", + "behold", + "lay eyes on", + "view", + "consider", + "look at", + "look", + "examine", + "see", + "take a look", + "have a look", + "get a load", + "watch", + "look back", + "look backward", + "look away", + "look around", + "see double", + "gaze", + "stare", + "stare down", + "outstare", + "outface", + "regard", + "consider", + "stargaze", + "look", + "appear", + "seem", + "make", + "cut", + "feel", + "pass off", + "appear", + "seem", + "sound", + "sound", + "dissonate", + "pierce", + "speak", + "blow", + "blow", + "ting", + "come across", + "reflect", + "reverberate", + "reverberate", + "reflect", + "reflect", + "redound", + "show", + "peep", + "disclose", + "expose", + "face", + "project", + "silhouette", + "do justice", + "flash", + "develop", + "underdevelop", + "redevelop", + "show", + "show up", + "register", + "screen", + "expose", + "exhibit", + "display", + "open", + "close", + "fly", + "produce", + "bring forth", + "turn on", + "hold up", + "bench", + "moon", + "flaunt", + "flash", + "show off", + "ostentate", + "swank", + "flex", + "splurge", + "brandish", + "model", + "model", + "pose", + "sit", + "posture", + "ramp", + "uncover", + "bring out", + "unveil", + "reveal", + "excavate", + "unearth", + "dig", + "dig up", + "dig out", + "trot out", + "unfold", + "reveal", + "express", + "stamp", + "hide", + "conceal", + "secrete", + "occult", + "obstruct", + "block", + "hide", + "hide out", + "stow away", + "hunker down", + "hole up", + "lie low", + "conceal", + "hold back", + "hold in", + "earth", + "cover", + "bosom", + "bury", + "dissemble", + "cloak", + "mask", + "dissimulate", + "masquerade", + "whitewash", + "gloss over", + "sleek over", + "hush up", + "cover", + "cover up", + "harbor", + "harbour", + "shield", + "show", + "demo", + "exhibit", + "present", + "demonstrate", + "condemn", + "attaint", + "occult", + "x-ray", + "candle", + "autopsy", + "auscultate", + "survey", + "watch", + "rubberneck", + "watch", + "view", + "see", + "catch", + "take in", + "visualize", + "visualise", + "image", + "spectate", + "preview", + "watch", + "look out", + "watch out", + "scan", + "skim", + "rake", + "glance over", + "run down", + "scan", + "glass", + "peruse", + "flick", + "flip", + "thumb", + "riffle", + "leaf", + "riff", + "zoom in", + "size up", + "take stock", + "scrutinize", + "scrutinise", + "search", + "look", + "cruise", + "prospect", + "descry", + "spot", + "espy", + "spy", + "detect", + "observe", + "find", + "discover", + "notice", + "sense", + "instantiate", + "instantiate", + "trace", + "see", + "rediscover", + "vanish", + "disappear", + "go away", + "clear", + "bob under", + "produce", + "bring on", + "bring out", + "offer", + "crop up", + "pop up", + "pop", + "obscure", + "befog", + "becloud", + "obnubilate", + "haze over", + "fog", + "cloud", + "mist", + "film over", + "glaze over", + "blur", + "overshadow", + "eclipse", + "occult", + "disguise", + "mask", + "camouflage", + "orient", + "orientate", + "guide", + "guide on", + "reorientate", + "reorient", + "disorient", + "disorientate", + "flash", + "blink", + "wink", + "twinkle", + "winkle", + "flicker", + "flick", + "beat down", + "beacon", + "radiate", + "gleam", + "glimmer", + "glow", + "fluoresce", + "scintillate", + "glow", + "beam", + "radiate", + "shine", + "blur", + "focus", + "refocus", + "dim", + "dip", + "dazzle", + "bedazzle", + "daze", + "glare", + "beat", + "glitter", + "glisten", + "glint", + "gleam", + "shine", + "spangle", + "monitor", + "supervise", + "monitor", + "spy", + "sight", + "ogle", + "give the glad eye", + "leer", + "goggle", + "gape", + "gawp", + "gawk", + "admire", + "contemplate", + "groak", + "peep", + "glance", + "peek", + "glint", + "inspect", + "perambulate", + "case", + "vet", + "overlook", + "overlook", + "study", + "consider", + "bethink", + "gloat", + "eye", + "eyeball", + "keep one's eyes peeled", + "keep one's eyes skinned", + "keep one's eyes open", + "look after", + "scout", + "reconnoiter", + "reconnoitre", + "give the eye", + "give the once over", + "squint", + "blind", + "abacinate", + "blind", + "seel", + "snow-blind", + "peer", + "intrude", + "horn in", + "pry", + "nose", + "poke", + "observe", + "hear", + "listen", + "hear out", + "listen in", + "attend", + "hang", + "advert", + "pay heed", + "give ear", + "fixate", + "listen", + "hear", + "take heed", + "incline", + "tune in", + "whine", + "squeak", + "screech", + "creak", + "screak", + "skreak", + "racket", + "clatter", + "clack", + "brattle", + "stridulate", + "clitter", + "drown out", + "jingle", + "jingle-jangle", + "jangle", + "make noise", + "resound", + "noise", + "scream", + "splat", + "backfire", + "twang", + "twang", + "clang", + "clangor", + "clank", + "clangor", + "clangour", + "boom", + "boom out", + "drum", + "beat", + "thrum", + "rattle", + "ruckle", + "crepitate", + "crackle", + "tick", + "ticktock", + "ticktack", + "beat", + "ring out", + "resonate", + "vibrate", + "sound", + "go", + "crash", + "tweet", + "twirp", + "skirl", + "gurgle", + "glug", + "blow", + "whish", + "guggle", + "ping", + "pink", + "ping", + "knock", + "trump", + "squelch", + "chug", + "sound", + "prepare", + "gong", + "ting", + "strum", + "thrum", + "sound", + "project", + "ring", + "peal", + "ding", + "dong", + "dingdong", + "tintinnabulate", + "peal", + "ring", + "knell", + "knell", + "toll", + "buzz", + "bombinate", + "bombilate", + "chime", + "blast", + "blare", + "rustle", + "snap", + "crack", + "crack", + "honk", + "blare", + "beep", + "claxon", + "toot", + "tootle", + "whistle", + "resound", + "echo", + "ring", + "reverberate", + "consonate", + "reecho", + "reecho", + "bong", + "thud", + "thump", + "crump", + "thud", + "scrunch", + "clop", + "clump", + "clunk", + "plunk", + "patter", + "pitter-patter", + "tap", + "rap", + "knock", + "pink", + "click", + "tick", + "chatter", + "click", + "pop", + "pop", + "sputter", + "tinkle", + "tink", + "clink", + "chink", + "clink", + "splash", + "splosh", + "slosh", + "slush", + "hum", + "thrum", + "bleep", + "rumble", + "grumble", + "boom", + "din", + "bang", + "ripple", + "babble", + "guggle", + "burble", + "bubble", + "gurgle", + "lap", + "swish", + "swosh", + "swoosh", + "drone", + "whizz", + "whiz", + "whirr", + "whir", + "birr", + "purr", + "wiretap", + "tap", + "intercept", + "bug", + "catch", + "take in", + "overhear", + "catch", + "get", + "hark", + "harken", + "hearken", + "listen in", + "eavesdrop", + "deafen", + "deaf", + "deafen", + "quieten", + "hush", + "quiet", + "quiesce", + "quiet down", + "pipe down", + "louden", + "soften", + "sharpen", + "gag", + "muzzle", + "change intensity", + "muffle", + "mute", + "dull", + "damp", + "dampen", + "tone down", + "taste", + "season", + "flavor", + "flavour", + "curry", + "resinate", + "zest", + "spice", + "spice up", + "ginger", + "taste", + "spot", + "recognize", + "recognise", + "distinguish", + "discern", + "pick out", + "make out", + "tell apart", + "resolve", + "discriminate", + "savor", + "savour", + "savor", + "savour", + "taste", + "savor", + "savour", + "smack", + "taste", + "smack", + "reek", + "smell", + "disgust", + "gross out", + "revolt", + "repel", + "sicken", + "nauseate", + "turn one's stomach", + "sweeten", + "dulcify", + "edulcorate", + "dulcorate", + "bitter", + "honey", + "sugar", + "saccharify", + "pepper", + "salt", + "sugarcoat", + "glaze", + "candy", + "mull", + "sour", + "acidify", + "acidulate", + "acetify", + "change taste", + "lose", + "get off", + "come", + "greet", + "track", + "find", + "roll", + "seem", + "block", + "surveil", + "follow", + "survey", + "kill", + "see through", + "etch", + "sight", + "flush", + "give", + "cough up", + "pony up", + "spit up", + "give", + "give", + "gift", + "present", + "take", + "endow", + "dower", + "benefice", + "distribute", + "give out", + "hand out", + "pass out", + "give away", + "raffle", + "raffle off", + "tip", + "fee", + "bung", + "keep", + "hold on", + "carry over", + "hold over", + "keep", + "keep", + "maintain", + "have", + "have got", + "hold", + "keep", + "keep", + "monopolize", + "monopolise", + "wield", + "exert", + "maintain", + "own", + "have", + "possess", + "prepossess", + "have", + "take", + "take away", + "take back", + "repossess", + "come by", + "come into", + "kite", + "kite", + "stumble", + "hit", + "take", + "rescue", + "scale", + "buy", + "purchase", + "buy back", + "repurchase", + "take", + "get", + "clear", + "lease", + "rent", + "hire", + "charter", + "engage", + "take", + "lease", + "let", + "rent", + "sublet", + "sublease", + "hire out", + "rent out", + "farm out", + "subscribe", + "subscribe to", + "take", + "take", + "accept", + "receive", + "have", + "hustle", + "accept", + "fence", + "get", + "acquire", + "turn", + "buy", + "find", + "glom", + "enter upon", + "come upon", + "luck into", + "deny", + "refuse", + "deny", + "abnegate", + "line up", + "get hold", + "come up", + "find", + "withhold", + "keep back", + "keep to oneself", + "deny", + "reserve", + "devote", + "immobilize", + "immobilise", + "withhold", + "deduct", + "recoup", + "dock", + "annex", + "fund", + "fund", + "fund", + "fund", + "grubstake", + "bankroll", + "absorb", + "take over", + "subsidize", + "subsidise", + "subsidize", + "subsidise", + "finance", + "seed", + "back", + "finance", + "fund-raise", + "fund raise", + "fundraise", + "collect", + "take in", + "farm", + "refinance", + "fund", + "computerize", + "computerise", + "fund", + "support", + "provide", + "bring home the bacon", + "see through", + "sponsor", + "patronize", + "patronise", + "sponsor", + "cosponsor", + "transfer", + "demise", + "alien", + "alienate", + "negociate", + "negociate", + "convey", + "pass", + "desacralize", + "secularize", + "change hands", + "change owners", + "vest", + "discard", + "fling", + "toss", + "toss out", + "toss away", + "chuck out", + "cast aside", + "dispose", + "throw out", + "cast out", + "throw away", + "cast away", + "put away", + "slough off", + "deep-six", + "give it the deep six", + "jettison", + "trash", + "junk", + "scrap", + "waste", + "weed out", + "comb out", + "work off", + "get rid of", + "remove", + "cull", + "dump", + "ditch", + "dump", + "retire", + "save", + "preserve", + "stint", + "skimp", + "scant", + "fin", + "motorize", + "motorize", + "terrace", + "terrasse", + "dado", + "innervate", + "reclaim", + "recover", + "embalm", + "mummify", + "chuck", + "ditch", + "foreswear", + "renounce", + "quit", + "relinquish", + "abandon", + "give up", + "abandon", + "ditch", + "maroon", + "strand", + "assign", + "assign", + "allot", + "portion", + "reallot", + "bequeath", + "will", + "leave", + "devise", + "fall", + "return", + "pass", + "devolve", + "fall", + "light", + "accrue", + "fall", + "pass on", + "propagate", + "hand down", + "pass", + "hand", + "reach", + "pass on", + "turn over", + "give", + "slip", + "sneak", + "pass", + "convey", + "transmit", + "communicate", + "load", + "offset", + "transfer", + "import", + "export", + "offload", + "post", + "carry", + "FTP", + "spool", + "download", + "upload", + "allocate", + "apportion", + "reapportion", + "reallocate", + "ration", + "ration out", + "ration", + "surrender", + "cede", + "deliver", + "give up", + "yield up", + "sell", + "give", + "cast", + "accept", + "take", + "have", + "accept", + "admit", + "take", + "take on", + "refuel", + "fuel", + "welcome", + "refuse", + "reject", + "pass up", + "turn down", + "decline", + "honor", + "honour", + "put up", + "contribute", + "dishonor", + "dishonour", + "obtain", + "source", + "procure", + "secure", + "extract", + "take out", + "get in", + "get into", + "copyright", + "patent", + "eke out", + "squeeze out", + "eke out", + "squeeze out", + "engage", + "enlist", + "recruit", + "seek", + "bid", + "quest", + "extort", + "squeeze", + "rack", + "gouge", + "wring", + "gazump", + "extort", + "blackmail", + "scalp", + "bootleg", + "run", + "black market", + "sell", + "sell short", + "remainder", + "resell", + "syndicate", + "deaccession", + "sell off", + "foist off", + "palm off", + "fob off", + "realize", + "realise", + "auction", + "auction off", + "auctioneer", + "deal", + "sell", + "trade", + "push", + "transact", + "deal", + "black marketeer", + "pyramid", + "deal", + "deal", + "misdeal", + "retail", + "wholesale", + "fetch", + "bring in", + "bring", + "sell out", + "sell up", + "liquidize", + "de-access", + "recover", + "retrieve", + "find", + "regain", + "catch", + "find", + "happen", + "chance", + "bump", + "encounter", + "access", + "address", + "log in", + "log on", + "log-in", + "log out", + "log off", + "recover", + "recoup", + "recuperate", + "recoup", + "reimburse", + "compensate", + "recompense", + "remunerate", + "overpay", + "underpay", + "prepay", + "go Dutch", + "compensate", + "recompense", + "repair", + "indemnify", + "insure", + "indemnify", + "reinsure", + "coinsure", + "pay", + "tithe", + "tithe", + "pay up", + "ante up", + "pay", + "pay", + "square", + "pay", + "pay off", + "make up", + "compensate", + "default", + "default on", + "owe", + "owe", + "settle", + "liquidate", + "clean up", + "bounce", + "bounce", + "remit", + "accord", + "allot", + "grant", + "allow", + "grant", + "vouchsafe", + "allowance", + "grant", + "deed over", + "prize", + "value", + "treasure", + "appreciate", + "cash", + "cash in", + "liquidate", + "redeem", + "redeem", + "pay off", + "ransom", + "redeem", + "redeem", + "exchange", + "change", + "interchange", + "substitute", + "replace", + "interchange", + "exchange", + "reduce", + "truncate", + "substitute", + "sub", + "stand in", + "fill in", + "trade", + "swap", + "swop", + "switch", + "barter", + "beat down", + "bargain down", + "haggle", + "higgle", + "chaffer", + "huckster", + "dicker", + "bargain", + "trade", + "trade in", + "trade", + "merchandise", + "traffic", + "arbitrage", + "traffic", + "turn over", + "broker", + "treat", + "award", + "present", + "certificate", + "award", + "grant", + "pension", + "pension off", + "present", + "submit", + "bring in", + "donate", + "confer", + "bestow", + "bestow", + "heap", + "miter", + "bless", + "graduate", + "graduate", + "lavish", + "shower", + "credit", + "balance", + "overbalance", + "account", + "calculate", + "debit", + "trust", + "compound", + "save", + "lay aside", + "save up", + "blow", + "overspend", + "wanton", + "wanton away", + "trifle away", + "underspend", + "misspend", + "penny-pinch", + "nickel-and-dime", + "save", + "spend", + "expend", + "drop", + "spend", + "overspend", + "underspend", + "take", + "occupy", + "use up", + "be", + "waste", + "blow", + "squander", + "tighten one's belt", + "burn", + "splurge", + "fling", + "conserve", + "husband", + "economize", + "economise", + "rationalize", + "rationalise", + "retrench", + "scrounge", + "forage", + "rustle", + "schnorr", + "shnorr", + "scrounge", + "cadge", + "mooch", + "bum", + "cadge", + "grub", + "sponge", + "freeload", + "beg", + "panhandle", + "invest", + "put", + "commit", + "place", + "roll over", + "roll over", + "shelter", + "tie up", + "speculate", + "job", + "bull", + "appropriate", + "capture", + "seize", + "conquer", + "reconquer", + "preoccupy", + "impound", + "attach", + "sequester", + "confiscate", + "seize", + "condemn", + "sequester", + "garnishee", + "garnish", + "take over", + "buy out", + "buy up", + "assume", + "usurp", + "seize", + "take over", + "arrogate", + "hijack", + "raid", + "claim", + "lay claim", + "arrogate", + "pretend", + "requisition", + "derequisition", + "reclaim", + "repossess", + "distrain", + "foreclose", + "arrogate", + "assign", + "pilfer", + "cabbage", + "purloin", + "pinch", + "abstract", + "snarf", + "swipe", + "hook", + "sneak", + "filch", + "nobble", + "lift", + "rustle", + "lift", + "shoplift", + "hold up", + "stick up", + "mug", + "pirate", + "plagiarize", + "plagiarise", + "lift", + "crib", + "pocket", + "line one's pockets", + "profit", + "turn a profit", + "turn a nice dime", + "turn a nice penny", + "turn a nice dollar", + "clean up", + "cash in on", + "profiteer", + "capitalize", + "capitalise", + "take advantage", + "break even", + "conserve", + "preserve", + "maintain", + "keep up", + "plastinate", + "run down", + "exhaust", + "play out", + "sap", + "tire", + "store", + "hive away", + "lay in", + "put in", + "salt away", + "stack away", + "stash away", + "victual", + "mothball", + "reposit", + "wharf", + "tank", + "loft", + "warehouse", + "store", + "garage", + "bottle", + "ensile", + "retain", + "hold", + "keep back", + "hold back", + "hold down", + "keep open", + "hold open", + "keep", + "save", + "advance", + "bribe", + "corrupt", + "buy", + "grease one's palms", + "sop", + "buy into", + "rake off", + "buy off", + "pay off", + "refund", + "return", + "repay", + "give back", + "reimburse", + "stock", + "carry", + "stockpile", + "find", + "regain", + "feel", + "locate", + "turn up", + "unearth", + "fall upon", + "strike", + "come upon", + "light upon", + "chance upon", + "come across", + "chance on", + "happen upon", + "attain", + "discover", + "pick up", + "foot", + "pick", + "pinpoint", + "nail", + "lose", + "lose", + "sleep off", + "lose", + "acquire", + "win", + "gain", + "cozen", + "lose", + "turn a loss", + "clear", + "gain", + "take in", + "clear", + "make", + "earn", + "realize", + "realise", + "pull in", + "bring in", + "take home", + "bring home", + "rake in", + "shovel in", + "earn", + "garner", + "letter", + "profit", + "gain", + "benefit", + "pyramid", + "benefit", + "do good", + "agree", + "net", + "sack", + "sack up", + "clear", + "gross", + "net", + "clear", + "yield", + "pay", + "bear", + "pay off", + "derive", + "gain", + "rout up", + "rout out", + "pocket", + "bag", + "embezzle", + "defalcate", + "peculate", + "misappropriate", + "malversate", + "fiddle", + "reap", + "draw", + "hand over", + "fork over", + "fork out", + "fork up", + "turn in", + "deliver", + "render", + "bail", + "give away", + "barter away", + "share", + "divvy up", + "portion out", + "apportion", + "deal", + "distribute", + "administer", + "mete out", + "deal", + "parcel out", + "lot", + "dispense", + "shell out", + "deal out", + "dish out", + "allot", + "dole out", + "admeasure", + "partake", + "share", + "partake in", + "cut in", + "share", + "double up", + "pool", + "communalize", + "communalise", + "impart", + "leave", + "give", + "pass on", + "tender", + "tender", + "offer", + "signalize", + "signalise", + "offer", + "proffer", + "offer", + "put up", + "offer", + "extend", + "extend", + "offer", + "market", + "market", + "offer", + "bid", + "tender", + "by-bid", + "subscribe", + "pledge", + "subscribe", + "overbid", + "underbid", + "outbid", + "underbid", + "bid", + "call", + "double", + "declare", + "outcall", + "underbid", + "outbid", + "overbid", + "preempt", + "disburse", + "pay out", + "belong", + "bear", + "take over", + "accept", + "assume", + "face the music", + "carry-the can", + "bear", + "hold", + "preempt", + "preempt", + "peddle", + "monger", + "huckster", + "hawk", + "vend", + "pitch", + "dispense with", + "forfeit", + "give up", + "throw overboard", + "waive", + "forgo", + "forego", + "lapse", + "carry", + "recapture", + "retake", + "capture", + "fall", + "snap up", + "snaffle", + "grab", + "hog", + "roll up", + "collect", + "accumulate", + "pile up", + "amass", + "compile", + "hoard", + "collect", + "pick up", + "gather up", + "call for", + "hoard", + "stash", + "cache", + "lay away", + "hive up", + "squirrel away", + "hive", + "raise", + "levy", + "impose", + "toll", + "tithe", + "tithe", + "reimpose", + "lay", + "mulct", + "tax", + "excise", + "tariff", + "surtax", + "overtax", + "tax", + "assess", + "assess", + "contribute", + "give", + "chip in", + "kick in", + "combine", + "give", + "apply", + "give", + "tread", + "administer", + "insufflate", + "render", + "return", + "feed back", + "resubmit", + "render", + "submit", + "restore", + "restitute", + "cover", + "deposit", + "bank", + "redeposit", + "cheque", + "check out", + "withdraw", + "draw", + "take out", + "draw off", + "dip", + "divert", + "hive off", + "overdraw", + "tap", + "recall", + "call in", + "call back", + "withdraw", + "decommission", + "relieve", + "relieve", + "smooth", + "smooth out", + "deprive", + "tongue-tie", + "dock", + "bilk", + "divest", + "disinvest", + "deprive", + "strip", + "divest", + "dispossess", + "clean out", + "unclothe", + "deplume", + "displume", + "unsex", + "orphan", + "bereave", + "inherit", + "inherit", + "inherit", + "disinherit", + "disown", + "release", + "relinquish", + "resign", + "free", + "give up", + "concede", + "yield", + "cede", + "grant", + "give", + "grant", + "give", + "charge", + "pay cash", + "impoverish", + "reduce", + "beggar", + "pauperize", + "pauperise", + "bankrupt", + "ruin", + "break", + "smash", + "fail", + "enrich", + "feather one's nest", + "overcharge", + "soak", + "surcharge", + "gazump", + "fleece", + "plume", + "pluck", + "rob", + "hook", + "undercharge", + "discount", + "allow", + "mark up", + "hold the line", + "mark down", + "rebate", + "charge", + "bill", + "surcharge", + "invoice", + "charge", + "chalk up", + "run up", + "rob", + "pick", + "steal", + "hook", + "snitch", + "thieve", + "cop", + "knock off", + "glom", + "walk off", + "hustle", + "pluck", + "roll", + "plant", + "restock", + "stock", + "stock", + "buy in", + "stock up", + "overstock", + "understock", + "caption", + "borrow", + "lend", + "loan", + "lend", + "impart", + "bestow", + "contribute", + "add", + "bring", + "factor", + "instill", + "transfuse", + "breathe", + "tinsel", + "sacrifice", + "immolate", + "shop", + "market", + "shop", + "browse", + "comparison-shop", + "antique", + "take out", + "buy food", + "window-shop", + "supply", + "provide", + "render", + "furnish", + "tube", + "ticket", + "stock", + "stock", + "stock", + "rim", + "fret", + "step", + "rail", + "grate", + "capitalize", + "capitalise", + "alphabetize", + "wharf", + "air-cool", + "air-condition", + "air-condition", + "uniform", + "railroad", + "partner", + "bewhisker", + "whisker", + "subtitle", + "headline", + "match", + "hobnail", + "wive", + "victual", + "surfeit", + "cloy", + "heat", + "steam-heat", + "locate", + "place", + "site", + "seat", + "reseat", + "seat", + "reseat", + "ramp", + "munition", + "arm", + "rearm", + "interleave", + "glass", + "glaze", + "double-glaze", + "crenel", + "crenelate", + "crenellate", + "causeway", + "canal", + "canalize", + "canalise", + "bush", + "brattice", + "furnish", + "slat", + "refurnish", + "berth", + "bed", + "bunk", + "computerize", + "computerise", + "costume", + "bottom", + "rafter", + "tool", + "retool", + "key", + "fuel", + "gas up", + "refuel", + "bunker", + "provision", + "purvey", + "yield", + "give", + "afford", + "equip", + "fit", + "fit out", + "outfit", + "horseshoe", + "turn out", + "instrument", + "transistorize", + "transistorise", + "muzzle", + "unmuzzle", + "kit out", + "kit up", + "kit", + "appoint", + "re-equip", + "rejig", + "refit", + "armor", + "armour", + "upholster", + "accouter", + "accoutre", + "supplement", + "vitaminize", + "vitaminise", + "eke out", + "fill out", + "thrive", + "prosper", + "fly high", + "flourish", + "bank", + "bank", + "bank", + "sacrifice", + "give", + "sign away", + "sign over", + "sacrifice", + "requite", + "repay", + "pay", + "reward", + "repay", + "pay back", + "plunder", + "despoil", + "loot", + "reave", + "strip", + "rifle", + "ransack", + "pillage", + "foray", + "sack", + "plunder", + "loot", + "plunder", + "scrimp", + "stint", + "skimp", + "spare", + "give up", + "part with", + "dispense with", + "smuggle", + "import", + "export", + "adopt", + "borrow", + "take over", + "take up", + "adopt", + "follow", + "espouse", + "pawn", + "soak", + "hock", + "check", + "consign", + "charge", + "check", + "recommit", + "obligate", + "consign", + "consign", + "commit", + "institutionalize", + "institutionalise", + "send", + "charge", + "hospitalize", + "hospitalise", + "entrust", + "intrust", + "trust", + "confide", + "commit", + "shave", + "knock off", + "secure", + "certify", + "defray", + "harbor", + "harbour", + "rid", + "free", + "disembarrass", + "clear", + "disinfest", + "disembody", + "dump", + "underprice", + "price", + "rig", + "manipulate", + "overprice", + "undersell", + "undercut", + "underquote", + "mortgage", + "bond", + "liquidate", + "pay off", + "lift", + "amortize", + "amortise", + "cleat", + "close out", + "coal", + "corbel", + "cornice", + "snag", + "constitutionalize", + "copper-bottom", + "curtain", + "distrain", + "distrain", + "gate", + "impulse-buy", + "index", + "joint", + "articulate", + "wire", + "rewire", + "dispose", + "redispose", + "kick back", + "pick up", + "have", + "get", + "make", + "pour", + "move", + "pump", + "entrust", + "leave", + "fuel", + "fire", + "remember", + "flood", + "oversupply", + "glut", + "throw in", + "return", + "save", + "economize", + "economise", + "toggle", + "patch", + "water", + "afford", + "open", + "give", + "grab", + "deliver", + "drive home", + "land", + "fall", + "fall", + "call", + "call in", + "carry", + "get", + "give", + "leverage", + "leverage", + "bleed", + "unburden", + "tap", + "top", + "top out", + "reflectorize", + "reflectorise", + "subrogate", + "outsource", + "retrofit", + "border", + "edge", + "machicolate", + "sanitate", + "translocate", + "translocate", + "co-opt", + "shaft", + "spar", + "stave", + "vest", + "hat", + "fee-tail", + "entail", + "enfeoff", + "theme", + "check out", + "deaerate", + "de-aerate", + "decaffeinate", + "decarbonate", + "decerebrate", + "dechlorinate", + "defat", + "defibrinate", + "degrease", + "deionize", + "delist", + "delocalize", + "deoxygenate", + "destain", + "desulfurize", + "desulphurize", + "detick", + "devein", + "fettle", + "flesh", + "flense", + "kern", + "kern", + "pith", + "scum", + "unbridle", + "lay out", + "embattle", + "headquarter", + "vacate", + "resign", + "renounce", + "give up", + "act", + "move", + "satisfice", + "satisfise", + "maneuver", + "manoeuver", + "manoeuvre", + "dispatch", + "evade", + "race", + "use", + "play it by ear", + "play", + "deal", + "let it go", + "keep to oneself", + "sweep under the rug", + "partner", + "exert", + "overexert", + "egotrip", + "reciprocate", + "go", + "proceed", + "move", + "work", + "venture", + "embark", + "steamroller", + "steamroll", + "assert", + "put forward", + "come close", + "sit by", + "sit back", + "whip through", + "bull", + "bull through", + "backslap", + "perform", + "make bold", + "dare", + "presume", + "prosecute", + "engage", + "pursue", + "commit", + "practice", + "close", + "politick", + "logroll", + "engage", + "wage", + "put up", + "provide", + "offer", + "pursue", + "follow up on", + "act on", + "act on", + "run down", + "check out", + "interact", + "marginalize", + "marginalise", + "deal", + "combine", + "summate", + "lie dormant", + "have", + "react", + "oppose", + "buck", + "go against", + "backfire", + "backlash", + "recoil", + "abdicate", + "renounce", + "start", + "take up", + "retire", + "retire", + "withdraw", + "retire", + "superannuate", + "pension off", + "bow out", + "withdraw", + "chicken out", + "back off", + "pull out", + "back down", + "bow out", + "resile", + "accede", + "enter", + "ascend", + "assume", + "adopt", + "take on", + "take over", + "resume", + "officiate", + "leave office", + "quit", + "step down", + "resign", + "top out", + "drop out", + "drop out", + "leave", + "depart", + "pull up stakes", + "take office", + "install", + "instal", + "induct", + "invest", + "seat", + "induct", + "invite", + "ask over", + "ask round", + "invite", + "pay for", + "fall", + "divest", + "disinvest", + "post", + "cast", + "ordain", + "consecrate", + "ordinate", + "order", + "take orders", + "invest", + "vest", + "enthrone", + "invest", + "clothe", + "adorn", + "socialize", + "socialise", + "prepare", + "groom", + "train", + "educate", + "co-educate", + "coeducate", + "school", + "home-school", + "educate", + "school", + "train", + "cultivate", + "civilize", + "civilise", + "sophisticate", + "socialize", + "socialise", + "get in touch", + "touch base", + "connect", + "connect", + "swing", + "get around", + "fraternize", + "fraternise", + "hobnob", + "hang out", + "initiate", + "induct", + "readmit", + "crown", + "coronate", + "enthrone", + "throne", + "dethrone", + "unseat", + "delegate", + "designate", + "depute", + "assign", + "devolve", + "task", + "place", + "regiment", + "transfer", + "reassign", + "second", + "exchange", + "alternate", + "rotate", + "fill", + "fill", + "take", + "occupy", + "depute", + "deputize", + "deputise", + "substitute", + "deputize", + "deputise", + "step in", + "cover", + "cover", + "delegate", + "depute", + "mandate", + "inaugurate", + "kick off", + "dedicate", + "appoint", + "name", + "nominate", + "constitute", + "pack", + "name", + "nominate", + "make", + "rename", + "slate", + "co-opt", + "tenure", + "promote", + "upgrade", + "advance", + "kick upstairs", + "raise", + "elevate", + "bring up", + "spot promote", + "ennoble", + "gentle", + "entitle", + "baronetize", + "baronetise", + "lord", + "lionize", + "lionise", + "celebrate", + "knight", + "dub", + "demote", + "bump", + "relegate", + "break", + "kick downstairs", + "sideline", + "reduce", + "prefer", + "favor", + "favour", + "prefer", + "screen", + "screen out", + "sieve", + "sort", + "vote in", + "elect", + "co-opt", + "reelect", + "return", + "engage", + "nominate", + "propose", + "oust", + "throw out", + "drum out", + "boot out", + "kick out", + "expel", + "excommunicate", + "take time by the forelock", + "overthrow", + "subvert", + "overturn", + "bring down", + "revolutionize", + "displace", + "fire", + "give notice", + "can", + "dismiss", + "give the axe", + "send away", + "sack", + "force out", + "give the sack", + "terminate", + "clean out", + "furlough", + "lay off", + "downsize", + "drop", + "squeeze out", + "remove", + "pull off", + "winkle out", + "invalid", + "take out", + "move out", + "remove", + "call in", + "depose", + "force out", + "supplant", + "replace", + "supersede", + "supervene upon", + "supercede", + "preempt", + "displace", + "usurp", + "oust", + "succeed", + "come after", + "follow", + "tug", + "labor", + "labour", + "push", + "drive", + "fight", + "struggle", + "flounder", + "precede", + "come before", + "work", + "put to work", + "drive", + "overdrive", + "rack", + "carpenter", + "implement", + "overwork", + "exploit", + "hire", + "engage", + "employ", + "ship", + "sign", + "contract", + "sign on", + "sign up", + "retain", + "continue", + "keep", + "keep on", + "contract out", + "work", + "do work", + "tinker", + "serve", + "clerk", + "take off", + "take time off", + "get off", + "take over", + "relieve", + "spell", + "page", + "strike", + "walk out", + "fink", + "scab", + "rat", + "blackleg", + "rat", + "wait", + "waitress", + "work", + "pull one's weight", + "electioneer", + "assist", + "beaver", + "beaver away", + "work at", + "work on", + "belabor", + "belabour", + "potter", + "putter", + "plug away", + "peg away", + "slog", + "keep one's nose to the grindstone", + "keep one's shoulder to the wheel", + "busy", + "occupy", + "dabble", + "smatter", + "play around", + "collaborate", + "join forces", + "cooperate", + "get together", + "collaborate", + "financier", + "coact", + "play along", + "go along", + "connive at", + "wink at", + "idle", + "laze", + "slug", + "stagnate", + "moon", + "moon around", + "moon on", + "ride the bench", + "warm the bench", + "daydream", + "moon", + "play", + "recreate", + "play", + "act", + "drive around", + "walk around", + "dabble", + "paddle", + "splash around", + "labor", + "labour", + "toil", + "fag", + "travail", + "grind", + "drudge", + "dig", + "moil", + "farm", + "ranch", + "moonlight", + "job", + "man", + "slave", + "break one's back", + "buckle down", + "knuckle down", + "free", + "liberate", + "release", + "unloose", + "unloosen", + "loose", + "bail", + "run", + "free", + "discharge", + "cut", + "clear", + "cashier", + "restrain", + "keep", + "keep back", + "hold back", + "quench", + "let", + "allow", + "permit", + "pass", + "give up", + "allow", + "inhibit", + "bottle up", + "suppress", + "choke", + "repress", + "quash", + "keep down", + "subdue", + "subjugate", + "reduce", + "dragoon", + "oppress", + "suppress", + "crush", + "volunteer", + "volunteer", + "offer", + "inaugurate", + "open", + "call to order", + "close", + "open", + "open up", + "close up", + "close", + "fold", + "shut down", + "close down", + "restore", + "reinstate", + "reestablish", + "establish", + "set up", + "found", + "launch", + "abolish", + "get rid of", + "cashier", + "ordain", + "ordain", + "enact", + "reenact", + "get around to", + "adjourn", + "withdraw", + "retire", + "prorogue", + "meet", + "gather", + "assemble", + "forgather", + "foregather", + "turn out", + "caucus", + "call", + "band oneself", + "league together", + "ally", + "misally", + "disassociate", + "dissociate", + "divorce", + "disunite", + "disjoint", + "imprint", + "form", + "militate", + "separate", + "part", + "split up", + "split", + "break", + "break up", + "break with", + "administer", + "administrate", + "pontificate", + "organize", + "organise", + "territorialize", + "territorialise", + "reorganize", + "reorganise", + "shake up", + "reorganize", + "reorganise", + "regroup", + "retool", + "revise", + "collectivize", + "collectivise", + "hold one's own", + "sovietize", + "sovietise", + "unionize", + "unionise", + "organize", + "organise", + "confederate", + "ally with", + "fall in", + "join", + "fall in", + "get together", + "affiliate", + "rejoin", + "infiltrate", + "penetrate", + "unionize", + "unionise", + "disorganize", + "disorganise", + "manage", + "deal", + "care", + "handle", + "work", + "come to grips", + "get to grips", + "dispose of", + "dally", + "toy", + "play", + "flirt", + "take care", + "mind", + "coordinate", + "coordinate", + "juggle", + "process", + "expedite", + "mismanage", + "mishandle", + "misconduct", + "tend", + "stoke", + "set about", + "go about", + "approach", + "direct", + "guide", + "steer", + "chair", + "chairman", + "head", + "lead", + "captain", + "spearhead", + "take hold", + "take charge", + "take control", + "move in on", + "control", + "command", + "internationalize", + "internationalise", + "hold", + "hold sway", + "govern", + "regiment", + "monopolize", + "monopolise", + "harness", + "rein in", + "draw rein", + "rein", + "corner", + "oversee", + "supervise", + "superintend", + "manage", + "build", + "preside", + "operate", + "run", + "work", + "block", + "warm up", + "declare", + "license", + "licence", + "certify", + "decertify", + "derecognize", + "derecognise", + "patent", + "conduct", + "carry on", + "deal", + "racketeer", + "be", + "follow", + "specialize", + "specialise", + "vet", + "minister", + "intern", + "skipper", + "cox", + "boondoggle", + "entitle", + "franchise", + "charter", + "certify", + "endorse", + "indorse", + "incorporate", + "form", + "organize", + "organise", + "choose up", + "draw up", + "regiment", + "syndicate", + "syndicate", + "exclude", + "keep out", + "shut out", + "shut", + "lock out", + "admit", + "let in", + "include", + "participate", + "take part", + "partake in", + "prevent", + "keep", + "hold", + "keep away", + "blank", + "impede", + "hinder", + "inhibit", + "interfere", + "set back", + "hobble", + "stunt", + "dwarf", + "embargo", + "prevent", + "forestall", + "foreclose", + "preclude", + "forbid", + "debar", + "forefend", + "forfend", + "obviate", + "deflect", + "avert", + "head off", + "stave off", + "fend off", + "avoid", + "ward off", + "privilege", + "favor", + "favour", + "back", + "endorse", + "indorse", + "plump for", + "plunk for", + "support", + "poll", + "canvass", + "canvas", + "circularize", + "circularize", + "circularise", + "poll", + "patrol", + "police", + "stand guard", + "stand watch", + "keep guard", + "stand sentinel", + "watch", + "observe", + "follow", + "watch over", + "keep an eye on", + "keep tabs on", + "guard", + "baby-sit", + "sit", + "bury", + "entomb", + "inhume", + "inter", + "lay to rest", + "rebury", + "disinter", + "exhume", + "respect", + "honor", + "honour", + "abide by", + "observe", + "tolerate", + "disrespect", + "mesh", + "relate", + "take back", + "get along with", + "get on with", + "get on", + "get along", + "canvass", + "canvas", + "lobby", + "buttonhole", + "house", + "put up", + "domiciliate", + "rehouse", + "home", + "kennel", + "stable", + "stall", + "rent", + "lease", + "tenant", + "rent", + "hire", + "charter", + "lease", + "subcontract", + "subcontract", + "farm out", + "job", + "vote", + "write in", + "turn thumbs down", + "vote down", + "vote", + "vote", + "vote", + "bullet vote", + "outvote", + "ballot", + "poll", + "abstain", + "avoid", + "fiddle", + "shirk", + "shrink from", + "goldbrick", + "scrimshank", + "malinger", + "skulk", + "slack", + "turn a trick", + "spare", + "save", + "favor", + "favour", + "sign", + "ratify", + "co-sign", + "cosign", + "probate", + "boycott", + "ostracize", + "ostracise", + "dismiss", + "send packing", + "send away", + "drop", + "patronize", + "patronise", + "shop", + "shop at", + "buy at", + "frequent", + "sponsor", + "filibuster", + "legislate", + "pass", + "liberalize", + "liberalise", + "liberalize", + "liberalise", + "decontrol", + "gerrymander", + "divide", + "split", + "split up", + "separate", + "dissever", + "carve up", + "sectionalize", + "sectionalise", + "hive off", + "triangulate", + "unitize", + "unitise", + "lot", + "parcel", + "sliver", + "splinter", + "paragraph", + "canton", + "Balkanize", + "Balkanise", + "unite", + "unify", + "consociate", + "associate", + "walk", + "band together", + "confederate", + "reunify", + "reunite", + "register", + "matriculate", + "enroll", + "inscribe", + "enter", + "enrol", + "recruit", + "register", + "cross-file", + "register", + "list", + "inventory", + "take stock", + "stock-take", + "empanel", + "impanel", + "index", + "cross-index", + "blacklist", + "post", + "veto", + "blackball", + "negative", + "kill", + "shoot down", + "defeat", + "vote down", + "vote out", + "vote", + "empower", + "authorise", + "authorize", + "endow", + "indue", + "gift", + "empower", + "invest", + "endue", + "cover", + "confirm", + "covenant", + "bar mitzvah", + "bat mitzvah", + "commission", + "commission", + "accredit", + "recognize", + "recognise", + "accredit", + "appoint", + "charge", + "create", + "confirm", + "defrock", + "unfrock", + "disenfranchise", + "disfranchise", + "enfranchise", + "affranchise", + "enfranchise", + "cancel", + "strike down", + "write off", + "cancel", + "call off", + "scratch", + "scrub", + "invalidate", + "annul", + "quash", + "void", + "avoid", + "nullify", + "break", + "abrogate", + "validate", + "formalize", + "formalise", + "formalize", + "formalise", + "sanction", + "issue", + "supply", + "reissue", + "reticulate", + "distribute", + "recall", + "retire", + "disbar", + "commission", + "outlaw", + "criminalize", + "criminalise", + "illegalize", + "illegalise", + "monetize", + "monetise", + "legalize", + "legalise", + "decriminalize", + "decriminalise", + "legitimize", + "legitimise", + "legitimate", + "legitimatize", + "legitimatise", + "trust", + "desegregate", + "integrate", + "mix", + "segregate", + "murder", + "slay", + "hit", + "dispatch", + "bump off", + "off", + "polish off", + "remove", + "burke", + "bench", + "assassinate", + "execute", + "put to death", + "draw", + "quarter", + "draw and quarter", + "pillory", + "pillory", + "gibbet", + "crucify", + "execute", + "lynch", + "shoot", + "pip", + "flight", + "pick off", + "electrocute", + "fry", + "electrocute", + "burn", + "hang", + "string up", + "halter", + "gibbet", + "date", + "double-date", + "go steady", + "go out", + "date", + "see", + "pick up", + "ask out", + "invite out", + "take out", + "reunite", + "meet", + "get together", + "rendezvous", + "stick together", + "stay together", + "visit", + "call in", + "call", + "call", + "pay", + "send in", + "see", + "see", + "drop by", + "drop in", + "come by", + "marry", + "get married", + "wed", + "conjoin", + "hook up with", + "get hitched with", + "espouse", + "inmarry", + "mismarry", + "marry", + "wed", + "tie", + "splice", + "solemnize", + "solemnise", + "wive", + "wive", + "intermarry", + "remarry", + "pair", + "pair off", + "partner off", + "couple", + "divorce", + "split up", + "celebrate", + "fete", + "jubilate", + "revel", + "racket", + "make whoopie", + "make merry", + "make happy", + "whoop it up", + "jollify", + "wassail", + "party", + "rave", + "entertain", + "amuse", + "divert", + "disport", + "take in", + "slum", + "visit", + "see", + "carouse", + "roister", + "riot", + "receive", + "ban", + "censor", + "embargo", + "free", + "release", + "bail out", + "imprison", + "incarcerate", + "lag", + "immure", + "put behind bars", + "jail", + "jug", + "gaol", + "put away", + "remand", + "raid", + "bust", + "confine", + "detain", + "intern", + "bind over", + "imprison", + "cage", + "cage in", + "trap", + "pin down", + "keep in", + "manumit", + "emancipate", + "enslave", + "subjugate", + "subject", + "liberate", + "set free", + "emancipate", + "liberate", + "appeal", + "appeal", + "arraign", + "book", + "reserve", + "hold", + "book", + "ticket", + "fine", + "amerce", + "court-martial", + "expatriate", + "deport", + "exile", + "punish", + "penalize", + "penalise", + "castigate", + "amerce", + "get it", + "catch it", + "victimize", + "victimise", + "scourge", + "hear", + "try", + "rehear", + "retry", + "judge", + "adjudicate", + "try", + "expel", + "throw out", + "kick out", + "suspend", + "debar", + "send down", + "rusticate", + "repatriate", + "admit", + "allow in", + "let in", + "intromit", + "reject", + "turn down", + "turn away", + "refuse", + "readmit", + "extradite", + "deliver", + "deport", + "repatriate", + "banish", + "relegate", + "bar", + "banish", + "ban", + "ostracize", + "ostracise", + "shun", + "cast out", + "blackball", + "banish", + "ban", + "rusticate", + "coerce", + "hale", + "squeeze", + "pressure", + "force", + "turn up the heat", + "turn up the pressure", + "drive", + "bludgeon", + "steamroller", + "steamroll", + "squeeze for", + "dragoon", + "sandbag", + "railroad", + "terrorize", + "terrorise", + "compel", + "oblige", + "obligate", + "clamor", + "condemn", + "bring oneself", + "trouble oneself", + "trouble", + "bother", + "inconvenience oneself", + "trouble", + "put out", + "inconvenience", + "disoblige", + "discommode", + "incommode", + "bother", + "shame", + "stigmatize", + "stigmatise", + "brand", + "denounce", + "mark", + "brand", + "classify", + "taboo", + "declassify", + "restrict", + "train", + "trellis", + "scant", + "skimp", + "localize", + "localise", + "derestrict", + "pull the plug", + "control", + "hold in", + "hold", + "contain", + "check", + "curb", + "moderate", + "catch", + "bate", + "indulge", + "thermostat", + "regulate", + "regularize", + "regularise", + "order", + "govern", + "deregulate", + "zone", + "district", + "discriminate", + "separate", + "single out", + "redline", + "stratify", + "stratify", + "advantage", + "disadvantage", + "disfavor", + "disfavour", + "prejudice", + "aggrieve", + "wrong", + "treat", + "handle", + "do by", + "handle with kid gloves", + "fall all over", + "criminalize", + "nurse", + "strong-arm", + "ride roughshod", + "run roughshod", + "upstage", + "rough-house", + "brutalize", + "brutalise", + "do well by", + "gloss over", + "skate over", + "smooth over", + "slur over", + "skimp over", + "skimp", + "scant", + "mistreat", + "maltreat", + "abuse", + "ill-use", + "step", + "ill-treat", + "kick around", + "sandbag", + "misbehave", + "misconduct", + "misdemean", + "fall from grace", + "act up", + "carry on", + "condescend", + "stoop", + "lower oneself", + "hugger mugger", + "behave", + "acquit", + "bear", + "deport", + "conduct", + "comport", + "carry", + "walk around", + "walk", + "sauce", + "assert oneself", + "pose", + "posture", + "attitudinize", + "attitudinise", + "behave", + "comport", + "footle", + "right", + "compensate", + "redress", + "correct", + "over-correct", + "overcompensate", + "expiate", + "aby", + "abye", + "atone", + "make up", + "catch up with", + "control", + "verify", + "indict", + "protest", + "resist", + "dissent", + "demonstrate", + "march", + "picket", + "fail", + "breeze through", + "ace", + "pass with flying colors", + "sweep through", + "sail through", + "nail", + "pull off", + "negociate", + "bring off", + "carry off", + "manage", + "do", + "manage", + "pass", + "clear", + "fail", + "flunk", + "bomb", + "flush it", + "fail", + "pass", + "succeed", + "win", + "come through", + "bring home the bacon", + "deliver the goods", + "luck out", + "hit the jackpot", + "nail down", + "nail", + "peg", + "pass", + "make it", + "run", + "work", + "act", + "overreach", + "pan out", + "achieve", + "accomplish", + "attain", + "reach", + "begin", + "come to", + "strike", + "culminate", + "compass", + "average", + "wangle", + "finagle", + "manage", + "botch", + "bodge", + "bumble", + "fumble", + "botch up", + "muff", + "blow", + "flub", + "screw up", + "ball up", + "spoil", + "muck up", + "bungle", + "fluff", + "bollix", + "bollix up", + "bollocks", + "bollocks up", + "bobble", + "mishandle", + "louse up", + "foul up", + "mess up", + "fuck up", + "fail", + "go wrong", + "miscarry", + "strike out", + "fall", + "shipwreck", + "fail", + "neglect", + "choke", + "muff", + "fall through", + "fall flat", + "founder", + "flop", + "try", + "seek", + "attempt", + "essay", + "assay", + "have a go", + "give it a try", + "grope", + "take pains", + "be at pains", + "endeavor", + "endeavour", + "strive", + "buck", + "test", + "prove", + "try", + "try out", + "examine", + "essay", + "float", + "field-test", + "give it a whirl", + "give it a try", + "experiment", + "experiment", + "try out", + "screen", + "test", + "check", + "countercheck", + "breathalyze", + "breathalyse", + "democratize", + "democratise", + "democratize", + "democratise", + "waive", + "relinquish", + "forgo", + "forego", + "foreswear", + "dispense with", + "dispense", + "woo", + "court", + "romance", + "solicit", + "court", + "woo", + "court", + "chase", + "chase after", + "display", + "take the stage", + "take stage", + "secede", + "splinter", + "break away", + "break", + "break away", + "neutralize", + "co-opt", + "manipulate", + "pull strings", + "pull wires", + "influence", + "act upon", + "work", + "color", + "colour", + "swing", + "swing over", + "betray", + "sell", + "fall for", + "double cross", + "place", + "bind", + "tie", + "attach", + "bond", + "fixate", + "uproot", + "deracinate", + "intervene", + "step in", + "interfere", + "interpose", + "meddle", + "tamper", + "dominate", + "master", + "undertake", + "take in charge", + "rear", + "raise", + "bring up", + "nurture", + "parent", + "fledge", + "cradle", + "grow up", + "come of age", + "foster", + "serve", + "attend to", + "wait on", + "attend", + "assist", + "valet", + "service", + "serve", + "represent", + "represent", + "speak for", + "comply", + "follow", + "abide by", + "toe the line", + "obey", + "take orders", + "disobey", + "sit in", + "sabotage", + "undermine", + "countermine", + "counteract", + "subvert", + "weaken", + "counteract", + "countervail", + "neutralize", + "counterbalance", + "override", + "gamble", + "chance", + "risk", + "hazard", + "take chances", + "adventure", + "run a risk", + "take a chance", + "go for broke", + "luck it", + "luck through", + "dare", + "venture", + "hazard", + "adventure", + "stake", + "jeopardize", + "risk", + "put on the line", + "lay on the line", + "bell the cat", + "honor", + "honour", + "reward", + "recognize", + "recognise", + "rubricate", + "ennoble", + "dignify", + "decorate", + "dishonor", + "disgrace", + "dishonour", + "attaint", + "shame", + "help", + "assist", + "aid", + "benefact", + "help out", + "subserve", + "succor", + "succour", + "expedite", + "hasten", + "avail", + "abet", + "minister", + "attend", + "take care", + "look", + "see", + "tend", + "shepherd", + "shepherd", + "care", + "give care", + "mother", + "fuss", + "overprotect", + "nurse", + "salvage", + "salve", + "relieve", + "save", + "rescue", + "deliver", + "reprieve", + "redeem", + "deliver", + "redeem", + "save", + "save", + "carry through", + "pull through", + "bring through", + "bootstrap", + "rehabilitate", + "restore", + "reconstruct", + "rehabilitate", + "defibrillate", + "reinstate", + "discipline", + "correct", + "sort out", + "discipline", + "train", + "check", + "condition", + "prostitute", + "street-walk", + "streetwalk", + "foster", + "further", + "spur", + "brevet", + "promote", + "advance", + "boost", + "further", + "encourage", + "help", + "carry", + "feed", + "contribute", + "lead", + "conduce", + "support", + "back up", + "carry", + "undergird", + "second", + "back", + "endorse", + "indorse", + "obstruct", + "blockade", + "block", + "hinder", + "stymie", + "stymy", + "embarrass", + "check", + "hang", + "bottleneck", + "spike", + "thwart", + "queer", + "spoil", + "scotch", + "foil", + "cross", + "frustrate", + "baffle", + "bilk", + "dash", + "short-circuit", + "ruin", + "undo", + "break", + "shipwreck", + "stop", + "halt", + "block", + "kibosh", + "stay", + "enforce", + "implement", + "apply", + "enforce", + "impose", + "make", + "do", + "effect", + "bring to bear", + "carry", + "practice", + "apply", + "use", + "follow", + "backdate", + "do", + "perform", + "overachieve", + "turn", + "underachieve", + "underperform", + "give", + "misdo", + "go all out", + "give one's best", + "do one's best", + "give full measure", + "run", + "execute", + "step", + "dispatch", + "discharge", + "complete", + "execute", + "give", + "exempt", + "relieve", + "free", + "forgive", + "throne", + "spare", + "antagonize", + "antagonise", + "counteract", + "countercheck", + "counteract", + "purge", + "rehabilitate", + "anticipate", + "foresee", + "forestall", + "counter", + "sin", + "transgress", + "trespass", + "fall", + "fall", + "drop the ball", + "sin", + "blunder", + "boob", + "goof", + "transgress", + "offend", + "infract", + "violate", + "go against", + "breach", + "break", + "conflict", + "run afoul", + "infringe", + "contravene", + "trespass", + "rape", + "ravish", + "violate", + "assault", + "dishonor", + "dishonour", + "outrage", + "gang-rape", + "desecrate", + "profane", + "outrage", + "violate", + "sodomize", + "sodomise", + "bugger", + "sodomize", + "sodomise", + "practice", + "practise", + "exercise", + "do", + "shamanize", + "shamanise", + "overdo", + "exaggerate", + "oversimplify", + "overleap", + "molest", + "undertake", + "tackle", + "take on", + "impinge", + "encroach", + "entrench", + "trench", + "trespass", + "take advantage", + "pamper", + "featherbed", + "cosset", + "cocker", + "baby", + "coddle", + "mollycoddle", + "spoil", + "indulge", + "break in", + "break", + "crack", + "trespass", + "intrude", + "burglarize", + "burglarise", + "burgle", + "heist", + "condition", + "heed", + "mind", + "listen", + "victimize", + "swindle", + "rook", + "goldbrick", + "nobble", + "diddle", + "bunco", + "defraud", + "scam", + "mulct", + "gyp", + "gip", + "hornswoggle", + "short-change", + "con", + "short-change", + "short", + "bilk", + "job", + "shark", + "rig", + "set up", + "cheat", + "rip off", + "chisel", + "beat", + "bunk", + "whipsaw", + "welsh", + "welch", + "victimize", + "victimise", + "cheat", + "chisel", + "cozen", + "crib", + "deceive", + "lead on", + "delude", + "cozen", + "shill", + "flim-flam", + "play a joke on", + "play tricks", + "trick", + "fob", + "fox", + "pull a fast one on", + "play a trick on", + "freelance", + "fool", + "gull", + "befool", + "cheat on", + "cheat", + "cuckold", + "betray", + "wander", + "two-time", + "fudge", + "manipulate", + "fake", + "falsify", + "cook", + "wangle", + "misrepresent", + "juggle", + "hoax", + "pull someone's leg", + "play a joke on", + "decoy", + "bait", + "ensnare", + "entrap", + "frame", + "set up", + "juggle", + "beguile", + "hoodwink", + "snooker", + "observe", + "celebrate", + "keep", + "observe", + "keep", + "make good", + "solemnize", + "solemnise", + "corrupt", + "pervert", + "subvert", + "demoralize", + "demoralise", + "debauch", + "debase", + "profane", + "vitiate", + "deprave", + "misdirect", + "infect", + "lead off", + "lead astray", + "whore", + "poison", + "bastardize", + "bastardise", + "blackmail", + "blackjack", + "pressure", + "suborn", + "prosecute", + "defend", + "represent", + "prosecute", + "action", + "sue", + "litigate", + "process", + "litigate", + "perpetrate", + "commit", + "pull", + "make", + "recommit", + "rebel", + "arise", + "rise", + "rise up", + "rebel", + "renegade", + "resist", + "balk", + "baulk", + "jib", + "revolt", + "mutiny", + "defect", + "desert", + "rat", + "riot", + "rampage", + "agitate", + "foment", + "stir up", + "rumpus", + "connive", + "persecute", + "oppress", + "haze", + "arrive", + "make it", + "get in", + "go far", + "carry", + "persuade", + "sway", + "get at", + "charm", + "becharm", + "govern", + "rule", + "misgovern", + "dictate", + "tyrannize", + "tyrannise", + "grind down", + "reign", + "cope", + "get by", + "make out", + "make do", + "contend", + "grapple", + "deal", + "manage", + "improvise", + "extemporize", + "fend", + "hack", + "cut", + "scrape along", + "scrape by", + "scratch along", + "squeak by", + "squeeze by", + "rub along", + "befriend", + "pal", + "pal up", + "chum up", + "relegate", + "pass on", + "submit", + "consort", + "associate", + "affiliate", + "assort", + "crusade", + "fight", + "press", + "campaign", + "push", + "agitate", + "fall back", + "resort", + "recur", + "take", + "colonize", + "colonise", + "decolonize", + "decolonise", + "philander", + "womanize", + "womanise", + "take up", + "condescend", + "deign", + "descend", + "condescend", + "take care", + "interlope", + "parole", + "club", + "club", + "emcee", + "compere", + "do the honors", + "tutor", + "fag", + "frivol", + "trifle", + "humbug", + "serve", + "invigilate", + "proctor", + "lord it over", + "queen it over", + "put on airs", + "act superior", + "queen", + "happen", + "chance", + "stampede", + "stampede", + "meet", + "match", + "cope with", + "rain out", + "wash out", + "work", + "make a point", + "make sure", + "ply", + "apply", + "repeat", + "take over", + "rest", + "hibernate", + "meet", + "stag", + "come near", + "surprise", + "blindside", + "swell", + "puff up", + "mingle", + "estrange", + "sneak", + "play", + "appear", + "remember oneself", + "assemble", + "gather", + "get together", + "make", + "play around", + "fool around", + "join", + "move", + "escape", + "get away", + "touch", + "fail", + "take", + "book", + "guard", + "break", + "follow", + "use", + "take to", + "begin", + "start", + "call the shots", + "call the tune", + "wear the trousers", + "address", + "call", + "stet", + "relax", + "loosen", + "relax", + "loosen", + "relax", + "loosen up", + "go off half-cocked", + "go off at half-cock", + "slam-dunk", + "baby-sit", + "unite", + "unify", + "fix", + "straiten", + "distress", + "administer", + "exist", + "be", + "preexist", + "kick around", + "knock about", + "kick about", + "coexist", + "coexist", + "be", + "account", + "cut across", + "stretch", + "stretch along", + "neighbor", + "neighbour", + "neighbor", + "neighbour", + "begin", + "start", + "begin", + "start", + "begin", + "set in", + "kick in", + "dawn", + "end", + "stop", + "finish", + "terminate", + "cease", + "conclude", + "close", + "turn out", + "come out", + "eventuate", + "work out", + "stand", + "specify", + "define", + "delineate", + "delimit", + "delimitate", + "redefine", + "fall", + "shine", + "strike", + "run", + "occur", + "collocate", + "attend", + "go to", + "sit in", + "worship", + "offer", + "offer up", + "miss", + "cut", + "skip", + "bunk off", + "play hooky", + "be", + "live", + "live", + "dissipate", + "live", + "swing", + "unlive", + "live down", + "wanton", + "vegetate", + "pig", + "pig it", + "bushwhack", + "buccaneer", + "bachelor", + "bach", + "eke out", + "be", + "rusticate", + "exist", + "survive", + "live", + "subsist", + "breathe", + "indwell", + "freewheel", + "drift", + "do", + "fare", + "make out", + "come", + "get along", + "go", + "go", + "survive", + "last", + "live", + "live on", + "go", + "endure", + "hold up", + "hold out", + "stand up", + "hold up", + "hold water", + "perennate", + "live out", + "last out", + "stay", + "ride out", + "outride", + "outstay", + "visit", + "make sense", + "add up", + "outlive", + "outlast", + "survive", + "survive", + "pull through", + "pull round", + "come through", + "make it", + "fall", + "succumb", + "yield", + "constitute", + "represent", + "make up", + "comprise", + "be", + "make", + "compose", + "form", + "constitute", + "make", + "chelate", + "separate", + "divide", + "hang together", + "interdepend", + "connect", + "link", + "link up", + "join", + "unite", + "articulate", + "intercommunicate", + "complect", + "interconnect", + "interlink", + "bridge", + "bridge over", + "tide over", + "bridge over", + "keep going", + "become", + "root", + "form", + "take form", + "take shape", + "spring", + "head", + "originate", + "arise", + "rise", + "develop", + "uprise", + "spring up", + "grow", + "resurge", + "come forth", + "emerge", + "break", + "come", + "follow", + "bead", + "reticulate", + "arise", + "come up", + "bob up", + "flocculate", + "flocculate", + "nucleate", + "well up", + "swell", + "become", + "turn", + "turn", + "carbonate", + "come", + "add up", + "amount", + "aggregate", + "originate in", + "stem", + "necessitate", + "ask", + "postulate", + "need", + "require", + "take", + "involve", + "call for", + "demand", + "govern", + "draw", + "cost", + "cry out for", + "cry for", + "obviate", + "rid of", + "eliminate", + "preclude", + "rule out", + "close out", + "incorporate", + "contain", + "comprise", + "embrace", + "encompass", + "comprehend", + "cover", + "have", + "feature", + "carry", + "bear", + "give off", + "unite", + "combine", + "star", + "co-star", + "sport", + "feature", + "boast", + "exhibit", + "phosphoresce", + "possess", + "miss", + "lack", + "want", + "miss", + "include", + "involve", + "consist", + "comprise", + "equate", + "correspond", + "exclude", + "prove", + "turn out", + "turn up", + "turn out", + "result", + "ensue", + "be due", + "flow from", + "subsume", + "entail", + "implicate", + "account for", + "entail", + "imply", + "mean", + "compel", + "necessitate", + "leave", + "result", + "lead", + "lead", + "imply", + "involve", + "carry", + "carry", + "get into", + "tangle with", + "incriminate", + "imply", + "inculpate", + "bide", + "abide", + "stay", + "overstay", + "outstay", + "remain", + "wait", + "kick one's heels", + "cool one's heels", + "stand by", + "stick around", + "stick about", + "stand by", + "stick by", + "stick", + "adhere", + "adhere", + "stick", + "loiter", + "lounge", + "footle", + "lollygag", + "loaf", + "lallygag", + "hang around", + "mess about", + "tarry", + "linger", + "lurk", + "mill about", + "mill around", + "prowl", + "lurch", + "bum", + "bum around", + "bum about", + "arse around", + "arse about", + "fuck off", + "loaf", + "frig around", + "waste one's time", + "lounge around", + "loll", + "loll around", + "lounge about", + "lie about", + "lie around", + "lurk", + "skulk", + "dwell on", + "linger over", + "boggle", + "hesitate", + "waver", + "waffle", + "hover", + "linger", + "hesitate", + "pause", + "scruple", + "wait", + "hold off", + "hold back", + "hold out", + "delay", + "procrastinate", + "stall", + "drag one's feet", + "drag one's heels", + "shillyshally", + "dilly-dally", + "dillydally", + "procrastinate", + "postpone", + "prorogue", + "hold over", + "put over", + "table", + "shelve", + "set back", + "defer", + "remit", + "put off", + "hold over", + "call", + "hold", + "suspend", + "probate", + "reprieve", + "respite", + "predominate", + "dominate", + "rule", + "reign", + "prevail", + "override", + "overarch", + "outnumber", + "total", + "number", + "add up", + "come", + "amount", + "average", + "average out", + "preponderate", + "outweigh", + "overbalance", + "outbalance", + "count", + "matter", + "weigh", + "weigh", + "press", + "rate", + "deserve", + "merit", + "have it coming", + "buy", + "dominate", + "overbear", + "possess", + "prevail", + "persist", + "die hard", + "run", + "endure", + "stick", + "reverberate", + "run", + "run for", + "perpetuate", + "eternize", + "prevail", + "hold", + "obtain", + "occupy", + "reside", + "lodge in", + "occupy", + "fill", + "douse", + "dowse", + "crowd", + "take up", + "stay at", + "squat", + "populate", + "dwell", + "live", + "inhabit", + "reside", + "shack", + "domicile", + "domiciliate", + "people", + "overpopulate", + "cohabit", + "live together", + "shack up", + "lodge", + "accommodate", + "barrack", + "keep", + "keep", + "herd", + "wrangle", + "lodge", + "sleep over", + "stay over", + "lay over", + "stop over", + "quarter", + "billet", + "canton", + "dwell", + "consist", + "lie", + "lie in", + "inhere", + "pertain", + "appertain", + "go", + "camp", + "encamp", + "camp out", + "bivouac", + "tent", + "inhabit", + "infest", + "invade", + "overrun", + "infest", + "nest", + "be", + "stand back", + "keep one's eyes off", + "keep one's distance", + "keep one's hands off", + "stay away", + "shine", + "chamber", + "harbor", + "harbour", + "shelter", + "board", + "room", + "take in", + "crash", + "match", + "fit", + "correspond", + "check", + "jibe", + "gibe", + "tally", + "agree", + "consist", + "check", + "check out", + "look", + "answer", + "coincide", + "align", + "correlate", + "parallel", + "twin", + "duplicate", + "parallel", + "square", + "square", + "fit", + "go", + "tessellate", + "joint", + "dovetail", + "coincide", + "co-occur", + "cooccur", + "overlap", + "collocate with", + "construe with", + "cooccur with", + "co-occur with", + "go with", + "fall", + "scan", + "deviate", + "vary", + "diverge", + "depart", + "aberrate", + "aberrate", + "vary", + "co-vary", + "drift", + "conform", + "contradict", + "belie", + "negate", + "corroborate", + "underpin", + "bear out", + "support", + "repose on", + "rest on", + "build on", + "build upon", + "depend on", + "rely on", + "depend on", + "depend upon", + "rely on", + "rely upon", + "depend", + "hang by a thread", + "hang by a hair", + "underlie", + "rest", + "reside", + "repose", + "equal", + "be", + "amount", + "make", + "resemble", + "look like", + "come to life", + "take after", + "approximate", + "come close", + "differ", + "oppose", + "counterbalance", + "counterweight", + "counterpoise", + "counterpose", + "contrast", + "counterpoint", + "conflict", + "come in", + "go out", + "clash", + "jar", + "collide", + "meet", + "fit", + "conform to", + "fit the bill", + "fill the bill", + "behoove", + "behove", + "violate", + "go against", + "break", + "fly in the face of", + "fly in the teeth of", + "conform to", + "exceed", + "transcend", + "overstep", + "pass", + "go past", + "top", + "exceed", + "transcend", + "surpass", + "overgrow", + "suffice", + "do", + "answer", + "serve", + "go a long way", + "serve", + "serve", + "serve well", + "serve", + "function", + "admit", + "prelude", + "act as", + "fall short of", + "satisfy", + "fulfill", + "fulfil", + "live up to", + "equal", + "touch", + "rival", + "match", + "compensate", + "counterbalance", + "correct", + "make up", + "even out", + "even off", + "even up", + "cover", + "compensate", + "overcompensate", + "balance", + "equilibrate", + "equilibrize", + "equilibrise", + "unbalance", + "rank", + "outrank", + "excel", + "stand out", + "surpass", + "stink", + "suck", + "shine at", + "excel at", + "leap out", + "jump out", + "jump", + "stand out", + "stick out", + "make", + "imitate", + "ape", + "emulate", + "echo", + "recall", + "follow suit", + "emulate", + "cover", + "refer", + "pertain", + "relate", + "concern", + "come to", + "bear on", + "touch", + "touch on", + "have-to doe with", + "focus on", + "center on", + "revolve around", + "revolve about", + "concentrate on", + "center", + "apply", + "hold", + "go for", + "involve", + "affect", + "regard", + "implicate", + "involve", + "embroil", + "tangle", + "sweep", + "sweep up", + "drag", + "drag in", + "disinvolve", + "disembroil", + "disentangle", + "entangle", + "mire", + "concern", + "interest", + "occupy", + "worry", + "matter to", + "interest", + "intrigue", + "fascinate", + "qualify", + "measure up", + "begin", + "prolong", + "sustain", + "keep up", + "continue", + "uphold", + "carry on", + "bear on", + "preserve", + "mummify", + "shut off", + "close off", + "cheese", + "discontinue", + "stop", + "cease", + "give up", + "quit", + "lay off", + "call it quits", + "call it a day", + "break", + "break", + "keep", + "maintain", + "hold", + "hold over", + "conserve", + "preserve", + "carry", + "distance", + "housekeep", + "hold", + "taper off", + "peter out", + "fizzle out", + "fizzle", + "discontinue", + "leave off", + "run on", + "keep going", + "ramble on", + "ramble", + "jog", + "ride", + "run out", + "expire", + "continue", + "go on", + "proceed", + "go along", + "keep", + "cross", + "traverse", + "span", + "sweep", + "reach", + "extend to", + "touch", + "run", + "go", + "pass", + "lead", + "extend", + "go", + "lead", + "run", + "lead", + "come", + "radiate", + "ray", + "roll", + "undulate", + "lead", + "top", + "rim", + "beard", + "cover", + "continue", + "extend", + "sweep", + "rake", + "enfilade", + "overlap", + "imbricate", + "imbricate", + "spread", + "overspread", + "transgress", + "ridge", + "dot", + "stud", + "constellate", + "extend", + "poke out", + "reach out", + "reach into", + "range", + "straddle", + "spread-eagle", + "lie", + "sit", + "nestle", + "intervene", + "top", + "mediate", + "ride", + "lap", + "localize", + "localise", + "focalize", + "focalise", + "slant", + "precede", + "predate", + "sit", + "sit around", + "underlie", + "cap", + "crest", + "front", + "look", + "face", + "face", + "subtend", + "delimit", + "back", + "flank", + "head", + "surmount", + "crown", + "pinnacle", + "situate", + "locate", + "acquire", + "radiolocate", + "map", + "place", + "localize", + "localise", + "dominate", + "command", + "overlook", + "overtop", + "shadow", + "overshadow", + "dwarf", + "loom", + "tower", + "predominate", + "hulk", + "rise", + "lift", + "rear", + "loom", + "endanger", + "jeopardize", + "jeopardise", + "menace", + "threaten", + "imperil", + "peril", + "overhang", + "beetle", + "dote", + "embody", + "be", + "personify", + "characterize", + "characterise", + "individuate", + "define", + "incarnate", + "body forth", + "embody", + "substantiate", + "reincarnate", + "transmigrate", + "body", + "personify", + "typify", + "epitomize", + "epitomise", + "represent", + "stand for", + "correspond", + "homologize", + "befit", + "suit", + "beseem", + "harmonize", + "harmonise", + "consort", + "accord", + "concord", + "fit in", + "agree", + "blend", + "go", + "blend in", + "go", + "go", + "hold", + "bear", + "carry", + "contain", + "contain", + "take", + "hold", + "sleep", + "retain", + "house", + "seat", + "stand", + "remain firm", + "stand", + "cost", + "be", + "set back", + "knock back", + "put back", + "suit", + "accommodate", + "fit", + "stand", + "wash", + "yield", + "relent", + "soften", + "truckle", + "line", + "run along", + "skirt", + "verge", + "border on", + "approach", + "line up", + "measure", + "weigh", + "librate", + "weigh", + "last", + "endure", + "wear", + "hold out", + "endure", + "outwear", + "drag on", + "drag out", + "inhere in", + "attach to", + "fall into", + "fall under", + "straddle", + "straddle", + "hover", + "vibrate", + "vacillate", + "oscillate", + "shillyshally", + "shimmer", + "hum", + "buzz", + "seethe", + "defy", + "withstand", + "hold", + "hold up", + "stand", + "weather", + "endure", + "brave", + "brave out", + "lend oneself", + "apply", + "beggar", + "defy", + "resist", + "refuse", + "weekend", + "piddle", + "wanton", + "wanton away", + "piddle away", + "trifle", + "misspend", + "spend", + "pass", + "vacation", + "holiday", + "honeymoon", + "serve", + "do", + "while away", + "get through", + "sojourn", + "winter", + "overwinter", + "summer", + "diverge", + "divaricate", + "breast", + "converge", + "meet", + "bound", + "border", + "shore", + "enclose", + "hold in", + "confine", + "embank", + "rail", + "rail in", + "box in", + "box up", + "frame", + "depend on", + "devolve on", + "depend upon", + "ride", + "turn on", + "hinge on", + "hinge upon", + "pattern", + "predate", + "precede", + "forego", + "forgo", + "antecede", + "antedate", + "postdate", + "follow", + "orient", + "stem", + "orient", + "point", + "stick out", + "protrude", + "jut out", + "jut", + "project", + "overhang", + "thrust", + "push up", + "thrust", + "spear", + "spear up", + "bulge", + "bag", + "protuberate", + "protuberate", + "cantilever", + "teem", + "pullulate", + "swarm", + "abound", + "bristle", + "abound", + "burst", + "bristle", + "brim", + "abound in", + "teem in", + "pullulate with", + "crawl", + "attach to", + "accompany", + "come with", + "go with", + "attend", + "company", + "companion", + "accompany", + "keep company", + "rule", + "carry", + "pack", + "take", + "bag", + "dangle", + "swing", + "drop", + "droop", + "loll", + "cancel", + "offset", + "set off", + "offset", + "countervail", + "adhere", + "share", + "disagree", + "disaccord", + "discord", + "gape", + "yawn", + "yaw", + "bifurcate", + "sulk", + "pout", + "brood", + "take kindly to", + "tend", + "be given", + "lean", + "incline", + "run", + "suffer", + "belong to", + "belong", + "follow", + "fall out", + "follow", + "come after", + "follow", + "follow", + "run", + "incur", + "run", + "go", + "leave", + "allow for", + "allow", + "provide", + "come up", + "look out on", + "look out over", + "overlook", + "look across", + "figure", + "enter", + "play", + "present", + "pose", + "press", + "rage", + "ramp", + "rage", + "storm", + "elude", + "escape", + "center on", + "do well", + "had best", + "exemplify", + "represent", + "go back", + "date back", + "date from", + "cloister", + "become", + "suit", + "relate", + "interrelate", + "rut", + "stagnate", + "stagnate", + "stagnate", + "come in handy", + "squat", + "refrain", + "forbear", + "forbear", + "hold back", + "help oneself", + "help", + "stand by", + "sit out", + "hoodoo", + "impend", + "range", + "run", + "stay", + "stay on", + "continue", + "remain", + "sell", + "translate", + "scale", + "retail", + "trade", + "head", + "head up", + "come in for", + "leave", + "compare", + "go", + "fall", + "come", + "leave", + "run into", + "encounter", + "feel", + "crawl", + "read", + "say", + "persist", + "remain", + "stay", + "linger", + "lie", + "rest", + "count", + "number", + "owe", + "gravitate", + "gravitate", + "pay", + "converge", + "diverge", + "accommodate", + "hold", + "admit", + "keep", + "preserve", + "shine", + "resplend", + "go far", + "go deep", + "go down", + "iridesce", + "opalesce", + "lie", + "stand", + "photograph", + "keep", + "stay fresh", + "hang", + "litter", + "suit", + "end", + "terminate", + "fit", + "help", + "facilitate", + "tie in", + "go into", + "lend", + "partake", + "define", + "delineate", + "let go", + "derive", + "come", + "descend", + "belong", + "belong", + "belong", + "go", + "go around", + "fry", + "circumvolute", + "spiral", + "wind", + "twist", + "curve", + "snake", + "miscegenate", + "synchronize", + "synchronise", + "contemporize", + "contemporise", + "meet", + "encounter", + "receive", + "foil", + "jumble", + "mingle", + "wear", + "falter", + "waver", + "embody", + "promise", + "have", + "hold one's own", + "hang", + "range", + "carry", + "accept", + "take", + "admit", + "agree", + "clean", + "draw", + "drive", + "ride", + "mean", + "confront", + "wash", + "balance", + "hail", + "come", + "originate", + "come", + "flow", + "issue forth", + "come", + "brood", + "hover", + "loom", + "bulk large", + "overshadow", + "dominate", + "eclipse", + "afford", + "open", + "be", + "act", + "add", + "make", + "admit", + "allow", + "test", + "seem", + "answer", + "beat", + "hold", + "break", + "break", + "carry", + "count", + "contain", + "connect", + "continue", + "continue", + "persist in", + "sell", + "sell", + "kill", + "make", + "make", + "deck", + "adorn", + "decorate", + "grace", + "embellish", + "beautify", + "ornament", + "blanket", + "carpet", + "smother", + "shroud", + "be", + "ride", + "rhyme", + "rime", + "assonate", + "consist", + "osculate", + "work", + "ascend", + "lubricate", + "breathe", + "trim", + "trim", + "swing", + "osculate", + "retard", + "summarize", + "summarise", + "sum", + "sum up", + "supplement", + "translate", + "transplant", + "cohere", + "cohere", + "object", + "stick", + "recognize", + "close", + "head", + "distribute", + "distribute", + "distribute", + "resist", + "reject", + "refuse", + "cash out", + "put out", + "bake", + "broil", + "dwell", + "inhabit", + "swim", + "drown", + "swim", + "base", + "belong", + "rain", + "rain down", + "precipitate", + "come down", + "fall", + "spat", + "liquefy", + "drizzle", + "mizzle", + "shower", + "shower down", + "sprinkle", + "spit", + "spatter", + "patter", + "pitter-patter", + "pour", + "pelt", + "stream", + "rain cats and dogs", + "rain buckets", + "sheet", + "sluice", + "sluice down", + "ice up", + "frost over", + "ice over", + "freeze", + "snow", + "hail", + "sleet", + "flame", + "ignite", + "light", + "set ablaze", + "set aflame", + "set on fire", + "set afire", + "reignite", + "douse", + "put out", + "erupt", + "ignite", + "catch fire", + "take fire", + "combust", + "conflagrate", + "blow out", + "catch", + "light up", + "kindle", + "enkindle", + "conflagrate", + "inflame", + "rekindle", + "kindle", + "inflame", + "snuff out", + "blow out", + "extinguish", + "quench", + "black out", + "burn", + "combust", + "flare", + "flame up", + "blaze up", + "burn up", + "flare", + "flame", + "outshine", + "shine", + "shimmer", + "flicker", + "flick", + "shine", + "beam", + "light up", + "flare up", + "blaze", + "blaze", + "twinkle", + "winkle", + "scintillate", + "glare", + "opalesce", + "absorb", + "take in", + "suck", + "suck in", + "reflect", + "shine", + "luminesce", + "sparkle", + "scintillate", + "coruscate", + "spark", + "sparkle", + "mirror", + "radiate", + "emit", + "give out", + "give off", + "scintillate", + "fume", + "smoke", + "reek", + "shoot", + "ray", + "steam", + "shadow", + "shade", + "shade off", + "burn", + "glow", + "gutter", + "blow", + "breeze", + "set in", + "waft", + "storm", + "squall", + "storm", + "bluster", + "thunder", + "boom", + "overcast", + "cloud", + "overcloud", + "cloud over", + "cloud up", + "clear up", + "clear", + "light up", + "brighten", + "blight", + "plague", + "swamp", + "drench", + "run dry", + "dry out", + "fog up", + "char", + "coal", + "haze", + "deflagrate" +] \ No newline at end of file diff --git a/static/data/es/adjectives.json b/static/data/es/adjectives.json new file mode 100644 index 0000000..98de68a --- /dev/null +++ b/static/data/es/adjectives.json @@ -0,0 +1,6969 @@ +[ + "capaz", + "incapaz", + "incipiente", + "naciente", + "último", + "completo", + "absoluto", + "completo", + "perfecto", + "puro", + "total", + "infinito", + "comparativo", + "relativo", + "resistente", + "moderado", + "abstracto", + "conceptual", + "conceptual", + "ideal", + "ideológico", + "concreto", + "objetivo", + "real", + "abundante", + "abundante", + "abundante", + "extenso", + "fácil", + "abundante", + "abundoso", + "abundante", + "verde", + "escaso", + "raro", + "abusado", + "maltratado", + "aceptable", + "inaceptable", + "inadmisible", + "inconveniente", + "censurable", + "inaceptable", + "cómodo", + "práctico", + "útil", + "alejado", + "distante", + "remoto", + "acomodaticio", + "amable", + "atento", + "servicial", + "atento", + "poco amable", + "poco atento", + "poco gentil", + "poco servicial", + "exacto", + "preciso", + "fiel", + "preciso", + "impreciso", + "inexacto", + "desacostumbrado", + "deshabituado", + "nuevo", + "ácido", + "ácido", + "básico", + "reconocido", + "supuesto", + "supuesto", + "desconocido", + "ignorado", + "no reconocido", + "secreto", + "activo", + "dinámico", + "dinámico", + "enérgico", + "ligero", + "rápido", + "ágil", + "inactivo", + "latente", + "lento", + "activo", + "activo", + "activo", + "abierto", + "activo", + "progresivo", + "latente", + "activo", + "pasivo", + "dócil", + "activo", + "extinto", + "muerto", + "activo", + "real", + "verdadero", + "posible", + "potencial", + "latente", + "agudo", + "severo", + "crónico", + "progresivo", + "mortal", + "adicto", + "alcohólico", + "libre de addición", + "libre de adicción", + "no adicto", + "extra", + "complementario", + "creciente", + "progresivo", + "complementario", + "sin dirección escrita", + "acertado", + "adecuada", + "adecuado", + "apropiado", + "capaz", + "conveniente", + "idóneo", + "igual", + "acertado", + "adecuado", + "apropiado", + "capaz", + "conveniente", + "idóneo", + "inadecuado", + "inigual", + "incapaz", + "adhesivo", + "coherente", + "tenaz", + "no adhesivo", + "no resinoso", + "esencial", + "sustantivo", + "sencillo", + "hábil", + "limpio", + "preciso", + "hábil", + "desgarbado", + "torpe", + "tosco", + "torpe", + "ventajoso", + "bueno", + "desfavorable", + "desventajoso", + "audaz", + "valiente", + "seguro", + "conveniente", + "desaconsejado", + "desaconsejado", + "imprudente", + "estético", + "artístico", + "artificial", + "afectado", + "artificial", + "forzado", + "natural", + "natural", + "negativo", + "encallado", + "varado", + "temeroso", + "agresivo", + "bélico", + "manso", + "no agresivo", + "poco agresivo", + "inquieto", + "calmado", + "relajado", + "tranquilo", + "agitado", + "calmado", + "relajado", + "tranquilo", + "agradable", + "grato", + "desagradable", + "fastidioso", + "molesto", + "molesto", + "atento", + "desatento", + "desprevenido", + "recursivo", + "enajenable", + "transferible", + "viable", + "vital", + "muerto", + "difunto", + "mortal", + "difunto", + "muerto", + "vivo", + "muerto", + "altricial", + "nidícola", + "ambiguo", + "ambicioso", + "agresivo", + "decidido", + "completo", + "generoso", + "amplio", + "ancho", + "escaso", + "escaso", + "insuficiente", + "insignificante", + "marginal", + "insignificante", + "miserable", + "anastigmático", + "estigmático", + "anádromo", + "oral", + "digital", + "sintético", + "sintético", + "polisintético", + "sintético", + "furioso", + "furioso", + "calmado", + "conforme", + "sensible", + "sensible", + "viviente", + "vivo", + "animado", + "vivaz", + "vivo", + "enérgico", + "vital", + "inanimado", + "inánime", + "muerto", + "animado", + "gris", + "inanimado", + "sombrío", + "anónimo", + "anónimo", + "desconocido", + "previo", + "anterior", + "precedente", + "previo", + "preexistente", + "posterior", + "subsiguiente", + "ulterior", + "consecuente", + "consiguiente", + "resultante", + "futuro", + "posterior", + "ulterior", + "vuelto hacia atrás", + "marino", + "terrestre", + "terrestre", + "precedente", + "anterior", + "precedente", + "previo", + "inicial", + "precedente", + "previo", + "siguiente", + "subsiguiente", + "consecutivo", + "consiguiente", + "subsiguiente", + "siguiente", + "próximo", + "siguiente", + "nuevo", + "no prensil", + "preprandial", + "anterior", + "frontal anterior", + "posterior", + "posterior", + "trasero", + "apetitoso", + "agradable", + "poco apetitoso", + "abordable", + "accesible", + "inabordable", + "apropiado", + "digno", + "propio", + "oportuno", + "acertado", + "adecuado", + "apropiado", + "auténtico", + "capaz", + "conveniente", + "idóneo", + "adeudado", + "debido", + "indebido", + "oportuno", + "apropiado", + "apto", + "pertinente", + "arbóreo", + "arenoso", + "espinoso", + "astuto", + "astuto", + "precioso", + "rico", + "sencillo", + "expresivo", + "mudo", + "mudo", + "mudo", + "mudo", + "culpable", + "fresco", + "asertivo", + "enérgico", + "humilde", + "modesto", + "asociativo", + "no asociativo", + "comprometido", + "despegado", + "sésil", + "adosado", + "agregado", + "anejo", + "anexo", + "independiente", + "separado", + "suelto", + "independiente", + "separado", + "suelto", + "atento", + "desprevenido", + "atento", + "atento", + "prudente", + "ausente", + "atractivo", + "fascinante", + "atrayente", + "carismático", + "lindo", + "rico", + "atractivo", + "atractivo", + "fascinante", + "atractivo", + "atractivo", + "feo", + "repulsivo", + "desagradable", + "atribuible", + "no atribuíble", + "no embarazada", + "audible", + "inaudible", + "prometedor", + "propicio", + "propicio", + "favorable", + "propicio", + "amable", + "impropicio", + "autorizado", + "no autorizado", + "constitucional", + "inconstitucional", + "autóctono", + "heterogéneo", + "automático", + "automatizado", + "alto", + "elegante", + "manual", + "disponible", + "disponible", + "disponible", + "listo", + "agotado", + "no disponible", + "despierto", + "no astringente", + "sensato", + "desprevenido", + "ignorante", + "inconsciente", + "ajeno", + "ciego", + "inconsciente", + "inconsciente", + "consciente", + "involuntario", + "alarmante", + "espantoso", + "atroz", + "espantoso", + "horrible", + "espantoso", + "fatal", + "horrible", + "temible", + "terrible", + "tremendo", + "siniestro", + "espantoso", + "terrible", + "temible", + "espantoso", + "horrible", + "no alarmante", + "reconfortante", + "inquietante", + "posterior", + "trasero", + "posterior", + "trasero", + "delantero", + "adelantado", + "avanzado", + "principal", + "siguiente", + "inverso", + "delantero", + "tímido", + "modesto", + "fresco", + "familiar", + "fresco", + "metido en barril", + "metido en barriles", + "puesto en barriles", + "sin cama", + "no estratificado", + "no estratificados", + "herboso", + "herbáceo", + "reforzado", + "calvo", + "liso", + "hirsuto", + "peludo", + "piloso", + "de carga", + "bello", + "bonito", + "cautivador", + "encantador", + "hermoso", + "precioso", + "bello", + "hermoso", + "hermoso", + "lindo", + "guapo", + "exquisito", + "apuesto", + "guapo", + "espléndido", + "glorioso", + "magnífico", + "maravilloso", + "divino", + "espléndido", + "magnífico", + "hermoso", + "maravilloso", + "precioso", + "pintoresco", + "bonito", + "desagradable", + "feo", + "grotesco", + "feo", + "desagrupado", + "siniestro", + "cándido", + "ingenuo", + "editorialmente", + "mejor", + "primero", + "principal", + "peor", + "mínimo", + "último", + "mejor", + "peor", + "mejor", + "empeorado", + "peor", + "mejorado", + "empeorado", + "empeoramiento", + "bicameral", + "unicameral", + "anónimo", + "anónimo", + "negro", + "negro", + "blanco", + "rubio", + "claro", + "pálido", + "moreno", + "moreno", + "oscuro", + "moreno", + "moreno", + "defectuoso", + "marcado", + "inmaculado", + "sangriento", + "sangriento", + "violento", + "audaz", + "audaz", + "valiente", + "heroico", + "tímido", + "modesto", + "tímido", + "tímido", + "temeroso", + "tímido", + "suelto", + "suelto", + "enredado", + "desenredado", + "coloquial", + "vulgar", + "obrero", + "burgués", + "burgués", + "valiente", + "heroico", + "valiente", + "enérgico", + "valiente", + "valiente", + "temeroso", + "miserable", + "medroso", + "débil", + "amamantado", + "criado con biberón", + "no cristalino", + "claro", + "luminoso", + "luminoso", + "pálido", + "blanco", + "oscuro", + "negro", + "oscuro", + "oscuro", + "sombrío", + "sombrío", + "sin sombra", + "sin sombras", + "insalvable", + "insalvables", + "brillante", + "luminoso", + "reluciente", + "luminoso", + "brillante", + "reluciente", + "radiante", + "brillante", + "brillante", + "reluciente", + "brillante", + "argentino", + "mate", + "parcial", + "racista", + "liberal", + "liberal", + "abierto", + "cerrado", + "cerrado", + "roto", + "entero", + "sin romper", + "entero", + "sólido", + "sin enterrar", + "vago", + "ocioso", + "desabotonado", + "desabrochado", + "burgués", + "socialista", + "colectivo", + "áspero", + "ronco", + "áspero", + "rico", + "sonoro", + "computable", + "estimable", + "incalculable", + "incontable", + "infinto", + "innumerable", + "sereno", + "tranquilo", + "apacible", + "quieto", + "sereno", + "tranquilo", + "estable", + "furioso", + "violento", + "alcanforado", + "capaz", + "capaz", + "seguro", + "ingenioso", + "incapaz", + "capaz", + "incapaz", + "seguro", + "minucioso", + "detallado", + "minucioso", + "aplicado", + "minucioso", + "profundo", + "superficial", + "torpe", + "predador", + "sin alfombrar", + "no tallado", + "sin tallar", + "radical", + "propicio", + "motor", + "responsable", + "no causal", + "no causativo", + "prudente", + "celular", + "central", + "intermedio", + "central", + "nuclear", + "periférico", + "marginal", + "sensorial", + "motor", + "indiscutible", + "incierto", + "provisional", + "provisional", + "seguro", + "dudoso", + "inseguro", + "dudoso", + "dudoso", + "inseguro", + "seguro", + "seguro", + "altivo", + "confiadamente", + "inseguro", + "tímido", + "inevitable", + "seguro", + "incierto", + "certificado", + "acreditado", + "inevitable", + "necesario", + "inevitable", + "variable", + "imprevisible", + "inestable", + "inestable", + "fijo", + "variable", + "final", + "último", + "equilibrado", + "eterno", + "imperecedero", + "inacabable", + "infinito", + "interminable", + "perdurable", + "perpetuo", + "sempiterno", + "reformado", + "no enmendado", + "igual", + "ionizado", + "no ionizado", + "no iónico", + "característico", + "típico", + "sintomático", + "típico", + "inusual", + "puro", + "virgen", + "lascivo", + "alegre", + "divertido", + "contento", + "feliz", + "sonriente", + "sonriente", + "alegre", + "alegre", + "agradable", + "alegre", + "alegre", + "desalentador", + "negro", + "oscuro", + "triste", + "solemne", + "sombrío", + "dorado", + "azul", + "rosado", + "marrón", + "verde", + "rosa", + "rosado", + "morado", + "rojizo", + "rojo", + "rosa", + "rosado", + "amarillo", + "calcáreo", + "gris", + "neutro", + "negro", + "blanco", + "intenso", + "vivo", + "rojo", + "sin manchas", + "vivo", + "brillante", + "vivo", + "intenso", + "pálido", + "agradable", + "bonito", + "espléndido", + "estupendo", + "llamativo", + "interesante", + "pintoresco", + "neutro", + "pálido", + "claro", + "pálido", + "claro", + "pálido", + "oscuro", + "cristiano", + "moderno", + "civil", + "humano", + "bárbaro", + "salvaje", + "clásico", + "contemporáneo", + "moderno", + "secreto", + "secreto", + "limpio", + "limpio", + "fresco", + "inmaculado", + "puro", + "sucio", + "sucio", + "miserable", + "sucio", + "verde", + "grosero", + "verde", + "obsceno", + "no radioactivo", + "purificado", + "impuro", + "claro", + "comprensible", + "claro", + "intenso", + "vivo", + "confuso", + "impreciso", + "ambiguo", + "impreciso", + "vago", + "claro", + "claro", + "transparente", + "radiante", + "opaco", + "turbio", + "blanco", + "confuso", + "atontado", + "confuso", + "atontado", + "severo", + "clemente", + "apacible", + "suave", + "inclemente", + "listo", + "astuto", + "ingenioso", + "estúpido", + "imbécil", + "tonto", + "estúpido", + "ridículo", + "tonto", + "corto", + "estúpido", + "lento", + "tonto", + "torpe", + "estúpido", + "distante", + "lejano", + "remoto", + "frío", + "distante", + "lejano", + "remoto", + "alejado", + "distante", + "lejano", + "remoto", + "alejado", + "distante", + "lejano", + "remoto", + "periférico", + "cercano", + "cercano", + "próximo", + "vecino", + "caliente", + "distante", + "extremo", + "extenso", + "cercano", + "inmediato", + "aproximado", + "inmediato", + "próximo", + "inmediato", + "cercano", + "próximo", + "alejado", + "distante", + "lejano", + "remota", + "remoto", + "ulterior", + "cercano", + "íntimo", + "aproximado", + "inseparable", + "cercano", + "íntimo", + "íntimo", + "de primos", + "no de primos", + "cubierto", + "descubierto", + "desnudo", + "desnudo", + "desnudo", + "claro", + "sereno", + "cubierto", + "gris", + "costero", + "costero", + "marítimo", + "interior", + "interior", + "coherente", + "incoherente", + "confuso", + "intacto", + "liso", + "colectivo", + "difusor", + "dispersor", + "inédito", + "desapercibido", + "combinatorio", + "explosivo", + "explosivo", + "no explosivo", + "ardiente", + "amplio", + "cómodo", + "práctico", + "amplio", + "grande", + "estrecho", + "cómodo", + "incómodo", + "incómodo", + "doloroso", + "molesto", + "cómodo", + "inquietante", + "correspondiente", + "proporcional", + "relativo", + "comercial", + "mercantil", + "lucrativo", + "no residencial", + "no residenciales", + "común", + "corriente", + "democrático", + "popular", + "frecuente", + "común", + "corriente", + "estándar", + "singular", + "especial", + "excepcional", + "particular", + "raro", + "raro", + "común", + "habitual", + "normal", + "usual", + "habitual", + "crónico", + "habitual", + "habitual", + "usual", + "excepcional", + "extraordinario", + "insólito", + "diferente", + "distinto", + "raro", + "común", + "comunitario", + "público", + "individual", + "respectivo", + "singular", + "abierto", + "expresivo", + "narrativo", + "directo", + "franco", + "cóncavamente", + "verbal", + "vacío", + "silencioso", + "compacto", + "denso", + "flojo", + "arenoso", + "comparable", + "comparable", + "comparable", + "el único", + "incomparable", + "solos", + "único", + "comprensivo", + "compatible", + "incompatible", + "contradictorio", + "compatible", + "incompatible", + "compatible", + "incompatible", + "apropiado", + "capaz", + "eficaz", + "eficiente", + "incapaz", + "inútil", + "vano", + "resignado", + "incomprimible", + "entero", + "completo", + "entero", + "pleno", + "total", + "entero", + "completo", + "entero", + "medio", + "intermedio", + "libre", + "sin inagurar", + "completo", + "evidente", + "exhaustivo", + "absoluto", + "completo", + "perfecto", + "total", + "minucioso", + "absoluto", + "total", + "independiente", + "incompleto", + "roto", + "parcial", + "impreciso", + "vago", + "completo", + "extenso", + "global", + "amplio", + "completo", + "general", + "global", + "global", + "mundial", + "universal", + "amplio", + "extenso", + "general", + "incompleto", + "parcial", + "sereno", + "tranquilo", + "equilibrado", + "sereno", + "tranquilo", + "tranquilo", + "incómodo", + "comprensible", + "comprensible", + "incomprensible", + "inconmensurable", + "oscuro", + "oscuro", + "cóncavo", + "abultado", + "convexo", + "compacto", + "denso", + "espeso", + "difuso", + "difuso", + "disperso", + "separado", + "claro", + "disperso", + "temeroso", + "inquieto", + "indiferente", + "indiferente", + "indiferente", + "preciso", + "corto", + "directo", + "difuso", + "decisivo", + "definitivo", + "no consumado", + "concorde", + "consonante", + "homólogo", + "unánime", + "discordante", + "condicional", + "contingente", + "eventual", + "incierto", + "dependiente", + "eventual", + "provisional", + "temporal", + "transitorio", + "incondicional", + "cerrado", + "repleto", + "lleno", + "agradable", + "amistoso", + "incompatible", + "desagradable", + "idéntico", + "incongruente", + "apropiado", + "incompatible", + "divisorio", + "inmediato", + "afín", + "enlazado", + "ligado", + "vinculado", + "aislado", + "separado", + "suelto", + "consciente", + "inconsciente", + "inconsciente", + "conservador", + "liberal", + "progresista", + "consistente", + "contradictorio", + "incompatible", + "irregular", + "evidente", + "obvio", + "llamativo", + "gran", + "grande", + "importante", + "atroz", + "grave", + "tremendo", + "marcado", + "sorprendente", + "discreto", + "invisible", + "discernible", + "indiscernible", + "constante", + "fiel", + "firme", + "falso", + "creativo", + "formativo", + "estructural", + "negativo", + "contento", + "rebelde", + "discutible", + "discutible", + "indiscutible", + "indiscutible", + "continuo", + "perenne", + "repetido", + "persistente", + "cargo imprevisible", + "cargo irregular", + "irregular", + "aislado", + "disperso", + "continuo", + "constante", + "continuo", + "perpetuo", + "constante", + "continuo", + "consecutivo", + "seguido", + "continuo", + "continuo", + "continuado", + "contínuo", + "discontínuo", + "libre", + "polémico", + "discutible", + "polémico", + "nada polémico", + "sin controversia", + "contencioso", + "conveniente", + "práctico", + "idóneo", + "incómodo", + "molesto", + "convencional", + "habitual", + "convencional", + "conservador", + "poco convencional", + "alternativo", + "extraño", + "raro", + "original", + "atómico", + "nuclear", + "convencional", + "tradicional", + "clásico", + "convencional", + "tradicional", + "no tradicional", + "espeso", + "convincente", + "plausible", + "dudoso", + "poco convencido", + "poco convincente", + "duro", + "crudo", + "sucio", + "incompatible", + "considerable", + "importante", + "considerable", + "grande", + "importante", + "insignificante", + "real", + "sustancial", + "material", + "físico", + "sustancial", + "físico", + "material", + "corporal", + "espiritual", + "acertado", + "correcto", + "exacto", + "perfecto", + "preciso", + "correcto", + "incorrecto", + "erróneo", + "falso", + "acertado", + "correcto", + "recto", + "erróneo", + "incorregible", + "cuadrado", + "diminuto", + "minúsculo", + "estreñido", + "laxante", + "no estreñido", + "regular", + "atento", + "delicado", + "amable", + "atento", + "brusco", + "seco", + "maleducado", + "correcto", + "cortés", + "cumplido", + "cívico", + "educado", + "grosero", + "creativo", + "creativo", + "imaginativo", + "ingenioso", + "poco creativa", + "poco creativo", + "verosímil", + "plausible", + "probable", + "verosímil", + "presunto", + "increíble", + "asombroso", + "sorprendente", + "fantástico", + "increíble", + "escéptico", + "crítico", + "nada crítico", + "crítico", + "crítico", + "entendido", + "sagaz", + "alarmante", + "crítico", + "grave", + "grave", + "peligroso", + "serio", + "severo", + "terrible", + "tremendo", + "grave", + "crítico", + "no crítico", + "descruzado", + "no cruzado", + "real", + "no coronado", + "sin corona", + "crucial", + "importante", + "alarmante", + "crítico", + "decisivo", + "fundamental", + "básico", + "central", + "elemental", + "esencial", + "fundamental", + "primordial", + "insignificante", + "definido", + "sólido", + "lineal", + "unidimensional", + "llano", + "plano", + "tridimensional", + "sin cortar", + "curioso", + "curioso", + "indiferente", + "actual", + "vigente", + "actual", + "contemporáneo", + "no actual", + "antiguo", + "viejo", + "maldecido", + "maldito", + "maldito", + "maldito", + "desproveído", + "provisto de continajes", + "provisto de cortinajes", + "hecho a medida", + "hecho de encargo", + "artesanal", + "fabricado a máquina", + "cíclico", + "circular", + "no cíclico", + "anual", + "perenne", + "nocturno", + "dañado", + "sordo", + "ordinario", + "vulgar", + "decisivo", + "decisivo", + "determinante", + "fatal", + "inevitable", + "decidido", + "inseguro", + "inseguro", + "declarado", + "presunto", + "formal", + "serio", + "deducible", + "no deducible", + "profundo", + "profundo", + "profundo", + "superficial", + "real", + "invicto", + "resistente", + "obediente", + "definido", + "vago", + "básico", + "no derivado", + "simple", + "primario", + "primitivo", + "sin inflexión", + "sin inflexión", + "definido", + "definitivo", + "fijo", + "preciso", + "seguro", + "cierto", + "claro", + "evidente", + "indiscutible", + "indudable", + "innegable", + "notable", + "obvio", + "patente", + "indefinida", + "indefinido", + "vago", + "bajo", + "melancólico", + "triste", + "solitario", + "solo", + "regocijado", + "alegre", + "contento", + "feliz", + "delicado", + "delicado", + "exquisito", + "tierno", + "fuerte", + "resistente", + "delicado", + "frágil", + "exigente", + "exigente", + "estricto", + "riguroso", + "severo", + "estricto", + "exigente", + "fácil", + "esencial", + "fundamental", + "primordial", + "urgente", + "autoritario", + "implorante", + "orante", + "suplicante", + "democrático", + "parlamentario", + "parlamentario", + "popular", + "representativo", + "republicano", + "arbitrario", + "absoluto", + "caprichoso", + "expresivo", + "emocional", + "indiscutible", + "innegable", + "indudable", + "innegable", + "cumplidor", + "de confianza", + "seguro", + "constante", + "informal", + "poco fiable", + "dependiente", + "menor", + "independiente", + "autónomo", + "autónomo", + "separado", + "recabar", + "individual", + "decidido", + "principal", + "independiente", + "descriptivo", + "normativo", + "no descriptivo", + "deseable", + "indeseable", + "no deseado", + "destruído", + "fijo", + "maduro", + "sin diferencias", + "uniforme", + "difícil", + "duro", + "ambicioso", + "exigente", + "delicado", + "difícil", + "duro", + "espinoso", + "delicado", + "duro", + "temible", + "molesto", + "serio", + "fácil", + "casual", + "suave", + "elemental", + "simple", + "llano", + "solemne", + "elegante", + "formal", + "solemne", + "patético", + "ridículo", + "tonto", + "presidencial", + "poco presidencial", + "constante", + "persistente", + "tenaz", + "dinámico", + "enérgico", + "trabajador", + "delincuente", + "indiferente", + "acuoso", + "no diluída", + "no diluído", + "solo", + "diplomático", + "pacífico", + "antagonista", + "directo", + "directo", + "directo", + "seguido", + "indirecto", + "indirecto", + "directo", + "directo", + "firme", + "franco", + "sincero", + "sencillo", + "claro", + "directo", + "franco", + "indirecto", + "inmediato", + "directo", + "indirecto", + "discreto", + "masivo", + "fino", + "buen", + "exclusivo", + "indiscriminado", + "reutilizable", + "disponible", + "utilizable", + "líquido", + "bloqueado", + "no disponible", + "proximal", + "mediano", + "claro", + "definido", + "marcado", + "claro", + "preciso", + "definido", + "confuso", + "impreciso", + "confuso", + "débil", + "sombrío", + "vago", + "diversificado", + "indiferenciado", + "general", + "sólido", + "sólido", + "inseparable", + "dominante", + "cruel", + "severo", + "servil", + "insumiso", + "dominante", + "dominante", + "prestigioso", + "dirigente", + "predominante", + "preponderante", + "supremo", + "superior", + "asociado", + "secundario", + "dominante", + "recto", + "dramático", + "espectacular", + "impresionante", + "irrepresentable", + "teatral", + "llamativo", + "teatral", + "bebido", + "borracho", + "ebrio", + "borracho", + "ciego", + "borracho", + "sordo", + "agudo", + "agudo", + "intenso", + "penetrante", + "rutinario", + "vivo", + "enérgico", + "vital", + "alegre", + "brillante", + "torpe", + "igual", + "rutinario", + "dinámico", + "enérgico", + "ansioso", + "ansioso", + "temprano", + "originario", + "primitivo", + "medio", + "intermedio", + "tardío", + "avanzado", + "temprano", + "primitivo", + "contemporáneo", + "moderno", + "nuevo", + "temprano", + "primitivo", + "embrionario", + "incipiente", + "precoz", + "tardío", + "avanzado", + "temprano", + "medio", + "inmaduro", + "tardío", + "inmerecido", + "tranquilo", + "inquieto", + "inquieto", + "temeroso", + "inseguro", + "oriental", + "oriental", + "oriental", + "occidental", + "occidental", + "occidental", + "occidental", + "oriental", + "oriental", + "tóxico", + "culto", + "sabio", + "operativo", + "efectivo", + "vigente", + "inoperativa", + "inoperativo", + "eficaz", + "enérgico", + "impresionante", + "incapaz", + "inútil", + "vano", + "duro", + "fatigoso", + "penoso", + "fácil", + "eficaz", + "efectivo", + "competente", + "eficiente", + "sistemático", + "económico", + "pronto", + "rápido", + "enérgico", + "firme", + "débil", + "flojo", + "flexible", + "flexible", + "no elástico", + "poco elástico", + "electoral", + "asignado", + "obligatorio", + "imperativo", + "obligatorio", + "requerido", + "elegante", + "lujoso", + "elegante", + "fino", + "exquisito", + "elegante", + "torpe", + "acertado", + "adecuado", + "apropiado", + "capaz", + "conveniente", + "idóneo", + "válido", + "ineligible", + "emocional", + "afectivo", + "cálido", + "frío", + "frío", + "filosófico", + "empírico", + "experimental", + "experimental", + "teórico", + "hipotético", + "metafísico", + "abstracto", + "autónomo", + "independiente", + "trabajador", + "encantado", + "alentador", + "endocéntrica", + "endocéntrico", + "endogénico", + "endógeno", + "exógeno", + "físico", + "enérgico", + "vivaz", + "dinámico", + "enérgico", + "enérgico", + "atontado", + "indiferente", + "no exploratorio", + "agudo", + "no exploratorio", + "no investigador", + "exagerado", + "exagerado", + "pequeño", + "barato", + "culto", + "poco ilustrado", + "bárbaro", + "dinámico", + "enérgico", + "tenaz", + "trabajador", + "empresarial", + "ardiente", + "indiferente", + "ansioso", + "celoso", + "igual", + "equivalente", + "equilibrado", + "cancelar", + "equilibrado", + "estable", + "equilibrado", + "ambiguo", + "ambiguo", + "vago", + "misterioso", + "oculto", + "secreto", + "misterioso", + "esencial", + "básico", + "fundamental", + "primordial", + "principal", + "constitutivo", + "orgánico", + "básico", + "sustancial", + "virtual", + "vital", + "innecesario", + "imprescindible", + "indispensable", + "elemental", + "esencial", + "fundamental", + "indispensable", + "primordial", + "admirable", + "despreciable", + "bajo", + "miserable", + "patético", + "ético", + "halagador", + "halagador", + "nada halagador", + "poco halagador", + "ofensivo", + "contento", + "feliz", + "triste", + "regular", + "uniforme", + "liso", + "llano", + "plano", + "regular", + "irregular", + "irregular", + "par", + "impar", + "perenne", + "exacto", + "exacto", + "matemático", + "estricto", + "riguroso", + "inexacto", + "aproximado", + "desatado", + "libre", + "redondo", + "excitable", + "nervioso", + "no excitable", + "poco excitable", + "sereno", + "nervioso", + "ansioso", + "loco", + "no excitado", + "tranquilo", + "electrizante", + "emocionante", + "excitante", + "apasionante", + "emocionante", + "poco excitante", + "ordinario", + "vulgar", + "exculpatorio", + "restante", + "existente", + "activo", + "desprovisto", + "inexistente", + "existente", + "viviente", + "vivo", + "muerto", + "inesperado", + "inesperado", + "inesperado", + "conveniente", + "oportuno", + "caro", + "costoso", + "caro", + "costoso", + "costoso", + "barato", + "llamativo", + "barato", + "económico", + "insignificante", + "inútil", + "viejo", + "nulo", + "no vencido", + "válido", + "explicable", + "desconocido", + "misterioso", + "paradójico", + "explícito", + "manifiesto", + "manifiesto", + "gráfico", + "inherente", + "subyacente", + "no explotado", + "subdesarrollado", + "inefable", + "no extensible", + "no retractil", + "inextinguible", + "externo", + "exterior", + "externo", + "interno", + "interior", + "interno", + "interior", + "exterior", + "extremo", + "interior", + "exterior", + "externo", + "interior", + "interior", + "interno", + "exterior", + "exterior", + "exterior", + "interior", + "interior", + "interior", + "bueno", + "justo", + "recto", + "limpio", + "injusto", + "sucio", + "crudo", + "desigual", + "injusto", + "fiel", + "constante", + "fiel", + "firme", + "fiel", + "infiel", + "traidor", + "rebelde", + "traidor", + "falible", + "humano", + "infalible", + "certero", + "seguro", + "familiar", + "desconocido", + "extraño", + "poco familiar", + "insólito", + "fantástico", + "grotesco", + "curioso", + "extraño", + "original", + "peculiar", + "raro", + "singular", + "extraño", + "curioso", + "pintoresco", + "común", + "corriente", + "ordinario", + "elegante", + "total", + "moderno", + "progresista", + "curioso", + "singular", + "elegante", + "rápido", + "veloz", + "ligero", + "pronto", + "rápido", + "rápido", + "veloz", + "alto", + "elegante", + "lento", + "lento", + "flojo", + "animado", + "rápido", + "lento", + "lento", + "extenso", + "largo", + "delicado", + "exigente", + "sin manías", + "sin problemas", + "rechoncho", + "delgado", + "flaco", + "enjuto", + "seco", + "enjuto", + "flojo", + "delgado", + "delicado", + "esbelto", + "fino", + "enjuto", + "ligero", + "gordo", + "fatal", + "mortal", + "mortal", + "favorable", + "desfavorable", + "favorable", + "favorable", + "parcial", + "desfavorable", + "poco favorable", + "oportuno", + "acertado", + "apropiado", + "oportuno", + "desgraciado", + "inadecuado", + "fértil", + "estéril", + "estéril", + "completo", + "listo", + "pendiente", + "natural", + "finito", + "delimitado", + "limitado", + "infinito", + "infinito", + "finito", + "infinito", + "inicial", + "primero", + "primero", + "inicial", + "final", + "final", + "terminal", + "último", + "primero", + "inicial", + "mayor", + "original", + "primero", + "primero", + "principal", + "último", + "último", + "intermedio", + "intermedio", + "medio", + "penúltimo", + "antepenúltimo", + "segundo", + "no fisible", + "capaz", + "hábil", + "acertado", + "adecuado", + "apropiado", + "capaz", + "conveniente", + "idóneo", + "aceptable", + "acertado", + "adecuado", + "apropiado", + "capaz", + "conveniente", + "correspondiente", + "idóneo", + "admirable", + "respetable", + "uniforme", + "flexible", + "flexible", + "flexible", + "rígido", + "tieso", + "flexible", + "ágil", + "inflexible", + "firme", + "inflexible", + "intransigente", + "resistente", + "flexible", + "blando", + "rígido", + "flexible", + "inadaptable", + "rígido", + "liso", + "delantero", + "materno", + "nativo", + "innato", + "extranjero", + "extraño", + "forastero", + "extranjero", + "extraño", + "forastero", + "autóctono", + "indígena", + "natural", + "originario", + "nacional", + "local", + "exterior", + "extranjero", + "exterior", + "externo", + "interior", + "nacional", + "municipal", + "doméstico", + "olvidable", + "inolvidable", + "persistente", + "amable", + "formal", + "solemne", + "ceremoniero", + "ceremonioso", + "convencional", + "formal", + "definitivo", + "formal", + "informal", + "formal", + "literario", + "coloquial", + "familiar", + "común", + "ordinario", + "vulgar", + "primero", + "segundo", + "contento", + "feliz", + "buen", + "bueno", + "milagroso", + "negro", + "miserable", + "pobre", + "triste", + "lamentable", + "aromático", + "fragante", + "rancio", + "agrio", + "rancio", + "libre", + "suelto", + "libre", + "suelto", + "autonómico", + "autónomo", + "independiente", + "soberano", + "disponible", + "libre", + "habitual", + "predominante", + "habitual", + "regular", + "raro", + "fresco", + "bueno", + "fresco", + "fuerte", + "rancio", + "malo", + "duro", + "seco", + "flojo", + "rancio", + "fresco", + "seco", + "salado", + "fresco", + "salino", + "salado", + "salino", + "amistoso", + "amable", + "cordial", + "simpático", + "amable", + "social", + "distante", + "frío", + "frío", + "seco", + "amigo", + "hostil", + "glacial", + "descongelado", + "productivo", + "abundante", + "fértil", + "productivo", + "rico", + "fértil", + "estéril", + "improductivo", + "infructuoso", + "infructífero", + "yermo", + "estéril", + "lleno", + "lleno", + "lleno", + "lleno", + "vacío", + "desnudo", + "vacío", + "vacío", + "vacío", + "no drenado", + "sin drenaje", + "sin drenar", + "irregular", + "temporal", + "temporal", + "funcional", + "estructural", + "funcional", + "útil", + "decorativo", + "funcional", + "funcional", + "operativo", + "malo", + "funcional", + "orgánico", + "aparejado", + "equipado", + "desaparejado", + "desequipado", + "joven", + "enmarcado", + "financiado", + "provisto de fondos", + "no financiado", + "simple", + "específico", + "general", + "universal", + "genérico", + "general", + "específico", + "detallado", + "especial", + "especial", + "particular", + "peculiar", + "propio", + "particular", + "propio", + "nacional", + "local", + "con agallas", + "unitario", + "técnico", + "de denominación común", + "genérico", + "generosa", + "generoso", + "espléndido", + "generoso", + "magnífico", + "rancio", + "miserable", + "rancio", + "escaso", + "miserable", + "ruin", + "miserable", + "generoso", + "auténtico", + "genuino", + "real", + "verdadero", + "auténtico", + "original", + "autentificado", + "certificado", + "bueno", + "falseado", + "falsificado", + "falso", + "imitado", + "imitativo", + "falso", + "falso", + "falso", + "manifiesto", + "sintético", + "dotado", + "privilegiado", + "talentoso", + "sin cristales", + "glorioso", + "divino", + "excelente", + "excepcional", + "extraordinario", + "genial", + "ilustre", + "desconocido", + "oscuro", + "bueno", + "brutal", + "bárbaro", + "genial", + "aceptable", + "satisfactorio", + "sólido", + "correcto", + "malo", + "atroz", + "espantoso", + "horrible", + "terrible", + "tremendo", + "lamentable", + "penoso", + "triste", + "duro", + "horrible", + "negativo", + "pobre", + "buen", + "penoso", + "severo", + "abrumador", + "desfavorable", + "bueno", + "santo", + "blanco", + "malo", + "malvado", + "atroz", + "negro", + "oscuro", + "perverso", + "siniestro", + "bajo", + "despreciable", + "agradable", + "amable", + "grato", + "apacible", + "arisco", + "iracundo", + "agrio", + "sombrío", + "arisco", + "elegante", + "ligero", + "esbelto", + "ligero", + "torpe", + "gracioso", + "elegante", + "fino", + "arisco", + "áspero", + "desagradable", + "repentino", + "abrupto", + "explosivo", + "suave", + "suave", + "inclinado", + "brusco", + "repentino", + "súbito", + "gramatical", + "contento", + "feliz", + "dorado", + "triste", + "miserable", + "duro", + "consistente", + "firme", + "sólido", + "pedregoso", + "rocoso", + "duro", + "severo", + "blando", + "blando", + "flojo", + "duro", + "interesado", + "blando", + "duro", + "fuerte", + "blando", + "suave", + "palatal", + "duro", + "compasivo", + "pasado por agua", + "sensible", + "alcohólico", + "fuerte", + "blando", + "inocente", + "nocivo", + "malo", + "nocivo", + "sutil", + "armonioso", + "buen", + "puro", + "desacorde", + "inarmónico", + "terapéutico", + "bueno", + "insalubre", + "médico", + "operatorio", + "quirúrgico", + "antipirético", + "sano", + "radiante", + "firme", + "bien", + "bueno", + "sano", + "fuerte", + "malo", + "rojo", + "enfermo", + "patológico", + "delicado", + "débil", + "celestial", + "celeste", + "divino", + "divino", + "divino", + "terrestre", + "mundano", + "temporal", + "ligero", + "fuerte", + "rico", + "denso", + "sólido", + "ligero", + "ligero", + "fino", + "ligero", + "transparente", + "suave", + "industrial", + "fuerte", + "doloroso", + "inquietante", + "lamentable", + "penoso", + "triste", + "ligero", + "fuerte", + "fuerte", + "violento", + "suave", + "ligero", + "ágil", + "torpe", + "ligero", + "atento", + "consciente", + "habilitante", + "útil", + "atento", + "incapaz", + "inútil", + "vano", + "heterogéneo", + "diverso", + "mixto", + "homogéneo", + "consistente", + "uniforme", + "sólido", + "homosexual", + "homosexual", + "homosexual", + "bisexual", + "clasista", + "no jerárquico", + "alto", + "alto", + "dominante", + "alto", + "elevado", + "largo", + "superior", + "bajo", + "bajo", + "bajo", + "inferior", + "elevado", + "abierto", + "avanzado", + "sofisticado", + "pavimentado", + "alto", + "avanzado", + "pleno", + "superior", + "alto", + "elevado", + "superior", + "extremo", + "final", + "último", + "bajo", + "mínimo", + "agudo", + "alto", + "agudo", + "penetrante", + "bajo", + "grave", + "bajo", + "montañoso", + "alpino", + "alpino", + "montañoso", + "análogo", + "honesto", + "honorable", + "deshonesto", + "deshonroso", + "insincero", + "falso", + "falso", + "falso", + "temeroso", + "negro", + "sombrío", + "incapaz", + "inútil", + "vano", + "no institucionalizado", + "institucional", + "no institucional", + "horizontal", + "llano", + "plano", + "vertical", + "vertical", + "derecho", + "vertical", + "inclinado", + "inclinado", + "inclinado", + "agudo", + "derecho", + "recto", + "rígido", + "tieso", + "tendido", + "derecho", + "manante", + "potable", + "que fluye", + "que mana", + "flojo", + "desierto", + "estéril", + "árido", + "desierto", + "frío", + "hostil", + "indiferente", + "cordial", + "inhospitalario", + "poco acogedor", + "poco amable", + "hostil", + "malo", + "agresivo", + "contradictorio", + "contrario", + "amistoso", + "cálido", + "ardiente", + "duro", + "térmico", + "tropical", + "frío", + "glacial", + "gélido", + "ártico", + "crudo", + "fresco", + "estival", + "estival", + "cálido", + "distante", + "frío", + "frío", + "glacial", + "humano", + "débil", + "frágil", + "divino", + "subhumano", + "humanitario", + "humanitario", + "humano", + "atroz", + "brutal", + "bárbaro", + "cruel", + "salvaje", + "brutal", + "frío", + "divertido", + "gracioso", + "agudo", + "gracioso", + "ingenioso", + "salado", + "alegre", + "divertido", + "gracioso", + "divertido", + "gracioso", + "absurdo", + "grotesco", + "ridículo", + "solemne", + "hambriento", + "rápido", + "superficial", + "apacible", + "tranquilo", + "identificable", + "inidentificable", + "subjetivo", + "entero", + "importante", + "crucial", + "esencial", + "gran", + "grande", + "básico", + "central", + "elemental", + "esencial", + "fundamental", + "primordial", + "primordial", + "principal", + "consiguiente", + "resultante", + "eminente", + "gran", + "excepcional", + "histórico", + "serio", + "estratégico", + "insignificante", + "pequeño", + "trivial", + "insignificante", + "impresionante", + "admirable", + "asombroso", + "impresionante", + "increíble", + "sorprendente", + "impresionante", + "noble", + "dramático", + "espectacular", + "impresionante", + "espléndido", + "brillante", + "notable", + "perceptible", + "evidente", + "observable", + "notable", + "inadvertido", + "insignificante", + "interior", + "innato", + "instintivo", + "inclinado", + "contradictorio", + "contrario", + "entrante", + "nuevo", + "futuro", + "siguiente", + "sucesivo", + "epicúreo", + "lujurioso", + "sensual", + "voluptuoso", + "excesivo", + "duro", + "severo", + "conservador", + "tradicional", + "estricto", + "riguroso", + "severo", + "industrial", + "industrializado", + "no infeccioso", + "inferior", + "informativo", + "revelador", + "no informativo", + "astuto", + "inteligente", + "listo", + "culto", + "ingenuo", + "abierto", + "franco", + "artificiosa", + "astuto", + "falsa", + "insincera", + "insincero", + "desierto", + "solitario", + "hereditario", + "genético", + "hereditario", + "inherente", + "inheredable", + "no heredable", + "innato", + "herido", + "molesto", + "ileso", + "completo", + "entero", + "inocente", + "culpable", + "censurable", + "criticable", + "incriminable", + "recriminable", + "reprensible", + "reprochable", + "criminal", + "delincuente", + "inspirador", + "aburrido", + "mediocre", + "poco interesante", + "informativo", + "educativo", + "educativo", + "explicativo", + "no instructivo", + "desesclarecedor", + "no edificante", + "estúpido", + "no esclarecedor", + "no iluminador", + "aislado", + "separado", + "aislado", + "remoto", + "combinado", + "puro", + "intelectual", + "intelectual", + "racional", + "bueno", + "serio", + "inteligente", + "ágil", + "despierto", + "inteligente", + "listo", + "brillante", + "despierto", + "listo", + "vivo", + "corto", + "estúpido", + "tonto", + "ininteligible", + "confuso", + "consciente", + "inintencionado", + "casual", + "inconsciente", + "moderado", + "moderador", + "interesado", + "curioso", + "indiferente", + "interesante", + "apasionante", + "fascinante", + "divertido", + "divertido", + "gris", + "interno", + "exterior", + "intrínseco", + "inherente", + "intrínseco", + "interior", + "interno", + "adicional", + "ajeno", + "externo", + "ajeno", + "extraño", + "cerrado", + "abierto", + "curioso", + "no entrometido", + "que se entromete", + "saliente", + "sobresaliente", + "molesto", + "volcánico", + "agresivo", + "energizante", + "vigorizante", + "fresco", + "tónico", + "estimulante", + "tónico", + "debilitador", + "debilitante", + "atractivo", + "incitador", + "incitante", + "tentador", + "poco atractivo", + "poco incitante", + "poco tentador", + "in vitro", + "llano", + "planchado", + "sin arrugas", + "alegre", + "bueno", + "contento", + "feliz", + "triste", + "triste", + "melancólico", + "trágico", + "afligido", + "amargo", + "cruel", + "doloroso", + "triste", + "alegre", + "alegre", + "divertido", + "alegre", + "divertido", + "desdichado", + "sin alegría", + "triste", + "fúnebre", + "triste", + "suculento", + "seco", + "seco", + "justo", + "recto", + "acertado", + "adecuado", + "apropiado", + "capaz", + "conveniente", + "idóneo", + "legítimo", + "verdadero", + "arbitrario", + "injusto", + "parcial", + "ilegal", + "digno", + "merecido", + "acertado", + "adecuado", + "apropiado", + "capaz", + "conveniente", + "idóneo", + "indigno", + "gratuito", + "amable", + "simpático", + "cruel", + "severo", + "severo", + "indiferente", + "incognoscible", + "inescrutable", + "no cognoscible", + "conocido", + "sabido", + "célebre", + "famoso", + "desconocido", + "incógnito", + "desconocido", + "incomprendido", + "malentendido", + "lamentado", + "llorado", + "aéreo", + "oceánico", + "coronado", + "laureado", + "gran", + "grande", + "amplio", + "mayor", + "grande", + "prodigioso", + "colosal", + "descomunal", + "enorme", + "gigantesco", + "inmenso", + "tremendo", + "vasto", + "cósmico", + "descomunal", + "enorme", + "gigante", + "gigantesco", + "heroico", + "grande", + "vasto", + "oceánico", + "grueso", + "colosal", + "enorme", + "extenso", + "grande", + "colosal", + "descomunal", + "extraordinario", + "masivo", + "monumental", + "montañoso", + "descomunal", + "enorme", + "menudo", + "pequeño", + "diminuto", + "imperceptible", + "insignificante", + "microscópico", + "minúsculo", + "chico", + "diminuto", + "enano", + "insignificante", + "minúsculo", + "menor", + "diminuto", + "minúsculo", + "escaso", + "menor", + "mayor", + "inferior", + "legal", + "legítimo", + "lícito", + "ilegal", + "ilegal", + "injusto", + "estanco", + "no calafateado", + "no enmasillado", + "no sellado", + "no elevado", + "sin levadura", + "ácimo", + "ázimo", + "legal", + "judicial", + "jurídico", + "legal", + "legítimo", + "lícito", + "ratificado", + "sancionado", + "sub iúdice", + "sub judice", + "sub júdice", + "ilegal", + "criminal", + "negro", + "penal", + "claro", + "ilegible", + "biológico", + "natural", + "legítimo", + "legítimo", + "legítimo", + "verdadero", + "ilegítimo", + "ilegal", + "injusto", + "parecido", + "semejante", + "similar", + "semejante", + "similar", + "diferente", + "distinto", + "igual", + "parecido", + "semejante", + "similar", + "diferente", + "distinto", + "equivalente", + "igual", + "diferente", + "probable", + "probable", + "último", + "remoto", + "posible", + "probable", + "presunto", + "verosímil", + "inseguro", + "supuesto", + "pequeño", + "estrecho", + "libre", + "directo", + "lineal", + "lineal", + "alistado", + "no alistado", + "no catalogado", + "explícito", + "poético", + "tropical", + "literario", + "analfabeto", + "local", + "general", + "consecuente", + "lógico", + "formal", + "absurdo", + "extenso", + "largo", + "alejado", + "distante", + "lejano", + "remoto", + "corto", + "extenso", + "largo", + "interminable", + "interminable", + "perenne", + "anual", + "corto", + "breve", + "corto", + "efímero", + "fugaz", + "momentáneo", + "largo", + "oblicuo", + "transversal", + "flojo", + "ancho", + "suelto", + "no constreñido", + "encontrado", + "maldito", + "fuerte", + "gran", + "grande", + "ruidoso", + "sordo", + "débil", + "flojo", + "bajo", + "rotundo", + "sonoro", + "rotundo", + "sonoro", + "suave", + "alto", + "fuerte", + "adorable", + "amable", + "simpático", + "simpático", + "inocente", + "despreciable", + "odioso", + "simpático", + "adorado", + "amado", + "estimado", + "querido", + "favorito", + "favorito", + "falto de afecto", + "no amado", + "no querido", + "amoroso", + "cariñoso", + "cariñoso", + "amable", + "cariñoso", + "cálido", + "dulce", + "simpático", + "tierno", + "erótico", + "apegado", + "unido", + "loco", + "arisco", + "descariñado", + "poco cariñoso", + "frío", + "capital", + "dramático", + "magnético", + "geográfico", + "mayor", + "menor", + "mayor", + "menor", + "mayor", + "menor", + "menor de edad", + "mayor", + "menor", + "principal", + "secundario", + "principal", + "menor", + "insignificante", + "pequeño", + "secundario", + "importante", + "insignificante", + "minúsculo", + "macho", + "femenino", + "marcado", + "casado", + "junto", + "soltero", + "soltero", + "apareado", + "no apareado", + "masculino", + "macho", + "masculino", + "masculino", + "femenino", + "bello", + "hermoso", + "femenino", + "femenino", + "poco femenino", + "masculino", + "masculino", + "femenino", + "neutro", + "mal emparejado", + "incompatible", + "material", + "crucial", + "relevante", + "maduro", + "inmaduro", + "adolescente", + "incipiente", + "inicial", + "maduro", + "maduro", + "maduro", + "adolescente", + "juvenil", + "infantil", + "infantil", + "maduro", + "dulce", + "maduro", + "crudo", + "verde", + "oportuno", + "tempestivo", + "verde", + "de término", + "máximo", + "mínimo", + "mínimo", + "insignificante", + "simbólico", + "desnudo", + "significativo", + "significativo", + "vacío", + "vano", + "insignificante", + "moderado", + "ilimitable", + "mecánico", + "automático", + "mecánico", + "no mecánico", + "agradable", + "dulce", + "áspero", + "sin explotar", + "líquido", + "musical", + "derretido", + "deshielado", + "licuado", + "líquido", + "líquido", + "compacto", + "sin derretir", + "intenso", + "mortal", + "cruel", + "salvaje", + "ligero", + "suave", + "ligero", + "suave", + "moderado", + "intenso", + "fuerte", + "gran", + "grande", + "terrible", + "gran", + "exquisito", + "mayor", + "violento", + "intensivo", + "mayor", + "furioso", + "extremo", + "profundo", + "severo", + "alto", + "elegante", + "fuerte", + "denso", + "espeso", + "intensivo", + "activo", + "inquieto", + "militar", + "civil", + "civil", + "militar", + "maldito", + "inmoderado", + "intemperado", + "frágil", + "móvil", + "enérgico", + "ágil", + "marítimo", + "fluvial", + "marítimo", + "inmóvil", + "fijo", + "inmóvil", + "rígido", + "tieso", + "portátil", + "no portátil", + "metálico", + "aluminoso", + "dorado", + "metálico", + "literal", + "moderado", + "intermedio", + "mediano", + "medio", + "prudente", + "razonable", + "moderado", + "modesto", + "pequeño", + "exagerado", + "excesivo", + "descomunal", + "exagerado", + "extraordinario", + "radical", + "moderno", + "contemporáneo", + "antiguo", + "medieval", + "moderado", + "modesto", + "tímido", + "visible", + "modesto", + "modesto", + "importante", + "altivo", + "moderado", + "bilingüe", + "no monótono", + "moral", + "lícito", + "ilegal", + "numeroso", + "semejante", + "gran", + "grande", + "escaso", + "pequeño", + "menor", + "mínimo", + "mortal", + "humano", + "divino", + "sin motivo", + "motorizado", + "impasible", + "impertérrito", + "inalterado", + "indiferente", + "insensible", + "grato", + "emocionante", + "inmóvil", + "poco conmovedor", + "inmediato", + "móvil", + "inmóvil", + "inmóvil", + "quieto", + "fijo", + "rígido", + "inmóvil", + "animado", + "de agua dulce", + "continental", + "continental", + "global", + "mundial", + "universal", + "nacional", + "nacionalista", + "internacional", + "global", + "mundial", + "universal", + "natural", + "violento", + "natural", + "artificial", + "irreal", + "sintético", + "convencional", + "falso", + "ficticio", + "artificial", + "falso", + "sintético", + "natural", + "físico", + "sobrenatural", + "misterioso", + "fantástico", + "misterioso", + "sobrenatural", + "mágico", + "maravilloso", + "milagroso", + "metafísico", + "natural", + "extremo", + "supremo", + "eventual", + "extremo", + "final", + "último", + "supremo", + "próximo", + "inmediato", + "necesario", + "esencial", + "imprescindible", + "indispensable", + "necesario", + "obligatorio", + "innecesario", + "excesivo", + "gratuito", + "innecesario", + "limpio", + "global", + "total", + "patológico", + "no neurótico", + "agradable", + "bonito", + "simpático", + "buen", + "bueno", + "agradable", + "horrible", + "noble", + "elevado", + "noble", + "miserable", + "noble", + "real", + "real", + "real", + "de baja cuna", + "de humilde cuna", + "bajo", + "común", + "ordinario", + "vulgar", + "común", + "corriente", + "normal", + "medio", + "natural", + "anormal", + "perverso", + "anómalo", + "insólito", + "irregular", + "raro", + "excepcional", + "normal", + "psíquico", + "septentrional", + "meridional", + "meridional", + "meridional", + "septentrional", + "boreal", + "septentrional", + "meridional", + "austral", + "septentrional", + "sensible", + "descubierto", + "desapercibido", + "inadvertido", + "inadvertido", + "detectado", + "indetectado", + "inadvertido", + "nocivo", + "tóxico", + "mortal", + "obediente", + "desobediente", + "discreto", + "objetivo", + "neutro", + "subjetivo", + "personal", + "supuesto", + "no comprometido", + "estricto", + "obvio", + "claro", + "evidente", + "manifiesto", + "patente", + "transparente", + "poco evidente", + "poco manifiesto", + "poco obvio", + "libre", + "en uso", + "ocupado", + "lleno", + "desocupado", + "sin ocupar", + "desocupado", + "libre", + "desocupado", + "libre", + "desagradable", + "ofensivo", + "intolerable", + "desagradable", + "atroz", + "terrible", + "desagradable", + "molesto", + "desagradable", + "ofensivo", + "ofensivo", + "ofensivo", + "defensivo", + "inofensivo", + "defensivo", + "humilde", + "oficial", + "formal", + "oficial", + "oficial", + "oficial", + "innato", + "ingenuo", + "viejo", + "antiguo", + "arcaico", + "antiguo", + "viejo", + "antiguo", + "viejo", + "nuevo", + "nuevo", + "reciente", + "estimulante", + "nuevo", + "reciente", + "revolucionario", + "virgen", + "viejo", + "mayor", + "gris", + "joven", + "adolescente", + "infantil", + "juvenil", + "temprano", + "juvenil", + "pequeño", + "tierno", + "juvenil", + "juvenil", + "encendido", + "apagado", + "abierto", + "cerrado", + "abierto", + "grande", + "cerrado", + "cerrado", + "abierto", + "cerrado", + "adjunto", + "cercado", + "incluido", + "cerrado", + "abierta", + "no cercada", + "no cercado", + "activo", + "oportuno", + "buen", + "bueno", + "ideal", + "idóneo", + "apropiado", + "oportuno", + "inoportuno", + "imposible de oponérsele", + "oral", + "alocado", + "desordenado", + "indisciplinado", + "continuado", + "continuo", + "secuencial", + "sucesivo", + "confuso", + "organizado", + "corporativo", + "corriente", + "mediano", + "mediocre", + "ordinario", + "regular", + "indiferente", + "regular", + "común", + "corriente", + "normal", + "extraordinario", + "excepcional", + "extraordinario", + "extremo", + "brutal", + "bárbaro", + "estupendo", + "extraordinario", + "fantástico", + "genial", + "magnífico", + "maravilloso", + "sensacional", + "tremendo", + "brillante", + "raro", + "especial", + "orgánico", + "orgánico", + "artificial", + "original", + "fresco", + "novel", + "nuevo", + "viejo", + "convencional", + "establecido", + "tradicional", + "poco ortodoxo", + "exterior", + "interior", + "interno", + "cubierto", + "descubierto", + "desnudo", + "cubierto", + "sin labios", + "abierto", + "público", + "visible", + "oculto", + "secreto", + "secreto", + "ulterior", + "gratuito", + "gratis", + "gratuito", + "libre", + "pendiente", + "doloroso", + "penoso", + "angustioso", + "insoportable", + "terrible", + "penetrante", + "dolorido", + "sensible", + "delineado", + "delinear", + "representado", + "esquemático", + "gráfico", + "no delineado", + "desagradable", + "desagradable", + "obvio", + "perceptible", + "sutil", + "paralelo", + "inclinado", + "lateral", + "normal", + "normal", + "rectangular", + "recto", + "menor", + "imperdonable", + "inexcusable", + "mortal", + "injusto", + "parcial", + "indiferente", + "impasable", + "infranqueable", + "caliente", + "ardiente", + "fanático", + "salvaje", + "violento", + "desapasionado", + "antiguo", + "medieval", + "antiguo", + "anterior", + "precedente", + "previo", + "histórico", + "último", + "reciente", + "antiguo", + "actual", + "presente", + "existente", + "actual", + "futuro", + "inmediato", + "próximo", + "aún no nacido", + "futuro", + "nonato", + "venidero", + "materno", + "comprensivo", + "lento", + "ansioso", + "inquieto", + "empaquetado", + "envasado", + "patriótico", + "pacífico", + "pacífico", + "inquieto", + "poco pacífico", + "turbulento", + "bélico", + "violento", + "polémico", + "tormentoso", + "contumaz", + "impenitente", + "agudo", + "fino", + "penetrante", + "agudo", + "sutil", + "ciego", + "perceptible", + "débil", + "tenue", + "perceptible", + "sensible", + "perfecto", + "completo", + "perfecto", + "ideal", + "defectuoso", + "imperfecto", + "no perecible", + "estable", + "fijo", + "permanente", + "eterno", + "perpetuo", + "eterno", + "interminable", + "perenne", + "perpetuo", + "temporal", + "efímero", + "fugaz", + "pasajero", + "transitorio", + "temporal", + "duradero", + "persistente", + "irreversible", + "permanente", + "irrevocable", + "impermisible", + "permisivo", + "no permisivo", + "facultativo", + "preventivo", + "perplejo", + "perplejo", + "individual", + "particular", + "personal", + "propio", + "individual", + "particular", + "personal", + "convincente", + "convincente", + "convincente", + "ejemplar", + "denso", + "espeso", + "permeable", + "resistente", + "físico", + "corporal", + "físico", + "material", + "personal", + "fisiológico", + "mental", + "intelectual", + "mental", + "racional", + "psicológico", + "psíquico", + "sagrado", + "falso", + "hipócrita", + "religioso", + "ateo", + "irreligioso", + "laico", + "pagano", + "aplacable", + "placable", + "implacable", + "implacable", + "severo", + "liso", + "floral", + "escueto", + "liso y llano", + "sencillo", + "simple", + "sin adornos", + "mero", + "puro", + "simple", + "puro", + "elaborado", + "producido", + "sofisticado", + "complicado", + "previsible", + "inesperado", + "casual", + "sencillo", + "plausible", + "discutible", + "agradable", + "grato", + "hermoso", + "precioso", + "agradable", + "grato", + "placentero", + "desagradable", + "grosero", + "ofensivo", + "amargo", + "ácido", + "áspero", + "duro", + "severo", + "atroz", + "espantoso", + "terrible", + "fuerte", + "doloroso", + "incómodo", + "lamentable", + "penoso", + "triste", + "desagradable", + "doloroso", + "triste", + "a gusto", + "agradado", + "contento", + "satisfecho", + "divertido", + "disgustado", + "molesto", + "harto", + "agradable", + "placentero", + "satisfactorio", + "admirable", + "atractivo", + "delicioso", + "atractivo", + "dulce", + "desagradable", + "inquietante", + "molesto", + "espinoso", + "agudo", + "agudo", + "brillante", + "reluciente", + "mate", + "prudente", + "sensato", + "astuto", + "impolítico", + "político", + "gubernamental", + "semipolítico", + "imponderable", + "popular", + "favorito", + "turístico", + "positivo", + "útil", + "positivo", + "negativo", + "contrario", + "positivo", + "negativo", + "posible", + "factible", + "practicable", + "realizable", + "viable", + "matemático", + "imposible", + "imposible", + "potente", + "incapaz", + "poderoso", + "poderoso", + "enérgico", + "fuerte", + "potente", + "dirigente", + "dominante", + "débil", + "flojo", + "débil", + "gran", + "grande", + "importante", + "poderoso", + "potente", + "poco influyente", + "arado", + "labrado", + "sin arar", + "sin labrar", + "sin surcar", + "práctico", + "aplicable", + "funcional", + "romántico", + "definido", + "exacto", + "preciso", + "fino", + "sutil", + "impreciso", + "inexacto", + "general", + "precoz", + "adelantado", + "avanzado", + "imbécil", + "imbécil", + "simple", + "tonto", + "previsible", + "previsible", + "inevitable", + "caprichoso", + "imprevisible", + "impremeditado", + "irreflexivo", + "no meditado", + "precipitado", + "listo", + "de venta libre", + "sin prescripción", + "sin receta médica", + "presente", + "existente", + "ausente", + "llamativo", + "exagerado", + "modesto", + "humilde", + "modesto", + "sencillo", + "sencillo", + "primario", + "directo", + "directo", + "original", + "especial", + "particular", + "secundario", + "alternativo", + "auxiliar", + "básico", + "fundamental", + "elemental", + "fundamental", + "radical", + "periférico", + "secundario", + "privado", + "aislado", + "solitario", + "interno", + "privado", + "secreto", + "interno", + "privado", + "secreto", + "privado", + "público", + "nacional", + "abierto", + "público", + "estatal", + "privilegiado", + "productivo", + "fértil", + "rico", + "incapaz", + "inútil", + "vano", + "productivo", + "irreproducible", + "único", + "profesional", + "pagado", + "profesional", + "rentable", + "válido", + "económico", + "productivo", + "rentable", + "difícil", + "escaso", + "marginal", + "incapaz", + "inútil", + "vano", + "hondo", + "profundo", + "superficial", + "aparente", + "diletante", + "superficial", + "superficial", + "superficial", + "superficial", + "progresivo", + "avanzado", + "innovador", + "moderno", + "progresista", + "progresivo", + "impronunciable", + "apropiado", + "bueno", + "correcto", + "correcto", + "mojigato", + "profético", + "profético", + "no profético", + "futuro", + "posible", + "futuro", + "protegido", + "seguro", + "abierto", + "proteccionista", + "sin protección", + "orgulloso", + "altivo", + "orgulloso", + "jactancioso", + "digno", + "humilde", + "bajo", + "dócil", + "evidente", + "infunda", + "no demostrado", + "sin comprobar", + "sin demostrar", + "sin evidencia", + "sin pruebas", + "derrochador", + "gastador", + "impróvido", + "pródigo", + "no provocativo", + "prudente", + "prudente", + "prudente", + "sensato", + "imprudente", + "insensato", + "insensato", + "oportuno", + "tardío", + "impune", + "punitivo", + "penal", + "puro", + "inmaculado", + "puro", + "claro", + "limpio", + "puro", + "puro", + "inmaculado", + "limpio", + "contaminado", + "impoluto", + "no contaminado", + "decidido", + "formal", + "serio", + "total", + "rotundo", + "absoluto", + "indiscutible", + "rotundo", + "total", + "cualitativo", + "cuantitativo", + "numérico", + "presunto", + "supuesto", + "discutible", + "dudoso", + "dudoso", + "dudoso", + "extraño", + "raro", + "sospechoso", + "indudable", + "seguro", + "matemático", + "silencioso", + "silencioso", + "silencioso", + "sereno", + "ruidoso", + "tranquilo", + "aleatorio", + "fortuito", + "no aleatorio", + "racional", + "coherente", + "inteligente", + "racional", + "racional", + "razonable", + "ciego", + "cerebral", + "intelectual", + "racista", + "no reactivo", + "indiferente", + "noble", + "estable", + "listo", + "rápido", + "verde", + "existente", + "real", + "mismísimo", + "real", + "objetivo", + "histórico", + "ficticio", + "mítico", + "imaginario", + "real", + "realista", + "práctico", + "gráfico", + "vivo", + "virtual", + "poco realista", + "fantástico", + "falso", + "razonable", + "sensato", + "acertado", + "inteligente", + "razonable", + "sensato", + "absurdo", + "mutuo", + "recíproco", + "recíproco", + "no recíproco", + "fino", + "delicado", + "fino", + "apuesto", + "delicado", + "elegante", + "fino", + "sencillo", + "brutal", + "grosero", + "rudo", + "tosco", + "basto", + "ordinario", + "vulgar", + "grosero", + "grosero", + "bajo", + "natural", + "crudo", + "con tratamiento", + "tratado", + "sin tratamiento", + "sin tratar", + "regenerado", + "no regenerado", + "sin regenerar", + "certificado", + "registrado", + "autorizado", + "titulado", + "no registrado", + "sin papeles", + "sin registrar", + "regular", + "legal", + "legítimo", + "lícito", + "oficial", + "prescrito", + "uniforme", + "regular", + "irregular", + "irregular", + "incambiable", + "inmodificable", + "irremediable", + "irreparable", + "inenmendable", + "insolucionables", + "irreparable", + "requerido", + "solicitado", + "no requerido", + "no solicitado", + "uniforme", + "diario", + "diario", + "nocturno", + "semanal", + "bisemanal", + "anual", + "regular", + "irregular", + "afín", + "materno", + "adscrito", + "afiliado", + "anexo", + "conectado", + "afín", + "correspondiente", + "relevante", + "aplicable", + "pertinente", + "irrelevante", + "atento", + "consciente", + "considerado", + "cuidadoso", + "descuidado", + "despreocupado", + "olvidadizo", + "torpe", + "descriptivo", + "representativo", + "realista", + "abstracto", + "esquemático", + "formal", + "geométrico", + "representativo", + "simbólico", + "prestigioso", + "buen", + "respetable", + "glorioso", + "ilustre", + "dudoso", + "sospechoso", + "receptivo", + "abierto", + "poco receptivo", + "cerrado", + "irreconciliable", + "hostil", + "distante", + "discreto", + "poco reservado", + "no reservado", + "sin reserva", + "irresistible", + "sin resistencia", + "irresistible", + "penetrante", + "decidido", + "decidido", + "constante", + "firme", + "inseguro", + "respetable", + "buen", + "digno", + "noble", + "respetable", + "burlón", + "fresco", + "responsable", + "responsable", + "sujeto", + "exagerado", + "excesivo", + "cerrado", + "abierto", + "abierto", + "regulador", + "irrestrictivo", + "enrejado", + "entrelazado", + "reflejo", + "reverberante", + "sordo", + "sordo", + "no redivivo", + "no renovado", + "avivado", + "despertado", + "despierto", + "excitado", + "impávido", + "revolucionario", + "gratificante", + "satisfactorio", + "retórico", + "poético", + "estilístico", + "poco retórico", + "proveer de cuadernas", + "rico", + "rico", + "pobre", + "miserable", + "pobre", + "rico", + "pobre", + "rico", + "lujoso", + "lujoso", + "pobre", + "humilde", + "miserable", + "miserable", + "rico", + "pobre", + "manco", + "derecho", + "izquierdo", + "conservador", + "liberal", + "derecho", + "derecho", + "izquierdo", + "apropiado", + "correcto", + "justo", + "recto", + "injusto", + "censurable", + "condenable", + "reprensible", + "vergonzoso", + "deshonroso", + "justo", + "recto", + "justo", + "recto", + "inicuo", + "injusto", + "perverso", + "fuerte", + "fuerte", + "resistente", + "resistente", + "cuadrado", + "frágil", + "débil", + "redondo", + "global", + "cuadrado", + "rectangular", + "circular", + "oblongo", + "oval", + "rotundo", + "rectangular", + "rural", + "agrario", + "agrícola", + "rural", + "campesino", + "llano", + "popular", + "sencillo", + "urbano", + "inoxidable", + "sagrado", + "santo", + "sagrado", + "impío", + "no santificado", + "sagrado", + "divino", + "inefable", + "espiritual", + "religioso", + "sádico", + "sensato", + "peligroso", + "dudoso", + "incierto", + "inseguro", + "peligroso", + "seguro", + "correspondiente", + "equivalente", + "idéntico", + "diferente", + "distinto", + "contrario", + "diverso", + "vario", + "diverso", + "idéntico", + "diferente", + "distinto", + "parecido", + "semejante", + "similar", + "afín", + "análogo", + "semejante", + "análogo", + "correspondiente", + "correspondiente", + "compatible", + "diferente", + "loco", + "estúpido", + "enfermo", + "inestable", + "loco", + "insaciable", + "sin sarcasmo", + "satisfactorio", + "aceptable", + "bien", + "correcto", + "insatisfactorio", + "malo", + "culto", + "sabio", + "poco erudito", + "científico", + "tecnológico", + "religioso", + "inescrupuloso", + "inconsciente", + "abierto", + "incierto", + "oculto", + "secreto", + "ligero", + "abierto", + "abierto", + "evidente", + "obvio", + "indicativo", + "significativo", + "sugestivo", + "partidista", + "no sectario", + "seguro", + "inseguro", + "seguro", + "seguro", + "firme", + "firme", + "seguro", + "inseguro", + "seguro", + "estable", + "fijo", + "firme", + "seguro", + "fijo", + "firme", + "inseguro", + "abierto", + "suelto", + "abierto", + "cubierto", + "poco seductor", + "narcisista", + "mayor", + "mayor", + "precedente", + "inferior", + "menor", + "rosa", + "sensible", + "sensible", + "delicado", + "sensible", + "susceptible", + "duro", + "sensorial", + "sin enviar", + "sin ser enviada", + "separado", + "aislado", + "separado", + "distinto", + "aislado", + "separado", + "conjunto", + "conjunto", + "conjunto", + "colectivo", + "corporativo", + "insalubre", + "malsano", + "no saludable", + "poco saludable", + "sucio", + "estéril", + "estéril", + "ajeno", + "extraño", + "serio", + "serio", + "sincero", + "formal", + "grave", + "solemne", + "real", + "sensato", + "tonto", + "ligero", + "ligero", + "trivial", + "pícaro", + "serio", + "sombrío", + "elegido", + "escogido", + "seleccionado", + "selecto", + "no seleccionado", + "práctico", + "funcional", + "operativo", + "inestable", + "migratorio", + "migratorio", + "firme", + "pendiente", + "dudoso", + "abierto", + "pendiente", + "caliente", + "erótico", + "verde", + "sexual", + "neutro", + "vegetativo", + "no castrado", + "afrodisiaco", + "sexy", + "anafrodisiaco", + "despechugado", + "sin pecho", + "común", + "mutuo", + "colectivo", + "no compartido", + "exclusivo", + "individual", + "entero", + "no afeitado", + "sin afeitar", + "sin afeitar", + "sin trasquilar", + "cubierto", + "envainado", + "protegido", + "recubierto", + "descubierto", + "a para pelada", + "a pie pelado", + "descalzo", + "ciego", + "ciego", + "importante", + "capital", + "esencial", + "importante", + "monumental", + "extraordinario", + "notable", + "insignificante", + "leve", + "superficial", + "trivial", + "no significativo", + "no acallado", + "no silenciado", + "simple", + "acorazonado", + "lineal", + "sencillo", + "simple", + "simple", + "complejo", + "laberíntico", + "complejo", + "complicado", + "enrevesado", + "intrincado", + "múltiple", + "espeso", + "sincero", + "cordial", + "sincero", + "franco", + "verdadero", + "absoluto", + "total", + "hipócrita", + "falso", + "falso", + "hipócrita", + "singular", + "primero", + "segundo", + "tercero", + "cuarto", + "quinto", + "sexto", + "séptimo", + "octavo", + "noveno", + "décimo", + "undécimo", + "duodécimo", + "decimotercero", + "decimocuarto", + "decimoquinto", + "decimosexto", + "decimoséptimo", + "decimoctavo", + "decimonoveno", + "enésimo", + "veinteavo", + "veinteno", + "vigésimo", + "trigésimo", + "cuadragésimo", + "quincuagésimo", + "sexagésimo", + "septuagésimo", + "octagésimo", + "octogésimo", + "nonagésimo", + "centésimo", + "milésimo", + "millonésimo", + "billonésimo", + "enésimo", + "escrito", + "improvisado", + "sin guión", + "solitario", + "singular", + "único", + "múltiple", + "binario", + "doble", + "doble", + "triple", + "triple", + "quíntuplo", + "competente", + "diestro", + "experto", + "habilidoso", + "hábil", + "mañoso", + "genial", + "delicado", + "fino", + "genial", + "especializado", + "técnico", + "humilde", + "torpe", + "matemático", + "numérico", + "arenoso", + "granuloso", + "fino", + "diminuto", + "minúsculo", + "no resbaladizo", + "no resbaloso", + "liso", + "llano", + "suave", + "áspero", + "montañoso", + "áspero", + "rocoso", + "pedregoso", + "rocoso", + "liso", + "irregular", + "social", + "cultural", + "étnico", + "solitario", + "aislado", + "sin compañía", + "solo", + "aislado", + "social", + "liberado", + "social", + "cordial", + "abierto", + "social", + "arisco", + "insociable", + "vendido", + "no vendido", + "sin vender", + "sólido", + "concreto", + "sólido", + "líquido", + "acuoso", + "tubular", + "despejado", + "resuelto", + "solucionado", + "sin resolver", + "sin solucionar", + "algo", + "ningún", + "nulo", + "todo", + "inteligente", + "culto", + "infantil", + "ingenuo", + "inocente", + "ingenuo", + "inocente", + "ingenuo", + "inocente", + "simple", + "seguro", + "sano", + "estable", + "inseguro", + "malo", + "fuerte", + "sólido", + "no efervescente", + "no efervescente", + "sin gas", + "especial", + "ruidoso", + "valiente", + "fresco", + "rápido", + "ágil", + "vital", + "espontáneo", + "instintivo", + "oral", + "verbal", + "escrito", + "escrito", + "gráfico", + "escrito", + "cuantitativo", + "estable", + "estable", + "inestable", + "explosivo", + "estándar", + "clásico", + "básico", + "estándar", + "normal", + "regular", + "inferior", + "estándar", + "aceptable", + "estrellado", + "lleno", + "hambriento", + "regular", + "regular", + "uniforme", + "firme", + "seguro", + "irregular", + "estimulante", + "excitante", + "apasionante", + "emocionante", + "poco estimulante", + "poco excitante", + "estimulante", + "estimulante", + "recto", + "derecho", + "recto", + "bobinado", + "enrollado", + "enroscado", + "desenroscado", + "recto", + "sincero", + "franco", + "turbio", + "masculino", + "átono", + "femenino", + "átono", + "tónico", + "átono", + "fuerte", + "fornido", + "fuerte", + "duro", + "severo", + "poderoso", + "potente", + "evidente", + "débil", + "débil", + "flojo", + "frágil", + "tímido", + "débil", + "débil", + "flojo", + "pálido", + "tozudo", + "tenaz", + "persistente", + "decidido", + "dócil", + "insubordinado", + "rebelde", + "rebelde", + "exitoso", + "productivo", + "suficiente", + "suficiente", + "aceptable", + "insuficiente", + "bajo", + "escaso", + "insuficiente", + "escaso", + "corto", + "escaso", + "dulce", + "superior", + "alto", + "eminente", + "sumo", + "supremo", + "principal", + "superior", + "inferior", + "humilde", + "modesto", + "pequeño", + "sencillo", + "superior", + "excelente", + "gran", + "grande", + "magnífico", + "brillante", + "excelente", + "superior", + "excelente", + "magnífico", + "superior", + "ilustre", + "espléndido", + "estupendo", + "magnífico", + "excelente", + "inferior", + "malo", + "común", + "ordinario", + "vulgar", + "comercial", + "lamentable", + "miserable", + "penoso", + "mediocre", + "pobre", + "subyacente", + "subyacente", + "auxiliar", + "contradictorio", + "atónito", + "atónito", + "sorprendente", + "asombroso", + "brusco", + "repentino", + "súbito", + "susceptible", + "alérgico", + "sensible", + "susceptible", + "sensible", + "no susceptible", + "resistente", + "susceptible", + "poco impresionable", + "libre", + "previsto", + "especial", + "extraordinario", + "dulce", + "seco", + "seco", + "dulce", + "ácido", + "agrio", + "ácido", + "agrio", + "ácido", + "agrio", + "presunto", + "desconocido", + "de barrido", + "en flecha", + "comprensivo", + "antipático", + "poco simpatizante", + "poco solidario", + "simpático", + "descriptivo", + "contemporáneo", + "simultáneo", + "contemporáneo", + "paralelo", + "simultáneo", + "sinónimo", + "parecido", + "similar", + "complementario", + "contradictorio", + "contrario", + "incompatible", + "inverso", + "sistemático", + "diplomático", + "discreto", + "discreto", + "alto", + "bajo", + "corto", + "fuerte", + "dócil", + "dócil", + "doméstico", + "salvaje", + "salvaje", + "tangible", + "tocable", + "artístico", + "estético", + "bárbaro", + "llamativo", + "vulgar", + "agradable", + "delicioso", + "exquisito", + "sabroso", + "amargo", + "rico", + "suculento", + "delicioso", + "exquisito", + "suculento", + "salado", + "ácido", + "moderado", + "moderado", + "riguroso", + "severo", + "rígido", + "tenso", + "tirante", + "laxo", + "suelto", + "flojo", + "blando", + "flexible", + "tenso", + "tenso", + "inquieto", + "nervioso", + "inquieto", + "nervioso", + "electrizante", + "relajado", + "sereno", + "tranquilo", + "territorial", + "regional", + "territorial", + "espeso", + "grueso", + "grueso", + "delgado", + "plano", + "hebroso", + "delgado", + "fino", + "espeso", + "denso", + "imposible", + "ahorrador", + "ahorrativo", + "económico", + "frugal", + "prudente", + "económico", + "derrochador", + "derrochar", + "limpio", + "desarreglado", + "desaseado", + "desordenado", + "desorganizado", + "sucio", + "desastrado", + "descuidado", + "zarrapastroso", + "dejado", + "espeso", + "enmaderado", + "forrado de madera", + "intolerable", + "amargo", + "crudo", + "intolerable", + "fanático", + "estricto", + "rígido", + "tónico", + "superior", + "inferior", + "lateral", + "lateral", + "ecuatorial", + "tropical", + "ártico", + "antártico", + "duro", + "resistente", + "duro", + "tierno", + "duro", + "endurecido", + "blando", + "suave al tacto", + "suavizado", + "delicado", + "duro", + "severo", + "tenaz", + "cariñoso", + "tierno", + "sentimental", + "tóxico", + "tóxico", + "dócil", + "incurable", + "intratable", + "cortado", + "recortado", + "sin cortar", + "sin recortar", + "ansioso", + "inquieto", + "nervioso", + "inquieto", + "nervioso", + "alegre", + "feliz", + "tranquilo", + "indiferente", + "verdadero", + "auténtico", + "genuino", + "real", + "seguro", + "falso", + "erróneo", + "falso", + "escéptico", + "celoso", + "sospechoso", + "fiel", + "auténtico", + "fehaciente", + "fiel", + "fiel", + "dudoso", + "sospechoso", + "turbio", + "astuto", + "típico", + "ejemplar", + "típico", + "representativo", + "auténtico", + "verdadero", + "auténtico", + "subterráneo", + "subterráneo", + "no submarino", + "no sumergible", + "acuoso", + "sindical", + "sindicalista", + "no sindicalista", + "conjunto", + "entero", + "unitario", + "separado", + "ascendente", + "ascendiente", + "ascendente", + "descendiente", + "creciente", + "bajo", + "hacia el proscenio", + "empleado", + "usado", + "utilizado", + "útil", + "utilitario", + "utilizable", + "incapaz", + "inútil", + "vano", + "incapaz", + "inútil", + "vano", + "ideal", + "fatal", + "válido", + "vinculante", + "legal", + "consecuente", + "lógico", + "razonado", + "validado", + "nulo", + "inválido", + "nulo", + "valioso", + "precioso", + "rico", + "insignificante", + "incapaz", + "inútil", + "vano", + "variable", + "inestable", + "variable", + "constante", + "estricto", + "rígido", + "diverso", + "vario", + "descubierto", + "sin ventilar", + "cerrado", + "violento", + "brutal", + "furioso", + "salvaje", + "violento", + "pacífico", + "pasivo", + "virtuoso", + "inocente", + "perverso", + "perverso", + "visible", + "enorme", + "grueso", + "invisible", + "oculto", + "infrarrojo", + "vivíparo", + "evaporable", + "voluntario", + "voluntario", + "inconsciente", + "voluntario", + "automático", + "reflejo", + "autónomo", + "vegetativo", + "abierto", + "inseguro", + "seguro", + "apetecido", + "buscado", + "innecesario", + "cálido", + "tibio", + "fresco", + "afectuoso", + "amoroso", + "caluroso", + "cálido", + "cordial", + "cálido", + "frío", + "ectotermo", + "ectotérmico", + "heterotérmico", + "poiquilotérmico", + "no lavable", + "sin encerar", + "creciente", + "creciente", + "lactante", + "como la maleza", + "cubierto de maleza", + "enmalezado", + "sano", + "cerrado", + "enfermo", + "enfermo", + "malo", + "débil", + "abierto", + "húmedo", + "húmedo", + "húmedo", + "húmedo", + "lluvioso", + "acuoso", + "seco", + "árido", + "seco", + "seco", + "seco", + "de oficina", + "administrativo", + "profesional", + "industrial", + "manual", + "obrero", + "trabajador", + "sano", + "nutritivo", + "abundante", + "bueno", + "nutritivo", + "sólido", + "horrible", + "nocivo", + "ofensivo", + "amplio", + "ancho", + "estrecho", + "delgado", + "estrecho", + "insignificante", + "marginal", + "incómodo", + "con peluca", + "dispuesto", + "contento", + "feliz", + "poco dispuesto", + "sabio", + "sabio", + "tonto", + "absurdo", + "estúpido", + "ridículo", + "estúpido", + "tonto", + "insensato", + "arbóreo", + "boscoso", + "pelado", + "raso", + "sin árboles", + "herbáceo", + "mundano", + "temporal", + "material", + "terrestre", + "espiritual", + "sin tejer", + "nuevo", + "digno", + "digno", + "ejemplar", + "notable", + "valioso", + "azonal", + "entrante", + "benigno", + "no invertible", + "vegetal", + "vegetativo", + "abásico", + "abdominovesical", + "de Aberdeen", + "abiogenético", + "académico", + "acetónico", + "acetilénico", + "acetílico", + "acondrítico", + "acneiforme", + "adolescente", + "actinométrico", + "actinomicético", + "actinomicótico", + "adáctilo", + "adenoideo", + "adrenal", + "suprarrenal", + "ancestral", + "antiferromagnético", + "antiviral", + "advectivo", + "aeromédico", + "médico", + "agranulocítico", + "agrológico", + "alabastrino", + "albigense", + "albítico", + "alquímico", + "aleurónico", + "algáceo", + "algolágnico", + "algométrico", + "alquílico", + "alelomorfo", + "alélico", + "aliado", + "aliado", + "alográfico", + "alfanumérico", + "ambrosiano", + "anfiteatral", + "ampollar", + "amigdaloide", + "anaglífico", + "anal", + "anamnéstico", + "anaplásico", + "anarquista", + "andaluz", + "androgenético", + "andrógino", + "anginal", + "anictérico", + "analístico", + "armenio", + "anexionista", + "hermenéutico", + "del Medio Oriente", + "anósmico", + "ansarino", + "anseriforme", + "antracítico", + "antropométrico", + "antibiótico", + "anticoagulante", + "antigénico", + "antimónico", + "antifonal", + "antifonario", + "antitípico", + "no característico", + "anuro", + "batracio", + "anurético", + "anúrico", + "ansiolítico", + "aorístico", + "aórtico", + "afanítico", + "apícola", + "aplítico", + "apnéico", + "asmático", + "apocalíptico", + "apócrifo", + "aponeurótico", + "apofisario", + "apoplectiforme", + "apalache", + "apsidal", + "aptitudinal", + "acuoso", + "acuífero", + "arácneo", + "arácnido", + "arqueológico", + "arcangélico", + "archidiocesano", + "archiducal", + "arquegónico", + "de archipiélago", + "arcosaurio", + "areolar", + "armilar", + "artrálgico", + "artrópodo", + "artrospóreo", + "arturiano", + "articulatorio", + "artiodáctilo", + "ascocarpo", + "ascopórico", + "asociativo", + "astragalar", + "aterosclorótico", + "átono", + "de actitud", + "audiométrico", + "auscultatorio", + "austroasiático", + "australopitecino", + "autacoide", + "de autor", + "autocatalítico", + "autógeno", + "autolítico", + "autotélico", + "autotípico", + "auxético", + "axiomático", + "aviónico", + "axial", + "axilar", + "de la axila", + "del sobaco", + "axónico", + "acimutal", + "como un babuino", + "abayado", + "como una baya", + "bacanal", + "alternativo", + "no oficial", + "secundario", + "bacteriofágico", + "bacteroidal", + "bahai", + "barográfico", + "basílico", + "batolítico", + "behaviorista", + "belemnítico", + "bencílico", + "bibliólatra", + "bibliófilo", + "bibliopólico", + "bibliotecológico", + "bibliológico", + "biliar", + "de billar", + "bimilenario", + "binario", + "biocatalítico", + "biológico", + "biologista", + "sociobiológico", + "biónico", + "biosintético", + "biosistemático", + "biotípico", + "blastogénico", + "carnal", + "corporal", + "bolométrico", + "booleano", + "de Boole", + "bórico", + "boskopoide", + "braquiópodo", + "braquiuro", + "brahmánico", + "bregmático", + "sin ala", + "banda ancha", + "bucal", + "demoniaco", + "demoníaco", + "cacodílico", + "cadavérico", + "ápodo", + "cesante", + "calcáreo", + "calceiforme", + "calisténico", + "caliciforme", + "calicinal", + "calicino", + "calicular", + "cancroideo", + "canicular", + "canino", + "capacitivo", + "capsular", + "capsular", + "cardiográfico", + "carinal", + "carlovingio", + "carolingio", + "cartilaginoso", + "cartográfico", + "cartujo", + "carunculado", + "catalítico", + "cataplástico", + "como una catapulta", + "catarral", + "categórico", + "catéxico", + "como el amento", + "cecal", + "celeste", + "celestial", + "celeste", + "integumentario", + "cenogenético", + "cenozoico", + "palingenésico", + "centralista", + "centrosómico", + "cefalópodo", + "esquistosomiásica", + "cerebral", + "cerebroespinal", + "ceruminoso", + "cervino", + "cervuno", + "cetáseo", + "que presenta cerdas", + "que presenta crines", + "quetognato", + "quelícerado", + "químico", + "químico", + "físico-químico", + "químico-fluorescente", + "quimioreceptivo", + "quimioterapéutico", + "quionio", + "quiasmal", + "córneo", + "quitinoso", + "cristológico", + "churchilliano", + "wilsoniano", + "civil", + "cívico", + "civil", + "municipal", + "clamador", + "clerical", + "de oficina", + "clonal", + "clónico", + "artiodáctilo", + "biungulado", + "costero", + "coccígeo", + "sin cuello", + "colónico", + "del colon", + "colorimétrico", + "comunitario", + "condilar", + "confrontacional", + "conjuntival", + "constitucional", + "contractual", + "cósmico", + "co-referencial", + "co-referente", + "correferencial", + "córneo", + "co-relacional", + "correlacional", + "corimbiflero", + "corimbiforme", + "costal", + "crustáceo", + "criónico", + "criptoanalítico", + "criptográfico", + "criptológico", + "criptógamo", + "cubital", + "curricular", + "como natilla", + "cíclico", + "citoarquitectural", + "citoarquitectónico", + "citoplasmático", + "citoplástico", + "quístico", + "quístico", + "citogenético", + "deductivo", + "democrático", + "demócrata", + "dental", + "de odontología", + "dental", + "diaforético", + "sudorífico", + "diastólico", + "diferenciable", + "diferencial", + "dactilar", + "digital", + "digital", + "dionisíaco", + "diplomático", + "díptero", + "omnidireccional", + "dramático", + "teatral", + "drupáceo", + "como un vertedero", + "dural", + "displástico", + "eucarístico", + "ebionita", + "ebrecteado", + "económico", + "económico", + "electoral", + "electrocardiográfico", + "electroencefalográfico", + "electrónico", + "electrónico", + "cataforético", + "electroforético", + "básico", + "elemental", + "elemental", + "natural", + "empíreo", + "eónico", + "episcopal", + "pontificio", + "ecuestre", + "equino", + "equinoccial", + "ergonómico", + "ergotrópico", + "eritroide", + "eritropoyético", + "esofágico", + "esenio", + "esencial", + "estuarino", + "moral", + "exegético", + "existencial", + "extrópico", + "factor-analítico", + "factorial", + "facultativo", + "Fahrenheit", + "federal", + "femoral", + "fenestral", + "feudal", + "de fibra óptica", + "fibroóptica", + "fibrocartilaginoso", + "cerámico", + "figulino", + "no ficticio", + "de cultivo", + "del cultivo", + "filarial", + "filárido", + "gran angular", + "ojo de pez", + "escamoso", + "hojaldrado", + "laminoso", + "carnoso", + "sarcoide", + "fluvial", + "foliado", + "frondoso", + "fórmico", + "de cuatro ruedas", + "de los francos", + "franco", + "sin trastes", + "galileo", + "galileo", + "generacional", + "genérico", + "geófito", + "geoestratégico", + "gingival", + "glabelar", + "glacial", + "glial", + "glúteo", + "gráfico", + "gráfico", + "agusanado", + "gutural", + "mortificador", + "mortificante", + "extraño al acorde", + "como un brezal", + "hébrido", + "hemorrágico", + "heroico", + "hollywoodense", + "hidrótico", + "jeroglífico", + "humano", + "humano", + "húmico", + "humificado", + "hialoplásmico", + "hipnótico", + "ideal", + "inmunoquímico", + "inmunológico", + "inmunoterapéutico", + "imperial", + "incestuoso", + "industrial", + "inerte", + "infantil", + "inguinal", + "de una inscripción", + "inscrito", + "insecticida", + "institucional", + "institucionista", + "apolar", + "no iónico", + "sin polarizar", + "isentrópico", + "isoentrópico", + "jihadi", + "judicial", + "jurídico", + "judicial", + "jumentoso", + "jurásico", + "jurídico", + "jurisprudencial", + "legal", + "jurídico", + "labial", + "labial", + "lactogenico", + "limacoide", + "limnologico", + "lobeliáceo", + "local", + "de vestuario", + "logografico", + "logogramatico", + "lúteo", + "macroeconomico", + "maniqueo", + "manual", + "maoista", + "materno", + "del mecóptero", + "médico", + "medular", + "medular", + "medusoide", + "meningeo", + "menopausia", + "menopausico", + "prakritico", + "prejuiciado", + "premenopausico", + "postmenopausico", + "meyótico", + "falaz", + "meridional", + "metrológico", + "micáceo", + "microeconomico", + "militar", + "minimalista", + "ministerial", + "monofisista", + "monofisita", + "motivacional", + "ratonero", + "ratonil", + "miálgico", + "no mielinado", + "narcoleptico", + "nalgal", + "natriurético", + "nazareno", + "nestoriano", + "de Nueva Caledonia", + "nominalismo", + "nominalístico", + "nosocomial", + "numeral", + "numérico", + "numerología", + "numerológico", + "olfativo", + "olfatorio", + "onírico", + "onomástico", + "oral", + "palatoglosal", + "paleontológico", + "parhélico", + "parlamentario", + "pascual", + "paulino", + "perigonal", + "monetario", + "pectíneo", + "del pemfigo", + "petaloide", + "fonográmico", + "fonológico", + "fotométrico", + "no fotosintético", + "freático", + "frenológico", + "plagioclasto", + "pilosebáceo", + "plancton", + "planctónico", + "penal", + "físico", + "terrestre", + "poliédrico", + "positiva", + "positivista", + "de una comida", + "preanal", + "predestinario", + "presentacional", + "prodrómico", + "prostática", + "prostático", + "protésico", + "prostodóntico", + "provincial", + "pubescente", + "puránico", + "pútrido", + "rabioso", + "radiológico", + "radiofónico", + "radiotelefónico", + "radotelefónico", + "racionalista", + "realista", + "recreativo", + "republicano", + "resucitado", + "romántico", + "real", + "real", + "no rumiante", + "agrícola", + "aquicultura", + "aquicultural", + "cultivos hidropónicos", + "rural", + "sadomasoquista", + "saduceo", + "sarcolémico", + "de sastrería", + "sartorial", + "escaleno", + "escapular", + "escénico", + "escolar", + "escolástica", + "escolástico", + "científico", + "esclerótico", + "secretarial", + "autorenovable", + "semiautobiográfica", + "semiautobiográfico", + "semiótico", + "senatorial", + "sensorial", + "septal", + "séptico", + "sepulcral", + "sideral", + "sij", + "de Sísifo", + "social", + "social", + "solar", + "sociopático", + "somatosensorial", + "soteriológico", + "espectral", + "espectográfico", + "espermicida", + "esférico", + "de esfinge", + "esplenético", + "esplénico", + "deportivo", + "deportivo", + "limpio", + "conyugal", + "de estafilococos", + "del estafilococo", + "estemático", + "estenográfico", + "del medidor básico", + "estequimiometría", + "sublingual", + "sufí", + "superficial", + "no supurante", + "superficial", + "silábico", + "simbólico", + "simbólico", + "sintomático", + "sinovial", + "tasmano", + "taurino", + "proficiente", + "técnico", + "tecnológico", + "técnico", + "semiterrestre", + "temporal", + "temporal", + "tentacular", + "territorial", + "testamentario", + "testimonial", + "teatral", + "temático", + "térmico", + "titular", + "titular", + "topológico", + "tuberculoide", + "de dos ruedas", + "urbano", + "uretral", + "urogenital", + "neumogástrico", + "vagal", + "de vainilla", + "verbal", + "eléctrico", + "eléctrico", + "fotoconductor", + "fotoconductora", + "fotoemisor", + "intersticial", + "isométrico", + "legislativo", + "legislativo", + "longitudinal", + "lonigtudinal", + "literario", + "limfocítico", + "limpocítico", + "linfoide", + "lisogénico", + "magisterial", + "insectario", + "mamífero", + "reptiliano", + "infeccioso", + "de moneras", + "tetramétrico", + "neoclásico", + "expresionista", + "postmoderno", + "relativismo", + "relativista", + "radial", + "ulnar", + "biseccional", + "bismutal", + "bistrot", + "de bistrot", + "bipolar", + "fotográfico", + "profesional", + "profesional", + "vulval", + "vulvar", + "del clítoris", + "profesional", + "ungulado", + "umbilical", + "espacial", + "no espacial", + "sigmoidal", + "sigmoide", + "semántico", + "bovino", + "bóvido", + "crinoid", + "crinoide", + "lingüístico", + "sociolingüística", + "sociolingüístico", + "lingüístico", + "nupcial", + "cardíaco", + "caucásico", + "craneal", + "craneométrico", + "de cuervo", + "dietético", + "dominical", + "donatista", + "floral", + "floral", + "fiscal", + "funicular", + "galáctico", + "agnóstico", + "intestinal", + "epistemológico", + "humoral", + "quilífero", + "icosaédrico", + "ictal", + "marital", + "matrimonial", + "resinoso", + "mastoidal", + "mastoide", + "de las focas", + "de vino", + "del vino", + "vinoso", + "algebraico", + "bíblico", + "bíblico", + "coránico", + "perineal", + "poético", + "poético", + "político", + "político", + "fonético", + "fonético", + "filosófico", + "personal", + "personal", + "intensivo", + "infernal", + "litigante", + "apostólico", + "fenoménico", + "pectoral", + "torácico", + "pastoral", + "parturienta", + "parturiento", + "patelar", + "patológico", + "palatino", + "palatino", + "óptico", + "objetivo", + "nuclear", + "nuclear", + "narcótico", + "místico", + "melódico", + "monumental", + "modal", + "milenario", + "metafísico", + "meridiano", + "mesoblástico", + "mesodermal", + "mesozóico", + "mesiánico", + "mucosidad", + "musical", + "musicológico", + "exteroceptivo", + "proprioceptivo", + "interocepción", + "interoceptivo", + "perceptivo", + "gustativo", + "gustatorio", + "háptico", + "táctil", + "ocular", + "visual", + "óptico", + "ocular", + "óptico", + "orbital", + "quinestético", + "angelical", + "angélico", + "elíseo", + "elísio", + "diocesano", + "epárquico", + "regional", + "cultural", + "cultural", + "avascular", + "del corión", + "comunista", + "bolchevique", + "cuticular", + "dérmico", + "epidérmico", + "ectodérmico", + "enquistado", + "endógeno", + "hipodérmico", + "hipoglucemia", + "hipoglucémico", + "hipovolémico", + "inframaxilar", + "mandibular", + "maxilar", + "interfacial", + "lacrimal", + "catamenial", + "menstrual", + "mural", + "peloponesio", + "púbico", + "gramatical", + "sintáctico", + "genital", + "venéreo", + "felino", + "laríngeo", + "laringo-faríngeo", + "cigótico", + "nefrítico", + "renal", + "neurotóxico", + "espinal", + "atómico", + "poliatómico", + "clínico", + "continental", + "continental", + "continental", + "léxico", + "léxico", + "sexagesimal", + "sexual", + "coital", + "copulatorio", + "marino", + "oftálmico", + "marino", + "marítimo", + "oceánico", + "intravenoso", + "mecánico", + "mecánico", + "protozoico", + "del alquiler", + "ritual", + "ritual", + "fetal", + "juvenil", + "doctoral", + "neuronal", + "pélvico", + "pastoral", + "masónico", + "masónico", + "masorético", + "provisto de mástil", + "migratorio", + "velar", + "documental", + "estructural", + "estructural", + "organizativo", + "cognitivo", + "mental", + "cultural", + "acondroplasia", + "de la ateleiosis", + "isotérmico", + "micrometeórico", + "de la microfilia", + "macrocósmico", + "mucinoide", + "mucoide", + "coloidal", + "administrativo", + "administrativo", + "nervioso", + "neural", + "latinado", + "geológico", + "psicológico", + "sociológico", + "demográfico", + "ecológico", + "teológico", + "computacional", + "atlético", + "geopolítico", + "duodenal", + "de la navegación", + "diferencial", + "lexicográfico", + "ortográfico", + "telegráfico", + "litomántico", + "mecanista", + "quiromancia", + "quiromántico", + "paramétrico", + "estadístico", + "nihilismo", + "nihilista", + "sobrenaturalista", + "sobrenaturalístico", + "operacionalista", + "trigonométrico", + "farmacológico", + "toxicología", + "toxicológico", + "psiquiátrico", + "psicométrico", + "terapéutico", + "bacteriológico", + "endocrino", + "exocrino", + "gimnosófico", + "insurreccional", + "doméstico", + "econométrico", + "clasicista", + "histórico", + "ontológico", + "pietista", + "católico", + "románico", + "romano", + "judaico", + "judío", + "judío", + "anglo-judío", + "islámico", + "musulmán", + "tántrico", + "magnético", + "electromagnético", + "automotrices", + "automotriz", + "cervical", + "americano", + "americano", + "estadounidense", + "norteamericano", + "amerindio", + "indio", + "nativo americano", + "indio", + "norteamericano", + "asintótico", + "tropical", + "ecuatorial", + "ecuatorial", + "racional", + "aniónico", + "catiónico", + "satánico", + "rabínico", + "teísta", + "deísta", + "panteísmo", + "panteísta", + "nocturno", + "mensural", + "del epicarpo", + "epitelial", + "epitelio", + "epiteloide", + "ovular", + "biovular", + "dizigótico", + "dendrítico", + "ilíaco", + "abdominal", + "hemisférico", + "occipital", + "morfémico", + "morfofonémico", + "pronominal", + "matemático", + "escriturístico", + "pentatónico", + "anafórico", + "retórico", + "marciano", + "actuarial", + "epicicloidal", + "experimental", + "familiar", + "etiológico", + "africano", + "fenotípico", + "genotípico", + "ambiental", + "ambiental", + "metodológico", + "de la trabicula", + "de la trabícula", + "timpánico", + "timpanítico", + "libidinal", + "libinidal", + "pedagógico", + "transatlántico", + "sinergista", + "monístico", + "dualista", + "maniqueo", + "pluralista", + "lobular", + "romboidal", + "trapezoidal", + "fisiológico", + "estructural", + "morfológico", + "estructural", + "morfológico", + "oclusivo", + "mortuorio", + "funerario", + "estratégico", + "circulatorio", + "circulativo", + "sedimentario", + "cristiano", + "protestante", + "universalista", + "fundamentalista", + "ortodoxa oriental", + "ortodoxo", + "ortodoxo griego", + "ortodoxo ruso", + "totémico", + "comunicativo", + "autosomal", + "cromosómico", + "cronológico", + "italiano", + "ruso", + "alemán", + "británico", + "germánico", + "francés", + "español", + "hispánico", + "ibérico", + "portugués", + "soviético", + "danés", + "belga", + "báltico", + "chino", + "japonés", + "paradigmático", + "paradigmático", + "himalayo", + "brasileño", + "argentino", + "europeo", + "cubano", + "selyúcida", + "israelí", + "trágico", + "cortical", + "metabólico", + "gonadal", + "gastrointestinal", + "gastronómico", + "funcional", + "epidemiológico", + "cuantitativo", + "andorrano", + "nasal", + "perinasal", + "auricular", + "ótico", + "orbital", + "dinámico", + "hidrodinámica", + "hidrodinámico", + "aerodinámica", + "reológico", + "micrometeorítico", + "cometario", + "asteroidal", + "tiroide", + "tiroide", + "tiroidea", + "congresional", + "catecismal", + "del catecismo", + "hipotalámico", + "córtico-hipotalámico", + "gestacional", + "emocional", + "gubernativo", + "presidencial", + "copulativo", + "corporativo", + "corpuscular", + "volumétrico", + "de yoga", + "logístico", + "organicismo", + "organicista", + "serológico", + "cromatográfico", + "nacional", + "nacional", + "nacional", + "nativista", + "naturista", + "específico", + "medieval", + "mediatorio", + "mediatorio", + "administrativo", + "artístico", + "estético", + "oficial", + "teleológico", + "de la frase", + "del alcance", + "simiesco", + "sedimentario", + "gutural", + "futurista", + "gallináceo", + "heráldico", + "humanitario", + "hiperbólico", + "lacustre", + "litúrgico", + "locomotor", + "markoviano", + "margoso", + "marsupial", + "mercantil", + "mítico", + "normativo", + "palatal", + "paleozóico", + "faríngeo", + "frénico", + "apetitoso", + "aversivo", + "de aversión", + "relativo al cuarzo", + "nazi", + "nazi", + "capitalista", + "osmótico", + "oracular", + "epicúreo", + "holográfico", + "nutricional", + "paramagneto", + "paramagnético", + "gravimétrico", + "hidrométrico", + "termohidrométrico", + "ferromagnético", + "inglés", + "idiomático", + "dialectal", + "aluvial", + "filatélico", + "aerofilatélico", + "del esternón", + "del sarcolema", + "del sarcosoma", + "simpático", + "ateromatoso", + "basofílico", + "intimal", + "granulocítico", + "glomerular", + "eosinofílico", + "papilar", + "vestibular", + "vertebral", + "neocortical", + "paleocortical", + "parasimpático", + "neuropsiquiatría", + "neuropsiquiátrico", + "psicofarmacología", + "psicofarmacológico", + "salivar", + "primo", + "megaloblástico", + "mieloide", + "mieloide", + "miocardial", + "triunfal", + "darwiniano", + "lamarckiano", + "neo-lamarckiano", + "larval", + "larvario", + "coclear", + "cerámica", + "cerámico", + "griego", + "ejecutivo", + "topográfico", + "sistemático", + "taxonómico", + "euterianos", + "euterios", + "proteolítico", + "proteólisis", + "microsomial", + "folicular", + "folículo", + "hioides", + "arbustivo", + "cubierto de arbustos", + "británico", + "epifítico", + "litofítico", + "presupuestario", + "aislacionismo", + "aislacionista", + "pianístico", + "dialéctico", + "turco", + "alpino", + "alpino", + "andino", + "mirmecofítico", + "mirmecofíticos", + "tuberoso", + "semi-tuberoso", + "nasal", + "cartesiano", + "mexicano", + "experto en Shaw", + "Shakesperiano", + "shakesperiano", + "skinneariano", + "skinneriano", + "falstaffiano", + "alejandrino", + "aristotélico", + "peripatético", + "Balzaquiano", + "balzaquiano", + "bismarckiano", + "cesáreo", + "de Coleridge", + "relativo a Coleridge", + "colombino", + "dantesco", + "de Demóstenes", + "de demóstenes", + "deweyano", + "de Gandhi", + "hegeliano", + "hitleriano", + "de Huxley", + "ptolemáico", + "socrático", + "kantiano", + "keynesiano", + "de Leibniz", + "Mariano", + "mariano", + "mahometano", + "napoleónico", + "de Pasteur", + "de pasteur", + "Pavloviano", + "pavloviano", + "pitagórico", + "de un concejal", + "alexia", + "aléxico", + "disléxico", + "monocromático", + "dicromático", + "ablativo", + "anticuario", + "apelatorio", + "arábigo", + "árabe", + "arábigo", + "árabe", + "árabe", + "aritmético", + "aspectual", + "baptismal", + "benedictino", + "benedictino", + "binómico", + "como el betún", + "del betún", + "como una vejiga", + "del blastema", + "blastocélico", + "blastodermático", + "blastomérico", + "blastómero", + "del blastóporo", + "blastular", + "bubónico", + "burocrático", + "cantonal", + "carbonífero", + "carmelita", + "carpal", + "catalán", + "catalán", + "cítrico", + "climático", + "cockney", + "creísta", + "cretáceo", + "cretáceo", + "cibernético", + "ciclópeo", + "cirílico", + "como una margarita", + "dálmata", + "defervescente", + "délfico", + "domiciliario", + "dominico", + "declamatorio", + "empírico", + "endométrico", + "endoscópico", + "entérico", + "entomológico", + "entozoario", + "epizoario", + "empresarial", + "empresariales", + "etnográfico", + "etnológico", + "fabiano", + "fatalista", + "feudal", + "flamenco", + "gabonés", + "genealógico", + "germánico", + "gibraltareño", + "gladiatorio", + "godo", + "gótico", + "gótico", + "gregoriano", + "gregoriano", + "de la Hispaniola", + "histológico", + "hertziano", + "homiléctico", + "hidráulico", + "hidráulico", + "hidropático", + "imperialista", + "indoeuropeo", + "indogermánico", + "itálico", + "itálicos", + "jacobino", + "periodístico", + "hasta la rodilla", + "latino", + "latino", + "latino", + "levantino", + "de Liechtenstein", + "macedonio", + "palúdico", + "malthusiano", + "mediterráneo", + "mendeliano", + "metacarpiano", + "metalúrgico", + "metatarsiano", + "milenarista", + "mineral", + "mongol", + "de Montserrat", + "moscovita", + "neanderthal", + "nebular", + "nebuloso", + "nectarífero", + "nigeriano", + "nórdico", + "olímpico", + "subjuntivo", + "imperativo", + "interrogativo", + "ornitológico", + "ortopédico", + "ortóptico", + "péctico", + "fálico", + "peninsular", + "farmacéutico", + "pineal", + "pituitaria", + "pituitario", + "polinomial", + "polinómico", + "pretoriano", + "prismático", + "prefectoral", + "prefectural", + "probabilístico", + "procesal", + "proconsular", + "promocional", + "pudendo", + "pugilístico", + "del purgatorio", + "purificador", + "puritano", + "de la piemia", + "pilórico", + "del pirogallol", + "pirotécnico", + "qatarí", + "cuadrático", + "cuadrafónico", + "cincuecentenario", + "quincentenario", + "recesivo", + "regimental", + "restante", + "resistente", + "respiratorio", + "rizoidal", + "gitano", + "sabático", + "sabático", + "sacro", + "escotomatoso", + "de la sericultura", + "sericultura", + "siamés", + "tailandés", + "eslavo", + "de pequeña capitalización", + "estereoscópico", + "estereoscópico", + "sin aguijón", + "del gerundio", + "sifilítico", + "sistólico", + "extrasistólico", + "tánico", + "tartárico", + "telefónico", + "terminológico", + "de baile", + "de la danza", + "textil", + "teosófico", + "termométrico", + "termostático", + "dramático", + "de barbería", + "tonsoril", + "triásico", + "trofoblástico", + "trofotrópico", + "tunecino", + "tutorial", + "vaginal", + "valvular", + "vestal", + "de una vestidura", + "veterinario", + "de virrey", + "del virrey", + "voyerístico", + "de trigo", + "de trigo integral", + "wicano", + "aveníceo", + "de avena", + "de lana", + "lanudo", + "xerografía", + "xerográfico", + "zonal", + "británico", + "rojizo", + "boreal", + "alar", + "axilar", + "incitador", + "escalar", + "antropocéntrico", + "chamanista", + "chamánico", + "desastroso", + "del himen", + "nupcial", + "comercial", + "del dictioptero", + "cantor", + "osicular", + "abolicionista", + "adicional", + "rapaz", + "de la aculturización", + "metacéntrico", + "rosacruz", + "ultramontano", + "vesical", + "viscométrico", + "de la varicela", + "metálico", + "zoonótico", + "fermentante", + "a lápiz", + "escrito a lápiz", + "hecho a lápiz", + "al corriente", + "anunciado", + "errante", + "desinfectado", + "esterilizado", + "torrencial", + "jabonificado", + "saponificado", + "no hecho jabón" +] \ No newline at end of file diff --git a/static/data/es/adverbs.json b/static/data/es/adverbs.json new file mode 100644 index 0000000..301c0aa --- /dev/null +++ b/static/data/es/adverbs.json @@ -0,0 +1,1053 @@ +[ + "a capella", + "apenas", + "escasamente", + "simplemente", + "a plomo", + "completamente", + "perfectamente", + "imperfectamente", + "mal", + "solamente", + "aún", + "bien", + "bien", + "mal", + "bien", + "confortablemente", + "mal", + "malamente", + "considerablemente", + "muy", + "sustancialmente", + "muy", + "con malicia", + "maliciosamente", + "mal", + "malvadamente", + "peor", + "aún", + "peor", + "todavía", + "ya", + "incluso mientras", + "justo mientras", + "incluso", + "animadamente", + "constantemente", + "incesantemente", + "perpetuamente", + "siempre", + "constantemente", + "invariablemente", + "siempre", + "nunca", + "nada", + "en ningún modo", + "aquí y allá", + "de alguna manera", + "de algún modo", + "en algún modo", + "de algún modo", + "sin embargo", + "ligeramente", + "además", + "en cualquier caso", + "además", + "adicionalmente", + "más aún", + "por lo demás", + "adicionalmente", + "en un instante", + "instantáneamente", + "sin dilación", + "en seguida", + "pronto", + "en cualquier instante", + "en cualquier momento", + "en un instante", + "hombro a hombro", + "juntos", + "extensivamente", + "dentro del útero", + "en el útero", + "en el vacío", + "aparentemente", + "claramente", + "claro", + "evidentemente", + "manifiestamente", + "obviamente", + "patentemente", + "aparentemente", + "cara a cara", + "ostensiblemente", + "de nuevo", + "otra vez", + "una vez más", + "específicamente", + "generalmente", + "en general", + "afortunadamente", + "por suerte", + "desgraciadamente", + "tristemente", + "desafortunadamente", + "desgraciadamente", + "qué lástima", + "ergo", + "por ello", + "vis a vis", + "además", + "más allá", + "con mucho", + "de lejos", + "por mucha diferencia", + "muy por encima", + "además", + "también", + "ponerse un hábito", + "ahora", + "vamos", + "chillonamente", + "de manera chillona", + "desgraciados", + "tristemente", + "de lleno", + "en medio", + "derecho", + "directamente", + "directo", + "de forma diversa", + "de forma variopinta", + "de varias maneras", + "practicamente", + "presumiblemente", + "por ahora", + "por el momento", + "mano a mano", + "admirablemente", + "con admiracion", + "adorablemente", + "con adoracion", + "en cualquier caso", + "de ninguna forma", + "de ninguna manera", + "en ningun caso", + "correcto", + "de lleno", + "exactamente", + "hombre a hombre", + "mucho", + "muchisimo", + "mucho", + "a efectos practicos", + "a nivel practico", + "bruscamente", + "de repente", + "en seco", + "de golpe", + "de repente", + "repentinamente", + "por inscripción", + "con un insecticida", + "consecuentemente", + "por consiguiente", + "en consecuencia", + "alternativamente", + "o si no", + "por contraste", + "anatómicamente", + "cronológicamente", + "matemáticamente", + "largo", + "ante", + "delante", + "hacia adelante", + "por delante", + "a lo largo", + "hacia adelante", + "en compañía", + "además", + "alrededor", + "asintóticamente", + "apenas", + "escasamente", + "principalmente", + "adelante", + "hacia adelante", + "p'alante", + "palante", + "para adelante", + "de vuelta", + "de vuelta", + "como contestación", + "en respuesta", + "de improviso", + "afectuosamente", + "cariñosamente", + "indudablemente", + "estadísticamente", + "termodinámicamente", + "además", + "contractualmente", + "cada semana", + "semanalmente", + "con curiosidad", + "curiosamente", + "inquisitivamente", + "engañosamente", + "falazmente", + "acullá", + "allá", + "individualmente", + "extra", + "super", + "de forma elaborada", + "elaboradamente", + "intrincadamente", + "experimentalmente", + "guasonamente", + "humorísticamente", + "irónicamente", + "rápidamente", + "apretado", + "fuertemente", + "inadmisiblemente", + "de lleno", + "a perpetuidad", + "provisionalmente", + "continuamente", + "magnéticamente", + "geométricamente", + "de lleno", + "fuertemente", + "de mala gana", + "firmemente", + "fuerte", + "intensamente", + "mucho", + "mal", + "momentáneamente", + "por un instante", + "concluyentemente", + "inconclusamente", + "denominacionalmente", + "corticalmente", + "del hipotálamo", + "via intramuscular", + "vía intramuscular", + "hacia mí", + "campo defensor", + "categóricamente", + "directamente", + "al contado", + "en la diana", + "en lugar de", + "en vez de", + "sin embargo", + "a primera vista", + "el extranjero", + "de corazón", + "en el fondo", + "por dentro", + "al menos", + "como mínimo", + "a lo sumo", + "como máximo", + "justo", + "con justicia", + "imparcialmente", + "justamente", + "como una muchacha", + "allí", + "en ese lugar", + "en ese sitio", + "históricamente", + "literalmente", + "menos que todo", + "menos que todos", + "indefectiblemente", + "desagradablemente", + "dolorosamente", + "filogenéticamente", + "juntos", + "mutuamente", + "colectivamente", + "conjuntamente", + "juntos", + "así que", + "entonces", + "y así que", + "y después", + "volumétricamente", + "independientemente", + "no obstante", + "pero entonces", + "por otro lado", + "por un lado", + "a la vez", + "simultáneamente", + "a la vez", + "al mismo tiempo", + "astronómicamente", + "constitucionalmente", + "digitalmente", + "digitalmente", + "económicamente", + "económicamente", + "étnicamente", + "federalmente", + "genéticamente", + "gráficamente", + "nominalmente", + "escénicamente", + "socialmente", + "simbólicamente", + "técnicamente", + "temporalmente", + "territorialmente", + "verbalmente", + "eléctricamente", + "químicamente", + "legislativamente", + "longitudinalmente", + "bacterianamente", + "relativísticamente", + "racialmente", + "en términos sociolingüísticos", + "sociolingüísticamente", + "en términos fonéticos", + "fonéticamente", + "en términos fonémicos", + "fonémico", + "en términos personales", + "personalmente", + "en términos patológicos", + "patológicamente", + "en términos gráficos", + "gráficamente", + "catastróficamente", + "visualmente", + "visceralmente", + "cerebralmente", + "biológicamente", + "en términos biológicos", + "en términos sociobiológicos", + "sociobiológicamente", + "neurobiológico", + "bioquímicamente", + "en términos bioquímicos", + "en términos musicológicos", + "musicológicamente", + "en términos morales", + "moralmente", + "en términos metereológicos", + "metereológicamente", + "en términos melódicos", + "melódicamente", + "armónicamente", + "en términos armónicos", + "acústicamente", + "en términos acústicos", + "culturalmente", + "en términos culturales", + "interracialmente", + "en términos sexuales", + "sexualmente", + "operativamente", + "secundariamente", + "en primer lugar", + "primariamente", + "mil veces", + "frontalmente", + "en términos geométricos", + "geométricamente", + "glacialmente", + "en términos gravitacionales", + "gravitacionalmente", + "jeroglíficamente", + "horticulturalmente", + "incestuosamente", + "institucionalmente", + "nocturnamente", + "silábicamente", + "sintomáticamente", + "volcánicamente", + "ciertamente", + "con bastante seguridad", + "con certeza", + "con seguridad", + "seguro", + "tecnológicamente", + "temperamentalmente", + "indudablemente", + "tan", + "tanto", + "fácil", + "fácilmente", + "de algún modo", + "de hecho", + "en realidad", + "actualmente", + "desde luego", + "indudablemente", + "puedes estar seguro", + "sin duda", + "en total", + "de repente", + "repentinamente", + "hasta el final", + "hasta la meta", + "día y noche", + "las 24 horas", + "sin parar", + "como solemos decir", + "es decir", + "a la vez", + "a un tiempo", + "a voluntad", + "cuidadosamente", + "cómodamente", + "por mucha diferencia", + "a cualquier precio", + "por cualquier medio", + "de memoria", + "a trompicones", + "a propósito", + "de paso", + "por cierto", + "por piezas", + "uno a uno", + "todo el tiempo", + "justo delante", + "como grupo", + "en bloque", + "en masa", + "ocasionalmente", + "p. ej.", + "por ejemplo", + "para abreviar", + "desde hace mucho", + "secretamente", + "al azar", + "cabeza abajo", + "de cualquier manera", + "desordenado", + "patas arriba", + "en círculos", + "en la práctica", + "en secreto", + "secretamente", + "en poco tiempo", + "enseguida", + "al completo", + "justo a tiempo", + "a la vez", + "al mismo tiempo", + "sin éxito", + "en seguida", + "rápidamente", + "como un reloj", + "sin fin", + "sin parar", + "alguna vez", + "de improviso", + "confidencialmente", + "a cuatro patas", + "como media", + "por término medio", + "a prueba", + "a buena fé", + "en el acto", + "en situación crítica", + "en un aprieto", + "repentinamente", + "de improviso", + "de la nada", + "resaltar", + "hasta ahora", + "hasta el momento", + "a medida", + "tristemente", + "copiosamente", + "intemperadamente", + "pesadamente", + "ligeramente", + "poco", + "incansablemente", + "repetidamente", + "inflexiblemente", + "diariamente", + "día a día", + "semana a semana", + "mes a mes", + "religiosamente", + "sagradamente", + "ampliamente", + "generosamente", + "estrictamente", + "puramente", + "pulcramente", + "a un lado", + "aparte", + "una vez", + "impecablemente", + "emocionalmente", + "ansiosamente", + "desasosegadamente", + "informalmente", + "tranquilamente", + "igual que", + "lo mismo que", + "declaradamente", + "reconocidamente", + "cf.", + "es decir", + "por lo tanto", + "continuamente", + "cómodamente", + "confortablemente", + "cómodamente", + "descortésmente", + "groseramente", + "inexpresivamente", + "irreverentemente", + "universalmente", + "descansadamente", + "desenvueltamente", + "en punto", + "juntamente", + "al tacto", + "convulsivamente", + "estúpidamente", + "tontamente", + "estúpidamente", + "fatuamente", + "socioeconómicamente", + "cuidadosamente", + "escrupulosamente", + "injustamente", + "justo", + "correctamente", + "justamente", + "justificadamente", + "pausadamente", + "a toda prisa", + "a todo correr", + "financieramente", + "de forma individual", + "individualmente", + "separadamente", + "singularmente", + "uno a uno", + "llamativamente", + "prominentemente", + "imaginativamente", + "enérgicamente", + "a cara descubierta", + "desvergonzadamente", + "apasionadamente", + "comprensivamente", + "de frente", + "de frente", + "ampliamente", + "detrás", + "en deuda", + "endeudado", + "retrasados", + "atrasado", + "retrasado", + "sin violencia", + "ilimitadamente", + "infinitamente", + "a lo grande", + "enorme", + "imprudentemente", + "editorialmente", + "coléricamente", + "furiosamente", + "cariñosamente", + "acostado", + "en cama", + "inquietamente", + "incompetentemente", + "exteriormente", + "sólidamente", + "atentamente", + "cortésmente", + "voluntariamente", + "involuntariamente", + "infaliblemente", + "geográficamente", + "lóbregamente", + "lúgubremente", + "vagamente", + "a voluntad", + "sucesivamente", + "obstinadamente", + "tenazmente", + "lentamente", + "sin vivacidad", + "con opacidad", + "atonalmente", + "con curvas", + "de forma curvada", + "inconscientemente", + "involuntariamente", + "sin querer", + "con intencionalidad", + "con satisfacción", + "insensiblemente", + "inexcusablemente", + "injustificadamente", + "sospechosamente", + "conscientemente", + "inconscientemente", + "competitivamente", + "cubierto de trastos", + "inconscientemente", + "simplemente", + "por escrito", + "sobre el papel", + "perversamente", + "particularmente", + "peculiarmente", + "en particular", + "particularmente", + "peculiarmente", + "en la base", + "al lado de", + "junto a", + "de sobras", + "sobradamente", + "al día", + "a escondidas", + "escondido", + "cada dos semanas", + "cada quince días", + "mensualmente", + "bimensualmente", + "a medio camino", + "por la presente", + "por ésto", + "por el momento", + "temporal", + "temporalmente", + "en voz baja", + "sotto voce", + "en confianza", + "en secreto", + "de viva voz", + "oralmente", + "gratis", + "sin cargo", + "a la orilla", + "hacia la orilla", + "así de improviso", + "así de pronto", + "en escena", + "evidencia de vista", + "proporcionadamente", + "proporcional", + "hacia el cielo", + "estéticamente", + "al escenario", + "adagio", + "ciertamente", + "seguramente", + "como un adjetivo", + "como un adverbio", + "angélicamente", + "como un angel", + "bestial", + "brutal", + "auténticamente", + "genuinamente", + "como un chico", + "juvenilmente", + "en un bajío", + "en un banco", + "a sotavento", + "aritméticamente", + "con escepticismo", + "de reojo", + "persistentemente", + "a través", + "transversalmente", + "de forma asesina", + "enloquecido", + "frenéticamente", + "enloquecidamente", + "enloquecido", + "frenéticamente", + "de la estación", + "astutamente", + "oblicuamente", + "sesgadamente", + "a popa", + "austeramente", + "privadamente", + "destructivamente", + "perniciosamente", + "de cabeza", + "de lleno", + "directamente", + "directo", + "burlonamente", + "a pelo", + "descalzo", + "groseramente", + "pendencieramente", + "caprichosamente", + "extrañamente", + "continuamente", + "incesantemente", + "interminablemente", + "incesantemente", + "interminablemente", + "climáticamente", + "compatiblemente", + "incompatiblemente", + "no quejosamente", + "nunca quejoso", + "quejosamente", + "de manera computable", + "a favor", + "en resumidas cuentas", + "resumidamente", + "sucintamente", + "apresuradamente", + "muy por encima", + "por encima", + "cum laude", + "consecuentemente", + "por lo tanto", + "decisivamente", + "con indecisión", + "decisivamente", + "resueltamente", + "con gran placer", + "a lo mejor", + "acaso", + "podría ser", + "por casualidad", + "posiblemente", + "quizá", + "descriptivamente", + "desesperadamente", + "mortal", + "sin vida", + "de forma indecorosa", + "impropiamente", + "indefenso", + "sin defensa", + "sin protección", + "vulnerable", + "delirantemente", + "desconsoladamente", + "desoladamente", + "devotamente", + "asqueadamente", + "deshonrosamente", + "honorablemente", + "desinteresadamente", + "lejanamente", + "angustiosamente", + "desconfiadamente", + "colina abajo", + "cuesta abajo", + "hacia el este", + "del este", + "oriental", + "ecológicamente", + "inelegantemente", + "articuladamente", + "elocuentemente", + "elocuéntemente", + "ambientalmente", + "desigualmente", + "extemporáneamente", + "fervientemente", + "fieramente", + "figurativamente", + "literalmente", + "flexiblemente", + "toc-toc", + "cuatro veces", + "por cuatro", + "fríamente", + "glacialmente", + "lucrativamente", + "de forma genérica", + "genéricamente", + "geológicamente", + "gloriosamente", + "en un vagón-plataforma", + "en vagones-plataforma", + "azarosamente", + "por accidente", + "por azar", + "bruscamente", + "brusquedad", + "toscamente", + "confusamente", + "vagamente", + "hacia el cielo", + "antes mencionado", + "de ésto", + "a éste", + "a ésto", + "alto", + "dejar suelto", + "libre", + "suelta", + "roncamente", + "en secreto", + "operación encubierta", + "cien veces", + "por cien", + "ideológicamente", + "lógicamente", + "de forma impersonal", + "impersonalmente", + "personalmente", + "personalmente", + "impetuosamente", + "impulsivamente", + "de forma cortante", + "sarcásticamente", + "discretamente", + "indiscretamente", + "sin pretensiones", + "sinceramente", + "verdaderamente", + "hipócritamente", + "celosamente", + "en broma", + "humorísticamente", + "jocosamente", + "periodísticamente", + "a toda vela", + "a todo vapor", + "cómicamente", + "ridículamente", + "risiblemente", + "desanimadamente", + "sin vida", + "lujosamente", + "ligeramente", + "ligeros", + "débilmente", + "fláccidamente", + "linealmente", + "ceceosamente", + "con un ceceo", + "melodramáticamente", + "métricamente", + "entresemana", + "con importancia", + "amenazadoramente", + "criminalmente", + "a cambio", + "recíprocamente", + "a la par", + "casi juntos", + "empatados", + "juntos", + "nerviosamente", + "nueve veces", + "por nueve", + "sin parar", + "nutricionalmente", + "nordeste", + "noroeste", + "objetivamente", + "subjetivamente", + "operacionalmente", + "osmóticamente", + "en demasía", + "excesivamente", + "de forma sabrosa", + "de manera sabrosa", + "de manera apetitosa", + "por", + "de manera irregular", + "inconsistentemente", + "patéticamente", + "perceptivamente", + "pertinentemente", + "mezquinamente", + "farmacológicamente", + "ralentizando", + "lamentablemente", + "golpeteo", + "pisadas ligeras", + "trote ligero", + "chasquido", + "explosión", + "proféticamente", + "sagazmente", + "en modo profano", + "psicológicamente", + "psicológicamente", + "de forma penetrante", + "penetrantemente", + "cada trimestre", + "trimestral", + "trimestralmente", + "de forma andrajosa", + "de manera andrajosa", + "descuidadamente", + "con relevancia", + "pertinentemente", + "completamente", + "indudablemente", + "bellacamente", + "bellacamented", + "deshonestamente", + "estacionalmente", + "segunda clase", + "sensualmente", + "independientemente", + "separadamente", + "de lleno", + "directamente", + "de improviso", + "de improvisto", + "en desventaja", + "en seco", + "estremecedoramente", + "estremecidamente", + "a la inglesa", + "a mujeriegas", + "de mujeriegas", + "señaladamente", + "en solitario", + "sin ayuda", + "por seis", + "seis veces", + "de forma inclinada", + "oblicuamente", + "de lleno", + "desgarbadamente", + "con voz sollozante", + "sociológicamente", + "aisladamente", + "solitariamente", + "escuálido", + "sórdidamente", + "sórdido", + "todos juntos", + "sudeste", + "sur-sudeste", + "sur-sudoeste", + "espasmódicamente", + "espasmódicamente", + "en espiral", + "en espirales", + "insospechadamente", + "estatutariamente", + "directamente", + "immediatamente", + "de eso", + "de ello", + "sobre ello", + "sobre eso", + "a eso", + "con ello", + "abajo", + "debajo", + "más abajo", + "con ello", + "con eso", + "estratégicamente", + "contenidamente", + "contenidamente", + "teológicamente", + "por tres", + "tres veces", + "delgadamente", + "diluído", + "de forma espesa", + "espeso", + "de diámetro", + "con detalle", + "de puntillas", + "en tono monótono", + "monotono", + "topográficamente", + "dos veces", + "por dos", + "tipográficamente", + "desconocido", + "descaradamente", + "desvergonzadamente", + "desmesuradamente", + "excepcionalmente", + "en la inconsciencia", + "sin sentido", + "ininterrumpidamente", + "poco naturalmente", + "con un precedente", + "sin reservas", + "poco escrupulosamente", + "con vivacidad", + "vivazmente", + "como un mirón", + "voyeurísticamente", + "ricamente", + "con jadeos", + "con resoplidos", + "con respiración jadeante", + "con resuello", + "incondicionalmente", + "con ahínco", + "con ardor", + "en zigzag", + "en medio", + "enmedio", + "circunstancialmente", + "convexamente", + "cóncavamente", + "desaliñadamente", + "desaseadamente", + "sórdidamente", + "disolutamente", + "distintivamente", + "filosóficamente", + "que se desvanece", + "inaguralmente", + "furiosamente", + "adecuadamente", + "por derecho", + "causalmente", + "uno a uno", + "uno cada vez", + "de forma discordante", + "discordantemente", + "que suaviza", + "amenazadoramente", + "ceñudamente", + "irritantemente", + "provocativamente", + "derecho", + "recto", + "dolorosamente", + "sin dolor", + "lo mejor", + "mejor", + "significantemente", + "coincidiendo", + "como una coincidencia", + "cognitivamente", + "dolce", + "hipnóticamente", + "inmunología", + "inmunológicamente", + "logogramaticalmente", + "preposicionalmente", + "hacia el espacio", + "taxonómicamente", + "topológicamente" +] \ No newline at end of file diff --git a/static/data/es/nouns.json b/static/data/es/nouns.json new file mode 100644 index 0000000..59c48d6 --- /dev/null +++ b/static/data/es/nouns.json @@ -0,0 +1,38919 @@ +[ + "entidad", + "entidad física", + "abstracción", + "cosa", + "cosa", + "objeto", + "objeto físico", + "objeto inanimado", + "conjunto", + "unidad", + "unidad completa", + "organismo", + "ser", + "ser vivo", + "organismo", + "ser", + "ser vivo", + "bentos", + "vida", + "célula", + "agente causal", + "causa", + "alguien", + "alguno", + "alma", + "humano", + "individuo", + "mortal", + "persona", + "ser humano", + "animal", + "bestia", + "criatura", + "fauna", + "flora", + "planta", + "plantae", + "objeto natural", + "sustancia", + "substancia", + "sustancia", + "materia", + "sustancia", + "alimento", + "comida", + "nutriente", + "nutrimento", + "sustento", + "nutriente", + "artefacto", + "artículo", + "rasgo psicológico", + "cognición", + "conocimiento", + "noesis", + "saber", + "motivación", + "motivo", + "necesidad", + "atributo", + "característica", + "rasgo", + "estado", + "sensación", + "sentimiento", + "lugar", + "forma", + "tiempo", + "espacio", + "evento", + "proceso", + "acción", + "acto", + "agrupación", + "colectivo", + "grupo", + "relación", + "vínculo", + "posesión", + "comunicación", + "cantidad", + "cuantía", + "medida", + "fenómeno", + "cosa", + "bondad", + "abdominoplastia", + "logro", + "realización", + "hazaña", + "logro", + "obra maestra", + "crédito", + "haber", + "acción", + "acto", + "hecho", + "interacción", + "interacción", + "contacto", + "encontronazo", + "encuentro violento", + "intercambio", + "reciprocidad", + "trato", + "adquisición", + "partida", + "salida", + "bravura", + "coraje", + "intrepidez", + "osadía", + "valor", + "descubrimiento", + "hallazgo", + "golpe", + "ejecución", + "ecualizador", + "nivelación", + "recuperación", + "recuperación", + "contacto", + "hazaña", + "desempeño", + "rendimiento", + "asunto completado", + "hecho consumado", + "cumplimiento", + "llegada", + "logro", + "obtención", + "llegada", + "logro", + "entrada", + "irrupción", + "acceso", + "entrada", + "inscripción", + "registro", + "aparición", + "aparición", + "emergencia", + "regreso", + "vuelta", + "penetración", + "llegada", + "escape", + "adiós", + "despedida", + "desaparición", + "retirada", + "retira", + "retirada", + "abandono", + "desviacionismo", + "emigración", + "inmigración", + "aliyá", + "aliá", + "retirada", + "receso", + "retirada", + "retiro de tropas", + "retroceso", + "recesión", + "marcha", + "partida", + "salida", + "salida", + "fuga", + "fuga", + "huida", + "maniobra", + "abrazo", + "fuga", + "huida", + "escape", + "fuga", + "huida", + "polvorosa", + "escabullida", + "Ferrocarril Subterráneo", + "por los", + "por los pelos", + "despacho", + "expedición", + "consumación", + "cumplimiento", + "realización", + "orgasmo", + "orgasmo masculino", + "realización", + "realización personal", + "logro", + "marca", + "éxito", + "sorpresa", + "éxito inesperado", + "exitazo", + "golpe", + "triunfar", + "triunfo", + "éxito", + "acierto", + "diana", + "conquista", + "éxito absoluto", + "crédito", + "descuido", + "olvido", + "omisión", + "fracaso", + "nada", + "incomparecencia", + "derrota", + "fracaso", + "pérdida", + "frustración", + "cambio", + "giro", + "resultado inesperado", + "vuelco", + "caída", + "recaída", + "reincidencia", + "incumplimiento del deber", + "incumplimiento de compromiso", + "error", + "fallo", + "falta", + "mancha", + "confusión", + "aceptación", + "error de cálculo", + "error de estimación", + "efecto boomerang", + "redondeo", + "tergiversación", + "lapsus", + "fuera de juego", + "olvido", + "descuido", + "blooper", + "cagada", + "cante", + "caída", + "chapucería", + "disparate", + "embrollo", + "equivocación", + "estropeo", + "metedura de pata", + "patochada", + "plancha", + "lío", + "chorrada", + "estupidez", + "gilipollez", + "tontería", + "error garrafal", + "plancha", + "paso en falso", + "traspié", + "tropiezo", + "caída", + "adquisición", + "contracción", + "adquisición", + "compra", + "comercio", + "comercio de bonos", + "operaciones con bonos", + "compra", + "compra", + "acuerdo viático", + "aceptación", + "sucesión", + "asunción", + "toma", + "herencia", + "patrimonio", + "adquisición", + "adopción", + "apropiación indebida", + "derecho preferente", + "preempción", + "embargo", + "embargo", + "ocupación", + "subvención", + "concesión", + "detención", + "conquista", + "sometimiento", + "devolución", + "recuperación", + "restauración", + "restitución", + "ejecución de hipoteca", + "recepción", + "recibo", + "abandono", + "dejación", + "rechazo", + "desprendimiento", + "descarte", + "colocación de minas", + "depuración de aguas", + "contrabando de licor", + "capitalización", + "entrega", + "liberación", + "rescate", + "salvación", + "salvamento", + "redención", + "salvación", + "indulgencia", + "conversión", + "proselitismo", + "indemnización", + "liberación", + "enmienda", + "recuperación", + "reforma", + "reformación", + "rescate", + "salvación", + "reconquista", + "cumplimiento", + "ejecución", + "realización", + "mecanismo", + "servicio", + "ilusión", + "magia", + "truco", + "interpretación", + "versión", + "giro", + "spiccato", + "jam session", + "automación", + "mecanización", + "robotización", + "lanzamiento", + "lanzamiento lunar", + "fuerza", + "máxima aceleración", + "impulso", + "lanzamiento", + "herradura inclinada", + "pase", + "encaje", + "saque", + "saque de banda", + "bola", + "sinker", + "mate", + "tiro libre", + "pulsación", + "clic", + "codazo", + "empujón", + "prensa", + "presión", + "empujón", + "codazo", + "transporte", + "remolque", + "tirón", + "tirón", + "expulsión", + "proyección", + "eructo", + "guiño", + "vómito", + "hematemesis", + "hiperemesis", + "salto", + "salto de cabeza", + "salto", + "salto", + "transmisión", + "pedaleo", + "ruedo", + "disparo", + "tiro", + "contratiro", + "disparo", + "pistoletazo", + "control de fuego", + "disparo", + "disparo a escondidas", + "fuego de artillería", + "golpecito", + "palmadita", + "toque", + "choque", + "fildeo", + "personal", + "elevado", + "pelota elevada", + "elevado de sacrificio", + "triple", + "revés", + "torta", + "golpe", + "torta", + "nocaut", + "batazo", + "torta", + "bofetada", + "paliza", + "pinchazo", + "puñetazo", + "puñete", + "tortazo", + "cachete", + "contraataque", + "contragolpe", + "quite", + "golpe bajo", + "golpe circular", + "tiro a gol", + "saque", + "beso", + "besazo", + "beso sonoro", + "besuqueo", + "gran beso", + "intercepción", + "recepción", + "manipulación", + "inspección", + "check-in", + "reconocimiento", + "confrontación", + "revisión", + "seguimiento", + "revisión", + "mirada", + "vistazo", + "oftalmoscopio", + "cosquillas", + "caricia", + "conexión", + "enlace", + "unión", + "acceso", + "aproximación", + "convergencia", + "fusión", + "unión", + "confluencia", + "encuentro", + "articulación", + "fijación", + "soldadura", + "ensamble con espigas", + "soldadura", + "lamer", + "captación", + "detección", + "espionaje", + "localización", + "adelanto", + "hallazgo", + "designación", + "identificación", + "diagnóstico médico", + "pronóstico", + "pronóstico médico", + "prospecto", + "resolución", + "solución", + "acreditación", + "certificación", + "documentación", + "fundamento", + "localización", + "localizar", + "posición", + "ubicación", + "iniciación", + "fomento", + "incitación", + "instigación", + "influencia", + "exposición", + "subexposición", + "manipulación", + "autosugestión", + "tentación", + "perversión", + "conquista", + "anotación", + "conquista sexual", + "elección", + "selección", + "lotería", + "sorteo", + "decisión", + "determinación", + "resolución", + "designación", + "nombramiento", + "decisión", + "delegación", + "ordenación", + "paso", + "jugada", + "movida", + "movimiento", + "jaque mate", + "maniobra", + "mudanza", + "traslado", + "deslizamiento", + "deslizamiento lateral", + "maniobra aérea", + "maniobra de vuelo", + "ardid", + "artilugio", + "artimaña", + "truco", + "nemotecnia", + "astucia", + "treta", + "finta", + "amago", + "simulacro", + "artificio", + "astucia", + "camino", + "forma", + "manera", + "modo", + "herramienta", + "instrumento", + "decisión", + "medida", + "contramedida", + "recurso", + "expediente termporal", + "improvisación", + "aceptación", + "adopción", + "elección", + "selección", + "cooptación", + "reelección", + "consulta", + "referendo", + "referéndum", + "elecciones", + "elección", + "voto", + "boleta electoral", + "voto", + "papeleta dividida", + "papeleta única", + "punto", + "tanto", + "puntuación del boliche", + "resultado del boliche", + "gol", + "tanto", + "cuadro abierto", + "fallo", + "carrera", + "cuenta", + "canasta", + "cambio", + "percolación", + "reducción", + "simplificación", + "ahorro", + "adaptación", + "absorción", + "variación", + "diversificación", + "fluctuación", + "cambio", + "cambio brusco", + "sustitución", + "sustitución", + "subrogación", + "destete", + "promoción", + "degradación", + "descenso", + "cambio de estado", + "alteración", + "modificación", + "pasaje", + "paso", + "transición", + "transferencia", + "trasferencia", + "oposición", + "resistencia", + "reacción", + "reacción racista blanca", + "rechazo", + "desdén", + "escape", + "por los pelos", + "abandono", + "renuncia", + "fuga", + "renuncia", + "abandono", + "renuncia", + "pérdida", + "expulsión", + "exilio", + "cautiverio", + "cautividad de Babilonia", + "suspensión", + "veto de bolsillo", + "conclusión", + "finalización", + "terminación", + "cierre", + "cierre del telón", + "conclusión", + "final", + "conclusión", + "retirada", + "abandono", + "renuncia", + "rendición", + "abdicación", + "despido", + "renuncia", + "disolución", + "separación", + "separación", + "golpe de estado", + "disolución", + "suspensión", + "despedida", + "despido", + "destitución", + "purga", + "destrucción", + "desastre", + "arrasamiento", + "arruinamiento", + "desgracia", + "destrozo", + "ruina", + "demolición", + "derribo", + "derrumbamiento", + "aniquilación", + "obliteración", + "pulverización", + "vaporización", + "matanza", + "muerte", + "golpe de gracia", + "golpe mortal", + "asesinato", + "homicidio sin premeditación", + "asesinato", + "magnicidio", + "asesinato por contrato", + "parricidio", + "matricidio", + "patricidio", + "uxoricidio", + "filicidio", + "caída", + "suicidio", + "harakiri", + "eliminación", + "liquidación", + "matanza", + "baño de sangre", + "carnicería", + "derramamiento de sangre", + "matanza", + "tiroteo", + "asfixia", + "sofocación", + "broncoespasmo", + "asesinato ritual", + "oblación", + "sacrificio", + "inmolación", + "electrocución", + "acuerdo viático", + "síndrome de abstinencia", + "cierre", + "clausura", + "conclusión", + "fin", + "aborto", + "aborto inducido", + "aborto espontáneo", + "aborto inminente", + "amenaza de aborto", + "abordo inducido", + "aborto inducido", + "derogación", + "muerte civil", + "desactivación", + "neutralización", + "baja deshonrosa", + "inversión", + "apertura", + "comienzo", + "iniciación", + "inicio", + "principio", + "ascenso", + "activación", + "constitución", + "establecimiento", + "formación", + "fundación", + "creación", + "introducción", + "lanzamiento", + "presentación", + "hipnogénesis", + "iniciativa", + "creación", + "fundación", + "instauración", + "institución", + "introducción", + "instalación", + "inicio", + "primera base", + "horneado", + "brasear", + "fritura", + "braseado", + "mejora", + "adelanto", + "progreso", + "auge", + "avance", + "evolución", + "fomento", + "promoción", + "avance", + "flujo de trabajo", + "desarrollo", + "elaboración", + "limpieza", + "fregado", + "fregadura", + "purgación", + "purificación", + "abreacción", + "catársis", + "catársis", + "purgación", + "tonsura", + "aclarar", + "remojar", + "remojo", + "baño", + "baño de burbujas", + "corrección", + "rectificación", + "compensación", + "perfección", + "mejora", + "tratamiento de belleza", + "decoración", + "decoración de escaparate", + "teselado", + "modernización", + "renovación", + "modernización", + "reforma", + "renovación", + "mejora", + "mejoría", + "mejora", + "caída", + "arreglo", + "enmienda", + "instalación", + "remiendo", + "reparación", + "reparo", + "solución", + "mantenimiento", + "revisión", + "remedio instantáneo", + "remedio rápido", + "solución parche", + "solución temporal", + "renovación", + "gentrificación", + "reconstrucción", + "anastilosis", + "restauración", + "reensamblaje", + "refabricación", + "reconstrucción", + "mantenimiento programado", + "coaching", + "entrenamiento", + "entrenarmiento", + "trabajo de entrenamiento", + "actuación", + "concierto", + "degradación", + "corrupción", + "perversión", + "degradación", + "humillación", + "degradación", + "ofuscación", + "teñido", + "tinción", + "masticación", + "ruminación", + "bruxismo", + "desplazamiento", + "movimiento", + "traslado", + "aproximación", + "acceso", + "entrada", + "aproximación final", + "ondeo", + "rodeo", + "vuelta", + "avance", + "evolución", + "progreso", + "empujón", + "carrera", + "trayectoria", + "marcha", + "locomoción", + "viaje", + "braquiación", + "andadura", + "ambulación", + "desplazamiento", + "paseo", + "vuelta", + "paseo", + "sonambulismo", + "somniloquía", + "paso", + "paso", + "doma clásica", + "lope", + "caminata", + "excursión", + "paseo", + "excursión", + "bamboleo", + "tambaleo", + "tropiezo", + "paso lento", + "marcha", + "paso rápido", + "marcha marcial", + "paseo", + "vuelta", + "recorrido", + "caminata", + "excursión", + "paseo", + "recorrido", + "carrera", + "trote lento", + "sprint", + "fuga", + "circuito", + "círculo", + "vuelta", + "desplazamiento", + "viaje", + "procesión", + "cruce", + "descenso en zigzag", + "escalada oblicua", + "turismo", + "turismo ecológico", + "conducción", + "doma de potro", + "viaje con carga", + "lazo de novillo", + "aviación", + "vuelo", + "vuelo", + "viaje en globo", + "ala delta", + "vuelo sin motor", + "paracaidismo", + "salto", + "parapente", + "paravelismo", + "indecorosamente", + "despegue", + "caída en picado", + "giro", + "viaje", + "etapa", + "fase", + "viaje en diligencia", + "odisea", + "viaje", + "trayecto", + "vuelta", + "expedición", + "expedición", + "expedición de casa", + "safari", + "exploración", + "exploración geográfica", + "digresión", + "excursión", + "salida", + "travesía", + "viaje pesado", + "migración", + "circuito", + "periplo", + "tour", + "circuito", + "recorrido", + "excursión", + "expedición", + "incursión", + "paseata", + "salida", + "viaje de placer", + "excursión", + "viaje de lujo", + "vuelta", + "viaje", + "camino", + "ruta", + "trayecto", + "crucero", + "navegación", + "viaje espacial", + "navegación", + "navegación a vela", + "orza", + "orzar", + "ceñir", + "navegación", + "paseo en barco", + "paseo en yate", + "transferencia", + "transporte", + "transbordo", + "conexión", + "correspondencia", + "distribución", + "reparto", + "porteo", + "transporte", + "caza", + "persecución", + "búsqueda inútil", + "introducción", + "cercamiento", + "empaque", + "empaquetado", + "inyección", + "inyección intravenosa", + "transfusión", + "transfusión de sangre", + "alza", + "ascensión", + "ascenso", + "subida", + "funambulismo", + "subida", + "escalada", + "escalada", + "montañismo", + "alpinismo", + "descenso", + "descenso en rápel", + "descenso por cuerda", + "rapel", + "inmersión rápida", + "balanceo", + "intercambio de pareja", + "oscilación", + "vacilación", + "regreso", + "retorno", + "derrape", + "deslizamiento lateral", + "resbalón", + "corriente", + "snowboarding", + "inundación", + "aceleración", + "acelerar", + "darse prisa", + "desplazamiento", + "movimiento", + "aducción", + "agitación", + "ademán", + "gesto", + "amenazador", + "codazo", + "empuje", + "empujón", + "golpe", + "movimiento brusco", + "que pincha", + "mudra", + "inversión", + "invertir", + "voltear", + "tirón", + "cabeceo", + "lanzamiento", + "sacudida", + "tira", + "sacadas", + "reorganización", + "inversión", + "volver a barajar", + "vuelta a barajar", + "peinar los naipes", + "alcance", + "reciprocación", + "reciprocidad", + "rotación", + "giro", + "remolino", + "vuelta", + "pivote", + "pronación", + "giro", + "cerradura", + "cerramiento", + "cierre", + "postura", + "supinación", + "giro", + "vuelta", + "vuelta", + "temblor", + "vibración", + "giro", + "vuelta", + "revés", + "parpadeo", + "pestañeo", + "vacilación", + "temblor", + "golpe", + "giro", + "desviación", + "disminución", + "merma", + "reducción", + "recorte", + "disminución", + "reducción", + "disminución", + "recorte", + "reducción", + "espasmolisis", + "alivio", + "alivio", + "descanso", + "liberalización", + "sosiego", + "tranquilidad", + "disminución", + "reducción", + "consumo", + "consumo", + "pellizco", + "repizco", + "molienda", + "pulverización", + "trituración", + "expulsión", + "abreviación", + "corte", + "recorte", + "recorte", + "retirada de amianto", + "acrecentamiento", + "aumento", + "crecimiento", + "incremento", + "multiplicación", + "alza", + "subida", + "subida", + "ampliación", + "expansión", + "dilatación", + "vasodilatación", + "subida", + "ampliación", + "aumento", + "extensión", + "difusión", + "extensión", + "recirculación", + "dispersión", + "diáspora", + "dispersión", + "vaginismo", + "acumulación", + "concentración", + "depósito", + "almacenaje", + "almacenamiento", + "depósito", + "reposición", + "incorporación", + "anexión", + "asignación", + "ascenso", + "refuerzo", + "concentración", + "pervaporación", + "ruptura", + "explosión", + "detonación", + "cremación", + "combinación", + "composición", + "mezcla", + "fusión", + "mezcla", + "confluencia", + "unificación", + "unión", + "coalescencia", + "reunión", + "apertura", + "desconexión", + "división", + "separación", + "paréntesis", + "pausa", + "anexo", + "anuncio local", + "retiro", + "secesión", + "escisión", + "ruptura", + "división", + "partición", + "parcelación", + "bisectriz", + "corte", + "tajo", + "escisión", + "corte", + "tajo", + "fraccionamiento", + "emparejamiento", + "división silábica", + "separación silábica", + "abertura", + "eliminación", + "escisión", + "descontaminación", + "supresión", + "liberación", + "castración", + "censura", + "censura", + "supresión", + "censura", + "división", + "subdivisión", + "septación", + "transformación", + "transformación", + "transformación", + "modificación", + "transfiguración", + "conversión", + "forestación", + "repoblación", + "rehabilitación", + "rehabilitación correccional", + "renovación urbana", + "endurecimiento", + "daño", + "mal", + "perjuicio", + "herida", + "contorsión", + "deformación", + "flexión", + "proyección", + "actividad", + "operación", + "costumbre", + "hábito", + "práctica", + "práctica", + "cooperación", + "multiplicidad", + "simbolismo", + "modernismo", + "costumbre", + "uso", + "costumbre", + "hábito", + "rutina", + "ritual", + "costumbre", + "hábito", + "visita", + "manera", + "camino", + "estilo de vida", + "senda", + "trayectoria", + "vida", + "vía", + "hadiz", + "abrazo", + "abrazo", + "abrazo", + "abrazo apasionado", + "apretón", + "desprecio", + "explotación", + "explotación social", + "blaxploitation", + "abuso", + "malos tratos", + "maltrato", + "uso indebido", + "persecución", + "pogromo", + "tortura genital", + "garrucha", + "crueldad", + "barbaridad", + "acoso sexual", + "caza de brujas", + "neocolonialismo", + "diversión", + "entretenimiento", + "recreación", + "broma", + "burla", + "baño", + "celebración", + "festejo", + "baile", + "danza", + "broma", + "escapada", + "euritmia", + "juego", + "juego", + "broma", + "afición", + "distracción", + "afición", + "deporte", + "acrobacias", + "volteretas", + "puente", + "vertical puente", + "rueda", + "pino", + "salto mortal", + "salto mortal", + "carrera", + "carrera a pie", + "salto de longitud", + "salto largo", + "salto de altura", + "baño", + "bañarse en cueros", + "inmersión", + "plancha", + "bucear", + "buceo", + "surf", + "surfing", + "remar", + "remo", + "boxeo", + "pugilismo", + "puñetazos", + "combate", + "lucha", + "tiro con arco", + "trineo", + "bobsled", + "bobsleigh", + "agarre", + "lucha", + "llave voladora", + "patinaje", + "patinaje sobre hielo", + "patinaje artístico", + "patinaje sobre ruedas", + "patinaje en monopatín", + "carrera", + "carrera de autos", + "regata", + "carrera de hidroavión", + "carrera de camellos", + "carrera de galgos", + "carrera de caballos", + "deporte ecuestre", + "ciclismo", + "ciclismo", + "motociclismo", + "pelea de gallos", + "caza", + "caza con beagle", + "caza de ciervos", + "cazar ciervos", + "cacería de patos", + "caza de patos", + "pesca", + "pesca", + "juego", + "juego", + "entrada", + "turno", + "ataque", + "pinball", + "pachinko", + "charadas", + "eliminatoria", + "bowling", + "bowls", + "bochas", + "juego atlético", + "juego deportivo", + "guardameta", + "golf", + "juego por golpes", + "medal play", + "stroke play", + "paintball", + "herradura", + "quoits", + "fútbol", + "hurling", + "hardball", + "sofbol", + "criquet", + "polo", + "fútbol", + "raquetbol", + "pelota vasca", + "bádminton", + "baloncesto", + "netball", + "tanto de empate", + "pallone", + "rayuela", + "matatenas", + "taba", + "canica", + "pelea de almohadas", + "la pulga", + "corte", + "bacarrá", + "Go Fish", + "póquer", + "solitario", + "whist", + "Corazones", + "corazones", + "canasta", + "juego de mesa", + "tenis de mesa", + "nim", + "carambola", + "tiro", + "damas", + "halma", + "keno", + "mahjong", + "pachisi", + "shogi", + "serpientes y escaleras", + "tres en línea", + "apuesta", + "partida", + "lotería", + "apuesta", + "craps", + "festejo", + "festividad", + "regocijo", + "jarana", + "alborozo", + "jolgorio", + "juerga", + "aventura sexual", + "aventura amorosa", + "cana al aire", + "borrachera", + "castaña", + "cuchipanda", + "curda", + "francachela", + "melopea", + "parranda", + "tranca", + "turca", + "orgía", + "brinco", + "cabriola", + "bufonada", + "charlotada", + "burla", + "guasa", + "tomada de pelo", + "mala jugada", + "tiro", + "burla", + "inocentada", + "payasada", + "broma", + "cumplido", + "distracción", + "seducción", + "celebración", + "eisteddfod", + "fiesta", + "festival de jazz", + "gala", + "feria", + "concurso canino", + "circo", + "martes de carnaval", + "espectáculo", + "exhibición", + "muestra", + "cabaret", + "espectáculo en vivo", + "gala", + "muestra", + "exposición", + "demonstración", + "demostración", + "entrega", + "presentación", + "desprestigio", + "repudio", + "exposición", + "rodeo estadounidense", + "espectáculo itinerante", + "deporte", + "courante", + "buck and wing", + "baile", + "ballet", + "comedia-ballet", + "danza moderna", + "cakewalk", + "baile social", + "jitterbug", + "fandango", + "habanera", + "shimmy", + "tarantela", + "chassé", + "carioca", + "foxtrot", + "minueto", + "quickstep", + "samba", + "polca", + "highland fling", + "eightsome", + "lancero", + "procesión", + "rumba", + "danza del maiz", + "hula", + "música", + "cante", + "canto", + "canto a capella", + "bel canto", + "coloratura", + "canción", + "son", + "villancico", + "canto de villancicos", + "silbido", + "toque", + "arco abajo", + "actuación", + "dramatización", + "interpretación", + "representación", + "actuación", + "interpretación", + "representación", + "mimetismo", + "burla", + "imitación", + "parodia", + "panto", + "actuación", + "interpretación", + "programa", + "interpretación", + "interpretación de roles", + "juegos de manos", + "prestidigitación", + "trastorno", + "alteración", + "sorpresa", + "escándalo", + "arrebato", + "escándalo", + "furor", + "caos", + "vandalismo", + "batalla campal", + "escaramuza", + "refriega", + "agitación", + "alboroto", + "excitación", + "follón", + "trastorno", + "arranque", + "arrebato", + "estallido", + "explosión", + "tumulto", + "agitación", + "bulla", + "bullicio", + "jaleo", + "movimiento", + "revuelo", + "ruido", + "torbellino", + "precipitación", + "prisa", + "urgencia", + "maniobra", + "figura", + "figura ocho", + "águila", + "pase completo", + "jugada", + "asistencia", + "pase", + "elevado", + "pase adelantado", + "lateral", + "pase lateral", + "malabarismo", + "frenar", + "golpe", + "golpazo", + "revés", + "saque", + "servicio", + "brazada de perro", + "mariposa", + "estilo braza", + "espalda", + "estilo espalda", + "downswing", + "lanzamiento", + "tee de salida", + "batido de delfín", + "pataleo", + "trabajo", + "trabajo", + "operación", + "procedimiento", + "servicio", + "servicio de asesoramiento", + "lustrado", + "pulimento", + "trabajo sucio", + "limpieza de casa", + "quehaceres domésticos", + "trabajo", + "industria maderera", + "asistencia social", + "servicio social", + "ocupación", + "negocio", + "profesión", + "vocación", + "especialidad", + "especialización", + "actividad principal", + "trabajo", + "cargo", + "deber", + "tarea", + "trabajo", + "servicio", + "teletrabajo", + "ministro", + "cargo", + "oficina", + "posición", + "puesto", + "embajada", + "aprendizaje", + "obispado", + "capitanía", + "empleo de oficinista", + "comandancia", + "consulado", + "dirección", + "paternidad", + "paternidad", + "lectorado", + "mariscalía", + "alcaldía", + "señoría", + "presidencia", + "dirección", + "santidad", + "secretaría", + "ministro de justicia", + "Secretario de Estado", + "ministro de estado", + "ponencia", + "presidencia del senado", + "administración", + "oficio", + "profesión", + "mecánica de aviones", + "mecánica de coches", + "cestería", + "encuadernación de libros", + "albañilería", + "ebanistería", + "dibujo mecánico", + "dibujo técnico", + "operario eléctrico", + "masonería", + "oftalmología", + "pintura", + "pintura de casas", + "pilotaje", + "alfarería", + "cerámica", + "profesión", + "literatura", + "arquitectura", + "educación", + "periodismo", + "política", + "medicina", + "medicina preventiva", + "medicina complementaria", + "teología", + "escritura", + "cifra", + "codificación", + "esteganografía", + "cifrado", + "ciframiento", + "encriptación", + "compresión de imagen", + "descompresión", + "recodificación", + "carpintería", + "carpintería de obra", + "pirotecnia", + "reparación de techos", + "disposición de tejas", + "confección", + "sastrería", + "fabricación de herramientas", + "contabilidad de costes", + "evaluación de costes", + "partida doble", + "LIFO", + "fotografía", + "faena", + "labor", + "trabajo", + "hueso", + "afán", + "dedicación", + "esfuerzo", + "lucha", + "confrontación", + "lucha libre", + "caza", + "recolección del heno", + "labor manual", + "dificultad", + "problema", + "ejercicio", + "entrenamiento", + "faena", + "acondicionamiento", + "culturismo", + "desperezamiento", + "flexión de codos", + "plancha", + "dominada", + "flexión de rodilla", + "flexión de pierna", + "práctica", + "ejercicio del derecho", + "práctica médica", + "optometría", + "dedicación", + "diligencia", + "investigación", + "análisis", + "cuenta", + "enumeración", + "análisis", + "escrutinio", + "examen", + "inspección", + "examen", + "prueba", + "investigación", + "investigación", + "búsqueda", + "estudio biológico", + "experimentación", + "experimento", + "endoscopia", + "colonoscopia", + "histeroscopia", + "exploración", + "estudio", + "análisis de orina", + "ionograma urinario", + "polarografía", + "colorimetría", + "análisis volumétrico", + "valoración", + "análisis gavimétrico", + "análisis de costes", + "análisis minucioso", + "plasmaféresis", + "hemodiálisis", + "contraste", + "seguimiento", + "vigilancia", + "censo", + "censo de población", + "cálculo erróneo", + "recuento de votos", + "contraespionaje", + "atención", + "ayuda", + "cuidado", + "cuidados", + "postratamiento", + "higiene dental", + "primeros auxilios", + "asistencia médica", + "atención médica", + "tratamiento", + "masaje dactilar ligero", + "reflexología", + "manicura", + "terapia", + "tratamiento", + "aromaterapia", + "helioterapia", + "insolación", + "inmunoterapia", + "terapia ocupacional", + "atención de enfermería", + "enfermería", + "TLC", + "Tender Loving Care", + "cuidados amorosos", + "apendicectomía", + "amputación", + "artroscopia", + "craneotomía", + "colecistectomía", + "ablación del clítoris", + "circunsición femenina", + "desbridamiento", + "desentrañamiento", + "electrocirugía", + "intervención", + "operación", + "ritidectomía", + "gastrectomía", + "gastrostomía", + "hemostasia", + "histerectomía", + "histerostomía", + "histerotomia", + "gastrostomía", + "iridectomía", + "queratotomía", + "vitrectomía", + "perineotomía", + "episiotomía", + "liposucción", + "homologar", + "normalizar", + "neuroplastía", + "otoplastia", + "ooforectomía", + "ooforosalpingectomía", + "orquidectomia", + "esplenectomía", + "amigdalectomía", + "neurocirugía", + "cirugía nasal", + "rinoplastia", + "osteotomía", + "faloplastia", + "proctoplastia", + "rectoplastia", + "castración", + "traqueotomía", + "justicia", + "administración", + "judicatura", + "justicia", + "medicación con cuentagotas", + "inyección", + "sangría", + "toracotomía", + "valvotomía", + "valvulotomía", + "defibrilación", + "fitoterapia", + "hipnoterapia", + "psicoanálisis", + "insulinización", + "shock insulínico", + "shock de Metrazol", + "shock de metrazol", + "quiropráctica", + "medicina natural", + "acupresión", + "autogénesis", + "entrenamiento autógeno", + "terapia autógena", + "cura de reposo", + "caza de ciervos", + "aplicación", + "baño", + "capa", + "cobertura", + "mano", + "revestimiento", + "unción", + "galvanizado", + "manipulación", + "carga", + "descarga", + "cableado", + "panadería", + "vasectomía", + "vasotomía", + "vivisección", + "lubricación", + "pavimento", + "empapelado", + "empapelamiento", + "embadurnamiento", + "enyesado", + "encerado", + "deber", + "cometido", + "faena", + "quehacer", + "tarea", + "trabajo", + "reparto de periódicos", + "función", + "oficio", + "papel", + "lugar", + "posición", + "puesto", + "sitio", + "representación", + "rol social", + "posición", + "lanzador", + "catcher", + "receptor", + "leftfield", + "defensa", + "linebacker", + "centro", + "deberes", + "lección", + "clase de alemán", + "ejercicio", + "misión", + "da'wah", + "dawah", + "encargo", + "misión", + "cosa de tontos", + "embajada", + "recado", + "maldad", + "invasión", + "violación", + "avance", + "invasión", + "allanamiento de morada", + "malversación", + "delito", + "falta", + "delincuencia juvenil", + "cristo", + "pollo", + "anomalía", + "irregularidad", + "desviación", + "parafilia", + "fetichismo", + "pedofilia", + "voyeurismo", + "zoofilia", + "indiscreción", + "pecadillo", + "abandono", + "descuido", + "incumplimiento del deber", + "gandulería", + "haraganería", + "pereza", + "poltronería", + "vagancia", + "perversión", + "desperdicio de energía", + "extravagancia", + "gran vida", + "prodigalidad", + "suntuosidad", + "mal empleo", + "daño", + "injusticia", + "imposición", + "maldad", + "violación", + "sacrilegio", + "vicio", + "prostitución", + "bebida", + "traición", + "charlatanería", + "charlatanismo", + "plagio", + "desfiguración", + "falsificación", + "montaje", + "trama", + "trampa", + "deformación", + "ambigüedad", + "mentira", + "disimulación", + "engaño", + "fingimiento", + "arte", + "astucia", + "doble juego", + "bulo", + "camelo", + "fraude", + "scam", + "engaño", + "fraude", + "trampa", + "fraude electoral", + "ilusión", + "fachada", + "apariencia", + "fantasía", + "imaginación", + "afectación", + "postura", + "farol", + "caída", + "pecado", + "pecado original", + "pecado capital", + "pecado mortal", + "envidia", + "avaricia", + "codicia", + "concupiscencia", + "rapacidad", + "ira", + "lujuria", + "terrorismo", + "bioterrorismo", + "ciberguerra", + "terrorismo cibernético", + "narcoterrorismo", + "terrorización", + "belicismo", + "crimen", + "delito", + "trabajo interno", + "asalto", + "delito informático", + "crimen", + "fake", + "fraude", + "secuestro", + "contravención", + "falta", + "infracción", + "ofensa", + "violación", + "perjurio", + "comisión", + "consumación", + "perpetración", + "violación", + "asalto", + "ataque", + "atentado", + "asalto", + "violación", + "crimen organizado", + "intento de estafa", + "fraude", + "engaño", + "fraude", + "desvalijamiento", + "hurto", + "latrocinio", + "robo", + "substracción", + "sustracción", + "atraco", + "asalto", + "robo armado", + "traición", + "delito común", + "trabajito", + "robo", + "fraude", + "impuesto de protección", + "tributo", + "experimento", + "prueba", + "esperanza vana", + "intento", + "tentativa", + "conato", + "disposición", + "pase", + "prueba", + "tentativa", + "vuelta", + "ensayo", + "aportación", + "contribución", + "participación", + "cosa de bobos", + "búsqueda", + "tiro", + "afán", + "esfuerzo", + "esmero", + "pugna", + "batalla", + "lucha", + "duelo", + "pelea", + "refriega", + "toma de control", + "ensayo", + "prueba", + "ensayo químico", + "inmunohistoquímica", + "examen", + "prueba", + "test", + "audición", + "prueba", + "prueba", + "trabajo previo", + "proyecto", + "tarea", + "trabajo de redacción", + "trabajo escrito", + "aventura", + "aventura riesgosa", + "empresa peligrosa", + "escapada", + "empresa", + "tarea", + "mucho pedir", + "aventura", + "espeleología", + "campaña", + "movimiento", + "bombardeo publicitario", + "campaña de publicidad", + "campaña publicitaria", + "candidatura", + "reforma", + "amanaza", + "peligro", + "riesgo", + "apuesta", + "control", + "control de daños", + "imperialismo", + "normativa", + "regulación", + "desregulación", + "control de calidad", + "coordinación", + "prorrateo", + "limitación", + "restricción", + "control de armas", + "congelación de precios", + "posesión", + "propiedad", + "posesión ilegal", + "reflejo de defecación", + "reflejo rectal", + "frigorífico", + "llave", + "gobierno", + "dirección", + "navegación", + "navegación marítima", + "navegación de estima", + "guardia", + "protección", + "buenas manos", + "cuidado", + "custodia", + "responsabilidad", + "preservación", + "conservación", + "conservación del suelo", + "conservación del petróleo", + "reserva", + "mimo excesivo", + "sobreprotección", + "censura", + "precaución", + "prevención", + "defender", + "defensa", + "inoculación", + "vacunación", + "patrulla aérea", + "patrulla continua", + "defensa personal", + "arte marcial", + "jujutsu", + "ninjutsu", + "karate", + "kung fu", + "aislamiento", + "cierre", + "encierro", + "escolta", + "arreglo personal", + "cuidado", + "uso", + "control", + "respiración", + "respiro", + "respiración", + "electrocardiograma", + "ecocardiografía", + "hipopnea", + "fumar", + "ronquido", + "sibilancia", + "aliento", + "aspiración", + "inspiración", + "calada", + "consumo", + "ingestión", + "alimentación", + "choque", + "aire", + "gas", + "trago", + "trago", + "cena", + "almuerzo", + "comida", + "necrofagia", + "necrophagia", + "bebida", + "trago", + "sorbo", + "trago", + "sexo sin penetración", + "sexo", + "concepción", + "inseminación", + "cardar", + "casquete", + "clavo", + "culo", + "echar un polvo", + "follar", + "fornicar", + "joder", + "polvo", + "puñetero", + "disfrute", + "goce", + "gozo", + "placer", + "sexo ilícito", + "penetración", + "amor libre", + "adulterio", + "conversación criminal", + "fornicación", + "reproducción", + "cruce", + "generación", + "multiplicación", + "cruce", + "contracepción oral", + "estimulación", + "exitación", + "juego sexual", + "preámbulo sexual", + "caricia", + "petting", + "besuqueo", + "perversión", + "sexo oral", + "cunnilinctus", + "cunnilingus", + "felación", + "chupada", + "mamada", + "masturbación", + "onanismo", + "echarse una mano", + "paja", + "pajearse", + "promiscuidad", + "sexo con cualquiera", + "lascivia", + "homosexualidad", + "lesbianismo", + "safismo", + "tribadismo", + "sueño", + "cabezada", + "pestañada", + "siesta", + "siesta liviana", + "sueñecito", + "siesta", + "siestecita", + "reacción", + "respuesta", + "despecho", + "ergotropismo", + "geotropismo", + "heliotropismo", + "termotropismo", + "taxia", + "quimiotaxis", + "acción refleja", + "acto reflejo", + "reacción fisiológica", + "reflejo", + "reflejo incondicionado", + "reflejo innato", + "reflejo instintivo", + "respuesta refleja", + "evasión condicionada", + "estremecimiento de dolor", + "mueca de dolor", + "paso", + "miosis", + "midriasis", + "piel de gallina", + "temblor", + "llanto", + "lloro", + "lamento", + "cálculo", + "cómputo", + "operación", + "operación matemática", + "proceso matemático", + "combinación", + "división", + "integración", + "multiplicación", + "suma", + "potenciación", + "multiplicación de matrices", + "transposición de matrices", + "construcción", + "juicio", + "valoración", + "estimación", + "percepción", + "sensación", + "mirada", + "vistazo", + "vistazo", + "mirada de reojo", + "mirada de soslayo", + "mirada", + "mirada", + "mirada feroz", + "contemplación", + "mal de ojo", + "revisión", + "revista", + "observación", + "observación", + "supervisión", + "vigilia", + "olor", + "aspiración", + "educación", + "enseñanza", + "asignatura", + "clase", + "curso", + "teatro", + "educación superior", + "educación", + "enseñanza", + "instrucción", + "pedagogía", + "doctrina", + "adoctrinamiento", + "tuición", + "tutela", + "tutería", + "tutoría", + "clase", + "lección", + "clase de baile", + "curso a distancia", + "curso de extensión", + "propedéutica", + "hipnopedia", + "clase", + "conferencia", + "presentación oral", + "charla", + "fartlek", + "juego de velocidades", + "disciplina", + "formación", + "preparación", + "ejercicio", + "práctica", + "instrucción", + "reunión de cerebros", + "formación tipo", + "juego de guerra", + "ensayo", + "ensayo general", + "repaso", + "representación", + "dramatización", + "títeres", + "figuración", + "retrato", + "contraste BOLD", + "fluoroscopia", + "fotografía", + "angiografía", + "arteriografía", + "venografía", + "mielograma", + "radiofotografía", + "exposición", + "toma", + "animación", + "creación", + "punto", + "fundición", + "construcción", + "edificación", + "erección", + "construcción", + "fabricación", + "montaje", + "construcción de carreteras", + "producción", + "subproducción", + "rendimiento", + "capacidad", + "cría", + "autosexaje", + "ganadería", + "cría de perros", + "cultivo", + "labor", + "acuicultura", + "agricultura", + "explotación", + "cría de animales", + "cría", + "cultivo", + "cultivo de arándanos", + "horticultura", + "jardinería", + "ganadería", + "jardinería y paisajismo", + "paisajismo", + "floricultura", + "jardinería de flores", + "cosecha", + "tiempo de cosecha", + "excavación", + "minería", + "sericicultura", + "industria", + "industrialización", + "confección", + "elaboración", + "fabricación", + "preparación", + "cartografía", + "elaboración de mapas", + "elaboración", + "manufacturación", + "formación", + "cilindrado", + "neolengua", + "confección", + "curtido", + "proceso de curtido", + "diseño", + "planificación", + "zonificación", + "composición", + "escritura", + "adoxografía", + "historiografía", + "redacción", + "realización", + "encarnación", + "arte", + "cerámica", + "decantación", + "dibujo", + "gliptografía", + "origami", + "pintura", + "fresco", + "impresión", + "escultura", + "talla", + "pirograbado", + "calco", + "aguafuerte", + "grabado en acero", + "grabado al aguatinta", + "composición", + "arreglo", + "invención", + "invento", + "aproximación", + "planteamiento", + "excavación", + "talla", + "petroglifo", + "paracentesis", + "amniocentesis", + "artrocentesis", + "celiocentesis", + "fetoscopia", + "fetoscopía", + "venopunción", + "montaje", + "busca", + "búsqueda", + "exploración", + "empleo", + "uso", + "utilización", + "obra", + "abuso", + "explotación", + "aplicación", + "ingeniería", + "tecnología", + "sobreexplotación", + "sobreutilización", + "capitalización", + "acción", + "batalla", + "combate", + "conflicto", + "lucha", + "bloqueo", + "defensa", + "maniobra", + "operación", + "resistencia", + "Armagedón", + "batalla campal", + "batalla", + "lucha", + "encuentro", + "enfrentamiento", + "escaramuza", + "roce", + "incidente", + "lucha de clases", + "maniobra", + "defensa civil", + "resistencia", + "revuelta", + "sublevación", + "guerra civil", + "revolución", + "golpe", + "golpe de estado", + "combate", + "agresión", + "fuerza", + "violencia", + "violación", + "abigeato", + "robo", + "saqueo", + "devastación", + "estrago", + "campaña", + "expedición", + "misión", + "misión de combate", + "salida", + "refuerzo", + "desembarco de diversión", + "asalto", + "ataque", + "guerra", + "dogfight", + "asalto", + "carga", + "penetración", + "blitzkrieg", + "avance", + "invasión", + "ataque", + "golpe", + "bombardeo aéreo", + "ataque", + "SIGINT", + "inteligencia de señales", + "operación clandestina", + "operación abierta", + "exploración", + "reconocimiento", + "recco", + "reconocimiento", + "exploración", + "fuego", + "descarga", + "estallido", + "fusilería", + "salva", + "cita", + "fuego de mortero", + "guerra bacteriológica", + "guerra santa", + "yihad", + "medición", + "angulación", + "antropometría", + "batimetría", + "colimación", + "afinamiento", + "cefalometría", + "gravimetría", + "hidrometría", + "altimetría", + "observación", + "cuantificador", + "divergencia", + "espirometría", + "agrimensura", + "topografía", + "mamografía", + "termografía", + "test", + "prueba de CI", + "prueba de inteligencia", + "test Stanford-Binet", + "organización", + "randomización", + "racionalización", + "codificación", + "ordenación", + "ordenación por rango", + "secuencia", + "sucesión", + "alternancia", + "disposición", + "distribución", + "lista", + "relación", + "inventario", + "agrupación", + "categorización", + "clasificación", + "acumulación", + "colección", + "cosecha", + "recogida", + "siega del heno", + "conquiliología", + "extracción de basuras", + "extracción de desechos", + "recogida de basuras", + "recogida de desechos", + "recaudación de impuestos", + "clasificación", + "territorialización", + "suspensión", + "continuación", + "repetición", + "ecolalia", + "copia", + "reproducción", + "alta fidelidad", + "ahínco", + "constancia", + "supervivencia", + "suspensión", + "procedimiento", + "procedimiento", + "proceso", + "procedimiento médico", + "procedimiento dental", + "procedimiento operativo", + "burocracia", + "procedimiento burocrático", + "recusación", + "galimatías", + "modus operandi", + "rutina", + "ceremonia", + "ceremonia", + "rito", + "ritual", + "ceremonia religiosa", + "rito religioso", + "veneración ancestral", + "rito", + "vela", + "vigilia", + "orgía", + "ritual", + "oficio", + "oficio religioso", + "servicio", + "servicio religioso", + "capilla", + "servicio religioso", + "liturgia", + "oficio", + "Noche Vieja", + "víspera", + "sacramento", + "eucaristía", + "comunión", + "compromiso", + "matrimonio", + "boda", + "bautizo", + "cristianar", + "confirmación", + "confirmación", + "penitencia", + "confesión", + "reconciliación", + "orden sagrada", + "consagración", + "unción", + "misa", + "Misa Mayor", + "misa rezada", + "réquiem", + "devoción", + "bhakti", + "novena", + "estaciones", + "bendición", + "idolatría", + "adoración", + "latría", + "bardolatría", + "iconolatría", + "devoción", + "egolatría", + "egotismo", + "presunción", + "bibliolatría", + "simbolatría", + "antropolatría", + "veneración del hombre", + "astrolatría", + "cosmolatría", + "demonolatría", + "veneración de demonios", + "heliolatría", + "veneración del sol", + "ofiolatría", + "renacimiento", + "regeneración", + "resurrección", + "presentación", + "cobertura", + "entierro", + "disimulo", + "sigilo", + "posición", + "situación", + "orientación", + "estancia", + "permanencia", + "residencia", + "alquiler", + "habitación", + "convivencia", + "acampada", + "campamento", + "estancia", + "visita", + "escala", + "escala intermedia", + "parada", + "parada nocturna", + "parada en ruta", + "abastecimiento", + "abasto", + "alimentación", + "nutrición", + "amamantar", + "dar el pecho", + "servicio de atención", + "subvención", + "demanda", + "declaración de siniestro", + "pérdida", + "fuga de cerebros", + "pausa", + "descanso", + "pausa", + "respiro", + "vacilación", + "intermedio", + "espera", + "sobrecama", + "vegetación", + "ocio", + "dolce far niente", + "ocio", + "retraso", + "prórroga", + "intervención", + "bronca", + "abstinencia", + "ascetismo", + "ascética", + "sobriedad", + "temperancia", + "abstención", + "abstinencia", + "inhibición", + "tolerancia", + "benevolencia", + "indulgencia", + "misericordia", + "placer", + "risa", + "cumplimiento", + "satisfacción", + "gratificación", + "mimo", + "abuso", + "exceso", + "exceso de tolerancia", + "orgía", + "interferencia", + "cerco", + "detención", + "parada", + "prevención", + "descalificación", + "profilaxia", + "parada", + "represión", + "supresión", + "evasión tributaria", + "alianza", + "asociación", + "reafiliación", + "descolonización", + "dispersión", + "distribución", + "repartimiento", + "remodelación", + "Nuevo Trato", + "nuevo trato", + "administración", + "parte", + "trozo", + "partición", + "repartición", + "reparto", + "generosidad", + "regalo", + "bienestar social", + "seguridad social", + "seguro", + "subsidio de desempleo", + "seguro de discapacidad", + "caridad", + "donación", + "suscripción", + "limosna", + "limosna", + "comercio", + "mercantilismo", + "trade", + "comercio electrónico", + "cambio", + "conversión", + "unificación", + "préstamo", + "usura", + "arbitraje", + "operación", + "negocio", + "clientela", + "lavado de dinero", + "operación ficticia", + "clientela", + "mercado", + "mercado laboral", + "cooperativa", + "financiación", + "inversión", + "emisión", + "banca", + "cooperativa", + "publicidad", + "venta agresiva", + "edición de libros", + "publicación", + "colaboración", + "contribución", + "serialización", + "imprenta", + "fotograbado", + "publicación", + "agricultura", + "industria agroalimentaria", + "construcción", + "embarque", + "transporte", + "navegación", + "camionaje", + "transporte por camión", + "transporte terrestre", + "carreteo", + "transporte en carro", + "transporte express", + "transporte urgente", + "transbordador", + "transbordo", + "negociación", + "transacción", + "trato", + "transferencia", + "trasferencia", + "traspaso", + "entrega", + "librea", + "traspaso legal", + "afianzamiento", + "intercambio", + "cambio", + "canje", + "intercambio", + "retorno", + "trueque", + "acuerdo", + "comercio", + "negocio", + "operación comercial", + "transacción", + "trato", + "préstamo", + "empeño", + "alquiler", + "locura de Seward", + "exportación", + "contrabando", + "marketing", + "mercadeo directo", + "distribución", + "merchandising", + "venta", + "tráfico", + "comercio de esclavos", + "tráfico de esclavos", + "venta al pormayor", + "venta", + "telemetría", + "termometría", + "tonometría", + "tráfico", + "venta", + "venta ambulante", + "viscometría", + "viscosimetría", + "bazar", + "feria", + "mercadillo benéfico", + "tapicería", + "abono", + "pago", + "división de honorarios", + "prepago", + "rescate", + "entrega", + "tributo", + "gasto", + "migración", + "control social", + "autolimitación", + "sanción", + "administración", + "gobierno", + "legislación", + "criminalización", + "descriminalización", + "vinificación", + "aprobación", + "promulgación", + "imposición", + "cumplimiento", + "ejecución", + "implementación", + "realización", + "imposición", + "defensa comercial", + "protección", + "dominación", + "control", + "dominio", + "monopolización", + "endoculturación", + "cultura", + "distinción", + "educación", + "deber", + "obligación", + "responsabilidad", + "deberes civiles", + "responsabilidad civil", + "imperativo", + "amor", + "esmero", + "obediencia", + "respeto", + "ocupación", + "dirección", + "gerente", + "economía doméstica", + "lío", + "manejo", + "tratamiento", + "trato", + "trato", + "vigilancia", + "administración", + "disposición", + "gestión", + "regulación", + "dirección", + "organización", + "reorganización", + "autoorganización", + "sindicación", + "apoderamiento", + "autorización", + "sanción", + "licencia", + "permiso", + "por la iglesia", + "nombre", + "Nihil Obstat", + "nihil obstat", + "comisión", + "encargo", + "mandato", + "mandato", + "delegación", + "diputación", + "autorización", + "permiso de salida", + "concesión", + "canalización", + "despliegue", + "fase preparatoria", + "reorganización", + "etapa final", + "preparación", + "planificación", + "control", + "guía", + "limitación", + "correa al cuello", + "nota amarga", + "freno", + "detención", + "detención ilegal", + "custodia", + "supresión", + "reglamentación", + "reimposición", + "restricción", + "determinación", + "vasoconstricción", + "inanición", + "política de apaciguamiento", + "estatalización", + "nacionalización", + "comunización", + "federación", + "mecenazgo", + "nomenklatura", + "ableísmo", + "capacitismo", + "heterosexismo", + "racismo", + "secularización", + "antifeminismo", + "movilización militar", + "armamento", + "equipamiento", + "conscripción", + "llamada a filas", + "revista", + "servicio militar", + "servicio militar selectivo", + "estandarización", + "normalización", + "estabilización", + "castigo", + "paliza", + "amonestación", + "reprimenda", + "autoflagelación", + "encarcelamiento", + "autocastigo", + "azote", + "palo", + "flagelación", + "ejecución", + "pena capital", + "pena de muerte", + "lapidación", + "auto de fe", + "colgamiento", + "electrocución", + "quema", + "autodegradación", + "automortificación", + "penitencia", + "cambio", + "intercambio", + "sumisión", + "obediencia", + "conflicto", + "competencia", + "competición", + "contienda", + "rivalidad", + "resistencia", + "confrontación", + "oposición", + "desafío", + "contravención", + "disputa", + "combate", + "lucha", + "pelea", + "bronca", + "movida", + "agarrada", + "disputa", + "gresca", + "pelea de perros", + "refriega", + "agresivo", + "agresión", + "duelo", + "golpe", + "golpetazo", + "impacto", + "contragolpe", + "golpe brusco", + "pelea a puñetazos", + "puñetazos", + "tajo", + "punzada", + "zurra", + "altercado", + "disturbio", + "liza", + "reyerta", + "riña", + "todo vale", + "pelea con cuchillos", + "puñal", + "toma y daca", + "obstruccionismo", + "objeción", + "protesta", + "pendencia", + "manifestación", + "contramanifestación", + "Motín del Té", + "contumacia", + "desobediencia", + "incumplimiento", + "caso", + "causa", + "proceso", + "juicio civil", + "querella criminal", + "contrademanda", + "demanda reconvencional", + "diligencia", + "trámite", + "trámite legal", + "adopción", + "litigación", + "fallo", + "sentencia", + "condena", + "sentencia desestimatoria", + "arbitraje", + "arbitrio", + "sentencia del árbitro", + "decisión", + "fallo", + "sentencia", + "fallo", + "sentencia general", + "absolución", + "condena por asesinato", + "condena por violación", + "condena por robo", + "desahucio", + "desalojo", + "juicio", + "proceso", + "consejo de guerra", + "proceso", + "inyectarse en vena", + "revisión", + "separación", + "divorcio", + "separación", + "cocooning", + "aislamiento", + "integración", + "cooperación", + "lluvia de ideas", + "trabajo en equipo", + "formalismo", + "conformidad", + "colaboración", + "cooperación", + "colaboración", + "traición", + "acercamiento", + "reconciliación", + "compromiso", + "dedicación", + "adoración", + "realistamiento", + "fetichismo", + "espíritu de partido", + "asistencia", + "ayuda", + "recurso", + "gracias", + "socorro", + "servicio", + "coraje", + "fuerza", + "valor", + "ánimo", + "consuelo", + "simplificación", + "simplismo", + "sobresimplificación", + "apoyo", + "ayuda", + "adhesión", + "defensa", + "insistencia", + "auspicio", + "protección", + "égida", + "respaldo", + "aprobación", + "consuelo", + "tranquilidad", + "apoyo", + "ayuda", + "mantenimiento", + "representación", + "contratación", + "reserva", + "admiración", + "aprecio", + "reconocimiento", + "glorificación", + "idealización", + "zanahoria", + "desprecio", + "actuación", + "comportamiento", + "conducta", + "comportamiento", + "conducta", + "territorialidad", + "agresión", + "irritación", + "exacerbación", + "acoso escolar", + "bigardía", + "burla", + "dicterio", + "vituperio", + "censura", + "condena", + "bohemia", + "atentado", + "ofensa", + "insulto", + "desprecio", + "corte", + "desaire", + "desdén", + "favor", + "buena acción", + "favor", + "perdón", + "venia", + "caricia", + "educación", + "cortesía", + "ademán", + "gesto", + "buen gesto", + "atención", + "consideración", + "detalle", + "miramento", + "respeto", + "cortesía", + "homenaje", + "asamblea", + "reunión", + "movilización económica", + "convocatoria", + "encuentro", + "reunión", + "cita", + "reunión", + "congreso", + "concentración", + "sesión", + "socialización", + "visita", + "visita", + "asistencia", + "presencia", + "inasistencia", + "ausencia", + "absentismo", + "absentismo laboral", + "absentismo", + "ausentismo", + "ausentismo escolar", + "cimarra", + "inasistencia escolar", + "rabona", + "contraataque", + "dequite", + "revancha", + "respuesta", + "venganza", + "venganza", + "agresión", + "consolidación", + "integración", + "centralización", + "incorporación", + "fusión", + "compromiso", + "implicación", + "participación", + "intervención", + "anulación", + "invalidación", + "disolución del matrimonio", + "justificación", + "rehabilitación", + "huelga de hambre", + "huelga", + "encierro", + "marcha sindical", + "desembrollo", + "desenredo", + "esclarecimiento", + "salida", + "exterminio", + "emancipación", + "limpieza", + "observación por radiotelescopio", + "disparate", + "estupidez", + "imbecilidad", + "insensatez", + "tontería", + "entrada", + "ingreso", + "renovación", + "indulto", + "perdón", + "vandalismo", + "recesión", + "retirada", + "enmienda", + "enmienda", + "asesinato", + "asesinato mafioso", + "golpe", + "homicidio", + "infanticidio", + "matar a tiros", + "tiranicidio", + "estranguladores", + "thuggee", + "colonización", + "reasentamiento", + "radiación", + "emisión", + "armonización", + "sifting", + "separación", + "teleportación", + "cantilena", + "cántico", + "yodel", + "liderazgo", + "sentar tendencia", + "inundación", + "libertad condicional", + "población", + "poblamiento", + "bote", + "libertad condicional", + "diversión", + "emoción", + "excitación", + "emoción", + "inspiración", + "consulta", + "salida", + "parpadeo", + "xenotrasplante", + "Río Marne", + "Borodino", + "Brunanburh", + "batalla de Brunanburh", + "Buena Vista", + "Bull Run", + "Batalla de Bunker Hill", + "Horcas Caudinas", + "Dien Bien Phu", + "El Alamein", + "Fort Ticonderoga", + "Hampton Roads", + "Iwo Jima", + "Jena", + "batalla de Jena", + "Batalla de Little Big Horn", + "Maldon", + "batalla de Maldon", + "Maratón", + "batalla de Maratón", + "Panipat", + "batalla de Panipat", + "Farsalia", + "batalla de Farsalia", + "Filipos", + "batalla de Filipos", + "Platea", + "batalla de Platea", + "Port Arthur", + "Sempach", + "batalla de Sempach", + "Somme", + "batalla del Somme", + "río Somme", + "Somme", + "batalla del Somme", + "río Somme", + "Tertry", + "batalla de Tertry", + "Tewkesbury", + "batalla de Tewkesbury", + "Tsushima", + "Wagram", + "batalla de Wagram", + "Guerra de Suceción", + "Guerra francesa e india", + "reino animal", + "ectotermia", + "bicho", + "bicho", + "organismo bentónico", + "pez de fondo", + "cabeza", + "hembra", + "macho", + "adulto", + "cría", + "vástago", + "padre", + "semental", + "madre", + "progenitora", + "pura sangre", + "purasangre", + "gigante", + "superviviente", + "carnívoro", + "cuerno", + "cuerno", + "cresta", + "penacho", + "cruce", + "virus", + "virión", + "arenavirus", + "filovirus", + "flavivirus", + "viroide", + "virusoide", + "bacteriófago", + "colifago", + "bacteriófago tifoideo", + "retroviridae", + "paramyxoviridae", + "picornaviridae", + "poliovirus", + "enterovirus", + "coxsackievirus", + "echovirus", + "rhinovirus", + "citomegalovirus", + "papovaviridae", + "rotavirus", + "animales", + "halófilo", + "halobacteria", + "halobacterium", + "bacteria", + "alimento probiótico", + "bacteroide", + "coccus", + "coco", + "estafilococos", + "espirilo", + "orden de bacterias", + "familia de bacterias", + "bacterias", + "género de bacterias", + "especie de bacterias", + "Pseudomonas pyocanea", + "Aerobacter", + "género Aerobacter", + "Agrobacterium tumefaciens", + "eubacteria", + "Bacillaceae", + "familia Bacillaceae", + "clostridia", + "clostridium", + "cyanobacteria", + "Nostocaceae", + "familia Nostocaceae", + "género Nostoc", + "nostoc", + "Oscillatoriaceae", + "familia Oscillatoriaceae", + "Pseudomonas", + "género Pseudomonas", + "Xanthomonas", + "Nitrobacteriaceae", + "familia Nitrobacteriaceae", + "Nitrobacter", + "género Nitrobacter", + "Nitrobacteria", + "bacteria nitrificante", + "Nitrosomonas", + "género Nitrosomonas", + "género Thiobacillus", + "Thiobacteria", + "bacterias sulfurosas", + "Spirillaceae", + "familia Spirillaceae", + "género Spirillum", + "género Vibrio", + "Vibrio", + "vibrión", + "corynebacterium", + "listeria", + "género Escherichia", + "Escherichia", + "género Klebsiella", + "klebsiella", + "género Salmonella", + "génerp Salmonella", + "salmonella", + "género Shigella", + "shigella", + "erwinia", + "orden Rickettsiales", + "ricketsias", + "rickettsia", + "wtv", + "cosmido", + "C. psittaci", + "Chlamydia psittaci", + "C. trachomatis", + "Chlamydia trachomatis", + "Mycoplasmatales", + "orden Mycoplasmatales", + "mycoplasma", + "legionella", + "Actinomycetales", + "orden Actinomycetales", + "Actinomycetaceae", + "familia Actinomycetaceae", + "género Actinomyces", + "actinomyces", + "género Streptomyces", + "streptomyces", + "género Mycobacterium", + "mycobacterium", + "bacilo", + "Polyangium", + "género Polyangium", + "mixobacteria", + "Micrococcus", + "género Micrococcus", + "micrococo", + "staphylococcus", + "género Lactobacillus", + "lactobacillus", + "diplococo", + "streptococcus", + "Spirochaeta", + "género Spirochaeta", + "borrelia", + "fitoplancton", + "algas planctónicas", + "zooplancton", + "huésped definitivo", + "agente biológico patógeno", + "comensal", + "Protoctista", + "protoctista", + "protista", + "protoctistas", + "protozoo", + "Actinopoda", + "subclase Actinopoda", + "orden Radiolaria", + "radiolarios", + "radiolaria", + "Rhizopoda", + "subclase Rhizopoda", + "género Amoeba", + "Endamoeba", + "género Endamoeba", + "Entameba", + "Foraminífera", + "orden Foraminífera", + "género Globigerina", + "nummulites", + "Testacea", + "orden Testacea", + "Arcellidae", + "familia Arcellidae", + "género Arcella", + "Arcella", + "arcella", + "Difflugia", + "difflugia", + "ciliophora", + "paramecium", + "tetrahymena", + "vorticella", + "alga", + "macroalga", + "praderas marinas", + "bacterioclorofila", + "ficobilina", + "Xanthophyceae", + "clase Xanthophyceae", + "Bacillariophyceae", + "Diatomophyceae", + "clase Bacillariophyceae", + "clase Diatomophyceae", + "diatomea", + "Tribonemaceae", + "clase Tribonemaceae", + "Tribonema", + "género Conferva", + "género Tribonema", + "laminariales", + "Fucales", + "orden Fucales", + "fucoideo", + "fucus", + "género Fucus", + "fucus", + "Fucus serratus", + "sargazo", + "sargassum", + "Euglenophyta", + "división Euglenophyta", + "Euglenophyceae", + "clase Euglenophyceae", + "euglenoidea", + "Volvocales", + "orden Volvocales", + "Volvocaceae", + "familia Volvocaceae", + "Zygnemales", + "Zygnematales", + "orden Zygnemales", + "orden Zygnematales", + "Zygnema", + "género Zygnema", + "espuma de estanque", + "spirogyra", + "Chlorococcales", + "orden Chlorococcales", + "Chlorella", + "chlorella", + "Oedogoniaceae", + "familia Oedogoniaceae", + "Characeae", + "familia Characeae", + "Desmidiaceae", + "familia Desmidiaceae", + "desmideas", + "Rhodophyceae", + "clase Rhodophyceae", + "Rhodymenia", + "género Rhodymenia", + "eukaryota", + "mastigophora", + "dinoflagellata", + "Peridiniidae", + "familia Peridiniidae", + "Peridinium", + "género Peridinium", + "hipermastigote", + "trichomonadida", + "criptofita", + "filo Cryptophyta", + "Cryptophyceae", + "clase Cryptophyceae", + "cryptophyta", + "esporozoito", + "trofozoíto", + "merozoito", + "eimeria", + "Plasmodiidae", + "familia Plasmodiidae", + "género Plasmodium", + "plasmodium", + "Haemoproteus", + "género Haemoproteus", + "Babesiidae", + "familia Babesiidae", + "género Babesia", + "género Piroplasma", + "Acnidosporidia", + "género Acnidosporidia", + "Actinomyxidia", + "orden Actinomyxidia", + "Actinosporea", + "malacopterigio", + "peces", + "peces", + "pez cipriniforme", + "Cobitidae", + "familia Cobitidae", + "colmilleja", + "lobo", + "Cyprinus", + "género Cyprinus", + "carpa cuero", + "Tinca", + "género Tinca", + "tinca tinca", + "Notropis", + "género Notropis", + "Notemigonus", + "género Notemigonus", + "Rutilus", + "género Rutilus", + "Scardinius", + "género Scardinius", + "Phoxinus", + "género Phoxinus", + "Gobio", + "género Gobio", + "Carassius", + "género Carassius", + "carassius auratus", + "Electrophorus", + "género Electrophorus", + "catostomido", + "Catostomus", + "género Catostomus", + "Ictiobus", + "género Ictiobus", + "Hypentelium nigricans", + "Fundulus", + "género Fundulus", + "fundulus heteroclitus", + "Fundulus majalis", + "cinolebia", + "sábalo", + "género Rivulus", + "rivulus", + "Jordanella", + "género Jordanella", + "jordanella floridae", + "Xyphophorus", + "género Xyphophorus", + "Lebistes", + "género Lebistes", + "poecilia reticulata", + "Poeciliidae", + "familia Poeciliidae", + "Gambusia", + "género Gambusia", + "Platypoecilus", + "género Platypoecilus", + "Holocentridae", + "familia Holocentridae", + "Holocentrus", + "género Holocentrus", + "Holocentrus bullisi", + "candil amarillo", + "género Anomalops", + "Zeomorphi", + "orden Zeomorphi", + "gallo", + "Zeus", + "género Zeus", + "Caproidae", + "familia Caproidae", + "Fistulariidae", + "familia Fistulariidae", + "Fistularia", + "género Fistularia", + "Gasterosteidae", + "familia Gasterosteidae", + "gasterosteidae", + "Gasterosteus", + "género Gasterosteus", + "Syngnathidae", + "familia Syngnathidae", + "pez pipa", + "Syngnathus", + "género Syngnathus", + "Hippocampus", + "género Hippocampus", + "Macrorhamphosidae", + "familia Macrorhamphosidae", + "Centriscidae", + "familia Centriscidae", + "Aulostomidae", + "familia Aulostomidae", + "Aulostomus", + "género Aulostomus", + "citostoma", + "citostomo", + "película", + "blastocele", + "blastodermo", + "blastomero", + "monstruo", + "teras", + "huevo", + "ovipositor", + "blastósfera", + "blástula", + "blastocisto", + "trofoblasto", + "mórula", + "arquénteron", + "blastoporo", + "capa", + "estrato", + "ectodermo", + "mesodermo", + "endodermo", + "hipoblasto", + "colmillo", + "chordata", + "notocorda", + "Cefalocordados", + "cefalocordados", + "subfilo Cephalochordata", + "Amphioxidae", + "Branchiostomidae", + "familia Amphioxidae", + "familia Branchiostomidae", + "género Amphioxus", + "branchiostoma lanceolatum", + "Tunicata", + "Urochorda", + "Urochordata", + "subfilo Tunicata", + "subfilo Urochorda", + "subfilo Urochordata", + "salpidae", + "género Doliolum", + "vertebrado", + "amniota", + "ostracodermi", + "conodonta", + "Hyperoartia", + "Petromyzoniformes", + "suborden Hyperoartia", + "suborden Petromyzoniformes", + "Petromyzontidae", + "familia Petromyzontidae", + "Petromyzon", + "género Petromyzon", + "Hyperotreta", + "Myxinoidea", + "Myxinoidei", + "mixiniformes", + "suborden Hyperotreta", + "suborden Myxinoidei", + "suborden mixiniformes", + "myxini", + "género Myxine", + "mixino", + "Myxine glutinosa", + "Eptatretus", + "Myxinikela", + "género Myxinikela", + "Myxinikela siroka", + "Chondrichthyes", + "clase Chondrichthyes", + "género Chimaera", + "siganidae", + "Elasmobranchii", + "Selachii", + "subclase Elasmobranchii", + "subclase Selachii", + "selachimorpha", + "tiburón", + "lamna nasus", + "Isurus", + "género Isurus", + "carcharodon carcharias", + "Alopiidae", + "familia Alopiidae", + "Orectolobidae", + "familia Orectolobidae", + "Orectolobus", + "género Orectolobus", + "Ginglymostoma", + "género Ginglymostoma", + "Rhincodon", + "género Rhincodon", + "Carcharhinus", + "género Carcharhinus", + "Negaprion", + "género Negaprion", + "Prionace", + "género Prionace", + "Galeocerdo", + "género Galeocerdo", + "Mustelus", + "género Mustelus", + "Scualus", + "género Scualus", + "Squalus suckleyi", + "mielga del Pacífico", + "Sphyrnidae", + "familia Sphyrnidae", + "Sphyrna", + "género Sphyrna", + "Squatinidae", + "familia Squatinidae", + "Squatina", + "género Squatina", + "Torpedinidae", + "familia Torpedinidae", + "pristiformes", + "Pristis", + "género Pristis", + "rhinobatidae", + "Dasyatidae", + "familia Dasyatidae", + "Dasyatis", + "género Dasyatis", + "Gymnura", + "género Gymnura", + "Myliobatidae", + "familia Myliobatidae", + "manta", + "Mobula", + "género Mobula", + "raya", + "Raja", + "género Raja", + "ave", + "aves", + "pájaro", + "cría de ave", + "polluelo", + "aves", + "aves", + "gallo de pelea", + "protoavis", + "archaeopteryx", + "ratitae", + "Struthio", + "género Struthio", + "struthio camelus", + "casuarius", + "Apterygidae", + "familia Apterygidae", + "género Apteryx", + "apteryx", + "Aepyornidae", + "familia Aepyornidae", + "género Aepyornis", + "aepyornis", + "Dinornithidae", + "familia Dinornithidae", + "dinornithidae", + "anomalopteryx", + "Oscines", + "Passeres", + "suborden Oscines", + "suborden Passeres", + "passeri", + "Meliphagidae", + "familia Meliphagidae", + "Prunellidae", + "familia Prunellidae", + "Prunella", + "género Prunella", + "prunellidae", + "prunella modularis", + "Alaudidae", + "familia Alaudidae", + "Alauda", + "género Alauda", + "alauda arvensis", + "Motacillidae", + "familia Motacillidae", + "Motacilla", + "género Motacilla", + "Anthus", + "género Anthus", + "anthus", + "Fringillidae", + "familia Fringillidae", + "fringillidae", + "Fringilla", + "género Fringilla", + "Carpodacus", + "género Carpodacus", + "Serinus", + "género Serinus", + "Loxia", + "género Loxia", + "Pyrrhula", + "género Pyrrhula", + "junco", + "gorrión americano", + "Zonotrichia albicollis", + "chingolo gorgiblanco", + "gorgiblanco", + "Zonotrichia leucophrys", + "zacatero mixto", + "Spizella", + "género Spizella", + "Emberizidae", + "subfamilia Emberizidae", + "subfamilia Emberizinae", + "Emberiza", + "género Emberiza", + "emberiza citrinella", + "Plectrophenax", + "género Plectrophenax", + "Coerebidae", + "Dacninae", + "subfamilia Coerebidae", + "subfamilia Dacninae", + "cyanerpes", + "Coereba", + "género Coereba", + "Passer", + "género Passer", + "pardal", + "Hesperiphona", + "género Hesperiphona", + "Hesperiphona vespertina", + "picogordo vespertino", + "Richmondena", + "género Richmondena", + "cardinalis sinuatus", + "pipilo", + "Pipilo", + "género Pipilo", + "Chlorura", + "género Chlorura", + "Chlorura chlorura", + "toquí cola verde", + "Ploceidae", + "familia Ploceidae", + "Ploceus", + "género Ploceus", + "Vidua", + "género Vidua", + "Estrilda", + "género Estrilda", + "Drepanididae", + "familia Drepanididae", + "drepanis", + "Menurae", + "suborden Menurae", + "Menuridae", + "familia Menuridae", + "Atrichornithidae", + "familia Atrichornithidae", + "Atrichornis", + "género Atrichornis", + "atrichornithidae", + "Eurylaimi", + "suborden Eurylaimi", + "Eurylaimidae", + "familia Eurylaimidae", + "eurylaimidae", + "Tyranni", + "suborden Tyranni", + "Tyrannus", + "género Tyrannus", + "Contopus", + "género Contopus", + "contopus", + "Sayornis", + "género Sayornis", + "Cotingidae", + "familia Cotingidae", + "género Cotinga", + "Cotinga", + "cotingidae", + "hablador", + "Rupicola", + "género Rupicola", + "Pipridae", + "familia Pipridae", + "pipridae", + "Procnias", + "género Procnias", + "Furnariidae", + "familia Furnariidae", + "Furnarius", + "género Furnarius", + "Formicariidae", + "familia Formicariidae", + "thamnophilidae", + "Formicarius", + "género Formicarius", + "batará", + "Dendrocolaptidae", + "familia Dendrocolaptidae", + "Dendrocolaptes", + "género Dendrocolaptes", + "Pittidae", + "familia Pittidae", + "Muscicapidae", + "familia Muscicapidae", + "Muscicapa", + "género Muscicapa", + "leño", + "Turdus", + "género Turdus", + "Hylocichla", + "género Hylocichla", + "Luscinia", + "género Luscinia", + "Saxicola", + "género Saxicola", + "saxicola rubetra", + "Myadestes", + "género Myadestes", + "Phoenicurus", + "género Phoenicurus", + "Oenanthe", + "género Oenanthe", + "oenanthe", + "Sialia", + "género Sialia", + "sialia", + "Erithacus", + "género Erithacus", + "Erithacus svecicus", + "ruiseñor pechiazul", + "Polioptila", + "género Polioptila", + "polioptilidae", + "regulus regulus", + "Silvia", + "género Silvia", + "Phylloscopus", + "género Phylloscopus", + "Orthotomus", + "género Orthotomus", + "Timaliidae", + "familia Timaliidae", + "Timalia", + "género Timalia", + "Parulidae", + "familia Parulidae", + "Parula", + "género Parula", + "Icteria", + "género Icteria", + "Seiurus", + "género Seiurus", + "Seiurus aurocapillus", + "hornero", + "tordo acuático", + "Geothlypis", + "género Geothlypis", + "Paradisaeidae", + "familia Paradisaeidae", + "Icterus", + "género Icterus", + "Icterus galbula galbula", + "ave fénix", + "bolsero de Baltimore", + "turpial de Baltimore", + "Sturnella magna", + "cacique", + "Dolichonyx", + "género Dolichonyx", + "Quiscalus", + "género Quiscalus", + "Quiscalus quiscula", + "zanate común", + "Molothrus", + "género Molothrus", + "molothrus", + "Agelaius phoeniceus", + "alirrojo", + "Oriolidae", + "familia Oriolidae", + "Oriolus", + "género Oriolus", + "Sturnidae", + "familia Sturnidae", + "sturnidae", + "Sturnus", + "género Sturnus", + "Acridotheres", + "género Acridotheres", + "Gracula", + "género Gracula", + "Corvidae", + "familia Corvidae", + "Corvus", + "género Corvus", + "corvus monedula", + "Garrulus", + "género Garrulus", + "Cyanocitta", + "género Cyanocitta", + "arrendajos americanos", + "Perisoreus", + "género Perisoreus", + "Nucifraga", + "género Nucifraga", + "Nucifraga caryocatactes", + "cascanueces", + "cascanueces de Clark", + "Pica", + "género Pica", + "urraca", + "Pica pica hudsonia", + "urraca americana", + "pica pica australianos", + "Strepera", + "género Strepera", + "stepera", + "Troglodytidae", + "familia Troglodytidae", + "troglodytidae", + "Troglodytes", + "género Troglodytes", + "Cistothorus", + "género Cistothorus", + "Thryothorus", + "género Thryothorus", + "Mimus", + "género Mimus", + "Melanotis caerulescens", + "sinsonte azul", + "Dumetella", + "género Dumetella", + "Toxostoma", + "género Toxostoma", + "Xenicus", + "género Xenicus", + "Certhiidae", + "familia Certhiidae", + "Certhia", + "género Certhia", + "Sittidae", + "familia Sittidae", + "Sitta", + "género Sitta", + "Paridae", + "familia Paridae", + "paro", + "Parus", + "género Parus", + "Parus bicolor", + "Irena", + "género Irena", + "Hirundinidae", + "familia Hirundinidae", + "Hirundo", + "género Hirundo", + "Hirundo pyrrhonota", + "golondrina risquera", + "avión", + "Riparia riparia", + "avión zapador", + "golondrina ribereña", + "Artamidae", + "familia Artamidae", + "Artamus", + "género Artamus", + "Thraupidae", + "familia Thraupidae", + "thraupidae", + "Laniidae", + "familia Laniidae", + "Lanius", + "género Lanius", + "pájaro matarife", + "Lanius borealis", + "alcaudón boreal", + "Malaconotinae", + "subfamilia Malaconotinae", + "alcaudón de arbusto", + "Ptilonorhynchidae", + "familia Ptilonorhynchidae", + "Ptilonorhynchus", + "género Ptilonorhynchus", + "Cinclidae", + "familia Cinclidae", + "cinclidae", + "Cinclus", + "género Cinclus", + "género Vireo", + "Bombycilla", + "género Bombycilla", + "Accipitridae", + "familia Accipitridae", + "halcón", + "polluelo de halcón", + "Accipiter", + "género Accipiter", + "Buteonine", + "Buteo lineatus", + "Elanoides forficatus", + "elanio tijereta", + "milano tijereta", + "corredor", + "Circaetus", + "género Circaetus", + "halcón hembra", + "falco rusticolus", + "Polyborus plancus", + "carancho", + "águila", + "pollo", + "Aquila rapax", + "águila rapaz", + "Pandionidae", + "familia Pandionidae", + "Pandion", + "género Pandion", + "pandion haliaetus", + "buitre", + "Sagittariidae", + "familia Sagittariidae", + "Sagittarius", + "género Sagittarius", + "secretario", + "Cathartidae", + "familia Cathartidae", + "Cathartes", + "género Cathartes", + "cóndor", + "cóndor andino", + "género Vultur", + "Strigiformes", + "mochuelo", + "strigiformes", + "mochuelo", + "Otus sunia", + "autillo oriental", + "anfibios", + "género anfibio", + "amphibia", + "Caudata", + "Urodella", + "orden Caudata", + "orden Urodella", + "Caudate", + "urodelos", + "Salamandridae", + "familia Salamandridae", + "Salamandra", + "género Salamandra", + "salamandra", + "salamándridos", + "Salamandra alpina", + "Salamandra atra", + "salamandra alpina", + "Triturus", + "género Triturus", + "Notophthalmus", + "género Notophthalmus", + "Taricha", + "género Taricha", + "Ambystomatidae", + "familia Ambystomatidae", + "Ambystoma", + "género Ambystoma", + "Ambystoma talpoideum", + "salamandra topo", + "ambystoma mexicanum", + "Cryptobranchus", + "género Cryptobranchus", + "cryptobranchus alleganiensis", + "Proteidae", + "familia Proteidae", + "Proteus", + "género Proteus", + "género Dicamptodon", + "Rhyacotriton", + "género Rhyacotriton", + "Plethodon", + "género Plethodon", + "tritón rojo occidental", + "Desmograthus", + "género Desmograthus", + "Aneides", + "género Aneides", + "Batrachoseps", + "género Batrachoseps", + "Hydromantes", + "género Hydromantes", + "Amphiumidae", + "familia Amphiumidae", + "género Amphiuma", + "amphiuma", + "Sirenidae", + "familia Sirenidae", + "Anura", + "Batrachia", + "Salientia", + "orden Anura", + "orden Batrachia", + "orden Salientia", + "anura", + "batracio", + "Rana", + "género Rana", + "lithobates catesbeianus", + "Rana palustris", + "rana palustre", + "leptodáctilo", + "sapito leptodáctilo", + "Hylactophryne", + "género Hylactophryne", + "Polypedatidae", + "familia Polypedatidae", + "Polypedates", + "género Polypedates", + "Bufonidae", + "familia Bufonidae", + "Bufo", + "bufo", + "Bufo speciosus", + "sapo de Texas", + "Bufo microscaphus", + "sapo del Suroeste", + "Alytes", + "género Alytes", + "Pelobatidae", + "familia Pelobatidae", + "Scaphiopus", + "género Scaphiopus", + "Scaphiopus hammondii", + "sapo mosquero occidental", + "Hylidae", + "familia Hylidae", + "Hyla", + "género Hyla", + "Acris", + "género Acris", + "acris gryllus", + "rana grillo americana", + "Pseudacris", + "género Pseudacris", + "Pternohyla", + "género Pternohyla", + "Hypopachus", + "género Hypopachus", + "Pipidae", + "familia Pipidae", + "Pipa", + "género Pipa", + "Caecilidae", + "Caeciliidae", + "familia Caecilidae", + "familia Caeciliidae", + "Labyrinthodont", + "reptiles", + "reptiles", + "reptilia", + "anapsida", + "Chelonia", + "Testudinata", + "Testudines", + "orden Chelonia", + "orden Testudinata", + "orden Testudines", + "quelonio", + "reptil quelonio", + "testudines", + "tortuga", + "Chelonidae", + "Cheloniidae", + "familia Chelonidae", + "familia Cheloniidae", + "Chelonia", + "género Chelonia", + "Caretta", + "género Caretta", + "Lepidochelys", + "género Lepidochelys", + "tortuga de Ridley", + "Lepidochelys kempii", + "tortuga bastarda", + "tortuga golfina", + "Eretmochelys", + "Dermochelyidae", + "familia Dermochelyidae", + "Dermochelys", + "género Dermochelys", + "Chelydridae", + "familia Chelydridae", + "Chelydra", + "género Chelydra", + "Macroclemys", + "género Macroclemys", + "Kinosternidae", + "familia Kinosternidae", + "Kinosternon", + "género Kinosternon", + "tortuga del fango", + "Sternotherus", + "género Sternotherus", + "Terrapene", + "género Terrapene", + "Chrysemys", + "género Chrysemys", + "Testudo", + "género Testudo", + "Geochelone", + "género Geochelone", + "Gopherus", + "género Gopherus", + "Trionyx", + "género Trionyx", + "Lepidosauria", + "subclase Lepidosauria", + "Sphenodon", + "género Sphenodon", + "sphenodon", + "Squamata", + "orden Squamata", + "lacertilia", + "lagartija", + "lagarto", + "Gekkonidae", + "familia Gekkonidae", + "Ptychozoon", + "género Ptychozoon", + "Coleonyx", + "género Coleonyx", + "Iguania", + "Iguanidae", + "familia Iguania", + "familia Iguanidae", + "iguánido", + "género Iguana", + "iguana", + "Amblyrhynchus", + "género Amblyrhynchus", + "Dipsosaurus", + "género Dipsosaurus", + "Sauromalus", + "género Sauromalus", + "sauromalus", + "Callisaurus", + "género Callisaurus", + "Uma", + "género Uma", + "uma", + "Holbrookia", + "género Holbrookia", + "Crotaphytus", + "género Crotaphytus", + "Gambelia", + "género Gambelia", + "Sceloporus", + "género Sceloporus", + "lagarto espinoso", + "Uta", + "género Uta", + "Urosaurus", + "género Urosaurus", + "Phrynosoma", + "género Phrynosoma", + "Basiliscus", + "género Basiliscus", + "Anolis", + "género Anolis", + "Amphisbaenidae", + "familia Amphisbaenidae", + "Amphisbaena", + "Amphisbaenia", + "género Amphisbaena", + "género amphisbaenia", + "Xantusiidae", + "familia Xantusiidae", + "Scincidae", + "familia Scincidae", + "Scincus", + "género Scincus", + "Scincella", + "género Scincella", + "scincidae", + "Eumeces", + "género Eumeces", + "Teiidae", + "familia Teiidae", + "Cnemidophorus", + "género Cnemidophorus", + "Tupinambis", + "género Tupinambis", + "Agamidae", + "familia Agamidae", + "agámido", + "lagarto agámido", + "género Agama", + "Chlamydosaurus", + "género Chlamydosaurus", + "Draco", + "género Draco", + "dragón", + "Moloch", + "Moloch horridus", + "diablo espinoso", + "lagarto espinoso", + "Anguidae", + "familia Anguidae", + "Gerrhonotus", + "género Gerrhonotus", + "Anguis", + "género Anguis", + "Ophisaurus", + "género Ophisaurus", + "Anniellidae", + "familia Anniellidae", + "Lacertidae", + "familia Lacertidae", + "lacértido", + "lagartija lacértida", + "Lacerta", + "género Lacerta", + "chamaeleonidae", + "Chamaeleo", + "género Chamaeleo", + "género Chamaeleon", + "Chamaeleo chamaeleon", + "camaleón africano", + "Varanidae", + "familia Varanidae", + "archosauria", + "Crocodilia", + "Crocodylia", + "orden Crocodilia", + "orden Crocodylia", + "Loricata", + "orden Loricata", + "crocodiliano", + "reptil crocodiliano", + "Crocodylidae", + "familia Crocodylidae", + "Crocodilus", + "Crocodylus", + "género Crocodilus", + "género Crocodylus", + "crocodylidae", + "Crocodylus niloticus", + "cocodrilo africano", + "cocodrilo del Nilo", + "Alligatoridae", + "familia Alligatoridae", + "género Alligator", + "alligator", + "género Caiman", + "Gavialidae", + "familia Gavialidae", + "Gavialis", + "género Gavialis", + "dinosauria", + "dinosaurio", + "pisanosaurus", + "staurikosaurus", + "Thyreophora", + "suborden Thyreophora", + "tireóforo", + "género Stegosaurus", + "stegosaurus", + "género Ankylosaurus", + "ankylosaurus", + "paquicefalosaurio", + "pachycephalosaurus", + "Ceratopsia", + "suborden Ceratopsia", + "protoceratops", + "triceratops", + "styracosaurus", + "psittacosaurus", + "dinosaurio ornitopoda", + "ornithopoda", + "ornitopoda", + "hadrosaurus", + "anatotitan", + "corythosaurus", + "género Edmontosaurus", + "edmontosaurus", + "género Trachodon", + "trachodon", + "Iguanodontidae", + "familia Iguanodontidae", + "género Iguanodon", + "iguanodon", + "Sauropoda", + "suborden Sauropoda", + "apatosaurus", + "barosaurus", + "género Diplodocus", + "diplodocus", + "Titanosauridae", + "familia Titanosauridae", + "titanosauria", + "género Argentinosaurus", + "Argentinosauro", + "ceratosaurus", + "coelophysis", + "tyrannosaurus", + "allosaurus", + "género Compsognathus", + "compsognathus", + "herrerasauridae", + "herrerasaurus", + "Eoraptor", + "eoraptor", + "Megalosauridae", + "familia Megalosauridae", + "género Megalosaurus", + "megalosaurus", + "Ornithomimida", + "suborden Ornithomimida", + "struthiomimus", + "género Deinocheirus", + "Deinocheirus", + "deinocheirus", + "velociraptor", + "deinonychus", + "utahraptor", + "Chronoperates", + "género Chronoperates", + "Dicynodontia", + "infraorden Dicynodontia", + "dicynodontia", + "Pelycosauria", + "orden Pelycosauria", + "pelycosauria", + "género Edaphosaurus", + "edaphosaurus", + "género Dimetrodon", + "dimetrodon", + "pterosauria", + "Pterodactylidae", + "familia Pterodactylidae", + "Pterodactylus", + "género Pterodactylus", + "thecodontia", + "ichthyosauria", + "género Ichthyosaurus", + "Ichthyosaurus", + "ichthyosaurus", + "género Stenopterygius", + "Stenopterygius", + "Stenopterygius quadrisicissus", + "stenopterygius", + "Plesiosauria", + "género Plesiosaurus", + "plesiosauroidea", + "plesiosaurus", + "Nothosauria", + "suborden Nothosauria", + "nothosauroidea", + "Ophidia", + "Serpentes", + "suborden Ophidia", + "suborden Serpentes", + "serpentes", + "serpiente", + "colubridae", + "Carphophis", + "género Carphophis", + "Opheodrys", + "género Opheodrys", + "culebra de collar", + "serpiente verde", + "Chlorophis", + "género Chlorophis", + "serpiente verde", + "Coluber", + "género Coluber", + "Masticophis", + "género Masticophis", + "Masticophis lateralis", + "chirrionera rayada", + "Elaphe", + "género Elaphe", + "Ptyas", + "género Ptyas", + "Arizona", + "género Arizona", + "Arizona elegans", + "serpiente brillante", + "Pithuophis", + "género Pithuophis", + "Lampropeltis", + "género Lampropeltis", + "Thamnophis", + "género Thamnophis", + "culebra de collar", + "serpiente de jarretera", + "Tropidoclonion", + "género Tropidoclonion", + "Sonora", + "género Sonora", + "Potamophis", + "género Potamophis", + "Haldea", + "género Haldea", + "Nerodia", + "género Nerodia", + "mocasín acuático", + "Storeria occipitamaculata", + "Chilomeniscus", + "género Chilomeniscus", + "Chilomeniscus cinctus", + "culebra arenera bandada", + "Oxybelis", + "género Oxybelis", + "Trimorphodon", + "género Trimorphodon", + "Hypsiglena", + "género Hypsiglena", + "culebra nocturna", + "Typhlopidae", + "familia Typhlopidae", + "Leptotyphlopidae", + "familia Leptotyphlopidae", + "Boidae", + "familia Boidae", + "boa constrictor", + "Lichanura trivirgata", + "boa rosada", + "Eunectes", + "género Eunectes", + "género Python", + "elapidae", + "elápidos", + "serpiente elápida", + "Micrurus", + "género Micrurus", + "Micruroides", + "género Micruroides", + "Calliophis", + "Callophis", + "género Calliophis", + "género Callophis", + "serpientes corales orientales", + "Aspidelaps", + "género Aspidelaps", + "Denisonia", + "género Denisonia", + "cabeza de cobre", + "Naja", + "género Naja", + "Ophiophagus", + "género Ophiophagus", + "Hemachatus", + "género Hemachatus", + "Dendraspis", + "Dendroaspis", + "género Dendraspis", + "género Dendroaspis", + "dendroaspis", + "Notechis", + "género Notechis", + "Pseudechis", + "género Pseudechis", + "Bungarus", + "género Bungarus", + "Oxyuranus", + "género Oxyuranus", + "oxyuranus", + "Hydrophidae", + "género Hydrophidae", + "Viperidae", + "familia Viperidae", + "Vipera", + "género Vipera", + "Aspis", + "género Aspis", + "género Cerastes", + "Crotalidae", + "familia Crotalidae", + "Agkistrodon", + "Ancistrodon", + "género Agkistrodon", + "género Ancistrodon", + "Crotalus horridus horridus", + "Sistrurus", + "género Sistrurus", + "Bothrops", + "género Bothrops", + "pico", + "cera", + "artrópodos", + "artrópodos", + "arthropoda", + "artrópodo", + "trilobita", + "Chelicerata", + "superclase Chelicerata", + "Opiliones", + "Phalangida", + "orden Opiliones", + "orden Phalangida", + "Phalangium", + "género Phalangium", + "Scorpionida", + "orden Scorpionida", + "scorpiones", + "Chelonethida", + "Pseudoscorpionida", + "orden Chelonethida", + "orden Pseudoscorpiones", + "orden Pseudoscorpionida", + "pseudoscorpiones", + "pseudoscorpionida", + "Pedipalpi", + "Uropygi", + "orden Pedipalpi", + "orden Uropygi", + "Mastigoproctus", + "género Mastigoproctus", + "Araneae", + "Araneida", + "orden Araneae", + "orden Araneida", + "araneae", + "araña", + "araña argiope", + "araña tejedora argiope", + "Argiopidae", + "argiope", + "familia Argiopidae", + "Argiope aurantia", + "Latrodectus", + "género Latrodectus", + "Lycosidae", + "familia Lycosidae", + "Lycosa", + "género Lycosa", + "Acarina", + "orden Acarina", + "Acarine", + "ixodoidea", + "Ixodidae", + "familia Ixodidae", + "Ixodes", + "género Ixodes", + "Argasidae", + "familia Argasidae", + "ácaro tejedor", + "Acaridae", + "familia Acaridae", + "Trombidiidae", + "familia Trombidiidae", + "Trombiculidae", + "familia Trombiculidae", + "Trombicula", + "género Trombicula", + "Sarcoptes", + "género Sarcoptes", + "acárido", + "género Acarus", + "Scutigerella", + "género Scutigerella", + "Tardigrade", + "tardigrada", + "chilopoda", + "diplopoda", + "Pycnogonida", + "orden Pycnogonida", + "Limulidae", + "familia Limulidae", + "Limulus", + "género Limulus", + "eurypterida", + "Pentastomida", + "subfilo Pentastomido", + "Galliformes", + "orden Galliformes", + "ave de corral", + "gallina", + "pollo", + "pollo", + "polluelo", + "gallo", + "gallina", + "pollo", + "gallina madre", + "gallina ponedora", + "ponedora", + "Meleagris", + "género Meleagris", + "Tetraonidae", + "familia Tetraonidae", + "Lyrurus", + "género Lyrurus", + "gallina", + "gallina lira", + "Lagopus", + "Lagopus Scoticus", + "lagópodo escocés", + "polla de agua", + "Tetrao", + "género Tetrao", + "Canachites", + "género Canachites", + "Centrocercus", + "género Centrocercus", + "Bonasa", + "género Bonasa", + "Pedioecetes", + "género Pedioecetes", + "Tympanuchus", + "género Tympanuchus", + "Cracidae", + "familia Cracidae", + "Crax", + "género Crax", + "cracinae", + "Ortalis", + "género Ortalis", + "Ortilis vetula macalli", + "Texas Chachalaca", + "Megapodiidae", + "familia Megapodiidae", + "Megapodius", + "género Megapodius", + "megapodiidae", + "género Leipoa", + "talégalo hembra", + "Alectura", + "género Alectura", + "Macrocephalon", + "género Macrocephalon", + "Macrocephalon maleo", + "macrocephalon maleo", + "megápodo cabecigrande", + "Phasianidae", + "familia Phasianidae", + "Phasianus", + "género Phasianus", + "género Afropavo", + "Argusianus", + "género Argusianus", + "Chrysolophus", + "género Chrysolophus", + "Colinus", + "género Colinus", + "Coturnix", + "género Coturnix", + "Coturnix communis", + "Coturnix coturnix", + "codorniz común", + "Lophophorus", + "género Lophophorus", + "Pavo", + "género Pavo", + "pavo", + "pava real", + "Pavo cristatus", + "pavo real azul", + "Pavo muticus", + "pavo real verde", + "Lofortyx", + "género Lofortyx", + "Perdicidae", + "Perdicinae", + "subfamilia Perdicidae", + "subfamilia Perdicinae", + "Oreortyx", + "género Oreortyx", + "Numida", + "género Numida", + "gallina de Guinea", + "Opisthocomus", + "género Opisthocomus", + "opisthocomus hoazin", + "Tinamiformes", + "orden Tinamiformes", + "tinamidae", + "Raphus", + "género Raphus", + "raphus cucullatus", + "Columbidae", + "familia Columbidae", + "paloma", + "Columba", + "género Columba", + "Streptopelia", + "género Streptopelia", + "Zenaidura", + "género Zenaidura", + "palomino", + "paloma tumbler", + "volteadora", + "Pteroclididae", + "familia Pteroclididae", + "Pterocles", + "género Pterocles", + "Pterocles indicus", + "ganga hindú", + "psittaciformes", + "loro", + "loro doméstico", + "Psittacidae", + "familia Psittacidae", + "Psittacus", + "género Psittacus", + "Ara", + "cacatuidae", + "nymphicus hollandicus", + "Loriinae", + "subfamilia Loriinae", + "melopsittacus undulatus", + "Psittacula krameri", + "cotorra de Kramer", + "Cuculiformes", + "orden Cuculiformes", + "Cuculus", + "género Cuculus", + "Geococcyx", + "género Geococcyx", + "Crotophaga", + "género Crotophaga", + "centropus", + "Musophagidae", + "familia Musophagidae", + "Musophaga", + "género Musophaga", + "musophagidae", + "Coraciiformes", + "orden Coraciiformes", + "Coraciidae", + "familia Coraciidae", + "carraca", + "Coracias", + "género Coracias", + "Alcedinidae", + "familia Alcedinidae", + "alcedines", + "Alcedo", + "género Alcedo", + "Ceryle Alcyon", + "martín pescador franjeado", + "Dacelo", + "género Dacelo", + "dacelo", + "Meropidae", + "familia Meropidae", + "Merops", + "género Merops", + "Bucerotidae", + "familia Bucerotidae", + "Buceros", + "género Buceros", + "Upupidae", + "familia Upupidae", + "Upupa", + "género Upupa", + "upupa epops", + "Upupa Epops", + "abubilla europea", + "Phoeniculidae", + "familia Phoeniculidae", + "Momotus", + "género Momotus", + "Todus", + "género Todus", + "todidae", + "Apodiformes", + "orden Apodiformes", + "apodidae", + "Apus", + "género Apus", + "collocalini", + "Hemiprocnidae", + "familia Hemiprocnidae", + "Trochilidae", + "familia Trochilidae", + "trochilidae", + "Chalcostigma", + "género Chalcostigma", + "Ramphomicron", + "género Ramphomicron", + "Caprimulgiformes", + "orden Caprimulgiformes", + "Caprimulgidae", + "familia Caprimulgidae", + "Caprimulgus", + "género Caprimulgus", + "Caprimulgus Europaeus", + "chotacabras gris", + "chotacabras", + "chotacabras yanqui", + "Podargidae", + "Podargus", + "género Podargus", + "podargidae", + "Steatornithidae", + "familia Steatornithidae", + "steatornis caripensis", + "Piciformes", + "orden Piciformes", + "Picidae", + "familia Picidae", + "picamaderos", + "Picus", + "género Picus", + "carpintero campestre", + "Jynx", + "género Jynx", + "jynx", + "Capitonidae", + "familia Capitonidae", + "Bucconidae", + "familia Bucconidae", + "Indicatoridae", + "familia Indicatoridae", + "Galbulidae", + "galbulidae", + "Ramphastidae", + "familia Ramphastidae", + "ramphastidae", + "Trogoniformes", + "orden Trogoniformes", + "Trogonidae", + "familia Trogonidae", + "género Trogon", + "trogon", + "ave acuática", + "Anseriformes", + "orden Anseriformes", + "pato", + "Anas", + "género Anas", + "Anas Rubripes", + "ánade sombrío", + "anas querquedula", + "Tadorna", + "género Tadorna", + "tarro blanco", + "Oxyura", + "género Oxyura", + "Bucephala", + "género Bucephala", + "porrón islándico", + "Aythya", + "género Aythya", + "Aythya Americana", + "pato salvaje", + "Aix", + "género Aix", + "Somateria", + "género Somateria", + "Melanitta", + "género Melanitta", + "Mergus", + "género Mergus", + "mergellus albellus", + "Anser", + "género Anser", + "Branta", + "género Branta", + "cisne macho", + "cisne", + "cisne hembra", + "Cygnus Columbianus", + "Anhimidae", + "familia Anhimidae", + "Anhima", + "género Anhima", + "Chauna", + "género Chauna", + "mammalia", + "mamíferos", + "mamíferos", + "animal colmilludo", + "Prototheria", + "subclase Prototheria", + "Monotremata", + "orden Monotremata", + "monotremata", + "Tachyglossidae", + "familia Tachyglossidae", + "Tachyglossus", + "género Tachyglossus", + "oso hormiguero", + "oso hormiguero espinoso", + "tachyglossidae", + "Ornithorhynchidae", + "familia Ornithorhynchidae", + "Ornithorhynchus", + "género Ornithorhynchus", + "ornithorhynchus anatinus", + "Marsupialia", + "orden Marsupialia", + "marsupial", + "marsupialia", + "Didelphidae", + "familia Didelphidae", + "Didelphis", + "género Didelphis", + "zarigüeya cangrejera", + "Caenolestes", + "género Caenolestes", + "Peramelidae", + "familia Peramelidae", + "Macrotis Lagotis", + "bandicut conejo", + "bilbi", + "Macropodidae", + "familia Macropodidae", + "Macropus", + "género Macropus", + "walabí", + "Lagorchestes", + "género Lagorchestes", + "Petrogale", + "género Petrogale", + "Thylogale", + "género Thylogale", + "Dendrolagus", + "género Dendrolagus", + "Hypsiprymnodon", + "género Hypsiprymnodon", + "Potoroinae", + "subfamilia Potoroinae", + "Potorous", + "género Potorous", + "potorous", + "Bettongia", + "género Bettongia", + "betong", + "canguro jerbo", + "Phalangeridae", + "familia Phalangeridae", + "phalanger", + "phalangeriformes", + "género Phalanger", + "oposum pigmeo acróbata", + "Phascolarctos", + "género Phascolarctos", + "phascolarctos cinereus", + "Vombatidae", + "familia Vombatidae", + "vombatidae", + "Dasyuridae", + "familia Dasyuridae", + "familia Dasyurinae", + "Dasyurus", + "género Dasyurus", + "Dasyurus Viverrinus", + "gato nativo", + "Thylacinus", + "género Thylacinus", + "thylacinus cynocephalus", + "Sarcophilus", + "género Sarcophilus", + "Phascogale", + "género Phascogale", + "Myrmecobius", + "género Myrmecobius", + "myrmecobius fasciatus", + "Notoryctidae", + "familia Notoryctidae", + "euterios", + "placentarios", + "ganado", + "toro", + "vaca", + "novillo", + "Insectivora", + "orden Insectivora", + "Lipotyphla", + "suborden Lipotyphla", + "Menotyphla", + "suborden Menotyphla", + "Talpidae", + "familia Talpidae", + "Condylura", + "género Condylura", + "Parascalops", + "género Parascalops", + "Parascalops Breweri", + "Chrysochloridae", + "familia Chrysochloridae", + "Chrysochloris", + "género Chrysochloris", + "Uropsilus", + "género Uropsilus", + "Uropsilus Soricipes", + "musaraña topo asiática", + "topo musaraña asiática", + "Neurotrichus", + "género Neurotrichus", + "Neurotrichus Gibbsii", + "topo musaraña americano", + "Soricidae", + "familia Soricidae", + "Sorex", + "género Sorex", + "Sorex Cinereus", + "musaraña de máscara", + "Blarina", + "género Blarina", + "Blarina Brevicauda", + "Sorex Palustris", + "musaraña acuática americana", + "Neomys Fodiens", + "musaraña acuática europea", + "Cryptotis", + "género Cryptotis", + "Erinaceidae", + "familia Erinaceidae", + "Erinaceus", + "género Erinaceus", + "género Tenrec", + "Potamogalidae", + "familia Potamogalidae", + "género Potamogale", + "Potamogale", + "Potamogale Volex", + "musaraña nutria", + "fúrcula", + "clavícula", + "horquilla", + "pellejo", + "piel", + "pluma", + "plumón", + "guía", + "alula", + "barba", + "collar", + "pelo", + "lana", + "vellosidad", + "pilus", + "caparazón", + "caparazón", + "concha", + "plastrón", + "concha de peregrino", + "concha de ostra", + "celenteron", + "Porifera", + "filo Porifera", + "porifera", + "esponja vítrea", + "Cnidaria", + "Coelenterata", + "filo Cnidaria", + "filo Coelenterata", + "pólipo", + "género Hydra", + "Siphonophora", + "orden Siphonophora", + "Physalia", + "género Physalia", + "Actiniaria", + "Pennatulidae", + "familia Pennatulidae", + "Pennatula", + "género Pennatula", + "coral", + "Gorgonacea", + "Gorgoniacea", + "suborden Gorgonacea", + "suborden Gorgoniacea", + "gorgonacea", + "Madreporaria", + "orden Madreporaria", + "Maeandra", + "género Maeandra", + "coral hongo", + "género Beroe", + "beroe", + "Pleurobrachiidae", + "familia Pleurobrachiidae", + "Pleurobrachia", + "género Pleurobrachia", + "Cestum", + "género Cestum", + "paleta natatoria", + "gusano", + "larva de carcoma", + "Sagitta", + "Platyhelminthes", + "filo Platyhelminthes", + "cisticerco", + "platyhelminthes", + "planariidae", + "Schistosoma", + "género Schistosoma", + "Cestoda", + "clase Cestoda", + "género Echinococcus", + "echinococcus", + "género Taenia", + "Nemertea", + "Nemertina", + "filo Nemertea", + "filo Nemertina", + "Pogonophora", + "filo Pogonophora", + "rotifera", + "Aschelminthes", + "Nematoda", + "filo Aschelminthes", + "filo Nematoda", + "nematoda", + "Ascaris", + "género Ascaris", + "Ascaridia Galli", + "ascáride aviar", + "Oxyuridae", + "Enterobius", + "género Enterobius", + "enterobius vermicularis", + "Tylenchus", + "género Tylenchus", + "Ancylostomatidae", + "familia Ancylostomatidae", + "Filariidae", + "familia Filariidae", + "Dracunculidae", + "familia Dracunculidae", + "Dracunculus", + "género Dracunculus", + "Annelida", + "filo Annelida", + "annelida", + "Oligochaeta", + "clase Oligochaeta", + "gusano", + "lombriz", + "Polychaeta", + "clase Polychaeta", + "polychaeta", + "hirudinea", + "Hirudo", + "género Hirudo", + "Haemopis", + "género Haemopis", + "moluscos", + "moluscos", + "Mollusca", + "filo Mollusca", + "escafópodo", + "Gasteropoda", + "Gastropoda", + "clase Gasteropoda", + "clase Gastropoda", + "gasterópodo", + "Haliotidae", + "familia Haliotidae", + "Haliotis", + "género Haliotis", + "haliotis", + "Haliotis Tuberculata", + "oreja de mar", + "Strombus", + "género Strombus", + "Helix", + "género Helix", + "Limacidae", + "familia Limacidae", + "Neritidae", + "familia Neritidae", + "género Nerita", + "Buccinidae", + "familia Buccinidae", + "Cymatiidae", + "familia Cymatiidae", + "Naticidae", + "familia Naticidae", + "Littorinidae", + "familia Littorinidae", + "Littorina", + "género Littorina", + "Patellidae", + "familia Patellidae", + "Patella Vulgata", + "lapa común", + "Fissurellidae", + "familia Fissurellidae", + "fisurélidos", + "Fissurella", + "género Fissurella", + "Ancylidae", + "familia Ancylidae", + "Ancylus", + "género Ancylus", + "Ancylus Fluviatilis", + "caracol de agua", + "nudibranchia", + "Aplysiidae", + "Tethyidae", + "familia Aplysiidae", + "familia Tethyidae", + "Aplysia", + "Tethys", + "género Aplysia", + "género Tethus", + "Akeridae", + "familia Akeridae", + "Physidae", + "familia Physidae", + "género Physa", + "biso", + "Bivalvia", + "clase Bivalvia", + "clase Lamellibranchia", + "clase Pelecypoda", + "bivalvo", + "lamelibranquio", + "almeja", + "concha", + "concha de almeja", + "Myaceae", + "orden Myaceae", + "Myacidae", + "familia Myacidae", + "Mya", + "género Mya", + "Veneridae", + "familia Veneridae", + "panopea abrupta", + "Solenidae", + "familia Solenidae", + "Ensis", + "género Ensis", + "Tridacna", + "género Tridacna", + "Cardium", + "género Cardium", + "Ostreidae", + "familia Ostreidae", + "ostrea", + "Ostrea", + "género Ostrea", + "Crassostrea", + "género Crassostrea", + "Pteriidae", + "familia Pteriidae", + "Pinctada", + "género Pinctada", + "Anomiidae", + "familia Anomiidae", + "Anomia", + "género Anomia", + "Placuna", + "género Placuna", + "Arcidae", + "familia Arcidae", + "Arca", + "arca", + "género Arca", + "almeja roja", + "Mytilidae", + "familia Mytilidae", + "Mytilus", + "género Mytilus", + "Unionidae", + "familia Unionidae", + "Unio", + "género Unio", + "Anodonta", + "género Anodonta", + "Dreissena", + "género Dreissena", + "Pectinidae", + "familia Pectinidae", + "venera", + "género Pecten", + "Teredinidae", + "familia Teredinidae", + "género Teredo", + "broma", + "broma", + "teredos", + "Bankia", + "género Bankia", + "Bankia setaceae", + "Pholas", + "género Pholas", + "Cephalopoda", + "cephalopoda", + "Nautilidae", + "familia Nautilidae", + "género Nautilus", + "Octopoda", + "orden Octopoda", + "género Octopus", + "octopoda", + "Argonautidae", + "familia Argonautidae", + "Argonauta", + "género Argonauta", + "nautilina", + "Decapoda", + "orden Decapoda", + "género Loligo", + "género Architeuthis", + "Sepiidae", + "familia Sepiidae", + "Sepia", + "género Sepia", + "sepiida", + "crustacea", + "crustáceos malacostracos", + "Decapoda", + "orden Decapoda", + "Brachyura", + "Menippe", + "género Menippe", + "Cancer", + "género Cancer", + "Portunidae", + "familia Portunidae", + "Portunus", + "género Portunus", + "Ovalipes ocellatus", + "cangrejo lady", + "Callinectes", + "género Callinectes", + "Uca", + "género Uca", + "Pinnotheres", + "género Pinnotheres", + "Majidae", + "familia Majidae", + "Maia", + "Maja", + "género Maia", + "género Maja", + "Macrocheira", + "género Macrocheira", + "Reptantia", + "suborden Reptantia", + "langosta", + "Homarus Americanus", + "bogavante americano", + "langosta de Maine", + "Homarus Vulgaris", + "bogavante europeo", + "santiaguiño", + "Palinuridae", + "familiaPalinuridae", + "Palinurus", + "género Palinurus", + "Astacidae", + "astacura", + "familia Astacidae", + "Astacus", + "género Astacus", + "Paguridae", + "familia Paguridae", + "Pagurus", + "género Pagurus", + "Natantia", + "suborden Natantia", + "Crangonidae", + "familia Crangonidae", + "Crangon", + "género Crangon", + "caridea", + "Palaemonidae", + "familia Palaemonidae", + "Peneidae", + "familia Peneidae", + "Peneus", + "género Peneus", + "euphausiacea", + "Mysidacea", + "orden Mysidacea", + "Mysis", + "género Mysis", + "Stomatopoda", + "orden Stomatopoda", + "género Squilla", + "galera", + "Isopoda", + "orden Isopoda", + "oniscidea", + "Armadillidiidae", + "familia Armadillidiidae", + "Armadillidium", + "género Armadillidium", + "Porcellionidae", + "familia Porcellionidae", + "cochinilla marina", + "piojo de mar", + "Orchestiidae", + "familia Orchestiidae", + "Orchestia", + "género Orchestia", + "Caprella", + "género Caprella", + "Cyamus", + "género Cyamus", + "género Daphnia", + "daphnia", + "Artemia", + "Chirocephalus", + "género Artemia", + "género Chirocephalus", + "copepoda", + "género Cyclops", + "Ostracoda", + "subclasificación Ostracoda", + "ostracoda", + "Cirripedia", + "subclase Cirripedia", + "Balanidae", + "familia Balanidae", + "Balanus", + "género Balanus", + "Lepadidae", + "familia Lepadidae", + "Lepas", + "género Lepas", + "peripatus", + "aves limícolas", + "Ciconiidae", + "familia Ciconiidae", + "ciconiidae", + "Leptoptilus", + "género Leptoptilus", + "morabito", + "Anastomus", + "género Anastomus", + "género Jabiru", + "jabiru mycteria", + "Ephippiorhynchus", + "género Ephippiorhynchus", + "Xenorhyncus", + "género Xenorhyncus", + "Balaenicipitidae", + "familia Balaenicipitidae", + "Balaeniceps", + "género Balaeniceps", + "balaeniceps rex", + "Threskiornithidae", + "familia Ibidiidae", + "familia Threskiornithidae", + "género Ibis", + "Ibis ibis", + "tántalo", + "Threskiornis", + "género Threskiornis", + "Plataleidae", + "familia Plataleidae", + "Platalea", + "género Platalea", + "Phoenicopteridae", + "familia Phoenicopteridae", + "phoenicopterus", + "Ardeidae", + "familia Ardeidae", + "ardeidae", + "Egretta Garzetta", + "garceta común", + "martinete", + "Nycticorax", + "género Nycticorax", + "Nycticorax Nycticorax", + "martinete común", + "Nyctanassa Violacea", + "martinete colorado", + "Cochlearius", + "género Cochlearius", + "Botaurus", + "género Botaurus", + "Ixobrychus", + "género Ixobrychus", + "Gruidae", + "familia Gruidae", + "Grus", + "género Grus", + "Aramus Guarauna", + "carrao", + "aramus guarauna", + "Cariamidae", + "familia Cariamidae", + "Cariama Cristata", + "chuña crestada", + "chuña patirroja", + "Chunga Burmeisteri", + "cariamidae", + "chuña crestada", + "chuña patinegra", + "Rallidae", + "familia Rallidae", + "Gallirallus", + "género Gallirallus", + "gallirallus australis", + "Crex", + "género Crex", + "Porzana", + "género Porzana", + "Gallinula", + "género Gallinula", + "gallinula", + "calamón común", + "Porphyrio", + "género Porphyrio", + "Fulica", + "género Fulica", + "Fulica Americana", + "focha americana", + "focha cenicienta", + "fúlica americana", + "gallereta", + "Otides", + "suborden Otides", + "Otididae", + "familia Otididae", + "Turnix", + "género Turnix", + "Pedionomus", + "género Pedionomus", + "Psophiidae", + "familia Psophiidae", + "Psophia", + "género Psophia", + "ave marina", + "Charadrii", + "suborden Charadrii", + "Charadrius", + "género Charadrius", + "charadrius vociferus", + "Pluvialis", + "género Pluvialis", + "Arenaria", + "género Arenaria", + "Arenaria Interpres", + "vuelvepiedras común", + "Aphriza Virgata", + "correlimos de rompientes", + "calidris alpina", + "tringa nebularia", + "Calidris Canutus", + "correlimos gordo", + "Calidris Ferruginea", + "correlimos zarapatín", + "calidris alba", + "philomachus pugnax", + "Heteroscelus", + "género Heteroscelus", + "Catoptrophorus", + "género Catoptrophorus", + "Philohela", + "género Philohela", + "Capella", + "Gallinago", + "género Capella", + "género Gallinago", + "Limnocryptes", + "género Limnocryptes", + "Limnodromus", + "género Limnodromus", + "limnodromus", + "Numenius", + "género Numenius", + "Limosa", + "género Limosa", + "aguja", + "Limosa Haemastica", + "cigüeñela", + "cigüeñuela", + "himantopus", + "cigüeñela australiana", + "cigüeñuela", + "Recurvirostridae", + "familia Recurvirostridae", + "Recurvirostra", + "género Recurvirostra", + "Haematopodidae", + "familia Haematopodidae", + "Haematopus", + "género Haematopus", + "Phalaropidae", + "familia Phalaropidae", + "phalaropus", + "Phalaropus", + "género Phalaropus", + "Glareolidae", + "familia Glareolidae", + "Glareola", + "género Glareola", + "cursorius", + "Cursorius", + "género Cursorius", + "Pluvianus", + "género Pluvianus", + "Burhinus", + "género Burhinus", + "Lari", + "suborden Lari", + "Larus", + "género Larus", + "rissa", + "Sterninae", + "subfamilia Sterninae", + "Rynchopidae", + "familia Rynchopidae", + "Rynchops", + "género Rynchops", + "rynchopidae", + "Stercorariidae", + "familia Stercorariidae", + "Stercorarius", + "género Stercorarius", + "Catharacta", + "género Catharacta", + "alca torda", + "Pinguinus", + "género Pinguinus", + "Uria", + "género Uria", + "fratercula", + "Fratercula", + "género Fratercula", + "Lunda", + "género Lunda", + "ave marina gaviforme", + "Gavia", + "género Gavia", + "gavia", + "Colymbiformes", + "Podicipitiformes", + "orden Colymbiformes", + "orden Podicipitiformes", + "orden podicipediformes", + "podicipediformes", + "podicipitiforme", + "Podicipedidae", + "familia Podicipedidae", + "Podiceps", + "género Podiceps", + "podicipedidae", + "Pelecaniformes", + "orden Pelecaniformes", + "Pelecanidae", + "familia Pelecanidae", + "pelecanus", + "Pelecanus", + "género Pelecanus", + "Fregatidae", + "familia Fregatidae", + "Fregata", + "género Fregata", + "Sulidae", + "familia Sulidae", + "Sula", + "género Sula", + "sula", + "Phalacrocoracidae", + "familia Phalacrocoracidae", + "Phalacrocorax", + "género Phalacrocorax", + "phalacrocorax", + "Anhingidae", + "género Anhinga", + "anhinga anhinga", + "anhingidae", + "Phaethontidae", + "familia Phaethontidae", + "Phaethon", + "género Phaethon", + "phaethon", + "Sphenisciformes", + "orden Sphenisciformes", + "spheniscidae", + "Aptenodytes Forsteri", + "pingüino emperador", + "Spheniscus", + "género Spheniscus", + "Eudyptes", + "género Eudyptes", + "Procellariiformes", + "orden Procellariiformes", + "Diomedeidae", + "familia Diomedeidae", + "albatros", + "diomedeidae", + "Procellariidae", + "familia Procellariidae", + "Procellaria", + "género Procellaria", + "Macronectes", + "género Macronectes", + "Fulmarus", + "género Fulmarus", + "fulmarus", + "Puffinus", + "género Puffinus", + "Hydrobatidae", + "familia Hydrobatidae", + "Hydrobates", + "género Hydrobates", + "paiño europeo", + "Pelecanoididae", + "familia Pelecanoididae", + "mamífero acuático", + "Mysticeti", + "suborden Mysticeti", + "Balaenidae", + "familia Balaenidae", + "Balaena", + "género Balaena", + "Balaena Mysticetus", + "ballena boreal", + "ballena de Groenlandia", + "Balaenopteridae", + "familia Balaenopteridae", + "Balaenoptera", + "género Balaenoptera", + "Megaptera", + "género Megaptera", + "Odontoceti", + "suborden", + "Physeteridae", + "Physeter", + "género Physeter", + "Kogia", + "Hyperoodon", + "género Hyperoodon", + "Delphinidae", + "familia Delphinidae", + "delphinidae", + "Delphinus", + "género Delphinus", + "Tursiops Gilli", + "phocoena sinus", + "género Grampus", + "Orcinus", + "género Orcinus", + "Globicephala", + "género Globicephala", + "Platanistidae", + "familia Platanistidae", + "Monodontidae", + "familia Monodontidae", + "Monodon", + "género Monodon", + "monodon monoceros", + "Delphinapterus", + "género Delphinapterus", + "ballena de chorro", + "trichechus", + "dugong dugon", + "Pinnipedia", + "suborden Pinnipedia", + "pinnipedia", + "foca cangrejera", + "Otariidae", + "familia Otariidae", + "Arctocephalus", + "género Arctocephalus", + "Arctocephalus Philippi", + "otaria americana", + "Callorhinus", + "género Callorhinus", + "Callorhinus Ursinus", + "oso marino ártico", + "Otaria", + "género Otaria", + "Zalophus", + "género Zalophus", + "Eumetopias", + "género Eumetopias", + "Phocidae", + "familia Phocidae", + "Phoca", + "género Phoca", + "Pagophilus", + "género Pagophilus", + "Mirounga", + "Erignathus", + "género Erignathus", + "Cystophora", + "género Cystophora", + "Odobenus", + "género Odobenus", + "odobenus rosmarus", + "Orycteropodidae", + "familia Orycteropodidae", + "Orycteropus", + "género Orycteropus", + "Orycteropus Afer", + "cerdo hormiguero", + "orycteropus afer", + "oso hormiguero", + "Canidae", + "familia Canidae", + "cánido", + "Canis", + "género Canis", + "can", + "perro", + "chucho", + "gozque", + "mestizo", + "coondog", + "dachshund", + "foxhound", + "perro raposero", + "perro zorrero", + "borzoi", + "galgo inglés", + "whippet", + "otterhound", + "terrier", + "Schnauzer estándar", + "perro cazador", + "perro de caza", + "vizsla", + "perro guardián", + "schipperke", + "perro pastor", + "pastor belga", + "Malinois", + "pastor de brie", + "komondor", + "perro policía", + "pinscher", + "bulldog", + "Gran Danés", + "perro guía", + "San Bernardo", + "perro de trineo", + "husky", + "perro esquimal", + "perro siberiano", + "affenpinscher", + "basenji", + "pug", + "spitz", + "chow chow", + "grifón", + "Poodle de estándar", + "Poodle estándar", + "lobo", + "canis latrans", + "Canis Dingo", + "dingo", + "Cyon", + "cuón", + "género Cuon", + "género Cyon", + "cuon alpinus", + "Nyctereutes", + "género Nyctereutes", + "Lycaeon", + "género Nyctereutes", + "Hyaenidae", + "familia Hyaenidae", + "hyaena", + "hyaenidae", + "género Hyaena", + "Proteles", + "género Proteles", + "proteles cristatus", + "vulpini", + "Vulpes", + "género Vulpes", + "Alopex", + "género Alopex", + "Urocyon", + "género Urocyon", + "Felidae", + "familia Felidae", + "felis silvestris catus", + "gata", + "gato", + "cazador de ratones", + "gato callejero", + "gato", + "gato castrado", + "gata", + "reina", + "gato persa", + "mau egipcio", + "felis silvestris", + "pantera", + "puma concolor", + "leopardus pardalis", + "puma yagouaroundi", + "Felis Ocreata", + "gato africano", + "gato salvaje africano", + "leptailurus serval", + "leopardus wiedii", + "género Lynx", + "lynx", + "caracal caracal", + "Panthera", + "género Panthera", + "panthera pardus", + "leopardo hembra", + "pantera", + "pantera negra", + "panthera onca", + "león", + "panthera leo", + "leona", + "panthera tigris", + "tigresa", + "ligre", + "tigón", + "Acinonyx", + "género Acinonyx", + "acinonyx jubatus", + "Smiledon", + "género Smiledon", + "Nimravus", + "género Nimravus", + "oso", + "ursidae", + "Ursus Arctos Syriacus", + "oso pardo sirio", + "Kodiak", + "Ursus Arctos Middendorffi", + "Ursus Middendorffi", + "oso Kodiak", + "oso pardo", + "oso canela", + "Viverridae", + "Viverrinae", + "familia Viverridae", + "familia Viverrinae", + "Viverra", + "género Viverra", + "Arctictis", + "género Arctictis", + "arctictis binturong", + "Fossa Fossa", + "civeta malgache", + "Genetta", + "género Genetta", + "Hemigalus", + "género Hemigalus", + "Hemigalus Hardwickii", + "civeta palmirayada", + "Herpestes", + "género Herpestes", + "mangosta", + "Paradoxurus", + "género Paradoxurus", + "Suricata", + "género Suricata", + "suricata suricatta", + "chiroptera", + "Megachiroptera", + "suborden Megachiroptera", + "megachiroptera", + "Nyctimene", + "género Nyctimene", + "microchiroptera", + "murciélago ratonero", + "Phyllostomidae", + "género Macrotus", + "Phyllostomus", + "género Phyllostomus", + "Choeronycteris Mexicana", + "murciélago trompudo mexicano", + "Rrhinolophidae", + "familia Rrhinolophidae", + "Hipposideridae", + "familia Hipposideridae", + "Hipposideros", + "género Hipposideros", + "Rhinonicteris", + "género Rhinonicteris", + "Megadermatidae", + "familia Megadermatidae", + "Megaderma", + "género Megaderma", + "Molossidae", + "familia Molossidae", + "Tadarida", + "género Tadarida", + "Eumops", + "género Eumops", + "Desmodontidae", + "familia Desmodontidae", + "Desmodus", + "género Desmodus", + "Diphylla", + "género Diphylla", + "ala", + "elitro", + "presa", + "caza", + "presa", + "caza mayor", + "pata", + "pie", + "casco", + "uña", + "pata hendida", + "pezuña hendida", + "zarpa", + "cola", + "rabo", + "insecta", + "insecto", + "polinizador", + "Collembola", + "orden Collembola", + "collembola", + "Protura", + "orden Protura", + "Coleoptera", + "oden Coleoptera", + "coleoptera", + "Cicindelidae", + "familia Cicindelidae", + "Coccinellidae", + "familia Coccinellidae", + "Epilachna Varivestis", + "escarabajo del frijol", + "Carabidae", + "familia Carabidae", + "Brachinus", + "género Brachinus", + "escarabajo bombardero", + "Calosoma", + "calosoma", + "Lampyridae", + "familia Lampyridae", + "lampyridae", + "gusano de luz", + "Cerambycidae", + "familia Cerambycidae", + "Monochamus", + "género Monochamus", + "Chrysomelidae", + "familia Chrysomelidae", + "Leptinotarsa", + "género Leptinotarsa", + "Dermestidae", + "familia Dermestidae", + "Lamellicornia", + "superfamilia Lamellicornia", + "Scarabaeidae", + "familia Scarabaeidae", + "género Scarabaeus", + "Lucanidae", + "familia Lucanidae", + "eláter", + "Dytiscidae", + "familia Dytiscidae", + "Gyrinidae", + "familia Gyrinidae", + "Anobiidae", + "familia Anobiidae", + "Curculionidae", + "familia Curculionidae", + "Anthonomus", + "género Anthonomus", + "Meloidae", + "familia Meloidae", + "Staphylinidae", + "familia Staphylinidae", + "tenebrio molitor", + "Tribolium", + "género Tribolium", + "Bruchidae", + "familia Bruchidae", + "Bruchus", + "género Bruchus", + "Embiodea", + "Embioptera", + "orden Embiodea", + "orden Embioptera", + "Anoplura", + "orden Anoplura", + "Pediculus Humanus", + "piojo común", + "Phthiriidae", + "familia Phthiriidae", + "Phthirius Pubis", + "cangrejo", + "ladilla", + "piojo púbico", + "Mallophaga", + "orden Mallophaga", + "Menopon", + "género Menopon", + "Siphonaptera", + "orden Siphonaptera", + "siphonaptera", + "Pulex", + "género Pulex", + "Ctenocephalides", + "género Ctenocephalides", + "Ctenocephalus", + "género Ctenocephalus", + "Cecidomyiidae", + "familia Cecidomyiidae", + "mosca", + "Musca", + "género Musca", + "musca domestica", + "género Glossina", + "Glossina", + "mosca tse-tse", + "tse-tse", + "Calliphoridae", + "familia Calliphoridae", + "Calliphora", + "género Calliphora", + "Lucilia", + "género Lucilia", + "Sarcophaga", + "género Sarcophaga", + "oestridae", + "Gasterophilidae", + "familia Gasterophilidae", + "Gasterophilus", + "género Gasterophilus", + "Cuterebridae", + "familia Cuterebridae", + "Cuterebra", + "género Cuterebra", + "Hypodermatidae", + "Oestridae", + "familia Hypodermatidae", + "familia Oestridae", + "Oestrus", + "género Oestrus", + "Tabanidae", + "familia Tabanidae", + "Bombyliidae", + "familia Bombyliidae", + "Asilidae", + "familia Asilidae", + "Trephritidae", + "Trypetidae", + "familia Trephritidae", + "familia Trypetidae", + "Rhagoletis pomonella", + "Ceratitis", + "género Ceratitis", + "Drosophilidae", + "familia Drosophilidae", + "drosophila", + "mosca del vinagre", + "Philophylla", + "género Philophylla", + "Hippobosca", + "género Hippobosca", + "Nematocera", + "suborden Nematocera", + "Culicidae", + "familia Culicidae", + "larva", + "larva de mosquito", + "Aedes", + "género Aedes", + "Aedes Aegypti", + "Anopheline", + "Ceratopogonidae", + "familia Ceratopogonidae", + "Ceratopogon", + "género Ceratopogon", + "Chironomidae", + "familia Chironomidae", + "Chironomus", + "género Chironomus", + "Mycetophilidae", + "familia Mycetophilidae", + "psicódido", + "Sciaridae", + "familia Sciaridae", + "género Sciara", + "Sciara", + "sciarida", + "Tipulidae", + "familia Tipulidae", + "Simuliidae", + "familia Simuliidae", + "Simulium", + "género Simulium", + "Apoidea", + "superfamilia Apoidea", + "abeja", + "anthophila", + "abeja reina", + "maestra", + "Apidae", + "familia Apidae", + "Apis", + "género Apis", + "abeja italiana", + "Xylocopa", + "género Xylocopa", + "Bombus", + "género Bombus", + "bombus", + "jorge", + "andrena", + "Megachilidae", + "familia Bombus", + "Megachile", + "género Megachile", + "abeja albañil", + "Anthidium", + "género Anthidium", + "vespa", + "Vespula Maculata", + "avispa cara blanca", + "Eumenes", + "género Eumenes", + "Sphecoidea", + "superfamilia Sphecoidea", + "Sphecidae", + "familia Sphecidae", + "Sceliphron", + "género Sceliphron", + "Stizidae", + "familia Stizidae", + "Cynips", + "género Cynips", + "Chalcis", + "género Chalcis", + "Ichneumonidae", + "familia Ichneumonidae", + "Tenthredinidae", + "familia Tenthredinidae", + "Fenusa", + "género Fenusa", + "Formicidae", + "familia Formicidae", + "formicidae", + "hormiga", + "Dorylinae", + "subfamilia Dorylinae", + "Camponotus", + "género Camponotus", + "Solenopsis", + "género Solenopsis", + "Formica", + "género Formica", + "Formica Fusca", + "Myrmecia", + "género Myrmecia", + "Polyergus", + "género Polyergus", + "Termitidae", + "familia Termitidae", + "Termes", + "género Termes", + "hormiga blanca", + "isoptera", + "termita", + "Reticulitermes Flanipes", + "Orthoptera", + "orden Orthoptera", + "caelifera", + "saltamontes", + "Microcentrum", + "género Microcentrum", + "Stenopelmatus", + "género Stenopelmatus", + "Gryllidae", + "familia Gryllidae", + "Oecanthus", + "género Oecanthus", + "Oecanthus fultoni", + "cuncuní", + "grillo arbóreo", + "Phasmatidae", + "Phasmidae", + "familia Phasmatidae", + "familia Phasmidae", + "Phillidae", + "Phyllidae", + "familia Phillidae", + "familia Phyllidae", + "Phyllium", + "género Phyllium", + "insecto dictióptero", + "blattodea", + "Blattidae", + "familia Blattidae", + "Blaberus", + "género Blaberus", + "Cryptocercus", + "género Cryptocercus", + "Manteidae", + "Mantidae", + "familia Manteidae", + "familia Mantidae", + "género Mantis", + "mantodea", + "mantis religiosa", + "Capsidae", + "Miridae", + "familia Capsidae", + "familia Miridae", + "chinche Lygus", + "Tingidae", + "familia Tingidae", + "Lygaeidae", + "familia Lygaeidae", + "Blissus", + "género Blissus", + "Coreidae", + "familia Coreidae", + "coreido", + "insecto coreido", + "Anasa", + "género Anasa", + "Leptoglossus", + "género Leptoglossus", + "Cimex", + "género Cimex", + "cimex lectularius", + "Notonecta", + "género Notonecta", + "Heteroptera", + "suborden Heteroptera", + "Belostomatidae", + "familia Belostomatidae", + "Nepidae", + "familia Nepidae", + "Nepa", + "género Nepa", + "Corixidae", + "familia Corixidae", + "Corixa", + "género Corixa", + "Gerris", + "género Gerris", + "Reduviidae", + "familia Reduviidae", + "Triatoma", + "género Triatoma", + "Pyrrhocoridae", + "familia Pyrrhocoridae", + "Homoptera", + "suborden Homoptera", + "Aleyrodidae", + "familia Aleyrodidae", + "Aleyrodes", + "género Aleyrodes", + "Trialeurodes Vaporariorum", + "Bemisia", + "género Bemisia", + "Coccoidea", + "superfamilia Coccoidea", + "insecto cóccido", + "Coccidae", + "familia Coccidae", + "género Coccus", + "Coccus Hesperidum", + "escama suave café", + "Diaspididae", + "familia Diaspididae", + "Dactylopiidae", + "familia Dactylopiidae", + "Dactylopius", + "género Dactylopius", + "dactylopius coccus", + "Pseudococcus", + "género Pseudococcus", + "Aphidoidea", + "superfamilia Aphidoidea", + "Aphis Fabae", + "piojo del frijol", + "pulgón negro", + "Eriosoma", + "género Eriosoma", + "Adelgidae", + "familia Adelgidae", + "Adelges", + "género Adelges", + "Phylloxeridae", + "familia Phylloxeridae", + "Phylloxera", + "género Phylloxera", + "Chermidae", + "Psyllidae", + "familia Chermidae", + "familia Psyllidae", + "Cicadidae", + "familia Cicadidae", + "género Cicada", + "cicadidae", + "cigarra", + "Tibicen", + "género Tibicen", + "Magicicada", + "género Magicicada", + "Cercopidae", + "familia Cercopidae", + "cercopoidea", + "Cicadellidae", + "familia Cicadellidae", + "cigarritas", + "fulgoromorpha", + "Membracidae", + "familia Membracidae", + "membracidae", + "Fulgoridae", + "familia Fulgoridae", + "Atropidae", + "familia Atropidae", + "Ephemerida", + "Ephemeroptera", + "orden Ephemerida", + "orden Ephemeroptera", + "Ephemeridae", + "familia Ephemeridae", + "ephemeroptera", + "Plecoptera", + "orden Plecoptera", + "Myrmeleontidae", + "familia Myrmeleontidae", + "Myrmeleon", + "género Myrmeleon", + "myrmeleontidae", + "Chrysopidae", + "familia Chrysopidae", + "Hemerobiidae", + "familia Hemerobiidae", + "Corydalidae", + "familia Corydalidae", + "Corydalis", + "Corydalus", + "género Corydalis", + "género Corydalus", + "Sialis", + "género Sialis", + "sialidae", + "Mantispidae", + "familia Mantispidae", + "Odonata", + "orden Odonata", + "Anisoptera", + "suborden Anisoptera", + "anisoptera", + "Zygoptera", + "suborden Zygoptera", + "insecto tricóptero", + "tricóptero", + "Thysanura", + "orden Thysanura", + "Lepismatidae", + "familia Lepismatidae", + "Lepisma", + "género Lepisma", + "thermobia doméstica", + "Machilidae", + "familia Machilidae", + "Thysanoptera", + "orden Thysanoptera", + "Thripidae", + "familia Thripidae", + "thysanoptera", + "Frankliniella", + "género Frankliniella", + "género Thrips", + "Thrips tobaci", + "dermaptera", + "Forficulidae", + "familia Forficulidae", + "Forficula", + "género Forficula", + "Lepidoptera", + "mariposa", + "Nymphalis", + "Vanessa", + "género Vanessa", + "Polygonia", + "género Polygonia", + "Spyeria", + "género Spyeria", + "mariposa espejito", + "Argynnis", + "género Argynnis", + "Danaus", + "género Danaus", + "Pieridae", + "familia Pieridae", + "Pieris", + "género Pieris", + "heterócero", + "Tortricidae", + "familia Tortricidae", + "género Tortrix", + "Homona", + "género Homona", + "Argyrotaenia", + "género Argyrotaenia", + "Argyrotaenia citrana", + "tortrícido", + "Carpocapsa", + "género Carpocapsa", + "Lymantriidae", + "familia Lymantriidae", + "oruga de lagarta", + "Geometridae", + "familia Geometridae", + "Paleacrita", + "género Paleacrita", + "Alsophila", + "género Alsophila", + "Pyralidae", + "Pyralididae", + "familia Pyralidae", + "familia Pyralididae", + "Pyralis", + "género Pyralis", + "Galleria Mellonella", + "Tineoidea", + "superfamilia Tineoidea", + "Tineidae", + "familia Tineidae", + "Tinea", + "género Tinea", + "Tineola", + "género Tineola", + "Trichophaga", + "género Trichophaga", + "Gracilariidae", + "Gracillariidae", + "familia Gracilariidae", + "Gelechia", + "género Gelechia", + "Sitotroga", + "género Sitotroga", + "Phthorimaea", + "género Phthorimaea", + "Noctuidae", + "familia Noctuidae", + "gusano cortador", + "Cerapteryx", + "género Cerapteryx", + "Sphingidae", + "familia Sphingidae", + "Acherontia", + "género Acherontia", + "Bombycidae", + "familia Bombycidae", + "Bombyx", + "género Bombyx", + "Saturnia", + "género Saturnia", + "Eacles", + "género Eacles", + "Actias", + "género Actias", + "Samia", + "género Samia", + "Automeris", + "género Automeris", + "Atticus", + "género Atticus", + "Atticus Atlas", + "mariposa Atlas", + "Arctiidae", + "familia Arctiidae", + "Callimorpha", + "género Callimorpha", + "Lasiocampidae", + "familia Lasiocampidae", + "Lasiocampa", + "género Lasiocampa", + "Malacosoma", + "género Malacosoma", + "lagarta rayada", + "oruga de librea", + "Malacosoma disstria", + "oruga de polilla", + "Hyphantria", + "género Hyphantria", + "Loxostege", + "género Loxostege", + "estadio", + "oruga", + "Pyrausta Nubilalis", + "barrenador del maíz", + "gusano lanudo", + "gusano", + "crisálida", + "imago", + "reina", + "phoronida", + "Ectoprocta", + "filo Ectoprocta", + "Brachiopoda", + "filo Brachiopoda", + "brachiopoda", + "Sipuncula", + "filo Sipuncula", + "echinodermata", + "Asteroidea", + "calse Asteroidea", + "asteroidea", + "Ophiuroidea", + "clase Ophiuroidea", + "Ophiurida", + "subclase Ophiurida", + "Euryalida", + "subclase Euryalida", + "Euryale", + "género Euryale", + "Gorgonocephalus", + "género Gorgonocephalus", + "Echinoidea", + "clase Echinoidea", + "locha de playa", + "Spatangoida", + "orden Spatangoida", + "Crinoidea", + "clase Crinoidea", + "Ptilocrinus", + "género Ptilocrinus", + "Antedonidae", + "familia Antedonidae", + "Comatulidae", + "familia Comatulidae", + "Comatula", + "género Comatula", + "Holothuria", + "género Holothuria", + "Leporidae", + "familia Leporidae", + "lepórido", + "mamífero lepórido", + "conejo", + "Oryctolagus", + "género Oryctolagus", + "Sylvilagus", + "género Sylvilagus", + "Sylvilagus aquaticus", + "conejo de pantano", + "liebre de pantano", + "Sylvilagus Palustris", + "conejo de ciénaga", + "conejo de pantano", + "Lepus", + "género Lepus", + "Ochotona", + "Ochotonidae", + "género Ochotonidae", + "Ochotona Princeps", + "liebre norteamericana", + "liebre silbadora", + "rodentia", + "roedor", + "mus", + "Myomorpha", + "suborden Myomorpha", + "rata", + "rattus", + "Micromyx", + "género Micromyx", + "Apodemus", + "género Apodemus", + "rata de alcantarilla", + "rata noruega", + "rata de alcantarilla", + "rata noruega", + "Nesokia", + "género Nesokia", + "rata bandicut", + "rata topo", + "Conilurus", + "género Conilurus", + "Notomys", + "género Notomys", + "Hydromyinae", + "subfamilia Hydromyinae", + "Hydromys", + "género Hydromys", + "coipú", + "rata castor", + "Reithrodontomys", + "género Reithrodontomys", + "Peromyscus", + "género Peromyscus", + "Baiomys", + "género Baiomys", + "Onychomys", + "género Onychomys", + "Ondatra", + "género Ondatra", + "ondatra zibethicus", + "Neofiber alleni", + "campañol", + "Neotoma", + "género Neotoma", + "Oryzomys", + "género Oryzomys", + "Oryzomys palustris", + "rata arrocera", + "Pitymys", + "género Pitymys", + "Pitymys pinetorum", + "ratón-topo", + "topillo", + "Microtus", + "género Microtus", + "género Phenacomys", + "Cricetus", + "género Cricetus", + "cricetinae", + "Mesocricetus", + "género Mesocricetus", + "Gerbillinae", + "familia Gerbillinae", + "Gerbillus", + "género Gerbillus", + "lemmini", + "Lemmus", + "género Lemmus", + "Lemmus Trimucronatus", + "lemming americano", + "lemming gris", + "Dicrostonyx", + "género Dicrostonyx", + "Synaptomys", + "género Synaptomys", + "Synaptomys Borealis", + "erinaceinae", + "puercoespín", + "Hystricidae", + "familia Hystricidae", + "puerco espín europeo", + "puercoespín americano", + "Erethizontidae", + "familia Erethizontidae", + "Perognathus", + "género Perognathus", + "Liomys", + "género Liomys", + "Dipodomys", + "género Dipodomys", + "Microdipodops", + "género Microdipodops", + "Zapodidae", + "familia Zapodidae", + "Zapus", + "género Zapus", + "Dipodidae", + "familia Dipodidae", + "dipodinae", + "Jaculus", + "género Jaculus", + "gliridae", + "Glis", + "género Glis", + "Eliomys", + "género Eliomys", + "Geomyidae", + "familia Geomyidae", + "Geomys", + "género Geomys", + "Geomys Pinetis", + "tuza del sureste", + "ardilla arborícola", + "Sciuridae", + "familia Sciuridae", + "Sciurus", + "género Sciurus", + "Tamiasciurus", + "género Tamiasciurus", + "Tamiasciurus Douglasi", + "ardilla de Douglas", + "ardilla roja norteamericana", + "chickaree", + "Citellus", + "Spermophilus", + "género Citellus", + "género Spermophilus", + "Cynomys", + "género Cynomys", + "Tamias", + "género Tamias", + "tamias", + "Eutamius Asiaticus", + "Eutamius Sibiricus", + "ardilla coreana", + "ardilla siberiana", + "Glaucomys", + "género Glaucomys", + "ardilla voladora americana", + "Marmota", + "género Marmota", + "Marmota Monax", + "mamorta del bosque", + "marmota canadiense", + "marmota monax", + "Petauristidae", + "subfamilia Petauristidae", + "Petaurista Petaurista", + "ardilla voladora", + "mormota voladora", + "taguán", + "Castoridae", + "familia Castoridae", + "Castor", + "género Castor", + "castor", + "Aplodontiidae", + "familia Aplodontiidae", + "Cavia", + "género Cavia", + "conejillo de indias", + "Dolichotis", + "género Dolichotis", + "Dolichotis Patagonum", + "mara", + "Hydrochoeridae", + "familia Hydrochoeridae", + "hydrochoerus hydrochaeris", + "Dasyproctidae", + "familia Dasyproctidae", + "Dasyprocta", + "género Dasyprocta", + "Cuniculus", + "género Cuniculus", + "cuniculus", + "Stictomys", + "género Stictomys", + "Capromyidae", + "género Capromyidae", + "myocastor coypus", + "género Chinchilla", + "chinchilla", + "Lagostomus", + "género Lagostomus", + "vizcacha", + "Abrocoma", + "género Abrocoma", + "Spalacidae", + "familia Spalacidae", + "Spalax", + "género Spalax", + "Bathyergidae", + "familia Bathyergidae", + "Bathyergus", + "género Bathyergus", + "rata topo", + "Heterocephalus", + "género Heterocephalus", + "mama", + "ungulata", + "hyracoidea", + "Procavia", + "género Procavia", + "caballo", + "mesohippus", + "caballo", + "caballo capón", + "capón", + "yegua", + "mesteño", + "mustang", + "purasangre", + "War Admiral", + "corredor", + "caballo de tiro", + "caballo doméstico", + "bayo", + "Equus Asinus", + "asno", + "burro", + "burro de carga", + "equus africanus asinus", + "burro", + "burra", + "mula", + "mula", + "Equus Asinus", + "asno salvaje africano", + "Equus Kiang", + "equus hemionus kiang", + "kiang", + "onagro", + "equus hemionus", + "Equus Hemionus Hemionus", + "asno salvaje asiático", + "hemión", + "equus quagga quagga", + "Rhinocerotidae", + "familia Rhinoceros", + "familia Rhinocerotidae", + "género Rhinoceros", + "Diceros Bicornis", + "rinoceronte negro", + "Tapirus", + "género Tapirus", + "tapirus", + "Tapirus Terrestris", + "tapir americano", + "tapir terrestre", + "Tapirus Indicus", + "tapir indio", + "tapir malayo", + "artiodáctilo", + "Suidae", + "familia Suidae", + "cerdo", + "Sus", + "género Sus", + "Sus scrofa", + "cerdo", + "cerdo gruñón", + "puerco", + "sus", + "lechón", + "cochino", + "cerda", + "razorback", + "Babyrousa Babyrussa", + "babirusa", + "Phacochoerus", + "género Phacochoerus", + "Tayassuidae", + "familia Tayassuidae", + "Tayassu", + "género Pecari", + "género Tayassu", + "tayassuidae", + "Hippopotamidae", + "familia Hippopotamidae", + "género Hippopotamus", + "hippopotamus amphibius", + "rumiante", + "libro", + "abomaso", + "bovidae", + "bóvido", + "Bos Taurus", + "bueyes", + "ganado", + "vacas", + "buey", + "añojo", + "buey novillo", + "novillo castrado", + "toro castrado", + "toro", + "vaca", + "vaquita", + "becerro sin madre", + "Longhorn", + "Longhorn de Texas", + "cuernilargo", + "cuernos largos", + "bos taurus indicus", + "bos taurus primigenius", + "bos grunniens", + "Bos Banteng", + "banteng", + "banting", + "bos javanicus", + "buey salvaje indonesio", + "tsaine", + "Red Poll", + "Santa Gertrudis", + "Aberdeen Angus", + "shorthorn", + "Shorthorn lechero", + "Galloway", + "Beefalo", + "Cattalo", + "beefalo", + "Carabao", + "Synercus", + "género Synercus", + "tribu Synercus", + "Bibos", + "género Bibos", + "bos gaurus", + "bos frontalis", + "bison", + "bison bonasus", + "ardia", + "oveja", + "oveja", + "cordero persa", + "oveja", + "Lincoln", + "cordero de Exmoor", + "oveja merina", + "ovis vignei", + "Ovis Musimon", + "muflón", + "Capra", + "género Capra", + "capra aegagrus hircus", + "cabra", + "cabra", + "cabra salvaje", + "capra falconeri", + "Oreamnos", + "género Oreamnos", + "Oreamnos Americanus", + "cabra blanca", + "cabra montés", + "Naemorhedus", + "género Naemorhedus", + "nemorhaedus", + "Capricornis", + "género Capricornis", + "Rupicapra", + "género Rupicapra", + "rupicapra rupicapra", + "Budorcas", + "género Budorcas", + "budorcas taxicolor", + "antilope", + "antílope", + "Antilope", + "género Antilope", + "Litocranius", + "género Litocranius", + "Litocranius Walleri", + "antílope jirafa", + "gacela de Waller", + "gerenuc", + "gerenuk", + "litocranius walleri", + "addax nasomaculatus", + "Connochaetes", + "género Connochaetes", + "connochaetes", + "madoqua", + "Alcelaphus", + "Damaliscus", + "género Damaliscus", + "Aepyceros", + "género Aepyceros", + "Aepyceros Melampus", + "aepyceros melampus", + "impala", + "Gazella", + "género Gazella", + "gacela", + "Antidorcas", + "género Antidorcas", + "Strepsiceros", + "Tragelaphus", + "género Strepsiceros", + "género Tragelaphus", + "cudú", + "Boselaphus", + "género Boselaphus", + "boselaphus tragocamelus", + "Hippotragus", + "género Hippotragus", + "género Saiga", + "Raphicerus", + "género Raphicerus", + "raphicerus campestris", + "Taurotragus", + "Kobus", + "género Kobus", + "Kobus Kob", + "antílope de agua", + "cob", + "cobo", + "kobus kob", + "kobus leche", + "kobus ellipsiprymnus", + "Adenota", + "género Adenota", + "kobus vardonii", + "género Oryx", + "oryx", + "oryx gazella", + "antilocapra americana", + "Cervidae", + "familia Cervidae", + "cervidae", + "ciervo", + "cérvido", + "venado", + "ciervo", + "venado", + "Cervus", + "género Cervus", + "ciervo", + "cierva", + "cervus canadensis", + "Odocoileus", + "género Odocoileus", + "Alces", + "género Alces", + "alces", + "Dama", + "género Dama", + "Capreolus", + "género Capreolus", + "Rangifer", + "género Rangifer", + "rangifer tarandus", + "Mazama", + "género Mazama", + "Muntiacus", + "género Muntiacus", + "muntiacus", + "Moschus", + "género Moschus", + "Tragulidae", + "familia Tragulidae", + "Tragulus", + "género Tragulus", + "Hyemoschus", + "género Hyemoschus", + "Camelidae", + "familia Camelidae", + "Camelus", + "género Camelus", + "camelus", + "camelus dromedarius", + "lama glama", + "llama", + "Lama", + "género Lama", + "Lama Guanicoe", + "guanaco", + "lama guanicoe", + "vicugna pacos", + "Giraffidae", + "familia Giraffidae", + "Giraffa", + "género Giraffa", + "giraffa camelopardalis", + "Okapia", + "género Okapia", + "okapia johnstoni", + "mano", + "pie", + "Mustelidae", + "familia Mustelidae", + "mamífero mustélido", + "mustélido", + "Mustela", + "género Mustela", + "Mustela Rixosa", + "comadreja diminuta", + "comadreja enana", + "Mustela Putorius", + "turón", + "mustela putorius furo", + "Poecilogale", + "género Poecilogale", + "nutria", + "Enhydra", + "género Enhydra", + "Mephitis Macroura", + "mofeta de capucha", + "mofeta encapuchada", + "Mellivora", + "género Mellivora", + "Arctonyx Collaris", + "tejón cerdo", + "tejón porcino", + "Gulo Luscus", + "carcayú", + "glotón", + "gulo gulo", + "género Galictis", + "Martes", + "género Martes", + "marta", + "martes zibellina", + "eira barbara", + "conejo de Pascua", + "Mickey Mouse", + "Minnie", + "Minnie Mouse", + "Donald Duck", + "Mighty Mouse", + "hocico", + "probóscide", + "trompa", + "Dasypodidae", + "familia Dasypodidae", + "dasypodidae", + "Dasypus", + "género Dasypus", + "Tolypeutes Tricinctus", + "apar", + "apara", + "género Cabassous", + "Euphractus Sexcinctus", + "guacalate", + "peludo", + "tatú-poyú", + "Priodontes", + "género Priodontes", + "Chlamyphorus", + "género Chlamyphorus", + "Bradypus", + "género Bradypus", + "Megatherium", + "género Megatherium", + "mapinguarí", + "Myrmecophagidae", + "familia Myrmecophagidae", + "Myrmecophaga", + "género Myrmecophaga", + "Cyclopes Didactylus", + "oso hormiguero didáctilo", + "oso hormiguero pigmeo", + "oso hormiguero sedoso", + "género Tamandua", + "tamandua", + "Manidae", + "familia Manidae", + "Manis", + "género Manis", + "corvejón", + "lomo", + "ancas", + "cuartos traseros", + "grupa", + "posaderas", + "rabadilla", + "pata", + "brazo", + "delantera", + "codo", + "guarisapo", + "renacuajo", + "primate", + "simiiformes", + "simio", + "mono", + "simio", + "Anthropoidea", + "suborden Anthropoidea", + "primate antropoide", + "Hominoidea", + "superfamilia Hominoidea", + "hominóideo", + "homínido", + "género Homo", + "hombre", + "hombre", + "humanidad", + "mundo", + "homo habilis", + "homo sapiens", + "hombre de Cro-magnon", + "Plesianthropus", + "género Plesianthropus", + "Lucy", + "Sivapithecus", + "Proconsul", + "Pongo", + "género Pongo", + "género Gorilla", + "gorila", + "gorilla", + "Gorilla Gorilla Beringei", + "gorila de monataña", + "gorila de montaña", + "pan", + "pan", + "simios menores", + "Hylobates", + "género Hylobates", + "hylobates", + "symphalangus syndactylus", + "Cercopithecidae", + "familia Cercopithecidae", + "simio", + "catarrino", + "Cercopithecus", + "género Cercopithecus", + "Cercocebus", + "género Cercocebus", + "Erythrocebus", + "género Erythrocebus", + "papio", + "Papio", + "género Papio", + "Mandrillus", + "género Mandrillus", + "Macaca", + "género Macaca", + "Macaca Irus", + "macaco cangrejero", + "Presbytes", + "género Presbytes", + "langur", + "hánuman", + "Nasalis", + "género Nasalis", + "Platyrrhini", + "superfamilia Platyrrhini", + "Callithricidae", + "familia Callithricidae", + "callithrix", + "Callithrix", + "género Callithrix", + "marmosete verdadero", + "Cebuella", + "género Cebuella", + "Leontocebus", + "género Leontideus", + "género Leontocebus", + "saguinus", + "Cebus", + "género Cebus", + "Aotus", + "género Aotus", + "Alouatta", + "género Alouatta", + "Pithecia", + "género Pithecia", + "Cacajao", + "género Cacajao", + "cacajao", + "Callicebus", + "género Callicebus", + "callicebus", + "Ateles", + "género Ateles", + "Saimiri", + "género Saimiri", + "Lagothrix", + "género Lagothrix", + "Ptilocercus", + "género Ptilocercus", + "prosimii", + "lemuriformes", + "Lemuridae", + "familia Lemuridae", + "género Lemur", + "Daubentonia", + "género Daubentonia", + "daubentonia madagascariensis", + "género Loris", + "perodicticus potto", + "género Galago", + "género Indri", + "indri indri", + "Tarsiidae", + "familia Tarsiidae", + "tarsius", + "Dermoptera", + "orden Dermoptera", + "Cynocephalus", + "género Cynocephalus", + "dermoptera", + "Elephantidae", + "familia Elephantidae", + "elefante", + "elephantidae", + "Elephas", + "género Elephas", + "elefante blanco", + "mammuthus", + "mammutidae", + "Gomphotherium", + "género Gomphotherium", + "digitigrado", + "Procyonidae", + "familia Procyonidae", + "prociónido", + "Procyon", + "género Procyon", + "procyon lotor", + "Procyon Lotor", + "mapache", + "mapache común", + "uta", + "Procyon cancrivorus", + "mapache cangrejero", + "Bassariscus", + "género Bassariscus", + "bassariscus sumichrasti", + "potos flavus", + "Nasua", + "género Nasua", + "Nasua narica", + "coatí", + "cusumbes", + "gatos solos", + "guaches", + "pizotes", + "Ailurus", + "género Ailurus", + "panda", + "pez", + "pisces", + "pescado", + "Channidae", + "clase Channidae", + "Latimeria", + "género Latimeria", + "dipnoi", + "siluriformes", + "Siluridae", + "familia Siluridae", + "Silurus", + "género Silurus", + "Malopterurus", + "género Malopterurus", + "Ameiuridae", + "familia Ameiuridae", + "Ameiurus", + "género Ameiurus", + "Ictalurus", + "género Ictalurus", + "Pylodictus", + "género Pylodictus", + "Laricariidae", + "familia Laricariidae", + "Ariidae", + "familia Ariidae", + "Arius", + "género Arius", + "gadiforme", + "pez gadiforme", + "Gadus", + "género Gadus", + "Lota", + "género Lota", + "Melanogrammus", + "género Melanogrammus", + "melanogrammus aeglefinus", + "Pollachius", + "género Pollachius", + "Merluccius", + "género Merluccius", + "Urophycis", + "género Urophycis", + "Molva", + "género Molva", + "Brosmius", + "género Brosmius", + "Macrouridae", + "Macruridae", + "familia Macrouridae", + "familia Macruridae", + "macrouridae", + "Anguilla", + "género Anguilla", + "Anguilla Sucklandii", + "Tuna", + "Muraenidae", + "familia Muraenidae", + "Congridae", + "familia Congridae", + "pez teleósteo", + "teleostei", + "teleósteo", + "Gonorhynchidae", + "familia Gonorhynchidae", + "Clupeidae", + "familia Clupeidae", + "Alosa", + "género Alosa", + "alosa", + "Alosa Sapidissima", + "sábalo americano", + "alosa pseudoharengus", + "Brevoortia", + "género Brevoortia", + "Clupea", + "género Clupea", + "Sardina", + "género Sardina", + "género Sardinia", + "Sardinops", + "género Sardinops", + "Engraulidae", + "familia Engraulidae", + "Engraulis", + "género Engraulis", + "Salmonidae", + "familia Salmonidae", + "Salmo", + "género Salmo", + "Salvelinus", + "género Salvelinus", + "Coregonus", + "género Coregonus", + "Prosopium", + "género Prosopium", + "Prosopium Williamsonii", + "Osmeridae", + "familia Osmeridae", + "Osmerus", + "género Osmerus", + "Mallotus", + "género Mallotus", + "mallotus villosus", + "Elopidae", + "familia Elopidae", + "género Tarpon", + "megalopidae", + "Elops", + "género Elops", + "Elops Saurus", + "alburno", + "macabijo", + "Albulidae", + "familia Albulidae", + "Argentina", + "argentina", + "género Argentina", + "myctophidae", + "chlorophthalmidae", + "alepisauridae", + "pez lanceta", + "Lampridae", + "familia Lampridae", + "Lampris", + "género Lampris", + "lampris", + "Lampris Guttatus", + "opa", + "Trachipteridae", + "familia Trachipteridae", + "Trachipterus", + "género Trachipterus", + "Trachipterus Arcticus", + "traquíptero", + "Regalecidae", + "familia Regalecidae", + "Reglaecus", + "género Reglaecus", + "regalecidae", + "trachipteridae", + "Lophius", + "género Lophius", + "lophiiformes", + "Batrachoididae", + "familia Batrachoididae", + "batrachoididae", + "antennariidae", + "belonidae", + "hemiramphidae", + "acantopterigio", + "perciforme", + "percóideo", + "pez percóideo", + "Percidae", + "familia Percidae", + "perca", + "Perca", + "género Perca", + "Perca Flavescens", + "perca amarilla", + "Stizostedion", + "género Stizostedion", + "Stizostedion Vitreum", + "lucioperca americana", + "sander vitreus", + "Carapidae", + "familia Carapidae", + "carapidae", + "Centropomus", + "género Centropomus", + "lates calcarifer", + "Esocidae", + "familia Esocidae", + "Pomoxis", + "género Pomoxis", + "lepomis gibbosus", + "Lepomis Punctatus", + "pez sol manchado", + "Micropterus Pseudoplites", + "perca Kentucky", + "Centropristis", + "género Centropristis", + "Centropistes Striata", + "lubina negra", + "Polyprion", + "género Polyprion", + "epinephelinae", + "Mycteroperca", + "género Mycteroperca", + "Hipsurus caryi", + "perca arcoiris", + "Priacanthus", + "género Priacanthus", + "Apogon", + "género Apogon", + "Lopholatilus chamaeleonticeps", + "blanquillo", + "Pomatomidae", + "familia Pomatomidae", + "Pomatomus", + "género Pomatomus", + "pomatomidae", + "rachycentron canadum", + "Echeneis", + "género Echeneis", + "carángido", + "pez carángido", + "Caranx", + "género Caranx", + "Oligoplites", + "género Oligoplites", + "Trachurus Symmetricus", + "jurel", + "jurel español", + "Decapterus", + "género Decapterus", + "Brama", + "género Brama", + "Characinidae", + "familia Characinidae", + "carácido", + "pez carácido", + "Hemigrammus", + "género Hemigrammus", + "tetra", + "Serrasalmus", + "género Serrasalmus", + "antena", + "Cichlidae", + "familia Cichlidae", + "cichlidae", + "Lutjanidae", + "familia Lutjanidae", + "Haemulidae", + "familia Haemulidae", + "Haemulon", + "género Haemulon", + "Anisotremus surinamensis", + "burro negro", + "burro pompón", + "Orthopristis chrysopterus", + "corocoro burro", + "vieja", + "Sparidae", + "familia Sparidae", + "besugo", + "Pagellus", + "géero Pagellus", + "Calamus penna", + "pluma cachicato", + "Stenotomus", + "género Stenotomus", + "Equetus", + "género Equetus", + "Equetus lanceolatus", + "obispo coronado", + "Bairdiella", + "género Bairdiella", + "Sciaena", + "género Sciaena", + "Micropogonias", + "género Micropogonias", + "Umbrina", + "género Umbrina", + "Umbrina roncador", + "verrugato aleta amarilla", + "Cynoscion", + "género Cynoscion", + "Mullidae", + "familia Mullidae", + "Mullus", + "género Mullus", + "Mugilidae", + "familia Mugilidae", + "Mugil", + "género Mugil", + "Mugil curema", + "mújol blanco", + "sphyraena", + "Pempheridae", + "familia Pempheridae", + "Kyphosidae", + "familia Kyphosidae", + "Kyphosus", + "género Kyphosus", + "Chaetodontidae", + "familia Chaetodontidae", + "género Chaetodon", + "chaetodon", + "Pomacanthus", + "género Pomacanthus", + "angelote", + "pez ángel", + "Pomacentridae", + "familia Pomacentridae", + "damisela", + "Pomacentrus", + "género Pomacentrus", + "Amphiprion percula", + "pez payaso", + "Labridae", + "familia Labridae", + "labridae", + "lachnolaimus maximus", + "Halicoeres radiatus", + "doncella arcoiris", + "Hemipteronatus", + "género Hemipteronatus", + "Tautoga", + "género Tautoga", + "tautoga onitis", + "tautogolabrus adspersus", + "Scaridae", + "familia Scaridae", + "scaridae", + "Polynemidae", + "familia Polynemidae", + "Opisthognathidae", + "familia Opisthognathidae", + "Uranoscopidae", + "familia Uranoscopidae", + "uranoscopidae", + "Dactyloscopidae", + "familia Dactyloscopidae", + "Blennioidea", + "suborden Blennioidea", + "Blennius", + "género Blennius", + "clinidae", + "Chaenopsis ocellata", + "blénido anguila", + "Pholis", + "género Pholis", + "Stichaeidae", + "familia Stichaeidae", + "Anarhichadidae", + "familia Anarhichadidae", + "Anarhichas", + "género Anarhichas", + "Zoarcidae", + "familia Zoarcidae", + "Zoarces", + "género Zoarces", + "Ammodytidae", + "familia Ammodytidae", + "Ammodytes", + "género Ammodytes", + "Callionymidae", + "familia Callionymidae", + "callionymidae", + "Gobiidae", + "familia Gobiidae", + "periophthalmus", + "Eleotridae", + "familia Eleotridae", + "Percophidae", + "familia Percophidae", + "Toxotidae", + "familia Toxotidae", + "Toxotes", + "género Toxotes", + "Microdesmidae", + "familia Microdesmidae", + "Acanthuridae", + "familia Acanthuridae", + "Acanthurus", + "género Acanthurus", + "Gempylidae", + "familia Gempylidae", + "Gempylus", + "género Gempylus", + "lepidocybium flavobrunneum", + "Trichiuridae", + "familia Trichiuridae", + "Scombroidea", + "suborden Scombroidea", + "Scombridae", + "familia Scombridae", + "verdel", + "Scomber", + "género Scomber", + "Scomber colias", + "carite", + "Acanthocybium", + "género Acanthocybium", + "Scomberomorus", + "género Scomberomorus", + "thunnus alalunga", + "Sarda", + "género Sarda", + "sarda", + "bonito", + "bonítalo", + "Xiphias", + "género Xiphias", + "xiphias gladius", + "Istiophoridae", + "familia Istiophoridae", + "istiophorus", + "Istiophorus", + "género Istiophorus", + "Makaira", + "género Makaira", + "Luvaridae", + "familia Luvaridae", + "Luvarus", + "género Luvarus", + "luvarus imperialis", + "Stromateidae", + "familia Stromateidae", + "pez lima", + "hyperglyphe perciformis", + "Gobiesocidae", + "familia Gobiesocidae", + "Gobiesox", + "género Gobiesox", + "Lobotidae", + "familia Lobotidae", + "Lobotes", + "género Lobotes", + "Lobotes pacificus", + "dormilona del Pacífico", + "Gerreidae", + "Gerridae", + "familia Gerreidae", + "familia Gerridae", + "Gerres", + "género Gerres", + "Sillago", + "género Sillago", + "Amia", + "género Amia", + "amia calva", + "Polyodontidae", + "familia Polyodontidae", + "Polyodon", + "género Polyodon", + "polyodontidae", + "Acipenseridae", + "familia Acipenseridae", + "acipenseridae", + "Acipenser", + "género Acipenser", + "Lepisosteus", + "género Lepisosteus", + "lepisosteiformes", + "Scleroparei", + "orden Scleroparei", + "Scorpaenidae", + "familia Scorpaenidae", + "Scorpaena", + "génro Scorpaena", + "Pterois", + "género Pterois", + "Synanceja", + "género Synanceja", + "Sebastodes", + "género Sebastodes", + "Cottidae", + "familia Cottidae", + "Cottus", + "género Cottus", + "Hemitripterus", + "género Hemitripterus", + "Myxocephalus", + "género Myxocephalus", + "Cyclopteridae", + "familia Cyclopteridae", + "Cyclopterus", + "género Cyclopterus", + "Liparidae", + "Liparididae", + "familia Liparidae", + "familia Liparididae", + "Liparis", + "género Liparis", + "liparidae", + "Agonidae", + "familia Agonidae", + "Agonus", + "género Agonus", + "Aspidophoroides", + "género Aspidophoroides", + "Hexagrammidae", + "familia Hexagrammidae", + "Hexagrammos", + "género Hexagrammos", + "Platycephalidae", + "familia Platycephalidae", + "Triga", + "género Triga", + "Dactylopteridae", + "familia Dactylopteridae", + "orden plectognato", + "orden tetraodontiformes", + "plectognatos", + "Balistidae", + "familia Balistidae", + "balistidae", + "Balistes", + "género Balistes", + "Monocanthidae", + "familia Monocanthidae", + "monacanthidae", + "Monocanthus", + "género Monocanthus", + "Ostraciidae", + "familia Ostraciidae", + "familia Ostraciontidae", + "Tetraodontidae", + "Ttetraodontidae", + "familia Ttetraodontidae", + "Diodontidae", + "familia Diodontidae", + "Diodon", + "género Diodon", + "diodontidae", + "Chilomycterus", + "género Chilomycterus", + "Molidae", + "familia Molidae", + "género Mola", + "Heterosomata", + "orden heterosomata", + "orden pleuronectiformes", + "Pleuronectidae", + "familia Pleuronectidae", + "Pleuronectes", + "género Pleuronectes", + "Hippoglossus", + "género Hippoglossus", + "Hippoglossus stenolepsis", + "halibut del Pacífico", + "Etropus Rimosus", + "lenguado sombreado", + "psetta maxima", + "Cynoglossidae", + "familia Cynoglossidae", + "Soleidade", + "familia Soleidade", + "Solea", + "género Solea", + "somitas", + "ábaco", + "abatis", + "mifepristona", + "abstracción", + "pintura abstracta", + "arte abstracto", + "academia", + "acceso", + "entrada", + "paso", + "complemento", + "complemento", + "alojamiento", + "hospedaje", + "acordeón", + "as", + "acebutolol", + "paracetamol", + "fenacetina", + "Elvis", + "LSD", + "Looney Toons", + "Lucy in the sky with diamonds", + "Superman", + "Zen", + "dosis", + "ilusión", + "inyección", + "ácido", + "ácido sulfúrico", + "acústica", + "actinomicina", + "actuador", + "Adam", + "Cristal", + "XTC", + "droga del abrazo", + "galleta disco", + "x", + "éxtasis", + "ladrón", + "boca", + "entrada", + "llave inglesa", + "adyuvante", + "complementario", + "adorno", + "bosquejo", + "esbozo", + "esquema", + "azuela", + "aerosol", + "peluca afro", + "postcombustión", + "herrete", + "agonista", + "ágora", + "perfil alar", + "pistola neumática", + "rifle neumático", + "martillo mecánico", + "aerolínea", + "negocio de aerolínea", + "vía aérea", + "avión de línea", + "corresponsal aéreo", + "conducto aéreo", + "pasaje aéreo", + "vía de ventilación", + "aeroplano", + "avión", + "aeropuerto", + "chimenea de ventilación", + "pozo de ventilación", + "dirigible", + "franja", + "franja de vuelo", + "pista", + "pista de aterrizaje", + "alarma", + "alarma", + "reloj de alarma", + "alba", + "hueco", + "alambique", + "alidada", + "llave allen", + "tornillo allen", + "llave allen", + "allopurinol", + "alprazolam", + "altar", + "altar", + "retablo", + "hoja aluminio", + "hoja de aluminio", + "papel aluminio", + "girola", + "La bandera llena de estrellas", + "bandera de EEUU", + "bandera estadounidense", + "estrellas y bandas", + "AMEX", + "American Stock Exchange", + "CURB", + "amiodarona", + "amitriptilina", + "amoxicilina", + "anfiteatro", + "anfiteatro", + "ánfora", + "anfotericina", + "Polycillin", + "Principen", + "SK-Ampicillin", + "ampicilina", + "etapa de potencia", + "anacronismo", + "computadora analógica", + "ordenador real", + "androide", + "hombre mecánico", + "humanoide", + "anemómetro", + "Anestil", + "codo", + "ankus", + "ala", + "anodo", + "antefijo", + "antena", + "entrada", + "recibidor", + "vestíbulo", + "bactericida", + "antibiótico", + "droga antibiótica", + "medicamento antibiótico", + "anticolinérgico", + "anticoagulante", + "medicamento anticoagulante", + "antiepiléptico", + "antidepresivo", + "antiemético", + "fungicida", + "antihipertensivo", + "droga antihipertensiva", + "medicamento antihipertensivo", + "antiinflamatorio", + "antimacasar", + "antimetabolito", + "antimetabólico", + "antineoplásico", + "antigüedad", + "antigüedad", + "apartamento", + "piso", + "abertura", + "aparato", + "dispositivo", + "apéndice", + "manzanar", + "aparato", + "gadget", + "ingenio", + "delantal", + "pista", + "ábside", + "acuario", + "vivero", + "pérgola", + "arboreto", + "arco", + "arco", + "arquitectura", + "arquitrabe", + "archivo", + "chanclo de goma", + "zona", + "área", + "arena", + "campo", + "palestra", + "argyll", + "brazo", + "brazo", + "armamento", + "brazalete", + "butaca", + "sillón", + "armadura", + "blindaje", + "árnica", + "galas", + "puerta de llegada", + "arsenal", + "arsenal", + "arte", + "bellas artes", + "vía arterial", + "vía principal", + "mercancía", + "flor artificial", + "arma", + "atelier", + "sillar", + "cenicero", + "aspirina", + "satélite astronómico", + "atenolol", + "atanor", + "telamón", + "reloj atómico", + "pulverizador", + "atorvastatina", + "maletín", + "anexo", + "lazo", + "ligadura", + "unión", + "atenuador", + "traje", + "vestido", + "barrena", + "barreno", + "berbiquí", + "taladro", + "accesorio para automóvil", + "autofoco", + "álbum de autógrafos", + "automática", + "automático", + "fusil ametrallador", + "fusil automático", + "autómata", + "robot", + "motor de automóvil", + "bomba auxiliar", + "avenida", + "bulevar", + "aviario", + "eje", + "eje", + "azatioprina", + "azitromicina", + "aztreonam", + "aceite para bebé", + "respaldo", + "espalda", + "escaño trasero", + "tablero", + "red troncal", + "fondo de escritorio", + "fondo de pantalla", + "porche trasero", + "serrucho de costilla", + "asiento trasero", + "pespunte", + "montante", + "sable", + "copia de seguridad", + "sistema de respaldo", + "patio trasero", + "bolsa", + "maleta", + "bolso", + "equipaje", + "maleta", + "baño maría", + "balanza", + "volante", + "Balbriggan", + "balcón", + "balcón", + "bala", + "balón", + "pelota", + "pelota", + "estabilizador", + "estabilizador de iluminación", + "campo de béisbol", + "cancha de béisbol", + "diamante", + "globo", + "globo", + "bomba globo", + "urna", + "salón de baile", + "bota con cordones", + "faja", + "faja", + "banda", + "anillas", + "vendaje", + "vendajes", + "Band Aid", + "canana", + "sierra de cinta", + "escenario", + "tarima", + "templete", + "dije", + "banco", + "banner", + "pancarta", + "serpentina", + "telón de publicidad", + "baranda", + "barandilla", + "banqueta", + "banquillo", + "taburete", + "baptisterio", + "pila bautismal", + "barra", + "barra", + "barra", + "púa", + "barra", + "barbeta", + "barbital", + "gabarra", + "barra magnética", + "careta con barras", + "galpón", + "calesa", + "cuba", + "cañón", + "barrera", + "obstáculo", + "bar", + "taberna", + "carretilla", + "base", + "fundamento", + "pie", + "soporte", + "base", + "base", + "base de operaciones", + "base", + "base", + "beisbol", + "gorra de béisbol", + "gorra de golf", + "gorra de jockey", + "guante", + "rodapié", + "sótano", + "sótano", + "basílica", + "basílica", + "cesto", + "aro", + "canasta", + "empuñadura de taza", + "puño", + "bajorrelieve", + "bajo", + "clarinete bajo", + "sousafón", + "cuna de mimbre", + "succionador de líquidos", + "bastión", + "alcázar", + "basuco", + "silla de baño", + "bata de baño", + "baño", + "limpiador de baño", + "accesorio de baño", + "sales de baño", + "bañera", + "baño", + "batista", + "posta", + "testigo", + "batería", + "crucero de batalla", + "crestería", + "casa de playa", + "cuenta", + "abalorio", + "astrágalo", + "cuenta", + "junquillo", + "abalorio", + "adorno de cuentas", + "ribeteador", + "superficie para junquillo", + "collar", + "hilera de cuentas", + "vaso campaniforme", + "vaso con pico", + "vaso de precipitación", + "viga", + "cama", + "lecho", + "asiento", + "capa", + "bed and breakfast", + "lecho", + "casa de locos", + "ropa de cama", + "petate", + "alcoba", + "dormitorio", + "habitación", + "apart hotel", + "estudio", + "cobertura", + "armazón de cama", + "marco de cama", + "colmena", + "colmena de abejas", + "panal", + "buscapersonas", + "mensáfono", + "barril de cerveza", + "barrilete de cerveza", + "botella de cerveza", + "bar", + "cantina", + "taberna", + "campana", + "campana", + "arco de campana", + "fuelle", + "timbre", + "carpa tipo campana", + "Belmont", + "parque Belmont", + "cinturón", + "belvedere", + "belvedire", + "mirador", + "banco", + "banquillo", + "tribunal", + "torno de banco", + "torno para banco", + "codo", + "curva", + "pliegue", + "ángulo", + "acodadora", + "curvadora", + "plegadora", + "benzodiazepina", + "aparejo Bermuda", + "aparejo bermuda", + "aparejo marconi", + "betel", + "bevatron", + "chaflanado", + "engranaje cónico", + "engranaje paralelo", + "bisel", + "chaflán", + "clarinete B bemol", + "buena prenda", + "bicornio", + "armazón para bicicletas", + "asiento de bicicleta", + "sillín", + "rueda de bicicleta", + "puerta biplegable", + "lente bifocal", + "Big Ben", + "Big H", + "H", + "azúcar morena", + "dama blanca", + "heroína", + "polvo blanco", + "trueno", + "cuartel", + "cubo", + "agavilladora", + "segadora-atadora", + "encuadernación", + "encuadernación", + "prismáticos", + "biochip", + "biolaboratorio", + "laboratorio biológico", + "Bioscope", + "birreta", + "bistró", + "mapa de bits", + "blanco y negro", + "monocromo", + "pizarra", + "pizarrón", + "tablero", + "caja negra", + "Jolly Roger", + "hoja", + "cuchilla", + "manta", + "alto horno", + "gelignita", + "sudadera", + "licuadora", + "cortina", + "pantalla", + "persiana", + "bloque", + "bloque", + "bloqueo", + "estorbo", + "bloque", + "bloqueo", + "cierre", + "detención", + "obstrucción", + "oclusión", + "parada", + "aparejo", + "blueprint", + "lima despuntada", + "tabla", + "tablero", + "tablero", + "pensión", + "tablas", + "escenario", + "tablas", + "teatro", + "entablado", + "pasarela", + "barco", + "bote", + "embarcación", + "bobsleigh", + "armadura", + "cañón automático antiaéreo", + "cizalla", + "corta pernos", + "corta tornillos", + "bomba", + "explosivo", + "cazadora", + "bombie", + "bomba", + "obús", + "mira de bombardeo", + "visor de bombardeo", + "ejemplar", + "libro", + "volumen", + "biblioteca", + "estantería", + "marcapágina", + "bibliobús", + "biblioteca", + "búmeran", + "amiplificador de voltaje", + "elevador de voltaje", + "estación de amplificación", + "estación de enlace", + "impulsor", + "sistema de enlace", + "sobrealimentador", + "transmisor de enlace", + "bota", + "cabina", + "quiosco", + "parada", + "cubículo", + "oreja", + "borde", + "bota", + "botella", + "tapa de botella", + "barco mercante", + "buque de carga", + "carguero", + "marino mercante", + "boudoir", + "gabinete", + "tocador", + "Bouncing Betty", + "mina-S", + "mina saltarina", + "ramo", + "Bourse", + "boutique", + "arco", + "arco", + "lazo", + "as de guía", + "bolina", + "cuerda de arco", + "corbatín", + "caja", + "palco", + "asiento de caseta", + "caseta", + "cuadrilátero de boxeo", + "ring", + "asiento de palco", + "aparato", + "aparatos", + "corrector", + "frenillo", + "freno", + "ortodoncia fija", + "trenza", + "freno", + "pedal de freno", + "zapata", + "instrumentos de metal", + "metal", + "metal viento", + "placa", + "placa conmemorativa", + "latonería", + "brasserie", + "sostén", + "panera", + "placa de pruebas", + "patrocinio", + "pechera", + "peto", + "plastrón", + "égida", + "recámara", + "taparrabos", + "ladrillo", + "horno ladrillero", + "aparejo", + "calicanto", + "enladrillado", + "mampostería", + "puente", + "puente", + "puente", + "cartera", + "ordenador de maletín", + "slip", + "bergantín", + "bergantín", + "bergantín hermafrodita", + "borde", + "lado", + "brocheta", + "emisora", + "estación emisora", + "sable", + "broncodilatador", + "bronce", + "broche", + "Puente de Brooklyn", + "piedra rojiza", + "Brown", + "Universidad de Brown", + "cubo", + "pantalón de ante", + "búfer", + "memoria intermedia", + "aparador", + "edificio", + "inmueble", + "complejo", + "bula", + "topadora", + "bala", + "BBS", + "bala", + "tren bala", + "corrida de toros", + "altoparlante", + "megáfono", + "lingote de metal", + "celda", + "plaza de toros", + "bulto", + "fajo", + "lío", + "tapón", + "tapón roscado", + "cabaña", + "bungee", + "cuerda bungee", + "colchoneta", + "litera", + "tumbona", + "fosa", + "trampa", + "trampa de arena", + "búnker", + "Burberry", + "bureta", + "túmulo", + "burka", + "albornoz", + "carga", + "cargo", + "autobús", + "bote", + "bus", + "embarrado", + "cazadora", + "coturno", + "línea de autobuses", + "buspirona", + "bustier", + "extremo", + "punta", + "bisagra plana", + "botón", + "botón", + "spin-off", + "taxi", + "cabina", + "tronco", + "cabaña", + "cabina", + "furgón de cola", + "armario", + "vitrina", + "transatlántico con cabinas", + "cable", + "cable", + "línea", + "línea de transmisión", + "choche", + "funicular", + "teleférico", + "caché", + "memoria caché", + "café", + "caftán", + "jaula", + "impermeable", + "arcón de armas", + "arcón de municiones", + "carro de municiones", + "remolque de municiones", + "caldero", + "calandrado", + "calicó", + "percal", + "calibre", + "tablero de llamadas", + "leva", + "almófar", + "Cambridge", + "Cambridge University", + "videocámara", + "videograbadora", + "camafeo", + "cámara", + "combinación", + "camuflage", + "cantón", + "campamento", + "caravana", + "remolque", + "tráiler", + "pomada de alcanfor", + "arbol de levas", + "bote", + "lata", + "canal", + "canal de navegación", + "candela", + "cerillo", + "vela", + "candelero", + "pabilo", + "vara", + "bote", + "chocolate", + "cáñamo", + "hierba", + "marihuana", + "maría", + "balde de madera", + "cuba", + "cañón", + "comedor", + "cantina", + "carpa de lona", + "lona", + "tienda de lona", + "gorra", + "condensador", + "caparazón", + "capa", + "Capitolio", + "edificio del Capitolio", + "abrigo encapuchado", + "capote", + "tornillo de casquete", + "captopril", + "auto", + "automóvil", + "carro", + "coche", + "máquina", + "turismo", + "vehículo", + "automotor", + "coche", + "vagón", + "caja", + "caja de ascensor", + "barquilla", + "mosquetón", + "decantador", + "damajuana", + "carta", + "salón de juegos", + "mesa de cartas", + "transbordador de coches", + "carga", + "carga de pago", + "partida", + "helicóptero de carga", + "transbordador de carga", + "buque de carga", + "embarcación de carga", + "carillón", + "Universidad Carnegie Mellon", + "cinta de equipaje", + "telar de alfombras", + "carruaje", + "coche de caballos", + "carro", + "carro", + "bolsa de viaje", + "bolso", + "capazo", + "carro", + "cartucho egipcio", + "tren para coches", + "carvedilol", + "escaparate", + "vitrina", + "caja registradora", + "alcancía", + "caja registradora", + "registradora", + "marco", + "casino", + "torre", + "arbalesta", + "balista", + "fundíbulo", + "mangonel", + "caja de gato", + "seguro", + "trastero", + "catgut", + "cátedra", + "catedral", + "catedral", + "fuegos artificiales giratorios", + "molinete", + "cátodo", + "aparejo de laúd", + "botella de ketchup", + "barco ganadero", + "buque ganadero", + "sable", + "caveto", + "esgucio", + "CD-R", + "arca de cedro", + "arcón de cedro", + "baúl de cedro", + "cajón de cedro", + "Ultracef", + "cefadroxilo", + "cefoperazona", + "cefotaxima", + "ceftazidima", + "ceftriaxona", + "cefuroxima", + "techo", + "Celebrex", + "Celecoxib", + "celecoxib", + "célula", + "pila", + "celda", + "celda", + "celda", + "almacenaje", + "celo", + "cruz celta", + "centro", + "centro", + "exterior central", + "centro de mesa", + "termómetro centígrado", + "CPU", + "UCP", + "procesador", + "cefalosporinas", + "Cefalotin", + "cerámica", + "cerámica", + "bol de cereales", + "cuenco de cereales", + "plato de cerea", + "tazón de cereales", + "cerivastatina", + "chuchería", + "chador", + "cadena", + "cadena", + "cadena", + "cota de malla", + "sucursal", + "llave de cadena", + "silla", + "chaise", + "chaise longue", + "diván", + "meridiana", + "copa", + "cáliz", + "creta", + "tiza", + "cantera de creta", + "cámara", + "bacineta", + "bacinica", + "bacinilla", + "bacín", + "cambray", + "lámpara de araña", + "canal", + "canal de TV", + "canal de televisión", + "punteiro", + "capilla", + "capilla", + "sala capitular", + "sala capitular", + "impresora de impacto", + "impresora en serie", + "carboncillo", + "carbón", + "quemador para carbón", + "charcutería", + "carro", + "carta", + "cartuja", + "chateau", + "cinturón", + "caja", + "laboratorio de química", + "arca", + "chesterfield", + "chesterfield", + "gallinero", + "chifonier", + "comoda", + "campanas tubulares", + "gong", + "chimenea", + "porcelana", + "vajilla de porcelana", + "chinos", + "chinoiserie", + "chintz", + "cretona", + "cincel", + "clámide", + "clorambucil", + "cloranfenicol", + "clordiazepóxido", + "clorhexidina", + "clorotiazida", + "Cloro-Trimetón", + "Coricidín", + "maleato de clorfeniramina", + "clorpromazina", + "carromato de provisiones", + "iglesia", + "Churchill Downs", + "lagar", + "cigarrillo", + "cigarro", + "puro", + "caja de puros", + "cortador de puros", + "cigarrillo", + "cimetidina", + "sendero de cenizas", + "cine", + "ciprofloxacino", + "aro", + "círculo", + "redondela", + "rueda", + "circuito", + "tarjeta", + "tarjeta de expansión", + "circo", + "carpa circense", + "carpa de circo", + "citole", + "ropa civil", + "cárcel", + "excavadora de almeja", + "claro", + "clase", + "claymore", + "pipa de arcilla", + "estoperoles", + "cuchilla", + "claristorio", + "palacio Anasazi", + "vivienda Anasazi", + "vivienda en acantilado", + "remache", + "clínica", + "clinómetro", + "imágenes prediseñadas", + "podadoras", + "cliper", + "capa", + "manto", + "mantón", + "guardarropa", + "reloj", + "esfera", + "clofibrato", + "almadreña", + "chanclo", + "galocha", + "sabot", + "zueco", + "clomipramina", + "clonidina", + "acercamiento", + "closeup", + "atavío", + "indumentaria", + "ropa", + "vestimenta", + "vestuario", + "nudo", + "clozapina", + "club", + "clube", + "tertulia", + "embrague", + "embrague", + "pedal de embrague", + "monedero", + "Torre CN", + "contenedor de carbón", + "tolva para carbón", + "bodega de carbón", + "pala de carbón", + "abrigo", + "armario de abrigos", + "armario para abrigos", + "baño", + "capa", + "mano", + "recubrimiento", + "escudo", + "cable coaxial", + "coaxial", + "tela de araña", + "blanca nieves", + "coca", + "cocaína", + "nieve", + "polvo", + "gallera", + "mezclador de cócteles", + "bragueta de armar", + "máquina de café", + "molino de café", + "cofre", + "caja", + "diente de engranaje", + "diente de rueda", + "eslabón", + "oruga", + "piñón", + "rueda dentada", + "tocado", + "roleo", + "C", + "blow", + "caramelo", + "coca", + "nieve", + "colchicina", + "vivienda básica", + "montaje", + "collar", + "colimador", + "agua de colonia", + "colonia", + "colores", + "Columbia", + "Universidad de Columbia", + "columna", + "columna", + "poste", + "artículo", + "bien", + "bien comercial", + "género", + "mercancía", + "sala", + "sala común", + "salón", + "centro social", + "disco compacto", + "quemador de CD", + "brújula", + "componente", + "elemento", + "composición", + "recinto", + "computadora", + "ordenador", + "procesador", + "grafismo por ordenador", + "informática gráfica", + "teclado", + "monitor", + "pantalla de ordenador", + "monitor de ordenador", + "pantalla de ordenador", + "condón", + "goma", + "preservativo", + "profiláctico", + "comunidad de propietarios", + "conductor", + "canal", + "cono", + "confitería", + "tienda de chucherías", + "confesionario", + "caveto", + "conector", + "conexión", + "torre de mando", + "conservatorio", + "contacto", + "contenedor", + "contrabando", + "circuito de control", + "control", + "tablero", + "sistema de control", + "torre de control", + "convento", + "medio", + "medio de transporte", + "transporte", + "cocina", + "refrigeración", + "sistema de refrigeración", + "sistema de refrigeración", + "Cooper Union", + "capa pluvial", + "grabado en cobre", + "alfarería de cobre", + "copia", + "imitación", + "réplica", + "coracle", + "ménsula", + "cordel", + "cuerda", + "cordón", + "pantalones de pana", + "camino de rollizos", + "núcleo", + "núcleo magnético", + "corcho", + "corcho de botella", + "Universidad Cornell", + "Universidad de Cornell", + "esquina", + "esquina de calle", + "rincón", + "piedra angular", + "corneta", + "cornisa", + "cenefa", + "corredor", + "faja", + "disfraz", + "algodón", + "algodonera", + "mostrador", + "tacón", + "copia", + "encimera", + "superficie de mostrador", + "balance", + "contrapeso", + "ecualizador", + "casa de campo", + "campo", + "pista", + "terreno de juego", + "fila", + "hilera", + "patio", + "cancha", + "pista", + "corte", + "palacio de justicia", + "cubierta", + "cobertor", + "establo", + "establo de vacas", + "vaqueriza", + "corral", + "corral ganadero", + "corral para vacas", + "tarjeta CPU", + "tarjeta de CPU", + "crackle", + "cuna", + "nave", + "caja del cigüeñal", + "cárter", + "crayón", + "emoliente", + "ungüento", + "creación", + "belén", + "crepe", + "cretona", + "cuna", + "pesebre", + "miriñaque", + "crochet", + "cacharro de greda", + "cosecha", + "cruz", + "travesaño", + "sierra de recortar", + "cruce", + "verga seca", + "cruceta", + "copa", + "corona", + "crucifijo", + "cruz", + "vinajera", + "muleta", + "cristal", + "cristal", + "micrófono de cristal", + "cubo", + "codera", + "camarote", + "gemelos", + "muslera", + "quijote", + "canalón", + "culote", + "falda pantalón", + "culebrina", + "faja", + "taza", + "copa", + "armario", + "gancho para tazas", + "cúpula", + "mercado extrabursátil", + "curiosidad", + "peculiaridad", + "cortina", + "almohadón", + "cojín", + "a la medida", + "corte", + "cristal tallado", + "cubertería", + "relé", + "ciclobenzaprina", + "cilindro", + "cimacio", + "platillos", + "dacha", + "cepillo de ranurar", + "podio", + "púlpito", + "dique", + "represa", + "damasco", + "regulador de tiro", + "pista de baile", + "dapsona", + "cuarto oscuro", + "pinza", + "pinzo", + "dardo", + "Dartmouth College", + "dashiki", + "dispositivo de entrada", + "Copa Davis", + "diario", + "diario de contabilidad", + "libro de contabilidad", + "libro mayor", + "decalcomanía", + "cubierta", + "adorno", + "decoración", + "defensa", + "tajo", + "Demulen", + "gabinete", + "denim", + "dungaree", + "jean", + "densitómetro", + "hilo dental", + "dentadura", + "dentadura postiza", + "placa", + "placa dental", + "puerta de embarque", + "depósito", + "grua derrick", + "adorno", + "diseño", + "figura", + "patrón", + "anteproyecto", + "boceto", + "diseño", + "plano", + "escritorio", + "teléfono de escritorio", + "ordenador de sobremesa", + "torre", + "sensor", + "detector", + "detonador", + "desviación", + "aparato", + "dispositivo", + "mecanismo", + "aislante", + "frasco aislante", + "dhoti", + "dhow", + "diagrama", + "cuadro de diálogo", + "diamante", + "diapasón", + "servilleta", + "diaper", + "lienzo adamascado", + "diafragma", + "diario", + "diario de vida", + "diazepam", + "didanosina", + "Cataflam", + "diclofenaco", + "dicloxacilina", + "dicumarol", + "analizador diferencial", + "diflunisal", + "alojamiento", + "casa", + "domiciliación", + "pensión", + "trincheras", + "excavaciones", + "cámara digital", + "reloj digital", + "reloj digital", + "digoxina", + "diltiazem", + "dimmer", + "coche-comedor", + "coche restaurante", + "diner", + "comedor", + "tux", + "palangana", + "difenhidramina", + "fenitoína", + "dipolo eléctrico", + "díptico", + "dirk", + "dirndl", + "falda acampanada", + "disco", + "discoteca", + "disfraz", + "fuente", + "plato", + "bayeta", + "trapo para fregar", + "paño", + "trapo", + "lavavajilla", + "máquina lavavajilla", + "disco", + "disquetera", + "unidad de disco", + "muestra", + "presentación", + "pantalla", + "escaparate", + "basura", + "triturador de basura", + "distribuidor", + "disulfiram", + "vaso de papel", + "vaso desechable", + "carrito de perro", + "collar de perro", + "dogleg", + "chisme", + "muñeca", + "dolmán", + "cromlech", + "cúpula", + "cúpula", + "mochila", + "puerta", + "seguro", + "puerta", + "timbre", + "jamba de puerta", + "tirador", + "pestillo", + "umbral", + "sujetapuertas", + "acceso", + "portal", + "puerta", + "residencia", + "residencia de estudiantes", + "residencia universitaria", + "dosis", + "dosel", + "impresora matricial", + "traje cruzado", + "ligadora doble", + "ligadura doble", + "duplicador", + "palomar", + "Adapin", + "Sinequan", + "doxepin", + "hydrochloride", + "doxorrubicina", + "doxiciclina", + "boceto", + "bosquejo", + "Dragunov", + "sistema de drenaje", + "escurreplatos", + "escurridera", + "escurridor", + "suerte", + "cajón", + "gallumbos", + "dibujo", + "camarote", + "dreadnought", + "dragado", + "vestido", + "aparador", + "galera", + "bata", + "coqueto", + "tocador", + "galería", + "taladradora", + "cafetera de goteo", + "alameda", + "paseo", + "rambla", + "unidad", + "drive-in", + "eje de mando", + "eje motor", + "droga", + "fármaco", + "membranófono", + "parche de tambor", + "dique seco", + "mampostería en seco", + "horma", + "canal", + "ducto", + "piragua", + "Duke University", + "Universidad Duke", + "mancuerna", + "autovolquete", + "copia", + "duplicado", + "trapo", + "bata", + "gabardina", + "casa", + "domicilio", + "habitáculo", + "morada", + "piso", + "residencia", + "vivienda", + "pendiente", + "olla de barro", + "terraplén", + "poltrona", + "ala", + "alero", + "borde", + "margen", + "herramienta afiladora", + "piso monoambiente", + "edredón", + "codo", + "recodo", + "codo", + "tubo acodado", + "cable eléctrico", + "contacto eléctrico", + "convertidor eléctrico", + "planta eléctrica", + "sistema eléctrico", + "silla", + "silla eléctrica", + "silla mortal", + "motor eléctrico", + "electrógrafo", + "balanza electrónica", + "convertidor electrónico", + "monitor fetal", + "monitor fetal electrónico", + "electróforo", + "ferrocarril aéreo", + "elevación", + "ascensor", + "timón de profundidad", + "extensión", + "embajada", + "adorno", + "ornamento", + "adorno", + "bordado", + "labor", + "emético", + "vomitivo", + "vómito", + "emisor", + "Empire State Building", + "casco", + "utensilio esmaltado", + "enalapril", + "recinto", + "resto", + "producción", + "motor", + "grabado", + "ampliación", + "ampliadora fotográfica", + "conjunto", + "entablamento", + "acceso", + "boca", + "entrada", + "ingreso", + "vía de acceso", + "zapa", + "sobre", + "eolito", + "hombrera", + "equipamiento", + "equipo", + "EPROM", + "goma", + "goma de borrar", + "mecanismo de escape", + "esmolol", + "establecimiento", + "tamoxifeno", + "aguafuerte", + "Placydil", + "etclorvinol", + "ethernet", + "etosuximida", + "Lodine", + "etodolac", + "etodolaco", + "chaqueta estilo Eton", + "enfriador por evaporación", + "Excalibur", + "excavación", + "lonja", + "bicicleta de ejercicio", + "tubo de escape", + "salida", + "expectorante", + "exportación", + "autovía", + "vía expresa", + "extensión", + "ojo", + "parche", + "paño", + "tejido", + "tela", + "textil", + "trapo", + "fachada", + "cara", + "figura", + "instalación", + "servicio", + "facsímil", + "fabrica", + "fábrica", + "planta", + "punta", + "haz", + "termómetro Fahrenheit", + "fayenza", + "sistema infalible", + "bracamante", + "refugio antiatómico", + "dentadura falsa", + "cuarto de juego", + "famotidina", + "abanico", + "aventador", + "hoja de ventilador", + "motor a chorro", + "turbofan", + "turbojet", + "tracería de abanicos", + "cortijo", + "estancia", + "hacienda", + "masía", + "edificio agrícola", + "cortijo", + "hacienda", + "verdugado", + "cierre", + "ligadura", + "fauteuil", + "sillón", + "colchón de plumas", + "fieltro", + "sombrero de fieltro", + "circuito de realimentación", + "faluca", + "alambrada", + "cerca", + "contera", + "transbordador", + "faja", + "festón", + "fibra", + "fibroscopio", + "pañuelo", + "hospital de campaña", + "campo deportivo", + "inductor", + "barandilla", + "cabillero", + "guindaste", + "caza", + "figura", + "figurón de proa", + "mascarón de proa", + "servidor de archivos", + "filigrana", + "capa", + "película", + "película", + "cigarro con filtro", + "aleta", + "gala", + "diapasón", + "capa final", + "flauta dulce", + "fuego", + "hogar", + "arma", + "arma de fuego", + "campana de incendios", + "salida de emergencia", + "chimenea", + "hogar", + "cortafuego", + "aguja", + "campo de tiro", + "peonza", + "bandera", + "baldosa", + "laja", + "flageolet", + "baldosado", + "buque insignia", + "brida", + "oreja", + "pestaña", + "franela de algodón", + "franela fina", + "cámara con flash", + "destellador", + "enviador de señales", + "linterna", + "memoria flash", + "frasco", + "llanta desinflada", + "cuchillería", + "platería", + "antro", + "flor de lis", + "instructor", + "simulador de vuelo", + "aleta", + "piso", + "suelo", + "piso", + "planta", + "tabla de entarimado", + "suelo", + "alfombrilla", + "planta", + "antro", + "cotarro", + "flotilla", + "frasco de harina", + "tarro de harina", + "molino de harina", + "terraza", + "jardín de flores", + "fliscorno", + "mando hidráulico", + "transmisión hidráulica", + "turboembrague", + "uña", + "5-fluorouracilo", + "fluoxetina", + "flauta travesera", + "fluvastatina", + "pistola de flujo", + "tienda de campaña", + "atrapamoscas", + "faltriquera", + "bolsillo de chaleco", + "bolsillo para reloj", + "punto débil", + "foliación", + "follaje", + "arte popular", + "metraje", + "freno de pies", + "pedal de freno", + "puente peatonal", + "batería", + "candilejas", + "luces del proscenio", + "puf", + "calzado", + "calzado", + "castillo de proa", + "primer plano", + "puntal", + "gavia del trinquete", + "velacho", + "velacho alto", + "formación", + "fortificación", + "alcázar", + "fortaleza", + "fuerte", + "cuarenta y cinco", + "foulard", + "base", + "cimiento", + "fundamento", + "pie", + "fuente", + "fuente", + "fuente", + "pluma", + "4wd", + "tracción total", + "fracción", + "canastilla", + "canastillo", + "cesta", + "frisa", + "armadura", + "armazón", + "carcasa", + "cubierta superior", + "piñon libre", + "coche de carga", + "vagón de carga", + "fresco", + "traste", + "convento de frailes", + "fragata", + "volante", + "frisbee", + "portal", + "porche delantero", + "proyector", + "proyector de video", + "filtro de combustible", + "tubería de alimentación", + "tubería de combustible", + "tubería de llegada", + "sistema de combustible", + "falda larga", + "embudo", + "ambulancia de locos", + "piel", + "gorro de piel", + "sombrero de piel", + "atavíos", + "mobiliario", + "mueble", + "furosemida", + "surco", + "gabapentina", + "gaddi", + "artiligios", + "artilugios", + "cachivaches", + "chismes", + "cangreja", + "vela cangreja", + "galería", + "galería", + "galería", + "galera", + "pasarela", + "plancha", + "planchada", + "rampa de abordaje", + "resquicio", + "Garand", + "fusil Garand", + "m-1", + "rifle m-1", + "jardín", + "jardín", + "indumento", + "prenda", + "prenda de vestir", + "ropa", + "vestido", + "aderezo", + "adorno", + "guarnición", + "collar de hierro", + "garrote", + "garrote vil", + "liga", + "calefacción por gas", + "junta de estanqueidad", + "tubería de gas", + "bomba de combustible", + "surtidor de combustible", + "turbina de gas", + "baqueta", + "revólver", + "verja", + "casa del guarda", + "indicador", + "guante largo", + "guante de metal", + "guantelete", + "velo", + "gazebo", + "engranaje", + "accesorios", + "chisme", + "marcha", + "desplazador de engranajes", + "palanca de cambios", + "contador Geiger", + "contador de Geiger", + "joya", + "tesoro", + "gemfibrozil", + "generador", + "género", + "gentamicina", + "George Washington Bridge", + "gharry", + "radiocaset", + "suspensión cardán", + "cinturón", + "faja", + "vaso", + "cristalería", + "cortador de vidrio", + "vajilla de cristal", + "casa cural", + "casa del cura", + "casa parroquial", + "glipizida", + "Sistema de Posicionamiento Global", + "globo", + "globo terráqueo", + "glockenspiel", + "guante", + "Diabeta", + "Micronase", + "gliburida", + "arte glíptico", + "gliptografía", + "área", + "poste", + "copa", + "Puente Golden Gate", + "hoja de oro", + "laminilla de oro", + "lámina de oro", + "palo", + "góndola", + "panel", + "paño", + "gola", + "aguada", + "aguada", + "gubia", + "traje", + "tubo graduado", + "grial", + "santo grial", + "finca", + "granja", + "nudo corredizo", + "falda de rafia", + "tumba", + "gravera", + "losa", + "Escudo de los Estados Unidos", + "verdulería", + "granada", + "plancha", + "gres-gris", + "grigri", + "peluca gris", + "bolsa de compras", + "abacería", + "bóveda de crucería", + "bóveda por arista", + "bóveda vaída", + "grotesco", + "bajo", + "planta baja", + "plantación", + "vergel", + "protección", + "garita", + "oficina gremial", + "guitarra", + "gulag", + "arma de fuego", + "emplazamiento de armas", + "armamento", + "bolsa de arpillera", + "alza", + "gatillo", + "forro", + "refuerzo", + "bamba", + "zapatilla de gimnasia", + "hábito", + "simón", + "sierra para metales", + "Santa Sofía", + "curva de horquilla", + "alabarda", + "bisarma", + "medio punto cruz", + "semitonos", + "residencia universitaria", + "vestíbulo", + "haloperidol", + "halotano", + "bozal", + "cabeza de martillo", + "canasta", + "índice", + "carretilla", + "crema de manos", + "granada de mano", + "computadora de mano", + "ordenador de mano", + "asidero", + "pañuelo", + "agarradera", + "asa", + "asidero", + "guía", + "ala delta", + "madeja", + "cartone", + "disco duro", + "casco", + "arcén", + "hardtop", + "órgano", + "arpón", + "clavecín", + "Harvard", + "Universidad de Harvard", + "figón", + "picada", + "chocolate", + "sombrero", + "cinta", + "hatchback", + "hauberk", + "fardo de heno", + "obstáculo de campo", + "cabeza", + "lavabo de proa", + "cabeza", + "cara", + "cabecera", + "velo", + "sombrero", + "junta de culata", + "cabezada", + "bolo central", + "bolo delantero", + "cuartel", + "cuartel general", + "administración", + "reposacabezas", + "gimnasio", + "spa", + "coche fúnebre", + "corazón", + "hogar", + "calefactor", + "escudo térmico", + "pantalla térmica", + "heckelfón", + "tacón", + "talón", + "helicóptero", + "heliógrafo", + "helipuerto", + "casco", + "casco", + "pinza hemostática", + "gallinero", + "heparina", + "hermita", + "caballo", + "heroína", + "hexaclorofeno", + "resaltador", + "autopista", + "camino real", + "carretera", + "vía rápida", + "hiyab", + "estorbo", + "interferencia", + "petaca", + "petaca de bolsillo", + "hipódromo", + "pico", + "clavo", + "fortaleza", + "agarradera", + "agujero", + "cavidad", + "hueco", + "orificio", + "recipientes cóncavos", + "holograma", + "clínica", + "hogar", + "sanatorio", + "dispositivo de autodirección", + "garito", + "cogulla", + "gancho", + "chicha", + "montaje", + "aro", + "aro", + "crinolina", + "miriñaque", + "cana", + "hopper", + "estabilizador", + "bocina", + "horror", + "caballo", + "remolque para caballerías", + "herradura", + "alberge", + "albergue", + "hospedaje", + "clínica", + "hospital", + "Youth Hostel", + "albergue juvenil", + "hostal de estudiantes", + "albergue", + "hospedaje", + "hostal", + "hostería", + "posada", + "hotel", + "hotel-casino", + "habitación de hotel", + "centro de actividades", + "reloj de arena", + "casa", + "casa de naipes", + "castillo de naipes", + "tejado", + "chabola", + "aerodeslizador", + "howdah", + "carena", + "casco", + "quilla", + "velo", + "campamento", + "campamento de cabañas", + "hidralazina", + "transmisión hidráulica", + "hidroclorotiazida", + "hidroflumetiazida", + "hidroala", + "densímetro", + "hidromorfona", + "hidroxicina", + "hiosciamina", + "hipermercado", + "heladera", + "cancha de hielo", + "hielo", + "cubeta para hielo", + "carreta de hielo", + "carretón de hielo", + "iconoscopio", + "polea de guía", + "polea de tensión", + "polea intermedia", + "polea muerta", + "rueda loca", + "dios", + "ídolo", + "encendido", + "ignición", + "sistema de ignición", + "llave de contacto", + "llave de encendido", + "ilustración", + "imaret", + "imipramina", + "falsificación", + "impresora de impacto", + "impedimenta", + "impulsor", + "rodete", + "rueda", + "turbina", + "herramienta", + "impresión", + "huella", + "impresión", + "impronta", + "incinerador", + "Independence Hall", + "indicador", + "indinavir", + "iluminación indirecta", + "Indocin", + "indometacin", + "inductancia", + "inductor", + "infraestructura", + "lingote", + "ingrediente", + "inyector", + "botella de tinta", + "frasco de tinta", + "impresora de inyección", + "colector de admisión", + "cámara", + "insumo", + "plantilla", + "suela interna", + "idea", + "idea original", + "inspiración", + "institución", + "instrumento", + "instrumental", + "utillaje", + "toma", + "circuito integrado", + "integrador", + "cruce", + "portero electrónico", + "interferón", + "decoración", + "Internet", + "ciberespacio", + "internet", + "cruce", + "encrucijada", + "intersección", + "intranet", + "innovación", + "invención", + "invento", + "inversor", + "invertidor", + "negador", + "Atrovent", + "bromuro de ipratropio", + "plancha", + "artesanía del hierro", + "herraje", + "obras de hierro", + "trabajo en hierro", + "acequia", + "isla", + "isofluorano", + "isoniacida", + "itraconazol", + "chaqueta", + "cárcel", + "talego", + "trullo", + "celosía", + "frasco de mermelada", + "mermeladero", + "camiseta", + "cofia enjoyada", + "curro", + "trabajo", + "Johns Hopkins", + "canuto", + "juntura", + "diario", + "joystick", + "mirilla", + "ojo mágico", + "jarro", + "Juggernaut", + "jukebox", + "comba", + "mono", + "confluencia", + "conjunción", + "K", + "green", + "honey oil", + "jet", + "special K", + "súper C", + "súper ácido", + "valium de gato", + "kanamicina", + "catha edulis", + "catarómetro", + "kayak", + "mirlitón", + "quilla", + "mazmorra", + "torre del homenaje", + "recuerdo", + "reliquia", + "souvenir", + "cucha", + "ketamina", + "Orudis", + "Orudis KT", + "Oruvial", + "ketoprofeno", + "ketorolaco", + "caldera", + "timbal", + "llave", + "interruptor", + "tecla", + "khaddar", + "khadi", + "caqui", + "caquis", + "kiln", + "kilt", + "kinescopio", + "rey", + "rey", + "bulón de pivote", + "clavija maestra", + "muñón de articulación", + "perno maestro", + "equipo", + "macuto", + "mochila", + "morral", + "cocina", + "huerto", + "lavaplatos", + "mesa de cocina", + "cola de cometa", + "kitch", + "klistrón", + "rodilla", + "rodillero", + "rodillera", + "cuchillo", + "cuchillo", + "hoja de cuchilla", + "hoja de cuchillo", + "filo", + "tajo", + "caballo", + "tejido", + "máquina de tejer", + "punto", + "pomo", + "llamador", + "gotas de narcótico", + "lazo", + "nudo", + "kremlin", + "cris", + "cromorno", + "kurta", + "acantonamiento", + "laboratorio", + "banco de laboratorio", + "labetalol", + "encaje", + "lazo", + "lazo", + "blanco", + "hueco", + "laguna", + "vacío", + "escalera de mano", + "autoescala", + "vivienda lacustre", + "Lake Mead", + "lamasería", + "monasterio para lamas", + "lámpara", + "chimenea", + "chimenea de quinqué", + "tubo de cristal", + "tubo de lámpara", + "caja de lámpara", + "farola", + "pantalla", + "arco apuntado", + "arco lanceolado", + "lanceta", + "descansillo", + "descanso", + "rellano", + "tren de aterrizaje", + "manga", + "patín de aterrizaje", + "paisaje", + "paisajismo", + "carril", + "farol", + "solapa", + "ínfula", + "ordenador portátil", + "portátil", + "laringoscopio", + "láser", + "lazo", + "vela bastarda triangular", + "vela latina", + "torno", + "cruz latina", + "greca", + "láudano", + "carro de lavandería", + "tribunal", + "tribunal de justicia", + "cortadora", + "cortadora de césped", + "motosegadora", + "laxante", + "capa", + "mina", + "facistol", + "lederhosen", + "pata", + "botella de Leyden", + "jarra de Leyden", + "limonar", + "lenitivo", + "lente", + "leotardo", + "abrecartas", + "dique natural", + "nivel", + "palanca", + "palanca", + "Campana de la Libertad", + "biblioteca", + "biblioteca", + "biblioteca", + "detector de mentiras", + "bote salvavidas", + "ligamento", + "luz", + "arma liviana", + "bombilla", + "encendedor", + "mechero", + "limelight", + "limitador", + "Monumento a Lincoln", + "línea", + "línea", + "línea ferroviaria", + "vía", + "línea", + "lencería", + "nudo", + "conexión", + "linograbado", + "bálsamo labial", + "brillo labial", + "estatina", + "lápiz labial", + "lisinopril", + "librea", + "vivienda", + "cuarto de estar", + "locutorio", + "salón", + "carga", + "carga", + "langostera", + "cerradura", + "guardapelo", + "arandela de seguridad", + "roldana de presión", + "celda", + "pensión", + "loft", + "logia", + "Lomotil", + "plano general", + "atalaya", + "telar", + "lorazepam", + "camión", + "altavoz", + "sala de espera", + "celosía", + "ventana de celosía", + "lovastatina", + "prenda de amor", + "recuerdo de amor", + "señal de amor", + "símbolo de amor", + "luge", + "compartimento de equipaje", + "portamaletas", + "luneta", + "laúd", + "liceo", + "lira", + "ácido", + "pterogymnus laniarius", + "matacán", + "máquina", + "máquina", + "maquinaria", + "máchmetro", + "macintosh", + "Mae West", + "chaleco inflable", + "chaleco salvavidas", + "arsenal", + "revista", + "imán", + "memoria de burbuja", + "memoria de toros", + "disco", + "magnetómetro", + "amplificador", + "magnificador", + "correo", + "cartera", + "portacartas", + "saco de correos", + "valija de correo", + "embarcación de correo", + "paquebote", + "casilla", + "mallas", + "clasificador de correo", + "tren de correo", + "computadora central", + "ordenador central", + "vía principal", + "vela mayor", + "estay mayor", + "calle mayor", + "gavia mayor", + "neuroléptico", + "malaca", + "mazo", + "pieza", + "mandala", + "comedero", + "casa señorial", + "mansarda", + "casa parroquial", + "mansión", + "armadura", + "protector", + "trampa humana", + "mapa", + "plano", + "maquiladora", + "maraca", + "canica", + "mármol", + "equipo de marcha", + "puerto deportivo", + "indicador", + "marca", + "señal", + "huerta", + "plaza de mercado", + "taracea", + "cama matrimonial", + "lecho nupcial", + "tálamo nupcial", + "torre Martello", + "rimel", + "maser", + "hierro cinco", + "mascara", + "Instituto de Tecnología de Massachusetts", + "MIT", + "sala de masajes", + "palo", + "mastaba", + "matriz", + "magnum opus", + "felpudo", + "marco", + "cerilla", + "fosforo", + "fósforo", + "coincidencia", + "contraparte", + "equivalente", + "par", + "pareja", + "semejante", + "mecha", + "fosforera", + "caja de cerillas", + "material", + "macho", + "Mauser", + "cucaña", + "mayo", + "laberinto", + "manera", + "medio", + "método", + "instrumento de medición", + "moledora de carne", + "fresquera", + "mebendazol", + "dibujo industrial", + "dibujo mecánico", + "mecanismo", + "centro de salud", + "centro médico", + "fármaco", + "medicamento", + "medicina", + "botiquín", + "megalitismo", + "melfalán", + "monumento", + "almacenamiento", + "almacenamiento computacional", + "almacenar", + "almacén", + "memoria", + "memoria computacional", + "tarjeta de memoria", + "dispositivo de memoria", + "jardín zoológico", + "artículo", + "género", + "mercadería", + "mercancía", + "producto", + "merlón", + "metformina", + "metacolina", + "metadona", + "metanfetamina", + "metotrexato", + "metildopa", + "metoprolol", + "metro", + "tren subterráneo", + "metronidazol", + "Mickey Finn", + "miconazol", + "micrófono", + "midazolam", + "blusa holgada", + "mihrab", + "hospital militar", + "instalación militar", + "cuartel", + "cuartel militar", + "miliamperímetro", + "aserrado", + "muela de molino", + "alminar", + "minarete", + "puente Minato Ohashi", + "mina", + "mina", + "bodega pequeña", + "minibar", + "minimoto", + "moto", + "microbús", + "minicomputadora", + "ministerio", + "minifalda", + "monovolumen", + "minociclina", + "ansiolítico", + "minoxidil", + "manecilla", + "minutero", + "espejo", + "escena", + "mitra", + "caja de ingletes", + "mesana", + "fosa", + "foso", + "móvil", + "boceto", + "modelo", + "representación", + "simulación", + "modernismo", + "modificación", + "módulo", + "mohair", + "molesquin", + "convento", + "monasterio", + "portamonedas", + "monitor", + "monoplano", + "monorraíl", + "custodia", + "torre de amarre", + "mortero", + "obus", + "mortero", + "mosaico", + "mosaico", + "motel", + "habitación de motel", + "motor", + "lancha de motor", + "lancha motora", + "motonave", + "motocicleta", + "montículo", + "base", + "soporte", + "botón del ratón", + "trampa para ratones", + "fijador", + "mousepad", + "boquilla", + "embocadura", + "boquilla", + "protector bucal", + "protector dental", + "ladrillo de adobe", + "taza", + "muqataa", + "acolchado", + "museo", + "instrumento", + "instrumento musical", + "banqueta", + "banquillo", + "muselina", + "vaso para bigotes", + "Relafen", + "nabumetona", + "barquilla", + "góndola", + "nadolol", + "clavo", + "Naloxón", + "Narcan", + "naloxona", + "naloxón", + "naltrexona", + "naproxeno", + "Aflaxen", + "Aleve", + "Anaprox", + "naproxeno", + "nartex", + "descongestionante nasal", + "Salón de la Fama Nacional de Béisbol", + "monumento nacional", + "equipamiento naval", + "estación costera", + "instalación naval", + "armamento naval", + "nave", + "base naval", + "arsenal", + "cuello", + "collar", + "corbata", + "aguja", + "aguja", + "labor", + "Serzone", + "nefazodona", + "nelfinavir", + "herramienta neolítica", + "neostigmina", + "red", + "red", + "arco", + "cadena", + "red", + "nevirapina", + "diario", + "periódico", + "redacción", + "Bolsa de NY", + "Bolsa de Nueva York", + "NYSE", + "punta", + "punta de lápiz", + "hierro nueve", + "niblick", + "nick", + "nifedipina", + "bola", + "cliente", + "nomograma", + "antiinflamatorio no esteroideo", + "memoria no volátil", + "lazo", + "chaqueta estilo Norfolk", + "noria", + "caparazón", + "cuaderno", + "novela", + "tobera", + "artículo", + "producto", + "ítem", + "numdah", + "convento de monjas", + "habitación de bebé", + "tuerca y tornillo", + "cascanueces", + "objetivo", + "oboe", + "oboe", + "estacion de observación", + "estación de observación", + "obstáculo", + "obturador", + "ocarina", + "odómetro", + "ojo de buey", + "obra", + "obra completa", + "producción", + "oficina", + "conopial", + "Universidad Estatal de Ohio", + "Universidad estatal de Ohio", + "ohmetro", + "óleo", + "refineria petrolifera", + "refinería de petróleo", + "mercado", + "abertura", + "ópera", + "mesa de operaciones", + "opio", + "banco de óptica", + "disco óptico", + "naranjal", + "telaraña orbital", + "platea", + "puerta or", + "órgano", + "organdí", + "cañón", + "tubería", + "tubo", + "tubo del órgano", + "oriflama", + "bordado litúrgico inglés", + "ornitóptero", + "osario", + "barco fuera borda", + "barco fueraborda", + "fueraborda", + "dependencia", + "dispositivo de salida", + "canoa con batanga", + "mono", + "overol", + "sobrehilado", + "sobrehilado", + "sobrecarga", + "sobrecarga", + "sobreimpresión", + "Oxaprozina", + "daypro", + "oxaprozina", + "ojo de buey", + "Universidad de Oxford", + "oxford", + "universidad de oxford", + "soplete de oxiacetileno", + "oxifenbutazona", + "paquete", + "canalete", + "pala", + "paleta", + "impresora de páginas", + "pintura", + "cuadro", + "pintura", + "palacio", + "castillo", + "palacio", + "palestra", + "paleta", + "obenque", + "palé", + "gocete", + "pectoral", + "tratamiento paliativo", + "palio", + "penacho", + "panatela", + "coche de policía", + "boiserie", + "botón de alarma", + "botón de pánico", + "alforja", + "panóptico", + "diorama", + "imagen panorámica", + "panorama", + "panteón", + "pantimedias", + "panzer", + "pánzer", + "cruz papal", + "encuadernación en rústica", + "plato de papel", + "paracaídas", + "paregórico", + "anorak", + "sala", + "salón", + "parquet", + "suelo de parquet", + "parte", + "porción", + "contenedor de recambios", + "pasaje", + "paso", + "corredor", + "galería", + "pasillo", + "coche", + "vagón", + "vagón de pasajeros", + "tren de pasajeros", + "furgoneta de pasajeros", + "llave maestra", + "maestra", + "passe-partout", + "almazuela", + "paternoster", + "camino", + "camino", + "sendero", + "patio", + "cruz patriarcal", + "pavimentación", + "pavimento", + "losa", + "máquina pavimentadora", + "pavimentador", + "pavimentadora", + "pavés", + "peón", + "casa de empeño", + "centralita pública", + "teléfono público", + "placa madre", + "melocotonar", + "medallón pectoral", + "pectoral", + "pedicab", + "peditaxi", + "frontón", + "pelador", + "pata de palo", + "corral", + "prisión", + "dibujo a pluma", + "caja de lápices", + "estuche", + "pinjante", + "pendiente colgante", + "reloj de péndulo", + "penicilamina", + "penicilina", + "bencilpenicilina", + "cárcel", + "penitenciaría", + "flauta metalica irlandesa", + "flauta metálica irlandesa", + "silbato", + "silbato irlandes", + "pentaeritritol", + "pentazocina", + "pentímento", + "pentobarbital", + "pentodo", + "pentoxifilina", + "pentilenotetrazol", + "peplo", + "molinillo de pimienta", + "triturador de pimienta", + "cápsula fulminante", + "instrumento de percusión", + "esencia", + "perfume", + "dispositivo periférico", + "periférico", + "microcomputadora", + "gasa con vaselina", + "Torres Petronas", + "combinación", + "guardainfante", + "viso", + "fenciclidina", + "fenelzina", + "fenolftaleína", + "fentolamina", + "butazolidin", + "fenilbutazona", + "fenilefrina", + "fenilpropanolamina", + "álbum de discos", + "álbum fonográfico", + "disco", + "fotocátodo", + "exposición", + "foto", + "fotografía", + "álbum de fotos", + "microfotografia", + "microfotografía", + "fotomontaje", + "fotocopia fotostática", + "laboratorio de física", + "piano", + "clave", + "teclado", + "teclado de piano", + "pico", + "pico", + "plectro", + "pickelhaube", + "cerca de estacas", + "valla de estacas", + "camioneta", + "foto", + "fotografía", + "imagen", + "marco", + "pedazo", + "trozo", + "paño", + "trozo de cuero", + "muelle", + "pila", + "columna", + "tubo piezométrico", + "asta de lanza", + "hilo", + "comprimido", + "picota", + "almohada", + "cabecera", + "pilocarpina", + "vagón piloto", + "Pimlico", + "alfiler", + "quevedos", + "alfiletero", + "pindolol", + "punta del alfiler", + "pipa", + "cortador de tubos", + "piperacilina", + "soporte para pipas", + "piperazina", + "piroxicam", + "pista", + "pistola", + "revólver", + "cantera", + "horca", + "bocamina", + "pixel", + "píxel", + "sustancia placebo", + "templo", + "cubierto", + "cubierto completo", + "plano", + "planetarium", + "cama de madera", + "factoría", + "fábrica", + "planta", + "bomba plástica", + "laminado plástico", + "plato", + "chapa", + "placa", + "plancha", + "lámina", + "ánodo", + "placa de hierro", + "rodillo", + "platina", + "entarimado", + "plataforma", + "tarima", + "plataforma", + "cama de plataforma", + "carta", + "naipe", + "parque", + "parque para bebés", + "juguete", + "pliegue", + "pleno", + "alicate", + "alicates", + "arado", + "fusible", + "cable desatascador", + "nivel en escuadra", + "sopapa", + "contrachapado", + "bolsillo", + "edición de bolsillo", + "libro de bolsillo", + "solapa", + "depósito separable", + "punta", + "enchufe de pared", + "punto de corriente", + "toma de corriente", + "cámara compacta", + "arco apuntado", + "aguja indicadora", + "fiel", + "palo", + "vara", + "polo", + "hacha de petos", + "coche celular", + "furgoneta policial", + "furgón", + "furgón de patrulla", + "furgón policial", + "lechera", + "polo", + "policromía", + "poliéster", + "polígrafo", + "pomo", + "estilete", + "puñal", + "cabriolé", + "calesa", + "calesín", + "tílburi", + "estanque", + "botella de refresco", + "popper", + "cerámica", + "porcelana", + "sierra circular metálica", + "sierra mecánica", + "sierra mecánica portátil", + "ojo de buey", + "pórtico", + "retrato", + "cámara de retratista", + "poste", + "poterna", + "agujero para poste", + "posmodernismo", + "apartado", + "Mary Jane", + "cannabis", + "chaquetón", + "chocolate", + "costo", + "cáñamo", + "grifa", + "hierba", + "marijuana", + "maría", + "polen", + "pote", + "maceta", + "popurrí", + "casco", + "fragmento de cerámica", + "alfarería", + "cerámica", + "línea eléctrica", + "telar mecánico", + "sierra", + "pala excavadora", + "estación eléctrica", + "estación generadora", + "planta eléctrica", + "pravastatina", + "minipress", + "prazosin", + "prensa", + "imprenta", + "prensa para raquetas", + "primaquina", + "primaquine", + "primaxin", + "Prince Albert", + "Princeton", + "Universidad de Princeton", + "impresión", + "impresora", + "máquina impresora", + "impresora", + "priorato", + "prisión", + "campo de internamiento", + "campo de prisioneros", + "corsario", + "probenecid", + "procaína", + "cloridrato de procaína", + "novocaína", + "procarbazina", + "acuciar", + "aguijonear", + "aguijón", + "producción", + "producto", + "cadena", + "proyectil", + "proyección", + "proyector", + "proyector", + "vuelta de gancho", + "punta", + "prueba", + "protección", + "protección", + "protector", + "acelerador de protones", + "cuchillo de podar", + "salterio", + "psilocina", + "transporte público", + "café de carretera", + "bomba", + "perforadora", + "punzón", + "tienda de campaña", + "catártico", + "depurativo", + "laxante", + "purgante", + "botón", + "botón pulsador", + "pulsar", + "pielograma", + "torre de control", + "cuarto", + "cuartel", + "cuartelado", + "lanza larga", + "batería de cuarzo", + "molino de cuarzo", + "Puente de Quebec", + "puente de Quebec", + "reina", + "reina", + "Puente de Queensboro", + "pluma", + "quinidina", + "quipu", + "clave", + "cuña", + "piedra angular", + "aro", + "GHB", + "chicota", + "extasis líquido", + "píldora del olvido", + "valium mexicano", + "éxtasis líquido", + "conejera", + "circuito", + "pista", + "circuito", + "circuito de carreras", + "potro", + "rueda", + "rueda de tortura", + "radar", + "radio", + "chasis de radio", + "radiofotografía", + "radio", + "emisora de radio", + "radomo", + "almadía", + "balsa", + "patera", + "trapo", + "estatorreactor", + "muralla", + "varilla", + "rancho", + "ranitidina", + "espada ropera", + "sonajero", + "ratonera", + "cuchitril", + "afeitadora", + "sala de lectura", + "pret-a-porter", + "memoria física", + "memoria real", + "escariador", + "fondo", + "revés", + "rebozo", + "receptor", + "recibidor", + "tocadiscos", + "reducto", + "reducto", + "tubo de lengueta", + "refectorio", + "refinería", + "asilo", + "refugio", + "santuario", + "reglamentario", + "indicador", + "rienda", + "lanzamiento", + "reliquia", + "relieve", + "cura", + "curativo", + "remedio", + "remisión", + "terapéutico", + "disco duro extraíble", + "taller", + "repetidor", + "repertorio", + "reproducción", + "réplica", + "mausoleo", + "monumento", + "representación", + "cañamazo", + "reserpina", + "tanque", + "botón de reinicio", + "residencia", + "resistencia", + "resistor", + "resonador", + "resonador", + "balneario", + "complejo hotelero", + "inhalador", + "respirador", + "restaurante", + "freno", + "limitación", + "restricción", + "reticulación", + "ridículo", + "enter", + "intro", + "return", + "revés", + "termómetro inverso", + "fortificación", + "revólver", + "reómetro", + "reostato", + "resistencia variable", + "rinoscopio", + "ribavirina", + "costillar", + "cinta", + "cedazo", + "atracción de feria", + "fusil", + "rifle", + "culata de rifle", + "aparejo", + "aparejo", + "anillo", + "ring", + "ritonavir", + "chicharra", + "tacha", + "carretera", + "barricada", + "control de carreteras", + "pavimento", + "pavimento", + "olla para asar", + "cohete", + "cohete", + "mecedor", + "silla mecedora", + "barra", + "rofecoxib", + "vioxx", + "rodillo", + "patín en línea", + "persiana enrollable", + "montaña rusa", + "películas en rollo", + "cubierta", + "techo", + "techo", + "aposento", + "cuarto", + "habitación", + "sala", + "percha", + "cuerda", + "maroma", + "soga", + "rosario", + "rosemaling", + "rosa", + "prensa de rodillos", + "prensa rotativa", + "rotor", + "boceto", + "rueda dentada", + "ruleta perforadora", + "redondeador", + "Mesa Redonda", + "mesa redonda", + "enrutador", + "router", + "barca de remos", + "abrazadera real", + "goma", + "goma", + "goma de borrar", + "calco", + "timón", + "rue", + "alfombra", + "ruina", + "regla", + "paño burdo", + "alfombra rya", + "rya", + "sable", + "marta", + "abrigo de marta", + "bolsa", + "tela para sacos", + "silla", + "silla de montar", + "guarnicionerías", + "jabón para cuero", + "jabón para guarniciones", + "caja fuerte", + "seguro", + "seguro", + "vela", + "balandra", + "velero", + "galería", + "salón", + "salón de belleza", + "bandeja", + "fuente", + "soyuz", + "shamisen", + "junco", + "sampán", + "sanatorio", + "reloj de arena", + "cuña de arena", + "sarong", + "cartera", + "satén", + "satélite", + "receptor de satélite", + "receptor de satélites", + "transmisor de satelite", + "raso", + "sauna", + "caja de caudales", + "hucha", + "sierra", + "saxofón", + "saxófono", + "saxhorno", + "vaina", + "escala", + "escáner", + "escáner", + "escáner de imagen", + "escáner digital", + "alfarda", + "puntal", + "escapulario", + "escena", + "perspectiva", + "visión", + "vista", + "escenario", + "planificador", + "dibujo esquemático", + "esquema", + "esquematismo", + "colegio", + "escuela", + "autobus escolar", + "flagelo", + "pantalla", + "pantalla", + "garabato", + "pintarrajo", + "rayajo", + "scriptorium", + "fregadero", + "escultura", + "baul de marinero", + "sello", + "timbre", + "cierre", + "sellado", + "hidroavión", + "asiento", + "asiento", + "escritorio", + "parte", + "sección", + "sector", + "sistema de seguridad", + "sedante", + "balancín", + "jarra de cerveza", + "sismograma", + "autorretrato", + "motor de arranque", + "semáforo", + "aparato semiconductor", + "semiconductor", + "unidad semiconductora", + "secuencia", + "secuenciador", + "puerto de serie", + "puerto serie", + "sertralina", + "ordenador principal", + "servidor", + "servicio", + "fuente", + "aparato", + "escaño", + "colector principal", + "tuberia de alcantarillado", + "esgrafiado", + "cadenas", + "grillete", + "sombra", + "hueco", + "caña", + "limadora", + "fragmento", + "shawm", + "vaina", + "cubierta", + "barraca", + "sábana", + "lámina", + "estante", + "granada", + "proyectil", + "caja", + "cubierta", + "goma laca", + "punto de concha", + "abrigo", + "refugio", + "abrigo", + "amparo", + "asilo", + "cobijo", + "protección", + "refugio", + "resguardo", + "refugio", + "escudo", + "cambiar", + "tecla de mayúsculas", + "bajel", + "barco", + "buque", + "embarcación", + "nave", + "marina mercante", + "astillero", + "camisa", + "botón de camisa", + "vestido camisero", + "manga de camisa", + "zapato", + "cordón", + "horma", + "shofar", + "tonel demontado", + "berlina", + "almacén", + "comercio", + "establecimiento", + "tienda", + "pantalón corto", + "peso", + "ducha y baño", + "plato de ducha", + "showroom", + "santuario", + "contraventana", + "volante", + "helicóptero lanzadera", + "lecho de enfermo", + "hoz", + "cara", + "faz", + "lado", + "negocio adicional", + "tronera lateral", + "acera", + "misil sidewinder", + "tamizado", + "cernedor", + "sildenafilo", + "cafetera de vacío", + "seda", + "plata", + "platería", + "plata trabajada", + "péndulo simple", + "simulador", + "simvastatina", + "cama individual", + "punto de cadeneta", + "camiseta", + "fregadero", + "pila", + "sirena", + "madeja", + "esbozo", + "programa de dibujo", + "tabla de esquí", + "casco", + "x de esquí", + "cuero", + "pellejo", + "portaesquíes", + "falda", + "falda", + "pista de esquí", + "calavera", + "skylab", + "claraboya", + "lumbre", + "tragaluz", + "cohete", + "pizarra", + "manga", + "cortadora", + "diapositiva", + "transparencia", + "zíper", + "proyector de diapositivas", + "asiento deslizante", + "tirador", + "ranura", + "ranura de expansión", + "canal", + "tubería forzada", + "barca", + "bote", + "fumadero", + "anima lisa", + "bar", + "cafetería", + "self-service", + "sierpe", + "instantánea", + "lazo", + "recorte", + "cizallas", + "tijeras de hojalata", + "tabla de snowboard", + "raquetas de nieve", + "despabiladera", + "jabón", + "G", + "GHB", + "georgia home boy", + "grievous bodily harm", + "éxtasis líquido", + "caja de jabón", + "jabonera", + "dispensador de jabón", + "calcetín", + "encaje", + "fosa", + "fuente de soda", + "diván", + "sofá", + "panel solar", + "suela", + "escarpe", + "zoco", + "punto de golpe", + "caja", + "espectógrafo de sonido", + "banda sonora", + "canal", + "fuente", + "luz", + "sordina", + "sordina para violín", + "nave espacial", + "Space Needle", + "sonda espacial", + "espada", + "nudo de autopistas", + "elastano", + "enjuta", + "encendedor", + "protector de chimenea", + "cámara de chispas", + "bengala", + "botín", + "speakeasy", + "taberna clandestina", + "recipiente estéril", + "espectáculo", + "espectinomicina", + "espectroscopio", + "espectroscopio de prisma", + "circuito de carreras", + "banco de esperma", + "espermicida", + "esfera", + "molinillo de especies", + "telaraña", + "tela de araña", + "spinnaker", + "hiladora", + "lámpara de alcohol", + "fogón de alcohol", + "radio", + "mopa de esponja", + "cuchara", + "deportivo", + "vehículo utilitario deportivo", + "lugar de moda", + "canal", + "pico", + "muelle", + "espuelas", + "sputnik", + "satélite espía", + "fragata", + "altavoz", + "altavoz de intercomunicador", + "carretilla", + "saquinavir", + "trompa", + "caballeriza", + "cuadra", + "establo", + "estadio", + "bastón", + "escenario", + "diligencia", + "vidriera", + "alfombra de escalera", + "escalera", + "puesto", + "sello", + "álbum de sellos", + "estampador", + "máquina estampadora", + "máquina para estampar", + "bandera", + "banderola", + "estandarte", + "doble de cartón", + "Universidad Stanford", + "stanford", + "universidad de stanford", + "automóvil de vapor", + "engrapadora", + "grapadora", + "nave", + "motor de arranque", + "starter", + "barrera de salida", + "cabina", + "estación", + "estátor", + "estatua", + "figura", + "steakhouse", + "barco de vapor", + "vapor", + "vapor", + "conducto de vapor", + "tubería de vapor", + "grabado en acero", + "grabado", + "grabado en acero", + "aguja", + "tercera clase", + "sistema de dirección", + "volante", + "estela", + "cánula", + "plantilla", + "stent", + "escalón", + "estéreo", + "estereoscopio", + "estereoscópio", + "palo", + "stick", + "vara", + "palanca de mando", + "estilete", + "punto", + "inventario", + "bolsa", + "medias", + "almacén", + "cepo", + "stogey", + "stogie", + "stogy", + "mampostería", + "acumulador", + "batería de almacenaje", + "batería de almacenamiento", + "depósito", + "almacén", + "almacén", + "depósito", + "copa", + "cocina", + "regla", + "camisa de fuerza", + "tren aerodinamizado", + "calle", + "calle", + "farol", + "farola", + "recta", + "tramo", + "hoz", + "percutor", + "cordón", + "cuerda", + "hilera", + "instrumento de cuerda", + "banda", + "arca", + "caja fuerte", + "baluarte", + "fortaleza", + "construcción", + "estructura", + "estudio", + "estudio", + "estudio", + "escollo", + "estupa", + "stupa", + "cochinera", + "pocilga", + "zahurda", + "estilete", + "estilo", + "aguja", + "estilete", + "subbase", + "contenido", + "tema", + "subdivisión", + "subsección", + "estación de metro", + "metro", + "subwoofer", + "sucralfato", + "sudatorio", + "sudatorium", + "refinería de azúcar", + "conjunto", + "traje", + "cuarto", + "habitación", + "sulfametoxazol", + "sulfonilurea", + "clinoril", + "sulindac", + "sulky", + "suma", + "totalidad", + "cubierta superior", + "reloj de sol", + "solario", + "solárium", + "protector solar", + "sobrealimentador", + "supercomputadora", + "superordenador", + "superestructura", + "apoyo", + "soporte", + "apoyo", + "soporte", + "supresor", + "sobreveste", + "superficie", + "superfície", + "tabla", + "protector de sobrecarga", + "suspensión", + "puente colgante", + "muestra de tela", + "envoltura", + "vendaje", + "banda", + "jersey", + "suéter", + "natatorio", + "pileta", + "piscina", + "bañador", + "vara", + "desviación", + "espada", + "baston espada", + "Puente de la bahia de Sidney", + "sinagoga", + "tabernáculo", + "templo", + "sincrociclotron", + "sintetizador", + "sistema", + "unidad", + "sagrario", + "tabernáculo", + "tabernáculo", + "tabernáculo mormón", + "tabi", + "tabulador", + "mesa", + "mesa", + "tenedor de mesa", + "lámpara de mesa", + "mantelería", + "ropa de mesa", + "cucharada", + "tabla", + "Puente de Tacoma Narrows", + "tadalafil", + "cola", + "lado trasero", + "parte trasera", + "Taj Mahal", + "polvos de talco", + "talco", + "gorra escocesa", + "tam", + "tambor", + "tapón", + "tapón tapabocas", + "tampón", + "trailers en tándem", + "tandoor", + "tangram", + "depósito", + "tanque", + "circuito LC", + "altavoz", + "espita", + "llave de barril", + "llave de tonel", + "tela tapa", + "tela tappa", + "cinta", + "cinta", + "metro", + "reproductor de casetes", + "lima plana", + "arrás", + "tapiz", + "taqué", + "blanco", + "tarot", + "lona impermeable", + "tela impermeable", + "toldo", + "encaje", + "taberna", + "taxímetro", + "calle de rodaje", + "colador de té", + "bandeja de té", + "teléfono", + "clavija telefónica", + "entrada de teléfonos", + "circuito telefónico", + "línea", + "línea de teléfono", + "línea telefónica", + "cable telefónico", + "cable telegráfica", + "línea telefónica", + "línea telegráfica", + "telefoto", + "telefotografía", + "lente zoom", + "zoom", + "prompter de cámara", + "mira de telescopio", + "mira telescópica", + "televisión", + "cámara", + "tele", + "televisión", + "televisor", + "cadena de televisión", + "emisora de televisión", + "temazepam", + "templo", + "templo", + "infravivienda", + "piso", + "vivienda", + "fagotino", + "carta del diez", + "diez", + "tienda", + "tienda de campaña", + "clavo", + "tipi", + "hytrin", + "terazosina", + "terbinafina", + "cochera", + "estación de trenes", + "terminal", + "polo", + "término", + "TS", + "terra sigillata", + "tetracloroetileno", + "tetrahidrocannabinol", + "thc", + "tetrodo", + "maquinaria textil", + "fábrica textil", + "techo de paja", + "teatro", + "teofilina", + "theremín", + "termopar", + "tiabendazol", + "tiazida", + "cosa", + "cosa", + "thiosulfil", + "hilo", + "fragata", + "era", + "cuello", + "garganta", + "garganta", + "trono", + "empulgueras", + "protector de pulgar", + "cordón", + "barra de dirección", + "cortador de azulejos", + "tejado", + "caña del timón", + "reloj", + "timolol", + "yesquero", + "punta", + "hojalatería", + "cubierta", + "neumático", + "titfer", + "trinitrotolueno", + "tostadora", + "rejilla para tostadas", + "tabaco", + "petaca", + "tobramicina", + "punta", + "toga", + "baño", + "inodoro", + "aseo", + "cagadero", + "inodoro", + "orinal", + "retrete", + "servicio", + "taza", + "vater", + "asiento de inodoro", + "gel", + "tolazamida", + "tolbutamida", + "tolectin", + "tolmetina sódica", + "hacha", + "tomahawk", + "ametralladora", + "ametralladora thompson", + "metralleta", + "lengua", + "reconstituyente", + "tónico", + "herramienta", + "instrumento", + "utensilio", + "caja de herramientas", + "cinturón de herramientas", + "diente", + "topiaria", + "suela del tacón", + "gavia", + "pantalla táctil", + "toalla", + "toallero de argolla", + "torre", + "ayuntamiento", + "caja de juguetes", + "soldado de juguete", + "indicador", + "calco", + "camino", + "camino de carro", + "pista", + "senda", + "vía", + "trackball", + "camión sobre raíles", + "tractor", + "tractor", + "sendero", + "borde de salida", + "ferrocarril", + "tren", + "transformador", + "transistor", + "biela", + "emisor", + "transporte", + "camión transporte", + "transporte de vehículos", + "trampa", + "cable desatascador", + "trampilla", + "bandeja", + "trazodona", + "escalón", + "dibujo", + "mina", + "trinchera", + "cuchillo de combate", + "pantalón escocés", + "alcohol tribromoetílico", + "tribromoetanol", + "triclormetiazida", + "tricot", + "triciclo", + "tridente", + "recortador", + "triodo", + "descargador", + "trisquel", + "arco de triunfo", + "premio", + "trofeo", + "fosa de lobo", + "foso de lobo", + "dobladillo vuelto", + "pantalón", + "paleta", + "paleta de albañil", + "camión", + "plataforma", + "huerta", + "parada de camiones", + "triunfo", + "tapa de baúl", + "celosía", + "cuba", + "caño", + "tubo", + "caja de comida", + "tienda de golosinas", + "remolcador", + "tullerías", + "pernera", + "tul", + "seguro", + "túnica", + "túnel", + "máquina de Turing", + "paleta", + "tornería", + "molinete", + "tweeter", + "22", + "veintidós", + "pistola del 22", + "rifle del 22", + "tipo", + "máquina de escribir", + "tirotricina", + "ultracentrifugado", + "ultrasuede", + "lámpara ultravioleta", + "paraguas", + "tren de aterrizaje", + "calzoncillo", + "paso subterráneo", + "ropa interior", + "monociclo", + "uniforme", + "Union Jack", + "union jack", + "United States Mint", + "universidad", + "Universidad de Chicago", + "universidad de Chicago", + "universidad de MIchigan", + "universidad de Michigan", + "universidad de Nebraska", + "Penn", + "Pennsylvania", + "Universidad de Pennsylvania", + "Universidad de Pittsburgh", + "universidad de Pittsburgh", + "universidad de Sussex", + "Universidad de Texas", + "universidad de Texas", + "Universidad de Vermont", + "universidad de Vermont", + "universidad de Washington", + "universidad de Wisconsin", + "actualización", + "bambalinas", + "urna", + "urna", + "uss cole", + "instalación", + "valsartán", + "brazal", + "autocaravana", + "caravana", + "vancomicina", + "vaporizador", + "vardenafilo", + "variación", + "varioaltímetro", + "jarrón", + "vaselina", + "Palacio del Vaticano", + "Vaticano", + "bóveda", + "cripta", + "vehículo", + "velodromo", + "velódromo", + "terciopelo", + "cristal veneciano", + "flebograma", + "venograma", + "muñeco de ventrílocuo", + "galería", + "verapamilo", + "vermicida", + "Puente Verrazano-Narrows", + "vibrador", + "vitrola", + "videocasette", + "videocassete", + "vídeo", + "DVD", + "cinta de video", + "visor", + "cirio", + "estampa", + "torre", + "villa", + "vinblastina", + "vincristina", + "vinzza", + "viña", + "viola da gamba", + "viola", + "violín", + "antiguedades", + "memoria virtual", + "tornillo de banco", + "bioterio", + "memoria volátil", + "regulador de voltaje", + "entrada", + "rueda de carro", + "camino", + "pasarela", + "paseo", + "bastón", + "walkman", + "edificio sin ascensor", + "muro", + "pared", + "cartera", + "wampum", + "varita mágica", + "sala", + "armario", + "guardarropa", + "guardarropia", + "almacén", + "depósito", + "warfarina", + "cabeza nuclear", + "carga", + "carga explosiva", + "ojiva", + "urdimbre", + "buque de guerra", + "paño", + "toalla", + "Monumento a Washington", + "monumento a Washington", + "palanganero", + "brazalete", + "calentador de chimenea", + "W.C.", + "WC", + "excusado", + "inodoro", + "retrete", + "servicio", + "váter", + "wáter", + "vaso de agua", + "vehiculo regador", + "foso", + "moto acuática", + "moto de agua", + "agua", + "vatímetro", + "figura de cera", + "camino", + "trayectoria", + "vía", + "arcén", + "cuneta", + "arma", + "armamento", + "burlete", + "tejido", + "enredo", + "red", + "red", + "cámara web", + "webcam", + "foto de boda", + "alianza", + "zapato de cuña", + "báscula-puente", + "báscula puente", + "peso", + "pozo", + "célula de Weston", + "célula de cadmio", + "rueda", + "silla de ruedas", + "látigo", + "sobrehilado", + "sobrehilado en diagonal", + "batidor", + "botella de güisqui", + "botella de whiskey", + "botella de whisky", + "silbato", + "Casa Blanca", + "burdel", + "capacho", + "cesta de mimbre", + "arco", + "pana ancha", + "cabestrante", + "torno", + "winchester", + "cortina rompeviento", + "ventana", + "ventana", + "ventanilla", + "ventana", + "sobre con ventana", + "cristal", + "cristal de ventana", + "ventana", + "parabrisas", + "escobilla", + "lilmpiaparabrisas", + "limpiaparabrisas", + "botella de vino", + "barril de vino", + "tina de vino", + "tino", + "bota", + "ala", + "bambalinas", + "entre bastidores", + "lateral", + "motor del limpiaparabrisas", + "cable", + "impresora de agujas", + "alambrada", + "alambrada metálica", + "estrado", + "estrado del testigo", + "tembleque", + "palo", + "talla", + "grabado", + "grabado de madera", + "leñera", + "trama", + "woofer", + "lana", + "obra", + "trabajo", + "banco de trabajo", + "explotación", + "obra de arte", + "curro", + "lugar de trabajo", + "tajo", + "trabajo", + "taller", + "taller", + "estación de trabajo", + "World Trade Center", + "World Wide Web", + "corona", + "llave", + "puño", + "gorrón", + "pasador del pistón", + "pasador del émbolo", + "yate", + "antena yagi", + "yagi", + "Universidad Yale", + "Universidad de Yale", + "Yale", + "universidad de Yale", + "corral", + "corral", + "estación", + "fruto", + "producción", + "yo-yo", + "yurta", + "Graf Zeppelin", + "zigurat", + "crótalos", + "cítara", + "característica", + "rasgo", + "cosa", + "perfil", + "personalidad", + "identidad", + "individualidad", + "identificación", + "carácter", + "ánimo", + "espiritualidad", + "espiritualismo", + "soledad", + "aislamiento", + "reclusividad", + "intimidad", + "seclusión", + "naturaleza", + "índole", + "carácter", + "disposición", + "talante", + "temperamento", + "sanguinario", + "espíritu", + "ánimo", + "ansiedad", + "espíritu de cuerpo", + "moral", + "agitación", + "inquietud", + "afección", + "afecto", + "amor", + "afecto", + "amor", + "cariño", + "ternura", + "blandenguería", + "cursilería", + "sensiblería", + "sentimentalismo", + "superficialidad", + "susceptibilidad", + "melodramático", + "schmaltz", + "sentimentalismo", + "pasión", + "carácter", + "sangre", + "desapasionadamente", + "fríamente", + "despego", + "imparcialidad", + "sequedad", + "asceticismo", + "ascetismo", + "estoicismo", + "alegría", + "vida", + "melancolía", + "tristeza", + "alegría", + "vida", + "animación", + "brusquedad", + "presteza", + "vigor", + "energía", + "nervio", + "vigor", + "brío", + "vitalidad", + "ímpetu", + "alegría", + "garbo", + "animación", + "irreprimibilidad", + "irreprimible", + "efusividad", + "arrojo", + "animación", + "entusiasmo", + "euforia", + "exhuberancia", + "lirismo", + "alma", + "energía", + "actividad", + "actividad", + "animación", + "dinamismo", + "energía", + "marcha", + "inercia", + "pasividad", + "indiferencia", + "pereza", + "tolerancia", + "tolerancia", + "delicadeza", + "rigurosidad", + "severidad", + "puritanismo", + "austeridad", + "dureza", + "inclemencia", + "rigidez", + "rigor", + "rigurosidad", + "severidad", + "paciencia", + "resignación", + "tolerancia", + "respeto", + "sumisión", + "irritabilidad", + "impaciencia", + "intolerancia", + "agresividad", + "agresividad", + "violencia", + "buena disposición", + "complacencia", + "grado", + "talante", + "disponibilidad", + "de todo corazón", + "entusiasmo", + "resistencia", + "seriedad", + "calma", + "ponderación", + "solemnidad", + "pesadez", + "pomposidad", + "alegría", + "atolondramiento", + "frivolidad", + "alegría", + "humor", + "jocosidad", + "agudeza", + "animación", + "deportividad", + "vivacidad", + "astucia", + "capricho", + "malicia", + "sagacidad", + "humor", + "fanfarronada", + "chitón", + "simpatía", + "confianza", + "intimidad", + "todo dulzura", + "reserva", + "espacio", + "rigidez", + "prudencia", + "reflexión", + "intencionalidad", + "desesperación", + "fervor", + "impetuosidad", + "precipitación", + "prisa", + "atención", + "cortesía", + "cuidado", + "esmero", + "precaución", + "diligencia", + "viveza", + "atencion", + "atención", + "estar pendiente", + "vigilancia", + "descuido", + "imprudencia", + "insensatez", + "imprudencia", + "insensatez", + "irreflexión", + "irresponsabilidad", + "descuido", + "machismo", + "feminidad", + "pluma", + "credibilidad", + "fiabilidad", + "integridad", + "responsabilidad", + "responsabilidad", + "de poca fiabilidad", + "poca fiabilidad", + "arbitrariedad", + "veleidad", + "detenimiento", + "perfección", + "rigor", + "pasaporte", + "apariencia", + "aspecto", + "cara", + "presencia", + "agerasia", + "vista", + "efecto", + "impresión", + "figura", + "apariencia", + "aspecto", + "forma", + "imagen", + "personaje", + "apariencia", + "color", + "matiz", + "semblanza", + "simulacro", + "apariencia", + "guisa", + "pretensión", + "pretexto", + "semejanza", + "cara", + "rostro", + "apariencia", + "aspecto", + "estampa", + "expresión", + "marca", + "señal", + "faja", + "cruz", + "marca", + "sombreado plano", + "nube corneal", + "mancha", + "raya", + "hirsutismo", + "pilosidad", + "belleza", + "esplendor", + "gloria", + "resplandor", + "pintoresquismo", + "atractivo", + "primor", + "atractivo", + "encanto", + "atracción", + "atractivo", + "carisma", + "atractivo", + "encanto", + "seducción", + "canto de sirena", + "gracia", + "atracción", + "afinidad", + "tentación", + "invitación", + "atractivo", + "encanto", + "caricatura", + "distorsión", + "extravagancia", + "horridez", + "vulgaridad", + "defecto", + "tara", + "nevus", + "rosa", + "corte", + "arañazo", + "cicatriz", + "marca", + "rascada", + "raya", + "baldón", + "churrete", + "mancha", + "manchurrón", + "manchón", + "tizne", + "tiznón", + "huella", + "huella dactilar", + "huella digital", + "imprenta", + "señal", + "mancha de tinta", + "decoloración", + "descolorido", + "mancha", + "rosa", + "claridad", + "pobreza", + "elaboración", + "meticulosidad", + "decoración", + "etiolación", + "brillo", + "limpieza de calzado", + "claridad", + "visibilidad", + "definición", + "turbidez", + "fisiparidad", + "agudeza", + "perspicacia", + "poco filoso", + "torpeza", + "evidencia", + "importunidad", + "predominio", + "facilidad", + "naturalidad", + "simpleza", + "simplicidad", + "dificultad", + "rigor", + "rigurosidad", + "dureza", + "dureza", + "enormidad", + "agobio", + "molestia", + "opresión", + "pesadez", + "inconveniente", + "armonía", + "acuerdo", + "acuerdo", + "correspondencia", + "belleza", + "corrección", + "exquisitez", + "justicia", + "normalidad", + "ironía", + "conveniencia", + "propiedad", + "acierto", + "calificación", + "comodidad", + "ventaja", + "ocasión", + "oportunidad", + "pertinencia", + "accesibilidad", + "disponibilidad", + "factor de disponibilidad", + "manejabilidad", + "publicidad", + "inaptitud", + "incapacidad", + "habitabilidad", + "descalificación", + "inconveniente", + "espíritu", + "genio", + "calidad", + "cualidad", + "calaña", + "madera", + "naturaleza", + "humanidad", + "aire", + "misterio", + "nota", + "rollo", + "vibraciones", + "vibración", + "cualidad", + "superioridad", + "excelencia", + "admirabilidad", + "maravilla", + "notabilidad", + "grandeza", + "grandiosidad", + "enormidad", + "grandeza", + "majestad", + "gran pureza", + "inferioridad", + "pobreza", + "característica", + "punto", + "punto", + "puntos", + "marca", + "marca de estilo", + "sello", + "signo característico", + "aspecto", + "matiz", + "punto", + "inestabilidad", + "inestabilidad", + "variabilidad", + "variedad", + "diversidad", + "variegación", + "dualidad", + "permutabilidad", + "transposicionalidad", + "progresividad", + "progresión", + "constancia", + "metaestabilidad", + "monotonía", + "constancia", + "vicisitud", + "eternidad", + "igualdad", + "semejanza", + "identidad", + "igualdad", + "unidad", + "semejanza", + "similitud", + "aproximación", + "homomorfismo", + "isomorfismo", + "semejanza", + "correspondencia", + "paralelismo", + "uniformidad", + "comparación", + "imagen", + "reflejo", + "parecido", + "doble", + "parecido mútuo", + "aire", + "parecido", + "coincidencia", + "equivalencia", + "identidad", + "igualdad", + "equivalencia", + "diferencia", + "diferencia", + "distinción", + "margen", + "disparidad", + "distinción", + "diferencia", + "disimilitud", + "diversidad", + "biodiversidad", + "cambio", + "mejora", + "variedad", + "desigualdad", + "falta de equivalencia", + "disparidad", + "muy distinto", + "abismo", + "desconexión", + "distanciamiento", + "irregularidad", + "certeza", + "certeza", + "determinación", + "firmeza", + "seguridad", + "conclusión", + "finalidad", + "inapelabilidad", + "garantía", + "seguridad", + "demostración", + "prueba", + "probabilidad", + "opción", + "incerteza", + "duda", + "literalidad", + "abstracción", + "particularidad", + "individualidad", + "personalidad", + "distinción", + "distintividad", + "especialidad", + "peculiaridad", + "manía", + "peculiaridad", + "generalidad", + "solidaridad", + "predominio", + "universalidad", + "totalidad", + "complejidad", + "complejidad", + "complicación", + "tortuosidad", + "complejidad", + "detalle", + "elaboración", + "regularidad", + "ritmo", + "igualdad", + "irregularidad", + "oscilación", + "aleatoriedad", + "espasticidad", + "desigualdad", + "variabilidad", + "ecuación personal", + "inestabilidad", + "inseguridad", + "movilidad", + "movilidad", + "amplitud", + "balanceo", + "inestabilidad", + "inmovilidad", + "inercia", + "tensión", + "continuidad", + "persistencia", + "firmeza", + "firmeza", + "seguridad", + "estabilidad", + "agrado", + "amenidad", + "placer", + "desagrado", + "horror", + "terror", + "credibilidad", + "autenticidad", + "legitimidad", + "rigor", + "validez", + "plausibilidad", + "verosimilitud", + "lógica", + "racionalidad", + "consistencia", + "completitud semántica", + "ilógico", + "inconsecuencia", + "insensatez", + "irracionalidad", + "naturalidad", + "sencillez", + "simplicidad", + "retórica", + "artificialidad", + "apariencia", + "pretensión", + "aparato", + "sanidad", + "peligrosidad", + "toxicidad", + "aceptabilidad", + "admisibilidad", + "satisfacción", + "aceptabilidad", + "inaceptabilidad", + "excentricidad", + "peculiar", + "peculiaridad", + "rareza", + "singularidad", + "anomalía", + "endemismo", + "originalidad", + "novedad", + "convencionalismo", + "convención", + "formalismo", + "conformidad", + "osificacion", + "osificación", + "corrección", + "correctitud", + "propiedad", + "error", + "falacia", + "desviación", + "exactitud", + "precisión", + "rigor", + "exactitud", + "precisión", + "rigor", + "exactitud", + "fidelidad", + "cisma", + "inestabilidad", + "reproducibilidad", + "distinción", + "mérito", + "mérito", + "vergüenza", + "escándalo", + "legalidad", + "validez", + "vigencia", + "ilegalidad", + "deshonestidad", + "elegancia", + "brío", + "elegancia", + "encanto", + "estilo", + "delicadeza", + "cortesía", + "majestuosidad", + "buen gusto", + "educación", + "elegancia", + "elegancia", + "estilo", + "modernidad", + "brío", + "gala", + "garbo", + "gracia", + "ánimo", + "esplendor", + "grandeza", + "esplendor", + "esplendor", + "fastuosidad", + "ostentación", + "pompa", + "rumbo", + "clase", + "torpeza", + "tosquedad", + "vulgaridad", + "zafiedad", + "astracanada", + "chabacanería", + "garrulería", + "horterada", + "mal gusto", + "ordinariez", + "zafiedad", + "claridad", + "coherencia", + "exactitud", + "precisión", + "desambiguedad", + "oscuridad", + "confusión", + "ambigüedad", + "equívoco", + "evasivo", + "evasión", + "prevaricación", + "vacilación", + "polisemia", + "rectitud", + "piedad", + "devoción", + "obediencia", + "respetuoso", + "sentido del deber", + "sumisión", + "maldad", + "maldad", + "pecado", + "irreligión", + "bondad", + "humanidad", + "misericordia", + "compasión", + "piedad", + "bondad", + "barbaridad", + "brutalidad", + "crueldad asesina", + "crueldad", + "generosidad", + "caridad", + "generosidad", + "recompensa", + "generosidad", + "largeza", + "magnanimidad", + "munificiencia", + "miseria", + "pobreza", + "egocentrismo", + "egolatría", + "narcisismo", + "conveniencia", + "interés propio", + "oportunismo", + "acción", + "iniciativa", + "ambición", + "aspiración", + "brío", + "energía", + "agresividad", + "competitividad", + "lucha", + "combatividad", + "militancia", + "atrevimiento", + "audacia", + "cara", + "cara dura", + "osadía", + "valor", + "arrojo", + "audacia", + "juego limpio", + "caridad", + "compasión", + "comprensión", + "gracia", + "atención", + "consideración", + "tacto", + "delicadeza", + "discreción", + "rencor", + "resentimiento", + "empatía", + "sensibilidad", + "don", + "a la defensiva", + "defensividad", + "indiferencia", + "insensibilidad", + "dureza", + "crueldad", + "dureza", + "crueldad", + "moralidad", + "honestidad", + "honradez", + "probidad", + "excelencia", + "virtud", + "virtud", + "virtud cardinal", + "conciencia", + "bondad", + "castidad", + "moral sexual", + "pudor", + "virtud", + "justicia", + "corrupción", + "degeneración", + "deshonestidad", + "inmoralidad", + "mal", + "maldad", + "vicio", + "corrupción", + "injusticia", + "consagración", + "lo más sagrado", + "sacrilegio", + "seguridad", + "coraje", + "coraje", + "entereza", + "valentía", + "valor", + "valor", + "intrepidez", + "valentía", + "frialdad", + "impasibilidad", + "osadía", + "audacia", + "temeridad", + "coraje", + "valor", + "cobardía", + "amilanamiento", + "bajeza", + "cobardía", + "pusilanimidad", + "cobardía", + "pusilanimidad", + "determinación", + "firmeza", + "resolución", + "firmeza", + "serenidad", + "impenitencia", + "decisión", + "determinación", + "cabezonería", + "perseverancia", + "persistencia", + "pertinacia", + "tenacidad", + "determinación incansable", + "voluntad incansable", + "constancia", + "firmeza", + "aplicación", + "concentración", + "constancia", + "dedicación", + "esmero", + "aplicación al estudio", + "realidad", + "verdad", + "franqueza", + "sinceridad", + "falsedad", + "bombo", + "exagerado elogio", + "hipocresía", + "pesadez", + "untuosidad", + "honor", + "integridad", + "integridad personal", + "probidad", + "incorruptibilidad", + "grandeza", + "nobleza", + "candor", + "franqueza", + "veracidad", + "ingenuidad", + "instinto paternal", + "paternalismo", + "fraude", + "mentira", + "astucia", + "astucia", + "fidelidad", + "constancia", + "consagración", + "dedicación", + "devoción", + "constancia", + "nacionalismo", + "americanismo", + "chauvinismo", + "chovinismo", + "jingoismo", + "jingoísmo", + "patrioterismo", + "ultranacionalismo", + "infidelidad", + "traición", + "insidia", + "perfidia", + "traición", + "mundología", + "inocencia", + "naturalidad", + "disciplina", + "abstención", + "abstinencia", + "control", + "moderación", + "moderación", + "templanza", + "abstinencia", + "inhibición", + "autoindulgencia", + "indulgencia", + "auto-gratificación", + "descontrol", + "disipación", + "imprecisión", + "vaguedad", + "extravagancia", + "insensatez", + "locura", + "orgullo", + "dignidad", + "fanfarronada", + "presunción", + "egotismo", + "orgullo", + "pretensión", + "suficiencia", + "desdén", + "desconsideración", + "desprecio", + "hibris", + "superioridad", + "sumisión", + "debilidad", + "juicio", + "sabiduría", + "saber", + "sabiduría", + "sapiencia", + "discernimiento", + "discrección", + "discreción", + "prudencia", + "desatino", + "fatuidad", + "majadería", + "ridiculez", + "criterio", + "juicio", + "prudencia", + "previsión", + "previsión", + "austeridad", + "frugalidad", + "sobriedad", + "templanza", + "economía", + "derroche", + "despilfarro", + "gasto", + "certidumbre", + "confianza", + "fé", + "cautela", + "desconfianza", + "incredulidad", + "recelo", + "sospecha", + "suspicacia", + "aseo", + "limpieza", + "delicadeza", + "abandono", + "dejadez", + "descuido", + "desconcierto", + "desorden", + "comportamiento", + "conducta", + "ciudadanía", + "procedencia", + "propiedad", + "seriedad", + "procedencia", + "gazmoñada", + "gazmoñería", + "mojigatería", + "pedantería", + "discreción", + "recato", + "decencia", + "decoro", + "conveniencia", + "decoro", + "modestia", + "obscenidad", + "calma", + "serenidad", + "tranquilidad", + "serenidad", + "sosiego", + "tranquilidad", + "ataraxia", + "alteración", + "agitación", + "ansiedad", + "desasosiego", + "inquietud", + "agitación", + "confusión", + "inquietud", + "sobresalto", + "obediencia", + "sumisión", + "obsequiosidad", + "rendimiento", + "servilismo", + "sometimiento", + "servilismo", + "sicofanta", + "estado salvaje", + "fiereza", + "desafío", + "insubordinación", + "bulla", + "estrépito", + "obstinación", + "cabezonería", + "empecinamiento", + "obstinación", + "terquedad", + "tozudez", + "canallada", + "terquedad", + "maldad", + "bufonería", + "diablura", + "travesura", + "talante", + "porte", + "presencia", + "dignidad", + "amabilidad", + "ceremoniosidad", + "ceremonia", + "cortesía", + "caballería", + "caballería medieval", + "generosidad", + "nobleza", + "consideración", + "respeto", + "urbanidad", + "desconsideración", + "sequedad", + "desdén", + "caradura", + "cinismo", + "descaro", + "propiedad", + "actinismo", + "isotropía", + "anisotropía", + "lo certero", + "lo directo", + "alusión", + "vena", + "herencia", + "educación", + "instrucción", + "herencia", + "heterosis", + "cuna", + "origen", + "edad", + "antigüedad", + "año de origen", + "cosecha", + "novedad", + "frescura", + "vejez", + "longevidad", + "juventud", + "estilo", + "forma", + "estilo", + "lenguaje", + "tratamiento", + "talle", + "estilo de vida", + "toque", + "manera", + "modo", + "caída", + "estructura", + "estructuración", + "arquitectura de ordenadores", + "fundamento", + "composición", + "constitución", + "consistencia", + "adhesión", + "flaccidez", + "flacidez", + "flojedad", + "blandura", + "pastosidad", + "desmenuzabilidad", + "desmigajamiento", + "esponjosidad", + "densidad", + "retención urinaria", + "disposición", + "inclinación", + "tendencia", + "electronegatividad", + "negatividad", + "deseo", + "hambre", + "sed", + "posesividad", + "feel", + "tacto", + "toque", + "lustre", + "suavidad", + "grosor", + "rugosidad", + "tosquedad", + "arenosidad", + "desigualdad", + "jaspeación", + "marmolación", + "claridad", + "iluminación", + "luz", + "luminosidad", + "fulgor", + "resplandor", + "destello", + "fogonazo", + "chispa", + "brillo", + "esplendor", + "radiancia espectral", + "resplandor", + "resplandor", + "viso", + "color", + "coloración", + "tono", + "matiz", + "negro", + "carbón", + "sable", + "blanco", + "blanco roto", + "hueso", + "marfil", + "perla", + "rojo", + "naranja", + "rubio", + "amarillo anaranjado", + "azafrán", + "amarillo verdoso", + "verde", + "chartreuse", + "verde amarillento", + "verde loro", + "verde azulado", + "cerúleo", + "azul pálido", + "azul marino", + "aguamarina", + "azul cobalto", + "azul real", + "azul verdoso", + "turquesa", + "azul real", + "azul turquesa", + "púrpura", + "morado real", + "morado rojizo", + "violeta", + "rosa", + "solferino", + "albaricoque", + "melocotón", + "rosa amarillento", + "rosa salmón", + "coral", + "marrón amarillento", + "topacio", + "caoba", + "marrón rojizo", + "rojo veneciano", + "sepia", + "siena", + "marrón rojizo", + "rojo terroso", + "cobre", + "color de cobre", + "marrón oliváceo", + "marrón verdoso", + "pastel", + "pintura al pastel", + "gris pardo", + "matiz", + "tono", + "intensidad", + "con colores", + "rubicundez", + "amarillez", + "color cetrino", + "morenez", + "blancura", + "valor", + "claridad", + "oscuridad", + "olor", + "aroma", + "sonido", + "ruido", + "timbre", + "unísono", + "voz", + "silencio", + "calma", + "silencio", + "tranquilidad", + "calma", + "tranquilidad", + "armonía", + "ruido", + "tono", + "tonalidad", + "tono", + "bajo", + "tono", + "cualidad", + "timbre", + "armónico", + "color", + "dureza", + "carraspera", + "enronquecimiento", + "ronquera", + "madurez", + "plenitud", + "riqueza", + "fuerza", + "intensidad", + "volumen", + "susurro", + "decrescendo", + "diminuendo", + "piano", + "brisura", + "intensidad", + "cualidad de salino", + "salinidad", + "acerbidad", + "agrura", + "acedía", + "acerbidad", + "empalagamiento", + "dulzura", + "acerbidad", + "buen sabor", + "gusto", + "lo apetitoso", + "lo delicioso", + "lo gustoso", + "lo sabroso", + "jugosidad", + "suculencia", + "falta de sabor", + "insipidez", + "bipedismo", + "constitución", + "físico", + "somatotipo", + "tipo", + "ectomorfo", + "tipo asténico", + "mesomorfo", + "tipo atlético", + "adiposidad", + "corpulencia", + "gordura", + "grasa", + "barrigón", + "que tiene barriga", + "grasa", + "carnosidad", + "corpulencia", + "obesidad", + "esteatopigia", + "estatura", + "talla", + "porte", + "aire", + "garbo", + "gracia", + "aire", + "garbo", + "gracia", + "torpeza", + "vitalidad", + "sensibilidad", + "sexo", + "sexualidad", + "absorción", + "reflexión", + "eco", + "eco del eco", + "temperatura", + "entalpía", + "aleatoriedad", + "entropía", + "cero absoluto", + "frío", + "helada", + "fresco", + "calor", + "luminancia", + "luminosidad", + "iluminación", + "sensibilidad", + "resiliencia", + "vitalidad", + "tenacidad", + "flexibilidad", + "masa", + "volumen", + "masa atómica", + "masa atómica relativa", + "peso atómico", + "masa molecular relativa", + "peso molecular", + "miliequivalente", + "peso", + "peso", + "ingravidez", + "sostenibilidad", + "fortaleza", + "resistencia", + "fuerza", + "fuerza muscular", + "músculo", + "nervio", + "fuerza", + "poder", + "vigor", + "resistencia", + "dureza", + "firmeza", + "solidez", + "coraje", + "agallas", + "coraje", + "discernimiento", + "nervio", + "sangre fría", + "valor", + "resistencia", + "resistencia física", + "sufrimiento", + "fuerza", + "resistencia", + "aguante", + "paciencia", + "resignacion", + "tolerancia", + "resistencia", + "tolerancia", + "eficacia", + "fuerza", + "potencia", + "valencia", + "valencia", + "fuerzas marítimas", + "fuerza", + "choque", + "impulso", + "energía", + "fuerza", + "vigor", + "intensidad", + "gravedad", + "seriedad", + "pluviosidad", + "rigor", + "gravedad", + "seriedad", + "vehemencia", + "énfasis", + "fuerza", + "furia", + "violencia", + "concentración", + "hiperacidez", + "concentración molal", + "molalidad", + "debilidad", + "adinamia", + "delicadeza", + "destructibilidad", + "indestructibilidad", + "exposición", + "solarización", + "secuencia", + "secuencia cronológica", + "serie", + "sucesión", + "sin interrupción", + "largo tiempo", + "un largo tiempo", + "proximidad", + "retraso", + "exactitud", + "puntualidad", + "retraso", + "co-ocurrencia", + "coincidencia", + "concurrencia", + "conjunción", + "contemporaneidad", + "simultaneidad", + "actualidad", + "contemporaneidad", + "simultaneidad", + "actualidad", + "contemporaneidad", + "modernez", + "modernidad", + "duración", + "tiempo excesivo", + "duración del servicio", + "longevidad", + "constancia", + "continuidad", + "permanencia", + "continuidad", + "persistencia", + "eternidad", + "transitoriedad", + "mortalidad", + "audio", + "audiofrecuencia", + "muy baja frecuencia", + "baja frecuencia", + "bf", + "fm", + "frecuencia media", + "alta frecuencia", + "muy alta frecuencia", + "vhf", + "uhf", + "ultra alta frecuencia", + "shf", + "super alta frecuencia", + "ehf", + "frecuencia extremadamente alta", + "rapidez", + "velocidad", + "marcha", + "paso", + "ritmo", + "rapidez", + "apresuramiento", + "prisa", + "precipitación", + "calma", + "dilación", + "morosidad", + "configuración", + "conformación", + "contorno", + "forma", + "topografía", + "desequilibrio", + "irregularidad", + "asimetría estadística", + "desviación", + "inclinación", + "oblicuidad", + "sesgo", + "soslayo", + "ambidiestro", + "zurdera", + "diestro", + "inclinación", + "pendiente", + "downgrade", + "caída", + "inclinación", + "pendiente", + "precipitación", + "cilindridad", + "estratificación", + "colocación", + "emplazamiento", + "localización", + "lugar", + "posición", + "radicación", + "sitio", + "situación", + "ubicación", + "ángulo de cámara", + "composición", + "equilibrio", + "proporción", + "coincidencia", + "externalidad", + "actitud", + "ademán", + "posición", + "postura", + "ectopia", + "asana", + "guardia", + "stance", + "espacio abierto", + "distancia", + "pedazo", + "trozo", + "distancia media", + "lejanía", + "a años luz", + "aproximación", + "cercanía", + "proximidad", + "longitud de onda", + "salto", + "batalla", + "difusión", + "concentración", + "densidad", + "absorbancia", + "densidad relativa", + "separación", + "magnitud", + "dimensión", + "proporción", + "probabilidad", + "bastantes posibilidades", + "bastantes probabilidades", + "dimensión", + "grado", + "nivel", + "ciencia fingida", + "talla", + "extremo", + "amplitud", + "nivel de ruido", + "medida", + "tamaño", + "masa", + "volumen", + "fuerza", + "intensidad", + "intensidad media", + "contorno", + "circunferencia", + "diámetro", + "radio", + "calibre", + "diámetro", + "medida estándar", + "calibre", + "extensión", + "anchura", + "bulto", + "volumen", + "voluminosidad", + "grandeza", + "amplitud", + "capacidad", + "plenitud", + "voluminosidad", + "gigantismo", + "delicadeza", + "finura", + "minucia", + "cortedad", + "impedimento", + "inferioridad", + "pequeñez", + "enanez", + "cantidad", + "cuantía", + "negatividad", + "incremento", + "ganancia", + "acompañamiento", + "complemento", + "disminución", + "aumento", + "aumento", + "incremento", + "baja", + "caída", + "descenso", + "pobreza", + "escasez", + "abundancia", + "caudal", + "plenitud", + "lujo", + "riqueza", + "reverdecimiento", + "verdor", + "confusión", + "selva", + "escasez", + "infrecuencia", + "rareza", + "singularidad", + "sensatez", + "exceso", + "abundancia", + "demasía", + "lujo", + "desmán", + "exceso", + "plétora", + "hartón", + "número", + "innumerabilidad", + "mayoría", + "minoría", + "extensión", + "límite", + "raya", + "límite", + "alcance", + "esfera", + "marco", + "ámbito", + "aproximado", + "ámbito aproximado", + "confines", + "confín", + "registro", + "campo", + "horizonte", + "ámbito", + "amplitud", + "extensión", + "espectro", + "paleta", + "superficie", + "área", + "longitud", + "distancia", + "hora", + "minuto", + "altura", + "altitud", + "altura", + "elevación", + "nivel", + "longitud", + "extensión", + "largo", + "longitud", + "profundidad", + "amplitud", + "anchura", + "anchura", + "manga", + "altura", + "importancia", + "valor", + "mérito", + "virtud", + "menudencia", + "nimiedad", + "futilidad", + "insignificancia", + "vacío", + "vanidad", + "precio", + "valor", + "bien", + "bueno", + "beneficio", + "provecho", + "beneficio", + "bien", + "interés", + "provecho", + "nombre", + "mejor", + "maldad", + "peor", + "mal", + "maldad", + "Jinetes del Apocalipsis", + "costa", + "coste", + "precio", + "valoración", + "imposición", + "lujo", + "ocasión", + "fecundidad", + "riqueza", + "productividad", + "aridez", + "esterilidad", + "infructuosidad", + "pobreza", + "provecho", + "utilidad", + "útil", + "función", + "propósito", + "asistencia", + "ayuda", + "uso", + "usabilidad", + "funcionalidad", + "realismo", + "romanticismo", + "quijotería", + "aptitud", + "capacidad", + "competencia", + "habilidad", + "pericia", + "incapacidad", + "activo", + "ventaja", + "virtud", + "recurso", + "asistencia", + "ayuda", + "recurso", + "soporte", + "apelación", + "recurso", + "refugio", + "sombra", + "delantera", + "superioridad", + "ventaja", + "favor", + "fuerza", + "influencia", + "peso", + "concesión", + "ventaja", + "delantera", + "liderazgo", + "ventaja", + "fuerza", + "ventaja", + "beneficio", + "ganancia", + "provecho", + "preferencia", + "privilegio", + "conveniencia", + "oportunidad", + "superioridad", + "enchufe", + "control", + "especialidad", + "especialización", + "fuerte", + "oficio", + "punto fuerte", + "beneficio", + "bien", + "interés", + "provecho", + "utilidad", + "validez", + "trastorno", + "conveniencia", + "racionalidad", + "sensatez", + "provecho", + "limitación", + "restricción", + "defecto", + "deficiencia", + "falta", + "inconveniencia", + "molestia", + "privación", + "pérdida", + "coste", + "precio", + "inconveniente", + "obstáculo", + "castigo", + "sanción", + "inferioridad", + "deterioro", + "asertividad", + "atrevimiento", + "chulería", + "engreimiento", + "prepotencia", + "negatividad", + "occidentalismo", + "importancia", + "magnitud", + "trascendencia", + "importancia", + "grandeza", + "significación", + "historicidad", + "consecuencia", + "importancia", + "repercusión", + "transcendencia", + "trascendencia", + "consecuencia", + "graves consecuencias", + "esencia", + "urgencia", + "insistencia", + "peso", + "derecho", + "admisión", + "entrada", + "derechos humanos", + "prerrogativa", + "privilegio", + "servidumbre", + "privilegio", + "puerta abierta", + "derecho", + "derechos civiles", + "habeas corpus", + "libertad de religión", + "libertad de expresión", + "libertad de prensa", + "libertad de reunión", + "derecho al voto", + "sufragio", + "voto", + "libertad de discriminación", + "igualdad de oportunidades", + "derecho de acción", + "usufructo", + "poder", + "potencia", + "interés", + "energía", + "intensidad", + "dominio", + "influencia", + "influjo", + "influencia", + "influjo", + "fuerza", + "control", + "presión", + "control", + "autoridad", + "autorización", + "dominación", + "dominio", + "corporativismo", + "rienda", + "carta blanca", + "dominio", + "imperio", + "imperium", + "señoría", + "señorío", + "jurisdicción", + "alcance", + "disposición", + "discreción", + "penetración", + "efectividad", + "eficacia", + "aptitud", + "interoperabilidad", + "voz", + "capacidad", + "impotencia", + "impotencia", + "ausencia de persuasión", + "paro", + "aburrimiento", + "desgana", + "desinterés", + "hastío", + "pesadez", + "tedio", + "lata", + "incapacidad", + "incapacidad", + "incapacidad", + "infinidad", + "infinitud", + "finitud", + "escalabilidad", + "optimismo", + "pesimismo", + "braquiocefalia", + "solubilidad", + "cuerpo", + "estructura física", + "estructura orgánica", + "carne", + "cuerpo", + "figura", + "forma", + "físico", + "persona", + "cadáver", + "cuerpo", + "restos", + "cadáver", + "cenizas", + "cuerpo", + "fiambre", + "muerto", + "restos", + "restos mortales", + "sistema", + "parte del cuerpo", + "región", + "zona", + "área", + "corredera", + "vallécula", + "septo", + "estructura", + "estructura anatómica", + "carena", + "quilla", + "acantión", + "asterión", + "condilion", + "coronión", + "entomión", + "lambda", + "nasión", + "obelión", + "pterión", + "esfenión", + "plexo", + "plexo nervioso", + "aparato", + "sistema", + "piel", + "mesotelio", + "melanocito", + "célula de goblet", + "célula de pelo", + "capa malpiguia", + "estrato basal", + "estrato de Malpigui", + "estrato germinativo", + "cutis", + "manto", + "placa", + "punto negro", + "salpinge", + "glomérulo renal", + "canal acústico externo", + "canal auditivo", + "canal del oído", + "meato acústico", + "abertura", + "orificio", + "puerta", + "poro", + "estigma", + "canal", + "vía", + "seno superior", + "seno", + "ampolla", + "pelo", + "lanugo", + "cabello", + "raya", + "peinado", + "crepado", + "corte", + "onda", + "tupé", + "caracolillo", + "rizo", + "afro", + "tirabuzón", + "moño", + "cola", + "coleta", + "barba", + "vibrisas", + "bigote", + "cepillo", + "mostacho", + "bigotes de foca", + "mostacho de foca", + "patilla", + "pera", + "costra", + "nódulo", + "especimen", + "tejido", + "parénquima", + "placa de ateroma", + "hueso", + "hueso desnudo", + "hueso piramidal", + "trapezoide", + "triquetrum", + "triquetum", + "hueso del trapecio", + "trapezoide", + "cuerpo", + "pómulo", + "clavícula", + "rafe del paladar", + "osículo auditivo", + "osículos auditivos", + "rótula", + "hueso sacro", + "paletilla", + "acromión", + "socket", + "dentición primaria", + "dentición secundaria", + "diente", + "vertebra", + "cuenca", + "órbita", + "alveolo", + "tejido cartilaginoso", + "fibrocartílago", + "músculo", + "músculo", + "músculo esquelético", + "abductor del meñique", + "abductor del pulgar", + "ligamento falciforme", + "flexor", + "músculo flexor", + "tejido nervioso", + "ganglio nervioso", + "órgano", + "primordio", + "víscera", + "entrañas", + "vísceras", + "receptor", + "barorreceptor", + "sistema auditivo", + "aparato visual", + "lengua", + "articulador", + "boca", + "pico", + "boca", + "cuello uterino", + "cloaca", + "vestíbulo", + "encía", + "labio", + "diente", + "incisivos", + "paleta", + "canino", + "incisivo", + "cemento dental", + "amígdala", + "velo", + "paladar duro", + "oculus", + "ojo", + "omatidio", + "coroides", + "ceja", + "párpado", + "pestaña", + "pinguécula", + "músculo recto inferior", + "recto inferior", + "córnea", + "úvea", + "tímpano", + "pupila", + "oído", + "laberinto", + "endolinfa", + "perilinfa", + "oreja", + "oreja", + "mediastino", + "fosa temporal", + "martillo", + "yunque", + "estribo", + "coclea", + "meninge", + "meninges", + "glándula", + "glándula meibomiana", + "glándula meiboniana", + "glándula tarsal", + "tubérculo de Montgomery", + "glándula exocrina", + "aparato digestivo", + "sistema endocrino", + "endocrina", + "glándula endocrina", + "glándula tiroides", + "próstata", + "conducto nasolacrimal", + "timo", + "riñón", + "arteria", + "aorta ascendente", + "arteria bronquial", + "arterias comunicantes", + "arteria coronaria derecha", + "arteria coronaria izquierda", + "arteria maxilar", + "arteria metacarpiana", + "arteria temporal anterior", + "arteria temporalis anterior", + "arteria temporal intermedia", + "arteria temporalis intermedia", + "vena del cerebelo", + "vena cerebral media", + "vena conjuntival", + "vena cística", + "venas epigástricas superiores", + "venas superiores epigástricas", + "vena labial", + "vena labial", + "vena labialis", + "vena laringea", + "venas meníngeas", + "vena metacarpiana", + "vena metatarsiana", + "vena frénica", + "vena pilórica", + "vena prepilórica", + "vena pudenda", + "vena pulmonar", + "vena pulmonaris", + "vena escrotal", + "vena sigmoide", + "vena espinal", + "vena sublingual", + "vena testicular", + "hipocondrio", + "hígado", + "conducto hepático", + "páncreas", + "pulmón", + "corazón", + "corazón de atleta", + "cámara", + "cavidad craneal", + "cavidad craneana", + "cavidad intercraneal", + "estómago", + "epigastrio", + "conducto torácico", + "vaso quilífero", + "vaso", + "fluido corporal", + "leche", + "sangre", + "sangre arterial", + "sangre espesa", + "coágulo", + "sangre venosa", + "quilo", + "lágrima", + "lágrima", + "perspiración", + "sudor", + "sudoración", + "transpiración", + "cólera", + "hormona", + "noradrenalina", + "gastrina", + "ghrelina", + "motilina", + "glucagón", + "gonadotrofina", + "gonadotropina", + "melatonina", + "oxitocina", + "pitocina", + "relaxina", + "calcitonina", + "tiroxina", + "triiodotironina", + "hormona antidiurética", + "fluido sinovial", + "fluído sinovial", + "sinovial", + "moco", + "moco", + "baba", + "babaza", + "espumarajo", + "saliva", + "esmegma", + "loquios", + "humor", + "pirulencia", + "podre", + "pus", + "secreción", + "supuración", + "ulceración", + "vena", + "vena bulbo-vestibular", + "venas palpebrales", + "venas interlobulillares", + "venas del riñón", + "venas labiales anteriores", + "abdomen", + "vientre", + "vena vesical", + "vena vestibular", + "capilar sanguíneo", + "vena capilar", + "vénula", + "membrana", + "retina", + "endocardio", + "pericardio", + "epicardio", + "submucosa", + "protoplasto", + "pronúcleo", + "citoesqueleto", + "citosol", + "lisosoma", + "aparato de golgi", + "nucleoplasma", + "núcleo", + "gen", + "homeobox", + "haplotipo", + "operón", + "gen supresor", + "supresor", + "cromosoma", + "xx", + "autosoma", + "cromátida", + "cromátido", + "cinetocoro", + "cariotipo", + "orgánulo", + "ribosoma", + "sarcoplasma", + "blastocito", + "ameloblasto", + "osteoclasto", + "osteocito", + "megaloblasto", + "histiocito", + "fagocito", + "leucocito", + "plasmablasto", + "neutrófilo", + "eosinófilo", + "microcito", + "reticulocito", + "célula germinal", + "célula reproductiva", + "célula sexual", + "gameto", + "acrosoma", + "óvulo", + "gametocito", + "espermatocele", + "sarcómero", + "sistema muscular", + "sistema nervioso", + "estructura neurológica", + "fibra nerviosa", + "fibra medulada", + "fibra mielinada", + "capa de mielina", + "capa medular", + "neurilema", + "neurona", + "célula cerebral", + "osmoreceptor", + "fibra nerviosa motor", + "neurona eferente", + "neurona motor", + "neurona motora", + "neurona aferente", + "neurona sensorial", + "astrocito fibroso", + "microglía", + "oligodendrocito", + "axón", + "proceso", + "barba", + "barbilla", + "cóndilo mandibular", + "proceso condilar", + "proceso condiloide", + "epicóndilo", + "epicóndilo lateral", + "spiculum", + "osteofito", + "nervio", + "aferente", + "nervio aferente", + "nervio sensorial", + "filete", + "lemnisco", + "hemisferio", + "hemisferio cerebral", + "nervio olfatorio", + "nervio facial", + "sistema nervioso central", + "cerebro", + "encéfalo", + "neocórtex", + "neopalio", + "archipalio", + "arquipalio", + "paleocorteza", + "paleocórtex", + "metencéfalo", + "leptomeninge", + "dura", + "dura madre", + "aracnoide", + "membrana aracnoide", + "neuropilo", + "parte anterior", + "hemisferio cerebelar", + "corteza", + "médula", + "córtex adrenal", + "médula adrenal", + "cerebro", + "telencéfalo", + "pliegue", + "córtex prefrontal", + "lóbulo prefrontal", + "amigdala cerebral", + "prosencéfalo", + "hipocampo", + "telencéfalo", + "putamen", + "subtálamo", + "tálamo", + "hipotálamo", + "cuerpo estriado", + "cerebro medio", + "mesencéfalo", + "rombencéfalo", + "mielencéfalo", + "puente de Varolio", + "puente troncoencefálico", + "tronco del encéfalo", + "plexo mesentérico", + "plexo periarterial", + "plexo pulmonar", + "plexo solar", + "aparato respiratorio", + "tracto respiratorio bajo", + "tracto respiratorio alto", + "tracto", + "vejiga urinaria", + "uréter", + "órganos reproductores", + "órganos sexuales", + "sistema reproductivo femenino", + "entrepierna", + "genitales", + "sexo", + "zona íntima", + "órganos genitales", + "genitales femeninos", + "sexo femenino", + "órgano genital femenino", + "órganos genitales femeninos", + "saco", + "bolsa", + "bolsa", + "bolsillo", + "ampolla", + "madre", + "matriz", + "seno", + "decidua", + "miometrio", + "liposoma", + "placenta", + "almeja", + "chichi", + "chocho", + "conejo", + "coño", + "patata", + "vulva", + "clitoris", + "glandulas cervicales uterinas", + "glándulas cervicales", + "gónada", + "huevo", + "testículo", + "epidídimo", + "rete testis", + "reti testis", + "conducto deferente", + "conductos deferentes", + "miembro", + "pilila", + "micropene", + "laringe", + "canal intestinal", + "tripa", + "píloro", + "ileon", + "intestino grueso", + "ciego", + "colon ascendente", + "colon descendente", + "apéndice", + "recto", + "ano", + "periné", + "cabeza", + "calavera", + "cúpula del cráneo", + "caja craneana", + "cráneo", + "frente", + "articulación sinovial", + "diartrosis", + "sutura interparietal", + "sutura sagital", + "cara", + "mandíbula", + "quijada", + "cuello", + "cerviz", + "cogote", + "nuca", + "fístula", + "hombro", + "hombro", + "torso", + "tronco", + "músculo posterior serrato", + "músculo serrato posterior", + "serrato posterior", + "costado", + "lado", + "pecho", + "seno", + "mama", + "areola", + "cintura", + "talle", + "barriga", + "panza", + "tripa", + "barriga", + "baúl", + "panza", + "tripa", + "vientre", + "cadera", + "ónfalo", + "estómago", + "vientre", + "espalda", + "ancas", + "ano", + "as de oros", + "asentaderas", + "asiento", + "cachas", + "cachetes", + "cola", + "culo", + "fin", + "fondo", + "glúteos", + "grupa", + "nalga", + "nalgas", + "ocóte", + "pandero", + "pompis", + "posaderas", + "posas", + "posterior", + "rulé", + "suelo", + "tras", + "trasero", + "traste", + "tuje", + "nalga", + "miembro", + "miembro", + "pierna", + "muslo", + "regazo", + "pierna", + "caña", + "brazo", + "mano", + "palma", + "zarpa", + "puño", + "puño cerrado", + "derecha", + "izquierda", + "palma", + "dedo", + "pulgar", + "dedo índice", + "índice", + "meñique", + "glúteo", + "gluteo máximo", + "glúteo máximo", + "gluteus medius", + "glúteo medio", + "glúteo mínimo", + "esfinter anal", + "esfínter anal", + "esfínter uretral", + "músculo esfínter uretral", + "rodilla", + "fémur", + "media pantorrilla", + "músculo mayor romboide", + "arco", + "planta", + "puntillas", + "casco", + "dedo", + "hallux", + "talón", + "codo", + "uña", + "matriz", + "fascia", + "uña del pulgar", + "padrastro", + "muñeca", + "nudillos", + "armazón", + "columna vertebral", + "espalda", + "rosario", + "atlas", + "vértebra atlas", + "diáfisis", + "metáfisis", + "húmero", + "radio", + "cúbito", + "olecranon", + "tibia", + "articulación", + "cadera", + "coxofemoral", + "acetábulo", + "ingle", + "carne viva", + "nariz", + "nariz ganchuda", + "nariz romana", + "barba", + "barbilla", + "mentón", + "narina", + "cara", + "faz", + "rostro humano", + "cara", + "faz", + "rostro", + "facción", + "rasgo", + "frente", + "sien", + "mejilla", + "excrecencia", + "sincitio", + "túnica albugínea", + "túnica", + "celoma", + "telómero", + "vómer", + "bedotia geayi", + "cabeza", + "cerebro", + "mente", + "espacio", + "lugar", + "sitio", + "superego", + "astucia", + "criterio", + "juicio", + "ojo", + "vista", + "lógica", + "inteligencia", + "razón", + "circunspección", + "discreción", + "prudencia", + "cautela", + "cuidado", + "precaución", + "prevención", + "previsión", + "capacidad", + "ingenio", + "poder", + "habilidad", + "sabiduría", + "dirección", + "inteligencia", + "capacidad de aprendizaje", + "capacidad mental", + "cerebro", + "ingenio", + "mentalidad", + "poder mental", + "entendimiento", + "agudeza", + "rapidez", + "rapidez mental", + "brillantez", + "genio", + "talento", + "precocidad", + "capacidad", + "habilidad", + "ingenio", + "inteligencia", + "erudición", + "sabiduría callejera", + "aptitud", + "instinto", + "capacidad", + "alcance", + "campo de acción", + "comprensión", + "entendimiento", + "límites", + "ámbito", + "campo visual", + "vista", + "talento", + "tino", + "don", + "puro talento", + "fecundidad", + "genialidad", + "genio", + "hechicería", + "magia", + "imaginación", + "El Dorado", + "hada", + "ninfa", + "cielo", + "paraíso", + "Elíseo", + "elíseo", + "paraíso", + "Tierra Prometida", + "tierra prometida", + "paraíso", + "abismo", + "averno", + "infierno", + "infierno", + "perdición", + "limbo", + "utopía", + "fantasía", + "quimera", + "sueño", + "sueño del opio", + "sueño fantástico", + "concepción", + "diseño", + "innovación", + "invención", + "invento", + "idea", + "ingenio", + "armería", + "arsenal", + "inventario", + "originalidad", + "innovación", + "novedad", + "enología", + "destreza", + "bravura", + "arte", + "destreza", + "habilidad", + "técnica", + "abilidad", + "habilidad manual", + "destreza", + "habilidad", + "alfabetización", + "arte", + "capacidad superior", + "arte", + "destreza", + "habilidad", + "pericia", + "abilidad", + "habilidad manual", + "coordinación", + "control", + "dominio", + "piedra de toque", + "toque final", + "destreza", + "destreza manual", + "habilidad", + "pericia", + "técnica", + "pincelada", + "eficiencia", + "economía", + "incapacidad", + "bloqueo del escritor", + "estupidez", + "retraso", + "retraso", + "debilidad mental", + "deficiencia mental", + "imbecilidad", + "locura", + "torpeza", + "analfabetismo", + "convencionalidad", + "facultad", + "atención", + "concentración", + "habla", + "lenguaje", + "léxico", + "léxico", + "memoria", + "entendimiento", + "inteligencia", + "razón", + "volición", + "voluntad", + "delicadeza", + "receptividad", + "sensibilidad", + "grado de reacción", + "reacción", + "sensibilidad", + "visión", + "vista", + "estigmatismo", + "sentido del tacto", + "tacto", + "agudeza visual", + "visión foveal", + "audición", + "modalidad auditiva", + "oído", + "sentido del oído", + "afinación perfecta", + "oído absoluto", + "gusto", + "sentido del gusto", + "olfato", + "sentido del olfato", + "nariz", + "equilibrio", + "propiocepción", + "método", + "método de enseñanza", + "método pedagógico", + "pedagogía", + "metodología", + "solución", + "solución milagrosa", + "sistema", + "disciplina", + "lógica", + "organon", + "técnica", + "antialiasing", + "proceso benday", + "emulación", + "simulación", + "simulación por ordenador", + "práctica", + "costumbre", + "tradición", + "convención", + "fórmula", + "modelo", + "norma", + "normal", + "pauta", + "regla", + "hábito", + "rutina", + "uso", + "entusiasmo", + "inquietud", + "preocupación", + "asunto", + "cosa", + "parte", + "amnesia", + "olvido total", + "pérdida de memoria", + "descuido", + "falta de memoria", + "olvido", + "olvido", + "inconsciencia", + "olvido", + "conciencia", + "conocimiento", + "consciencia", + "consciente", + "sentido", + "conciencia", + "conocimiento", + "autoconocimiento", + "mano", + "sexto sentido", + "sensación", + "sentido", + "aestesia", + "estesis", + "sensibilidad", + "despertar", + "vela", + "ignorancia", + "desmayo", + "pérdida del conocimiento", + "aletargamiento", + "atontamiento", + "aturdimiento", + "estupor", + "semiinsconsciencia", + "coma", + "aletargamiento", + "trance", + "narcosis", + "subconsciente", + "curiosidad", + "interés", + "curioseo", + "fisgoneo", + "indagación", + "confusión", + "desorden", + "distracción", + "misterio", + "embrollo", + "enredo", + "laberinto", + "lío", + "maraña", + "revoltijo", + "dificultad", + "obstáculo", + "problema", + "problema", + "cuestión", + "dificultoso", + "dolor de cabeza", + "estorbo", + "freno", + "escollo", + "rémora", + "lata", + "ligadura", + "barrera", + "dificultad", + "impedimento", + "obstáculo", + "problema", + "tropiezo", + "obstáculo", + "dificultad", + "impedimento", + "Jim Crow", + "condicionante", + "determinante", + "factor causal", + "factor concluyente", + "factor decisivo", + "factor determinante", + "influencia", + "huella", + "marca", + "apoyo", + "tentación", + "fascinación", + "equivalente", + "homólogo", + "combinación", + "juego", + "complemento", + "sucesor", + "certeza", + "seguridad", + "aplomo", + "autoridad", + "certidumbre", + "convicción", + "seguridad", + "confianza", + "fe", + "duda", + "incertidumbre", + "cautela", + "reservas", + "reticencia", + "desconfianza", + "recelo", + "vacilación", + "suspense", + "inquietud", + "preocupación", + "fijación", + "obsesión", + "abstracción", + "acto", + "proceso", + "proceso", + "atención", + "atención", + "atención", + "concentración", + "enfoque", + "especialidad", + "estudio", + "complejo", + "cuelgue", + "lío emocional", + "vigilancia", + "celos", + "confusión", + "distracción", + "descuido", + "preterición", + "excepción", + "intuición", + "emoción", + "premonición", + "presentimiento", + "sensación", + "sexto sentido", + "aprehensión inmediata", + "inmediatez", + "percepción", + "percepción", + "penetración", + "conocimiento", + "comentario", + "observación", + "identificación", + "contraste", + "melodía", + "percepción musical", + "aestesis", + "estesis", + "impresión", + "sensación", + "sense datum", + "vista", + "olor", + "almizcle", + "aroma", + "esencia", + "perfume", + "hedor", + "peste", + "hediondez", + "hedor", + "peste", + "tufo", + "gusto", + "sabor", + "sabor", + "limones", + "limón", + "vainilla", + "dulcedumbre", + "dulzor", + "dulzura", + "sabor dulce", + "insipidez", + "sosería", + "sentido del oído", + "sonido", + "música", + "tono", + "sobretono", + "ruido", + "sensacion somática", + "sensación", + "somestesia", + "tacto", + "cosquilleo", + "hormigueo", + "hormiguillo", + "picazón", + "picor", + "prurito", + "prurito", + "prurito vulvar", + "presión", + "dolor", + "punzada", + "temperatura", + "calor", + "frío", + "creencia", + "contradicción", + "doblepensar", + "disposición", + "orden", + "ordenación", + "organización", + "sistema", + "estructura de datos", + "plan", + "proyecto", + "trazado", + "mapa genético", + "topología", + "topología de red", + "topología física", + "topología lógica", + "configuración", + "estructura jerárquica", + "sistema de archivos", + "clasificación", + "valoración", + "crítica", + "examen", + "crítica negativa", + "autocrítica", + "atribución", + "tasa", + "calificación", + "nota", + "comprobación", + "ensayo", + "informe", + "prueba", + "test", + "doble comprobación", + "verificación", + "inmunoensayo", + "radioinmunoensayo", + "prueba de Schick", + "prueba de schick", + "prueba de fuego", + "balance", + "discriminación", + "diferenciación", + "distinción", + "contraposición", + "contraste", + "contraste", + "demarcación", + "línea", + "línea divisoria", + "individualización", + "apreciación", + "gusto", + "estilo", + "tendencia", + "New Look", + "moda", + "corte", + "alta costura", + "delicadeza", + "discrección", + "discreción", + "cultura", + "letras", + "adquisición", + "aprendizaje", + "condicionamiento", + "educación", + "incorporación", + "introyección", + "huella", + "impresión", + "impronta", + "memorización", + "repetición mecánica", + "asimilación", + "estudio", + "generalización", + "transferencia", + "asimilación", + "experiencia", + "familiarización", + "condicionamiento adverso", + "memoria", + "recuperación", + "recuerdo", + "mente", + "mientes", + "reconstrucción", + "identificación", + "reconocimiento", + "identidad", + "asociación", + "conexión", + "convergencia", + "símbolo", + "interpretación", + "imagen", + "pintura", + "representación", + "retrato", + "imagen", + "representación", + "visión", + "representación mental", + "visión mental", + "sueño", + "sueño", + "pesadilla", + "sueño húmedo", + "quimera", + "ensueño", + "ilusión", + "sueño", + "utopía", + "evocación", + "búsqueda", + "caza", + "meditación", + "pensamiento", + "reflexión", + "razonamiento", + "análisis", + "pensamiento analítico", + "argumentación", + "argumento", + "deducción", + "previsión", + "proyección", + "predicción", + "previsión", + "prefiguración", + "litomancia", + "necromancia", + "lectura de manos", + "quiromancia", + "piromancia", + "horoscopía", + "especulación", + "ideología", + "suposición", + "abstracción", + "generalización", + "consecuencia", + "deducción", + "implicación", + "presunción", + "conclusión", + "disección", + "eliminación", + "raciocinio", + "síntesis", + "cogitación", + "estudio", + "pensar", + "elucubración", + "consideración", + "reflexión", + "consideración", + "deliberación", + "ponderación", + "exploración", + "consideración", + "contemplación", + "ensimismamiento", + "especulación", + "meditación", + "pensamiento", + "ponderación", + "reflexión", + "meditación", + "decisión", + "toma de decisiones", + "pensamiento de grupo", + "acuerdo", + "resolución", + "prejuicio", + "dos veces", + "reconsideración", + "elección", + "selección", + "placer", + "satisfacción", + "favorito", + "alternativa", + "elección", + "opción", + "preferencia", + "valor por defecto", + "oportunidad", + "posibilidad", + "posible acción", + "concepción", + "reflexión", + "explicación", + "fundamento", + "principio", + "base", + "fundamento", + "meollo", + "parte fundamental", + "clave", + "racionalización", + "planificación", + "acuerdo", + "arreglo anticipado", + "arreglo previo", + "reserva", + "inspiración", + "atención", + "encuesta", + "estudio", + "exploración", + "interés", + "investigación", + "ensayo", + "experimentación", + "experimento", + "prueba", + "test", + "investigación empírica", + "prueba", + "testamento", + "investigación", + "cálculo", + "interpolación", + "conversión", + "conversión de datos", + "digitalización", + "aproximación", + "estimación", + "cálculo aproximado", + "al corriente", + "en la onda", + "aprehensión", + "comprensión", + "discernimiento", + "entendimiento", + "sapiencia", + "comprensión", + "falta de entendimiento", + "incomprensión", + "autoconocimiento", + "apreciación", + "sentido", + "idea", + "intuición", + "comprensión", + "entendimiento", + "reconocimiento", + "iluminación", + "luz", + "revelación", + "hallazgo", + "flash", + "lectura", + "contenido mental", + "tradición", + "mundo", + "realidad", + "vida real", + "existencia", + "vida", + "re-experimentación", + "revisitación", + "pábulo", + "tema de interés", + "infatuación", + "amor", + "devoción", + "pasión", + "noúmeno", + "recuerdo", + "memento mori", + "fantasmas", + "fantasmas de", + "recuerdos", + "universo", + "asunto", + "cuestión", + "materia", + "tema", + "quodlibet", + "campo", + "terreno", + "área", + "información", + "dato", + "lectura", + "medición", + "medida", + "evidencia", + "hecho", + "prueba", + "caso", + "detalle", + "particularidad", + "pormenor", + "punto", + "observación", + "razón", + "estado", + "situación", + "verdad", + "escondrijos", + "rincón y grieta", + "respecto", + "ejemplo", + "lamentable caso", + "lamentable ejemplo", + "mal ejemplo", + "excepción", + "precedente", + "muestra", + "muestra aleatoria", + "circunstancia", + "condición", + "consideración", + "justificación", + "base", + "evidencia", + "fundamento", + "causa probable", + "confirmación", + "constatación", + "suma de verificación", + "refutación", + "contraejemplo", + "pista", + "rastro", + "cante", + "confidencia", + "estímulo", + "reforzador", + "refuerzo", + "estímulo", + "señal", + "estimulo positivo", + "estímulo positivo", + "estímulo negativo", + "alegría", + "gozo", + "placer", + "molestia", + "irritación", + "plaga", + "preocupación", + "carga", + "peso", + "preocupación", + "asunto", + "problema", + "peso muerto", + "imposición", + "dolor", + "pena", + "idea", + "pensamiento", + "inspiración", + "fuente", + "semilla", + "madre", + "concepción", + "concepto", + "conceptualizacion", + "concepción", + "percepcion", + "percepción", + "noción", + "preocupación", + "control de velocidad", + "idea", + "juicio", + "opinión", + "parecer", + "decisión", + "determinación", + "resolución", + "categoría", + "clase", + "tipo", + "encabezamiento", + "título", + "tipo", + "variante", + "versión", + "estilo", + "gusto", + "extrañeza", + "especie", + "tipo", + "variedad", + "marca", + "género", + "clase", + "índole", + "modelo", + "norma", + "regla", + "regulación", + "limitación", + "restricción", + "estrechez", + "algoritmo", + "recursión", + "pauta", + "cualidad", + "propiedad", + "virtud", + "calidad", + "característica", + "característica", + "rasgo", + "faceta", + "atractivo", + "excelencia", + "apariencia", + "particularidad", + "peculiaridad", + "aspecto", + "lado", + "sección", + "parte", + "campo", + "esfera", + "sector", + "ámbito", + "atención", + "abstracción", + "maestro", + "cosa", + "cantidad", + "cuanto", + "término", + "valor", + "variable", + "aridad", + "factor", + "concepto correlativo", + "correlativo", + "grado de libertad", + "constante", + "parámetro", + "parámetro", + "producto", + "factorial", + "doble", + "triple", + "monto", + "suma", + "total", + "grado", + "polinomio", + "serie", + "convergencia", + "infinitesimal", + "variante", + "cálculo tensorial", + "tensor", + "punto", + "atractor", + "división", + "parte", + "sección", + "comienzo", + "principio", + "centro", + "medio", + "fin", + "final", + "término", + "componente", + "constituyente", + "elemento", + "factor", + "ingrediente", + "todo", + "totalidad", + "unidad", + "compuesto", + "complejo", + "conjunto", + "híbrido", + "conjunto", + "grupo", + "ley", + "ley natural", + "ley de Dios", + "ley divina", + "dictado", + "fundamento", + "principio básico", + "principio fundamental", + "lógica", + "principio del placer", + "principio de realidad", + "insurrección", + "principio", + "rudimento", + "ley", + "principio", + "regla", + "hipótesis", + "posibilidad", + "teoría", + "marco", + "modelo", + "esquema", + "especulación", + "suposición", + "suposición", + "supuesto", + "exigencia", + "requisito", + "requisitos académicos", + "condición esencial", + "sine qua non", + "precondición", + "presuposición", + "presupuesto", + "constatación", + "concepto erróneo", + "equivocación", + "error", + "falacia lógica", + "petición de principio", + "sofismo", + "error", + "autoengaño", + "fantasía", + "ilusión", + "fuego fatuo", + "aparición", + "El Holandés Errante", + "aparición", + "espectro", + "fantasma", + "sombra", + "wraith", + "desorientación", + "pérdida del autocontrol", + "plan", + "programa", + "programa", + "programa apolo", + "programa géminis", + "programa educativo", + "programa pedagógico", + "programa de rehabilitación", + "política", + "dibujo", + "diseño", + "esquema", + "sistema", + "sistema de votación", + "sistema electoral", + "táctica", + "estrategia", + "plan", + "táctica", + "ruta", + "trampa", + "intriga", + "conspiración", + "política de espera", + "régimen", + "programa académico", + "proyecto", + "programa vocacional", + "pauta", + "generalidad", + "generalización", + "principio", + "regla", + "azaque", + "hajj", + "yang", + "sugerencia", + "creencia", + "impresión", + "sentimiento", + "presencia", + "reacción", + "efecto", + "intuición", + "alma", + "corazón", + "noción", + "sentido", + "significado", + "motivo", + "tema", + "implicación", + "significación", + "centro", + "corazón", + "enjundia", + "esencia", + "meollo", + "núcleo", + "sustancia", + "quididad", + "tono", + "sentido", + "significado", + "extensión", + "referencia", + "referencia", + "connotación", + "ideal", + "valor", + "dechado", + "ideal", + "parangón", + "perfección", + "ídolo", + "regla de oro", + "estándar", + "ejemplo", + "modelo", + "sabiduría", + "complejidad", + "estereotipo", + "esquema", + "imagen", + "imagen mental", + "interpretación", + "figura", + "papel", + "personaje", + "confidente", + "soprano soubrette", + "héroe", + "psicosexualidad", + "percepción", + "estructura", + "forma", + "mosaico", + "imagen", + "visión", + "panorama", + "vista", + "fondo", + "vistazo", + "perfil", + "cuadro de personas", + "escena dramática", + "memoria", + "imagen memorística", + "gustillo", + "regusto", + "retrogusto", + "imagen", + "imagen mental", + "impresión", + "dechado", + "ejemplar", + "ejemplo", + "modelo", + "muestra", + "norte", + "ejemplo", + "imagen", + "paradigma", + "prototipo", + "microcosmos", + "modelo", + "guía", + "modelo", + "pauta", + "plantilla", + "aparición", + "apariencia", + "visión", + "ilusión", + "semblanza", + "espejismo", + "apariencia", + "borrón", + "expresión", + "forma", + "representación", + "convicción", + "creencia", + "analogía", + "certeza", + "convicción", + "confianza", + "fe", + "doctrina", + "filosofía", + "expectativa", + "fetichismo", + "apreciación", + "opinión", + "parecer", + "visión", + "originalismo", + "pacifismo", + "credo", + "fe", + "religión", + "culto", + "misticismo", + "sufismo", + "religión revelada", + "prejuicio", + "polo", + "esperanza", + "arcoiris", + "imposible", + "posibilidad", + "aprehensión", + "desazón", + "duda", + "recelo", + "sacerdotalismo", + "teoría", + "teosofismo", + "antroposofía", + "cabalismo", + "pensamiento", + "totemismo", + "sistema tribal", + "tribalismo", + "vampirismo", + "mainstream", + "principio", + "doctrina judicial", + "principio judicial", + "principio legal", + "abolicionismo", + "amoralismo", + "ascetismo", + "creacionismo", + "credo", + "epicureísmo", + "expansionismo", + "experimentalismo", + "movimiento girondino", + "individualismo", + "unilateral", + "multiculturalismo", + "nacionalismo", + "nacionalismo", + "pacifismo", + "reformismo", + "magia", + "secularismo", + "empiricismo", + "filosofía empírica", + "sensacionalismo", + "determinismo", + "logicismo", + "fisicalismo", + "instrumentalismo", + "realismo", + "semiología", + "cuento de viejas", + "magia negra", + "esoterismo", + "embrujo", + "encantamiento", + "encanto", + "satanismo", + "descreimiento", + "descreímiento", + "descrédito", + "incredulidad", + "agnosticismo", + "escepticismo", + "herejía", + "iconoclasia", + "fin", + "finalidad", + "meta", + "objetivo", + "propósito", + "meta", + "objetivo", + "culminación", + "objetivo último", + "ausencia de metas", + "objetivo inexistente", + "finalidad", + "intención", + "meta", + "objetivo", + "objeto", + "propósito", + "intención", + "idea", + "intención", + "objetivo", + "objetivo opuesto", + "propósito contrario", + "motivo", + "proyecto", + "voluntad", + "asunto", + "educación", + "formación", + "instrucción", + "experiencia", + "vivencia", + "cultura", + "meme", + "folklore", + "aprendizaje", + "beca", + "ciencia", + "conocimiento", + "enciclopedismo", + "erudición", + "ilustración", + "letras", + "ilustración", + "oscurantismo", + "ultramontanismo", + "edificación", + "sofisticación", + "satori", + "desencanto", + "ignorancia", + "ignorancia", + "oscuridad", + "desconocimiento", + "ignorancia", + "inconsciencia", + "oscurantismo", + "teoría", + "materialismo dialéctico", + "monetarismo", + "area de jurisdicción", + "campo", + "campo de estudio", + "disciplina", + "estudio", + "tema", + "ámbito", + "área", + "área de estudio", + "área temática", + "área de conocimiento", + "ciencia", + "ciencia", + "ciencias", + "disciplina científica", + "ciencias naturales", + "ciencias exactas", + "matemáticas", + "mates", + "aritmética", + "algorismo", + "geometría afín", + "geometría fractal", + "trigonometría esférica", + "triangulación", + "eje", + "eje semi-menor", + "dimensión", + "geometría plana", + "trigonometría", + "álgebra", + "cálculo", + "análisis", + "derivada", + "integración", + "cálculo de variaciones", + "grupo", + "teoría de galois", + "estadística", + "método estadístico", + "procedimiento estadístico", + "estadística", + "estadístico muestral", + "media", + "desviación", + "modo", + "mediana", + "media", + "media", + "variancia", + "varianza", + "desviación estándar", + "curva de campana", + "curva gausiana", + "curva normal", + "forma gausiana", + "población", + "correlación", + "covarianza", + "biología", + "ciencia biomédica", + "bioestadística", + "dermatoglífica", + "dermatoglífico", + "disgenesia", + "especialidad médica", + "medicina", + "medicina", + "angiología", + "biomedicina", + "gastroenterología", + "hematología", + "higiene", + "medicina interna", + "nefrología", + "neurología", + "otología", + "farmacocinética", + "psiquiatría", + "anatomía aplicada", + "anatomía clínica", + "neuroanatomía", + "osteología", + "audiología", + "audiometría", + "pediatría", + "neonatología", + "reumatología", + "cirugía", + "agronomía", + "criónica", + "astrobiología", + "silvicultura", + "silvicultura", + "primatologia", + "paleoantropología", + "algología", + "ficología", + "paleozoología", + "genética", + "proteómica", + "microbiología", + "morfología", + "neurobiología", + "cimología", + "hemodinámica", + "paleoecología", + "radiobiología", + "sociobiología", + "química", + "fitoquímica", + "geoquímica", + "física", + "acústica", + "aviónica", + "biofísica", + "electrónica", + "electrostática", + "mecánica", + "óptica", + "cuasipartícula", + "holismo", + "conservación", + "supersimetría", + "termoquímica", + "QED", + "electrodinámica cuántica", + "estática", + "dinámica", + "termodinámica", + "morfología", + "orografía", + "estratigrafía", + "climatología", + "nefología", + "oceanografía", + "hidrografía", + "geografía", + "topografía", + "cosmografía", + "arquitectura", + "tecnología", + "biorremediación", + "informática", + "inteligencia artificial", + "robótica", + "animación electrónica", + "animatrónica", + "telerobótica", + "nanotecnología", + "tribología", + "prospectiva", + "psicología", + "psicopatología", + "atomismo", + "psicofisiología", + "psicometría", + "informática", + "ciencia cognitiva", + "ciencias humanas", + "ciencias sociales", + "arqueología", + "micropaleontología", + "arqueología marina", + "arqueología subacuática", + "craneometria", + "ciencias políticas", + "política", + "geoestrategia", + "realpolitik", + "macroeconomía", + "microeconomía", + "proxémica", + "sociología", + "penología", + "sociometría", + "estrategia", + "tanatología", + "artes", + "humanidades", + "letras", + "clasicismo", + "inglés", + "historia", + "historicismo", + "glotocronología", + "historia", + "bellas artes", + "occidentalismo", + "filosofía", + "bioética", + "hedonismo", + "etiología", + "ciencias del derecho", + "jurisprudencia", + "derecho contractual", + "derecho empresarial", + "derecho matrimonial", + "lógica", + "lógica alética", + "lógica deóntica", + "lógica epistémica", + "lógica doxástica", + "epistemología", + "metodología", + "doctrina filosófica", + "teoría filosófica", + "literatura", + "literatura comparada", + "métrica", + "clásicas", + "lingüística", + "musicología", + "quadrivium", + "criptoanálisis", + "criptografía", + "lingüística", + "gramática", + "sintaxis", + "sintaxis", + "fonética", + "morfología", + "morfología", + "toponimia", + "neurolingüística", + "semántica", + "deixis", + "ley de verner", + "estructuralismo", + "linguística estructuralista", + "linguística descriptiva", + "eclesiología", + "escatología", + "homilética", + "teodicea", + "teología cristiana", + "patrística", + "precepto", + "mitsvah", + "mitzvah", + "mitzvá", + "utilitarismo", + "consubstanciación", + "hinayanismo", + "mahayanismo", + "milenarismo", + "trascendentalismo americano", + "actitud", + "disposición", + "postura", + "aceptación", + "crédito", + "reconocimiento", + "cibercultura", + "actitud defensiva", + "defensiva", + "altanería", + "orgullo", + "actitud", + "posición", + "postura", + "inclinación", + "tendencia", + "dirección", + "corriente", + "neotenia", + "medios", + "comprensión", + "entendimiento", + "simpatía", + "inclinación", + "orientación", + "predilección", + "preferencia", + "favor", + "reprobación", + "parcialidad", + "partidismo", + "parcialidad", + "predisposición", + "prejuicio", + "inclinación", + "injusticia", + "desinterés", + "antisemitismo", + "tolerancia", + "liberalidad", + "campanilismo", + "chauvinismo", + "dogmatismo", + "fanatismo", + "intolerancia", + "fanatismo", + "consideración", + "estima", + "respeto", + "apreciación", + "estimación", + "descortesía", + "falta de respeto", + "reverencia", + "irreverencia", + "profanidad", + "orientación", + "onda", + "experimentalismo", + "perspectiva", + "visión", + "paisaje", + "perspectiva", + "visión", + "luz", + "punto de vista", + "vista", + "enfoque", + "sesgo", + "ángulo", + "ortodoxia", + "conformidad", + "convencionalismo", + "ideología", + "centro político", + "colectivismo", + "comunismo", + "neoconservadurismo", + "reacción", + "democracia", + "extremismo", + "imperialismo", + "liberalismo", + "meritocracia", + "neoliberalismo", + "libertarismo", + "movimiento libertario", + "monarquismo", + "reaccionarismo", + "socialismo", + "socialismo utópico", + "pacifismo", + "pacifismo", + "política de agresión", + "militarismo", + "agnosticismo", + "deísmo", + "politeísmo", + "paganismo", + "panteísmo", + "macumba", + "cristianismo", + "anticatolicismo", + "calvinismo", + "Ciencia Cristiana", + "revivalismo", + "wesleyanismo", + "pentecostalismo", + "mahdismo", + "krishnaísmo", + "saktismo", + "shaktismo", + "mahayana", + "budismo tibetano", + "Tao", + "tao", + "parsismo", + "chamanismo", + "transferencia", + "puertas", + "grafología", + "numerología", + "teogonía", + "transmisión", + "comunicación", + "intercomunicación", + "difusión", + "divulgación", + "mensaje", + "difusión", + "mensaje cifrado", + "heliograma", + "medio", + "medio", + "vehículo", + "papel", + "cuartilla", + "folio", + "hoja", + "hoja de papel", + "pliego", + "folio", + "hoja", + "página", + "página derecha", + "envés", + "verso", + "página de deportes", + "hoja membretada", + "membrete", + "canal", + "banda", + "conexión", + "contacto", + "coordinación", + "multimedia", + "celuloide", + "cine", + "film", + "gran pantalla", + "prensa", + "difusión audiovisual", + "correo postal", + "medios periodísticos", + "periodismo", + "Fleet Street", + "periodismo fotográfico", + "diario", + "periódico", + "periódico sensacionalista", + "tableta", + "tabloide", + "periodismo amarillo", + "prensa amarilla", + "tabloide", + "artículo", + "columna", + "editorial", + "artículo de revista", + "artículo", + "artículo periodístico", + "noticia", + "obra", + "samizdat", + "telecomunicación", + "teléfono", + "llamada", + "llamada de teléfono", + "llamada telefónica", + "llamada en directo", + "broma telefónica", + "conferencia", + "llamada a tres", + "cable", + "comunicación inalámbrica", + "telégrafo sin hilos", + "mensaje telefónico", + "radiograma", + "broadcasting", + "radio", + "radiocomunicaciones", + "telégrafo sin cables", + "tele", + "televisión", + "imagen", + "vídeo", + "vídeo", + "audio", + "sonido", + "volumen", + "emoticono", + "smiley", + "evidencia", + "in flagrante", + "correo no deseado", + "recepción", + "modulación", + "A.M.", + "AM", + "frecuencia modulada", + "demodulación", + "desmodulación", + "lenguaje", + "discurso", + "contexto", + "oración", + "palabra", + "derivado", + "forma", + "núcleo", + "homonímia", + "palabra clave", + "préstamo", + "préstamo lingüístico", + "plural", + "radical", + "raíz", + "tema", + "entrada", + "calco semántico", + "caso partitivo", + "reduplicación", + "retrónimo", + "sinonímia", + "término", + "nomenclatura", + "terminología", + "sílaba", + "reduplicación", + "lexema", + "alomorfo", + "sufijo", + "sufijo", + "sujeto", + "complemento directo", + "objeto", + "complemento indirecto", + "construcción", + "mala construcción", + "cláusula", + "proposición", + "subordinada de relativo", + "subordinada relativa", + "complemento", + "involución", + "nombre", + "verbo", + "verbo auxiliar", + "infinitivo", + "modo infinitivo", + "adjetivo", + "nombre", + "verbo", + "adjetivo", + "adjetivo clasificador", + "adjetivo relacional", + "grado comparativo", + "superlativo", + "complemento circunstancial", + "determinante", + "artículo", + "preposición", + "pronombre", + "pronombre anafórico", + "conjunción", + "conjunción subordinada", + "conjunción subordinante", + "partícula", + "número", + "persona", + "pronombre relativo", + "primera persona", + "género", + "tiempo", + "presente", + "futuro", + "doble verbo transitivo", + "nombre", + "agnomen", + "apodo", + "sobrenombre", + "nombre del archivo", + "patronímico femenino", + "nombre de calle", + "apellido", + "nombre", + "nombre de bautismo", + "nombre de pila", + "praenomen", + "apelativo", + "apodo", + "mote", + "remoquete", + "sobrenombre", + "alias", + "nombre artístico", + "nom de plume", + "nombre de pluma", + "denominación", + "hipocorístico", + "título", + "aga", + "agha", + "señor", + "señora", + "sra.", + "rabino", + "reverendo", + "señor", + "señorita", + "señoría", + "título", + "baronazgo", + "vizcondado", + "título", + "topónimo", + "cabecera", + "titular", + "cabecera", + "titular sensacionalista", + "título", + "comentario", + "leyenda", + "pie de foto", + "subtítulo", + "contrasentido", + "traducción incorrecta", + "blanco y negro", + "comunicación escrita", + "lenguaje escrito", + "transcripción", + "transliteración", + "estenografía", + "taquigrafía", + "ortografía", + "escritura", + "código", + "clave", + "código", + "contraseña", + "código de acceso", + "puerta trasera", + "código de barras", + "cifra", + "clave", + "criptografía", + "código secreto", + "código", + "código informático", + "argumento", + "parámetro", + "ASCII", + "código binario", + "firmware", + "microcódigo", + "microprograma", + "lenguaje de máquina", + "codi objecte", + "código de operación", + "url", + "página web", + "página de inicio", + "sitio web", + "chat", + "portal", + "portal de Internet", + "escritura", + "bustrofedon", + "silabario", + "Lineal B", + "escrito", + "escritura", + "escrito", + "composición literaria", + "obra literaria", + "historiografía", + "escrito", + "lectura", + "texto", + "diálogo", + "ficción", + "novela", + "novelucha", + "fantasía", + "novela corta", + "historia", + "relato", + "utopía", + "historia heroica", + "novela de aventuras", + "saga", + "whodunit", + "romance", + "leyenda", + "cuento", + "aplogo", + "fábula", + "parábola", + "mito", + "argumento", + "asunto", + "trama", + "acción", + "obra sentimentaloide", + "crítica", + "crítica literaria", + "análisis", + "drama", + "prosa", + "poema en prosa", + "pastoral", + "poema", + "poesía", + "verso", + "balada", + "romance", + "verso libre", + "ditirambo", + "elegía", + "lamento", + "epos", + "poema heróico", + "poema épico", + "épica", + "Divina comedia", + "divina commedia", + "haiku", + "canción de gesta", + "rapsodia", + "epitalamio", + "canto", + "despedida", + "cuarteto", + "verso", + "sursum corda", + "heróico", + "metro heróico", + "verso heróico", + "estrofa", + "antistrofa", + "cookie", + "galleta", + "texto", + "margen", + "blanco", + "vaciado de memoria", + "borrador", + "bosquejo", + "entrega", + "plazo", + "fascículo", + "apartado", + "sección", + "sección deportiva", + "artículo", + "cláusula", + "cuerpo", + "libro", + "capítulo", + "episodio", + "introducción", + "abertura", + "apertura", + "comienzo", + "gancho", + "preámbulo", + "cierre", + "conclusión", + "final", + "peroración", + "perorata", + "continuación", + "apéndice", + "párrafo", + "pasaje", + "fragmento", + "pasaje", + "crestomatía", + "transición", + "flashback", + "diario", + "diario personal", + "bitácora", + "blog", + "escritura a máquina", + "escritura", + "letra", + "caligrafía", + "chafarrinón", + "garabato", + "garabatos", + "garfio", + "pintarrajo", + "patas de mosca", + "garabato", + "firma", + "John Hancock", + "consentimiento", + "refrendo", + "firma del rey", + "inscripción", + "Rosetta Stone", + "epígrafe", + "epitafio", + "manuscrito", + "manuscrito", + "códice", + "rollo", + "tratado", + "adaptación", + "versión", + "memoria", + "tesis", + "tesis doctoral", + "monografía", + "ensayo", + "composición", + "informe", + "redacción", + "tema", + "trabajo", + "memoria", + "crítica", + "reseña", + "libro", + "autoridad", + "última palabra", + "superventas", + "tomo", + "volumen", + "volumen", + "introducción", + "texto elemental", + "cartilla", + "breviario", + "vocabulario", + "diccionario", + "léxico", + "Oxford English Dictionary", + "vocabulario", + "glosa", + "tesauro", + "manual", + "grimorio", + "guía", + "guía de viajes", + "itinerario", + "directorio", + "número", + "número", + "teléfono", + "enciclopedia", + "redacción", + "corte", + "supresión", + "corrección", + "borradura", + "borrón", + "revisión", + "paráfrasis", + "traducción", + "sermoneo", + "Adi Granth", + "Biblia", + "Biblia cristiana", + "Libro", + "biblia", + "el buen libro", + "la palabra", + "las escrituras", + "las sagradas escrituras", + "mezuzá", + "II Samuel", + "Juan", + "versión estándar americana", + "versión revisada americana", + "testamento", + "evangelio", + "palabra de Dios", + "palabra de dios", + "oración", + "plegaria", + "rezo", + "Agnus Dei", + "agnus dei", + "Ave María", + "Hail Mary", + "Kol Nidre", + "padrenuestro", + "padre nuestro", + "paternoster", + "ben sira", + "eclesiástico", + "azora", + "sura", + "literatura sánscrita", + "samhita", + "atharva-veda", + "yajur veda", + "yajurveda", + "brahamana", + "brahmana", + "mantra", + "resumen", + "síntesis", + "argumento", + "capitulación", + "condensación", + "cápsula", + "reducción", + "resumen", + "estudio general", + "resumen", + "curriculum", + "curriculum vitae", + "cv", + "compendio", + "sumario", + "lista de novedades", + "resumen", + "esbozo", + "documentación", + "documento", + "certificado", + "credencial", + "documento comercial", + "instrumento comercial", + "confesión", + "derecho de autor", + "formulario", + "instancia", + "cuestionario", + "encuesta", + "Carta Magna", + "carnet del sindicato", + "diploma", + "título", + "comisión", + "encargo", + "documento judicial", + "documento jurídico", + "documento legal", + "documento oficial", + "lista", + "repertorio", + "punto", + "asunto", + "artículo de inventario", + "artículo por renglón", + "partidas", + "noticia", + "lugar", + "posición", + "factoide", + "papiro", + "lista preferente", + "formación", + "bibliografía", + "lista negra", + "clericalismo", + "contenido", + "contenidos", + "lista de contenidos", + "carpeta", + "directorio", + "lista de distribución", + "preguntas frecuentes", + "índice", + "clave", + "inventario de recambios", + "inventario", + "carta", + "menú", + "menú del día", + "menú", + "menú del ordenador", + "lista de reproducción", + "tarifa", + "LIFO", + "cola", + "lista", + "nómina", + "horario", + "horario", + "alfabeto", + "alfabeto griego", + "sistema alfanumérico", + "pasaporte", + "programa", + "manifiesto", + "diario", + "cronología", + "Libro Domesday", + "expediente", + "entrada", + "cuaderno de bitácora", + "nota", + "copia", + "transcripción", + "marginalia", + "escolio", + "memorando", + "memoria", + "memorándum", + "nota recordatoria", + "golpe", + "golpe de efecto", + "registro", + "matriz", + "tarjeta", + "acta", + "actas", + "minutas", + "protocolo", + "archivo informático", + "archivo de seguridad", + "archivo binario", + "archivo maestro", + "archivo de disco", + "archivo de transacciones", + "archivo de entrada", + "fichero de entrada", + "archivo de salida", + "fichero de salida", + "archivo de texto", + "documento de texto", + "fichero de texto", + "dimisión", + "declaración", + "resolución", + "solicitud", + "solicitud de empleo", + "solicitud de crédito", + "solicitud de hipoteca", + "instancia", + "pedido", + "petición", + "memorial", + "colecta", + "petición", + "petitoria", + "solicitud", + "crónica", + "historia", + "historia médica", + "historial clínico", + "historial médico", + "biografía", + "autobiografía", + "hagiografía", + "perfil", + "memorias", + "factura", + "recibo", + "impuesto", + "cuenta", + "nota", + "bono", + "cupón alimenticio", + "vale alimenticio", + "billete", + "pasaje", + "pase", + "boleto de transbordo", + "transfer", + "entrada", + "recibo", + "recibo", + "recibo desprendible", + "conocimiento de embarque", + "contrato", + "contrato de adhesión", + "contrato aleatorio", + "contrato bilateral", + "carta de flete", + "contrato condicional", + "contrato de arrendamiento", + "capitulaciones matrimoniales", + "contrato de matrimonio", + "contrato matrimonial", + "contrato prematrimonial", + "póliza", + "póliza de seguros", + "seguro", + "contrato de compra", + "contrato de compraventa", + "cuasicontrato", + "contrato de suministro", + "contrato de servicio", + "contrato de servicios", + "subcontrato", + "póliza abierta", + "póliza flotante", + "asociación", + "sociedad", + "concesión", + "franquicia", + "convenio colectivo", + "contrato de trabajo", + "acuerdo de distribución", + "contrato de distribución", + "licencia", + "contrato de fusión", + "venta", + "tasa", + "valoración", + "cuenta abierta", + "pedido", + "compra por correo", + "mandato", + "poder", + "poder notarial", + "representación legal", + "representación en bolsa", + "acta", + "ley", + "ley", + "invalidez", + "nulidad", + "ley sobre drogas", + "constitución", + "ley fundamental", + "derecho romano", + "legislación", + "ley estatutaria", + "legislación delegada", + "interpretación", + "traducción", + "anteproyecto", + "proyecto de ley", + "estatuto", + "reglamento", + "Riot Act", + "leer la cartilla", + "derecho penal", + "auto judicial", + "auto", + "decreto", + "edicto", + "sentencia", + "enajenación", + "decreto imperial", + "ukaz", + "prohibición", + "proscripción", + "medida cautelar", + "interdicto permanente", + "testamento", + "testamento vital", + "escritura", + "título", + "asignación", + "cesión", + "contrato de venta", + "escritura fiduciaria", + "compraventa", + "contrato de compraventa", + "escritura de renuncia", + "orden", + "orden policial", + "orden de registro", + "orden de arresto", + "orden de detención", + "orden de arresto", + "orden de ejecución", + "declaración fiscal", + "declaración tributaria", + "renta", + "declaración rectificatoria", + "declaración incorrecta", + "declaración conjunta", + "licencia", + "permiso", + "licencia de construcción", + "carnet de conducir", + "permiso de conducción", + "licencia de pesca", + "licencia de caza", + "patente", + "sentencia", + "amnistía", + "indulto", + "perdón", + "disposición", + "mandato", + "orden", + "requisitoria", + "ejecutoria", + "mandamiento de ejecución", + "habeas corpus", + "hábeas", + "orden de secuestro", + "autorización", + "mandato", + "citación", + "llamamiento", + "citación", + "citación a comparecencia", + "comparendo", + "embargo de nómina", + "interdicción", + "auto de comparecencia", + "citación", + "multa", + "multa de aparcamiento", + "respuesta evasiva", + "pretexto", + "cargo", + "cargos", + "querella", + "libelo", + "contrarréplica", + "contraréplica", + "réplica", + "réplica", + "tríplica", + "contrarréplica", + "estatuto", + "ley", + "Foreign Intelligence Surveillance Act", + "software", + "software alfa", + "software beta", + "CAD", + "freeware", + "software gratuito", + "groupware", + "sistema operativo", + "DOS", + "MS-DOS", + "linux", + "programa", + "antivirus", + "aplicación", + "aplicación activa", + "applet", + "miniaplicación", + "marco", + "programa binario", + "explorador", + "navegador", + "Explorer", + "Internet Explorer", + "konqueror", + "lynx", + "mosaic", + "Netscape", + "Opera", + "desambiguador", + "tarea", + "bucle", + "malware", + "parche", + "ensamblador", + "programa ensamblador", + "programa de verificación", + "compilador de c", + "compilador de fortran", + "compilador de LISP", + "compilador de lisp", + "compilador de pascal", + "depurador", + "controlador", + "programa de diagnóstico", + "editor", + "programa de entrada", + "interfaz de usuario", + "CLI", + "GUI", + "intérprete", + "programa intérprete", + "control de tareas", + "programa de biblioteca", + "enlazador", + "programa monitor", + "editor de textos", + "programa de salida", + "programa salida", + "analizador sintáctico", + "programa de marcado", + "programa reubicable", + "programa reutilizable", + "Web Map Service", + "MapQuest", + "buscador", + "motor de búsqueda", + "Google", + "Yahoo", + "Ask Jeeves", + "programa autoadaptable", + "programa instantáneo", + "araña web", + "hoja de cálculo", + "programa de ordenación", + "programa almacenado", + "verificador sintáctico", + "programa del sistema", + "programa rastreador", + "programa de traducción", + "traductor", + "programa de servicio", + "utilidad", + "windows", + "tabla de decisión", + "diagrama de flujo", + "rutina de vaciado", + "rutina de entrada", + "rutina de biblioteca", + "rutina de salida", + "rutina recursiva", + "rutina reutilizable", + "rutina de supervisión", + "rutina ejecutiva", + "rutina de trazado", + "rutina de servicio", + "rutina de utilidad", + "instrucción", + "orden", + "bomba lógica", + "caballo de Troya", + "troyano", + "virus", + "virus informático", + "gusano informático", + "worm", + "enlace", + "hiperenlace", + "hipervínculo", + "software de prueba", + "programa espía", + "software de supervisión", + "documentación de software", + "sistema de hipertexto", + "publicación", + "lectura", + "edición", + "impresión", + "edición", + "galeradas", + "galeras", + "prueba de galeras", + "colección", + "compendio", + "antología", + "diván", + "diwan", + "archivo", + "periódico", + "resumen", + "boletín informativo", + "revista", + "comic", + "ejemplar", + "número", + "edición", + "extra", + "crítica literaria", + "ojeada", + "vistazo", + "contenido", + "mensaje", + "asunto", + "contenido", + "materia", + "objeto", + "tema", + "paréntesis", + "frase declarativa", + "frase enunciativa", + "significación", + "significado", + "sentido", + "connotación", + "sentido", + "antecedente", + "esencia", + "núcleo", + "ambigüedad", + "laguna", + "vacío legal", + "disfemismo", + "vaya", + "doble sentido", + "intención", + "lección", + "moraleja", + "moralidad", + "matiz", + "balance final", + "disparate", + "nonsense", + "poema banal", + "verso ilógico", + "sin sentido", + "absurdo", + "sinsentido", + "tralará", + "galimatías", + "jerigonza", + "jabberwocky", + "farsa", + "mistificación", + "chorreces", + "estupideces", + "necedades", + "puro cuento", + "rollo", + "tonterías", + "abracadabra", + "barboteo", + "tontería", + "jerigonza", + "ambigüedad", + "ambigüedades", + "barbaridad", + "despropósito", + "disparate", + "aguachirle", + "bagatela", + "baratija", + "basura", + "bobadas", + "borra", + "chorradas", + "hojarasca", + "jerigonza", + "majadería", + "morralla", + "paja", + "tonterías", + "chorradas", + "sandeces", + "analectas de Confucio", + "extractos", + "selección", + "artículo", + "recortadura", + "recorte", + "recorte de prensa", + "pista", + "cita", + "cita errónea", + "película", + "producción", + "versión del director", + "versión final", + "atracción", + "atracción alternativa", + "película de tiros", + "reportaje", + "película verde", + "película muda", + "corte", + "salto", + "salto de montaje", + "salto de montaje", + "cine sonoro", + "espectáculo", + "show", + "teatro", + "emisión", + "programa", + "noticiario", + "noticias", + "programa de noticias", + "programa con llamadas", + "programa de televisión", + "episodio piloto", + "concurso", + "serie", + "cliffhanger", + "capítulo", + "episodio", + "tetralogía", + "radiodifusión", + "simulcast", + "programa de televisión", + "cable", + "telegrama", + "correspondencia", + "carta", + "carta abierta", + "línea", + "tarjeta", + "reconocimiento", + "despedida", + "palabras de despedida", + "adiós", + "adiós muy buenas", + "arrivederci", + "au revoir", + "auf wiedersehen", + "buen dia", + "bye", + "bye bye", + "chao", + "hasta la vista", + "hasta más ver", + "hasta otra", + "sayonara", + "bon voyage", + "buen viaje", + "saludo", + "salutación", + "recuerdo", + "recuerdos", + "ovación", + "paz", + "acogida", + "bienvenida", + "hospitalidad", + "recepción cordial", + "inhospitalidad", + "aloha", + "saludo", + "saludo militar", + "buenos días", + "como estás", + "hola", + "qué tal", + "buenas", + "buenos días", + "buenas tardes", + "muy buenas", + "buenas noches", + "tarjeta", + "mea culpa", + "condolencias", + "pésame", + "declinación", + "información", + "desinformación", + "material", + "detalles", + "información interna", + "evidencia", + "hecho", + "registro", + "relación", + "inicialización", + "banco de datos", + "base de datos", + "diccionario electrónico", + "fundamentos", + "rudimentos", + "índice", + "Dow Jones", + "evidencia", + "indicio", + "pista", + "huella dactilar", + "huella", + "pisada", + "marca", + "muestra", + "signo", + "rastro", + "constancia", + "prueba", + "prueba matemática", + "demostración", + "prueba lógica", + "testimonio", + "fuentes fiables", + "fuentes fidedignas", + "argumento", + "contraargumento", + "pro", + "confirmación", + "centro de atracción", + "asesoramiento matrimonial", + "aviso", + "consejo", + "filtración", + "idea", + "indicación", + "información", + "información confidencial", + "ventaja", + "norma", + "prescripción", + "regla", + "precepto", + "principio", + "regla de oro", + "política", + "New Deal", + "New deal", + "control", + "techo", + "base", + "mínimo", + "perestroika", + "glasnost", + "acción social", + "cuota", + "embargo", + "nativismo", + "política arriesgada", + "imperialismo", + "no agresión", + "neutralidad", + "mandato", + "ordenamiento", + "etiqueta", + "protocolo", + "protocolo de comunicación", + "formalismo", + "código", + "código penal", + "ecuación", + "ecuación lineal", + "ecuación de schorodinger", + "ecuación de schrodinger", + "advertencia", + "advice", + "consejo", + "aviso", + "ejemplo", + "lección", + "secreto", + "confidencia", + "cábala", + "propaganda", + "agitprop", + "fuente", + "currículo", + "programa", + "syllabus", + "impresión", + "fotograbado", + "huecograbado", + "rotograbado", + "fototipia", + "fotolitografia", + "noticia", + "artículo", + "crónica", + "historia", + "relación", + "relato", + "reportaje", + "boletín informativo", + "parte", + "despacho", + "exclusiva", + "noticiario", + "noticiero", + "emisión deportiva", + "noticias televisadas", + "noticias televisivas", + "reportaje", + "compromiso", + "dedicación", + "voto", + "profesión", + "divulgación", + "garantía", + "seguridad", + "depósito", + "plan de emergencia", + "red de seguridad", + "aprobación", + "aprobación", + "autorización", + "consentimiento", + "garantía", + "imprimatur", + "imprimátur", + "refrendación", + "sanción", + "de acuerdo", + "ok", + "okey", + "vale", + "crédito", + "reconocimiento", + "conmemoración", + "memorial", + "complicidad", + "connivencia", + "consentimiento tácito", + "permiso", + "pase", + "pasaporte", + "salvoconducto", + "aliento", + "coraje", + "ánimo", + "aclamación", + "aplauso", + "reconocimiento", + "aplauso", + "aplauso", + "ronda", + "ovación", + "vítor", + "banzai", + "hurra", + "viva", + "salva", + "alabanza", + "crédito", + "elogio", + "felicitaciones", + "aleluya", + "crítica muy favorable", + "elogios superlativos", + "apología", + "elogio", + "encomio", + "eulogio", + "panegírico", + "cumplido", + "cumplimiento", + "adulación", + "zalamería", + "adulación", + "distinción", + "espaldarazo", + "honor", + "honores", + "laurel", + "laureles", + "premio", + "homenaje", + "diplomado en enfermería", + "licenciado en biblioteconomía", + "licenciado en enfermería", + "diplomado en teología", + "licenciado en literatura", + "diplomado en medicina", + "diplomatura en medicina", + "licenciado en arquitectura", + "licenciado en ingeniería", + "licenciado en teología", + "máster en biblioteconomía", + "máster en pedagogía", + "máster en religión", + "master en pedagogía", + "máster en educación", + "máster en literatura", + "máster en biblioteconomía", + "máster en teología", + "dentista", + "odontólogo", + "cirujano dentista", + "Doctor en divinidades", + "doctor en divinidades", + "doctor en teología", + "doctor en educación", + "doctor", + "doctor en medicina", + "médico", + "doctor en optometría", + "doctor en osteopatía", + "PhD", + "doctor en investigación", + "doctor en teología", + "banderín", + "corona", + "gallardete", + "insignia", + "cachet", + "distinción", + "prestigio", + "sello", + "sello de aprobación", + "sello distintivo", + "mención", + "reconocimiento", + "reconocimiento interescolar", + "medalla", + "Cruz por Servicio Distinguido", + "Cruz de la Armada", + "Cruz de Vuelo Distinguido", + "Estrella de Plata", + "Corazón Púrpura", + "Orden del Servicio Distinguido", + "censura", + "condena", + "desaprobación", + "rechazo", + "animadversión", + "censura", + "condena", + "desaprobación", + "rechazo", + "demonización", + "crítica", + "reproche", + "criticón", + "crítica constante", + "crítica maliciosa", + "ataque", + "invectiva", + "contraataque", + "respuesta enérgica", + "respuesta vigorosa", + "consejo", + "predicación", + "prédica", + "reprensión", + "sermón", + "ataque", + "censura", + "constricción", + "bronca", + "bronca", + "golpiza", + "recriminación", + "regañina", + "regaño", + "reprobación", + "tirón de orejas", + "bronca", + "explosión", + "llamada de atención", + "censura", + "reproche", + "acusación", + "acusación falsa", + "culpa", + "charla", + "discurso", + "sermón", + "reprimenda conyugal", + "castigo", + "correctivo", + "escarmiento", + "sanción", + "respetos", + "cortesía", + "cumplido", + "insulto", + "burla", + "derrisión", + "escarnio", + "irrisión", + "desdén", + "escarnio", + "aplastar", + "derrota", + "golpe bajo", + "golpe decisivo", + "anulación", + "ridiculización", + "depreciación", + "desdén", + "desprecio", + "menoscabo", + "menosprecio", + "despectivo", + "maledicencia", + "calumia", + "denigración", + "difamación", + "crítica insignificante", + "detracción", + "desdén", + "calumnia", + "envilecimiento", + "vilipendio", + "golpe bajo", + "grocería", + "vituperio", + "descaro", + "impertinencia", + "impudencia", + "boca", + "descoco", + "impertinencia", + "insolencia", + "réplica", + "afirmación", + "declaración", + "expresión", + "cosa", + "declaración verdadera", + "verdad", + "antinomía", + "paradoja", + "descripción", + "afirmación", + "declaración", + "manifestación", + "anuncio", + "proclamación", + "edicto", + "manifiesto", + "autorización", + "declaración", + "dictamen", + "díctum", + "pronunciamiento", + "sentencia", + "Decimoctava enmienda", + "Enmienda 18º", + "argumento", + "opinión", + "alegación falsa", + "ipse dixit", + "retórica infundada", + "expresión", + "fórmula", + "fórmula", + "declaración matemática", + "afirmación", + "reafirmación", + "reiteración", + "testimonio", + "profesión", + "protesta", + "amenaza", + "conminación", + "evidencia", + "documento", + "testimonio", + "testimonio", + "evidencia directa", + "declaración", + "acta notarial", + "apuesta", + "oferta", + "cambio con salto", + "palabra", + "explicación", + "explanans", + "declaración de principios", + "denuncia", + "protesta", + "queja", + "porqué", + "razón", + "justificación", + "causa", + "motivo", + "razón", + "defensa", + "apología", + "defensa", + "excusa", + "exposición", + "planteamiento", + "explicación", + "resolución", + "respuesta", + "resultado", + "solución", + "solvente", + "denouement", + "desenlace", + "definición", + "definición explícita", + "definición ostensiva", + "respuesta", + "anuncio", + "comunicación", + "aviso", + "esquela", + "programa", + "cartel", + "programa", + "predicción", + "previsión", + "profecía", + "oraculo", + "panorama metereológico", + "pronóstico metereológico", + "proposición", + "término", + "conclusión", + "postulado", + "premisa", + "supuesto", + "tesis", + "condición", + "cláusula", + "condición", + "provisión", + "cotización", + "bola", + "falsedad", + "infundio", + "mentira", + "trola", + "bola", + "historia", + "mentira", + "película", + "bola", + "cuento", + "historia", + "mentira", + "elucubración", + "ficción", + "fábula", + "invención", + "embuste", + "patraña", + "decepción", + "engaño", + "fraude", + "impostura", + "apariencia", + "fachada", + "estafa", + "fraude", + "apariencia", + "disimulo", + "fingimiento", + "pretensión", + "farol", + "cubierta", + "pretexto", + "posposición", + "trampa", + "dolo", + "engaño", + "fraude", + "fraudulencia", + "trampa", + "elusión", + "evasiva", + "evasión", + "calificación", + "discreción", + "prudencia", + "requisito", + "reserva", + "salvedad", + "declaración discreta", + "comentario", + "anotación", + "comentario", + "letra chica", + "letra pequeña", + "nota", + "notación", + "cita", + "mención", + "leyenda", + "nota", + "postscript", + "comentario", + "consideración", + "juicio", + "observación", + "gambito", + "truco", + "táctica", + "dictamen", + "obiter dictum", + "comentario de paso", + "dicho de paso", + "obiter dictum", + "opinión inciden", + "mención", + "referencia", + "alusión", + "mención", + "referencia", + "idea", + "pensamiento", + "razonamiento", + "reflexión", + "mofa", + "tomadura de pelo", + "agudeza", + "broma", + "chiste", + "chufleta", + "comentario burlón", + "cuchufleta", + "idea", + "ocurrencia", + "pulla", + "salida", + "burla", + "hincapié", + "reafirmación", + "mitologización", + "error", + "retruécano", + "acuerdo", + "compromiso", + "pacto", + "condición", + "término", + "pacto", + "trato", + "acuerdo", + "concordato", + "convenio", + "pacto", + "trato", + "contrato de aprendizaje", + "escritura", + "obligación", + "acuerdo", + "convenio", + "pacto", + "tratado", + "tratado internacional", + "alianza", + "pacificación", + "paz", + "tratado de paz", + "SALT II", + "genialidad", + "agudeza", + "comentario ingenioso", + "dicho", + "proverbio", + "ironía", + "sátira", + "chispa", + "ingenio", + "rapidez", + "respuesta habilidosa", + "réplica ingeniosa", + "chacoteo", + "broma", + "chiste", + "gracia", + "ocurrencia", + "coronación", + "gag", + "punto cúlmine", + "chiste cochino", + "chiste verde", + "chiste étnico", + "broma", + "buena historia", + "chiste", + "comentario divertido", + "rollo", + "chiste morboso", + "bosquejo", + "caricatura", + "guasa", + "anécdota", + "obscenidad", + "criterio", + "opinión", + "parecer", + "conjetura", + "especulación", + "suposición", + "posición", + "postura", + "aproximación", + "presupuesto", + "aspecto", + "asunto", + "cuestión", + "encabezado", + "materia", + "tema", + "titular", + "problema", + "caso", + "acertijo", + "adivinanza", + "enigma", + "misterio", + "rompecabezas", + "sudoku", + "jeroglífico", + "consejo", + "guía", + "instrucción", + "orientación", + "destino", + "dirección", + "toponimia", + "topónimo", + "fórmula", + "receta", + "regla", + "evangelio", + "ahimsa", + "encarnación", + "señal", + "señalización", + "signo", + "cono indicador", + "anuncio", + "anuncio", + "cartel", + "flash cards", + "mojón", + "poste indicador", + "estigma", + "mancha", + "marca", + "señal", + "señal", + "tipo", + "porte", + "canto de campana", + "indicación", + "indicio", + "índice", + "contraindicación", + "síntoma", + "señalización", + "señalética", + "indicación", + "manifestación", + "marca", + "subrayado", + "vislumbre", + "vistazo", + "heraldo", + "precursor", + "predecesor", + "presagio", + "insinuación", + "pista", + "alarma", + "Mayday", + "retirada", + "toque de queda", + "diana", + "toque de diana", + "retirada", + "señal radiotelegráfica", + "señal telegráfica", + "punto", + "raya", + "gesto", + "señal", + "símbolo", + "nariz", + "cifra", + "número", + "número arábigo", + "número indio", + "número indoarábigo", + "simbolismo", + "cornucopia", + "linga", + "lingam", + "notación", + "notación matemática", + "sistema decimal", + "signo", + "radical", + "coma", + "exponente", + "índice", + "característica", + "notación musical", + "tablatura", + "símbolo escrito", + "símbolo impreso", + "signo", + "indicador", + "carácter", + "grafema", + "grafía", + "signo diacrítico", + "dólar", + "signo dólar", + "punta", + "acento", + "acento", + "breve", + "acento circunflejo", + "macrón", + "virgulilla", + "dialefa", + "minúscula", + "tipo", + "fuente", + "gracia", + "carácter", + "letra", + "A", + "B", + "C", + "D", + "E", + "F", + "G", + "H", + "I", + "J", + "K", + "M", + "N", + "O", + "P", + "Q", + "R", + "S", + "T", + "U", + "V", + "W", + "X", + "Y", + "Z", + "gamma", + "delta", + "épsilon", + "eta", + "zeta", + "iota", + "omicron", + "tau", + "ípsilon", + "omega", + "zayn", + "thet", + "yud", + "kaf", + "lamed", + "mem", + "samej", + "ayn", + "kuf", + "reish", + "espacio", + "radical", + "signo de puntuación", + "&", + "apóstrofo", + "llave", + "paréntesis", + "coma", + "admiración", + "guión ortográfico", + "raya", + "paréntesis", + "punto", + "punto y coma", + "barra", + "marca", + "marca registrada", + "nombre comercial", + "nombre de fábrica", + "razón social", + "marca", + "marca registrada", + "autenticación", + "contraste", + "sello", + "imprenta", + "sello", + "filacteria", + "pluma blanca", + "escala", + "escala musical", + "fanfarria", + "glissando", + "gama", + "escala", + "escala completa", + "tono", + "tono completo", + "cuarto de tono", + "octava", + "octava musical", + "modo", + "clave", + "llave", + "tonalidad", + "silencio", + "nota", + "tono", + "calderón", + "do", + "sol", + "la", + "si", + "sforzando", + "voz", + "bajo", + "alto", + "comunicación visual", + "luz", + "semáforo", + "continuar", + "luz verde", + "luz roja", + "signo pare", + "luz de advertencia", + "luz roja", + "luz amarilla", + "destello", + "fogonazo", + "bandera", + "alfabeto manual", + "deletreo dactilar", + "ASL", + "gesto", + "seña", + "señal", + "ademán", + "gesticulación", + "gesto", + "mímica", + "gesto", + "seña", + "expresión facial", + "gesticulación", + "gesto facial", + "boquiabierto", + "contracción", + "rictus", + "cara", + "mueca", + "gesto irónico", + "mohín", + "puchero", + "ceño", + "ceño fruncido", + "frunción", + "sonrisa", + "mueca de dolor", + "demostración", + "indicio", + "muestra", + "signo", + "expresión", + "manifestación", + "reflejo", + "ejemplo", + "ilustración", + "divisa", + "emblema", + "burro", + "paloma blanca", + "elefante", + "fasces", + "bandera nacional", + "insignia", + "placa", + "Agnus Dei", + "agnus dei", + "cordero de Dios", + "cordero pascual", + "hoja de arce", + "manto", + "corona", + "insignia de rango", + "charretera", + "pala", + "identificación", + "huella digital", + "identificación", + "demostración", + "despliegue", + "exposición", + "muestra", + "proyección", + "visión", + "espectáculo", + "show", + "adorno", + "floritura", + "gesto dramático", + "presentación", + "descubrimiento", + "actuación", + "ejecución", + "f", + "función", + "interpretación", + "presentación", + "presentación publica", + "realización", + "representación", + "sesión", + "número", + "concierto", + "concierto de rock", + "pianismo", + "ejecución", + "función", + "interpretación", + "presentación", + "realización", + "musical", + "matiné", + "antido", + "Inglés Básico", + "blaia zimondal", + "Idiom Neutral", + "latino sine flexione", + "latín sin flexiones", + "lingualumina", + "lengua cosmopolita", + "monario", + "novial", + "occidental", + "optez", + "romanal", + "solresol", + "ensamblaje", + "lenguaje ensamblador", + "programa en LISP", + "programa en Fortran", + "c", + "programación en C", + "actualización", + "idioma", + "lengua", + "lengua materna", + "lengua álgica", + "Gros Ventre", + "lengua muskogee", + "mukosgee", + "muskogee", + "nadene", + "lengua wakash", + "lengua wakashana", + "wakashan", + "iroqués", + "lengua iroquesa", + "lengua tupí guaraní", + "tupí guaraní", + "arawak", + "lengua uto-azteca", + "uto-azteca", + "lengua maya", + "maya", + "lengua sioux", + "sioux", + "lengua tanoa", + "tanoa", + "lengua turki", + "turki", + "turki-tártaro", + "japonés", + "chino", + "albano", + "armenio", + "lengua armenia", + "eslavo", + "eslavónico", + "lengua eslava", + "lengua eslavónica", + "ruso", + "bielorruso", + "polaco", + "macedonio", + "inglés", + "americano", + "cockney", + "Pronunciación Recibida", + "inglés medio occidental", + "kéntico", + "inglés meridional", + "sajón occidental", + "Modern English", + "sajón occidental", + "anglo", + "juto", + "kéntico", + "alemán", + "alemán alto antiguo", + "alemán alto medio", + "Pennsylvania Dutch", + "sajón antiguo", + "alemán bajo medio", + "holandés", + "gaélico irlandés", + "irlandés", + "irlandés medio", + "cimrico", + "cymrico", + "galés", + "bretón", + "latín", + "italiano", + "francés", + "occitano", + "gallego", + "castellano", + "español", + "catalán", + "dialecto turfán", + "tocario oriental", + "turfán", + "dialecto kucheo", + "kucheo", + "tocario occidental", + "indoario", + "índico", + "dardo", + "avestán", + "zend", + "gatico", + "dari", + "dari persa", + "kurdo", + "baluchi", + "pasto", + "escita", + "licio", + "luvio", + "lidio", + "palaico", + "griego", + "helénica", + "lengua helénica", + "griego moderno", + "demótico", + "romaic", + "romaico", + "griego antiguo", + "dórico", + "ubijé", + "pidlimdi", + "tera", + "yamaltu", + "masa", + "árabe", + "bantú", + "wolof", + "dinka", + "luo", + "masai", + "gráfico", + "ejemplificación", + "graficación", + "ilustración", + "representación", + "ilustración", + "figura", + "cuadro", + "tabla", + "curva", + "histograma", + "carta astral", + "perfil", + "dibujo", + "balistocardiograma", + "teatro", + "escena", + "teatro", + "producción", + "escenificación", + "producción dramática", + "producción teatral", + "golpe teatral", + "composición dramática", + "obra dramática", + "drama", + "afterpiece", + "Grand Guignol", + "prólogo", + "acto", + "escena", + "guión", + "conversación", + "diálogo", + "línea", + "papel", + "pie", + "monólogo", + "frase", + "línea", + "perorata", + "cadena", + "actuación", + "farsa", + "lipograma", + "acceso", + "arranque", + "arrebato", + "chorreo", + "ebullición", + "efusión", + "estallido", + "llanto", + "acceso", + "arranque", + "explosión", + "llamarada", + "comedia", + "Comedia del arte", + "tragicomedia", + "tragedia", + "comedia de situación", + "sitcom", + "telecomedia", + "bufonada", + "payasada", + "slapstick", + "burlesque", + "milagro", + "auto", + "misterio", + "pasión", + "obra", + "revista", + "teatro de revista", + "Ziegfeld Follies", + "baile", + "danza", + "música", + "pizzicato", + "monofonía", + "politonalidad", + "ópera", + "armonía", + "resolución", + "aire", + "motivo", + "tema", + "obligado", + "motivo", + "exposición", + "variación", + "disminución", + "voz", + "homofonía", + "primo", + "parte para voz", + "música de acompañamiento", + "discanto", + "improvisación", + "bajo", + "gradual", + "misa", + "antifonal", + "antifonario", + "canto", + "Hare Krishna", + "canto gregoriano", + "canto llano", + "canción religiosa", + "villancico", + "villancico de navidad", + "doxología", + "coral", + "cántico", + "cántico litúrgico", + "dies irae", + "himeneo", + "himno nupcial", + "La Internacional", + "La internacional", + "la internacional", + "peán", + "Magníficat", + "Te Deum", + "te deum", + "composición", + "obra", + "pieza", + "adaptación", + "orquestación", + "duette", + "dupla", + "dúo", + "trío", + "cuarteto", + "quinteto", + "sexteto", + "septeto", + "octeto", + "oratorio", + "concierto", + "fuga", + "sonata para piano", + "fantasía", + "pasaje", + "frase", + "ostinato", + "rifeo", + "riff", + "cadenza", + "movimiento", + "largo", + "scherzo", + "mezcla", + "nocturno", + "serenata nocturna", + "canción", + "estudio", + "antifonía", + "antífona", + "rezo cantado", + "The Star-Spangled Banner", + "aria", + "aria corta", + "arietta", + "balada", + "poema narrativo", + "juglaría", + "juglería", + "barcarola", + "treno", + "fado", + "letra", + "estancia", + "estrofa", + "stanza", + "letra romántica", + "canto nupcial", + "canción de trabajo", + "campanazo", + "cencerrada", + "serenata", + "conga", + "hornpipe", + "giga", + "chotis", + "serialismo", + "techno", + "marcha", + "paso rápido", + "música popular", + "disco", + "ragtime", + "doo wop", + "zydeco", + "funk", + "rockabilly", + "música rock", + "rock", + "rock and roll", + "skiffle", + "estilo", + "dirección", + "recurso", + "jerga médica", + "expresión", + "galimatías", + "jerigonza", + "grandiloqüencia", + "pathos", + "prosa", + "retórica", + "articulación", + "vulgarismo", + "habla", + "lenguaje", + "paralinguistica", + "expresión", + "lengua afilada", + "lengua mordaz", + "tono", + "redondez", + "rotundidad", + "voz baja", + "canturreo", + "monótono", + "cese", + "cesura", + "encabalgamiento", + "acento", + "tilde", + "énfasis", + "ritmo", + "ritmo", + "síncopa", + "modulación", + "transición", + "altisonancia", + "ampulosidad", + "bla", + "charlatanería", + "chorrada", + "discurso rimbombante", + "pomposidad", + "rimbombancia", + "expresión", + "forma de hablar", + "giro", + "juego de palabras", + "agudeza", + "precisión", + "laconismo", + "estilo", + "línea", + "pauta", + "palabrería", + "prolijidad", + "verbosidad", + "perífrasis", + "pleonasmo", + "tautología", + "apócope", + "sigla", + "género", + "poesía", + "verso", + "poesía heróica", + "poesía épica", + "poesía", + "versificación", + "cadencia", + "medida", + "metro", + "ritmo", + "medida común", + "metro común", + "pie", + "dáctilo", + "yambo", + "anapesto", + "anfíbraco", + "troqueo", + "espondeo", + "pariambo", + "pirriquio", + "rima doble", + "rima visual", + "figura retórica", + "asíndeton", + "repetición", + "anadiplosis", + "conversión", + "epífora", + "geminación", + "traducción", + "anástrofe", + "inversión", + "antonomasia", + "paralipsis", + "aposiopesis", + "reticencia", + "ecfonesis", + "exclamación", + "enalage", + "epiplexis", + "hendíadis", + "hipérbaton", + "atenuación", + "prolepsis", + "wellerismo", + "imagen", + "ironía", + "exageración", + "hipérbole", + "kenning", + "metáfora", + "metonimia", + "metalepsis", + "oxímoron", + "simile", + "comunicación auditiva", + "comunicación oral", + "comunicación verbal", + "habla", + "lenguaje", + "lenguaje oral", + "lenguaje verbal", + "emisión", + "enunciado", + "expresión", + "habla", + "speech", + "fonación", + "voz", + "sonido", + "alofono", + "diptongo", + "vocal", + "vocal", + "consonante", + "alveolar", + "consonante alveolar", + "consonante dental", + "dental", + "consonante obstruyente", + "africación", + "aspirada", + "aspiración", + "epentesis", + "nasalización", + "geminada", + "grito", + "protesta", + "grito", + "hosanna", + "aullido", + "aullidos", + "blasfemia", + "vulgaridad", + "escatología", + "blasfemia", + "garabato", + "grosería", + "improperio", + "maldición", + "palabra malsonante", + "palabrota", + "profanidad", + "taco", + "voto", + "graznido", + "graznidos", + "exclamación", + "adiós", + "demonio", + "interjección", + "reconvención", + "lamento", + "queja", + "risa", + "risa nerviosa", + "risita", + "carcajada", + "estertor", + "risa sardónica", + "risa disimulada", + "lenguaje soez", + "vulgaridad", + "pronunciación", + "asibilación", + "suspiro", + "habla", + "tono áspero", + "error de pronunciación", + "mala pronunciación", + "pronunciación incorrecta", + "homografía", + "homofonía", + "acento", + "tono", + "articulación", + "barboteo", + "sandhi", + "pastosidad", + "conversación", + "relación", + "comunión", + "intercambio", + "charla", + "confabulación", + "plática", + "charla", + "conversación", + "diálogo", + "charla íntima", + "plática", + "cháchara", + "cotorreo", + "parloteo", + "conversación insustancial", + "conversación vana", + "disparate", + "friolera", + "halagos", + "lisonjas", + "palabras amorosas", + "piropos", + "intercambio", + "coloquio", + "detalle", + "discurso", + "discusión", + "consideración", + "explayamiento", + "charla", + "conversación", + "expresión", + "cara de palo", + "congratulación", + "enhorabuena", + "felicidad", + "felicitación", + "debate", + "discusión", + "intercambio", + "palabra", + "debate", + "discusión", + "parlamento", + "charla inconsistente", + "sobremesa", + "conferencia", + "congreso", + "coloquio", + "tertulia", + "consulta", + "audiencia", + "consulta", + "entrevista", + "rueda de prensa", + "mesa redonda", + "sesión", + "gestión", + "negociación", + "tramitación", + "Strategic Arms Limitation Talks", + "regateo", + "chalaneo", + "arbitraje", + "conciliación", + "arbitraje", + "expresión", + "locución", + "anatómico", + "referencia anatómica", + "shibboleth", + "sentencia", + "Ley de Murphy", + "epigrama", + "pulla", + "adagio", + "sentencia", + "banalidad", + "cliché", + "lugar común", + "perogrullada", + "trivialidad", + "modismo", + "ágrafa de jesús", + "acento", + "dialecto", + "vernáculo", + "patois", + "slang", + "maldición", + "proposición", + "ofrecimiento de matrimonio", + "propuesta", + "propuesta de matrimonio", + "oferta", + "proposición", + "propuesta", + "pregunta", + "proposición", + "hipótesis", + "ofrecimiento", + "proposición", + "propuesta", + "sugerencia", + "introducción", + "indirecta", + "insinuación", + "soplo", + "sombra", + "toque", + "aproximación", + "tentativa", + "oferta", + "ofrecimento", + "oferta", + "precio", + "dos por uno", + "presentación", + "orden", + "anulación", + "cancelación", + "contraorden", + "orden", + "convocatoria", + "orden", + "llamada", + "llamamiento", + "encargo", + "encomienda", + "Diez Mandamientos", + "interdicto", + "intimación", + "mandato", + "requerimiento", + "petición", + "interpretación", + "desambiguación léxica", + "exegesis", + "exégesis", + "ijtihad", + "ampliación", + "versión", + "lectura", + "reconstrucción", + "popularización", + "equivocación", + "error de interpretación", + "mal entendido", + "lío", + "acuerdo", + "aprobación", + "consentimiento", + "venia", + "aceptación", + "acuerdo", + "conformidad", + "connivencia", + "acomodo", + "acuerdo", + "adaptación", + "ajuste", + "conclusión", + "culminación", + "término", + "resolución", + "compensación p", + "finiquito", + "modus vivendi", + "transacción", + "adhesión", + "confirmación", + "ratificación", + "concierto", + "aprobación", + "desacuerdo", + "cara a cara", + "conflicto", + "confrontación", + "encuentro", + "enfrentamiento", + "pugna", + "disentimiento", + "división", + "discusión", + "tormenta", + "discusión", + "lid", + "polémica", + "altercado", + "choque", + "discusión", + "encontrón", + "palabras", + "pelea", + "pelotera", + "pleito", + "riña", + "roce", + "altercado", + "camorra", + "gresca", + "reyerta", + "batracomiomaquia", + "roce", + "bronca", + "instancia", + "petición", + "anuncio", + "notificación", + "participación", + "deseo", + "petición", + "ruego indirecto", + "voluntad", + "invitación", + "convite", + "imploración", + "ruego", + "súplica", + "demagogia", + "petición", + "súplica", + "petición", + "solicitud", + "apuro", + "impertinencia", + "urgencia", + "comunión", + "oración", + "petición", + "bendición", + "conminación", + "bendición", + "invocación", + "súplica", + "requiescat", + "demanda", + "llamado", + "cargo", + "facturación", + "demanda", + "exigencia", + "petición", + "alta", + "ultimatum", + "ultimátum", + "insistencia", + "demanda", + "llamada", + "llamado", + "reclamo", + "reivindicación salarial", + "dulce o travesura", + "consulta", + "demanda", + "interrogación", + "pregunta", + "investigación", + "entrevista", + "cuestión", + "pregunta", + "examen", + "test", + "examen final", + "final", + "finales", + "reválida", + "mitad del semestre", + "prueba sorpresa", + "examen oral", + "prueba", + "quiz", + "examen", + "examen escrito", + "hoja de preguntas", + "contestación", + "respuesta", + "réplica", + "eco", + "refutación", + "descripción", + "caracterización", + "delineación", + "descripción", + "descripción verbal", + "imagen", + "representación", + "retrato", + "retrato hablado", + "descripción", + "retrato", + "particularización", + "esbozo", + "esquema", + "viñeta", + "afirmación", + "última palabra", + "negativa", + "no", + "nones", + "doble negación", + "descargo de responsabilidad", + "negación de responsabilidad", + "negativa", + "abjuración", + "palinodia", + "retracción", + "retractación", + "retractactión", + "negación", + "rechazo", + "contradicción", + "autocontradicción", + "contradicción", + "anulación", + "cancelación", + "invalidación", + "rechazo", + "renuncia", + "repulsa", + "despacho", + "objeción", + "protesta", + "queja", + "querella", + "excepción", + "postergación", + "reparo", + "excepción", + "protesta", + "reclamo", + "protesta", + "reivindicación", + "gruñido", + "jeremiada", + "lamentación", + "queja", + "queja constante", + "lamentación", + "llanto", + "lloriqueo", + "quejido", + "gemido", + "lamentación", + "lamento", + "llanto", + "queja", + "información", + "descubrimiento", + "divulgación", + "revelación", + "descubrimiento", + "hallazgo", + "revelación involuntaria", + "caza de ratas", + "informe", + "descubrimiento", + "revelación", + "confesión", + "concesión", + "compensación", + "presentación", + "debut", + "reintroducción", + "informe", + "referencia", + "relación", + "estudio", + "informe", + "memoria", + "libro blanco", + "debriefing", + "informe", + "parte", + "reunión de información", + "anécdota", + "cuento", + "historia", + "narración", + "relato", + "narración", + "cuento chino", + "leyenda fantástica", + "leyenda", + "rondalla", + "cuento de hadas", + "relación", + "chismerío", + "murmuración", + "chisme", + "rumor", + "voz", + "conventillo", + "palabrería", + "advertencia", + "aviso", + "alarmismo", + "señal de alerta", + "advertencia", + "amenaza", + "aviso", + "promesa", + "bayat", + "juramento", + "palabra", + "palabra de honor", + "promesa", + "afirmación", + "declaración", + "garantía", + "compromiso", + "promesa", + "compromiso matrimonial", + "promesa", + "puesta de anillos", + "gracias", + "agradecimiento", + "apreciación", + "aprecio", + "gracias", + "bravuconería", + "fanfarronada", + "fanfarronería", + "pavoneo", + "alarde", + "jactancia", + "nombramiento", + "acrofonía", + "indicación", + "especificación", + "desafío", + "reto", + "confrontación", + "convocatoria", + "reto", + "desafío", + "petición de identificación", + "petición de identificanción", + "guante", + "denuncia", + "vilipendio", + "condena", + "anatema", + "maldición", + "acusación", + "recriminación", + "imputación", + "veredicto", + "acusación", + "demanda", + "querella", + "imprecación", + "inculpación", + "denuncia", + "información", + "nombramiento", + "implicación", + "autoincriminación", + "discurso", + "alocución", + "coloquio", + "Gettysburg Address", + "discurso inaugural", + "inaugural", + "charla", + "conferencia", + "lectura", + "lectura pública", + "letanía", + "nominación", + "oración", + "declamación", + "diatriba", + "perorata", + "rollo", + "sermón", + "delirio", + "sermón", + "discurso de graduación", + "kerigma", + "evangelización", + "telepredicador", + "campanología", + "propaganda electoral", + "solicitud de votos", + "iniciativa", + "sugestión", + "objeción", + "protesta", + "reparo", + "arma", + "recurso", + "promoción", + "propaganda", + "publicidad", + "endorsement", + "endorso", + "endoso", + "mancheta", + "recomendación", + "alboroto", + "bombo", + "campaña publicitaria", + "exageración", + "propaganda", + "anuncio", + "spot", + "publirreportaje", + "promoción comercial", + "promoción de ventas", + "anuncio", + "infomercial", + "apoyo", + "avance", + "fomento", + "fortalecimiento", + "promoción", + "acicate", + "aguijoneo", + "empujón", + "estímulo", + "exhorto", + "incitación", + "acicate", + "incitación", + "provocación", + "soborno del testigo", + "apoyo", + "voto de confianza", + "desaliento", + "desánimo", + "disuasión", + "desaliento", + "desánimo", + "disuasión", + "dimisión", + "renuncia", + "renuncia", + "prohibición", + "interdicción", + "palo", + "poste", + "referencia", + "fuente", + "referencia", + "mojón", + "regla gramatical", + "criterio", + "estándar", + "patrón", + "pauta", + "regla", + "benchmark", + "blanco", + "diana", + "marca", + "objetivo", + "indicador", + "cohete", + "clutter", + "ruido", + "trastos", + "entrada", + "input", + "impresión", + "bocina", + "sirena", + "boya acústica", + "boya silbante", + "boya cilíndrica", + "boya cónica", + "monja", + "báculo", + "vara", + "báculo pastoral", + "cetro", + "vara", + "verga", + "cordón", + "cinta azul", + "cordon bleu", + "Óscar", + "Premio Goncourt", + "icono", + "marca", + "marcador", + "señal", + "identificador", + "matasellos", + "sello postal", + "filigrana", + "hito", + "miliario", + "mojón", + "variable", + "incógnita", + "ex libris", + "calcomanía", + "estiquer", + "etiqueta engomada", + "etiqueta gomada", + "etiqueta", + "mojón", + "inclinación de cabeza", + "inclinación", + "despido", + "pasaporte", + "Wagner", + "contacto", + "llamada de seguimiento", + "llamado de retiro", + "retiro", + "interrogación", + "motete", + "contradicción", + "paquete", + "sprechgesang", + "cachondeo", + "El Capital", + "acontecimiento", + "happening", + "hecho", + "suceso", + "fondo", + "experiencia", + "espanto", + "horror", + "anuncio", + "auspicio", + "presagio negativo", + "pérdida", + "sufrimiento", + "degustación", + "viaje", + "aparición", + "visión", + "evento social", + "milagro", + "dificultad", + "problema", + "maravilla", + "milagro", + "prodigio", + "maravilla", + "prodigio", + "cosa", + "episodio", + "drama", + "tragedia", + "evento", + "comienzo", + "inicio", + "principio", + "conclusión", + "final", + "llegada", + "fin", + "final", + "consecuencia", + "resultado", + "desenlace", + "trato", + "trato justo", + "injusticia", + "trato injusto", + "decisión", + "resolución", + "consecuencia", + "repercusión", + "secuela", + "baja", + "continuación", + "pago", + "alteración", + "cambio", + "modificación", + "variación", + "sorpresa", + "bomba", + "bombazo", + "trueno", + "golpe teatral", + "revelación", + "sorpresa", + "peripecia", + "conmoción", + "disgusto", + "golpe", + "pequeña interrupción", + "error informático", + "error de hardware", + "error de disco", + "error de programación", + "error de software", + "error sintáctico", + "error algorítmico", + "accidente", + "azar", + "casualidad", + "coincidencia", + "accidente", + "choque", + "choque", + "golpe", + "fuego", + "incendio forestal", + "incendio", + "combustión latente", + "incendio forestal", + "desgracia", + "lástima", + "pena", + "sufrimiento", + "alivio", + "infierno", + "escándalo", + "capítulo", + "incidente", + "ajuste", + "detonación", + "explosión", + "caso", + "ejemplo", + "instancia", + "vez", + "movimiento", + "desplazamiento", + "circulación", + "migración", + "ruptura", + "casualidad", + "desventura", + "percance", + "catástrofe", + "desastre", + "tragedia", + "fuerza mayor", + "hambruna", + "hecatombe", + "visita", + "oportunidad", + "azar", + "casualidad", + "coincidencia", + "accidente múltiple", + "colisión múltiple", + "choque", + "fracaso", + "caída", + "decadencia", + "descenso", + "ruina", + "caída abrupta", + "descalabro", + "apagón", + "falla", + "fallo", + "éxito", + "buen viaje", + "aborto", + "desacierto", + "fallo", + "olvido", + "yerro", + "erupción", + "nacimiento", + "parto", + "renacimiento", + "moksa", + "aparición", + "ingreso", + "inmersión", + "Parusía", + "advenimiento", + "segunda venida", + "segundo advenimiento", + "manifestación", + "aparición", + "espectro", + "espíritu", + "visión", + "epifanía", + "teofanía", + "génesis", + "origen", + "generación", + "génesis", + "crecimiento", + "aumento", + "subida", + "comienzo", + "inicio", + "adrenarquía", + "menarquía", + "telarquía", + "amanecer", + "causa", + "antecedente", + "efusión", + "origen", + "procesión", + "factor", + "parámetro", + "concepción", + "creación", + "arranque", + "lanzamiento", + "partida", + "saque", + "salida", + "destino", + "Kismat", + "Kismet", + "predestinación", + "aniquilación", + "arrasamiento", + "desintegración", + "destrucción", + "erradicación", + "obliteración", + "alejamiento", + "desapego", + "desprendimiento", + "desunión", + "separación", + "difusión", + "transmisión", + "dispersión", + "disipación", + "invasión", + "desaparición", + "erradicación", + "exterminación", + "exterminio", + "extinción", + "megamuerte", + "deceso", + "defunción", + "expiración", + "fallecimiento", + "liberación", + "partida", + "pérdida", + "trance", + "tránsito", + "condena", + "fin del mundo", + "destrucción", + "ruina", + "desolación", + "desolación", + "destrucción", + "ruina", + "tormento", + "desaparición", + "evanescencia", + "desaparición", + "esfumación", + "afán", + "apuro", + "desgracia", + "dificultad", + "molestia", + "golpe", + "porrazo", + "variación", + "impacto", + "choque", + "golpe", + "topetazo", + "toque", + "choque", + "sacudida", + "contacto", + "roce", + "toque", + "baja", + "herida", + "baja de personal", + "pérdida", + "ciclo", + "repetición", + "serie", + "sucesión", + "ciclo", + "mar de fondo", + "rompiente", + "rompientes", + "wavelet", + "onda sinoidal", + "onda sinusoidal", + "oscilación", + "vibración", + "onda", + "ondulación", + "jitter", + "seiche", + "solitón", + "onda sonora", + "onda expansiva", + "oleada", + "tsunami", + "elevación", + "empujón", + "tirón", + "repercusión", + "rebote", + "retroceso", + "lance", + "lanzamiento", + "carrera ascendente", + "giro", + "ola", + "ola", + "empate", + "ahogado", + "triunfo", + "conversión", + "cristianización", + "desaparición", + "muerte", + "tránsito", + "aminoración", + "baja", + "caída", + "descenso", + "disminución", + "mengua", + "rebaja", + "reducción", + "aumento", + "crecimiento", + "incremento", + "aligeración", + "aligeramiento", + "alivio", + "descanso", + "moderación", + "respiro", + "sosiego", + "mejora", + "deformación", + "transición", + "brinco", + "giro", + "salto", + "alteración", + "cambio", + "conver", + "modificación", + "mutación", + "transformación", + "transmutación", + "pirólisis", + "cambio rotundo", + "contagio", + "infección", + "escena", + "colapso", + "subsidencia", + "daños colaterales", + "cese", + "detención", + "suspención", + "término", + "caída", + "levitación", + "descenso", + "crepúsculo", + "ocaso", + "puesta", + "aguacero", + "cascada", + "chaparrón", + "chorro", + "ducha", + "lluvia", + "remojo", + "descalabro", + "fiasco", + "fracaso", + "implosión", + "parada", + "desviación", + "diferencia", + "divergencia", + "partida", + "atrocidad", + "monstruosidad", + "grieta", + "trizadura", + "trizadura", + "interrupción", + "paréntesis", + "pausa", + "receso", + "respiro", + "suspensión", + "eclipse", + "ocultación", + "ocultamiento", + "entrada", + "elevación", + "despegue", + "ruido", + "sonido", + "alboroto", + "escándalo", + "lata", + "lío", + "molestia", + "problema", + "tribulación", + "unión", + "fusión", + "unificación", + "combinación", + "mezcla", + "consolidación", + "mezcla", + "preparado", + "brebaje", + "menjunje", + "poción", + "aleación", + "estallido", + "explosión", + "ladrido", + "campana", + "cacofonía", + "trueno", + "rebuzno", + "guau guau", + "frecuencia modulada pulsada", + "resoplido", + "estrépito", + "clic clac", + "clo", + "quiquiriqui", + "chasquido", + "crujido", + "cacareo", + "talán talán", + "paso", + "aullido", + "greguería", + "que zumba", + "zumba", + "zumbido", + "doble", + "llamada", + "miau", + "rumor", + "ruido", + "ping", + "tantarantán", + "tantarán", + "toc toc", + "chirriante", + "chirrido", + "rascadura", + "scratch", + "crujido", + "chillido", + "chisporroteo", + "ronquido", + "canción", + "canto", + "melodía", + "tonada", + "chisporroteo", + "chorreo", + "pulverización catódica", + "salpicadura", + "graznido", + "squeak", + "chirrido", + "estridulación", + "tapping", + "trueno", + "bocinazo", + "toque de bocina", + "gañido", + "latido", + "pulsación", + "pulso", + "marea", + "bajamar", + "cuadratura", + "marea baja", + "marea muerta", + "marea", + "corriente", + "lahar", + "alud de barro", + "aluvión de barro", + "flujo", + "corriente", + "corriente de air", + "corriente", + "torrente", + "descarga", + "vertido", + "explosión aérea", + "estallido", + "explosión", + "estallido nuclear", + "explosión atómica", + "explosión nuclear", + "contraexplosión", + "carambola", + "rebote", + "toque", + "cinturón", + "derribo", + "golpe", + "golpe fuerte", + "leche", + "tortazo", + "golpe de refilón", + "inversión", + "conmoción cerebral", + "reflejo", + "destello", + "destello", + "chispa", + "haz", + "pincelada", + "roce", + "tacto ligero", + "caricia", + "cariñito", + "cariño", + "concentración", + "ascenso", + "aumento", + "subida", + "convergencia", + "acercamiento", + "encuentro", + "conjunción", + "conversión", + "transición", + "glucogénesis", + "isomerización", + "rectificación", + "transmutación", + "crisis", + "momento decisivo", + "hito", + "apuro", + "límite", + "punto álgido", + "conservación", + "recuperación", + "resolución", + "terminación", + "maldición", + "tormento", + "infierno", + "daño", + "detrimento", + "perjuicio", + "expensas", + "daño", + "deterioro", + "perjuicio", + "avería", + "avería del equipo", + "fallo", + "fallo", + "mengua", + "giro", + "fenómeno", + "revolución", + "mutación", + "mutagénesis", + "caída", + "ruina", + "temblor", + "réplica", + "temblor", + "invasión", + "diafonía", + "desvanecimiento", + "estática", + "estática atmosférica", + "perturbaciones atmosféricas", + "ruido atmosférico", + "ruidos atmosféricos", + "remolino", + "vórtice", + "emisión", + "expulsión", + "deformación", + "distorsión", + "salto", + "abono", + "fecundación", + "fertilización", + "abonado de superficie", + "estallido", + "brote", + "comienzo", + "erupción", + "estallido", + "irrupción", + "epidemia", + "peste", + "fuga", + "superfetación", + "cleistogamia", + "agitación", + "aleteo", + "revoloteo", + "oleada", + "revolución", + "carrera", + "corrida", + "enredo", + "escalera", + "substitución", + "sustitución", + "desplazamiento", + "amplitud", + "adelantamiento", + "avance", + "evolución", + "progresión", + "progreso", + "ascensión", + "ascenso", + "subida", + "traslado", + "aerosol", + "spray", + "ángelus", + "regreso", + "vuelta", + "acontecimiento", + "acto", + "acto social", + "ocasión", + "suceso", + "fiesta", + "guateque", + "pachanga", + "reyerta", + "fiesta de cumpleaños", + "cóctel", + "baile", + "baile del pueblo", + "fiesta del pueblo", + "rave", + "certamen de whist", + "celebración", + "ceremonia", + "entierro", + "boda", + "apertura", + "comienzo", + "inauguración", + "conmemoración", + "rememoración", + "iniciación", + "coronación", + "investidura", + "acto de graduación", + "formalidad", + "formalidades", + "potlatch", + "campeonato", + "certamen", + "competición", + "concurso", + "contienda", + "prueba", + "Special Olympics", + "Juegos Olímpicos de Invierno", + "Olimpiadas de Invierno", + "pentatlón", + "pelea de perros", + "carrera", + "Grand Prix", + "grand prix", + "tour de Francia", + "carrera", + "Derby de Kentucky", + "Belmont Stakes", + "Grand National", + "carrera de patatas", + "descenso", + "torneo", + "Serie Mundial", + "serie", + "pelea de gallos", + "final", + "semi", + "semifinal", + "regata", + "carreras de vallas", + "salto de altura", + "salto de longitud", + "lanzamiento de peso", + "lanzamiento de jabalina", + "encuentro", + "partido", + "torneo", + "torneo", + "carrera", + "campaña", + "campaña de senadores", + "carrera del senado", + "victoria", + "independencia", + "avalancha", + "jaque mate", + "derrota", + "victoria inminenta", + "victoria inminente", + "revés", + "desgracia", + "mala pata", + "mala suerte", + "derrota aplastante", + "paliza", + "pérdida de conciencia", + "pérdida de consciencia", + "caída", + "pecado capital", + "naufragio", + "crash", + "head crash", + "afecto", + "emoción", + "alma", + "pasión", + "encaprichamiento", + "celo", + "sensiblería", + "sentimentalismo", + "complejo", + "apatía", + "flema", + "impasibilidad", + "impavidez", + "imperturbabilidad", + "indiferencia", + "deseo", + "ambición", + "aspiración", + "pretensión", + "sueño", + "nacionalismo", + "sed de sangre", + "tentación", + "ansia", + "apetito", + "apetito", + "hambre", + "hambre", + "sed", + "ansia", + "espejismo", + "ilusionismo", + "melancolía", + "nostalgia", + "mal de amores", + "sexo", + "atracción secual", + "calentura", + "concupiscencia", + "deseo sexual", + "eros", + "amor", + "erotismo", + "anafrodisia", + "deseo sexual inhibido", + "frigidez", + "deseo", + "pasión", + "sensualidad", + "sensualismo", + "carnalidad", + "antojo", + "capricho", + "extravagancia", + "impulso", + "placer", + "arrebato", + "diversión", + "entusiasmo", + "gusto", + "tranquilidad", + "consuelo", + "lado bueno", + "lado positivo", + "alivio", + "descanso", + "respiro", + "sosiego", + "tranquilidad", + "placer sexual", + "algofilia", + "algolagnia", + "angustia", + "dolor", + "angustia mental", + "mal", + "sufrimiento", + "sufrimiento", + "angustia", + "autotormento", + "autotortura", + "afición", + "gusto", + "simpatía", + "afecto", + "afición", + "apego", + "cariño", + "estima", + "gusto", + "inclinación", + "parcialidad", + "inclinación", + "preferencia", + "inclinación", + "tendencia", + "amigabilidad", + "buena voluntad", + "admiración", + "aprecio", + "estima", + "desagrado", + "enemistad", + "hostilidad", + "aislamiento", + "desdén", + "desprecio", + "asco", + "abominación", + "aborrecimiento", + "asco", + "aversión", + "detestación", + "execración", + "horror", + "odio", + "horror", + "afecto", + "atención", + "ternura", + "indiferencia", + "indiferencia", + "alejamiento", + "distancia", + "distanciamiento", + "separación", + "crueldad", + "vergüenza", + "conciencia", + "disgusto", + "humillación", + "confusión", + "desconcierto", + "descompostura", + "desconcierto", + "embarazo", + "orgullo", + "viento", + "docilidad", + "admiración", + "asombro", + "sorpresa", + "admiración", + "asombro", + "entusiasmo", + "maravilla", + "asombro", + "desconcierto", + "sorpresa", + "expectación", + "expectativa", + "emoción", + "intriga", + "suspenso", + "tensión", + "fiebre", + "ansiedad", + "fiebre del oro", + "esperanza", + "gozo", + "júbilo", + "seriedad", + "solemnidad", + "sensibilidad", + "agitación", + "inquietud", + "impaciencia", + "agitación", + "conmoción", + "trastorno", + "electricidad", + "sensación", + "calma", + "sosiego", + "tranquilidad", + "frialdad", + "imperturbabilidad", + "silencio", + "tranquilidad", + "ataraxia", + "paz", + "reposo", + "serenidad", + "sosiego", + "tranquilidad", + "tranquilidad de espíritu", + "cólera", + "ira", + "furia", + "rabia", + "ofensa", + "resentimiento", + "indignación", + "genio", + "mal genio", + "mal humor", + "mala leche", + "humor", + "irritación", + "resentimiento", + "frustración", + "espanto", + "miedo", + "terror", + "alarma", + "emoción", + "escalofrío", + "estremecimiento", + "hormigueo", + "tiritón", + "horror", + "histeria", + "horror", + "pánico", + "terror", + "miedo", + "reverencia", + "temor", + "terror", + "veneración", + "recelo", + "temor", + "agitación", + "visión", + "incertidumbre", + "miedo", + "susto", + "pudor", + "vergüenza", + "inseguridad", + "angustia", + "ansia", + "ansiedad", + "preocupación", + "trastorno de ansiedad", + "inquietud", + "preocupación", + "problema", + "tribulación", + "inquietud", + "miedo", + "preocupación", + "temor", + "preocupación", + "inseguridad", + "inquietud", + "duda", + "recelo", + "angst", + "angustia", + "coraje", + "valor", + "firmeza", + "seguridad", + "confianza", + "felicidad", + "bienestar", + "confort", + "alegría", + "ilusión", + "joya", + "alegría", + "ilusión", + "joya", + "euforia", + "júbilo", + "trinfo", + "triunfo", + "emoción", + "entusiasmo", + "excitación", + "euforia", + "alborozo", + "júbilo", + "comodidad", + "cercanía", + "intimidad", + "proximidad", + "camaradería", + "compañerismo", + "solidaridad", + "optimismo", + "satisfacción", + "orgullo", + "satisfacción", + "complacencia", + "realización", + "regocijo", + "regodeo", + "melancolía", + "tristeza", + "pesadumbre", + "melancolía", + "pesimismo", + "abstracción", + "ensimismamiento", + "dolor", + "pena", + "pena", + "tristeza", + "abandono", + "descuido", + "dolor", + "pena", + "congoja", + "dolor", + "culpabilidad", + "frío", + "manto lúgubre", + "tristeza", + "depresión", + "desmoralización", + "debilidad", + "impotencia", + "descontento", + "inconformidad", + "disforia", + "desagrado", + "decepción", + "disgusto", + "derrota", + "fracaso", + "frustración", + "esperanza", + "optimismo", + "desesperación", + "imposibilidad", + "rendición", + "resignación", + "derrotismo", + "pesimismo", + "amor", + "agape", + "amor cristiano", + "ágape", + "amor de adolescentes", + "amor juvenil", + "amor pasajero", + "enamoramiento", + "encaprichamiento", + "primer amor", + "devoción", + "afección", + "afectividad", + "afecto", + "cariño", + "simpatía", + "ternura", + "apego", + "cariño", + "estima", + "estima", + "debilidad", + "afecto", + "odio", + "misantropía", + "gamofobia", + "misología", + "misoneísmo", + "aversión homicida", + "desprecio", + "manía", + "agresividad", + "pie de guerra", + "amargura", + "rencor", + "resentimiento", + "manía", + "envidia", + "codicia", + "rencor", + "sed de venganza", + "humor", + "malhumor", + "amabilidad", + "buen humor", + "malhumor", + "cólera", + "furia", + "simpatía", + "bondad", + "compasión", + "compasión", + "piedad", + "bondad", + "ternura", + "misericordia", + "perdón", + "empatía", + "entusiasmo", + "afán", + "ansia", + "celo", + "exuberancia", + "alimento", + "comida", + "golosinas", + "plato", + "plato", + "alimentación", + "comida", + "dieta", + "dieta", + "alimentación", + "dieta", + "régimen", + "dieta", + "sobras", + "vegetarianismo", + "carta", + "menú", + "cocina", + "mesa", + "rancho", + "comida", + "producto alimenticio", + "almidones", + "polvo de maíz", + "matza", + "pinole", + "fibra", + "harina de trigo", + "harina Graham", + "harina de soja", + "preparado de soja", + "sémola", + "alimento", + "comida", + "nutrición", + "nutriente", + "sustento", + "arte culinario", + "cocina", + "comida recalentada", + "comida completa", + "comida decente", + "menú completo", + "comida", + "potluck", + "almuerzo", + "desayuno", + "brunch", + "almuerzo", + "colación", + "comida", + "merienda", + "refrigerio", + "tiffin", + "cena", + "comida", + "bufet", + "bufé", + "colación", + "café", + "ración", + "sorbo", + "bolo", + "mascada", + "masticable", + "taco", + "tapón", + "plato principal", + "fuente", + "plato", + "adobo", + "especial", + "confit", + "antipasto", + "cóctel", + "condimento", + "relish", + "sazonador", + "salsa de queso", + "guacamole", + "sopa", + "consomé", + "crema de mariscos", + "borscht", + "caldo", + "caldo de carne", + "sopa de carne", + "sopa de pollo", + "cock-a-leekie", + "cock-leeky", + "gazpacho", + "gumbo", + "sopa juliana", + "mulligatawny", + "potaje", + "sopa de tortuga", + "chowder", + "sopa de wonton", + "wonton", + "caldo escocés", + "vichyssoise", + "guisado", + "bigos", + "estofado de cazador", + "olla podrida", + "burgoo irlandés", + "estofado irlandés", + "puchero irlandés", + "gulash", + "hotchpotch", + "porkholt", + "estofado irlandés", + "estofado de ostras", + "estofado de langosta", + "bouillabaisse", + "paella", + "estofado de pollo", + "estofado de pavo", + "estofado de buey", + "estofado de carne", + "ratatouille", + "pot au feu", + "vianda", + "delicatessen", + "azúcar glas", + "azúcar glass", + "azúcar lustre", + "dulce", + "golosina", + "confitura", + "dulce", + "golosina", + "caramelo", + "golosina", + "barra de algarroba", + "dulce de algarroba", + "azucar cande", + "azucar candi", + "azúcar cande", + "pastelillo de menta", + "bombón", + "caramelo", + "toffee", + "chicle", + "butterscotch", + "caramelo", + "chocolate", + "caramelo de chocolate", + "pastilla de chocolate", + "fideos de chocolate", + "fondant", + "dulce de azúcar", + "crema de chocolate", + "dulce de leche", + "penuche", + "caramelo de miel", + "caramelo de menta", + "gomas", + "gominola", + "gominolas", + "caramelo de melaza", + "chupachups", + "piruleta", + "pirulí", + "malvadisco", + "malvavisco", + "merengue blando", + "nube", + "mazapán", + "nougat", + "barra de cacahuetes", + "praliné", + "caramelo", + "caramelo de azúcar", + "melcocha de melaza", + "tofe de melaza", + "trufa", + "trufa de chocolate", + "delicias turcas", + "postre", + "manjar blanco", + "leche cuajada", + "melocotón melba", + "crema de ciruelas", + "budín", + "puding", + "syllabub", + "tiramisú", + "trifle", + "bizcocho borracho", + "charlota rusa", + "pastel de manzana", + "polo", + "sorbete", + "cucurucho de helado", + "helado de chocolate", + "helado de vainilla", + "polo", + "parfait", + "sundae", + "split", + "banana split", + "flan", + "mousse de pollo", + "mousse de chocolate", + "budín de zanahorias", + "brown betty", + "budín de guisantes", + "natilla", + "natillas", + "crema inglesa", + "crema catalana", + "crema quemada", + "creme brulee", + "quiche lorraine", + "tapioca", + "brazo de gitano", + "cereza al marrasquino", + "marrasquino", + "merengue", + "zabaione", + "pastas", + "repostería", + "masa", + "pasta", + "pasta", + "frangipane", + "streusel", + "tarta", + "knish", + "samosa", + "tarta de pacanas", + "tarta de calabaza", + "capa de hojaldre", + "empanadilla", + "sausage roll", + "volován", + "pasta filo", + "profiterol", + "coca", + "pastel", + "tarta", + "pastel de queso", + "babka", + "crumpet", + "cupcake", + "pastel de fruta", + "teacake", + "shortbread", + "macaroon", + "oreo", + "beignet", + "torta", + "panqueque de alforfón", + "blini", + "galloanserae", + "gallus gallus", + "pollo", + "broiler", + "pollo", + "pollo asado", + "gallina", + "paloma", + "muslo", + "ala", + "carne", + "entrañas", + "vísceras", + "corazón", + "hígado", + "sesos", + "lengua", + "carne de venado", + "biryani", + "chuleta", + "espalda", + "paletilla", + "pierna", + "pecho", + "falda", + "lomo", + "lomo", + "turnedós", + "cuello", + "cuello", + "paletilla", + "cadera", + "tripas", + "halal", + "biltong", + "pemmican", + "carne de ternera", + "caballo", + "conejo", + "cordero", + "cerdo", + "lomo", + "jamón", + "panceta", + "piel", + "fatback", + "gallinejas", + "manteca", + "aceite de palma", + "aceite de girasol", + "salchicha", + "chipolata", + "chorizo", + "frankfurt", + "leberwurst", + "pepperoni", + "bratwurst", + "saveloy", + "mincemeat", + "relleno", + "farsa", + "pan", + "barmbrack", + "grisín", + "pan negro", + "jalá", + "croûton", + "forma", + "chapati", + "pita", + "barra", + "matzá", + "naan", + "pumpernickel", + "tostada", + "oblea", + "pan blanco", + "cornbread", + "pan de maíz", + "hushpuppy", + "tostada con canela", + "rusk", + "muffin", + "mollete de maíz", + "popover", + "torta delgada", + "bialy", + "rosca de cebolla", + "shortcake", + "hardtack", + "galleta de soda", + "galleta Graham", + "bocadillo", + "sandwich", + "bocadillo", + "bocata", + "sándwich", + "hamburguesa de queso", + "hamburguesa de atún", + "Sloppy Joe", + "Western", + "sándwich western", + "western", + "pasta", + "farfalle", + "fideo", + "tallarín", + "linguine", + "fettuccine", + "fetuchinis Alfredo", + "vermicelli", + "penne", + "tallarines", + "ñoqui", + "wantán", + "dumpling", + "almuerzo", + "desayuno", + "atole", + "polenta", + "arroz congee", + "Kasha", + "frumenty", + "granola", + "barra de granola", + "salvado con pasas", + "copos de salvado", + "copo de trigo", + "arroz inflado", + "trigo inflado", + "producto agrícola", + "fruta", + "hortaliza", + "verdura", + "alimento para conejos", + "verduras crudas", + "tofu", + "solanácea", + "tubérculo", + "patata", + "cáscara de patatas", + "rheum rhabarbarum", + "col", + "col rizada", + "zapallo italiano", + "bambú", + "pimentón dulce", + "chile", + "chipotle", + "cebolla", + "alubia", + "judía", + "pisum sativum", + "alubia", + "judía", + "judía", + "judías verdes", + "cichorium endivia", + "tomate pera", + "champiñones rellenos", + "escorzonera", + "salsifí negra", + "scorzonera", + "brassica napobrassica", + "rumex acetosa", + "arachis hypogaea", + "cacahuete", + "variedad Freestone", + "variedad Clingstone", + "corteza", + "piel", + "corteza de limón", + "cáscara de limón", + "corteza de naranja", + "cáscara de naranja", + "manzana", + "manzana", + "Cox's Orange Pippin", + "Golden Delicious", + "Granny Smith", + "rubus caesius", + "averrhoa carambola", + "citrus", + "gajo", + "naranja", + "clementina", + "citrus × tangerina", + "naranja Jaffa", + "limón", + "citrange", + "almendra", + "prunus persica", + "higo", + "curuba", + "granadilla púrpura", + "maracuyá", + "parcha", + "bola de melón", + "cereza Bing", + "capulin", + "capulín", + "cereza negra mexicana", + "prunus salicifolia", + "uva", + "Scuppernong", + "annona muricata", + "huito", + "jagua", + "mangostino", + "persea americana", + "ziziphus zizyphus", + "litchi chinensis", + "pera", + "Bosc", + "granada", + "semilla de calabaza", + "nuez", + "copra", + "grugru", + "extracto de kola", + "pistacia vera", + "pescado", + "lubina negra", + "lubina de dolomieu", + "lubina", + "sardina", + "thunnus", + "bonito", + "teuthida", + "pescado seco", + "marisco", + "clupea", + "arenque ahumado", + "kipper", + "rollmops", + "pescado azul", + "emperador", + "almeja", + "cangrejo de río", + "merluza ahumada", + "lenguado gris", + "filete de pescado", + "corvinón ocelado", + "langosta", + "cola de langosta", + "coral", + "trucha arcoiris", + "trucha marina", + "salvelino", + "salmón rojo", + "lox", + "salmón ahumado", + "saboga", + "hueva", + "comida", + "pasto", + "pasto", + "harina", + "fleo", + "timoti", + "rastrojo", + "cereal", + "cebada", + "grano de cebada", + "hordeum vulgare", + "alforfón", + "bulghur", + "bulgur", + "trigo bulgur", + "trigo", + "triticum", + "arroz", + "arroz ordinario", + "arroz silvestre", + "cizaña acuática", + "coleslaw", + "ensalada de col", + "aspic", + "tabule", + "ingrediente", + "condimento", + "cubo de caldo", + "rayadura de limón", + "ralladura de naranja", + "rayadura de naranja", + "aliño", + "condimento", + "hierba", + "sal", + "sal de apio", + "sal sazonada", + "polvo cinco especias", + "clavo", + "pimienta blanca", + "ocimum basilicum", + "laurel", + "foeniculum vulgare", + "trigonella foenum-graecum", + "romero", + "ketchup", + "cayena", + "chile", + "vinagre picante", + "chutney", + "salsa para bistec", + "salsa de arándanos", + "curry de cordero", + "rábano picante", + "adobo", + "pickles", + "pickles dill", + "mostaza chow chow", + "piccalilli", + "pickles dulces", + "salsa de manzana", + "extracto de almendras", + "extracto de limón", + "vanilla", + "vinagre de sidra", + "vinagre de vino", + "aderezo", + "salsa", + "salsa de anchoas", + "salsa picante", + "salsa alberto", + "salsa boloñesa", + "carbonara", + "marchand de vin", + "salsa de pan", + "salsa de ciruela", + "salsa de melocotón", + "salsa de albaricoque", + "pesto", + "salsa Loius", + "salsa Louis", + "vinagreta", + "salsa lorenzo", + "aliño con anchoas", + "mayonesa verde", + "salsa verde", + "aliño ruso", + "mayonesa rusa", + "crema para ensaladas", + "salsa holandesa", + "bearnaise", + "Bercy", + "mantequilla Bercy", + "Bordelaise", + "salsa española", + "salsa marrón", + "salsa de queso", + "salsa de cóctel", + "salsa para mariscos", + "salsa rosa", + "Colbert", + "mantequilla Colbert", + "bechamel", + "salsa bechamel", + "salsa blanca", + "salsa crema", + "salsa de crema", + "salsa Mornay", + "salsa", + "gravy", + "salsa cazador", + "salsa de champiñones", + "salsa de gambas", + "salsa páprika", + "Poivrade", + "roux", + "Smitane", + "Soubise", + "salsa lionesa", + "alemana", + "alemanda", + "salsa alemana", + "salsa de alcaparras", + "Poulette", + "Worcestershire", + "salsa Worcester", + "salsa Worcestershire", + "huevo", + "clara", + "ovoalbúmina", + "huevo de chocolate", + "huevo de caramelo", + "tortilla francesa", + "producto lácteo", + "leche", + "leche", + "leche de yak", + "leche de cabra", + "leche cruda", + "leche certificada", + "leche deshidratada", + "leche en polvo", + "leche seca", + "polvo de leche", + "leche condensada", + "suero de mantequilla", + "crema de leche", + "crema Devonshire", + "crema cuajada", + "crema agria", + "crema ácida", + "mantequilla", + "ghi", + "raita", + "suero de leche", + "cuajada", + "queso", + "corteza de queso", + "mascarpone", + "azul danés", + "azul tipo bávaro", + "brie", + "queso de cabra", + "mozzarella", + "ricotta", + "mantequilla con cebolla", + "mantequilla al pimiento", + "mantequilla de gambas", + "mantequilla de langosta", + "mantequilla de yak", + "pasta", + "mantequilla de anchoas", + "miso", + "hummus", + "paté", + "paté de pato", + "foie gras", + "paté de foie", + "tapenade", + "tahina", + "tahini", + "aspartamo", + "miel", + "azúcar", + "melaza de sorgo", + "sorgo", + "almíbar", + "melaza", + "maná", + "masa", + "pasta", + "batido para panqueques", + "batido para fritura", + "mezcla para fritura", + "sopa", + "pollo al vino", + "chapsui de pollo", + "costillar asado", + "costillas asadas", + "costillas de cerdo", + "solomillo Wellington", + "canelones", + "carbonada flamenca", + "pollo marengo", + "frankfurt picante", + "chop suey", + "albóndigas de bacalao", + "tarta de bacalao", + "rissole", + "arrollado primavera", + "rollo de huevo", + "enchilada", + "faláfel", + "arroz chino", + "arroz chino frito", + "arroz frito", + "galantina", + "haggis", + "jambalaya", + "kebab", + "kedgeree", + "souvlaki", + "souvlakia", + "lasaña", + "salsa Newburg", + "lutefisk", + "albóndiga", + "bolitas puerco espín", + "puerco espines", + "asado alemán", + "empanadilla", + "pilaf", + "pizza de salchicha", + "pizza con pepperoni", + "pizza extra queso", + "pizza de anchoas", + "pizza siciliana", + "avena", + "avena espesa", + "loblolly", + "pastel de carne", + "roulade", + "asado de salmón", + "filete Salisbury", + "chucrut", + "scampi", + "scrapple", + "espagueti con albóndigas", + "arroz español", + "pastel de riñones", + "bife tártaro", + "tártaro", + "bistec con pimientos", + "stroganoff", + "pimientos rellenos", + "bistec suizo", + "teriyaki", + "terrina", + "taco", + "burrito", + "burrito de carne", + "quesadilla", + "bebida", + "mezcla", + "preparado", + "lekvar", + "brevaje", + "hierba", + "poción", + "pócima", + "trago", + "zampada", + "alcohol", + "bebida", + "copa", + "licor ilícito", + "piper methysticum", + "cerveza", + "cerveza de barril", + "espuma", + "bock", + "lager", + "cerveza sin fermentar", + "fermento de malta", + "mosto de cerveza", + "ale", + "stout", + "kvas", + "kvass", + "hidromiel", + "hidromiel", + "enomiel", + "nipa", + "vino", + "vendimia", + "vino tinto", + "burbujeante", + "espumante", + "vino espumoso", + "champán", + "Cabernet Sauvignon", + "Sauvignon Blanc", + "Retsina", + "retsina", + "liebfraumilch", + "Saint Emilion", + "vino de mesa", + "Tokay", + "Chenin Blanc", + "varietal", + "vino varietal", + "Madeira", + "Amontillado", + "Moscatel", + "muscadelle", + "licor", + "chicha", + "ginebra artesanal", + "Akvavit", + "Aquavit", + "aquavit", + "Brandy", + "brandy", + "aguardiente de manzana", + "coñac", + "kirsch", + "slivovitz", + "gin", + "ginebra", + "gin holandés", + "grog", + "Ouzo", + "ouzo", + "ron", + "whiskey", + "whisky", + "maíz", + "whiskey de maíz", + "whisky de maíz", + "irlandés", + "whiskey irlandés", + "whisky irlandés", + "Poteen", + "centeno", + "whiskey de centeno", + "whisky de centeno", + "malta agria", + "licor", + "amaretto", + "anís", + "licor de café", + "crema de fresa", + "licor de naranja", + "curaçao", + "Grand Marnier", + "grand marnier", + "Kümmel", + "licor de cereza", + "licor de cerezas", + "marrasquino", + "pastis", + "Pernod", + "Kalúa", + "sambuca", + "cóctel", + "Dom Pedro", + "Don Pedro", + "radler", + "obispo", + "Blody Mary", + "Bloody Mary", + "bloody mary", + "Vírgen María", + "Bull Shot", + "Tom Collins", + "coctail de ron", + "daiquiri", + "daiquirí", + "daiquiri de fresa", + "daiquiri sin alcohol", + "schorle", + "spritzer", + "Gimlet", + "gin tónica", + "saltamontes", + "Harvey Wallbanger", + "Manhattan", + "Rob Roy", + "margarita", + "tequila margarita", + "martini", + "Gin and it", + "posset", + "sangría", + "screwdriver", + "vodka naranja", + "Sidecar", + "escocés con soda", + "whiskey con soda", + "Gin sling", + "Rum sling", + "sour", + "whiskey sour", + "whisky sour", + "champán", + "café irlandés", + "capuchino", + "moca", + "cassareep", + "leche chocolatada", + "leche con chocolate", + "sidra", + "sidra dulce", + "perada", + "chocolate", + "helado con soda", + "batido de huevo", + "jugo", + "zumo", + "zumo", + "néctar", + "zumo de manzana", + "zumo de arándanos", + "zumo de uva", + "mosto", + "zumo de pomelo", + "zumo de naranja", + "zumo de limón", + "zumo de lima", + "zumo de papaya", + "zumo de zanahoria", + "kumis", + "jugo Ade", + "refresco de fruta", + "limonada", + "anaranjada", + "leche malteada", + "leche malteada", + "malta", + "malteada", + "gaseosa", + "cola", + "crema de huevo", + "ginger ale", + "Coca Cola", + "café", + "café", + "ponche de leche", + "piña colada", + "Planter's Punch", + "Ruso Blanco", + "ruso blanco", + "vino de mayo", + "ponche de huevo", + "rompope", + "glog", + "rickey", + "gin rickey", + "té", + "té", + "té", + "té negro", + "oolong", + "H2O", + "agua", + "agua potable", + "agua mineral", + "agua carbonatada", + "agua de Seltzer", + "cuscús", + "ramekin", + "comida espiritual", + "formación", + "orden", + "clasificación", + "dicotomía", + "reino", + "reino", + "gente", + "personas", + "pueblo", + "juventud", + "sangre", + "muerto", + "enemigo", + "pueblo", + "nacionalidad", + "enfermo", + "herido", + "grupo social", + "acumulación", + "colección", + "conjunto", + "cúmulo", + "hatajo", + "hato", + "colección de botellas", + "conjunto", + "cuadrilla", + "montón", + "totalidad", + "colección de monedas", + "conjunto de datos", + "corpus", + "datos", + "baldosado", + "pedazos", + "baraja", + "mano", + "escala", + "escalera", + "colección de estampillas", + "estatuaria", + "suma", + "suma total", + "sumatorio", + "total", + "aglomeración", + "edición", + "trucos", + "puñado", + "manojo", + "bola", + "bultito", + "bulto", + "terrón", + "trozo", + "acumulación", + "aglomerado", + "cúmulo", + "montaña", + "montículo", + "montón", + "pila", + "escorial", + "montón", + "pila", + "almiar de heno", + "pajar", + "parva de pasto", + "parva de pastos", + "asociación", + "comunidad", + "corporación", + "cuerpo", + "sociedad", + "minoría", + "negocio", + "etnia", + "grupo étnico", + "raza", + "clan", + "familia", + "saga", + "tribu", + "camaradas", + "familia", + "unidad familiar", + "familia", + "linaje", + "casa", + "dinastía", + "gens", + "clase", + "colectividad", + "círculo social", + "contingente", + "piso", + "pareja", + "biblioteca", + "biblioteca", + "mitología nórdica", + "Nag Hammadi", + "par", + "pareja", + "trío", + "Troika", + "asistencia", + "matrimonio", + "pareja", + "cónyugues", + "matrimonio", + "Hermanos Marx", + "banda", + "rebaño", + "bandada de codornices", + "bandada de fochas", + "bandada de alondras", + "bandada de gansos", + "bandada de agachadizas", + "clado", + "taxón", + "manada", + "rebaño", + "cardumen de ballenas", + "manada de ballenas", + "banco", + "colonia", + "colonia de conejos", + "conejal", + "conejar", + "conjunto", + "juego", + "categoría", + "clase", + "familia", + "índole", + "sexo", + "conjunto", + "subconjunto", + "compañía de radiotelevisión", + "conjugación", + "conjugación", + "dormitorio", + "equipamiento de habitación", + "mobiliario de habitación", + "comedor", + "equipamiento para comedor", + "mobiliario para comedor", + "equipamiento para salón", + "mobiliario para salón", + "salón", + "bulto", + "lío", + "paquete", + "organización", + "adhocracia", + "Abu Sayyaf", + "Aum Shinrikyo", + "Ejército Republicano Irlandés de la Continuidad", + "Greenpeace", + "Hizb ut-Tahrir", + "Ejército Irlandés de Libreación Nacional", + "Ejército Republicano Irlandés Provisional", + "Jayshullah", + "Jayshullan", + "Jemaah Islamiyah", + "K.K.K.", + "KKK", + "Ku Klux Klan", + "ku klux klan", + "Pesh Merga", + "Frente Moro de Libración Islámica", + "pandilla del Pentágono", + "Frente Revolucionario Unido", + "Sendero Luminoso", + "Asociación en Defensa del Ulster", + "Cruz Roja", + "Tammany Hall", + "National Trust", + "asociación", + "autoridad", + "gobierno", + "régimen", + "estado autoritario", + "régimen autoritario", + "burocracia", + "Downing Street", + "imperio", + "gobierno local", + "estratocracia", + "gobierno militar", + "palacio", + "papado", + "pontificado", + "sóviet", + "institución", + "instituto", + "institución médica", + "clínica", + "clínica", + "hospital", + "emisor", + "entidad emisora", + "giro", + "entidad de crédito", + "organización benéfica", + "empresa", + "gigante", + "colectivo", + "cooperativa", + "explotación colectiva", + "finca colectiva", + "koljós", + "agencia", + "cadena", + "compañía", + "empresa", + "sociedad", + "imperio", + "corporación", + "casa", + "empresa", + "firma", + "casa", + "sociedad", + "asunto", + "asunto de negocios", + "negocio", + "organización comerical", + "organización de negocios", + "cadena de indumentaria", + "cadena de outlets", + "cadena de restaurantes", + "editorial", + "conglomerado de publicidad", + "imperio publicitario", + "diario", + "editor de periódico", + "periódico", + "editor de revista", + "revista", + "defensa", + "guardia", + "defensa", + "equipo de defensa", + "empresa comercial", + "industria", + "armero", + "armerol", + "moda", + "banca", + "sector bancario", + "sistema bancario", + "embotellador", + "aviación", + "industria del carbón", + "espectáculo", + "Bollywood", + "Hollywood", + "industria petrolera", + "industria del plástico", + "Real Estate Investment Trust", + "mercado", + "mercado de valores", + "Wall Street", + "mercado monetario", + "industria del acero", + "agricultura", + "caballero blanco", + "cuerpo administrativo", + "unidad administrativa", + "casa", + "familia", + "hogar", + "cinco", + "equipo de baloncesto", + "equipo de básquetbol", + "equipo de fútbol", + "once", + "fe", + "iglesia", + "organización religiosa", + "religión", + "cristianismo", + "iglesia cristiana", + "Roma", + "Iglesia Católica Ortodoxa", + "Iglesia Oriental", + "Iglesia Ortodoxa", + "Iglesia Ortodoxa Oriental", + "Ortodoxia Oriental", + "iglesia ortodoxa", + "Iglesia Ortodoxa Griega", + "iglesia ortodoxa rusa", + "Iglesa Protestante", + "Iglesia Protestante", + "protestante", + "Iglesia Mormona", + "Iglesia de Jesucristo de los Santos de los Últimos Días", + "mormones", + "Convención de Bautistas de Estados Unidos", + "Convención de Bautistas de los Estados Unidos", + "Convención de Bautistas del Norte", + "Convención Baptista del Sur", + "Convención de Bautistas del Sur", + "Ciencia Cristiana", + "Iglesia de Cristo Científico", + "Iglesia Evangélica Congregacional", + "Iglesia Evangélica y Reformada", + "Iglesia Unida de Cristo", + "Testigos de Jehová", + "Iglesia Luterana", + "Iglesia Presbiteriana", + "Arminianismo", + "Iglesia Metodista", + "metodistas", + "Iglesia Metodista Wesleyana", + "metodistas wesleyanos", + "Iglesia de Hermanos Unidos en Cristo", + "judaísmo ortodoxo", + "ortodoxia judía", + "sunismo", + "sivaísmo", + "saktismo", + "vaisnavismo", + "visnuismo", + "Hare Krishna", + "taoísmo", + "raza", + "abolengo", + "casta", + "descendencia", + "estirpe", + "linaje", + "línea", + "línea de descendencia", + "línea de sangre", + "origen", + "parentesco", + "pedigrí", + "saga", + "sangre", + "árbol genealógico", + "genealogía", + "árbol familiar", + "filo", + "clase", + "orden", + "familia", + "tribu", + "género", + "especie", + "subespecie", + "variante", + "tipo", + "civilización", + "enfermería", + "iglesia", + "pastorado", + "prelacía", + "prelatura", + "ministerio", + "rabinato", + "consejería", + "ministerio", + "Ministerio de Relaciones Exteriores", + "Ministerio del Interior", + "Quai d'Orsay", + "departamento", + "Facultad de Antropología", + "Facultad de Arte", + "Facultad de Biología", + "Facultad de Química", + "Facultad de Ciencias de la Computación", + "Facultad de Ciencias Económicas", + "Facultad de Filología Inglesa", + "Facultad de Historia", + "Facultad de Lingüística", + "Facultad de Matemáticas", + "Facultad de Filosofía", + "Facultad de Física", + "Facultad de Música", + "Facultad de Psicología", + "Facultad de Sociología", + "Departamento de Negocios", + "sección de deportes", + "Departamento de Seguridad", + "Seguridad", + "Departamento de Incendios", + "Departamento Federal", + "Departamento del Gobierno Federal", + "Oficina Federal", + "departamento federal", + "Agencia de Protección Ambiental de Estados Unidos", + "ejecutivo", + "agencia ejecutiva", + "Agencia Federal para el Manejo de Emergencias", + "Consejo de Consejeros Económicos", + "Agencia Central de Inteligencia", + "C.I.A.", + "CIA", + "Administración Nacional de Aeronáutica y del Espacio", + "NASA", + "National Science Foundation", + "Servicio Postal de los Estados Unidos", + "Consejo de Política en Materia de Medio Ambiente", + "Casa Blanca", + "la Casa Blanca", + "ministerio de agricultura", + "Servicio Meteorológico Nacional", + "Departamento de Defensa", + "defensa", + "Defense Advanced Research Projects Agency", + "Comisión Federal de Comunicaciones", + "seguridad social", + "F.B.I.", + "FBI", + "Departamento de trabajo", + "Foggy Bottom", + "Servicio de Parques Nacionales", + "Servicio de Parques Naturales", + "hacienda", + "Drug Enforcement Administration", + "Cuerpo de Alguaciles de Estados Unidos", + "Agencia Tributaria", + "IRS", + "Internal Revenue Service", + "correo", + "orden agustina", + "frailes agustinos", + "secta", + "Asambleas de Dios", + "santidad", + "clero", + "iglesia", + "cardenalato", + "laico", + "Ordnance Survey", + "Dinastía Ming", + "Ming", + "Tang", + "dinastía Tang", + "Dinastía Mongol", + "Dinastía Yuan", + "Yuan", + "pueblo", + "electorado", + "senado", + "senado", + "Congreso", + "Congreso de EEUU", + "Congreso de Estados Unidos", + "congreso", + "cámara", + "asamblea legislativa", + "cuerpo legislativo", + "legislador", + "poder legislativo", + "órgano legislador", + "Consejo Legislativo", + "consejo legislativo", + "asamblea", + "junta", + "administración", + "gobernanza", + "organización", + "ejecutivo", + "poder judicial", + "nación", + "pueblo", + "confederación de tribus", + "tribu", + "Tercer Mundo", + "estado", + "nación", + "país", + "república", + "estado preocupante", + "nación renegada", + "bloque", + "Sudamérica", + "C.E.E.", + "CEE", + "Comunidad Económica Europea", + "Mercado Común", + "Supreme Headquarters Allied Powers Europe", + "O.T.A.N.", + "OTAN", + "Organización del Tratado del Atlántico Norte", + "O.E.A.", + "OEA", + "Organización de Estados Americanos", + "O.P.E.P.", + "OPEP", + "Organización de Países Exportadores de Petróleo", + "estado del bienestar", + "gobierno títere", + "régimen títere", + "estado", + "población", + "mundo", + "pueblo", + "gente", + "masa", + "multitud", + "pueblo", + "clase obrera", + "proletariado", + "lumpemproletariado", + "burguesía", + "clase media", + "pequeña burguesía", + "campesinado", + "masa", + "montón", + "multitud", + "muchedumbre", + "multitud", + "turba", + "colmena", + "horda", + "hueste", + "legión", + "masa", + "multitud", + "turba", + "ejército", + "muchedumbre", + "multitud", + "muchedumbre", + "turba", + "enjambre", + "horda", + "manada", + "muchedumbre", + "nube", + "rebaño", + "turba", + "turba", + "compañía", + "visita", + "sociedad anónima", + "holding", + "servicio", + "TELCO", + "compañia telefónica", + "compañía de teléfono", + "servicio telefónico", + "compañia de electricidad", + "compañía eléctrica", + "servicio de electricidad", + "compañía", + "coro", + "coro", + "banda", + "conjunto", + "grupo", + "coro", + "conjunto musical", + "circo", + "juglaría", + "juglaría", + "sección", + "unidad", + "enemigo", + "cuerpo", + "ejército", + "fuerzas armadas", + "Marina de los Estados Unidos", + "Guardia Costera", + "Guardia Costera de Estados Unidos", + "Cuerpo de Infantería de Marina de los Estados Unidos", + "Cuerpo de Marines", + "Cuerpo de Marines de EEUU", + "Cuerpo de Marines de los Estados Unidos", + "USMC", + "Academia Naval de los Estados Unidos", + "ONI", + "Oficina de Inteligencia Naval", + "Fuerza Aérea", + "Academia de la Fuerza Aérea de los Estados Unidos", + "RAF", + "Royal Air Force", + "Fuerza Aérea de los Estados Unidos", + "Mando de Combate Aéreo", + "servicio militar", + "unidad", + "unidad militar", + "muyahid", + "paramilitar", + "fedayín", + "personal", + "plantilla", + "task force", + "equipo", + "Unidad Sparrow", + "banquillo", + "guardia", + "policía", + "Policía Montada del Candá", + "Scotland Yard", + "Policía Costera", + "cuerpo", + "cuerpo de ejército", + "división", + "Fuerzas Especiales", + "regimiento", + "brigada", + "compañía", + "escolta", + "guardia", + "piquete", + "sección", + "sección", + "escuadrilla", + "bandada", + "vuelo", + "departamento", + "división", + "sección", + "audiencia", + "público", + "tribuna", + "audiencia", + "audiencia televisiva", + "espectadores", + "telespectadores", + "graderías", + "claque", + "fiel", + "admirador", + "fan", + "fanático", + "parroquia", + "comunidad", + "comunidad religiosa", + "calle", + "municipio", + "ayuntamiento", + "consistorio", + "municipalidad", + "gobierno estatal", + "estado totalitario", + "régimen totalitario", + "pueblo", + "moshav", + "cooperativa", + "asociación", + "club", + "clube", + "fraternidad", + "gremio", + "sociedad", + "koinonía", + "delegación", + "capítulo", + "club campestre", + "country club", + "orfeón", + "club de caza", + "grupo de cazadores", + "partida de caza", + "club de atletismo", + "yakuza", + "liga", + "liga de béisbol", + "liga de baloncesto", + "liga de bolos", + "liga de fútbol", + "liga de hockey", + "Ivy League", + "sindicato", + "Sindicato de Conductores", + "Unión de Obreros Unidos", + "Unión de Obreros Unidos de Estados Unidos", + "AFL", + "Federación Americana del Trabajo", + "CIO", + "Congreso de Organizaciones Industriales", + "sociedad secreta", + "francmasonería", + "masonería", + "Rashtriya Swayamsevak Sangh", + "club de servicios", + "Rotary International", + "cartel", + "reparto", + "colegio electoral", + "clase", + "curso", + "promoción", + "categoría", + "división", + "círculo", + "grupo", + "pandilla", + "peña", + "Círculo de Bloomsbury", + "facción", + "cuadro", + "núcleo", + "asociación profesional", + "colegio profesional", + "gremio", + "partida", + "tripulación", + "personal de mantenimiento", + "personal de tierra", + "cuadrilla de camineros", + "Sociedad Fabiana", + "banda", + "pandilla", + "crimen organizado", + "mafia", + "Cosa Nostra", + "mafia", + "Mano Negra", + "Camorra", + "sindicato", + "cuarteto de cuerda", + "gamelan", + "banda", + "banda indie", + "mariachi", + "horda", + "jet set", + "facción", + "secta", + "reunión social", + "solemnidad", + "fiesta", + "mascarada", + "cena", + "recepción", + "té", + "despedida de soltero", + "tertulia", + "boda", + "partido", + "partido político", + "partido verde", + "Partido Laborista Australiano", + "Partido Social Demócrata", + "compañía", + "partida", + "equipo de rescate", + "tabla", + "tabla actuarial", + "tabla estadística", + "matriz", + "diagonal", + "determinante", + "matriz transpuesta", + "galaxia", + "legión", + "escalón", + "combinación", + "tripulación", + "tripulación aérea", + "tripulación de bombardero", + "marino mercante", + "panda", + "pandilla", + "tropa", + "banda", + "tropa", + "grupo escout", + "tropa", + "tropa escout", + "escuela", + "deconstructivismo", + "puntillismo", + "institución educacional", + "colegio", + "escuela", + "instituto", + "academia", + "yeshivá", + "academia", + "instituto", + "academia de policía", + "academia militar", + "escuela militar", + "escuela naval", + "academia", + "Royal Academy", + "Royal Society", + "colegio universitario municipal", + "madraza", + "escuela de enfermería", + "instituto", + "liceo", + "seminario", + "escuela técnica", + "escuela de ingeniería", + "instituto politécnico", + "politécnico", + "universidad", + "universidad", + "Open University", + "escuela de veterinaria", + "civilización", + "cultura", + "sociedad tribal", + "civilización heládica", + "civilización micénica", + "cultura micénica", + "cultura clovis", + "cultura llanos", + "sicodelia", + "flota", + "flota", + "flota", + "flota", + "alianza", + "coalición", + "frente popular", + "organización internacional", + "organización mundial", + "Naciones Unidas", + "O.N.U.", + "ONU", + "Asamblea General", + "asamblea general", + "Consejo Económico y Social", + "ECOSOC", + "Comisión del Consejo Económico y Social", + "Comisión del ECOSOC", + "Organización Meteorológica Mundial", + "confederación", + "federación", + "nación", + "país", + "pueblo", + "enosis", + "coalicion", + "unión", + "liga", + "unión aduanera", + "aliado", + "casta", + "concurrencia", + "concurrentes", + "reunión", + "reunión grupal", + "caucus", + "conferencia", + "congreso", + "congreso", + "Convención Constitucional", + "convención constitucional", + "consejo", + "encuentro", + "encuentro", + "reunión", + "consejo", + "Consejo Privado de la Reina", + "cumbre", + "Consejo del Vaticano", + "Congreso", + "congreso", + "dieta", + "cámara", + "Parlamento", + "parlamento", + "Parlamento Británico", + "Knéset", + "Oireachtas", + "Guardia Roja", + "movimiento sindical", + "Pow Wow", + "comité", + "consejo", + "junta", + "consejo de administración", + "consejo de dirección", + "secretaría", + "comisión", + "comité", + "comisión electoral", + "junta electoral", + "comité permanente", + "diputación", + "comité directivo", + "comité ético", + "comité de finanzas", + "presidium", + "corte", + "juzgado", + "tribunal", + "Assizes", + "Tribunal de Assizes", + "tribunal militar especial", + "tribunal de menores", + "tribunal militar", + "Old Bailey", + "Cámara Estrellada", + "tribunal superior", + "corte suprema", + "repertorio", + "agencia", + "departamento", + "oficina", + "Agencia de Inteligencia de los Estados Unidos", + "Agencia de Inteligencia de la Defensa", + "Communications Security Establishment", + "Inter-Services Intelligence", + "Sayeret Matkal", + "Servicio Aéreo Especial", + "Mossad", + "Servicio de Inteligencia Secreto", + "MI5", + "Shin Bet", + "Oficina Nacional de Reconocimiento", + "Agencia de Seguridad Nacional", + "Servicio Secreto de los Estados Unidos", + "órgano", + "almirantazgo", + "banco central", + "Sistema de Reserva Federal", + "Bank of England", + "Bundesbank", + "Banco de Japón", + "agencia meteorológica", + "servicio meteorológico", + "oficina de empleo", + "E.E.U.U.", + "EEUU", + "Estados Unidos", + "Gobierno de EEUU", + "Gobierno de los Estados Unidos", + "Washington", + "capital", + "Consejo del Condado", + "administración", + "cuórum", + "minyán", + "cadre", + "cuadro", + "célula", + "resistencia", + "autarquía", + "autocracia", + "constitucionalismo", + "democracia", + "república", + "diarquía", + "gerontocracia", + "ginecocracia", + "hegemonía", + "oclocracia", + "oligarquía", + "plutocracia", + "república", + "tecnocracia", + "hierocracia", + "democracia parlamentaria", + "monarquía", + "monarquía parlamentaria", + "capitalismo", + "capitalismo de estado", + "socialismo de estado", + "comunismo", + "socialismo", + "economía", + "forma de gobierno", + "sistema político", + "bolchevismo", + "colectivismo", + "marxismo", + "sovietismo", + "revisionismo", + "generación", + "generación", + "tribu", + "tótem", + "clave", + "combinación", + "combinación", + "tribu", + "colonia", + "acuerdo fronterizo", + "avanzada", + "plantación", + "Asociación Nacional del Rifle", + "jerarquía", + "cadena", + "curso", + "hilera", + "línea", + "trayectoria", + "trazado", + "ciclo", + "jerarquía", + "estructura social", + "segregación racial", + "segregacionismo", + "dirección", + "administración", + "dirección", + "patronal", + "casa", + "dirección", + "liderazgo", + "mando", + "consejo de ministros", + "gabinete", + "junta de reclutamiento", + "Kashag", + "sociedad limitada", + "Corporación Federal de Seguro de Depósitos", + "Corporación Federal de Préstamos Hipotecarios para Viviendas", + "FHLMC", + "Freddie Mac", + "Fannie Mae", + "cita", + "compromiso", + "esponsales", + "hora", + "visita", + "cita a ciegas", + "cita doble", + "cita en parejas", + "cita", + "elite", + "los elegidos", + "inteligencia", + "clase culta", + "letrados", + "alta sociedad", + "buenas maneras", + "gente bien", + "sociedad", + "minoría", + "nobleza", + "nobleza", + "caballería", + "orden de caballería", + "samurái", + "mosquetería", + "batería", + "caballería", + "caballería montada", + "paracaídistas", + "tropas paracaídistas", + "milicia", + "milicias populares", + "reserva", + "reserva territorial", + "tropa territorial", + "Ejército de los Estados Unidos", + "United States Army Rangers", + "Academia Militar de los Estados Unidos", + "militares", + "personal militar", + "soldados", + "tropa", + "tropas", + "soldados hostiles", + "caballería", + "caballería montada", + "caballo", + "aquelarre", + "surtido", + "variedad", + "poción", + "selección", + "mezcla", + "sopa de letras", + "camada", + "clientela", + "negocio", + "parroquia", + "patronaje", + "base", + "basura", + "asamblea", + "convocatoria", + "comisión", + "comité", + "delegación", + "diputación", + "encomienda", + "misión diplomática", + "embajada", + "misión", + "ramo", + "sector", + "comando", + "contingente", + "destacamento", + "cuartel general", + "destacamento", + "posse comitatus", + "reino", + "imperio", + "fichero de delincuentes", + "fundación", + "institución", + "instituto", + "exposición", + "feria", + "feria", + "ala", + "facción", + "expedición", + "instituto", + "instituto privado", + "prepa", + "preparatoria", + "schola cantorum", + "Eton College", + "Winchester College", + "escuela diurna", + "Instituto de Ciencias de la Educación", + "escuela normal", + "colegio", + "escuela", + "jurado", + "jurado", + "gran jurado", + "jurado de acusaciones", + "izquierda", + "convoy", + "sesión", + "sesión de espiritismo", + "conglomerado", + "banco agente", + "banco corresponsal", + "banco comercial", + "banco", + "hawala", + "Savings Bank", + "caja de ahorros", + "Administración Federal de la Vivienda", + "FHA", + "mercado", + "mercado negro", + "circulación", + "tráfico", + "tránsito", + "formación", + "orden cerrado", + "marcha", + "columna", + "guardia pretoriana", + "cortejo", + "fútbol americano", + "guardalíneas", + "cola", + "fila", + "columna", + "fila", + "fila", + "hilera", + "línea", + "borde dentado", + "fila", + "cola", + "hilera de números", + "renglón", + "columna", + "fila", + "hilera", + "aviación", + "red", + "red de espionaje", + "sistema", + "organismo", + "sintaxis", + "cuerpo", + "oficio", + "flora", + "vegetación", + "matorral", + "cañaveral", + "chaparral", + "bosque", + "jungla", + "selva", + "sotobosque", + "jardín", + "personal", + "absolutismo", + "autoritarismo", + "despotismo", + "dictadura", + "tiranía", + "totalitarismo", + "estado policial", + "jurisprudencia", + "ley", + "derecho administrativo", + "derecho canónico", + "derecho civil", + "derecho interno", + "derecho nacional", + "derecho internacional", + "derecho del mar", + "ley marcial", + "derecho mercantil", + "derecho militar", + "ley musulmana", + "sharia", + "sharía", + "derecho tributario", + "burocracia", + "burocratismo", + "orden", + "ordenación", + "genoma", + "serie", + "secuencia", + "sucesión", + "serie", + "sucesión", + "procesión", + "corriente", + "curso", + "despliegue", + "panoplia", + "batería", + "dato", + "metadato", + "datos básicos", + "datos en bruto", + "datos sin procesar", + "tesoro", + "movimiento", + "art decó", + "vanguardia", + "vanguardismo", + "suprematismo", + "fovismo", + "imagismo", + "Nouvelle Vague", + "Nueva Ola", + "sezession", + "movimiento cultural", + "movimiento obrero", + "campamento", + "reunión", + "judería", + "los judíos", + "revista", + "revista militar", + "rave", + "vanguardia", + "autoridad local", + "azerí", + "maorí", + "Fernando e Isabel", + "wica", + "wicca", + "Guillermo y María", + "alguna parte", + "algún lugar", + "cerca", + "casa", + "hogar", + "país", + "dirección", + "distrito administrativo", + "división administrativa", + "división territorial", + "pasadizo elevado", + "Apalachia", + "ambiente", + "atmósfera", + "parque de atracciones", + "cículo polar", + "círculo polar", + "área", + "nodo", + "aire", + "atmósfera", + "colonia", + "dominio", + "provincia", + "territorio", + "espacio exterior", + "heliosfera", + "interior", + "outback", + "desierto", + "oasis", + "fuente", + "nacimiento", + "origen", + "principio", + "selva", + "zona", + "Bible Belt", + "madre patria", + "patria", + "cuna", + "cara", + "lado", + "pie", + "esencia", + "frontera", + "límite", + "frontera", + "lugar", + "parcela", + "propiedad", + "terreno", + "control", + "campamento", + "capital", + "cuenca", + "cuenca fluvial", + "cuenca hidrográfica", + "equinoccio", + "punto equinoccial", + "equinoccio de primavera", + "equinoccio de otoño", + "cielo", + "empíreo", + "cementerio", + "centro", + "medio", + "punto medio", + "centro de gravedad", + "baricentro", + "centroide", + "nacimiento del cabello", + "triquion", + "centro", + "corazón", + "medio", + "ojo", + "corazón", + "ciudad", + "urbe", + "barrio", + "distrito", + "colegio electoral", + "Tin Pan Alley", + "conurbación", + "conurbano", + "extensión", + "extensión urbana", + "burgh", + "cantón", + "confluencia", + "casco antiguo", + "atasco", + "esquina", + "rincón", + "estado", + "nación", + "país", + "tierra", + "condado", + "condado", + "condado palatino", + "palatinado", + "pastizal para vacas", + "cima", + "cresta", + "cumbre", + "perfil", + "gueto", + "urbanización", + "excavación", + "sitio arqueológico", + "archidiócesis", + "arquidiócesis", + "arzobispado", + "arcedianato", + "califato", + "archidiócesis", + "arquidiócesis", + "diócesi", + "diócesis", + "episcopado", + "obispado", + "eparquía", + "virreinato", + "distrito", + "dominio británico", + "distrito federal", + "barrio chino", + "barrio rojo", + "distrito rojo", + "ampliación", + "zona de pisos", + "espacio aéreo", + "espacio de disco", + "distancia", + "dominio", + "territorio", + "baronía", + "ducado", + "condado", + "imperio", + "reino", + "principado", + "señorío feudal", + "dirección", + "domicilio", + "morada", + "residencia", + "casa", + "kokkenmodding", + "occidente", + "tierra", + "norte", + "sur", + "sudeste", + "suroeste", + "noroeste", + "Pacific Northwest", + "cielo", + "edén", + "paraíso", + "tierra prometida", + "borde", + "canto", + "frontera", + "margen", + "acabamiento", + "extremo", + "fin", + "final", + "término", + "cabo", + "final", + "cara", + "lado", + "entorno", + "Lagos Finger", + "destino", + "medio", + "entorno", + "medio", + "ecuador terrestre", + "extremo", + "extremo", + "calle", + "cultivo", + "campo", + "campo", + "terreno", + "prado", + "campo", + "mediocampo", + "meta", + "cortafuegos", + "rastro", + "Fleet Street", + "cabeza", + "frente", + "primer plano", + "primera fila", + "vanguardia", + "frente", + "basura", + "región", + "habitáculo", + "Harley Street", + "infierno", + "hemisferio", + "bajo", + "garzal real", + "guarida", + "madriguera", + "cima", + "cumbre", + "cuna", + "horizonte", + "horizonte", + "sede", + "justiciario", + "reserva", + "reserva indígena", + "shire", + "parque industrial", + "interior", + "interior", + "corazón", + "medio", + "partes pudendas", + "jurisdicción", + "reino", + "guarida", + "madriguera", + "querencia", + "prado", + "capa", + "estrato", + "borde", + "extremo", + "demarcación", + "límite", + "línea", + "trazo", + "línea", + "latitud", + "paralelo", + "litoral", + "Lombard Street", + "longitud", + "Whitehall", + "Trafalgar Square", + "atalaya", + "mirador", + "puesto de observación", + "pradera", + "prado", + "en el aire", + "mínimo", + "monumento", + "parque nacional", + "Big Bend", + "Parque Nacional de los Volcanes de Hawaii", + "Parque Nacional Shenandoah", + "Parque Nacional Wind Cave", + "tierra de nadie", + "hemisferio norte", + "Polo Norte", + "madre patria", + "patria", + "país de origen", + "país natal", + "terruño", + "órbita", + "órbita", + "contorno", + "perfil", + "litoral", + "línea de costa", + "perfil", + "avanzada", + "base extranjera", + "estación remota", + "panhandle", + "parroquia", + "parque natural", + "reserva", + "parque", + "zona verde", + "pastizal", + "pasto", + "pastura", + "camino", + "recorrido", + "ruta", + "atajo", + "corte transversal", + "patriarcado", + "cima", + "cresta", + "cumbre", + "pico", + "foco de infección", + "foco infeccioso", + "pináculo", + "llanura", + "pampa", + "pradera", + "plaza", + "punto", + "polo", + "polo", + "polo celeste", + "lugar", + "puesto", + "sitio", + "lugar", + "posición", + "posición", + "posición estratégica", + "posición militar", + "anomalía", + "situación", + "yuxtaposición", + "puesto", + "derecha", + "izquierda", + "municipio", + "prefectura", + "local", + "cuadrante", + "radio", + "alcance", + "parte", + "región", + "región", + "campo de tiro", + "tiro de rifle", + "declinación", + "AR", + "ascensión recta", + "longitud celeste", + "ribera", + "puerto", + "zona franca", + "fondeadero", + "rada", + "arsenal", + "resort", + "cercanía", + "inmediaciones", + "vecindad", + "proximidad", + "frente", + "presencia", + "refugio", + "Camp David", + "nido", + "refugio", + "campo", + "campo", + "sabana", + "escena", + "oscuridad", + "sombra", + "campo de batalla", + "campo del honor", + "paisaje", + "cementerio", + "asiento", + "localidad", + "plaza", + "sección", + "sector", + "área", + "lado", + "barrio bajo", + "resort de esquí", + "hemisferio sur", + "espacio", + "aire", + "vacío", + "salida", + "banda", + "línea de toque", + "estado", + "detención", + "parada", + "estrato", + "sustrato", + "horizonte", + "horizonte del suelo", + "veta carbonífera", + "esquina", + "superficie", + "punta", + "techo", + "tejado", + "cabecera", + "cabeza", + "principio", + "lugar", + "sitio", + "zona intertropical", + "población", + "pueblo", + "villa", + "pueblo fantasma", + "ciudad", + "municipio", + "pueblo", + "localidad", + "población", + "pueblo", + "villa", + "aldea", + "pueblo", + "pueblo", + "parcela", + "terreno", + "clima subtropical", + "relieve terrestre", + "terreno", + "territorio", + "era", + "solar", + "obra", + "sabana", + "jurisdicción", + "lugar", + "sitio", + "virreinato", + "conejera", + "abrevadero", + "balneario", + "spa", + "linea de flotacion", + "divisoria continental", + "Divisoria Continental de América", + "camino", + "curso", + "dirección", + "rumbo", + "trayectoria", + "sentido", + "curso", + "trazado", + "alquibla", + "tendencia", + "frente de onda", + "Nuevo Mundo", + "campo de trigo", + "trigal", + "desierto", + "cinta", + "cable", + "aries", + "cáncer", + "leo", + "virgo", + "libra", + "zona", + "cabeza de playa", + "huso horario", + "Balcanes", + "África oriental", + "Hippo Regius", + "Lobito", + "George Town", + "Saint John", + "Triángulo de las Bermudas", + "Isla Bouvet", + "Buenos Aires", + "Phnom Penh", + "Cabo Verde", + "República Centroafricana", + "Sri Lanka", + "Tamil Eelam", + "N'Djamena", + "Ndjamena", + "Yamena", + "Punta Arenas", + "Catay", + "China", + "China Comunista", + "China Continental", + "China roja", + "RPC", + "República Popular China", + "Hebei", + "Hopeh", + "Hopei", + "provincia de Hebei", + "Sichuan", + "provincia de Sichuan", + "Port Arthur", + "Gran Canal de China", + "Hong Kong", + "Congo", + "Congo francés", + "República del Congo", + "Mesoamérica", + "Costa Rica", + "San José", + "Ciudad de Guatemala", + "San Pedro Sula", + "El Salvador", + "República de El Salvador", + "Salvador", + "San Salvador", + "Santa Ana", + "Nicaragua", + "República de Nicaragua", + "Panamá", + "República de Panamá", + "Panamá", + "Ciudad Victoria", + "Ciudad de México", + "Quintana Roo", + "Isla de San Martín", + "Cuba", + "República de Cuba", + "República Dominicana", + "Santo Domingo", + "Puerto Rico", + "Puerto Rico", + "San Juan", + "Bahía Montego", + "Islas Vírgenes Británicas", + "República Checa", + "Porto Novo", + "Escandinavia", + "Península Escandinava", + "Archipiélago Spitzberg", + "Archipiélago Svalbard", + "Reino de Suecia", + "Suecia", + "Sverige", + "Lower Saxony", + "Addis Ababa", + "Viti Levu", + "Vanua Levu", + "Mashriq", + "Sodoma", + "Tel Aviv", + "Haifa", + "Hefa", + "Tierra Santa", + "Friuli-Venezia Giulia", + "Génova", + "La Spezia", + "Trentino-Alto Adige", + "Gran Canal", + "Isla de Baffin", + "Acadia", + "Columbia Británica", + "Isla de Vancouver", + "Nueva Brunswick", + "Fredericton", + "Saint John", + "Terranova", + "San Juan de Terranova", + "Sant Juan de Terranova", + "Territorios del Noroeste", + "Nueva Escocia", + "Nueva Escocia", + "Thunder Bay", + "Isla del Príncipe Eduardo", + "Regina", + "Yukón", + "territorio del Yukón", + "Whitehorse", + "Nueva Gales del Sur", + "Wagga Wagga", + "Hobart", + "Australia Meridional", + "Adelaida", + "Australia Occidental", + "Perth", + "Territorio Norteño", + "Territorio del Norte", + "Darwin", + "Australasia", + "Islas Marianas del Norte", + "Isla Wake", + "Bairiki", + "Tarawa", + "Nueva Bretaña", + "Nueva Caledonia", + "Nueva Guinea", + "Papúa Nueva Guinea", + "Port Moresby", + "Bhutan", + "Bután", + "Reino de Bután", + "La Paz", + "Santa Cruz", + "Belo Horizonte", + "Governador Valadares", + "Islas Británicas", + "Gran Bretaña", + "Emerald Isle", + "Reino Unido", + "Inglaterra", + "Anglia", + "Distrito de los Lagos", + "Gran Londres", + "West End", + "Palacio de Buckingham", + "Downing Street", + "Pall Mall", + "Abadía de Westminster", + "Cumbria", + "New Forest", + "Sussex Oriental", + "Sussex Occidental", + "Lincolnshire", + "Anglia Oriental", + "Yorkshire del Norte", + "Yorkshire del Oeste", + "Yorkshire del Sur", + "West Country", + "Isla de Man", + "Man", + "Aberdeen", + "Castillo de Balmoral", + "Burkina Faso", + "El Alamein", + "Nag Hammadi", + "Canal de Suez", + "Nueva Delhi", + "Andhra Pradesh", + "Tamil Nadu", + "Uttar Pradesh", + "Bengala Occidental", + "Iwo Jima", + "Kuwait", + "Quai d'Orsay", + "Le Havre", + "Lyon", + "Lyons", + "Baja Normandía", + "Franco Condado", + "Alta Normandía", + "Normandía", + "Costa Dorada", + "Costa de Oro", + "Ghana", + "República de Ghana", + "Saint George", + "Guyana", + "Guyana Británica", + "República Cooperativa de Guyana", + "La Haya", + "Frisia", + "Islandia", + "Chosen", + "Corea del Sur", + "Macedonia", + "Kuala Lumpur", + "Maldivas", + "República de las Maldivas", + "Port Louis", + "Mónaco", + "Principado de Mónaco", + "Monte Carlo", + "Ulan Bator", + "Kwazulu-Natal", + "Natal", + "Nueva Zealand", + "Nueva Zelanda", + "Nueva Zealand", + "Paraguay", + "República de Paraguay", + "Machu Picchu", + "Filipinas", + "República de las Filipinas", + "Cebú", + "Ciudad Quezon", + "Azores", + "Setúbal", + "Isla de San Cristóbal", + "Santa Lucía", + "Santa Lucía", + "San Vicente", + "Oceanía Francesa", + "Polinesia Francesa", + "Islas Gambier", + "Islas Marquesas", + "Apia", + "Samoa Americana", + "Pago Pago", + "Pango Pango", + "San Marino", + "San Marino", + "Santo Tomé", + "Arabia Saudí", + "República de Seychelles", + "Seychelles", + "República de Sierra Leona", + "Sierra Leona", + "Sierra Leone", + "Islas Solomón", + "Islas Solomón", + "Honiara", + "Sudáfrica", + "Cape Town", + "Free State", + "Bloemfontein", + "San Petersburgo", + "Vladivostok", + "Novaya Zemlya", + "Adjaria", + "Barcelona", + "Ciudad Condal", + "República de Sudán", + "Sudán", + "Puerto Sudán", + "Guyana holandesa", + "República de Surinam", + "Surinam", + "Suriname", + "cantón de Suiza", + "Tanga", + "Islas Amistosas", + "Reino de Tonga", + "Tonga", + "Emiratos Árabes Unidos", + "Abu Dhabi", + "Estados Unidos", + "Costa Oeste de los Estados Unidos", + "colonia", + "Nueva Inglaterra", + "Deep South", + "Carolina", + "Carolinas", + "Montgomery", + "capital de Alabama", + "Juneau", + "capital de Alaska", + "Sun City", + "Fort Smith", + "Hot Springs", + "Little Rock", + "Pine Bluff", + "Beverly Hills", + "Chula Vista", + "Long Beach", + "Los Angeles", + "Palo Alto", + "San Bernardino", + "San Diego", + "San Francisco", + "San José", + "San Mateo", + "San Pablo", + "Santa Ana", + "Santa Bárbara", + "Santa Clara", + "Santa Catalina", + "Santa Cruz", + "Colorado Springs", + "New Haven", + "New London", + "DE", + "Delaware", + "Estado Diamante", + "Primer Estado", + "Washington D.C.", + "Capitol Hill", + "la colina", + "Georgetown", + "Daytona Beach", + "Fort Lauderdale", + "Fort Myers", + "Key West", + "Miami Beach", + "Palm Beach", + "Panama City", + "San Agustín", + "San Petersburgo", + "West Palm Beach", + "Brunswick", + "Waikiki", + "Pearl Harbor", + "Coeur d'Alene", + "Idaho Falls", + "Sun Valley", + "Twin Falls", + "Rock Island", + "Fort Wayne", + "South Bend", + "Council Bluffs", + "Cedar Rapids", + "Des Moines", + "Mason City", + "Sioux City", + "Dodge City", + "Kansas City", + "Bowling Green", + "Baton Rouge", + "Morgan City", + "Nueva Orleans", + "EstadoLibre", + "Free State", + "MD", + "Maryland", + "Annapolis", + "capital de Maryland", + "Fort George G. Meade", + "puerto de Boston", + "Cabo Cod", + "Martha's Vineyard", + "Ann Arbor", + "Grand Rapids", + "Traverse City", + "Saint Paul", + "ciudades gemelas", + "Cape Girardeau", + "Jefferson City", + "Kansas City", + "Poplar Bluff", + "Saint Joseph", + "Saint Louis", + "San Luis", + "Great Falls", + "Grand Island", + "North Platte", + "Carson City", + "Las Vegas", + "Nuevo Hampshire", + "Nuevo Hampshire", + "Estado Jardín", + "Jersey", + "NJ", + "New jersey", + "Nueva Jersey", + "Nueva Jersey", + "Atlantic City", + "Jersey City", + "New Brunswick", + "Cape May", + "Isla de la Libertad", + "Nuevo México", + "Las Cruces", + "Los Alamos", + "Santa Fe", + "Silver City", + "Nueva Ámsterdam", + "Estado de Nueva York", + "NY", + "New York", + "Nueva York", + "Nueva York", + "Nueva York", + "Bronx", + "Brooklyn", + "Coney Island", + "Isla Ellis", + "Manhattan", + "Quinta Avenida", + "Séptima Avenida", + "Central Park", + "Hell's Kitchen", + "Park Ave.", + "Park Avenue", + "Times Square", + "Wall Street", + "Greenwich Village", + "Queens", + "Staten Island", + "Río Este", + "Río Harlem", + "West Point", + "Long Island", + "Elmont", + "Kingston", + "Cataratas del Niágara", + "Carolina del Norte", + "Carolina del Norte", + "Cabo Fear", + "Cabo Flattery", + "Chapel Hill", + "Queen City", + "Durham", + "Fayetteville", + "Greensboro", + "Winston-Salem", + "Dakota del Norte", + "Oklahoma City", + "Klamath Falls", + "Estado Piedra Angular", + "PA", + "Pensilvania", + "Rhode Island", + "Rhode Island", + "Carolina del Sur", + "Estado Palmetto", + "SC", + "Carolina del Sur", + "Charleston", + "Florence", + "Greenville", + "Dakota del Sur", + "Rapid City", + "Sioux Falls", + "Colinas Negras", + "Johnson City", + "Austin", + "capital de Texas", + "Corpus Christi", + "Del Río", + "El Paso", + "Fort Worth", + "San Angelo", + "San Antonio", + "Wichita Falls", + "Salt Lake City", + "Newport News", + "Virginia Beach", + "Bull Run", + "Chancellorsville", + "Fredericksburg", + "Monte Vernon", + "Mount Vernon", + "Walla Walla", + "Virginia Occidental", + "Harpers Ferry", + "Eau Claire", + "Green Bay", + "La Crosse", + "Rock Springs", + "Port Vila", + "santa sede", + "Ciudad del Vaticano", + "Annam", + "República Socialista de Vietnam", + "Vietnam", + "Ciudad Ho Chi Minh", + "Big Sur", + "Silicon Valley", + "desierto Black Rock", + "Dasht-e-Kavir", + "Gran Desierto Salado", + "desierto de Kavir", + "Valle de la Muerte", + "Kizil Kum", + "Kyzyl Kum", + "Desierto Pintado", + "Sinaí", + "desierto del Sinaí", + "Monte Etna", + "Fuego", + "Láscar", + "Mauna Kea", + "Mauna Loa", + "Monte Saint Helens", + "Monte St. Helens", + "Dar al-Islam", + "vida", + "razón", + "causa", + "motivo", + "ocasión", + "razón", + "causa", + "causa", + "porqué", + "estímulo", + "incentivo", + "dinámica", + "energía", + "fuerza moral", + "impulso", + "freno", + "impulso", + "Tanatos", + "deseo de muerte", + "instinto de muerte", + "impulso", + "instinto", + "pronto", + "manía", + "alcoholismo", + "necrofilia", + "necromanía", + "tricotilomanía", + "obsesión", + "moral", + "moralidad", + "conciencia", + "consciencia", + "sentido del deber", + "abismo", + "Mar Egeo", + "agente", + "Aldebarán", + "aluvión", + "depósito aluvial", + "sedimento aluvial", + "Alfa de Centauro", + "Alfa Cruz", + "altocumulus", + "altocúmulo", + "altocúmulos", + "nube altocumulus", + "altoestrato", + "altostratus", + "altostrátos", + "nube altostratus", + "América", + "ammonoidea", + "anión", + "Antares", + "antibarión", + "antileptón", + "antimesón", + "antimuón", + "antineutrino", + "antineutrón", + "antipartícula", + "antiprotón", + "antiquark", + "Antlia", + "apertura", + "Apus", + "Ara", + "archipiélago", + "Océano Árctico", + "Aristarco", + "arroyo", + "ascenso", + "cuesta", + "subida", + "asteroide", + "Océano Atlántico", + "atmósfera", + "Balcanes", + "banco", + "margen", + "orilla", + "vera", + "bajo", + "bajío", + "banco", + "barra", + "arrecife de coral", + "barrera coralina", + "cuenca", + "bahía", + "playa", + "Mar de Beaufort", + "fondo", + "lecho", + "panal", + "Beta Centauri", + "partícula beta", + "Alpha Orionis", + "estrella binaria", + "pedazo", + "pizca", + "átomo", + "Selva Negra", + "Colinas Negras", + "agujero negro", + "capa", + "manto", + "Blue Ridge", + "Cordillera Azul", + "azul del cielo", + "cielo azul", + "mesón-B", + "cuerpo", + "agua", + "masa de agua", + "pantano", + "Boyero", + "Pastor", + "peña", + "cuesta", + "ladera", + "pendiente", + "afluente", + "arroyo", + "burbuja", + "madriguera", + "Caelum", + "concreción", + "cálculo", + "piedra", + "caldera volcánica", + "Cataratas Canadienses", + "Cataratas Horseshoe", + "Can Major", + "Can Minor", + "cañón", + "cabo", + "Cabo Cañaveral", + "río Cape Fear", + "Capella", + "Cassiopeia", + "catión", + "cueva", + "Centauro", + "Cepheus", + "cadena", + "Chamaeleon", + "canal", + "Chao Phraya", + "fosa", + "Bahía de Chesapeake", + "rendija", + "condrita", + "cóndrulo", + "cromosfera", + "ceniza", + "circo", + "glaciar de circo", + "clasto", + "nube", + "Columba", + "Coma Berenices", + "constelación", + "continente", + "talud continental", + "zona batial", + "Copérnico", + "coprolito", + "Mar del Coral", + "núcleo", + "Corona Borealis", + "ensenada", + "cubierta", + "envoltura", + "protección", + "peña", + "Crater", + "cratón", + "costra", + "cristal", + "grano", + "Desfiladero de Cumberland", + "cúmulo", + "Cuquenan", + "Kukenaam", + "Saltos de Cuquenan", + "Saltos de Kukenaam", + "cortina", + "manto", + "abismo", + "fosa", + "garganta", + "Bahía de Delaware", + "Delphinus", + "delta", + "Deneb", + "caída", + "declinación", + "declive", + "descenso", + "inclinación", + "pendiente", + "diapiro", + "caca de perro", + "caquita de perro", + "mierda de perro", + "cuesta", + "ladera", + "pendiente", + "nido de ardilla", + "drumlin", + "duna", + "Tierra", + "globo", + "mundo", + "tierra", + "electrón", + "negatrón", + "supresor", + "surpresor", + "El Libertador", + "El Muerto", + "recinto", + "recinto natural", + "capa", + "cobertura", + "envoltura", + "membrana", + "Epsilon Aurigae", + "Eridanus", + "escarpe", + "esker", + "Monte Everest", + "exosfera", + "extensión", + "bola de fuego", + "firth", + "llanura", + "terreno inundable", + "fondo", + "suelo", + "bosque", + "Fornax", + "Riu Fox", + "fragmento", + "Gan Jiang", + "geoda", + "glaciar", + "gluon", + "Golden Gate", + "garganta", + "grano", + "Gran Cañón", + "Grand River", + "Grand Teton", + "gránulo", + "Osa Mayor", + "Gran Barrera de Coral", + "Gran Cordillera Divisoria", + "Grandes Llanuras", + "Gran Lago del Esclavo", + "Green River", + "Green Mountains", + "abismo", + "golfo", + "barranco", + "guyot", + "Hampton Roads", + "cabeza", + "colina", + "collado", + "otero", + "ladera", + "Hindu Kush", + "agujero", + "cavidad", + "hueco", + "hueco", + "aguas termales", + "Huang He", + "Río Hudson", + "Bahía de Hudson", + "pedazo", + "Hidrus", + "hielo", + "cascada de hielo", + "reductor", + "Océano Índico", + "Indus", + "abra", + "bahía", + "rada", + "seno", + "polvo interplanetario", + "intrusión", + "isla", + "Kanawha", + "río Kanawha", + "kaon", + "laguna", + "lago", + "fondo del lago", + "lecho lacustre", + "Chad", + "lago Chad", + "Lago Lemán", + "orilla del lago", + "ribera del lago", + "hiperón Lambda", + "partícula Lambda", + "suelo", + "tierra", + "tierra firme", + "suelo", + "tierra", + "vertedero", + "heces", + "lías", + "Lepus", + "geosfera", + "Osa Menor", + "Río Little Big Horn", + "llano", + "llanura", + "Llano Estacado", + "Loch Linnhe", + "Lago Ness", + "Monte Logan", + "cadena larga", + "Long Island Sound", + "Baja California", + "manto bajo", + "bajo", + "Lupus", + "Madeira", + "río Madeira", + "continental", + "manto", + "marisma", + "masa", + "macizo", + "matriz", + "Monte McKinley", + "meandro", + "mecanismo", + "Great Mendenhall glacier", + "glaciar Mendenhall", + "glaciar de Mendenhall", + "laguna", + "mesa", + "micela", + "micrometeoroide", + "Microscopium", + "centro del río", + "Vía Láctea", + "planeta menor", + "Bahía de Mobile", + "Mont Blanc", + "luna", + "luna", + "páramo", + "Moray Firth", + "montaña", + "monte", + "cumbre", + "Monte Elbert", + "boca", + "charco de lodo", + "mu-mesón", + "muon", + "muón", + "muón negativo", + "mutágeno", + "Nanda Devi", + "Nanga Parbat", + "depresión", + "depresión natural", + "elevación", + "nebulosa", + "requisito", + "necesidad", + "madriguera", + "nido", + "neutrino", + "neutrón", + "New River", + "Río Nuevo", + "Bahía de Nueva York", + "Cataratas del Niágara", + "Níger", + "río Níger", + "Niobrara", + "río Niobrara", + "North Platte", + "Mar del Norte", + "nucleón", + "núcleo", + "pepita", + "destructor", + "océano", + "Davy Jones", + "relieve oceánico", + "Old Faithful", + "Omega Centauri", + "abertura", + "apertura", + "claro", + "lecho de minerales", + "Orinoco", + "río Orinoco", + "brazo muerto", + "herradura", + "Paraná", + "río Paraná", + "parte", + "pedazo", + "porción", + "trozo", + "partícula", + "paso", + "puerto", + "camino", + "curso", + "dirección", + "trayectoria", + "Paulo Afonso", + "Paulo Alfonso", + "Pavo", + "Río Pearl", + "canto rodado", + "china", + "guijarro", + "Pegaso", + "penillanura", + "península", + "perforación", + "Perseo", + "Phoenix", + "fotón", + "fotosfera", + "Pictor", + "pinar", + "pion", + "brecha", + "cavidad", + "fosa", + "foso", + "hoyo", + "pozo", + "costa", + "litoral", + "playa", + "campaña", + "llanura", + "planeta", + "planetesimal", + "plásmido", + "punta", + "glaciar polar", + "estrella polar", + "pólder", + "polinia", + "estanque", + "charco", + "bache", + "Procyon", + "promontorio", + "protón", + "Próxima Centauri", + "Bahía Prudhoe", + "sialolitiasis", + "Estrecho de Puget", + "Puget Sound", + "Purús", + "Río Purus", + "Pyxis", + "arco iris", + "cordillera", + "sierra", + "torrente", + "Río Rojo", + "Regulus", + "represor", + "retardador", + "retardante", + "retardo", + "cresta", + "rift", + "Beta Orionis", + "Rigel", + "La Plata", + "Río Bravo", + "río", + "orilla del río", + "ribera", + "cauce", + "fondo del río", + "lecho", + "lecho del río", + "piedra", + "roca", + "Montañas Rocosas", + "Ruhr", + "río Ruhr", + "Monte Rushmore", + "Río Russo", + "Montañas Sacramento", + "montañas Sacramento", + "Río San Francis", + "Saint Francis", + "St. Francis", + "Río Saint John", + "Saint Johns", + "St. Johns", + "Saint Lawrence", + "St. Lawrence", + "Salmon", + "río Salmon", + "Salton Sea", + "muestra", + "banco", + "placer", + "secano", + "banco de arena", + "Valle de San Fernando", + "San Juan Hill", + "satélite", + "satisfaciente", + "satisfactorio", + "Savannah", + "río Savannah", + "centellas", + "Sculptor", + "mar", + "océano", + "monte submarino", + "costa", + "playa", + "muestra", + "sección", + "depósito", + "sedimento", + "gajo", + "segmento", + "Sete Quedas", + "siete mares", + "Monte Shasta", + "cáscara de huevo", + "orilla", + "ribera", + "canto rodado", + "acortador", + "sierra", + "Sierra Madre Occidental", + "Sierra Madre Oriental", + "Sierra Nevada", + "Sierra Nevada", + "Monte Sinai", + "Canícula", + "Estrella Perro", + "Sirius", + "Sotis", + "pista de esquí", + "cielo", + "corte", + "cuesta", + "falda", + "inclinación", + "pendiente", + "barrial", + "ciénaga", + "lodazal", + "pantano", + "Río Snake", + "ventisquero", + "campo nevado", + "nevero", + "sistema solar", + "Solway Firth", + "América del Sur", + "Sudamérica", + "Suramérica", + "Pacífico del Sur", + "South Platte", + "río South Platte", + "chispa", + "Espiga", + "Spica", + "fuente", + "estalactita", + "estrella", + "estepa", + "estrecho", + "partícula extraña", + "squark", + "estratosfera", + "estrato", + "arroyo", + "corriente", + "curso de agua", + "fondo del lecho", + "subcontinente", + "sol", + "sol", + "Sun River", + "supergigante", + "supernova", + "superficie", + "cinturón", + "ringlera", + "crecida", + "oleada", + "altiplano", + "meseta", + "talud", + "laberinto", + "terraza", + "Teton Range", + "Tigris", + "río Tigris", + "Tirich Mir", + "tor", + "Trapecio", + "abismo oceánico", + "profundidad", + "zanja", + "Triangulum Australe", + "tropopausa", + "Salto del Tugela", + "césped", + "Twin Falls", + "unidad", + "creación", + "mundo", + "naturaleza", + "universo", + "urolito", + "Saltos de Urubupunga", + "Urubupunga", + "valle", + "variable", + "Vega", + "volcán", + "Vulpécula", + "uadi", + "muro", + "pared", + "curso", + "cascada", + "vía marítima", + "humedal", + "Pico Wheeler", + "White River", + "Monte Whitney", + "Wisconsin", + "río Wisconsin", + "agujero de gusano", + "xenolito", + "Salto Yosemite", + "Zambezi", + "río Zambezi", + "Río Perla", + "Zuider Zee", + "yeti", + "Demogorgón", + "bogeyman", + "Muerte", + "Grim Reaper", + "segador", + "gigante", + "sirena", + "giganta", + "ogra", + "Humpty Dumpty", + "Jack Frost", + "Mammon", + "monstruo", + "criatura mítica", + "monstruo mítico", + "Basilisco", + "basilisco", + "centauro", + "Cerbero", + "Régulo", + "cocatriz", + "Dárdano", + "dragón", + "Aglaia", + "Aglaya", + "Eufrósine", + "Talía", + "leviatán", + "Esteno", + "Euríale", + "mantícora", + "Nibelungo", + "París", + "Pitón", + "Tifón", + "hombre lobo", + "bruja", + "dragón heráldico", + "naturaleza", + "ocultismo", + "destino", + "deidad", + "dios", + "divinidad", + "Alecto", + "Megara", + "Mégara", + "Tisífone", + "deidad celta", + "dios celta", + "divinidad celta", + "Arianrhod", + "Arianrod", + "Boann", + "Don", + "Manawydan", + "Amón", + "Isis", + "Nuit", + "Nut", + "Antum", + "Aruru", + "Damgalnunna", + "Damkina", + "Gula", + "Inanna", + "Ningirsu", + "Zarpanitu", + "Zarpanitum", + "Tashmit", + "Tashmitum", + "Utu", + "Utug", + "Enkidu", + "deidad hindú", + "Aditi", + "Ahura", + "Bhumi Devi", + "Chandi", + "Lakshmi", + "Sri", + "Annapurna", + "Parvati", + "Bairava", + "Skanda", + "Soma", + "Uma", + "Ushas", + "Vajra", + "avatar", + "Jagannath", + "Jagannatha", + "Juggernaut", + "Kalki", + "Ramachandra", + "Ahura Mazda", + "Buda Gautama", + "Bodhisattva", + "Bodhisatva", + "Chang Kuo", + "Chang Kuo-Lao", + "deidad japonesa", + "Hachiman", + "Kannon", + "diosa", + "Pacha Mama", + "dios", + "Jehová", + "YHVH", + "Yahveh", + "Yahvé", + "Yavé", + "Alá", + "demiurgo", + "mensajero de Dios", + "ángel", + "Miguel", + "Rafael", + "mensajero divino", + "gremlin", + "Leprechaun", + "leprechaun", + "coco", + "fantasma", + "trasgo", + "demonio", + "diablo", + "demonio", + "diablillo", + "espíritu maligno", + "espíritu bueno", + "incubo", + "súcubo", + "dybbuk", + "demonio", + "diablo", + "espíritu necrófago", + "gol", + "gul", + "kelpie", + "genio", + "espíritu", + "ser espiritual", + "trickster", + "fantasma", + "poltergeist", + "peri", + "aparición", + "fantasma", + "Holandés Errante", + "presencia", + "Adonis", + "deidad grecorromana", + "sátiro", + "sileno", + "Estérope", + "Náyade", + "nayade", + "nifa del mar", + "sirena", + "nereida", + "Tetis", + "driade", + "hamadríade", + "Pitio", + "Urania", + "Venus", + "Ares", + "Eris", + "Tánatos", + "Marte", + "Nicte", + "Nix", + "Nyx", + "Rea Silvia", + "Rhea Silvia", + "Remo", + "Artemisa", + "Cintia", + "Diana", + "Ate", + "Minerva", + "Ceres", + "Doris", + "Nox", + "noche", + "Higía", + "Panacea", + "Ariadna", + "Calíope", + "Clío", + "Erato", + "Melpómene", + "Polimnia", + "Terpsícore", + "Talía", + "Urania", + "Némesis", + "Victoria", + "Pasífae", + "Proserpina", + "Pitia", + "Pitonisa", + "Radamantis", + "Luna", + "Eurídice", + "Aurora", + "Tritón", + "Tique", + "Fortuna", + "Jupiter Fulgur", + "Jupiter Fulminator", + "lanzador de rayos", + "Jupiter Tonans", + "tonante", + "Jupiter Pluvius", + "Jupiter Optimus Maximus", + "óptimo y máximo", + "Jupiter Fidius", + "Coco", + "Crío", + "Epimeteo", + "Agdistis", + "Elli", + "Freya", + "Freyja", + "Vanadis", + "Fricca", + "Frigg", + "Frigga", + "Friia", + "Hel", + "Hela", + "Nanna", + "Verdandi", + "Skuld", + "Tyr", + "Vali", + "Völund", + "Wayland", + "deidad anglosajona", + "Tiu", + "Norna", + "Urd", + "Ajax", + "James Bond", + "Paul Bunyan", + "John Henry", + "Chicken Little", + "Colonel Blimp", + "Drácula", + "Jasón", + "Laertes", + "Ulises", + "Don Quijote", + "El Cid", + "Fagin", + "Hamlet", + "Horatio Hornblower", + "Yago", + "Comisario Maigret", + "Inspector Maigret", + "Rey Lear", + "liliputiense", + "Philip Marlowe", + "Mamá Ganso", + "Mamá Oca", + "Otelo", + "Pangloss", + "Pantaloon", + "Perry Mason", + "Peter Pan", + "Huck Finn", + "Huckleberry Finn", + "ruritario", + "Tom Sawyer", + "Tío Sam", + "Holmes", + "Sherlock Holmes", + "Snoopy", + "adulta", + "adulto", + "mayor", + "persona mayor", + "anacronismo", + "Apache", + "asistente", + "conductista", + "ayudante", + "benefactor", + "bienhechor", + "Obispo Coadjuctor", + "judío conservador", + "litigante", + "consumidor", + "negro", + "codeudor", + "cofirmante", + "cosignatario", + "creador", + "defensor", + "guardián", + "protector", + "conferenciante", + "conferencista", + "interlocutor", + "panelista", + "parti", + "ingeniero", + "enólogo", + "artista", + "elogiador", + "encomiasta", + "panegirista", + "ex-jugador", + "ex-alcalde", + "experto", + "exponente", + "cara", + "repasador", + "habitante", + "vecina", + "vecino", + "aborigen", + "intelectual", + "menor", + "amante", + "autoridad", + "dirigente", + "líder", + "masculino", + "ciudadano", + "nativista", + "igual", + "par", + "observador", + "beneficiario", + "destinatario", + "ganador", + "receptor", + "titular", + "titul", + "viajero", + "antipático", + "desagradable", + "trabajador", + "infractor", + "persona de color", + "negro", + "negra", + "raza negra", + "raza negroide", + "negro", + "amigo del alma", + "hermano", + "mulato", + "blanco", + "caucásico", + "persona blanca", + "gente blanca", + "raza blanca", + "raza caucasoide", + "raza caucásica", + "WASP", + "asiático", + "raza amarilla", + "raza mongola", + "raza mongoloide", + "raza oriental", + "indio", + "piel roja", + "guerrero indio", + "algonquino", + "algonquino", + "Coeur d'Alene", + "muwekma", + "Delaware", + "esselen", + "halchidhoma", + "havasupai", + "Gros Ventre", + "hoka", + "calapooya", + "calapuya", + "kalapooia", + "kalapuya", + "kusan", + "maidu", + "maricopa", + "mohave", + "mojave", + "mohawk", + "pamlico", + "patween", + "patwin", + "winto del sur", + "penutio", + "penutí", + "indio", + "piel roja", + "shoshone", + "shoshoni", + "siux", + "tuscarora", + "tutelo", + "wintu", + "yokuts", + "indio", + "cajún", + "anabautista", + "cristiano", + "gentil", + "goy", + "no judío", + "protestante", + "papista", + "judía", + "judío", + "judía", + "islámico", + "mahometano", + "moro", + "musulmán", + "budista zen", + "mahayanista", + "hinayanista", + "lamaísta", + "tantrista", + "swami", + "chela", + "jainista", + "Hare Krishna", + "shaktista", + "shivaíta", + "vaisnava", + "shintoísta", + "rasta", + "rastafari", + "mitraísta", + "zoroastrista", + "europeo", + "celta", + "gaélico", + "argentino", + "tupí", + "bielorruso", + "chino", + "inglés", + "sajón occidental", + "John Bull", + "cantabrigense", + "lancasteriano", + "francés", + "saboyano", + "angevino", + "balcánico", + "griego", + "ateniense", + "corintio", + "laconio", + "lesbio", + "espartano", + "arcadio", + "holandés", + "normando", + "palestino", + "árabe palestino", + "dublinense", + "sabra", + "italiano", + "napolitano", + "romano", + "veneciano", + "toscano", + "japonés", + "norcoreano", + "sudcoreano", + "latino", + "latinoamericano", + "sudaca", + "borneano", + "moro", + "gurkha", + "kiwi", + "neozelandés", + "indígena sudamericano", + "amerindio caribeño", + "caribeño", + "ruso", + "moscovita", + "árabe", + "escandinavo", + "norteño", + "nórdigo", + "español", + "americano", + "americano", + "estadounidense", + "norteamericano", + "líder revolucionario estadounidense", + "georgiano", + "neoyorquino", + "norcarolino", + "tarheel", + "surcarolino", + "alemán", + "berlinés", + "berlinés del oeste", + "berlinés occidental", + "glasglowiense", + "singapurense", + "croata", + "serbio", + "abad", + "archimandita", + "archimandrita", + "renunciante", + "abominador", + "aborrecedor", + "abreviador", + "compendiador", + "absolutista", + "absolvedor", + "abecedarianos", + "instigador", + "promotor", + "abiogenista", + "abolicionista", + "emancipador", + "abstraccionista", + "artista abstracto", + "abusador", + "maltratador", + "violador", + "lector", + "profesor", + "académico", + "cómplice", + "endosante por aval", + "acompañante", + "economista", + "acusado", + "acusado", + "acusador", + "demandante", + "denunciante", + "parte demandante", + "as", + "crack", + "diestro", + "ducho", + "estrella", + "genio", + "hacha", + "virutoso", + "éxito", + "cabeza ácida", + "acólito", + "amistad", + "actor", + "actor dramático", + "actuación", + "artista", + "comediante", + "ejecutor teatral", + "histrionista", + "histrión", + "intérprete", + "factor", + "agente teatral", + "actriz", + "alegante", + "liquidador de reclamaciones", + "tasador", + "aide-de-camp", + "ayudante", + "administrador", + "ejecutivo", + "administrador", + "administrador", + "admirador", + "adorador", + "adolescente", + "adúltero", + "fornicador", + "adúltera", + "adversario", + "antagonista", + "contrario", + "oponente", + "opositor", + "asesor", + "consejero", + "consultor", + "especialista", + "orientador", + "defensor", + "partidario", + "abogado defensor", + "ingeniero aeroespacial", + "aerófilo", + "afín", + "pariente por afinidad", + "aficionado", + "agente", + "agente", + "agricultor", + "agricultor", + "labrador", + "auxiliar", + "ayudante", + "comandante", + "cabeza de chorlito", + "cabeza hueca", + "pasajero aéreo", + "alcalde", + "dipsómano", + "concejal", + "Alí Babá", + "alienista", + "alergista", + "alergólogo", + "aliado", + "limosnero", + "alto", + "contralto", + "alumno", + "aficionado", + "aficionado", + "ménade", + "embajador", + "embajador", + "cazador de ambulancias", + "amigo", + "amoraim", + "enamorado", + "eterno enamorado", + "romántico", + "analogista", + "analista", + "psicoanalista", + "analista petrolero", + "anarquista", + "nihilista", + "sindicalista", + "anatomista", + "ancestro", + "antepasado", + "ascendente", + "avelista", + "patrocinador", + "sponsor", + "anglófilo", + "animista", + "analista", + "aniquilador", + "locutor", + "anunciante", + "vocero", + "jubilado", + "pensionista", + "rentista", + "ungidor", + "antologista", + "gorila", + "antropólogo", + "anticipador", + "anticipante", + "antinómico", + "anticuario", + "arcaísta", + "antisemita", + "perseguidor de judíos", + "Anzac", + "aforista", + "apóstol", + "discípulo", + "defensor", + "apparatchik", + "apelante", + "demandante", + "demandante en casación", + "persona nombrada", + "aspirante", + "candidato", + "imitador barato", + "pretendiente", + "solicitante", + "intercesor", + "intermediario", + "juez", + "mediador", + "réferi", + "árbitro", + "arquitecto", + "diseñador", + "arcipreste", + "cardenal", + "jerarca", + "prelado", + "prelatura", + "primado", + "sumo sacerdote", + "aristotélico", + "peripatético", + "portador de armas", + "militar", + "oficial de ejército", + "flechero", + "ametrallador", + "artillero", + "cañonero", + "servidor", + "artista", + "artista", + "ascendiente", + "imbécil", + "cerdo", + "cedente", + "ayudante", + "asociado", + "astrogador", + "atleta", + "deportista", + "atacante", + "ajudant", + "asistente", + "ayudante", + "camarero", + "encargado", + "sirviente", + "ministro de justicia", + "tita", + "tiíta", + "tía", + "autoridad", + "entendido", + "maestro", + "autoridad", + "autómata", + "zombi", + "justiciero", + "vengador", + "vindicador", + "aeronauta", + "aviador", + "piloto", + "piloto de aviación", + "ayah", + "ayatolá", + "menor", + "pequeña", + "pequeño", + "criatura", + "pediatra", + "bacante", + "ménade", + "bacante", + "bacanal", + "bacante", + "soltero", + "defensa", + "diputado", + "juez de gol", + "investigador", + "entrometido", + "campechano", + "manzana podrida", + "maletero", + "bahaí", + "alguacil", + "esbirro", + "fabricante de pan", + "panadero", + "panadero", + "bailarina", + "ballerina", + "amante del ballet", + "aeronauta de globo", + "maestro", + "matador", + "torero", + "banderillero", + "picador", + "torero", + "atracador", + "director de banda", + "director de banda", + "director de orquesta", + "músico mayor", + "banquero", + "guardia de banco", + "asaltante de banco", + "peso gallo", + "peso gallo", + "bautista", + "bardo", + "poeta", + "trovador", + "vate", + "mosca de bar", + "buscador de gangas", + "cazador de ofertas", + "bartender", + "barwoman", + "camarera", + "tabernera", + "incendiario de establo", + "quemador del establo", + "magnate", + "baronet", + "estafador", + "barrister", + "barman", + "camarero", + "entrenador de béisbol", + "manager de béisbol", + "basileos", + "entrenador de baloncesto", + "cestero", + "bajo", + "bastonero", + "rotador", + "instructor de bateo", + "arpía", + "bruja", + "raquero", + "vagabundo de playa", + "animal", + "bestia", + "cosmetólogo", + "esteticista", + "abejero", + "apicultor", + "colmenero", + "mendigo", + "abuela", + "anciana", + "creyente", + "devoto", + "partidario", + "fajín", + "mozo", + "jefe de botones", + "belleza", + "amado", + "amor", + "cariño", + "cielo", + "corazón", + "sol", + "fabricante de cinturones", + "asediador", + "pedigüeño", + "mejor", + "padrino de boda", + "apostador", + "jugador", + "apuesta", + "interesado", + "beg", + "bey", + "gobernador turco", + "compañera", + "bibliógrafo", + "postor", + "declarante", + "hermano mayor", + "Big Brother", + "hermana mayor", + "bilingüe", + "bimbo", + "bimetalista", + "biólogo", + "biofísico", + "obispo", + "mordedor", + "dashing", + "galán", + "barrenero", + "pegador", + "blanqueador", + "rubio", + "guardia marina", + "marinero", + "navegante", + "balsero", + "barquero", + "escolta", + "ayuda de cámara", + "criado", + "sirviente", + "valet", + "comunista", + "rojo", + "esclava", + "sierva", + "siervo", + "corredor de apuestas", + "librero", + "vendedor de libros", + "botero", + "jefe", + "patrona", + "patrón", + "aprovechador", + "carroñero", + "oportunista", + "gorila", + "boxeador", + "pugilista", + "púgil", + "muchacho", + "chaval", + "hijo", + "niño", + "compañero", + "novio", + "pareja", + "fantasma", + "jactancioso", + "brahman", + "brahmán", + "alto mando", + "alborotador", + "camorrero", + "peleador", + "pendenciero", + "nadador de pecho", + "cervecero", + "albañil", + "novia", + "novia", + "dama de honor", + "madrina", + "brigadier", + "tía", + "hermano", + "hermano", + "camarada", + "cuñado", + "alita", + "niña exploradora", + "camarada", + "colega", + "compañera", + "compañero", + "hermana", + "hermano", + "socio", + "toro", + "romano", + "gorila", + "chapucero", + "desatinado", + "incompetente", + "inepto", + "negado", + "patoso", + "tapagujeros", + "torpe", + "tropezador", + "bunter", + "burócrata", + "alcalde", + "burgomaestre", + "empresario", + "mujer de negocios", + "burgués", + "comerciante", + "distribuidor", + "empresario", + "negociante", + "persona de negocios", + "carnicero", + "chivo expiatorio", + "hazmerreír", + "pelele", + "risa", + "cotilla", + "comprador", + "transeúnte", + "cafeinómano", + "calculista", + "computador", + "estimador", + "visita", + "abonado", + "cliente", + "comprador", + "solicitante", + "calígrafo", + "calvinista", + "genovés", + "cinematógrafo", + "cámara", + "fotógrafo", + "operario de cámara", + "candidato", + "campista", + "excursionista", + "explorador", + "prostituta militar", + "cantarina", + "candidato", + "voluntario", + "canoísta", + "remero", + "canonista", + "capitalista", + "capitán", + "capitán", + "capitán", + "capitán de policía", + "jefe de policía", + "capitán", + "jefe", + "tahúr", + "sustituto", + "villanciquero", + "carpetbagger", + "portador", + "repartidor de periódicos", + "distribuidor", + "mensajero", + "portador", + "recadero", + "repartidor", + "dibujante", + "humorista gráfico", + "carretero", + "seductor", + "castrato", + "accidentado", + "herido", + "parte perjudicada", + "víctima", + "catamita", + "partido", + "receptor", + "catecumenado", + "Catholicós", + "cavalier", + "monárquico", + "caballero", + "galán", + "jinete", + "soldado de caballería", + "coracero", + "soldado montado", + "cavernícola", + "troglodita", + "celebrante", + "oficiante", + "censor", + "censurador", + "prohibidor", + "censista", + "centenario", + "centro", + "centrocampista", + "centurión", + "jefe del consejo", + "presidente del consejo", + "héroe", + "campeón", + "primer ministro", + "premier", + "primer ministro", + "tipo", + "tío", + "capellán", + "párroco", + "capellán de cárcel", + "chófer", + "elemento", + "tipo", + "encargado de negocios", + "auriga", + "cochero", + "charlador", + "charlatán", + "chismoso", + "cotorra", + "hablador", + "parlanchín", + "inspector", + "revisor", + "inspectora", + "revisora", + "aclamador", + "alentador", + "ovacionador", + "adepto", + "admirador", + "defensor", + "simpatizante", + "químico", + "mascador", + "Presidente del Tribunal Supremo", + "Jefe de Estado Mayor", + "alevín", + "chaval", + "chico", + "chiquillo", + "chiqüelo", + "criatura", + "cría", + "crío", + "jovenzuelo", + "menor de edad", + "mozalbete", + "muchachuelo", + "nene", + "niño", + "pececillo", + "hija", + "hijo", + "ninzzo", + "niña", + "niño", + "hijo", + "deshollinador", + "limipa chimeneas", + "niño cantor", + "niño de coro", + "cantor principal", + "chantre", + "director de coro", + "maestro de coro", + "corista", + "cronista", + "primo", + "capillero", + "fumador", + "fumador", + "ciudadano", + "city man", + "civil", + "funcionario público", + "palmeador", + "lavandero", + "clérigo", + "pastor", + "clérigo", + "clerical", + "timador", + "mercero", + "payaso", + "bufón", + "zoquete", + "adiestrador", + "director", + "entrenador", + "entrenadora", + "instructor", + "míster", + "seleccionador", + "técnico", + "entrenador de guardalíneas", + "entrenador de lanzamiento", + "entrenador de tiro", + "carbonero", + "minero", + "minero del carbón", + "co-autor", + "acuñador ilegal", + "hielo", + "colega", + "compañera", + "compañero", + "colega", + "compañera", + "compañero", + "colleen", + "coronel", + "Colonel Blimp", + "colono", + "colonialista", + "colonizador", + "figura", + "monstruo", + "columnista", + "editorialista", + "beligerante", + "guerrero", + "cómico", + "comediante", + "cómica", + "comedianta", + "promesa", + "comandante", + "Comandante en Jefe", + "Generalísimo", + "comandante", + "oficial al mando", + "comando", + "conserje", + "portero", + "oficial", + "oficial comisionado", + "oficial", + "oficial militar", + "oficial militar comisionado", + "oficial naval", + "oficial naval comisionado", + "comisionado", + "vocal", + "concejal", + "comunista", + "rojo", + "comunista", + "acompañante", + "compañera", + "compañero", + "compañero de viaje", + "enciclopedista", + "compositor", + "Interventor Monetario", + "concesionario", + "director", + "preparador físico", + "colaborador", + "cómplice", + "secuaz", + "confederado", + "soldado confederado", + "conferencista", + "confesor", + "confidenta", + "embaucador", + "estafador", + "timador", + "confuciano", + "rep.", + "contacto", + "enlace", + "contacto", + "conocedor", + "conservador", + "consorte", + "agente de policía", + "condestable", + "constructivista", + "cónsul", + "contacto", + "contratista", + "contralto", + "congresista", + "buen conversador", + "portador", + "presidiario", + "preso", + "prisionero", + "condenado", + "cocinero", + "barrilero", + "cubero", + "tonelero", + "asociado", + "consocio", + "copartícipe", + "socio", + "co-piloto", + "copiloto", + "artesano del cobre", + "copista", + "escriba", + "escribano", + "mujer fatal", + "cabo", + "corresponsal", + "periodista", + "redactor de noticias", + "bucanero", + "corsario de Berbería", + "filibustero", + "pirata", + "cosmetólogo", + "cottar", + "cotter", + "consejero", + "conde", + "contramanifestante", + "dependienta", + "dependiente", + "vendedor", + "contrarrevolucionario", + "contraterrorista", + "agente doble", + "contraespía", + "informante", + "topo", + "condesa", + "compatriota", + "campesino", + "campesino", + "Coureur de bois", + "primo", + "vaca", + "corredor de rodeo", + "cowboy", + "vaquero", + "vaquero", + "timonel", + "gruñón", + "persona malhumorada", + "adicto al crack", + "pirata", + "chalado", + "chiflado", + "estrafalario", + "excéntrico", + "loco", + "creatura", + "criatura", + "persona", + "ser humano", + "acreedor", + "bicho raro", + "espectro", + "estrafalario", + "rarito", + "tipo raro", + "criminal", + "delincuente", + "malhechor", + "transgresor", + "criminólogo", + "criticón", + "crítico", + "crítico", + "crítico", + "crooner", + "princesa heredera", + "princesa", + "princesa real", + "cristalógrafo", + "rookie", + "lobato", + "cubista", + "coracero", + "cultista", + "curandero", + "pastor", + "párroco", + "vicario", + "conservador", + "cliente", + "cliente", + "cuchillero", + "trinchador", + "degollador", + "ciberpunk", + "cimbalero", + "cimbalista", + "zarina", + "papa", + "papá", + "lechero", + "Dalai Lama", + "muñeca", + "tía", + "dama", + "bailarín", + "bailarín profesional", + "terpsícore", + "maestro de baile", + "maestro de danza", + "Daniel", + "calavera", + "darwiniano", + "cagón", + "acompañante", + "cita", + "escolta", + "pintamonas", + "hija", + "nuera", + "contador de ovejas", + "soñador", + "jornalero", + "diácono", + "diácono", + "diácono protestante", + "diaconisa", + "tiro certero", + "muerto", + "cazador de venados", + "deipnosofista", + "deudor", + "debutante", + "estafador", + "tramposo", + "decorador", + "ornamentalista", + "jugador suspendido", + "deudor", + "moroso", + "abogado defensor", + "defensa", + "delegado", + "delincuente", + "repartidor", + "agitador", + "demagogo", + "demandante", + "superhombre", + "demócrata", + "populista", + "demoníaco", + "poseso", + "poseído", + "demostrador", + "demostrador de mercadería", + "representante", + "negador", + "auxiliar dental", + "denturista", + "técnico dental", + "descendente", + "descendiente", + "recepcionista", + "recepcionista de hotel", + "sargento escribiente", + "detenido", + "preso político", + "detective", + "detective de policía", + "detective privado", + "investigador", + "depreciador", + "desacreditador", + "detractor", + "menospreciador", + "deus ex machina", + "desviacionista", + "adorador de demonios", + "testador", + "dialéctico", + "diarista", + "periodista", + "dictador", + "dietista", + "fresador", + "excavador", + "alcornoque", + "bobo", + "imbécil", + "memo", + "simple", + "comensal", + "encargado de comedor", + "encargado de restaurante", + "diplomático", + "director", + "director", + "directivo", + "director", + "viejo verde", + "adherente", + "discípulo", + "disidencia", + "disidente", + "destilador", + "distorcionador", + "distribuidor", + "cavador de zanjas", + "buzo", + "buzo submarino", + "hombre rana", + "ex", + "abogado divorcista", + "abogado matrimonialista", + "docente", + "DM", + "Dr.", + "doc", + "doctor", + "facultativo", + "médico", + "doctor", + "doctor", + "viejo chocho", + "gato", + "pájaro", + "dux", + "asistente", + "criado", + "dominatrix", + "don", + "donatista", + "Don Juan", + "dador", + "donador", + "Don Quijote", + "guardabarrera", + "ostiario", + "portero", + "ostiario", + "doble", + "imagen", + "bosquejador", + "dibujante", + "bruja", + "dragón", + "crítico de teatro", + "atracción", + "asistente de camerino", + "modisto", + "instructor militar", + "jefe de instrucción", + "bebedor", + "chofer", + "chófer", + "conductor", + "driver", + "peón", + "drogadicto", + "junky", + "narcómano", + "toxicómano", + "druida", + "tambor mayor", + "batonista", + "majorette", + "guaripolera", + "majorette", + "alcohólico", + "borracho", + "ebrio", + "dualista", + "cabeza", + "caudillo", + "duce", + "líder", + "cazador de patos", + "duque", + "dueña", + "zoquete", + "alcornoque", + "animal", + "bobo", + "burro", + "melón", + "tonto", + "crítico severo", + "mentor severo", + "abeja", + "rayo", + "conde", + "Earl Marshal", + "asalariado", + "comedor", + "geek", + "ecléctico", + "economista", + "editor", + "subeditor", + "educador", + "exclamador", + "chispa", + "poeta elegíaco", + "ascensorista", + "ascensorista", + "operador de ascensor", + "declamador", + "bordador", + "emérito", + "emperador", + "empírico", + "empleado", + "trabajador", + "empleador", + "empresario", + "patrona", + "patrono", + "patrón", + "encantador", + "bruja", + "encantadora", + "conductor ferroviario", + "ingeniero", + "ingeniero ferroviario", + "grabador", + "recluta", + "enofilo", + "inscrito", + "otorrinolaringólogo", + "otólogo", + "partidario", + "ambientalista", + "conservacionista", + "verde", + "ministro plenipotenciario", + "eparca", + "epicúreo", + "gourmet", + "epígono", + "epistemólogo", + "escapista", + "ensayista", + "escritor", + "literato", + "esteticista", + "esthéticienne", + "aguafuertista", + "etnarca", + "etiólogo", + "inspector", + "excelencia", + "ejecutor", + "director ejecutivo", + "albacea", + "exhibicionista", + "exportador", + "radical", + "belleza", + "maricón", + "mariposa", + "pluma", + "puto", + "queer", + "falsificador", + "aficionado", + "amante", + "amiga", + "amigo", + "aficionado", + "futurista", + "futurólogo", + "campesino", + "agricultor", + "campesino", + "granjero", + "ranchero", + "campesina", + "agricultor", + "granjero", + "obrero agrícola", + "trabajador agrícola", + "farsi", + "persa", + "determinista", + "padre", + "papa", + "papá", + "padre", + "padre", + "suegro", + "barrilete", + "bola de manteca", + "gordinflón", + "gordito", + "gordo", + "regordete", + "repolludo", + "Fauntleroy", + "Little Lord Fauntleroy", + "peso pluma", + "peso pluma", + "federalista", + "tío", + "hermana", + "chica", + "joven", + "moza", + "muchacha", + "niña", + "pequeña", + "feminista", + "liberacionista", + "perista", + "esgrimista", + "espadachín", + "juez de campo", + "mariscal de campo", + "OS", + "oficial superior", + "filibusterismo", + "cienasta", + "productor", + "productor de cine", + "finalista", + "financiero", + "canario", + "delator", + "infiltrado", + "informante", + "malsín", + "soplón", + "exaltado", + "mala leche", + "guardabosque", + "primera dama", + "teniente primero", + "delincuente primerizo", + "sargento primero", + "pescador", + "oficial almirante", + "flagelante", + "flamen", + "flapper", + "almirante de flota", + "tontorrona", + "Líder de la Mayoría", + "jefe de sección", + "jefe de ventas", + "desastre", + "florista", + "pelota", + "flautista", + "contrario", + "enemigo", + "enemigo íntimo", + "cantante folclórico", + "cantante poeta", + "juglar", + "trovador", + "escritor popular", + "partidario", + "seguidor", + "acosador", + "entrenador de fútbol", + "antepasado", + "padre", + "agente extranjero", + "espía", + "extranjero", + "Ministro del Exterior", + "Secretario de Estado", + "intruso", + "jefe", + "jefe", + "patrona", + "patrón", + "silvicultor", + "patrona", + "falsificador", + "minero del 49", + "hijo adoptivo", + "fundador", + "padre", + "aborto", + "monstruo", + "propietario absoluto", + "autónomo", + "freelance", + "aprovechador", + "buitre", + "novato", + "fraile", + "monacato", + "monje", + "amigo", + "lata", + "palo", + "desertor", + "fugitivo", + "tránsfugo", + "cabecilla", + "jefe de fila", + "titular", + "funcionalista", + "fundamentalismo", + "recaudador de fondos", + "galileo", + "esclavo de galera", + "jugador", + "apostador", + "pilluela", + "obrero ferroviario", + "jefe de equipo", + "jefe de obras", + "jefe de trabajo", + "gánster", + "cuidador de viveros", + "jardinero", + "jardinero", + "estrangulador", + "fontanero", + "hombre del gas", + "gaucho", + "gacetillero", + "genealogista", + "general", + "autor", + "cerebro", + "crack", + "genio", + "gent.", + "caballero", + "señor", + "geógrafo", + "geólogo", + "profesor de geometría", + "geriatra", + "gerontólogo", + "gigante", + "gigante", + "seductor", + "chica", + "joven", + "jovencita", + "muchacha", + "mujercita", + "niña", + "señorita", + "chica", + "chica", + "compañera", + "novia", + "pareja", + "amiga", + "novia", + "soplador de vidrio", + "fabricante de vidrio", + "autor de glosarios", + "gnóstico", + "dios", + "arquero", + "portero", + "ahijada", + "madrina", + "emprendedor", + "goliardo", + "gondolero", + "buen tipo", + "novela gótica", + "institutor", + "gobernador", + "gobernador general", + "arrebatador", + "motoniveladora", + "gramático", + "nieto", + "nieta", + "grande", + "grandeza de españa", + "abuelito", + "abuelo", + "yayo", + "gran inquisidor", + "inquisidor general", + "abue", + "abuela", + "abuelita", + "nana", + "tata", + "abuelo", + "nieto", + "abuelita", + "becario", + "ex", + "gul", + "ladrón de tumbas", + "pastor", + "tía abuela", + "bisnieta", + "bisabuela", + "bisabuelo", + "bisnieto", + "sobrino nieto", + "sobrina nieta", + "tío abuelo", + "Boinas Verdes", + "frutero", + "granadero", + "griot", + "novio", + "novio", + "capitán de grupo", + "aval", + "fiador", + "garante", + "garantizador", + "carcelero", + "funcionario de prisiones", + "guardia de prisión", + "tornillo", + "base", + "escolta", + "guerrillero", + "huésped", + "invitado", + "huésped", + "pasajero", + "guía", + "guitarra", + "traficante de armas", + "armero", + "gurú", + "capitán", + "tipo", + "tío", + "ginecólogo", + "gitano", + "escritor a sueldo", + "experto informático", + "hacker", + "cyberpunk", + "bruja", + "vieja", + "vieja bruja", + "vieja fea", + "viejuja", + "hagiógrafo", + "quisquilloso", + "hajji", + "alabardero", + "burro", + "idiota", + "actor aficionado", + "aficionado", + "radioaficionado", + "Ham", + "criada", + "colgador", + "ala delta", + "acosador", + "aguilucho", + "arlequin", + "arponero", + "bruja", + "vieja gruñona", + "cosechador", + "segador", + "reliquia", + "fumador de hachís", + "sicario", + "instigador de odio", + "transportista", + "halcón", + "cabeza", + "responsable", + "cazador de cabezas", + "cazaejecutivos", + "cazatalentos", + "jefe", + "director", + "director de escuela", + "jefe de estado", + "auditor", + "oyente", + "ídolo", + "infiel", + "peso pesado", + "peso pesado", + "podador", + "compensador de compromisos", + "equivoquista", + "evasor", + "tergiversador", + "hedonista", + "pagano", + "sibarita", + "heredero", + "heredera", + "contratación", + "contrata", + "colaborador", + "hermafroditismo", + "ermitaño", + "hermitaño", + "recluso", + "solitario", + "troglodita", + "protagonista", + "héroe", + "heroína", + "heroína", + "heroinómano", + "venerador de héroes", + "político estafador", + "alto comisario", + "highlander", + "ladrón de carretera", + "hillbilly", + "hombre contratado", + "mano de obra", + "historiador", + "historiógrafo", + "golpeador", + "entrenador de hockey", + "alzador", + "elevador", + "Sacro Emperador Romano", + "sacro emperador romano", + "comprador de vivienda", + "homeópata", + "gay", + "homosexual", + "agasajado", + "distinguido", + "galardonado", + "homenajeado", + "vuduista", + "bailarín profesional", + "esperanza", + "saltarín", + "jinete", + "caballerango", + "horticultor", + "capellán de hospital", + "anfitrión", + "hostelero", + "patrón de posada", + "huésped de hostal", + "guardia de seguridad", + "administrador de hotel", + "hostelero", + "hotelero", + "invitado", + "residente", + "ama de casa", + "rompehogares", + "delegado de vivienda", + "Huayna Capac", + "humanista", + "humanitario", + "huelguista de hambre", + "presa", + "cazador", + "cazador-recolector", + "esposo", + "hombre", + "marido", + "ex", + "húsar", + "hidrólogo", + "higienista", + "hipocondriaco", + "hipocondríaco", + "fariseo", + "hielero", + "ideólogo", + "gandul", + "holgazán", + "vago", + "idólatra", + "analfabeto", + "imán", + "inmigrante", + "inmunólogo", + "bicho", + "imperialista", + "imitador", + "impostor", + "suplantador", + "personaje", + "embaucador", + "impostor", + "encargado", + "titular", + "indizador", + "agente indígena", + "jefe indio", + "individuo", + "industrial", + "infante", + "peón", + "habitante del infierno", + "infiltrado", + "intruso", + "fuente", + "ingenua", + "inocente", + "erudito", + "sabio", + "polímata", + "pariente político", + "interrogador", + "agente de investigación", + "inquisidor", + "insomne", + "persona sin sueño", + "inspector", + "rebelde", + "interlocutor", + "interno", + "internacionalista", + "internista", + "internuncio", + "intérprete", + "intérprete", + "intruso", + "artífice", + "autor", + "descubridor", + "inventor", + "investigador", + "asegurador", + "celador", + "cuidador", + "vigilante", + "irredentista", + "aislacionista", + "jacobeo", + "jenízaro", + "casero", + "jansenista", + "Jafet", + "bufón", + "fabricante de joyas", + "joyero", + "conductor", + "operador", + "pinchador", + "John Doe", + "John Doe", + "periodista", + "juez", + "magistrado", + "togado", + "experto legal", + "jurista", + "jurado", + "juez de paz", + "kachina", + "Kalon Tripa", + "kamikaze", + "káiser", + "keynesiano", + "metemuertos", + "abductor", + "capturador", + "raptor", + "asesino", + "monarca", + "rey", + "Rey de Gran Bretaña", + "Rey de Inglaterra", + "Rey de Francia", + "pariente", + "cognado", + "parentezco sanguíneo", + "pariente", + "pariente sanguíneo", + "familiar", + "pariente", + "cognado", + "agnado", + "pariente", + "parienta", + "amante", + "besador", + "asistente de cocina", + "ganso", + "caballero", + "bicho raro", + "pájaro raro", + "tipo raro", + "quejumbroso", + "doula", + "mano de obra", + "peón", + "líder sindicalista", + "dama de compañía", + "dama de honor", + "doncella", + "hacendado", + "señor", + "terrateniente", + "lama", + "lamarckiano", + "landgrave", + "casero", + "dueña", + "patrona", + "terrateniente", + "paisajista", + "lapidario", + "lascar", + "chica", + "joven", + "muchacha", + "niña", + "tornerno", + "tornero", + "abogado", + "jurista", + "letrado", + "picapleitos", + "Lázaro", + "manta", + "protagonista", + "infiltrado", + "informante", + "lector", + "lector", + "conferencista", + "esponja", + "estrujador", + "parásito", + "sanguijuela", + "lesbiana", + "lesbianismo", + "alquilador", + "arrendador", + "casero", + "libertinismo", + "ente certificador", + "licenciatura", + "cantante de lieder", + "teniente", + "teniente de policía", + "teniente", + "teniente", + "teniente coronel", + "teniente general", + "vida", + "gabarrero", + "peso pesado liviano", + "guardafaro", + "peso ligero", + "peso liviano", + "chatarrero", + "juez de línea", + "científico lingüista", + "lingüista", + "cazador de leones", + "ceceador", + "alistador", + "crítico literario", + "alfabeto", + "Little John", + "liturgista", + "caballerizo", + "controlador de esclusa", + "controlador de escusa", + "cerrajero", + "locum tenens", + "huésped", + "lolita", + "guardia", + "vago", + "lord", + "noble", + "señor", + "Lord Privy Seal", + "lorelei", + "bobo", + "bruto", + "idiota", + "necio", + "palurdo", + "patán", + "simple", + "tonto", + "zoquete", + "ludita", + "loco", + "fisgón", + "lurcher", + "mirón", + "luthier", + "luterano", + "mama", + "mamá", + "maquiavelista", + "máquina", + "maquinista", + "mecánico", + "mecánico de taller", + "cariño", + "madrigalista", + "maestra", + "maestro", + "maría magdalena", + "mago", + "juez", + "juez de paz", + "magistrado", + "mago", + "mago", + "mahdismo", + "mahdista", + "cornaca", + "mahout", + "doncella", + "ama", + "criada", + "doncella", + "doncella doméstica", + "sirvienta", + "tía soltera", + "cartero", + "comandante", + "mayordomo", + "líder mayoritario", + "malahini", + "chaval", + "chico", + "garzón", + "joven", + "mozo", + "muchacho", + "niño", + "niño varón", + "hermano", + "malhechor", + "malik", + "absentista", + "remolón", + "simulador", + "malthusiano", + "fabricante de malta", + "hombre", + "varón", + "hombre", + "adonis", + "hombre", + "mandatario", + "mandante", + "maniqueo", + "manicurista", + "modelo", + "fabricante", + "productor", + "maoísta", + "corredor de maratón", + "buitre", + "marquesa", + "marquesa", + "margrave", + "francotirador", + "pistolero", + "tirador", + "marqués", + "marqués", + "marshal", + "mártir", + "marxista", + "alarife", + "albañil", + "disfrazado", + "embozado", + "enmascarado", + "masajista", + "masajista", + "maestra", + "maestro", + "profesional", + "jefe", + "máster", + "capitán", + "patrona", + "patrón", + "maestro de ceremonias", + "segundo", + "pareja", + "matemático", + "profesor de matemáticas", + "matrona", + "noqueador", + "rebelde", + "alcalde", + "alcaldesa", + "reina de mayo", + "mecanista", + "ganador", + "medallista", + "médico", + "oficial médico", + "megalomaníaco", + "melquita", + "miembro", + "ejecutivo", + "mendeliano", + "lacayo", + "sirviente", + "mencionador", + "mentor", + "sabio", + "comerciante de textiles", + "comerciante", + "mercader", + "negociante", + "badulaque", + "bobo", + "mozo", + "metalero", + "metodista", + "meteco", + "mestizo", + "microbiólogo", + "peso medio", + "peso mediano", + "vendedora parisina", + "guardiamarina", + "emigrante", + "corredor de milla", + "militante", + "agregado militar", + "capellán militar", + "padre", + "lider militar", + "líder militar", + "oficial", + "lechero", + "molinero", + "molinera", + "operario", + "mimo", + "pantomimo", + "mimo", + "parodiador", + "minero", + "mineralogista", + "minimalista", + "acólito", + "ministro diplomático", + "ministro", + "lider minoritario", + "trobador", + "misántropo", + "rata", + "amante", + "amiga", + "mnemonista", + "modelo", + "ejemplo", + "modelo", + "modelo a imitar", + "dechado", + "modelo", + "maravilla", + "mahometano", + "monarquico", + "royalista", + "monofisita", + "monsenor", + "demonio", + "diablo", + "monstruo", + "buitre", + "hipotecante", + "madre", + "madre politica", + "suegra", + "motociclista", + "conductor de tranvia", + "maquinista", + "charlatan", + "cotorra", + "charlatan de feria", + "embaucador", + "saltabancos", + "montador", + "plañidera", + "portavoz", + "representante", + "hombre de accion", + "empleado de mudanzas", + "empleados de mudanzas", + "muckraker", + "muecín", + "vendedor de muffins", + "mufti", + "victima de robo", + "republicano independiente", + "masticador ruidoso", + "muralista", + "asesino", + "sospechoso de asesinato", + "gorila", + "maton", + "critico musical", + "músico", + "instrumentista", + "músico", + "mutación", + "mujik", + "mitologista", + "mitologo", + "nabab", + "inocente", + "chapuzas", + "figura", + "nombre", + "abuelita", + "nan", + "narcisista", + "soplon", + "cuentacuentos", + "narrador", + "bailarina hindu", + "bayadera", + "comandante naval", + "oficial naval", + "navegante", + "nabab", + "nawab", + "negativista", + "Nazareno", + "nazareno", + "nazi", + "mentecato", + "simplon", + "amante pegajoso", + "comisionado", + "intermediario", + "negociador", + "vecina", + "vecino", + "neoclasicista", + "neocon", + "neoconservador", + "neoliberal", + "bebe recien nacido", + "neonato", + "ninyo recien nacido", + "recien nacido", + "neoplatonismo", + "neoplatonista", + "sobrino", + "nerd", + "nestoriano", + "neurobiologia", + "neurobiologo", + "neutralista", + "newbie", + "recién llegado", + "quiosquero", + "presentador del noticiario", + "presentador del noticiaro", + "columnista", + "newtoniano", + "roedor", + "sobrina", + "sobrino", + "portero de noche", + "sereno", + "vigilante nocturno", + "badulaque", + "bobalicón", + "mentecato", + "ninja", + "nobelista", + "nominador", + "suboficial", + "absentista", + "ausente", + "campanero", + "notario", + "alguien que notifica", + "observador", + "novelista", + "tiro", + "numerologo", + "numen", + "enfermera", + "hermana", + "madre", + "monja", + "religiosa", + "nuncio", + "nuncio apostólico", + "huri", + "ninfa", + "ninfula", + "remero", + "comentarista", + "observador", + "ocultista", + "escritor de odas", + "oferente", + "ofertante", + "titular encargado", + "funcionario", + "oficial", + "funcionario", + "oficiante", + "agente", + "agente federal", + "descendencia", + "vástago", + "viejo", + "abuelo", + "anciano", + "viejo", + "viejo", + "anciano", + "antigualla", + "carcamal", + "matusalén", + "vejestorio", + "veterano", + "viejo", + "oligarca", + "olímpico", + "protector", + "oncólogo", + "contemplador", + "curioso", + "espectador", + "expectador", + "operador", + "operario", + "adicto al opio", + "opiómano", + "contrario", + "óptico", + "instrumentista", + "ordenador", + "ordinario", + "sindicador", + "orfandad", + "ortóptico", + "jardinero", + "campista derecho", + "campista central", + "centrista", + "campista izquierdo", + "escolta", + "amo", + "señor", + "amo", + "dueña", + "dueño", + "propietario", + "amo", + "dueña", + "dueño", + "propietario", + "oyabun", + "pachuco", + "padrone", + "pintor", + "pintor", + "paleógrafo", + "paleontólogo", + "costalero", + "portador del ataúd", + "portador del féretro", + "quiromántico", + "malcriador", + "mimador", + "Panchen Lama", + "panchen lama", + "estafador", + "falsificador", + "niño indio norteamericano", + "paramedico", + "paraca", + "paracaidista", + "paracaidista militar", + "progenitor", + "manicurista", + "manicuro", + "colaborador", + "socio", + "parte", + "líder", + "pasajero", + "trabajador que pega", + "paciente", + "patriarca", + "colaborador", + "patrona", + "patrón", + "madrina", + "patrona", + "patrono", + "patrón", + "campesino", + "bestia", + "bárbaro", + "campesino", + "labrador", + "buhonero", + "caminante", + "peatón", + "viandante", + "par", + "lanzador", + "tirador", + "pensionista", + "pentaatleta", + "perfeccionador", + "intérprete", + "belleza", + "insoportable", + "persona odiada", + "autor", + "instigador", + "perpetrador", + "responsable", + "personalidad", + "personaje", + "persona grata", + "persona non grata", + "encarnación", + "plaga", + "Peter Pan", + "pequeño burgués", + "peticionario", + "postulante", + "suplicante", + "geólogo petrolero", + "el que acaricia", + "filohelenista", + "filoheleno", + "filohelénico", + "filósofo", + "fonetista", + "fonólogo", + "fotógrafo", + "retratista", + "modelo de fotógrafia", + "físico", + "pilar", + "sostén principal", + "pastillero", + "piloto", + "piloto", + "kicker", + "minero de dragado", + "actor", + "colono", + "hacendado", + "yesero", + "asentador de vías", + "trabajador del ferrocarril", + "platonista", + "jugador", + "jugadora", + "aficionado al teatro", + "ídolo", + "plebeyo", + "futuro miembro", + "garante", + "ministro plenipotenciario", + "plenipotenciario", + "lentorro", + "parado", + "simplón", + "torpe", + "labrador", + "forjador de arados", + "fontanero", + "plomero", + "poeta", + "poeta laureado", + "ojeador", + "guardia de tráfico", + "envenenador", + "polemista", + "polémica", + "agente", + "guardia", + "oficial", + "policía", + "agente", + "policía", + "sargento", + "asegurado", + "político", + "político", + "cobarde", + "defector", + "desertor", + "miedoso", + "renegado", + "billarista", + "pobre", + "papa", + "pontífice", + "tocinero", + "mozo", + "mozo de ferrocarril", + "pintor de retratos", + "retratista", + "guardia del muelle", + "chica perfecta", + "postulador", + "dueña", + "protésico", + "empleado de correos", + "empleado postal", + "postimpresionista", + "administrador de correos", + "Director General de Correos", + "postulante", + "arqueólogo aficionado", + "pollero", + "vendedor de pollos", + "alguien que empolva", + "fuerza", + "poder", + "pretor", + "embustero", + "suplicante", + "bebé prematuro", + "niño prematuro", + "prematuro", + "presbítero", + "presbiteriano", + "presentador", + "preservador", + "presidente", + "presidente", + "director", + "presidente", + "presidente", + "presidente", + "fotógrafo de prensa", + "capellán", + "cura", + "sacerdote", + "sacerdote", + "diva", + "prima dona", + "prima donna", + "primus", + "príncipe", + "príncipe azul", + "princesa", + "director", + "investigador principal", + "aprendiz de imprenta", + "preso", + "prisionero", + "prisionero de guerra", + "soldado raso", + "agente", + "detective", + "detective privado", + "corsario", + "aspirante al título", + "boxeador profesional", + "gladiador", + "procónsul", + "procónsul", + "alguien que retrasa", + "moroso", + "perezoso", + "monitor", + "vigilante", + "procurador", + "derrochador", + "despilfarrador", + "dilapidador", + "malgastador", + "maravilla", + "monstruo", + "prodigio", + "profesional", + "profesional", + "profesor", + "obrero", + "trabajador", + "corrector", + "profeta", + "profeta", + "oferente", + "proponente", + "fiscal", + "proteccionista", + "salmista", + "psiquiatra", + "psicólogo", + "psicofísico", + "psicopompo", + "cantinero", + "publicano", + "tabernero", + "abogado de oficio", + "abogado de pobres", + "publicista", + "editor", + "editor", + "atacante", + "equivoquista", + "marionetista", + "titiritero", + "cachorro", + "el que empuja", + "empujador", + "impulsor", + "propulsor", + "bobalicón", + "cadí", + "quadi", + "cuestor", + "buscapleitos", + "peleón", + "quarterback", + "monarca", + "reina", + "soberana reinante", + "reina de Inglaterra", + "reina", + "reina madre", + "quetzalcoatl", + "radical", + "técnico radiológico", + "técnico radiólogo", + "operador de radio", + "radio operador", + "balsero", + "hacedor de lluvia", + "negrero", + "ranchero", + "vaquero", + "rani", + "ponente", + "relator", + "recluta nuevo", + "lector", + "lector", + "contraalmirante", + "razonador", + "concertista", + "recitador", + "reclutador", + "sargento reclutador", + "revisor", + "mozo de estación", + "redimidor", + "rescatador", + "árbitro", + "cruzado", + "reformador", + "reformador social", + "reformista", + "refugiado", + "regencia", + "registrador", + "regular", + "regulador", + "movimiento cenobítico", + "líder religioso", + "empleado de mudanzas", + "periodista", + "presentadora de noticias", + "representante", + "republicano", + "recuperador", + "rescatador", + "salvador", + "director de investigación", + "investigador", + "residente", + "comisionado residente", + "encuestado", + "entrevistado", + "restaurador", + "fiestero", + "parrandero", + "crítico", + "evaluador", + "lector", + "árbitro", + "John Doe", + "richard roe", + "rico", + "ciclista", + "jinete", + "profesor de equitación", + "escopetero", + "fusilero", + "destripador", + "adversario", + "competición", + "competidor", + "contendiente", + "contrincante", + "rival", + "remachador", + "atracador", + "delincuente", + "sospechoso de robo", + "Robin Hood", + "Robinson Crusoe", + "rockero", + "científico espacial", + "ingeniero espacial", + "estrella de rock", + "bregante", + "bribón", + "canalla", + "golfante", + "granuja", + "malandrín", + "sinverguenza", + "jaranero", + "juerguista", + "emperador de roma", + "emperador romano", + "romántico", + "constructor de tejados", + "techador", + "cordelero", + "doncella", + "pimpollo", + "perro", + "cabezas redondas", + "gobernador", + "dinasta", + "corredor", + "ladrón de ganado", + "observador del Sabbath", + "sachem", + "sacrificador", + "sacrificante", + "sadhu", + "sadu", + "navegante", + "fabricante de velas", + "santo", + "ángel", + "santo", + "comerciante", + "dependiente", + "empleado", + "tendero", + "vendedor", + "comerciante", + "vendedor", + "dueño del saloon", + "recuperador", + "salvador", + "indio americano casado", + "sannup", + "Santa Claus", + "zapador", + "sarraceno", + "satanista", + "satélite", + "sátrapa", + "caminante", + "paseante", + "peatón", + "salvador", + "esquirol", + "rompe-huelga", + "rompe-huelgas", + "scalawag", + "cabeza de turco", + "chivo expiatorio", + "víctima propiciatoria", + "canalla", + "granuja", + "oveja negra", + "escenarista", + "guionista", + "pintor de escena", + "badulaque", + "bobalicón", + "idiota", + "tonto", + "aprovechado", + "gorrón", + "sacadineros", + "erudito", + "estudioso", + "escolástico", + "colegial", + "escolar", + "alumno", + "discípulo", + "colegiala", + "escolar", + "escolástico", + "escolástico medieval", + "maestra", + "compañera", + "compañero", + "compañero de clase", + "compañero de colegio", + "maestra", + "maestro", + "profesor", + "científico", + "retoño", + "vástago", + "fregona", + "fregón", + "guía", + "scout", + "jefe de exploradores", + "corredor", + "guardia aeroportuario", + "escritor de cine", + "guionista", + "evasor", + "escrutador", + "escudriñador", + "entallador", + "escultor", + "tallador", + "tallista", + "marinero polémico", + "secesionismo", + "secretario", + "secretario", + "secretario de estado", + "secretario general", + "seductor", + "investigador", + "espectador", + "vidente", + "vendedor", + "remitente", + "transmisor", + "romántico", + "sentimental", + "separatista", + "sargento", + "sargento mayor", + "sericultor", + "saque", + "militar", + "servidor", + "empleado de apuestas", + "cosedor", + "costurero", + "sombra", + "sha", + "sha de Irán", + "académico shakesperiano", + "especialista en shakespeare", + "aparcero", + "admirador de Shaw", + "derramador de sangre", + "pastor", + "esposa del jeque", + "mujer del jeque", + "pastor", + "sherif", + "socio del apostador", + "socio del estafador", + "agente marítimo", + "camisero", + "fabricante de camisas", + "sinvergüenza", + "shogun", + "comprador compulsivo", + "tirador", + "excavador", + "paleador", + "bruja", + "persona que baraja", + "fotógrafo entusiasta", + "tímido", + "hermano", + "enfermo", + "juez de línea", + "sij", + "platero", + "cantante", + "sorbedor", + "sirdar", + "sirena", + "hermana", + "hermana", + "hermana", + "indeciso", + "irresoluto", + "vacilante", + "cuñada", + "blanco", + "presa fácil", + "patinador", + "dibujante", + "esquiador", + "nadador desnudo", + "hostigador", + "especialista", + "mozo de aeropuerto", + "esclavo", + "esclavo", + "negrero", + "traficante de esclavos", + "negrero", + "conductor de trineos", + "agente encubierto", + "noctámbulo", + "sonámbulo", + "criatura", + "cerdo", + "gandul", + "holgazán", + "vago", + "belleza", + "fumador", + "pelota", + "smoothie", + "persona muy reservada", + "socialista", + "colectivista", + "izquierdista", + "socialité", + "trabajador social", + "sociólogo", + "dependiente de cafetería", + "residente temporal", + "soldador", + "soldado", + "notario", + "fiscal general", + "camarero de vinos", + "maitre de vinos", + "somelier", + "sumiller", + "hijo", + "yerno", + "sonetista", + "estudiante de segundo", + "soprano", + "mago", + "brujo", + "bruja", + "tipo", + "papel de confidente", + "alma", + "alma gemela", + "colono", + "habitante del sur", + "sureño", + "monarca", + "sembrador", + "orador", + "Presidente de la cámara", + "especialista", + "especialista", + "espectador", + "testigo", + "derrochador", + "manirroto", + "solterona", + "sotlerona", + "espíritu", + "aguafiestas", + "cenizo", + "gafe", + "portavoz", + "portavoz", + "representante", + "la portavoz", + "portavoz", + "deportista", + "veraneante de Maine", + "veraneante en Maine", + "aficionado", + "aficionado al deporte", + "fan", + "seguidor", + "cronista deportivo", + "escritor deportivo", + "jefe de espias", + "india norteamericana", + "escudero", + "director", + "estalinismo", + "estalinista", + "ardid", + "treta", + "abanderado", + "cabecilla", + "estrella", + "protagonista", + "starets", + "primer lanzador", + "estadista", + "tesorero del estado", + "copista", + "hermanastro", + "hijastra", + "padrastro", + "madrastra", + "hijastro", + "estiba", + "auxiliar de vuelo", + "sobrecargo", + "detallista", + "rigorista", + "uno que limita", + "picapedrero", + "cantero", + "picapedrero", + "lapidador", + "guardia de seguridad", + "cuentista", + "embustero", + "enredador", + "fabulista", + "liante", + "trolero", + "piloto de combate", + "payaso serio", + "intruso", + "estratega", + "encargado", + "encordador", + "engarzador", + "buscona", + "coima", + "fulana", + "furcia", + "hetaira", + "meretriz", + "mesalina", + "mujer publica", + "pelandusca", + "puta", + "ramera", + "camillero", + "huelguista", + "atacante", + "stripper", + "macho", + "alumna", + "alumno", + "estudiante", + "estirado", + "boxeador de segunda", + "doble", + "tropezador", + "mastuerzo", + "tonto", + "subdiácono", + "sojuzgador", + "subyugador", + "presentador", + "subnormal", + "contribuyente", + "suscriptor", + "lector", + "reserva", + "suburbano", + "sucesor", + "sucesor", + "obispo sufragáneo", + "viejo verde", + "suicida", + "veraneantes de Maine", + "sol", + "adoradores del sol", + "sobrecargo", + "super peso pesado", + "administrador", + "portero", + "vigilante", + "extra", + "figurante", + "supernumerario", + "supervisor", + "aficionado", + "amiga", + "amigo", + "seguidor", + "suprematista", + "cirujano jefe", + "superviviente", + "barrendero", + "nadador", + "porquero", + "bisexual", + "pelota", + "silogista", + "simbolista", + "compositor de sinfonías", + "simposio", + "síndico", + "administrador de sistemas", + "compañero de mesa", + "placador", + "sastre", + "tomador", + "talento", + "agente artístico", + "mortificador", + "provocador", + "bodeguero", + "bocazas", + "chismoso", + "chivato", + "correveidile", + "cotilla", + "fisgón", + "murmurador", + "tasador", + "recaudador de impuestos", + "autoridad impositiva", + "tributante", + "maestro", + "profesor", + "profesor asistente", + "camionero", + "bromista", + "burlón", + "chunguero", + "ganso", + "cardador", + "techie", + "técnico", + "técnico", + "tecnócrata", + "abstemio", + "antialcohólico", + "presentador de televisión", + "operador de telegrafía", + "telegrafista", + "telégrafista", + "teleología", + "teleólogo", + "periodista de televisión", + "reportero de televisión", + "estrella de televisión", + "escrutador", + "secretario", + "trabajador", + "entrenador de tenis", + "diablo", + "amenaza", + "terror", + "testadora", + "piloto de pruebas", + "señor feudal", + "thatcherismo", + "thatcherista", + "teólogo", + "teórico", + "teosofía", + "ladrón", + "pensador", + "tercera persona", + "esclavo", + "tirador", + "turiferario", + "hilera", + "baldosador", + "embaldosador", + "enbaldosador", + "calderero", + "estañero", + "hojalatero", + "lampista", + "Sweeney Todd", + "marimacho", + "fabricante de herramientas", + "atormentador", + "atosigador", + "torturador", + "turista", + "cazaclientes", + "espabilado", + "tovarich", + "secretario del ayuntamiento", + "secretario municipal", + "ciudadano", + "comerciante", + "miembro del sindicato", + "sindicalista", + "escritor de tragedias", + "trágico", + "empleado del ferrocarril", + "ferroviario", + "colaboracionista", + "traidora", + "indigente", + "mendigo", + "vagabundo", + "pisoteador", + "transcendentalista", + "cedente", + "transferente", + "transeúnte", + "corredor", + "representante comercial", + "representante de ventas", + "viajante", + "caminante", + "viajero", + "procurador", + "juez procesal", + "tribólogo", + "policía montado", + "pregonero", + "voceador", + "alforzador", + "afinador", + "afinador de pianos", + "tornero", + "locutor de tv", + "gemelo", + "autócrata", + "déspota", + "tirano", + "árbitro", + "tío", + "subsecretaría", + "unicornio", + "unilateralista", + "representante sindical", + "unitario", + "trinitario", + "arminiano", + "guru de UNIX", + "gurú de UNIX", + "admonitor", + "reprensor", + "reprimendador", + "reprochador", + "tapicero", + "ganador inesperado", + "urólogo", + "usuario", + "guía", + "acomodadora", + "portero", + "ujier", + "prestamista", + "usurero", + "utilitarista", + "utópico", + "falsificador", + "uxoricida", + "ayuda de cámara", + "pija californiana", + "estimador", + "tasador", + "barnizador", + "vasallo", + "artista de vodevil", + "vodevilista", + "dignidad", + "personalidad", + "veterinario", + "vicario", + "vicario", + "vicario general", + "vicepresidente", + "vice gerente", + "vicepresidente", + "virrey", + "virreina", + "víctima", + "prima", + "primo", + "víctima", + "vinatero", + "corruptor", + "violador", + "violín", + "luthier", + "virgen", + "virólogo", + "virtuoso", + "vizcondesa", + "vizcondesa", + "lector", + "visitante", + "vitalista", + "viticultor", + "visir", + "voz", + "afinador de órganos", + "adorador", + "elector", + "avalador", + "garante", + "viajero", + "voyeur", + "vulcanizador", + "vulgarizador", + "carretero", + "fabricante de carros", + "camarero", + "sereno", + "vigilante", + "ganador destacado", + "valsador", + "cantor", + "novia de guerra", + "almacenador", + "almacenero", + "caudillo", + "amonestador", + "avisador", + "oficial de autorización", + "guerrero", + "derrochador", + "despilfarrador", + "relojero", + "guarda", + "guarda de seguridad", + "guardia", + "guardián", + "sereno", + "vigilante", + "regante", + "caminante", + "peregrino", + "viajero", + "débil", + "hombre del tiempo", + "meteorólogo", + "tejedor", + "webmaster", + "dominguero", + "doliente", + "plañidero", + "estafador", + "mangante", + "pícaro", + "peso wélter", + "peso welter", + "adúltero", + "fornicador", + "aya", + "carretero", + "ruedero", + "liberal", + "whig", + "azotador", + "ojeador", + "whistleblower", + "Agustino", + "agustino", + "fraile agustino", + "tallador", + "alcahuete", + "chulo", + "proxeneta", + "putañero", + "putero", + "brujo", + "wicano", + "viuda", + "esposa", + "ala", + "extremo", + "escaparatista", + "limpiaventanas", + "secaplatos", + "guardalíneas", + "pedante", + "repipi", + "sabelotodo", + "sabidillo", + "sabihondo", + "retaco", + "testigo", + "testimonio", + "testigo", + "wog", + "hembra adulta", + "mujer", + "tallista", + "tallista en madera", + "comerciante de lanas", + "literato", + "workahólico", + "obrero", + "asociado", + "colega", + "perdonavidas", + "pleitista", + "artesano", + "autor", + "escritor", + "escritor", + "yakuza", + "soldado del norte", + "yanqui", + "trabajador del ferrocarril", + "chismosa", + "entrometida", + "yeoman", + "paleto", + "adolescente", + "chavea", + "imberbe", + "joven", + "mozo", + "muchacho", + "pollo", + "zagal", + "sionista", + "dios serpiente", + "zombi", + "Aalto", + "Alvar Aalto", + "Hugo Alvar Henrik Aalto", + "Hank Aaron", + "Abel", + "Niels Abel", + "Niels Henrik Abel", + "Dean Acheson", + "Dean Gooderham Acheson", + "Robert Adam", + "Adams", + "John Adams", + "Presidente Adams", + "Presidente John Adams", + "Adams", + "John Quincy Adams", + "Presidente Adams", + "Presidente John Quincy Adams", + "Adams", + "Sam Adams", + "Samuel Adams", + "Konrad Adenauer", + "Edgar Douglas Adrian", + "Louis Agassiz", + "Agee", + "James Agee", + "Cneo Julio Agrícola", + "Marco Vipsanio Agripa", + "Aiken", + "Conrad Aiken", + "Conrad Potter Aiken", + "Alvin Ailey", + "Albee", + "Edward Albee", + "Edward Franklin Albeen", + "albee", + "Josef Albers", + "Albert", + "Albert Francisco Carlos Augusto Emmanuel", + "Alberto", + "Príncipe Alberto de Sajonia-Coburgo-Gotha", + "principe Albert", + "Leon Battista Alberti", + "Louisa May Alcott", + "Alejandro I", + "Alejandro VI", + "Borgia", + "Papa Alejandro VI", + "Rodrigo Borgia", + "Horatio Alger", + "Algren", + "Nelson Algren", + "Al-hakim", + "al-hakim", + "Muhammad Ali", + "Ethan Allen", + "Allen", + "Allen Stewart Konigsberg", + "Woody Allen", + "allen", + "Gracie Allen", + "Alicia Alonso", + "Nicola Amati", + "Amos", + "amos", + "Roald Amundsen", + "Hans Christian Andersen", + "Carl Anderson", + "Carl David Anderson", + "Marian Anderson", + "Anderson", + "Maxwell Anderson", + "Phil Anderson", + "Philip Warren Anderson", + "Sherwood Anderson", + "Andrés", + "San Andrés", + "San Andrés apóstol", + "Andrews", + "Roy Chapman Andrews", + "Jean Anouilh", + "Anthony", + "Susan Anthony", + "Susan B. Anthony", + "Susan Brownell Anthony", + "Marco Aurelio", + "Antonino Pío", + "Marco Antonio", + "Mark Anthony", + "Guillaume Apollinaire", + "Edward Appleton", + "Santo Tomás", + "Tomás de Aquino", + "Yasser Arafat", + "Louis Aragon", + "Hannah Arendt", + "Jacobus Arminius", + "Armstrong", + "Louis Armstrong", + "Satchmo", + "Neil Armstrong", + "Benedict Arnold", + "Matthew Arnold", + "Hans Arp", + "Jean Arp", + "Svante August Arrhenius", + "Rey Arturo", + "Chester A. Arthur", + "Chester Alan Arthur", + "Sholem Asch", + "Arthur Ashe", + "Isaac Asimov", + "Fred Astaire", + "John Jacob Astor", + "Clement Attlee", + "Louis Auchincloss", + "W. H. Auden", + "Wystan Hugh Auden", + "John James Audubon", + "San Agustín", + "Jane Austen", + "Amedeo Avogadro", + "Johann Sebastian Bach", + "Francis Bacon", + "Roger Bacon", + "Karl Baedeker", + "Bailey", + "Pearl Bailey", + "Pearl Mae Bailey", + "Mikhail Bakunin", + "George Balanchine", + "Stanley Baldwin", + "James Baldwin", + "Arthur James Balfour", + "Lucille Ball", + "Balzac", + "H.Balzac", + "Honoré Balzac", + "Bankhead", + "Tallulah Bankhead", + "Roger Bannister", + "Barber", + "Samuel Barber", + "John Bardeen", + "Alben Barkley", + "Alben William Barkley", + "Barkley", + "Barnum", + "P.T. Barnum", + "P. T. Barnum", + "Phineas Taylor Barnum", + "J. M. Barrie", + "James Matthew Barrie", + "Barrymore", + "Maurice Barrymore", + "herbert blythe", + "Barrymore", + "Georgiana Barrymore", + "Georgiana Emma Barrymore", + "Barrymore", + "Lionel Barrymore", + "Barrymore", + "Ethel Barrymore", + "Barrymore", + "John Barrymore", + "John Barth", + "Barth", + "Karl Barth", + "Barthelme", + "Donald Barthelme", + "Caspar Bartholin", + "Robert Bartlett", + "Baruch", + "Bernard Baruch", + "Mikhail Baryshnikov", + "Charles Baudelaire", + "Thomas Bayes", + "George Wells Beadle", + "Francis Beaumont", + "William Beaumont", + "William Maxwell Aitken", + "Samuel Beckett", + "Antoine Henri Becquerel", + "Henri Becquerel", + "Henry Ward Beecher", + "Max Beerbohm", + "Menachem Begin", + "Peter Behrens", + "Alexander Graham Bell", + "Vanessa Bell", + "Alexander Melville Bell", + "Bell", + "Melville Bell", + "Vincenzo Bellini", + "Hilaire Belloc", + "Saul Bellow", + "Benchley", + "Robert Benchley", + "Robert Charles Benchley", + "Benedicto XV", + "Giacomo della Chiesa", + "Benedict", + "Ruth Benedict", + "Ruth Fulton", + "Benet", + "William Rose Benet", + "Benet", + "Stephen Vincent Benet", + "Jack Benny", + "Jeremy Bentham", + "Thomas Hart Benton", + "Benton", + "Thomas Hart Benton", + "Alban Berg", + "Ingmar Bergman", + "Ingrid Bergman", + "Henri Bergson", + "Vitus Bering", + "George Berkeley", + "Hendrik Petrus Berlage", + "Irving Berlin", + "Hector Berlioz", + "Claude Bernard", + "Sarah Bernhardt", + "Giovanni Lorenzo Bernini", + "Bernoulli", + "Jacques Bernoulli", + "Jakob Bernoulli", + "James Bernoulli", + "Bernoulli", + "Jean Bernoulli", + "Johann Bernoulli", + "John Bernoulli", + "Bernoulli", + "Daniel Bernoulli", + "Bernstein", + "Leonard Bernstein", + "Yogi Berra", + "Chuck Berry", + "Alphonse Bertillon", + "Bernardo Bertolucci", + "Friedrich Wilhelm Bessel", + "Hans Albrecht Bethe", + "Hans Bethe", + "Bethune", + "Mary McLeod Bethune", + "William Henry Beveridge", + "Ernest Bevin", + "Ambrose Bierce", + "Ambrose Gwinett Bierce", + "Bierce", + "Alfred Binet", + "Georges Bizet", + "Shirley Temple", + "Joseph Black", + "Black Hawk", + "Tony Blair", + "William Blake", + "William Bligh", + "Marc Blitzstein", + "Ernest Bloch", + "Blok", + "aleksandr aleksandrovich blok", + "blok", + "Leonard Bloomfield", + "Giovanni Boccaccio", + "Humphrey Bogart", + "Niels Bohr", + "Anne Boleyn", + "El Libertador", + "Boltzman", + "Ludwig Boltzmann", + "boltzmann", + "ludwig boltzmann", + "Dietrich Bonhoeffer", + "Arna Wendell Bontemps", + "Bontemps", + "George Boole", + "Daniel Boone", + "Booth", + "John Wilkes Booth", + "Jorge Luis Borges", + "Cesare Borgia", + "Lucrezia Borgia", + "Max Born", + "Aleksandr Borodin", + "Aleksandr Porfirevich Borodin", + "Borodin", + "El Bosco", + "Hieronymus Bosch", + "Jerom Bos", + "Satyendra Nath Bose", + "James Boswell", + "Sandro Botticelli", + "Pierre Boulez", + "Thomas Bowdler", + "James Bowie", + "Jim Bowie", + "Robert Boyle", + "Boyle", + "Kay Boyle", + "Ray Bradbury", + "William Bradford", + "Omar Bradley", + "Omar Nelson Bradley", + "Anne Bradstreet", + "Mathew B. Brady", + "Braxton Bragg", + "Brahe", + "Tycho Brahe", + "Johannes Brahms", + "Louis Braille", + "Donato Bramante", + "Willy Brandt", + "Georges Braque", + "Eva Braun", + "Bertolt Brecht", + "Marcel Lajos Breuer", + "Leonid Brezhnev", + "Bridges", + "Harry Bridges", + "Brida", + "Bridget", + "Brigid", + "Brígida", + "Santa Brida", + "Santa Brigid", + "Santa Brígida", + "Sta. Bridget", + "Sta. Briga", + "Sta. Brígida", + "Benjamin Britten", + "Bertram Brockhouse", + "Rupert Brooke", + "Brooks", + "brooks", + "van wyck brooks", + "John Brown", + "Robert Brown", + "Elizabeth Barrett Browning", + "Robert Browning", + "John Moses Browning", + "David Bruce", + "Max Bruch", + "Anton Bruckner", + "Breughel", + "Breughel el Viejo", + "Bruegel", + "Brueghel", + "Pieter Breughel", + "Pieter Bruegel", + "Pieter Brueghel", + "Pieter Brueghel el Viejo", + "Beau Brummell", + "Filippo Brunelleschi", + "Giordano Bruno", + "Marco Junio Bruto", + "William Jennings Bryan", + "Martin Buber", + "Buchanan", + "James Buchanan", + "Presidente Buchanan", + "Eduard Buchner", + "Pearl Buck", + "Don Budge", + "Bultmann", + "Rudolf Bultmann", + "Rudolf Karl Bultmann", + "Ralph Bunche", + "Robert Bunsen", + "Robert Wilhelm Bunsen", + "John Bunyan", + "Richard Burbage", + "Luther Burbank", + "Burger", + "Warren Burger", + "Warren E. Burger", + "Warren Earl Burger", + "Anthony Burgess", + "John Burgoyne", + "Calamity Jane", + "Edmund Burke", + "Frances Hodgson Burnett", + "Burns", + "Robert Burns", + "George Burns", + "Nathan Birnbaum", + "Aaron Burr", + "Burroughs", + "Edgar Rice Burroughs", + "William Seward Burroughs", + "William S. Burroughs", + "William Seward Burroughs", + "Cyril Burt", + "Richard Burton", + "Richard Burton", + "George Bush", + "George H.W. Bush", + "Vannevar Bush", + "George Bush", + "George W. Bush", + "George Walker Bush", + "David Bushnell", + "Samuel Butler", + "Samuel Butler", + "Richard Evelyn Byrd", + "William Byrd", + "Cabell", + "James Branch Cabell", + "John Cabot", + "Sebastian Cabot", + "Julio César", + "Sid Caesar", + "John Cage", + "James Cagney", + "Alexander Calder", + "Erskine Caldwell", + "Cayo César", + "Maria Callas", + "John Calvin", + "Melvin Calvin", + "Italo Calvino", + "Campbell", + "Joseph Campbell", + "Albert Camus", + "Elias Canetti", + "Al Capone", + "Alphonse Capone", + "Capone", + "Scarface", + "Capra", + "Frank Capra", + "Carlos XVI Gustavo", + "Carlyle", + "Thomas Carlyle", + "Carmichael", + "Hoagy Carmichael", + "Hohagland Howard Carmichael", + "Andrew Carnegie", + "Carnegie", + "Dale Carnegie", + "Sadi Carnot", + "Wallace Carothers", + "Wallace Hume Carothers", + "Alexis Carrel", + "Lewis Carroll", + "Kit Carson", + "Rachel Carson", + "Carter", + "James Earl Carter", + "Jimmy Carter", + "Presidente Carter", + "Howard Carter", + "Jacques Cartier", + "Edmund Cartwright", + "Enrico Caruso", + "George Washington Carver", + "Pablo Casals", + "Cash", + "John Cash", + "Johnny Cash", + "Ernst Cassirer", + "Cayo Casio Longino", + "Fidel Castro", + "Willa Cather", + "Catalina de Médicis", + "Gayo Valerio Catulo", + "Edith Cavell", + "Henry Cavendish", + "William Caxton", + "Benvenuto Cellini", + "Anders Celsius", + "Celsius", + "Marc Chagall", + "Neville Chamberlain", + "William Chambers", + "Raymond Chandler", + "Charlie Chaplin", + "John Chapman", + "Johnny Appleseed", + "Ernst Boris Chain", + "Capeto", + "Hugo Capeto", + "James McKeen Cattell", + "Jacques Charles", + "Charles Stuart", + "Carlos", + "Carlos II", + "Salmon P. Chase", + "Geoffrey Chaucer", + "Carlos Chavez", + "Chavez", + "Chávez", + "Cheever", + "John Cheever", + "Anton Chekhov", + "Luigi Cherubini", + "Chesterton", + "G. K. Chesterton", + "Gilbert Keith Chesterton", + "Maurice Chevalier", + "Chiang Kai-shek", + "Thomas Chippendale", + "Noam Chomsky", + "Kate Chopin", + "Agatha Christie", + "Winston Churchill", + "John Churchill", + "Ciardi", + "John Anthony Ciardi", + "John Ciardi", + "Marco Tulio Cicerón", + "Lucio Quincio Cincinato", + "Joe Clark", + "Kenneth Clark", + "Mark Wayne Clark", + "William Clark", + "Henry Clay", + "Georges Clemenceau", + "Mark Twain", + "Clemente VII", + "Cleveland", + "Grover Cleveland", + "Presidente Cleveland", + "Stephen Grover Cleveland", + "DeWitt Clinton", + "Bill Clinton", + "Clinton", + "Presidente Clinton", + "William Jefferson Clinton", + "Robert Clive", + "Clodoveo I", + "Imogene Coca", + "Cochise", + "Jacqueline Cochran", + "Jean Cocteau", + "Bufalo Bill", + "Bufalo Bill Cody", + "Buffalo Bill", + "Cody", + "William F. Cody", + "William Frederick Cody", + "Cohan", + "George M. Cohan", + "George Michael Cohan", + "Ferdinand Julius Cohn", + "Samuel Taylor Coleridge", + "Wilkie Collins", + "William Wilkie Collins", + "Cristóbal Colón", + "Comenius", + "Jan Amos Komensky", + "John Amos Comenius", + "Arthur Compton", + "Arthur Holly Compton", + "Auguste Comte", + "Arthur Conan Doyle", + "William Congreve", + "Joseph Conrad", + "John Constable", + "James Cook", + "Alfred Alistair Cooke", + "Alistair Cooke", + "Calvin Coolidge", + "Coolidge", + "Presidente Coolidge", + "Cooper", + "James Fenimore Cooper", + "Gary Cooper", + "Peter Cooper", + "Nicolaus Copernicus", + "Aaron Copland", + "John Singleton Copley", + "Francis Ford Coppola", + "Corbett", + "Gentleman Jim", + "James John corbett", + "Jim Corbett", + "Charlotte Corday", + "Arcangelo Corelli", + "Pierre Corneille", + "Charles Cornwallis", + "Gustave Courbet", + "Margaret Court", + "William Cowper", + "William Cowper", + "Crane", + "Harold Hart Crane", + "Hart Crane", + "Crane", + "Stephen Crane", + "Joan Crawford", + "Crawford", + "Caballo Loco", + "Crichton", + "Crichton el admirable", + "James Crichton", + "Francis Crick", + "Crockett", + "David Crockett", + "Davy Crockett", + "Burrill Bernard Crohn", + "Oliver Cromwell", + "Hume Cronyn", + "William Crookes", + "Bing Crosby", + "Crouse", + "Russel Crouse", + "Merce Cunningham", + "Marie Curie", + "Pierre Curie", + "Robert Curl", + "Robert F. Curl", + "William Curtis", + "Curtiss", + "Glenn Curtiss", + "Glenn Hammond Curtiss", + "Harvey Cushing", + "George Armstrong Custer", + "Georges Cuvier", + "Gottlieb Daimler", + "Salvador Dalí", + "John Dalton", + "Dante Alighieri", + "Georges Jacques Danton", + "Clarence Darrow", + "Clarence Seward Darrow", + "Darrow", + "Charles Darwin", + "David", + "San David", + "Bette Davis", + "Davis", + "Dwight Davis", + "Dwight Filley Davis", + "Jefferson Davis", + "Miles Davis", + "Stuart Davis", + "John Davis", + "Clarence Day", + "Clarence Shepart Day jr", + "Day", + "Moshe Dayan", + "Dean", + "James Byron Dean", + "James Dean", + "Eugene V. Debs", + "Stephen Decatur", + "John Deere", + "Daniel Defoe", + "Lee De Forest", + "Edgar Degas", + "Thomas Dekker", + "Frederick Delius", + "Philibert Delorme", + "Cecil B. DeMille", + "Jack Dempsey", + "Deng Xiaoping", + "Teng Hsiaoping", + "Robert De Niro", + "Jacques Derrida", + "De Saussure", + "Ferdinand de Saussure", + "Saussure", + "Rene Descartes", + "Vittorio De Sica", + "Dewey", + "John Dewey", + "George Dewey", + "Dewey", + "Melvil Dewey", + "Melville Louis Kossuth Dewey", + "Charles Dickens", + "Emily Dickinson", + "Denis Diderot", + "Joan Didion", + "Rudolf Diesel", + "Marlene Dietrich", + "Joe DiMaggio", + "Karen Blixen", + "Christian Dior", + "Walt Disney", + "Benjamin Disraeli", + "Disraeli", + "Primer conde de Beaconsfield", + "E. L. Doctorow", + "Plácido Domingo", + "Fats Domino", + "Tito Flavio Domiciano", + "Donatello", + "Elio Donato", + "Gaetano Donizetti", + "Don Juan", + "Bryan Donkin", + "John Donne", + "Jimmy Doolittle", + "Christian Johann Doppler", + "Doppler", + "John Dos Passos", + "Fyodor Dostoevsky", + "Stephen A. Douglas", + "Frederick Douglass", + "Hugh Dowding", + "John Dowland", + "Francis Drake", + "Dreiser", + "Theodore Dreiser", + "Theodore Herman Albert Dreiser", + "John Drew", + "Alfred Dreyfus", + "Dryden", + "John Dryden", + "Du Bois", + "W.E.B. Du Bois", + "W. E. B. Du Bois", + "William Edward Burghardt Du Bois", + "Marcel Duchamp", + "Raoul Dufy", + "Paul Dukas", + "John Foster Dulles", + "Alexandre Dumas", + "Duncan", + "Isadora Duncan", + "John Duns Scotus", + "Durant", + "Will Durant", + "William James Durant", + "Jimmy Durante", + "Lawrence Durrell", + "Eleonora Duse", + "Duvalier", + "Francois Duvalier", + "Papa Doc", + "Jean-Claude Duvalier", + "Bob Dylan", + "Charles Eames", + "Amelia Earhart", + "George Eastman", + "John Eccles", + "Meister Eckhart", + "Eddy", + "Mary Baker Eddy", + "Mary Morse Baker Eddy", + "Gertrude Ederle", + "Thomas Alva Edison", + "Thomas Edison", + "Edmund Ironside", + "Eduardo de Woodstock", + "Eduardo", + "Eduardo I", + "Eduardo", + "Eduardo VI", + "Edward", + "Jonathan Edwards", + "Ehrenberg", + "Ilya Ehrenberg", + "Ilya Grigorievich Ehrenberg", + "Paul Ehrlich", + "Adolf Eichmann", + "Alexandre Gustave Eiffel", + "Manfred Eigen", + "Christiaan Eijkman", + "Albert Einstein", + "Willem Einthoven", + "Dwight D. Eisenhower", + "Dwight David Eisenhower", + "Dwight Eisenhower", + "Alfred Eisenstaedt", + "Sergei Eisenstein", + "Ekman", + "Vagn Walfrid Ekman", + "El Greco", + "George Eliot", + "T. S. Eliot", + "Thomas Stearns Eliot", + "Isabel I", + "Isabel II", + "Duke Ellington", + "Edward Kennedy Ellington", + "Ellington", + "Ralph Ellison", + "Oliver Ellsworth", + "Ralph Waldo Emerson", + "Enesco", + "George Enescu", + "Georges Enesco", + "Engels", + "Friedrich Engels", + "Jacob Epstein", + "Erasmo de Rotterdam", + "Max Ernst", + "Julius Erving", + "Leo Esaki", + "Euler", + "Leonhard Euler", + "Arthur Evans", + "Medgar Evers", + "Chris Evert", + "Hans Eysenck", + "Douglas Fairbanks", + "Douglas Fairbanks Jr.", + "Etienne-Louis Arthur Fallot", + "Michael Faraday", + "Fannie Merritt Farmer", + "Eileen Farrell", + "William Faulkner", + "Guy Fawkes", + "Gustav Theodor Fechner", + "Federico Fellini", + "Edna Ferber", + "Fernando I", + "Fernando I", + "Fernando II", + "Fernando III", + "Enrico Fermi", + "Richard Feynman", + "Arthur Fiedler", + "Henry Fielding", + "W. C. Fields", + "Millard Fillmore", + "John Rupert Firth", + "Bobby Fischer", + "Hans Fischer", + "Ella Fitzgerald", + "F. Scott Fitzgerald", + "Fitzgerald", + "Francis Scott Key Fitzgerald", + "Edward Fitzgerald", + "Gustave Flaubert", + "Alexander Fleming", + "Ian Fleming", + "John Fletcher", + "Matthew Flinders", + "Henry Fonda", + "Jane Fonda", + "Lynn Fontanne", + "Henry Ford", + "Ford", + "Gerald Ford", + "Gerald R. Ford", + "Gerald Rudolph Ford", + "President Ford", + "Ford Madox Ford", + "Edsel Bryant Ford", + "Ford", + "Ford", + "Henry Ford II", + "Ford", + "John Ford", + "Cecil Scott Forester", + "Dick Fosbury", + "Stephen Foster", + "Charles Fourier", + "Jean Baptiste Joseph Fourier", + "George Fox", + "Charles James Fox", + "Anatole France", + "Emperador Francisco II", + "Francisco II", + "Francisco Fernando", + "Franz Ferdinand", + "San Francisco de Assís", + "James Franck", + "Francisco Franco", + "Benjamin Franklin", + "James George Frazer", + "Daniel Chester French", + "Augustin Jean Fresnel", + "Freud", + "Sigmund Freud", + "Frick", + "Henry Clay Frick", + "Betty Friedan", + "Milton Friedman", + "Ragnar Anton Kittil Frisch", + "Ragnar Frisch", + "Otto Robert Frisch", + "Robert Frost", + "Christopher Fry", + "Roger Fry", + "Frye", + "Herman Northrop Frye", + "Northrop Frye", + "Klaus Fuchs", + "Carlos Fuentes", + "Athol Fugard", + "Buckminster Fuller", + "Fuller", + "R. Buckminster Fuller", + "Richard Buckminster Fuller", + "Fuller", + "Melville W. Fuller", + "Melville Weston Fuller", + "Robert Fulton", + "Casimir Funk", + "Clark Gable", + "Dennis Gabor", + "Yuri Gagarin", + "Thomas Gainsborough", + "John Kenneth Galbraith", + "Galileo Galilei", + "Thomas Hopkins Gallaudet", + "John Galsworthy", + "Francis Galton", + "Luigi Galvani", + "George Gamow", + "Gandhi", + "Mahatma Gandhi", + "Mohandas Karamchand Gandhi", + "Indira Gandhi", + "Greta Garbo", + "Samuel Rawson Gardiner", + "Erle Stanley Gardner", + "Gardner", + "James A. Garfield", + "James Garfield", + "Giuseppe Garibaldi", + "Judy Garland", + "David Garrick", + "William Lloyd Garrison", + "Elizabeth Gaskell", + "Bill Gates", + "Richard Jordan Gatling", + "Gauguin", + "Paul Gauguin", + "Karl Friedrich Gauss", + "Gawain", + "Sir Gawain", + "Joseph Louis Gay-Lussac", + "Gehrig", + "Henry Louis Gehrig", + "Lou Gehrig", + "Hans Geiger", + "Dr. Seuss", + "Theodor Seuss Geisel", + "Murray Gell-Mann", + "Jean Genet", + "Edmund Charles Edouard Genet", + "Genet", + "Chinguis Jan", + "Cingiz Jan", + "Genghis Khan", + "Gengis Khan", + "Jenghiz Khan", + "Jingis Khan", + "Temujin", + "Jorge", + "Jorge II", + "Jorge", + "Jorge IV", + "Jorge", + "Jorge VI", + "San Jorge", + "Geraint", + "Sir Geraint", + "George Gershwin", + "Gershwin", + "Ira Gershwin", + "Arnold Gesell", + "Alberto Giacometti", + "Giacometti", + "Edward Gibbon", + "Gibbs", + "Josiah Willard Gibbs", + "Althea Gibson", + "Mel Gibson", + "Cass Gilbert", + "Humphrey Gilbert", + "William Gilbert", + "William Gilbert", + "Dizzie Gillespie", + "Dizzy Gillespie", + "Gillespie", + "John Birks Gillespie", + "Charlotte Anna Perkins Gilman", + "Gilman", + "Dorothy Dix", + "Elizabeth Merriwether Gilmer", + "Gilmer", + "Allen Ginsberg", + "Ginsberg", + "Jean Giraudoux", + "Lillian Gish", + "Gjellerup", + "Karl Gjellerup", + "William Ewart Gladstone", + "William Gladstone", + "Donald Arthur Glaser", + "John Glenn", + "Glinka", + "Mikhail Glinka", + "Mikhail Ivanovich Glinka", + "Lady Godiva", + "Boris Fyodorovich Godunov", + "Boris Godunov", + "Godunov", + "Joseph Goebbels", + "George Washington Goethals", + "Goethals", + "Gogol", + "Nikolai Vasilievich Gogol", + "Rube Goldberg", + "William Golding", + "Emma Goldman", + "Peter Goldmark", + "Carlo Goldoni", + "Oliver Goldsmith", + "Samuel Goldwyn", + "Camillo Golgi", + "Gombrowicz", + "Witold Gombrowicz", + "Samuel Gompers", + "Gonne", + "Maud Gonne", + "Jane Goodall", + "Benny Goodman", + "Charles Goodyear", + "Goodyear", + "Mikhail Gorbachev", + "Nadine Gordimer", + "Al Gore", + "Jay Gould", + "Stephen Jay Gould", + "Francisco Goya", + "Steffi Graf", + "Stephanie Graf", + "Martha Graham", + "Billy Graham", + "Kenneth Grahame", + "Percy Grainger", + "Ulysses S. Grant", + "Cary Grant", + "Duncan Grant", + "Harley Granville-Barker", + "Robert Graves", + "Asa Gray", + "Thomas Gray", + "Louis Harold Gray", + "Horace Greeley", + "Joseph Greenberg", + "Graham Greene", + "Gregorio", + "Gregorio XIII", + "Hugo Buoncompagni", + "Wayne Gretzky", + "Charles Grey", + "Lady Jane Grey", + "Zane Grey", + "Edvard Grieg", + "D. W. Griffith", + "Jakob Grimm", + "Wilhelm Grimm", + "Andrei Andreyevich Gromyko", + "Andrei Gromyko", + "Gromiko", + "Gromyko", + "Walter Gropius", + "Hugo Grocio", + "Hugo Grotius", + "Andrea Guarneri", + "Che Guevara", + "Ernesto Guevara", + "Meyer Guggenheim", + "Alec Guinness", + "Johann Gutenberg", + "Johannes Gutenberg", + "Guthrie", + "Woodrow Wilson Guthrie", + "Woody Guthrie", + "Habakkuk", + "Fritz Haber", + "Aggeus", + "Haggai", + "Otto Hahn", + "Haile Selassie", + "Ras Tafari", + "Ras Tafari Makonnen", + "Haldane", + "Priver vizconde Haldane de Cloan", + "Richard Burdon Haldane", + "Richard Haldane", + "Elizabeth Haldane", + "Elizabeth Sanderson Haldane", + "Haldane", + "John Haldane", + "John Scott Haldane", + "John Burdon Sanderson Haldane", + "Edward Everett Hale", + "Hale", + "George Ellery Hale", + "Nathan Hale", + "Alex Haley", + "Bill Haley", + "Asaph Hall", + "Charles Francis Hall", + "Charles Martin Hall", + "Granville Stanley Hall", + "Radclyffe Hall", + "Edmond Halley", + "Edmund Halley", + "Frans Hals", + "Hals", + "Alexander Hamilton", + "Hamilton", + "Sir William Rowan Hamilton", + "William Rowan Hamilton", + "Willilam Rowan Hamilton", + "Dag Hammarskjold", + "Oscar Hammerstein", + "Oscar Hammerstein II", + "Dashiell Hammett", + "Hammett", + "Samuel Dashiell Hammett", + "Lionel Hampton", + "Hamsun", + "Knut Hamsun", + "Knut Pedersen", + "John Hancock", + "George Frideric Handel", + "W. C. Handy", + "Tom Hanks", + "Warren Gamaliel Harding", + "Thomas Hardy", + "Oliver Hardy", + "James Hargreaves", + "Jean Harlow", + "E. H. Harriman", + "Edward Henry Harriman", + "Harriman", + "Averell Harriman", + "William Averell Harriman", + "Frank Harris", + "Townsend Harris", + "Zellig Harris", + "Joel Chandler Harris", + "William Henry Harrison", + "Benjamin Harrison", + "Harrison", + "President Benjamin Harrison", + "President Harrison", + "George Harrison", + "Rex Harrison", + "Hart", + "Lorenz Hart", + "Lorenz Milton Hart", + "Hart", + "Moss Hart", + "Bret Harte", + "David Hartley", + "John Harvard", + "William Harvey", + "Hasek", + "Jaroslav Hasek", + "Childe Hassam", + "Odd Hassel", + "Anne Hathaway", + "Hathaway", + "Stephen Hawking", + "Coleman Hawkins", + "Hawkins", + "Nathaniel Hawthorne", + "Joseph Haydn", + "Rutherford B. Hayes", + "Rutherford Birchard Hayes", + "Helen Hayes", + "William Dudley Haywood", + "William Hazlitt", + "William Randolph Hearst", + "Oliver Heaviside", + "Friedrich Hebbel", + "Ben Hecht", + "Georg Wilhelm Friedrich Hegel", + "Martin Heidegger", + "Heinlein", + "Robert A. Heinlein", + "Henry John Heinz", + "Joseph Heller", + "Lillian Hellman", + "Ernest Hemingway", + "Jimi Hendrix", + "Joseph Henry", + "Patrick Henry", + "William Henry", + "Jim Henson", + "Katharine Hepburn", + "Barbara Hepworth", + "Johann Friedrich Herbart", + "Victor Herbert", + "Herman", + "Woodrow Charles Herman", + "Woody Herman", + "Robert Herrick", + "William Herschel", + "John Herschel", + "Gustav Hertz", + "Gustav Ludwig Hertz", + "Heinrich Hertz", + "Gerhard Herzberg", + "Victor Franz Hess", + "Rudolf Hess", + "Walter Rudolf Hess", + "Hermann Hesse", + "Paul Heyse", + "Dubois Heyward", + "Edwin Dubois Hayward", + "Heyward", + "Wild Bill Hickock", + "David Hilbert", + "Benny Hill", + "Hill", + "J. J. Hill", + "James Jerome Hill", + "Edmund Hillary", + "Heinrich Himmler", + "Bernard Hinault", + "Paul Hindemith", + "HIrschprung", + "Harold Hirschsprung", + "Hirschsprung", + "Alfred Hitchcock", + "Adolf Hitler", + "Der Fuhrer", + "Hitler", + "Hoagland", + "Hudson Hoagland", + "Thomas Hobbes", + "Ho Chi Minh", + "Alan Lloyd Hodgkin", + "Thomas Hodgkin", + "Jimmy Hoffa", + "Dustin Hoffman", + "Hoffman", + "Malvina Hoffman", + "E. T. A. Hoffmann", + "Ernst Theodor Amadeus Hoffmann", + "Roald Hoffmann", + "Josef Hoffmann", + "Ben Hogan", + "William Hogarth", + "Hogg", + "James Hogg", + "Katsushika Hokusai", + "Hans Holbein", + "Hans Holbein", + "Herman Hollerith", + "Buddy Holly", + "Charles Hardin Holley", + "Holly", + "Arthur Holmes", + "Holmes", + "Oliver Wendell Holmes", + "Homer", + "Winslow Homer", + "Arthur Honegger", + "Robert Hooke", + "Richard Hooker", + "Joseph Hooker", + "Herbert Hoover", + "J. Edgar Hoover", + "Hoover", + "William Henry Hoover", + "William Hoover", + "Bob Hope", + "Anthony Hopkins", + "Gerard Manley Hopkins", + "Johns Hopkins", + "Hopkins", + "Mark Hopkins", + "Francis Hopkinson", + "Hopkinson", + "Lena Horne", + "Marilyn Horne", + "Horney", + "Karen Danielsen Horney", + "Karen Horney", + "Vladimir Horowitz", + "Horta", + "Victor Horta", + "Harry Houdini", + "Alfred Edward Housman", + "Houston", + "Sam Houston", + "Samuel Houston", + "Catherine Howard", + "Leslie Howard", + "Elias Howe", + "Julia Ward Howe", + "Gordie Howe", + "Howe", + "Irving Howe", + "Howells", + "William Dean Howells", + "Edmond Hoyle", + "Fred Hoyle", + "Hubbard", + "L. Ron Hubbard", + "Edwin Hubble", + "Edwin Powell Hubble", + "Henry Hudson", + "William Henry Hudson", + "Charles Evans Hughes", + "Howard Hughes", + "Hughes", + "Hugues", + "James Langston Hughes", + "Langston Hughes", + "Ted Hughes", + "Victor Hugo", + "Cordell Hull", + "David Hume", + "Engelbert Humperdinck", + "Leigh Hunt", + "Hunt", + "Richard Morris Hunt", + "Holman Hunt", + "Hunt", + "William Holman Hunt", + "Samuel Huntington", + "George Huntington", + "Jan Hus", + "Saddam Hussein", + "Edmund Husserl", + "John Huston", + "Robert Maynard Hutchins", + "Anne Hutchinson", + "James Hutton", + "Thomas Henry Huxley", + "Aldous Huxley", + "Andrew Fielding Huxley", + "Andrew Huxley", + "Christiaan Huygens", + "Christian Huygens", + "Hypatia", + "Henrik Ibsen", + "Julio Iglesias", + "Robert Indiana", + "Inge", + "William Inge", + "Jean Auguste Dominique Ingres", + "John Irving", + "Washington Irving", + "Christopher Isherwood", + "Isachar", + "Ivanov", + "Lev Ivanov", + "Andrew Jackson", + "Jackson", + "Stonewall Jackson", + "Thomas J. Jackson", + "Thomas Jackson", + "Thomas Jonathan Jackson", + "Helen Hunt Jackson", + "Jesse Jackson", + "Mahalia Jackson", + "Michael Jackson", + "Glenda Jackson", + "Aletta Jacobs", + "Jane Jacobs", + "W. W. Jacobs", + "Joseph Marie Jacquard", + "Mick Jagger", + "Roman Jakobson", + "Jaime", + "San Jaime", + "San Jaime Apóstol", + "Santiago", + "Santiago Apóstol", + "Henry James", + "James", + "James", + "William James", + "Jesse James", + "Cornelis Jansen", + "Cornelius Jansenius", + "Jansen", + "Jarrell", + "Randall Jarrell", + "Karl Jaspers", + "John Jay", + "Jeanne d'Arc", + "Jeffers", + "John Robinson Jeffers", + "Robinson Jeffers", + "Thomas Jefferson", + "Edward Jenner", + "Jensen", + "Johannes Vilhelm Jensen", + "Jeroboam I", + "Jens Otto Harry Jespersen", + "Jespersen", + "Otto Jespersen", + "William Stanley Jevons", + "Norman Jewison", + "Muhammad Ali Jinnah", + "Joachim", + "Joseph Joachim", + "Joel", + "Joffrey", + "Robert Joffrey", + "San Juan", + "Jasper Johns", + "Andrew Johnson", + "Lyndon Johnson", + "Samuel Johnson", + "Louis Jolliet", + "Al Jolson", + "Daniel Jones", + "Inigo Jones", + "John Paul Jones", + "Bobby Jones", + "Jones", + "Robert Tyre Jones", + "Casey Jones", + "Mary Harris Jones", + "Mother Jones", + "Erica Jong", + "Ben Jonson", + "Scott Joplin", + "Janis Joplin", + "Chief Joseph", + "Jefe Joseph", + "Joseph", + "James Prescott Joule", + "James Joyce", + "Judas Iscariot", + "Carl Gustav Jung", + "Carl Jung", + "Jung", + "Hugo Junkers", + "Aram Kachaturian", + "Kachaturian", + "Franz Kafka", + "Louis Isadore Kahn", + "Kalinin", + "Mikhail Ivanovich Kalinin", + "Kamehameha I", + "Wassily Kandinski", + "Wassily Kandinsky", + "Immanuel Kant", + "Erik Axel Karlfeldt", + "Karlfeldt", + "Boris Karloff", + "Anatoli Karpov", + "Karsavina", + "Tamara Karsavina", + "Alfred Kastler", + "Kenneth Kaunda", + "Elia Kazan", + "Edmund Kean", + "Buster Keaton", + "John Keats", + "Keats", + "John Keble", + "Helen Keller", + "Gene Kelly", + "Grace Kelly", + "Emmett Kelly", + "Kelly", + "Weary Willie", + "William Thompson", + "Edward Calvin Kendall", + "George F. Kennan", + "George Frost Kennan", + "John Fitzgerald Kennedy", + "Arthur Edwin Kennelly", + "Rockwell Kent", + "Johannes Kepler", + "Jerome David Kern", + "Jerome Kern", + "Kern", + "Jack Kerouac", + "Ken Kesey", + "Francis Scott Key", + "John Maynard Keynes", + "Kruschev", + "Nikita Khrushchev", + "Nikita Kruschev", + "Nikita Sergeyevich Kruschev", + "William Kidd", + "King", + "Martin Luther King", + "Martin Luther King jr", + "B. B. King", + "Billie Jean King", + "Rudyard Kipling", + "Gustav Robert Kirchhoff", + "Ernst Ludwig Kirchner", + "Henry Alfred Kissinger", + "Henry Kissinger", + "Herbert Kitchener", + "Horatio Herbert Kitchener", + "Martin Heinrich Klaproth", + "Paul Klee", + "Calvin Klein", + "Melanie Klein", + "Felix Klein", + "Gustav Klimt", + "Franz Joseph Kline", + "Franz Kline", + "Kline", + "Friedrich Gottlieb Klopstock", + "John Knox", + "Knox", + "Robert Koch", + "Arthur Koestler", + "Fumimaro Konoe", + "Tjalling Koopmans", + "Olga Korbut", + "Alfred Korzybski", + "Serge Koussevitzky", + "Lee Krasner", + "Hans Adolf Krebs", + "Fritz Kreisler", + "Alfred Kroeber", + "Alfred Louis Kroeber", + "Leopold Kronecker", + "Kropotkin", + "Príncipe Peter Kropotkin", + "Pyotr Alexeyevich Kropotkin", + "Harold Kroto", + "Kruger", + "Oom Paul Kruger", + "Stephanus Johannes Paulus Kruger", + "Friedrich Krupp", + "Kubla Khan", + "Kublai Khan", + "Stanley Kubrick", + "Richard Kuhn", + "Gerard Kuiper", + "Gerard Peter Kuiper", + "Akira Kurosawa", + "Kutuzov", + "Mikhail Ilarionovich Kutuzov", + "Príncipe de Smolensk", + "kutuzov", + "Simon Kuznets", + "Thomas Kyd", + "Henri Labrouste", + "Gaston Lachaise", + "Arthur Laffer", + "Jean Lafitte", + "Charles Lamb", + "Constant Lambert", + "Edwin Herbert Land", + "Landau", + "Lev Davidovich Landau", + "Wanda Landowska", + "Karl Landsteiner", + "Dorothea Lange", + "Irving Langmuir", + "Lillie Langtry", + "Lardner", + "Ring Lardner", + "Ringgold Wilmer Lardner", + "La Rochefoucauld", + "Pierre Athanase Larousse", + "Pierre Larousse", + "Lasso", + "Orlando di Lasso", + "Roland de Lassus", + "La Tour", + "Benjamin Henry Latrobe", + "Harry Lauder", + "Lauder", + "Sir Harry Maclennan Lauder", + "Charles Laughton", + "Stan Laurel", + "Henry Laurens", + "Rod Laver", + "Antoine Lavoisier", + "D. H. Lawrence", + "David Herbert Lawrence", + "Ernest Orlando Lawrence", + "Gertrude Lawrence", + "T. E. Lawrence", + "Thomas Edward Lawrence", + "Stephen Leacock", + "Louis Leakey", + "Mary Leakey", + "Richard Leakey", + "Edward Lear", + "Timothy Leary", + "Le Corbusier", + "Huddie Leadbetter", + "Leadbelly", + "Ledbetter", + "Le Duc Tho", + "Robert E. Lee", + "Robert Edward Lee", + "Henry Lee", + "Lee", + "Lighthorse Harry Lee", + "Richard Henry Lee", + "Bruce Lee", + "Gypsy Rose Lee", + "Spike Lee", + "Eva Le Gallienne", + "Franz Lehar", + "Lehar", + "Gottfried Wilhelm Leibniz", + "Vivien Leigh", + "Edouard Lemaitre", + "Georges henri Lemaitre", + "Lemaitre", + "Jack Lemmon", + "Philipp Lenard", + "Ivan Lendl", + "Pierre Charles L'Enfant", + "Vladimir Lenin", + "John Lennon", + "León I", + "León III", + "Leon X", + "León X", + "León XIII", + "Elmore Leonard", + "Wassily Leontief", + "Lermontov", + "Mikhail Yurievich Lermontov", + "Alan Jay Lerner", + "Lerner", + "Ferdinand de Lesseps", + "Fernando de Lesseps", + "Doris Lessing", + "Gotthold Ephraim Lessing", + "C. S. Lewis", + "Clive Staples Lewis", + "Harry Sinclair Lewis", + "Lewis", + "Sinclair Lewis", + "John L. Lewis", + "Meriwether Lewis", + "Carl Lewis", + "Jerry Lee Lewis", + "Willard Frank Libby", + "Roy Lichtenstein", + "Trygve Halvdan Lie", + "Trygve Lie", + "Beatrice Lillie", + "Maya Lin", + "Abraham Lincoln", + "Jenny Lind", + "Charles Lindbergh", + "Vachel Lindsay", + "Howard Lindsay", + "Carlos Linneo", + "Jacques Lipchitz", + "Fritz Albert Lipmann", + "Li Po", + "Fra Filippo Lippi", + "Filippino Lippi", + "Gabriel Lippmann", + "Lippman", + "Walter Lippmann", + "Joseph Lister", + "Sonny Liston", + "Franz Liszt", + "Liszt", + "Livermore", + "Mary Ashton Rice Livermore", + "David Livingstone", + "Tito Livio", + "Harold Lloyd", + "Andrew Lloyd Webber", + "John Locke", + "Jacques Loeb", + "Frederick Loewe", + "Otto Loewi", + "Jack London", + "Henry Wadsworth Longfellow", + "Adolf Loos", + "Loos", + "Sophia Loren", + "Hendrik Antoon Lorentz", + "Konrad Lorenz", + "Peter Lorre", + "San Luis", + "Luis XIV", + "Luis XIV de Francia", + "Joe Louis", + "Richard Lovelace", + "David Low", + "Abbott Lawrence Lowell", + "Amy Lowell", + "Lowell", + "Percival Lowell", + "Lowell", + "Robert Lowell", + "Robert Traill Spence Lowell", + "Malcolm Lowry", + "Ernst Lubitsch", + "George Lucas", + "Lucio Licinio Lúculo", + "Henry Luce", + "Henry Robinson Luce", + "Luce", + "Bela Lugosi", + "Alfred Lunt", + "Martin Luther", + "John Lyly", + "Douglas MacArthur", + "Thomas Babington Macaulay", + "Edward MacDowell", + "Rob Roy", + "Ernst Mach", + "Mach", + "Archibald MacLeish", + "Archibald Macleish", + "Macleish", + "James Madison", + "Conde Mauricio Maeterlinck", + "Maeterlinck", + "Ferdinand Magellan", + "Magritte", + "René Magritte", + "Alfred Thayer Mahan", + "Mahan", + "Gustav Mahler", + "Mahler", + "Norman Mailer", + "Aristide Maillol", + "John Major", + "Makarios III", + "Bernard Malamud", + "Malamud", + "Malcolm Little", + "Malcolm X", + "Kazimir Malevich", + "Kazimir Severinovich Malevich", + "Malevich", + "Mary Mallon", + "Edmond Malone", + "Thomas Malory", + "Marcello Malpighi", + "Thomas Malthus", + "Thomas Robert Malthus", + "David Mamet", + "Nelson Mandela", + "Maldelstam", + "Mandelshtam", + "Mandelstam", + "Osip Emilevich Mandelstam", + "Osip Mandelstam", + "Manes", + "Thomas Mann", + "Katherine Mansfield", + "Kathleen Mansfield Beauchamp", + "Mansfield", + "mansfield", + "Andrea Mantegna", + "Mantle", + "Mickey Charles Mantle", + "Mickey Mantle", + "Alessandro Manzoni", + "Mao", + "Mao Tse Tung", + "Mao Zedong", + "Marcel Marceau", + "Rocky Marciano", + "Guglielmo Marconi", + "Herbert Marcuse", + "Marie Antoinette", + "Giambattista Marini", + "Giambattista Marino", + "Andrei Markov", + "André Markoff", + "Markoff", + "Markov", + "Bob Marley", + "Marley", + "Robert Nesta Marley", + "Christopher Marlowe", + "Jacques Marquette", + "Marsh", + "Ngaio Marsh", + "Marsh", + "Reginald Marsh", + "John Marshall", + "George Marshall", + "E. G. Marshall", + "Marshall", + "José Julián Martí", + "Martí", + "Dean Martin", + "Dino Paul Crocetti", + "Martin", + "Martin", + "Mary", + "Mary Martin", + "Steve Martin", + "Andrew Marvell", + "Karl Marx", + "Mary Tudor", + "María I de Inglaterra", + "John Masefield", + "A. E. W. Mason", + "James Mason", + "George Mason", + "Edgar Lee Masters", + "Masters", + "Mata Hari", + "Bob Mathias", + "Henri Matisse", + "W. Somerset Maugham", + "William Somerset Maugham", + "James Clerk Maxwell", + "Mayakovski", + "Vladimir Vladimirovich Mayakovski", + "Louis B. Mayer", + "Willie Mays", + "Giuseppe Mazzini", + "Joseph McCarthy", + "Mary MacCarthy", + "Mary McCarthy", + "Mary Therese McCarthy", + "McCarthy", + "Paul McCartney", + "Carson McCullers", + "Carson Smith McCullers", + "McCullers", + "John Joseph McGraw", + "John McGraw", + "McGraw", + "McGuffey", + "William Holmes McGuffey", + "Carles Follen McKim", + "Charles Follen McKim", + "McKim", + "William McKinley", + "Marshall McLuhan", + "Aimee Semple McPherson", + "George Herbert Mead", + "Mead", + "Margaret Mead", + "George Gordon Meade", + "Peter Medawar", + "Meiji Tenno", + "Mutsuhito", + "Golda Meir", + "Georg Meissner", + "Lise Meitner", + "Philipp Melanchthon", + "Lauritz Melchior", + "Andrew Mellon", + "Andrew W. Mellon", + "Andrew William Mellon", + "Mellon", + "Herman Melville", + "Melville", + "H. L. Mencken", + "Henry Louis Mencken", + "Mencken", + "mencken", + "Gregor Mendel", + "Dmitri Mendeleev", + "Erich Mendelsohn", + "Felix Mendelssohn", + "Charles Frederick Menninger", + "Charles Menninger", + "Menninger", + "Karl Augustus Menninger", + "Karl Menninger", + "Menninger", + "Menninger", + "William Claire Menninger", + "William Menninger", + "Gian Carlo Menotti", + "Yehudi Menuhin", + "Gerardus Mercator", + "Gerhard Kremer", + "Mercator", + "John Mercer", + "Eddy Merckx", + "Melina Mercouri", + "George Meredith", + "James Meredith", + "Ottmar Mergenthaler", + "Merlín", + "Ethel Merman", + "Merton", + "Robert King Merton", + "Robert Merton", + "Thomas Merton", + "Franz Anton Mesmer", + "Klemens Metternich", + "Metternich", + "Giacomo Meyerbeer", + "Otto Fritz Meyerhof", + "Michelangelo Buonarroti", + "Miguel Angel", + "Albert Abraham Michelson", + "James Albert Michener", + "James Michener", + "Michener", + "Thomas Middleton", + "Darius Milhaud", + "John Stuart Mill", + "James MIll", + "James Mill", + "Mill", + "Millais", + "Sir John Everett Millais", + "Edna Millay", + "Edna Saint Vincent Millay", + "Millay", + "Arthur Miller", + "Henry Miller", + "Glenn Miller", + "Robert Andrews Millikan", + "Robert Mills", + "A. A. Milne", + "Alan Alexander Milne", + "John Milton", + "Hermann Minkowski", + "Minnewit", + "Minuit", + "Peter Minnewit", + "Peter Minuit", + "Arthur Mitchell", + "John Mitchell", + "Margaret Mitchell", + "Maria Mitchell", + "William Mitchell", + "R. J. Mitchell", + "Reginald Joseph Mitchell", + "Robert Mitchum", + "Nancy Mitford", + "Jessica Mitford", + "Mahoma", + "Mahomet", + "Mahound", + "Mohammed", + "Muhammad", + "Muhammad Ali", + "Ferenc Molnar", + "Molnar", + "Molotov", + "Vyacheslav Mikhailovich Molotov", + "Theodor Mommsen", + "Piet Mondrian", + "Claude Monet", + "Thelonious Monk", + "Jean Monnet", + "Jacques Monod", + "James Monroe", + "Monroe", + "Presidente Monroe", + "Marilyn Monroe", + "Ashley Montagu", + "Claudio Monteverdi", + "Lola Montez", + "Marie Dolores Eliza Rosanna gilbert", + "Montez", + "Montezuma II", + "Bernard Law Montgomery", + "L.M. Montgomery", + "Lucy Maud Montgomery", + "Montgomery", + "Dwight Lyman Moody", + "Moody", + "Helen Wills Moody", + "Sun Myung Moon", + "Henry Moore", + "Marianne Moore", + "Moore", + "Thomas Moore", + "George Edward Moore", + "Dudley Moore", + "Thomas More", + "J. P. Morgan", + "John Pierpont Morgan", + "Morgan", + "Henry Morgan", + "Thomas Hunt Morgan", + "Lewis Henry Morgan", + "E. W. Morley", + "Edward Morley", + "Edward Williams Morley", + "Morley", + "Gouverneur Morris", + "Robert Morris", + "William Morris", + "Esther Hobart McQuigg Slack Morris", + "Esther Morris", + "Morris", + "Toni Morrison", + "Jim Morrison", + "Samuel Finley Breese Morse", + "Samuel Morse", + "Ferdinand Joseph La Menthe Morton", + "Jelly Roll Morton", + "Morton", + "Anna Mary Robertson Moses", + "Grandma Moses", + "Motherwell", + "Robert Motherwell", + "Lucrecia Coffin Mott", + "Mott", + "Daniel Patrick Moynihan", + "Moynihan", + "Wolfgang Amadeus Mozart", + "Hosni Mubarak", + "Elijah Muhammad", + "Muhammad", + "John Muir", + "Hermann Joseph Muller", + "Edvard Munch", + "Munch", + "Hector Hugh Munro", + "Iris Murdoch", + "Rupert Murdoch", + "James Murray", + "Edward R. Murrow", + "Stan Musial", + "Benito Mussolini", + "Modest Moussorgsky", + "Modest Mussorgsky", + "Modest Petrovich Moussorgsky", + "Modest Petrovich Mussorgsky", + "Moussorgsky", + "Mussorgsky", + "Eadweard Muybridge", + "Gunnar Myrdal", + "Gunnar Myrdayl", + "Karl Gunnar Myrdal", + "Myrdal", + "Vladimir Nabokov", + "James Naismith", + "Guru Nanak", + "Fridtjof Nansen", + "Nansen", + "John Napier", + "Napoleón Bonaparte", + "Napoleón I", + "Napoleón III", + "Ogden Nash", + "Gamal Abdel Nasser", + "Nasser", + "Thomas Nast", + "Giulio Natta", + "Martina Navratilova", + "Alla Nazimova", + "Nimrod", + "Jawaharlal Nehru", + "Horatio Nelson", + "Walther Hermann Nernst", + "Neftalí Ricardo Reyes", + "Neruda", + "Pablo Neruda", + "Reyes", + "Pier Luigi Nervi", + "Louise Nevelson", + "Newcomb", + "Simon Newcomb", + "John Henry Newman", + "Paul Newman", + "Isaac Newton", + "Michel Ney", + "Jack Nicklaus", + "Harold Nicolson", + "Sir Harold George Nicolson", + "Niebuhr", + "Reinhold Niebuhr", + "Carl Nielsen", + "Florence Nightingale", + "Vaslav Nijinsky", + "Chester Nimitz", + "Richard Nixon", + "Alfred Nobel", + "Emmy Noether", + "Hideyo Noguchi", + "Isamu Noguchi", + "Greg Norman", + "Jessye Norman", + "Benjamin Franklin Norris jr", + "Frank Norris", + "Norris", + "Ronald George Wreyford Norrish", + "Frederick North", + "John Howard Northrop", + "Northrop", + "Alfred Noyes", + "Rudolf Nureyev", + "Annie Oakley", + "Joyce Carol Oates", + "Titus Oates", + "Obadias", + "Obadíah", + "Obadías", + "Edna O'Brien", + "Sean O'Casey", + "Severo Ochoa", + "Adolph Simon Ochs", + "Ochs", + "Flannery O'Connor", + "Clifford Odets", + "Odets", + "Hans Christian Oersted", + "Oersted", + "Jacques Offenbach", + "Liam O'Flaherty", + "Charles Kay Ogden", + "Georg Simon Ohm", + "Georgia O`Keeffe", + "Lorenz Oken", + "Claes Oldenburg", + "King Oliver", + "Laurence Olivier", + "Frederick Law Olmsted", + "Omar Khayyam", + "Michael Ondaatje", + "Eugene O'Neill", + "Yoko Ono", + "Lars Onsager", + "Robert Oppenheimer", + "Roy Orbison", + "Carl Orff", + "Eugene Ormandy", + "Bobby Orr", + "Daniel Ortega", + "George Orwell", + "John Osborne", + "Osman I", + "Wilhelm Ostwald", + "Lee Harvey Oswald", + "Oswald", + "Elisha Graves Otis", + "Peter O'Toole", + "Oto I", + "Otto I", + "Otto el Grande", + "Publio Ovidio Nasón", + "Owen", + "Robert Owen", + "James Cleveland Owens", + "Jesse Owens", + "Owens", + "Seiji Ozawa", + "Thomas Nelson Page", + "Satchel Paige", + "Thomas Paine", + "Paine", + "Robert Treat Paine", + "Andrea Palladio", + "Arnold Palmer", + "Erwin Panofsky", + "Panofsky", + "Vilfredo Pareto", + "Mungo Park", + "Park", + "Dorothy Parker", + "Charlie Parker", + "Cyril Northcote Parkinson", + "James Parkinson", + "Rosa Parks", + "Charles Stewart Parnell", + "Parnell", + "Catherine Parr", + "Parr", + "Maxfield Frederick Parrish", + "Maxfield Parrish", + "Parrish", + "Parsons", + "Talcott Parsons", + "Blaise Pascal", + "Boris Pasternak", + "Louis Pasteur", + "Alan Paton", + "Alan Stewart Paton", + "Paton", + "San Patricio", + "San Pablo", + "Alessandro Farnese", + "Alice Paul", + "Paul", + "Wolfgang Pauli", + "Linus Carl Pauling", + "Linus Pauling", + "Luciano Pavarotti", + "Ivan Pavlov", + "Ivan Petrovich Pavlov", + "Pavlov", + "Anna Pavlova", + "Pavlova", + "Joseph Paxton", + "Robert Edwin Peary", + "Robert Peary", + "Robert Peel", + "I. M. Pei", + "Ieoh Ming Pei", + "Charles Peirce", + "Charles Sanders Peirce", + "Peirce", + "Benjamin Peirce", + "Penn", + "William Penn", + "Samuel Pepys", + "Walker Percy", + "Matthew Calbraith Perry", + "Perry", + "Ralph Barton Perry", + "Max Ferdinand Perutz", + "Max Perutz", + "San Pedro", + "Francesco Petrarca", + "Edith Piaf", + "Little Sparrow", + "Jean Piaget", + "Mary Pickford", + "Franklin Pierce", + "Pierce", + "Presidente Pierce", + "Pablo Picasso", + "Poncio Pilato", + "Gregory Goodwin Pincus", + "Gregory Pincus", + "Harold Pinter", + "Luigi Pirandello", + "Piston", + "Walter Piston", + "Henri Pitot", + "William Pitt", + "William Pitt", + "Pío II", + "Pío V", + "Pío VI", + "Pío VII", + "Pío IX", + "Pío X", + "Pío XI", + "Pío XII", + "Francisco Pizarro", + "Max Planck", + "Plath", + "Sylvia Plath", + "Tito Maccio Plauto", + "Edgar Allan Poe", + "Poe", + "Sidney Poitier", + "James K. Polk", + "James Knox Polk", + "Sydney Pollack", + "Jackson Pollock", + "Marco Polo", + "Cneo Pompeyo Magno", + "Lily Pons", + "Ponselle", + "Rosa Melba Ponselle", + "Rosa Ponselle", + "Papa Alejandro", + "Karl Popper", + "O. Henry", + "Cole Albert Porter", + "Cole Porter", + "Porter", + "Katherine Anne Porter", + "Porter", + "Wiley Post", + "Francis Poulenc", + "Ezra Pound", + "Nicolas Poussin", + "Cecil Frank Powell", + "Colin Powell", + "John Cowper Powys", + "Elvis Presley", + "Leontyne Price", + "Joseph Priestley", + "Prokofiev", + "Sergei Sergeyevich Prokofiev", + "Pierre Joseph Proudhon", + "Marcel Proust", + "Claudio Ptolomeo", + "Giacomo Puccini", + "Joseph Pulitzer", + "Henry Purcell", + "Edward Bouverie Pusey", + "Alexander Pushkin", + "Pushkin", + "aleksandr Sergeyevich Pushkin", + "Vladimir Putin", + "Howard Pyle", + "Thomas Pynchon", + "Willard Van Orman Quine", + "Sergei Rachmaninoff", + "Jean Racine", + "Radhakrishnan", + "Sarvepalli Radhakrishnan", + "Sir Sarvepalli Radhakrishnan", + "Walter Raleigh", + "Jean-Philippe Rameau", + "Ramsés II", + "Ayn Rand", + "Jeannette Rankin", + "Raffaello Santi", + "Raffaello Sanzio", + "Rasmus Christian Rask", + "Terence Rattigan", + "Maurice Ravel", + "John William Strutt", + "Presidente Reagan", + "Reagan", + "Ronald Reagan", + "Ronald Wilson Reagan", + "Rebeca", + "Nube Roja", + "Robert Redford", + "Walter Reed", + "John Reed", + "William Rehnquist", + "Steve Reich", + "Wilhelm Reich", + "Tadeus Reichstein", + "Thomas Reid", + "Rembrandt", + "Rembrandt Harmensz Van Rijn", + "Rembrandt Van Rijn", + "Rembrandt Van Ryn", + "Ottorino Respighi", + "Rubén", + "Paul Revere", + "J. B. Rhine", + "Joseph Banks Rhine", + "Rhine", + "Cecil Rhodes", + "David Ricardo", + "Elmer Leopold Rice", + "Elmer Reizenstein", + "Elmer Rice", + "Rice", + "Ricardo III", + "I. A. Richards", + "Ivor Armstrong Richards", + "Ralph Richardson", + "Henry Hobson Richardson", + "Richardson", + "Mordecai Richler", + "Eddie Rickenbacker", + "Hyman Rickover", + "Bernhard Riemann", + "Georg Friedrich Bernhard Riemann", + "Riemann", + "David Riesman", + "David Riesman Jr.", + "Riesman", + "James Whitcomb Riley", + "Riley", + "Rainer Maria Rilke", + "Arthur Rimbaud", + "Charles Ringling", + "Ringling", + "David Rittenhouse", + "Diego Rivera", + "Rivera", + "Jerome Robbins", + "Henry M. Robert", + "Henry Martyn Robert", + "Robert", + "Bartholomew Roberts", + "Oral Roberts", + "Richard J. Roberts", + "Oscar Robertson", + "Paul Bustill Robeson", + "Paul Robeson", + "Robeson", + "Edward G. Robinson", + "Edwin Arlington Robinson", + "Robinson", + "Jackie Robinson", + "Esme Stuart Lennox robinson", + "Lennox Robinson", + "Robinson", + "Sugar Ray Robinson", + "Robert Robinson", + "John D. Rockefeller", + "John Davison Rockefeller", + "Charles Watson-Wentworth", + "Norman Rockwell", + "Richard Rodgers", + "Rodgers", + "Auguste Rodin", + "John Augustus Roebling", + "Carl Rogers", + "Ginger Rogers", + "Will Rogers", + "Peter Mark Roget", + "Sigmund Romberg", + "Erwin Rommel", + "Theodore Roosevelt", + "Franklin Delano Roosevelt", + "Eleanor Roosevelt", + "Betsy Ross", + "Nellie Tayloe Ross", + "James Clark Ross", + "John Ross", + "Dante Gabriel Rossetti", + "Edmond Rostand", + "Philip Roth", + "Mark Rothko", + "Francis Peyton Rous", + "Peyton Rous", + "Jean-Jacques Rousseau", + "Henri Rousseau", + "Peter Paul Rubens", + "Anton Gregor Rubinstein", + "Anton Grigorevich Rubinstein", + "Anton Rubenstein", + "Rubinstein", + "Arthur Rubinstein", + "Príncipe Ruperto del Rin", + "Benjamín Rush", + "Rush", + "Salman Rushdie", + "John Ruskin", + "Bertrand Russell", + "George William Russell", + "Henry Norris Russell", + "Lillian Russell", + "Bill Russell", + "Ken Russell", + "Charles Taze Russell", + "Babe Ruth", + "George Herman Ruth", + "Ruth", + "Ernest Rutherford", + "Daniel Rutherford", + "John Rutledge", + "Eero Saarinen", + "Eliel Saarinen", + "Albert Bruce Sabin", + "Albert Sabin", + "Sacagawea", + "Sacajawea", + "Anwar Sadat", + "Anwar el-Sadat", + "J. D. Salinger", + "Jerome David Salinger", + "Jonas Salk", + "Sansón", + "George Sand", + "Carl Sandburg", + "Margaret Sanger", + "Frederick Sanger", + "Santa Ana", + "Santa Anna", + "Edward Sapir", + "Sapir", + "Sara", + "Gene Sarazen", + "John Singer Sargent", + "David Sarnoff", + "William Saroyan", + "Jean-Paul Sartre", + "Erik Satie", + "Girolamo Savonarola", + "Adolphe Sax", + "Sax", + "Saxo Grammaticus", + "Dorothy L. Sayers", + "Elsa Schiaparelli", + "Arthur Meier Schlesinger", + "Arthur Schlesinger", + "Schlesinger", + "Heinrich Schliemann", + "Helmut Schmidt", + "Artur Schnabel", + "Arthur Schopenhauer", + "Franz Schubert", + "Charles M. Schulz", + "Robert Schumann", + "Ernestine Schumann-Heink", + "Ernestine Schumann Heink", + "Schumann Heink", + "Joseph Alois Schumpeter", + "Joseph Schumpeter", + "Theodor Schwann", + "Albert Schweitzer", + "Publio Cornelio Escipión", + "Publio Cornelio Escipión el Africano", + "Martin Scorsese", + "Dred Scott", + "Walter Scott", + "Winfield Scott", + "Robert Falcon Scott", + "Robert Scott", + "George C. Scott", + "Aleksandr Nikolayevich Scriabin", + "Aleksandr Scriabin", + "Scriabin", + "James Edmund Scripps", + "Scripps", + "Glenn T. Seaborg", + "Glenn Theodore Seaborg", + "Elizabeth Cochrane Seaman", + "Elizabeth Seaman", + "Nellie Bly", + "Seaman", + "Alan Seeger", + "Seeger", + "Pete Seeger", + "George Segal", + "Monica Seles", + "Alexander Selkirk", + "Peter Sellers", + "David O. Selznick", + "Lucio Anneo Séneca", + "Alois Senefelder", + "Aloys Senefelder", + "Mack Sennett", + "Rudolf Serkin", + "Robert William Service", + "Roger Sessions", + "Georges Pierre Seurat", + "Georges Seurat", + "Anne Sexton", + "Sexton", + "Jane Seymour", + "Shah Jahan", + "Ben Shahn", + "William Shakespeare", + "Ravi Shankar", + "Claude E. Shannon", + "Claude Elwood Shannon", + "Claude Shannon", + "Shannon", + "Harlow Shapley", + "Shapley", + "George Bernard Shaw", + "Anna Howard Shaw", + "Shaw", + "Artie Shaw", + "Shawn", + "Ted Shawn", + "Moira Shearer", + "Percy Bysshe Shelley", + "Shelley", + "Mary Shelley", + "Alan Shepard", + "Sam Shepard", + "Richard Brinsley Sheridan", + "Roger Sherman", + "Sherman", + "William Tecumseh Sherman", + "Robert Emmet Sherwood", + "Sherwood", + "Shevchenko", + "Taras Grigoryevich Shevchenko", + "William Bradford Shockley", + "William Shockley", + "Dmitri Dmitrievich Shostakovich", + "Dmitri Shostakovich", + "Shostakovich", + "dmitri Shostakovich", + "Nevil Shute", + "Jean Sibelius", + "Johan Julius Christian Sibelius", + "Sibelius", + "Sarah Siddons", + "Igor Sikorsky", + "Beverly Sills", + "Georges Simenon", + "Herbert Alexander Simon", + "Neil Simon", + "Paul Simon", + "Frank Sinatra", + "Clive Sinclair", + "Upton Sinclair", + "Isaac Bashevis Singer", + "Isaac M. Singer", + "Isaac Merrit Singer", + "Singer", + "David Alfaro Siqueiros", + "Toro Sentado", + "Sixto IV", + "B. F. Skinner", + "Burrhus Frederic Skinner", + "Cornelia Otis Skinner", + "Otis Skinner", + "Skinner", + "Richard Smalley", + "Bedrich Smetana", + "Smetana", + "Adam Smith", + "Smith", + "John Smith", + "Joseph Smith", + "José smith", + "Smith", + "Bessie Smith", + "David Roland Smith", + "David Smith", + "Smith", + "Ian Smith", + "Smollet", + "Smollett", + "Tobias George Smollett", + "Tobias Smollett", + "Jan Christian Smuts", + "Smuts", + "Sam Snead", + "Samuel Jackson Snead", + "Snead", + "Charles Percy Snow", + "Frederick Soddy", + "Ernest Solvay", + "Aleksandr Solzhenitsyn", + "Stephen Sondheim", + "Susan Sontag", + "Soren Peter Lauritz Sorensen", + "Sorensen", + "John Philip Sousa", + "Rey de la marcha", + "Sousa", + "Robert Southey", + "Chaim Soutine", + "Lazzaro Spallanzani", + "Muriel Spark", + "Boris Spassky", + "Albert Speer", + "Speer", + "John Hanning Speke", + "Herbert Spencer", + "Stephen Spender", + "Oswald Spengler", + "Edmund Spenser", + "Elmer Ambrose Sperry", + "Sperry", + "Steven Spielberg", + "Mickey Spillane", + "Benjamin Spock", + "Joseph Stalin", + "Leland Stanford", + "Stanford", + "Konstantin Sergeevich Alekseev", + "Konstantin Sergeyevich Stanislavsky", + "Lonstantin Stanislavsky", + "Stanislavsky", + "Elizabeth Cady Stanton", + "Ringo Starr", + "Ruth Saint Denis", + "Ruth St. Denis", + "Saint Denis", + "St. Denis", + "Jan Steen", + "Steen", + "Joseph Lincoln Steffens", + "Lincoln Steffens", + "Steffens", + "Edward Jean Steichen", + "Steichen", + "Gertrude Stein", + "Stein", + "John Steinbeck", + "Saul Steinberg", + "Gloria Steinem", + "Rudolf Steiner", + "Charles Proteus Steinmetz", + "Frank Stella", + "Georg Wilhelm Steller", + "Casey Stengel", + "Charles Dillon Stengel", + "Stengel", + "George Stephenson", + "Isaac Stern", + "Laurence Sterne", + "George Stevens", + "Stevens", + "Stevens", + "Wallace Stevens", + "Stanley Smith Stevens", + "Adlai Ewing Stevenson", + "Adlai Stevenson", + "Stevenson", + "Robert Louis Balfour Stevenson", + "Robert Louis Stevenson", + "Stevenson", + "Dugald Stewart", + "Stewart", + "Jimmy Stewart", + "Alfred Stieglitz", + "Stieglitz", + "Francis Richard Stockton", + "Frank Stockton", + "Stockton", + "Bram Stoker", + "Leopold Stokowski", + "Edward Durell Stone", + "Stone", + "Harlan Fiske Stone", + "Lucy Stone", + "Stone", + "Oliver Stone", + "Marie Stopes", + "Tom Stoppard", + "Harriet Beecher Stowe", + "Lytton Strachey", + "Antonio Stradivari", + "Lee Strasberg", + "Johann Strauss", + "Strauss", + "Strauss padre", + "Johann Strauss", + "Richard Strauss", + "Igor Stravinsky", + "Meryl Streep", + "Barbra Streisand", + "William Strickland", + "August Strindberg", + "Johan Sugust Strindberg", + "Strindberg", + "Gilbert Charles Stuart", + "Gilbert Stuart", + "Stuart", + "Peter Stuyvesant", + "William Styron", + "Arthur Sullivan", + "Anne Sullivan", + "Ed Sullivan", + "Edward Vincent Sullivan", + "Sullivan", + "Harry Stack Sullivan", + "Sullivan", + "Louis Sullivan", + "Thomas Sully", + "Sumner", + "William Graham Sumner", + "Billy Sunday", + "Sunday", + "William Ashley Sunday", + "Sun Yat-sen", + "Joan Sutherland", + "Jan Swammerdam", + "Gloria Swanson", + "Emanuel Svedberg", + "Emanuel Swedenborg", + "Svedberg", + "Swedenborg", + "Jonathan Swift", + "Gustavus Franklin Swift", + "Algernon Charles Swinburne", + "Thomas Sydenham", + "John Addington Symonds", + "Arthur Symons", + "John Millington Synge", + "George Szell", + "Gaius Cornelius", + "Publio CornelioTacito", + "Tácito", + "William Howard Taft", + "Lorado Taft", + "Taft", + "Rabindranath Tagore", + "William Henry Fox Talbot", + "Maria Tallchief", + "Thomas Tallis", + "Timur Lenk", + "Igor Tamm", + "Igor Yevgeneevich Tamm", + "Tamm", + "Jessica Tandy", + "Kenzo Tange", + "Yves Tanguy", + "Arthur Tappan", + "Tappan", + "Quentin Tarantino", + "Andrei Arsenevich Tarkovsky", + "Andrei Tarkovsky", + "Tarkovsky", + "Lucio Tarquinio el Soberbio", + "Abel Tasman", + "Torquato Tasso", + "Allen Tate", + "John Orley Allen Tate", + "Tate", + "Jacques Tati", + "Art Tatum", + "Edward Lawrie Tatum", + "Zachary Taylor", + "Elizabeth Taylor", + "Deems Taylor", + "Joseph Deems Taylor", + "Taylor", + "Edward Teach", + "Sara Teasdale", + "Teasdale", + "Renata Tebaldi", + "Georg Philipp Telemann", + "Edward Teller", + "Aldred Tennyson", + "Alfred Lord Tennyson", + "Alfred Tennyson", + "Baron Tennyson", + "Tennyson", + "Tenzing Norgay", + "Valentina Tereshkova", + "Nikola Tesla", + "William Makepeace Thackeray", + "Twyla Tharp", + "Margaret Thatcher", + "Teodosio I", + "Santo Tomás", + "Dylan Marlais Thomas", + "Dylan Thomas", + "Thomas", + "Norman Thomas", + "Seth Thomas", + "Thomas", + "Benjamin Thompson", + "Joseph John Thomson", + "George Paget Thomson", + "Elihu Thomson", + "Thomson", + "Virgil Garnett Thomson", + "Virgil Thomson", + "Henry David Thoreau", + "Edward Lee Thorndike", + "Thorndike", + "thorndike", + "William Thornton", + "James Frnacis Thorpe", + "Jim Thorpe", + "Thorpe", + "James Grover Thurber", + "James Thurber", + "Thurber", + "Giovanni Battista Tiepolo", + "Louis Comfort Tiffany", + "Paul Tillich", + "Jan Tinbergen", + "Nikolaas Tinbergen", + "Tiziano", + "Tiziano Vecellio", + "Tito", + "Tito Flavio Sabino Vespasiano", + "Tito Flavio Vespasiano", + "Tito Vespasiano Augusto", + "Tito", + "Mark Tobey", + "James Tobin", + "Tobin", + "Alice B. Toklas", + "J.R.R. Tolkien", + "John Ronald Reuel Tolkien", + "Leo Tolstoy", + "Clyde Tombaugh", + "Evangelista Torricelli", + "Arturo Toscanini", + "Charles Hard Townes", + "Charles Townes", + "Arnold Joseph Toynbee", + "Arnold Toynbee", + "Spencer Tracy", + "John Tradescant", + "Helen Traubel", + "Traubel", + "Lee Trevino", + "Richard Trevithick", + "Lionel Trilling", + "Trilling", + "Anthony Trollope", + "Leon Trotsky", + "Harry Truman", + "Dalton Trumbo", + "John Trumbull", + "John Trumbull", + "Sojourner Truth", + "Harriet Tubman", + "Barbara Tuchman", + "Barbara Wertheim Tuchman", + "Tuchman", + "Sophie Tucker", + "Antony Tudor", + "Gene Tunney", + "Ivan Turgenev", + "Anne Robert Jacques Turgot", + "Alan Turing", + "Frederick Jackson Turner", + "Joseph Mallord William Turner", + "Henry Hubert Turner", + "Turner", + "Nat Turner", + "Dick Turpin", + "Marie Tussaud", + "Desmond Tutu", + "John Tyler", + "William Tyndale", + "John Tyndall", + "Mike Tyson", + "Tristan Tzara", + "Galina Sergeevna Ulanova", + "Galina Ulanova", + "Ulanova", + "Sigrid Undset", + "Undset", + "Louis Untermeyer", + "Untermeyer", + "John Updike", + "Richard Upjohn", + "Urbano V", + "Harold Clayton Urey", + "Harold Urey", + "James Ussher", + "Maurice Utrillo", + "John Vanbrugh", + "Martin Van Buren", + "Presidente Van Buren", + "Van Buren", + "George Vancouver", + "Robert Jemison Van de Graaf", + "Robert Van De Graaf", + "Van De Graaf", + "Van de Graaff", + "Cornelius Vanderbilt", + "Johannes Diderik Van Der Waals", + "Johannes Van der Waals", + "Van Der Waals", + "Van der Waals", + "Henri Clemens Van de Velde", + "Henri Van de Velde", + "Van De Velde", + "Van de Velde", + "Van Doren", + "Anthony Van Dyke", + "Sir Anthony Van Dyke", + "Van Dyck", + "Van Dyke", + "John Hasbrouck Van Vleck", + "John Van Vleck", + "Van Vleck", + "Mario Vargas Llosa", + "Marco Terencio Varrón", + "Giorgio Vasari", + "Sarah Vaughan", + "Ralph Vaughan Williams", + "Calvert Vaux", + "Oswald Veblen", + "Veblen", + "Thorstein Bunde Veblen", + "Thorstein Veblen", + "Veblen", + "thorstein Veblen", + "John Venn", + "Robert Venturi", + "Giuseppe Verdi", + "Paul Verlaine", + "Jan Vermeer", + "Jules Verne", + "Karl Adolph Verner", + "Verner", + "Paolo Veronese", + "Gianni Versace", + "Hendrik Frensch Verwoerd", + "Hendrik Verwoerd", + "Verwoerd", + "Andreas Vesalius", + "Amerigo Vespucci", + "Reina Victoria", + "Victoria", + "reina Victoria", + "Gore Vidal", + "Doroteo Arango", + "Francisco Villa", + "Pancho Villa", + "Villa", + "Heitor Villa-Lobos", + "Heitor Villalobos", + "Villalobos", + "Henry Villard", + "Villard", + "Rudolf Virchow", + "Publio Virgilio Marón", + "Luchino Visconti", + "Antonio Vivaldi", + "Kurt Vonnegut", + "Virginia Wade", + "Richard Wagner", + "Otto Wagner", + "Wagner", + "Andrzej Wajda", + "Kurt Waldheim", + "Alice Walker", + "John Walker", + "Alfred Russel Wallace", + "Edgar Wallace", + "Fats Waller", + "Thomas Wright Waller", + "Waller", + "Robert Walpole", + "Horace Walpole", + "Bruno Walter", + "Ernest Walton", + "Izaak Walton", + "William Walton", + "Aby Warburg", + "Otto Heinrich Warburg", + "Montgomery Ward", + "Andy Warhol", + "Earl Warren", + "Robert Penn Warren", + "Warren", + "George Washington", + "President Washington", + "Washington", + "Booker T. Washington", + "Ethel Waters", + "Waters", + "James Dewey Watson", + "James Watson", + "John Broadus Watson", + "Thomas Augustus Watson", + "Watson", + "James Watt", + "Isaac Watts", + "Evelyn Waugh", + "Anthony Wayne", + "John Wayne", + "Sidney Webb", + "Beatrice Webb", + "Ernst Heinrich Weber", + "Max Weber", + "Max Weber", + "Wilhelm Eduard Weber", + "Noah Webster", + "Webster", + "Daniel Webster", + "Webster", + "John Webster", + "Josiah Wedgwood", + "Simone Weil", + "Kurt Weill", + "Steven Weinberg", + "Chaim Weizmann", + "Theodore Dwight Weld", + "Weld", + "George Orson Welles", + "Orson Welles", + "Welles", + "Arthur Wellesley", + "H. G. Wells", + "Herbert George Wells", + "Eudora Welty", + "Franz Werfel", + "Werfel", + "John Wesley", + "Charles Wesley", + "Benjamin West", + "Mae West", + "Rebecca West", + "George Westinghouse", + "Edward Weston", + "Weston", + "Edith Newbold Jones Wharton", + "Edith Wharton", + "Wharton", + "Phillis Wheatley", + "Sir Mortimer Wheeler", + "Sir Robert Eric Mortimer Wheeler", + "Wheeler", + "James Abbott Mcneill Whistler", + "Whistler", + "Andrew Dickson White", + "E. B. White", + "Elwyn Brooks White", + "Stanford White", + "White", + "T. H. White", + "Patrick White", + "Edward White", + "Alfred North Whitehead", + "Marcus Whitman", + "Walt Whitman", + "Eli Whitney", + "Whitney", + "John Greenleaf Whittier", + "Frank Whittle", + "Norbert Wiener", + "Wiener", + "Elie Wiesel", + "Eugene Paul Wigner", + "Eugene Wigner", + "Oscar Wilde", + "Wilde", + "Billy Wilder", + "Thornton Niven Wilder", + "Thornton Wilder", + "Wilder", + "Guillermo II", + "Charles Wilkes", + "Wilkes", + "John Wilkes", + "Maurice Wilkins", + "Roy Wilkins", + "Wilkins", + "Tennessee Williams", + "Thomas Lanier Williams", + "Williams", + "Roger Williams", + "Ted Williams", + "William Carlos Williams", + "Williams", + "Hank Williams", + "Thomas Willis", + "Ian Wilmut", + "Thomas Woodrow Wilson", + "Woodrow Wilson", + "Edmund Wilson", + "Wilson", + "wilson", + "Charles Thomson Rees Wilson", + "Wilson", + "Edward Osborne Wilson", + "James Wilson", + "John Tuzo Wilson", + "Robert Woodrow Wilson", + "Alexander Wilson", + "Wilson", + "Johann Joachim Winckelmann", + "Adolf Windaus", + "Isaac Mayer Wise", + "Stephen Samuel Wise", + "Owen Wister", + "Wister", + "Ludwig Wittgenstein", + "P. G. Wodehouse", + "Friedrich August Wolf", + "Hugo Wolf", + "Wolf", + "Thomas Clayton Wolfe", + "Thomas Wolfe", + "Wolfe", + "Thomas Wolfe", + "Tom Wolfe", + "William Hyde Wollaston", + "Mary Wollstonecraft", + "Grant Wood", + "Natalie Wood", + "Bob Woodward", + "Robert Burns Woodward", + "C. Vann Woodward", + "Comer Wann Woodward", + "Woodward", + "Virginia Woolf", + "Alexander Woollcott", + "Woollcott", + "William Wordsworth", + "Charles Frederick Worth", + "Herman Wouk", + "Frances Wright", + "Frank Lloyd Wright", + "Wright", + "Orville Wright", + "Wright", + "Wilbur Wright", + "Wright", + "Richard Wright", + "S.S. Van Dine", + "S. S. Van Dine", + "Willard Huntington Wright", + "Wright", + "James Wyatt", + "William Wycherley", + "John Wickliffe", + "John Wyclif", + "John Wycliffe", + "Andrew Wyeth", + "William Wyler", + "Wyler", + "Elinor Morton Hoyt Wylie", + "Wylie", + "Tammy Wynette", + "Elihu Yale", + "Isoroku Yamamoto", + "Carl Yastrzemski", + "W.B. Yeats", + "William Butler Yeats", + "Yeats", + "Robert Mearns Yerkes", + "Alexandre Yersin", + "Yevgeni Yevtushenko", + "Brigham Young", + "Cy Young", + "Danton True Young", + "Young", + "Edward Young", + "Lester Willis Young", + "Pres Young", + "Young", + "Thomas Young", + "Whitney Moore Young Jr.", + "Whitney Young", + "Young", + "Loretta Young", + "Hideki Yukawa", + "Babe Didrikson", + "Babe Zaharias", + "Didrikson", + "Mildred Ella Didrikson", + "Mildred Ella Didrikson Zaharias", + "Zaharias", + "Israel Zangwill", + "Emiliano Zapata", + "Pieter Zeeman", + "Chouen-Lai", + "Zhou-Enlai", + "Zhou-en-lai", + "Florenz Ziegfeld", + "Efrem Zimbalist", + "Fred Zinnemann", + "Hans Zinsser", + "Pinchas Zukerman", + "Stefan Zweig", + "Zweig", + "Ulrich Zwingli", + "Vladimir Kosma Zworykin", + "Zworykin", + "alotropía", + "intercambio", + "superconductividad", + "cristalización", + "consecuencia", + "efecto", + "resultado", + "potencia explosiva", + "producto derivado", + "subproducto", + "bajón", + "mella", + "impacto", + "influencia", + "repercusión", + "respuesta", + "motor", + "azar", + "fortuna", + "suerte", + "fortuna", + "suerte", + "espectro", + "afinidad", + "estela", + "rebufo", + "corriente de aire", + "corriente alterna", + "digénesis", + "metagenésis", + "metagénesis", + "movimiento", + "atracción", + "afinidad", + "corona", + "aurora austral", + "resplendor del sur", + "autoflorescencia", + "desgracia", + "haz", + "haz de luz", + "irradiación", + "rayo", + "rayo de luz", + "rayo catódico", + "bise", + "calma", + "brisa", + "movimiento browniano", + "capacidad", + "elastancia", + "elastancia eléctrica", + "piroelectricidad", + "valencia", + "reticulación", + "circulación", + "nube", + "ola de frío", + "corona solar", + "nube de polvo", + "gegenschein", + "viento cruzado", + "jamsin", + "Santa Ana", + "corriente", + "corriente eléctrica", + "muerte", + "descomposición", + "podredumbre", + "putrefacción", + "aluvión", + "depósito", + "sedimentación", + "veta madre", + "vena", + "corriente continua", + "siroco", + "tormenta de arena", + "tormenta de polvo", + "energía eléctrica", + "voltaje", + "carga", + "electricidad", + "electricidad", + "energía eléctrica", + "onda hertziana", + "espectro electromagnético", + "espectro eletromagnético", + "energía", + "inundación", + "campo", + "tormenta ígnea", + "niebla", + "fuerza", + "jack-o'-lantern", + "frente", + "inversión", + "temporal", + "tormenta", + "tormenta violenta", + "noreste", + "viento del noreste", + "resplandor", + "buena fortuna", + "buena suerte", + "evento fortuito", + "buena racha", + "hallazgo fortuito", + "gravedad", + "gravedad solar", + "pedrisco", + "piedra", + "granizada", + "pedrisco", + "penumbra", + "bruma", + "calor", + "ola de calor", + "histéresis", + "incidencia", + "inercia", + "radiación infrarroja", + "espectro infrarrojo", + "luz", + "ola de calor", + "vida", + "luz", + "electricidad atmosférica", + "luminiscencia", + "bioluminiscencia", + "quimioluminiscencia", + "magnetosfera", + "campo magnético solar", + "ferrimagnetismo", + "paramagnetismo", + "sonido", + "trayectoria", + "balística", + "rayo de luna", + "claro de luna", + "luz del sol", + "sol", + "rayo de sol", + "rayo laser", + "apoptosis", + "tramontana", + "opacidad", + "pleocroismo", + "potencial", + "tensión", + "precipitación", + "presión", + "atracción", + "radiación", + "lluvia", + "gota de lluvia", + "chaparrón", + "tempestad de lluvia", + "aguacero", + "turbión", + "llovizna", + "reflexión", + "birefringencia", + "birrefringencia", + "doble refracción", + "resistencia", + "resistividad", + "reluctancia", + "resolución", + "simún", + "aguanieve", + "cellisca", + "vapor", + "nieve", + "ampo", + "copo", + "copo de nieve", + "virga", + "insolacion", + "insolación", + "viento solar", + "mancha solar", + "fácula", + "corrimiento al rojo", + "tensión", + "crepúsculo", + "interacción", + "amanecer", + "térmica", + "trueno", + "tramontana", + "radiación ultravioleta", + "espectro ultravioleta", + "corriente", + "manga de agua", + "tromba marina", + "ola", + "condiciones", + "condición atmosférica", + "tiempo", + "tiempo atmosférico", + "aire", + "viento", + "paralaje", + "paralaje estelar", + "talofita", + "sombrero", + "ascocarpo", + "basidiocarpo", + "apotecio", + "seta", + "plantas", + "bryophyta sensu lato", + "bryophyta sensu stricto", + "musgo", + "antocerotáceas", + "anthocerotophyta", + "dicranum", + "género dicranum", + "sphagnum", + "marchantiales", + "pecopteris", + "helecho", + "agameta", + "endospora", + "carpospora", + "clamidospora", + "conidióforo", + "teliospora", + "zoospora", + "estípula", + "tepalo", + "criptógama", + "spermatophyta", + "gimnospermas", + "monocotiledóneas", + "dicotiledóneas", + "dicotiledóneas", + "hongos", + "hongos", + "hongos", + "gymnospermae", + "gnetum", + "ephedraceae", + "cycadophyta", + "zamia", + "ceratozamia", + "dioon", + "encephalartos", + "macrozamia", + "pino", + "pino real", + "pinus", + "pino", + "pino contorta murrayana", + "pino contorta sierra", + "pinus contorta sierra", + "pino de monterrey", + "pinus radiata", + "alerce", + "lárix", + "abeto", + "género abeto", + "abeto alpino", + "abeto subalpino", + "abies lasiocarpa", + "cedro", + "género cedro", + "cedro", + "cedro verdadero", + "abeto", + "picea", + "abeto siberiano", + "picea obovata", + "abeto tsuga", + "falso abeto", + "género tsuga", + "cupressaceae", + "familia cupressaceae", + "cupressus", + "género cupressus", + "ciprés de Arizona", + "ciprés de arizona", + "criptomeria", + "género criptomeria", + "género juniperus", + "juniperus", + "juniperus", + "genus libocedrus", + "libocedrus", + "kawaka", + "libocedrus plumosa", + "metasequoia", + "género taxodium", + "taxodium", + "ciprés montezuma", + "taxodium mucronatum", + "araar", + "género tetraclinis", + "tetraclinis", + "tetraclinis articulata", + "tuya articulada", + "género libocedro", + "libocedro", + "keteleria", + "araucaria excelsa", + "araucaria heterophylla", + "agathis", + "género agathis", + "género torreya", + "torreya", + "género phyllocladus", + "phyllocladus", + "phyllocladus asplenifolius", + "pino de apio", + "phyllocladus trichomanoides", + "tanekaha", + "dacrydium cupressinum", + "pino imou", + "pino rojo", + "rimu", + "Halocarpus Bidwilli", + "dacrydium bidwilli", + "pino de plata", + "matai", + "pino negro", + "podocarpus spicata", + "prumnopilys taxifolia", + "Taxales", + "taxales", + "género taxus", + "taxus", + "liliopsida", + "flor", + "flor", + "flor silvestre", + "amento", + "candelilla", + "polinia", + "pollinium", + "aparato reproductor", + "estructura reproductiva", + "gineceo", + "estilo", + "filamento", + "peciolulo", + "óvulo campilótropo", + "placentación", + "endospermo", + "septum", + "semilla", + "mesocarpo", + "hueso", + "silicua", + "haustorio", + "esporófito", + "gametofito", + "micróspora", + "macróspora", + "arquegonio", + "hipantio", + "petalo", + "pétalo", + "sépalo", + "corola", + "trompa", + "perigonio", + "chirimoya", + "género asimina", + "papaya", + "caulófilo", + "género caulófilo", + "ceratofilácea", + "género ceratofilácea", + "ceratophyllum", + "género ceratofiláceas", + "laurel", + "cinnamomum verum", + "canelero de China", + "canelero de china", + "cinnamomum cassia", + "canela china", + "corteza de cassia", + "aguacate", + "género persea", + "sassafras", + "familia magnolia", + "familia magnoliáceas", + "magnoliáceas", + "manglietia", + "género liriodendro", + "liriodendro", + "liriodendros", + "familia menispermáceas", + "menispermáceas", + "familia nenúfares", + "familia ninfáceas", + "ninfáceas", + "nenúfar", + "género nuphar", + "nenúfar", + "paeoniaceae", + "pardal", + "actaea", + "género actaea", + "género aquilegia", + "aquilegia", + "clematis", + "clematis", + "clematis lasiantha", + "albarraz", + "delfinio", + "Eranthis", + "eranthis", + "género eranthis", + "helleborus", + "hepatica", + "hydrastis canadensis", + "nigella", + "myricales", + "Familia miricáceas", + "miricáceas", + "myricaceae", + "junco de Australia", + "juncus articulatus", + "junco", + "juncus leseurii", + "junquillo", + "plantas", + "legumbre", + "cacahuete", + "cacahuete", + "género melilotus", + "melilotus", + "trifolium", + "shamrock", + "azulejo", + "trifolium reflexum", + "trifolium stoloniferum", + "mimosa", + "acacia", + "catechu", + "catechu negro", + "albizia", + "calliandra", + "inga", + "madera de sabicú", + "sabicú", + "mezquita", + "algarrobo", + "mezquite", + "prosopis juliflora", + "prosopis juliiflora", + "allamanda", + "carissa", + "rauwolfia", + "strophanthus", + "arales", + "araceae", + "familia araceae", + "familia arum", + "arum", + "aro", + "alocasia", + "amorphophallus", + "anthurium", + "caladium", + "cala", + "género calla", + "colocasia esculenta", + "cryptocoryne", + "dracontium", + "género lisiquiton", + "lisiquiton", + "monstera", + "nephthytis", + "arrow arum", + "philodendron", + "pistia", + "spathiphyllum", + "género zantedeschia", + "zantedeschia", + "aro", + "género hedera", + "hiedra", + "hedera", + "hiedra", + "panax", + "género aristolochia", + "pistolochia", + "aristolochia serpentaria", + "serpentaria virginiana", + "virginia serpentaria", + "asarum", + "género asarum", + "arenaria", + "género arenaria", + "arenaria groenlandica", + "estrellada de montaña", + "flor de montaña", + "minuartia de montaña", + "cerastio", + "género cerastium", + "pamplina", + "clavel", + "lychnis", + "silene", + "género stellaria", + "stellaria", + "ámelo", + "género vaccaria", + "vaccaria", + "género tetragonia", + "kokihi", + "tetragonia", + "amaranthus", + "género quenopodio", + "quenopodio", + "atriplex", + "género atriplex", + "atriplex lentiformis", + "chicalote", + "salado", + "bassia", + "género bassia", + "género kochia", + "kochia", + "beta", + "género beta", + "beta vulgaris", + "estepicursor", + "halogeton", + "género salicornia", + "salicornia", + "género spinacia", + "spinacia", + "spinacia oleracea", + "bougainvillea", + "opuntiales", + "cactáceas", + "familia cactáceas", + "cactaceae", + "cacto", + "cactus", + "carnegiea gigantea", + "corifanta", + "coryphantha", + "género equinocactus", + "echinocactus", + "cactus erizo", + "epiphyllum", + "lophophora williamsii", + "mezcal", + "mammillaria", + "género pediocactus", + "pediocactus", + "cactus de navidad", + "género schlumbergera", + "schlumbergera", + "fitolaca", + "género fitolaca", + "portulacáceas", + "portulaca", + "lewisia rediviva", + "género talinum", + "talinum", + "capparis spinosa", + "cleome", + "nasturtium officinale", + "armoracia", + "género armoracia", + "berteroa", + "género berteroa", + "brassica", + "género brassica", + "brassica oleracea italica", + "brassica oleracea gongyloides", + "capsella", + "género capsella", + "silícula", + "cardamine", + "género cardamine", + "lathraea", + "diplotaxis", + "género diplotaxis", + "draba", + "heliophila", + "género hugueninia", + "hugueninia", + "género iberis", + "iberis", + "género isatis", + "isatis", + "género lobularia", + "lobularia", + "género pritzelago", + "pritzelago", + "género raphanus", + "raphanus", + "raphanus sativus", + "schizopetalon", + "género stanleya", + "stanleya", + "género stephanomeria", + "stephanomeria", + "wasabi", + "papaverales", + "opio", + "género argemone", + "argemone", + "género hunnemania", + "hummemannia", + "hunnemannia", + "sanguinaria canadensis", + "género stylophorum", + "stylophorum", + "achillea", + "ageratum", + "ambrosía", + "andryala", + "anthemis", + "género anthemis", + "magarzuela", + "manzanilla hedionda", + "arctium", + "género arctium", + "arctium", + "xanthium", + "arnoseris", + "género arnoseris", + "artemisia abrotanum", + "artemisia dracunculus", + "ayapana", + "bellis", + "género bellis", + "bidens", + "género bidens", + "bidens tripartita", + "corona de rey", + "flamenquilla", + "maravilla", + "rosa de muerto", + "buphthalmum", + "género puphthalmum", + "manzanilla loca", + "género caléndula", + "caléndula", + "cardo ajonjero", + "carthamus", + "género carthamus", + "carthamus tinctorius", + "catananche", + "centaurea", + "género centaurea", + "centaurea cyanus", + "chaenactis", + "chrysanthemum", + "chrysopsis", + "género chrysopsis", + "cichorium", + "género acichorium", + "cichorium intybus", + "cirsium", + "género cirsium", + "cardo cundidor", + "cirsium discolor", + "conoclinium", + "género conoclinium", + "coreopsis", + "crepis", + "género crepis", + "cynara", + "género cynara", + "cynara scolymus", + "cynara cardunculus", + "dahlia", + "gaillardia", + "gazania", + "helianthus", + "helianthus annuus", + "género heliopsis", + "heliopsis", + "hieracium", + "inula", + "inula helenium", + "krigia", + "lactuca sativa", + "lactuca sativa longifolia", + "lechuga romana", + "lechuga china", + "génro leontodon", + "leontodon", + "leontodon", + "género leontopodium", + "leontopodium", + "género leucogenes", + "leucogenes", + "mutisia", + "othonna", + "género pericallis", + "pericallis", + "acroclinium", + "género solidago", + "solidago", + "solidago", + "género sonchus", + "sonchus", + "stevia", + "caléndula", + "género tagetes", + "maravilla", + "chrysanthemum cinerariaefolium", + "tanacetum parthenium", + "tanacetum vulgare", + "tithonia", + "tragopogon", + "verbesina", + "vernonia", + "xeranthemum", + "loasa", + "bartonia", + "aquenio", + "campánula", + "campanula divaricata", + "campánula", + "género orchis", + "orquídea", + "aerides", + "arethusa bulbosa", + "boca de dragón", + "bletia", + "pseudobulbo", + "género Caladenia", + "género caladenia", + "caladenia", + "calanthe", + "calopogon", + "género calopogon", + "calopogon pulchellum", + "calopogon tuberosum", + "cattleya", + "coelogyne", + "cymbidium", + "dendrobium", + "himantoglossum hircinum", + "lizard orchid", + "orquídea del lagarto", + "laelia", + "maxillaria", + "odontoglossum", + "phaius", + "género platanthera", + "platanthera", + "pleurothallis", + "sobralia", + "stanhopea", + "stelis", + "vanda", + "vanilina", + "dioscoreáceas", + "familia dioscoreáceas", + "dioscorea", + "género dioscorea", + "primavera", + "prímula", + "glaux", + "género glaux", + "lysimachia ciliatum", + "euro", + "lysimachia nummularia", + "monetaria", + "nenúfar", + "genus limonium", + "limonium", + "graminales", + "orden graminales", + "césped", + "hierba", + "herbaje", + "pasto", + "aegilops", + "género aegilops", + "agropiro", + "Pascopyrum smithii", + "agropiro intermedio", + "agropyron intermedium", + "elymus hispidus", + "agrostis", + "bentgrass", + "andropogon virginiicus", + "barbas de indio", + "arrhenatherum", + "genus arrhenatherum", + "avena", + "género avena", + "avena sativa", + "bromus japonicus", + "pasto japonés", + "bouteloua", + "género bouteloua", + "Buchloe", + "buchloe", + "género buchloe", + "hierba búfalo", + "pasto búfalo", + "calamagrostis", + "género calamagrostis", + "zacate cadillo", + "digitaria", + "género digitaria", + "digitaria ischaemum", + "garranchuelo", + "hystrix", + "elimo canadiense", + "elymus canadensis", + "silver grass", + "glyceria", + "género glyceria", + "grano de cebada", + "género lolium", + "lolium", + "lolium", + "género oryza", + "oryza", + "arroz", + "género oryzopsis", + "oryzopsis", + "mijera", + "género panicum", + "panicum", + "paspalum", + "género schizachyrium", + "schizachyrium", + "secale cereale", + "caña", + "caña", + "sorghum", + "pasto alambre", + "género stenotaphrum", + "stenotaphrum", + "cereal", + "trigo", + "cariópside", + "triticum durum", + "triticum spelta", + "zea mays", + "género zizania", + "zizania", + "zoysia", + "bambuseas", + "tribu bambuseas", + "bambú", + "bambú", + "bambusa", + "género bambusa", + "arundinaria", + "bambú", + "género arundinaria", + "cyperaceas", + "familia cyperaceas", + "familia juncias", + "erióforo", + "género erióforo", + "castaña de agua", + "eleocharis palustris", + "juncia cilíndrico-provenida", + "orden pandanales", + "pandanales", + "género pandanus", + "pandanus", + "lauhala", + "pandanus tectorius", + "pándano", + "género typha", + "totoras", + "typha", + "familia sparganiáceas", + "sparganiáceas", + "grano", + "grano", + "cucúrbita", + "género cucúrbita", + "bryonia", + "citrullus lanatus", + "cucumis", + "género cucumis", + "cucumis melo", + "cucumis sativus", + "ecballium", + "género ecballium", + "pepino del diablo", + "género lagenaria", + "lagenaria", + "lagenaria siceraria", + "género luffa", + "luffa", + "esponja vegetal", + "lufa", + "lufa vegetal", + "lobelia", + "malvales", + "orden malvales", + "abelmoschus esculentus", + "género althaea", + "hibiscus", + "hibiscus cannabinus", + "kosteletzya virginica", + "melcocha de sal", + "malope", + "ceiba pentandra", + "durio", + "madera de balsa", + "elaeocarpus", + "género elaeocarpus", + "madera de quandong", + "quandong", + "silkwood", + "sterculia", + "dombeya", + "fremontia", + "fremontodendron", + "género fremontia", + "género fremontodendron", + "corchorus", + "herbácea", + "hierba", + "orden proteales", + "proteales", + "protea", + "banksia", + "conospermum", + "género conospermum", + "grevillea", + "genus persoonia", + "persoonia", + "género telopea", + "telopea", + "telopea", + "casuarina", + "ericales", + "orden ericales", + "ericáceas", + "familia brezos", + "familia hericáceas", + "brezo", + "arctostaphylos", + "género arctostaphylos", + "kalmia", + "género oxydendrum", + "oxydendrum", + "rhododendron", + "arandano rojo", + "clethráceas", + "género diapensia", + "diapensia", + "galax", + "género epacris", + "epacris", + "pyrola", + "fagus", + "género fagus", + "fagus", + "haya", + "castanea", + "género castanea", + "castaño", + "género lithocarpus", + "lithocarpus", + "haya plateada", + "nothofagus menziesii", + "copa", + "roble", + "encina", + "alcornoque", + "abedul", + "betula", + "abedul", + "alnus", + "género alnus", + "carpinus", + "avellana picuda", + "corylus cornuta", + "olivo", + "forestiera", + "género forsythia", + "forsythia", + "fraxinus", + "género fraxinus", + "fraxinus texensis", + "serbal de cazadores", + "jasminum", + "ligustrum", + "género haemodorum", + "haemodorum", + "fothergilla", + "género liquidambar", + "género liquidámbar", + "liquidámbar", + "liquidámbar", + "ámbar líquido", + "copalma", + "liquidámbar", + "ocozol", + "juglandales", + "orden juglandales", + "género juglans", + "juglans", + "juglans", + "carya", + "carya illinoinensis", + "género pterocarya", + "pterocarya", + "myrtales", + "órden myrtales", + "órden thymelaeales", + "combretum", + "elaeagnus", + "género elaeagnus", + "grias", + "género grias", + "bertholletia", + "género bertholletia", + "género lythrum", + "lythrum", + "arrayán", + "género mirto", + "mirto", + "género pimenta", + "pimenta", + "pimienta", + "pimenta dioica", + "género psidium", + "psidium", + "psidium", + "eucalipto", + "eucalyptus", + "Eucalyptus camphora", + "eucalyptus camphora", + "syzygium aromaticum", + "nyssa", + "circae", + "circaea", + "género circaea", + "fuchsia", + "género púnica", + "punica", + "púnica", + "punica granatum", + "dirca", + "género dirca", + "abrojo", + "género rhexia", + "rhexia", + "cannáceas", + "familia cannáceas", + "achira", + "maranta arundinacea", + "género musa", + "musa", + "musa × paradisiaca", + "ensete", + "género ensete", + "zingiber officinale", + "galangal", + "elettaria", + "género elettaria", + "dillenia", + "calaba", + "calophyllum longifolium", + "maria", + "santa maria", + "clusia", + "clusia insignis", + "flor de cera", + "hoya carnosa", + "canella", + "asimina", + "helianthemum", + "lauan rojo", + "shorea teysmanniana", + "tangile", + "tiaong", + "idesia", + "género passiflora", + "passiflora", + "granadilla", + "género reseda", + "halófita", + "violeta", + "viola canina", + "violeta perro", + "pensamiento", + "viola × wittrockiana", + "urtica", + "bohemeria", + "género boehmeria", + "boehmeria nivea", + "cáñamo", + "hierba", + "marihuana", + "maría", + "género morus", + "morus", + "género maclura", + "maclura", + "pino amarillo", + "artocarpus heterophyllus", + "broussonetia", + "género broussonetia", + "olmo rojo", + "ulmus serotina", + "planta iridácea", + "lirio", + "iris cristata", + "iris enano", + "crocus", + "crocus sativus", + "freesia", + "género gladiolo", + "género gladiolus", + "gladiolus", + "hippeastrum", + "liliácea", + "género lilium", + "lilium", + "lirio", + "lillium auratum", + "lirio dorado", + "lilium ramitimum", + "allium canadense", + "cebolla", + "cebolla", + "chalota", + "escalonia", + "allium porrum", + "allium vineale", + "cebolla silvestre", + "ceborrincha", + "aloe", + "kniphofia", + "asparagus officinalis", + "smilax", + "asfodeláceas", + "familia asfodeláceas", + "fritillaria", + "género fritillaria", + "tulipán", + "hemerocallis", + "scilla", + "abama", + "narthecium americanum", + "trillium", + "clintonia", + "subfamilia uvulariáceas", + "uvulariáceas", + "sansevieria", + "oreja de burro", + "sansevieria guineensis", + "yucca", + "yucca elata", + "árbol jabón", + "fisostigma", + "género fisostigma", + "physostigma", + "caesalpinioidéas", + "subfamilia caesalpinioidéas", + "caesalpinia coriaria", + "bauhinia", + "género bauhínia", + "ceratonia", + "género ceratonia", + "acacia", + "tamarindus indica", + "amorpha", + "aspalathus linearis", + "caragana", + "cicer arietinum", + "cladrastis", + "género cladrastis", + "clianthus puniceus", + "crotalaria", + "cyamopsis tetragonoloba", + "jacaranda", + "cocobolo", + "dalbergia retusa", + "granadillo", + "dalea", + "género dalea", + "derris", + "desmodium", + "genus desmodium", + "erythrina", + "gastrolobium", + "glycine max", + "glycyrrhiza glabra", + "lespedeza", + "lens culinaris", + "lucerna", + "medicago sativa", + "millettia", + "mucuna", + "onobrychis", + "locoísmo", + "alubia", + "judía", + "pueraria lobata", + "género robinia", + "robinia", + "sesbania", + "Sharpunkha", + "sharpunkha", + "tephrosia purpurea", + "thermopsis villosa", + "ulex", + "vigna unguiculata", + "wisteria", + "orden palmales", + "palmales", + "palma", + "palmera", + "acrocomia", + "género acrocomia", + "areca", + "borassus", + "género borassus", + "ratán", + "cabellera de mary", + "calamus australis", + "caryota", + "género caryota", + "ceroxylon", + "género ceroxylon", + "cocos", + "género cocos", + "cocos nucifera", + "elaeis", + "género elaeis", + "Palma aceitera africana", + "elaeis guineensis", + "palma aceitera africana", + "elaeis oleifera", + "palma aceitera americana", + "género livistona", + "livinstona", + "livistona", + "nuez de babassu", + "género phoenicophorium", + "phenicophorium", + "phoenicophorium", + "palmera bambú", + "raffia vinifera", + "orden plantaginales", + "plantaginales", + "poligonales", + "órden poligonales", + "fagopyrum esculentum", + "género eriogonum", + "eriogonum", + "género rheum", + "rheum", + "Xyris operculata", + "xyris operculata", + "commelina", + "género tradescantia", + "tradescantia", + "ananas comosus", + "familia pontederias", + "familia pontederiáceas", + "pontederiáceas", + "género pontederia", + "pontederia", + "eichhornia", + "género eichhornia", + "género heteranthera", + "heteranthera", + "familia hydrocharidáceas", + "familia hydrocharitáceas", + "hydrocharidáceas", + "hydrocharitáceas", + "género hydrocharis", + "hydrocharis", + "hydrilla", + "género limnobium", + "limnobium", + "anacharis", + "género vallisneria", + "vallisneria", + "rosa", + "brezal", + "zarza", + "zarzal", + "agrimonia", + "chaenomeles", + "género chaenomeles", + "chrysobalanus", + "género chrysobalanus", + "icaco", + "cydonia", + "género cydonia", + "dryas", + "género dryas", + "té suizo", + "eriobotrya japonica", + "fragaria", + "género fragaria", + "geum", + "género geum", + "cariofilada", + "gariofilea", + "geum canadense", + "manzano", + "Malus pumila", + "manzano", + "género mespilus", + "mespilus", + "ciruelo silvestre", + "prunus armeniaca", + "cerasus", + "cerezo silvestre", + "prunus dulcis", + "capulin", + "capulín", + "prunus demissa", + "prunus virginiana demissa", + "pera", + "frutal", + "árbol frutal", + "rubus canadensis", + "zarzamora americana", + "frambuesa americana", + "rubus idaeus strigosus", + "rubus strigosus", + "serbal del oeste", + "sorbus sitchensis", + "spiraea", + "asperula", + "género asperula", + "coffea", + "género coffea", + "café", + "woodruff", + "genipa", + "hamelia", + "género abelia", + "abelia", + "género kolkwitzia", + "kolkwitzia", + "género lonicera", + "lonicera", + "lonicera", + "madreselva", + "género symphoricarpos", + "symphoricarpos", + "género weigela", + "weigela", + "dipsacus", + "género dipsacus", + "scabiosa", + "género impatiens", + "familia geranium", + "familia geraniáceas", + "geraniáceas", + "geranium", + "geranio", + "erodium", + "género erodium", + "pico de cigüeña", + "erythroxylum coca", + "canarium luzonicum", + "callitriche", + "género callitriche", + "género malpighia", + "malpighia", + "caoba cubana", + "caoba dominicana", + "caoba swietinia", + "caoba verdadera", + "oxalis", + "oxalis tuberosa", + "ruta", + "género citrus", + "naranjo", + "tangor", + "tangelo", + "fortunella", + "género irvingia", + "irvingia", + "quassia", + "familia nasturtium", + "familia tropaeoláceas", + "tropaeoláceas", + "bulnesia", + "guaiacum", + "chicle de sonora", + "orden salicales", + "salicales", + "salix blanda", + "salix pendulina", + "salix pendulina blanda", + "salix lasiolepis", + "sauce arroyo", + "eucarya", + "fusanus", + "género eucarya", + "género fusanus", + "género sapindus", + "sapindus", + "jaboncillo", + "dimocarpus", + "género dimocarpus", + "harpullia", + "melicoccus bijugatus", + "nephelium lappaceum", + "buxus", + "género buxus", + "pachysandra", + "cyrilla", + "empetráceas", + "familia empetráceas", + "empetrum", + "género empetrum", + "empetrum", + "sicómoro", + "ilex", + "encina", + "guillomo del Canadá", + "acebo de Georgia", + "aliso falso común", + "anacardium", + "género anacardium", + "cotinus", + "fustete", + "género cotinus", + "mangifera", + "rhus", + "rhus diversiloba", + "toxicodendron diversilobum", + "bumelia lanuginosa", + "styrax", + "género sarracenia", + "sarracenia", + "familia nepentháceas", + "nepentháceas", + "roridula", + "crassuláceas", + "familia crassuláceas", + "familia telefío", + "sedum", + "hydrangea", + "carpenteria", + "deutzia", + "syringa", + "astilbe", + "bergenia", + "parnassia", + "tiarella", + "grosellero de invierno", + "ribes sanguineum", + "familia platanáceas", + "platanáceas", + "género polemonium", + "polemonium", + "phlox", + "género acanthus", + "graptophyllum", + "género graptophyllum", + "bignonia", + "borago officinalis", + "anchusa", + "género hackelia", + "género lappula", + "hackelia", + "lappula", + "género myosotis", + "myosotis", + "myosotis", + "género symphytum", + "symphytum", + "symphytum", + "convolvulus", + "convolvulus scammonia", + "dichondra", + "dama de noche", + "género ipomoea", + "ipomoea", + "marah", + "ipomoea imperialis", + "ipomoea japonesa", + "achimenes", + "aeschynanthus", + "columnea", + "episcia", + "kohleria", + "streptocarpus", + "género hydrophyllum", + "hydrophyllum", + "nemophila", + "phacelia", + "amsinckia", + "agastache", + "género agastache", + "ajuga", + "género ajuga", + "calamintha", + "género calamintha", + "clinopodium", + "género clinopodium", + "solenostemon", + "glechoma", + "género glechoma", + "hyssopus", + "género lavandula", + "lavandula", + "lavandula", + "origanum", + "origanum majorana", + "origanum vulgare", + "origanum dictamnus", + "género marrubium", + "marrubium", + "mentha × piperita", + "género monarda", + "monarda", + "género nepeta", + "nepeta", + "género ocimum", + "ocimum", + "phlomis", + "physostegia", + "plectranthus", + "pogostemon cablin", + "género rosmarinus", + "rosmarinus", + "romero", + "rosmarinus officinalis", + "salvia lyrata", + "género scutellaria", + "scutellaria", + "marum", + "thymus", + "familia lentibulariáceas", + "lentibulariáceas", + "genlisea", + "martynia", + "alegría", + "sesamum indicum", + "martynia fragrans", + "proboscidea fragans", + "torito", + "dragón", + "digitalis", + "stenandrium", + "verbascum", + "verbascum thapsus", + "belladona", + "dulcamara", + "género solanum", + "solano", + "batata silvestre", + "solanum commersonii", + "solanum melongena", + "atropa", + "género atropa", + "browallia", + "capsicum", + "chile", + "pimentón", + "cyphomandra", + "género cyphomandra", + "tamarillo", + "tomate de árbol", + "solanum betaceum", + "chamico", + "datura", + "estramonio", + "género datura", + "zaedyus pichiy", + "lycium", + "género lycopersicon", + "género lycopersicum", + "lycopersicon", + "lycopersicum", + "solanum lycopersicum", + "tabaco", + "nierembergia", + "alquenqueje", + "capulí", + "género physalis", + "physalis", + "physalis ixocarpa", + "salpiglossis", + "schizanthus", + "verbena", + "lantana", + "tectona grandis", + "euphorbia peplus", + "lechetrezna", + "acalypha", + "género acalypha", + "cascarilla", + "manihot esculenta", + "aleurites", + "género aleurites", + "árbol candil", + "candelilla", + "pedilanthus bracteatus", + "pedilanthus pavonis", + "género sebastiana", + "sebastiana", + "camellia", + "aethusa", + "género aethusa", + "anethum", + "género anethum", + "anethum graveolens", + "angelica", + "anthriscus cerefolium", + "apium graveolens", + "astrantia", + "peucedanum ostruthium", + "carum", + "género carum", + "carum carvi", + "coriandrum sativum", + "cuminum", + "género cuminum", + "daucus", + "género daucus", + "daucus carota", + "heracleum", + "levisticum officinale", + "género petroselinum", + "petroselinum", + "género pimpinella", + "pimpinella", + "pimpinella anisum", + "género smyrnium", + "smurnium", + "smyrnium", + "familia hymenophyláceas", + "hymenophyláceas", + "género hymenophyllum", + "hymenophyllum", + "género trichomanes", + "trichomanes", + "género osmunda", + "género todea", + "todea", + "género mohria", + "mohria", + "familia marsileáceas", + "marsileáceas", + "mastuerzo", + "género marsilea", + "marsilea", + "mastuerzo", + "género pilularia", + "pilularia", + "familia salviniáceas", + "salviniáceas", + "género salvinia", + "salvinia", + "salvinia", + "salvinia auriculata", + "salvinia rotundifolia", + "ophioglossales", + "género ophioglossum", + "ophioglossum", + "botrychium", + "género botrychium", + "botrychium matricariifolium", + "stroma", + "cornezuelo del centeno", + "familia helotiáceas", + "helotiáceas", + "género helotium", + "helotium", + "familia sclerotiniáceas", + "sclerotiniáceas", + "sclerotinia", + "familia tulostomatáceas", + "familia tulostomáceas", + "tulostomatáceas", + "tulostomáceas", + "género tulestoma", + "género tulostoma", + "tulestoma", + "tulostoma", + "género truncocolumella", + "truncocolumella", + "mucor", + "rhizopus", + "rhizopus nigricans", + "enthomophthorales", + "entomphthorales", + "orden entomophthorales", + "moho mucilaginoso verdadero", + "myxomycete", + "dictostylium", + "familia synchytriáceas", + "synchytriáceas", + "pythium", + "hongo del marchitamiento", + "pythium debaryanum", + "hongo bastón", + "familia hydnáceas", + "hydnáceas", + "idno", + "género hydnum", + "hydnum", + "liquen", + "familia lecanoráceas", + "lecanoráceas", + "género lecanora", + "familia roccelláceas", + "roccelláceas", + "género roccella", + "familia pertusariáceas", + "pertusariáceas", + "fungi", + "hongo", + "clase deuteromycetes", + "deuteromycetes", + "agaricales", + "order agaricales", + "agarico", + "agárico", + "seta", + "género lentinus", + "lentinus", + "lentinula edodes", + "amanita mappa", + "falsa oronja", + "amanita rubescens", + "cantharellus cibarius", + "pholiota squarrosoides", + "basidiomycete", + "lámina", + "entolomatáceas", + "familia entolomatáceas", + "género chlorophyllum", + "lepiota", + "lepiota morgani", + "familia tricholomatáceas", + "tricholomatáceas", + "familia volvariáceas", + "volvariáceas", + "familia pluteáceas", + "pluteáceas", + "levadura", + "familia schizoaccharomycetáceas", + "schizoaccharomycetáceas", + "eurotium", + "género eurotium", + "hongo funerario", + "género peziza", + "peziza", + "peziza coccinea", + "peziza escarlata", + "familia sarcoscypháceas", + "sarcoscypháceas", + "género wynnea", + "wynnea", + "falsa colmenilla", + "hongo bonete", + "género helvella", + "género discina", + "discina", + "gyromitra", + "gasteromycete", + "género mutinus", + "mutinus", + "orden tulostomatales", + "tulostomatales", + "calostomatáceas", + "familia calostomatáceas", + "clathrus", + "género clathrus", + "familia geastráceas", + "geastráceas", + "género radiigera", + "radiigera", + "astreus", + "género astreus", + "género nidularia", + "nidularia", + "orden secotiales", + "secotiales", + "albatrellus", + "género albatrellus", + "género neolentinus", + "neolentinus", + "género nigroporus", + "nigroporus", + "género oligoporus", + "oligoporus", + "fuscoboletinus", + "género fuscoboletinus", + "género leccinum", + "leccinum", + "género phylloporus", + "phylloporus", + "género suillus", + "suillus", + "boletellus", + "género boletellus", + "auricularia", + "género auricularia", + "familia melampsoráceas", + "melampsoráceas", + "carbón", + "hongo carbón", + "familia ustilagináceas", + "ustilagináceas", + "género tilletia", + "tilletia", + "género urocystis", + "urocystis", + "familia septobasidiáceas", + "septobasidiáceas", + "género hygrocybe", + "hygrocybe", + "género hygrophorus", + "hygrophorus", + "hygrophorus marzuolus", + "seta de marzo", + "género hygrotrama", + "hygrotrama", + "género neohygrophorus", + "neohygrophorus", + "cortinariáceas", + "familia cortinariáceas", + "mildiu", + "verticillium", + "rhizoctinia", + "género ozonium", + "ozonium", + "planta vascular", + "cultivar", + "maleza", + "cosecha", + "parte", + "órgano", + "órgano vegetal", + "perspicacia", + "gloquidio", + "barba", + "arilo", + "tubo", + "asca", + "ascospora", + "carpelo", + "gineceo", + "androceo", + "anillo", + "anterozoide", + "espermatozoide", + "carne", + "médula vegetal", + "nervio", + "xilema", + "floema", + "pseudofloema", + "agalla", + "perennifolio", + "enredadera", + "trepadora", + "cirro", + "planta leñosa", + "árbol", + "conífera", + "bonsái", + "maleza", + "arbusto", + "mata", + "arbusto enano", + "subarbusto", + "liana", + "xerófila", + "xerófito", + "hidrófito", + "litófita", + "nutrición autótrofa", + "raíz", + "raíz primaria", + "estolón", + "copa", + "portainjerto", + "tallo", + "umbela", + "panícula", + "tirso", + "glomérulo", + "espádice", + "bulbo", + "fruto", + "pepita", + "semilla", + "sicono", + "acino glandular", + "pomo", + "casco", + "género rhamnus", + "rhamnus", + "familia vides", + "familia vitáceas", + "vitidáceas", + "vitáceas", + "uva", + "vid", + "vitis rotundifolia", + "chardonnay", + "uva chardonnay", + "malvasía", + "orden piperales", + "piperales", + "piper betle", + "piper cubeba", + "esquizocarpio", + "peperomia", + "chloranthus", + "chlorantus", + "género chloranthus", + "género saururus", + "saururus", + "follaje", + "hoja", + "lenticela", + "foliolo", + "hojilla", + "fronda", + "bractea", + "escámula", + "hoja simple", + "aguja", + "hoja aciculada", + "hoja acicular", + "hoja orbiculada", + "hoja orbicular", + "hoja panduriforme", + "hoja reniforme", + "lígula", + "corteza", + "rama", + "ramo", + "vástago", + "vara", + "bardaguera", + "retoño", + "vástago", + "ramo", + "tronco", + "nudo", + "helechos", + "helechos", + "clase filicíneas", + "clase filicópsidas", + "filicopsida", + "filicíneas", + "filicales", + "orden filicales", + "orden poliopodiales", + "polyopodiales", + "familia gleicheniáceas", + "gleicheniáceas", + "gleichenia", + "género gleichenia", + "ceratopteris", + "género ceratopteris", + "ceratopteris thalictroides", + "floating fern", + "helecho de agua", + "polipodio", + "polipodio", + "polipodio de roca", + "polypodium virgianum", + "drynaria rigidula", + "helecho de espada", + "lecanopteris", + "cuernas", + "platycerium andinum", + "mirmecófita", + "asplenium nigripes", + "schaffneria nigripes", + "scolopendrium nigripes", + "woodwardia virginica", + "cyathea", + "género cyathea", + "davallia", + "davalia de Canarias", + "género pteridium", + "pteridium", + "pteridium", + "dicksoniáceas", + "familia dicsoniáceas", + "culcita dubia", + "falso helecho", + "thyrsopteridaceae", + "thyrsopteris", + "thyrsopteris elegans", + "dryopteris oreades", + "helecho de montaña", + "helecho macho", + "helecho acebo", + "polystichum scopulinum", + "género tectaria", + "tectaria", + "woodsia", + "bolbitis", + "género bolbitis", + "anogramma", + "género anogramma", + "cryptogramma crispa", + "género jamesonia", + "jamesonia", + "pteris serrulata", + "género psilotum", + "psilotum", + "belcho", + "cola de caballo", + "equisetum", + "género equisetum", + "belcho", + "equisetum arvense", + "clase lycopodíneas", + "licopodíneas", + "lycopodíneas", + "familia lycopodiáceas", + "lycopodiáceas", + "helecho arco iris", + "rosa de jericó", + "familia isoetáceas", + "isoetáceas", + "familia geloglosáceas", + "geoglosáceas", + "lengua de tierra", + "familia thelypteridáceas", + "thelipteridáceas", + "thelypteridáceas", + "dryopteris thelypteris pubescens", + "thelypteris palustris pubescens", + "goniopteris", + "género goniopteris", + "dryopteris phegopteris", + "phegopteris connectilis", + "thelypteris phegopteris", + "asclepias subveriticillata", + "asclepias subverticillata", + "hoya", + "género sarcostemma", + "sarcostema", + "stapelia", + "stephanotis", + "propiedad", + "opción de compra", + "opción de bloqueo", + "propietario", + "cooperativa", + "pertenencia", + "propiedad", + "comunidad de bienes", + "bien", + "patrimonio", + "pertenencia", + "propiedad privada", + "cosas", + "finca", + "hacienda", + "terreno", + "tierra", + "beneficio", + "parcela", + "masía", + "finca", + "terreno", + "manos muertas", + "fortuna", + "riqueza", + "dinero", + "fortuna", + "hacienda", + "patrimonio", + "riqueza", + "baronía", + "finca", + "señoría", + "hacienda", + "orangerie", + "posesión transferida", + "propiedad transferida", + "traspaso", + "adquisición", + "compra", + "beneficio", + "ganancia", + "ingreso", + "taquilla", + "beneficio no real", + "ganancia", + "lucro", + "rendimiento", + "cochino lucro", + "dinero sucio", + "margen de ganancias", + "margen de provecho", + "renta", + "renta", + "contribución", + "ingresos por tributación", + "tasación", + "tributación", + "tributos", + "botín", + "presa", + "botín", + "presa", + "herencia", + "patrimonio", + "herencia", + "legado", + "disposiciones testamentarias", + "regalo", + "dádiva", + "obsequio", + "presente", + "regalo", + "dote", + "dádiva", + "presente", + "apoyo", + "ayuda", + "ayuda exterior", + "beca", + "propina", + "premio", + "bote", + "premio gordo", + "presente", + "regalo", + "regalo de Navidad", + "regalo de reyes", + "regalo de boda", + "regalo de casamiento", + "regalo de reyes", + "contribución", + "aportación", + "contribución", + "diezmo", + "ofertorio", + "contribución política", + "donación política", + "patrimonio", + "donación para misas", + "donación", + "prima", + "sacrificio de gracia", + "incentivo de ventas", + "gasto", + "gastos", + "gasto", + "coste", + "costo", + "gastos de mudanza", + "gasto de capital", + "abono", + "desembolso", + "pago", + "ganancias", + "nómina", + "paga", + "remuneración", + "salario", + "sueldo", + "doble salario", + "devolución del alquiler", + "compensación", + "indemnización", + "sobrecompensación", + "pensión", + "derecho de alimentos", + "rescate", + "galardón", + "recompensa al mérito", + "parte", + "porcentaje", + "caridad", + "limosna", + "parte", + "ración", + "parte", + "porción", + "trozo", + "interés", + "participación", + "participación mayoritaria", + "partes iguales", + "parte", + "provecho", + "tajada", + "cuota", + "compensación", + "daños", + "enmiendas", + "indemnidad", + "indemnificaciones", + "indemnización", + "reparación", + "restitución", + "contrapeso", + "desbalance", + "medida de contrapeso", + "reparación", + "compensación", + "expiación", + "satisfacción", + "vindicación", + "línea de pobreza", + "nivel de pobreza", + "dieta", + "estipendio", + "tontina", + "alquiler", + "alquiler exorbitante", + "compra a plazos", + "ayuda", + "baksheesh", + "pago final", + "giro", + "remesa", + "amortización", + "pago", + "reembolso", + "reintegro", + "morosidad", + "miseria", + "sueldo de hambre", + "compensación", + "retribución", + "pena", + "multa", + "prima", + "prima de seguros", + "letra", + "plazo", + "coste por préstamo", + "condiciones", + "daño", + "precio", + "precio", + "soborno", + "coste de mantenimiento", + "cargos de mantenimiento", + "costo de mantenimiento", + "costos de mantenimiento", + "porte", + "portes", + "gastos de viaje", + "importe", + "billete", + "canon", + "carga", + "contribución", + "gabela", + "gravamen", + "imposición", + "impuesto", + "tasa", + "tributación", + "tributo", + "deducción por negocios", + "retención", + "impuesto por sucesión", + "timbre", + "tarifa", + "especiales", + "impuesto proteccionista", + "impuestos proteccionistas", + "impuestos de importación", + "tarifas de exportación", + "interés", + "interés compuesto", + "descuento", + "usura", + "estipendio", + "honorario", + "honorarios", + "tarifa", + "comisión", + "prima", + "entrada", + "señoreaje", + "prima", + "porte", + "tarifa", + "tipo", + "servicio", + "porte", + "transporte", + "tipo de cambio", + "déficit", + "en rojo", + "números rojos", + "pérdida", + "pérdidas", + "pérdida", + "pérdida", + "deducción", + "pérdida", + "bienes", + "reserva", + "cantidad", + "suma", + "cifra", + "recurso", + "recursos humanos", + "recursos laborales", + "líquido", + "inversión", + "capital", + "participación", + "capital social", + "acciones preferentes", + "acción preferencial acumulativa", + "empréstito de obligaciones", + "bono convertible", + "obligación societaria", + "bono con cupó", + "valor del estado", + "bono basura", + "bono municipal", + "bono no rescatable", + "garantía del cumplimiento", + "obligación nominativa", + "obligación garantizada", + "obligación simple", + "obligación sin garantía", + "título del estado", + "valor del estado", + "título hipotecario", + "título nominativo", + "bono de ahorro", + "bono cupón cero", + "accesión", + "acción", + "especulación", + "apuesta", + "postura", + "bote", + "protección", + "seguridad", + "seguro", + "bienestar económico", + "cobertura", + "contrato de seguro", + "seguro", + "seguro automotriz", + "coaseguro", + "seguro de salud", + "seguro sanitario", + "reaseguro", + "fianza", + "garantía", + "depósito", + "adelanto", + "entrada", + "señal", + "señal", + "fianza", + "paga y señal", + "fianza", + "garantía", + "prenda", + "empeño", + "pignoración", + "prenda", + "fianza", + "margen", + "venta condicionada", + "activo de garantía", + "caudal", + "opulencia", + "riqueza", + "capital", + "capital", + "dinero", + "banca", + "fortuna", + "bolsa", + "bolsillo", + "tesoro", + "hacienda", + "fondo bélico", + "fondo de guerra", + "cuenta corriente", + "cuenta de ahorro", + "comodidades", + "prestaciones", + "servicios", + "mantenimiento", + "subsistencia", + "acumulación", + "acervo", + "reserva", + "abasto", + "reserva", + "banco", + "banco de sangre", + "fondo común", + "fondo de reserva", + "tesoro", + "fortuna", + "botín", + "lingote", + "oro", + "plata", + "brillante", + "roca", + "perla", + "sistema monetario", + "patrón", + "bimetalismo", + "crédito", + "préstamo interbancario", + "tarjeta bancaria", + "letra", + "giro en descubierto", + "sobregiro", + "crédito", + "crédito fiscal", + "crédito imponible", + "crédito tributario", + "letra de crédito", + "crédito de sobregiro", + "depósito", + "ingreso", + "pagaré", + "talón", + "cheque de pago", + "jubilación", + "pensión", + "dinero", + "dinero", + "moneda", + "pasta", + "divisa", + "moneda", + "dinero en efectivo", + "papel moneda", + "cambio", + "cambio", + "vuelta", + "acuñación", + "efectivo", + "metálico", + "cambio", + "efectivi", + "picadillo", + "cambio", + "moneda", + "pieza", + "besante", + "ducado", + "maría", + "chelín inglés", + "corona", + "media corona", + "níquel", + "cincuenta centavos", + "medio dólar", + "cinco centavos", + "ocho peniques", + "nueve peniques", + "cobre", + "moneda", + "dólar", + "dólar de plata", + "doble águila", + "águila", + "media águila", + "estatero", + "billete", + "certificado de plata", + "letra del tesoro", + "bono del tesoro", + "obligación del estado", + "bono del estado", + "cincuenta", + "veinte", + "billete de diez", + "billete de cinco", + "níquel", + "dólar", + "déficit", + "déficit comercial", + "cuota", + "deuda", + "atraso", + "instrumento de deuda", + "obligación", + "título de crédito", + "empréstito", + "préstamo", + "crédito automotriz", + "pagaré", + "capital", + "documento", + "finiquito", + "constancia", + "registro", + "balance", + "libro", + "libro mayor", + "asiento", + "partida", + "crédito", + "salida", + "balance", + "balanza de pagos", + "examen", + "revisión", + "revisión puntual", + "registro", + "inventario", + "nómina", + "nómina", + "bolsa", + "cantidad", + "valor", + "papeleta de empeño", + "depósito", + "depósito", + "IOU", + "vale", + "certificado", + "título", + "certificado de acciones", + "bono", + "obligación", + "obligación con prima", + "certificado de suscripción", + "derecho de suscripción", + "título cupón cero", + "título convertible", + "valor cotizado", + "valor no cotizado", + "acción no cotizada", + "presupuesto", + "presupuesto", + "dinero de bolsillo", + "dinero para gastar", + "ablactación", + "destete", + "abrasión", + "corrosión", + "desgaste", + "rozadura", + "absorción", + "absorción", + "acumulación", + "acetilación", + "acilación", + "adaptación", + "adaptación biológica", + "aeración", + "aireación", + "oxigenación", + "ventilación", + "amilólisis", + "anafase", + "angiogénesis", + "anovulación", + "antropogenia", + "antropogénesis", + "aferesis", + "aféresis", + "apomixis", + "agamogénesis", + "reproducción asexuada", + "reproducción asexual", + "asimilación", + "absorción", + "asimilación", + "asimilación", + "asociación", + "ADP", + "bacteriólisis", + "bacteriostasis", + "procesamiento por lotes", + "erosión costera", + "florecimiento", + "antesis", + "florecimiento", + "función corporal", + "proceso corporal", + "movimiento", + "movimiento intestinal", + "gemación", + "carbonatación", + "efervescencia", + "gasificación", + "ciclo carbónico", + "ciclo del carbono", + "carbonización", + "cenogénesis", + "quelación", + "equilibrio", + "quimiosíntesis", + "parto", + "civilización", + "división celular", + "segmentación", + "deflagración", + "consumo conspicuo", + "consumo", + "recuperación", + "corrosivo", + "corrosión", + "erosión", + "corrupción", + "citólisis", + "descarboxilación", + "decadencia", + "descentralización", + "disminución", + "reducción", + "disminución", + "reducción", + "deyección", + "deflación", + "defoliación", + "deshidratación", + "desyodación", + "demanda", + "desnazificación", + "negación", + "desalinación", + "desalinización", + "desertificación", + "desarrollo", + "evolución", + "diacinecia", + "difusión", + "ruina", + "eliminación", + "expulsión", + "desinflación", + "desintegración", + "disolución", + "destilación", + "tramado", + "domesticación", + "operación dicotómica", + "mengua", + "electrólisis", + "elipsis", + "emisión", + "epitaxia", + "erosión", + "erosión", + "eritropoyesis", + "eutrofización", + "evolución", + "ejecución", + "lechigada de cerditos", + "fibrinólisis", + "fuego", + "llama", + "llamarada", + "flop", + "fragmentación", + "solidificación", + "liofilización", + "helada", + "fusión", + "fusión", + "galactosis", + "galvanización", + "gametogénesis", + "germinación", + "glaciación", + "globalización", + "glucogénesis", + "glucólisis", + "crecimiento", + "desarrollo", + "maduración", + "crecimiento", + "desarrollo", + "endurecimiento", + "cura", + "hemaglutinacion", + "hemaglutinación", + "hemoaglutinación", + "hematogenésis", + "hematogénesis", + "hematopoyesis", + "hemogénesis", + "hemopoyesis", + "sangüificación", + "hemimetabolismo", + "hemolisis", + "herencia", + "holometabolismo", + "hidrogenación", + "hiperhidrosis", + "polihidrosis", + "hipersecreción", + "epistasia", + "imbibición", + "incontinencia", + "aumento", + "crecimiento", + "incremento", + "multiplicación", + "encostración", + "inflación", + "afluir", + "avalancha", + "corriente interna", + "intelectualización", + "invaginación", + "ionización", + "citocinesis", + "lacrimación", + "lagrimeo", + "llanto", + "flujo lácteo", + "lactación", + "pipi", + "libración", + "pérdida", + "linfocitopoyesis", + "linfopoyesis", + "lisis", + "maceración", + "macroevolución", + "malabsorción", + "maduración", + "mecanismo", + "meiosis", + "mes", + "regla", + "metabolismo", + "metafase", + "microevolución", + "microfonación", + "muda", + "operación monádica", + "operación unaria", + "esporulación", + "monogénesis", + "morfogénesis", + "multiplicación", + "multiprogramación", + "angostamiento", + "estrechamiento", + "neurogénesis", + "nicturia", + "emisión nocturna", + "bajada en picado", + "descenso en picado", + "obsolescencia", + "oliguria", + "supresión", + "ovogénesis", + "operación", + "funcionamiento", + "función", + "marcha", + "orogénesis", + "oscilación", + "osificación", + "ovulación", + "reducción-oxidación", + "palingenesia", + "electroforesis sobre papel", + "peptización", + "diaforesis", + "sudor", + "transpiración", + "petrificación", + "fagocitosis", + "fotografía", + "fotosintesis", + "fotosíntesis", + "pinocitosis", + "placentación", + "plastinación", + "precloración", + "precipitación", + "proyección", + "proliferación", + "profase", + "proteólisis", + "psilosis", + "radiación", + "radioactividad", + "racionalización", + "reposición", + "reducción", + "sustitución", + "regeneración", + "regresión", + "liberación", + "represión", + "reproducción", + "reticulación", + "reabsorción", + "recaptación", + "arraigo", + "salivación", + "saponificación", + "dispersión", + "búsqueda", + "secreción", + "operación consecutiva", + "operación en serie", + "operación secuencial", + "operación serial", + "caída", + "humo", + "solvatación", + "clasificación", + "especialización", + "especiación", + "almacenamiento", + "subducción", + "sucesión", + "oferta", + "sinapsis", + "síntesis", + "bronceado", + "telofase", + "fusión", + "transaminación", + "translocación", + "transpiración", + "transpiración", + "transpiración", + "transporte", + "despliegue", + "florecimiento", + "absorción", + "captación", + "urbanización", + "uroquesia", + "evaporación", + "vapor", + "vaporización", + "formación de ampollas", + "vesiculación", + "digitalización de vídeo", + "pérdida", + "occidentalización", + "cantidad definida", + "ancho de banda", + "baud", + "baudio", + "mayoría", + "mayoría absoluta", + "pluralidad", + "número", + "citotoxicidad", + "unidad", + "unidad de medida", + "unidad de medición", + "denier", + "decimal", + "constante", + "coeficiente", + "reflectividad", + "transmitancia", + "constante cosmológica", + "constante de disociación", + "cuenta", + "número de bajas", + "factor", + "marcador", + "puntuación", + "resultado", + "déficit presupuestario", + "cero", + "par", + "primero", + "base", + "frecuencia", + "gúgol", + "googolplex", + "cuota", + "unidad angular", + "unidad lineal", + "unidad monetaria", + "unidad de impresión", + "unidad de sonido", + "unidad de masa", + "unidad de viscosidad", + "caloría", + "unidad de energía", + "unidad de trabajo", + "punto", + "medida circular", + "segundo", + "segundo de arco", + "minuto", + "grado", + "estereorradián", + "metro cuadrado", + "acre", + "área", + "hectárea", + "b", + "barn", + "braza", + "acre-pie", + "estándar", + "taza", + "pinta", + "pinta", + "celemín", + "arroba", + "mililitro", + "l", + "litro", + "nibble", + "partición", + "partición de disco", + "kibibyte", + "kilobyte", + "kilobit", + "kibibit", + "mebibyte", + "megabit", + "mebibit", + "gibibyte", + "gigabyte", + "Gb", + "gigabit", + "gibibit", + "tebibyte", + "terabyte", + "terabit", + "tebibit", + "pebibyte", + "petabyte", + "petabit", + "pebibit", + "exbibyte", + "exabyte", + "exabit", + "exbibit", + "zebibyte", + "zettabyte", + "zettabit", + "yobibyte", + "yottabyte", + "yottabit", + "unidad de elastancia", + "unidad de resistencia", + "amperio-hora", + "abamperio", + "amperio", + "oersted", + "exposición", + "amperio-vuelta", + "número de onda", + "caballo", + "voltiamperio", + "curio", + "dina", + "fuerza g", + "pie", + "pies", + "yarda", + "yardas", + "estadio", + "furlong", + "millas", + "vara", + "verstá", + "cable", + "codo", + "dedo", + "año luz", + "parsec", + "picómetro", + "micrómetro", + "milímetro", + "centímetro", + "metro", + "kilómetro", + "quilómetro", + "nudo", + "dólar", + "euro", + "franco", + "unidad monetaria afgana", + "unidad monetaria argentina", + "unidad monetaria tailandesa", + "unidad monetaria panameña", + "unidad monetaria etiope", + "céntimo", + "centavo", + "unidad monetaria venezolana", + "unidad monetaria ghanesa", + "unidad monetaria costarricense", + "unidad monetaria salvadoreña", + "unidad monetaria brasilera", + "unidad monetaria brasileña", + "unidad monetaria gambiense", + "unidad monetaria argelina", + "unidad monetaria bahreiní", + "unidad monetaria iraquí", + "unidad monetaria jordana", + "unidad monetaria jordania", + "unidad monetaria kuwaití", + "unidad monetaria libanesa", + "dirham", + "unidad monetaria tunecí", + "unidad monetaria tunesina", + "dinar", + "unidad monetaria yugoslava", + "unidad monetaria marroquí", + "unidad monetaria emiratense", + "dólar norteamericano", + "unidad monetaria vietnamita", + "unidad monetaria griega", + "unidad monetaria santotomense", + "unidad monetaria caboverdiana", + "unidad monetaria portuguesa", + "escudo", + "unidad monetaria húngara", + "florín", + "franco belga", + "unidad monetaria haitiana", + "unidad monetaria paraguaya", + "unidad monetaria holandesa", + "florín", + "unidad monetaria surinamesa", + "unidad monetaria surinamita", + "unidad monetaria peruana", + "sol", + "unidad monetaria papuana", + "unidad monetaria checa", + "unidad monetaria eslovaca", + "unidad monetaria islandesa", + "unidad monetaria sueca", + "corona sueca", + "unidad monetaria danesa", + "corona danesa", + "unidad monetaria noruega", + "corona noruega", + "unidad monetaria malauí", + "unidad monetaria zambiana", + "unidad monetaria angoleña", + "unidad monetaria birmana", + "unidad monetaria albana", + "unidad monetaria hondureña", + "unidad monetaria sierraleonesa", + "unidad monetaria rumana", + "unidad monetaria búlgara", + "unidad monetaria suazi", + "unidad monetaria italiana", + "lira", + "unidad monetaria británica", + "libra", + "libra esterlina", + "chelín", + "chelín británico", + "unidad monetaria turca", + "lira turca", + "unidad monetaria basuta", + "unidad monetaria lesothense", + "unidad monetaria alemana", + "Marco Alemán", + "unidad monetaria finlandesa", + "unidad monetaria mozambiqueña", + "unidad monetaria nigeriana", + "unidad monetaria butanesa", + "unidad monetaria mauritana", + "unidad monetaria tongana", + "unidad monetaria macaense", + "unidad monetaria española", + "peseta", + "unidad monetaria boliviana", + "unidad monetaria nicaragüense", + "unidad monetaria chilena", + "unidad monetaria colombiana", + "unidad monetaria cubana", + "unidad monetaria dominicana", + "peso dominicano", + "unidad monetaria guineana", + "unidad monetaria mejicana", + "unidad monetaria mexicana", + "unidad monetaria filipina", + "unidad monetaria uruguaya", + "unidad monetaria chipriota", + "mil", + "unidad monetaria egipcia", + "unidad monetaria irlandesa", + "unidad monetaria libanesa", + "unidad monetaria maltesa", + "unidad monetaria siria", + "unidad monetaria botsuana", + "unidad monetaria guatemalteca", + "unidad monetaria sudafricana", + "unidad monetaria iraní", + "unidad monetaria omanesa", + "unidad monetaria yemenita", + "unidad monetaria yemení", + "unidad monetaria camboyana", + "unidad monetaria catarí", + "unidad monetaria saudí", + "unidad monetaria armenia", + "unidad monetaria azerbaiyana", + "unidad monetaria bielorrusa", + "unidad monetaria estonia", + "unidad monetaria georgiana", + "unidad monetaria giorgiana", + "tetri", + "unidad monetaria kazaja", + "unidad monetaria kazaka", + "unidad monetaria letona", + "unidad monetaria lituana", + "unidad monetaria kirguisa", + "unidad monetaria moldava", + "unidad monetaria moldova", + "unidad monetaria tayika", + "unidad monetaria turcomana", + "unidad monetaria ucraniana", + "unidad monetaria uzbeca", + "unidad monetaria india", + "paisa", + "unidad monetaria paquistaní", + "rupia", + "anna", + "unidad monetaria mauriciana", + "unidad monetaria nepalesa", + "unidad monetaria seychelense", + "unidad monetaria esrinlanquesa", + "unidad monetaria indonesa", + "unidad monetaria austriaca", + "grosz", + "unidad monetaria israelí", + "siclo", + "unidad monetaria keniana", + "unidad monetaria somalí", + "unidad monetaria tanzana", + "unidad monetaria ugandesa", + "unidad monetaria ecuatoriana", + "unidad monetaria guineana", + "unidad monetaria bangladesí", + "unidad monetaria samoana", + "sene", + "unidad monetaria mongola", + "unidad monetaria norcoreana", + "unidad monetaria sudcoreana", + "unidad monetaria japonesa", + "unidad monetaria china", + "unidad monetaria zairense", + "unidad monetaria polaca", + "torr", + "bar", + "baria", + "en", + "tuerca", + "decibelio", + "sonio", + "fonio", + "grado", + "kelvin", + "poise", + "peso", + "avoirdupois", + "arroba", + "obolus", + "tael", + "grano", + "dracma", + "dram", + "onza", + "lb", + "libra", + "media libra", + "cuarto de libra", + "tonelada", + "tonelada", + "kilotonelada", + "kilotón", + "megatonelada", + "megatón", + "grano", + "pennyweight", + "macg", + "mcg.", + "microgramo", + "miligramo", + "nanogramo", + "ng.", + "grano", + "decigramo", + "dg.", + "gramo", + "dag.", + "decagramo", + "hectogramo", + "hg.", + "kilo", + "kilogramo", + "tonelada", + "julio", + "tonelada-pie", + "entero", + "número entero", + "diferencia", + "resto", + "número real", + "real", + "módulo", + "número racional", + "cuadrado", + "cubo", + "cuártica", + "raíz", + "fracción", + "quebrado", + "fracción común", + "fracción simple", + "numerador", + "denominador", + "divisor", + "factor", + "resto", + "fracción propia", + "fracción compleja", + "fracción compuesta", + "mitad", + "tercio", + "cuarto", + "sistema duodecimal", + "cienmilésimo", + "cero", + "nada", + "dígito", + "dígito binario", + "número binario", + "dígito octal", + "dígito decimal", + "número decimal", + "dígito duodecimal", + "dígito hexadecimal", + "cero", + "par", + "pareja", + "terceto", + "cuatro", + "ocho", + "nueve", + "decena", + "once", + "docena", + "100", + "centenar", + "cien", + "ciento", + "siglo", + "144", + "gruesa", + "mil", + "millar", + "miríada", + "lakh", + "millón", + "billón", + "millardo", + "billón", + "pi", + "aumento", + "incremento", + "paso", + "pedazo", + "pizca", + "trozo", + "toque", + "pedazo", + "trozo", + "pelo", + "mínimo", + "mínimo", + "depósito", + "bolsa", + "saco", + "botella", + "cubo", + "carro", + "viaje", + "taza", + "recogedor", + "vaso", + "puñado", + "casa llena", + "jarro", + "taza", + "fuente", + "plato", + "saco", + "pedazo", + "trozo", + "puñado", + "par", + "gota", + "chispa", + "gotita", + "colirio", + "dosis", + "carga", + "trago", + "indicio", + "sombra", + "pizca", + "avalancha", + "barbaridad", + "bestialidad", + "burrada", + "cantidad", + "cúmulo", + "enormidad", + "fajo", + "lote", + "mogollón", + "montaña", + "montón", + "multitud", + "passel", + "pila", + "batallón", + "ejército", + "masa", + "multitud", + "hacina de heno", + "infinidad", + "límite", + "mar", + "océano", + "barbaridad", + "cantidad", + "fajo", + "montón", + "multitud", + "pila", + "sitio", + "espacio", + "lebensraum", + "aparcamiento", + "ringlera", + "volumen", + "volumen", + "capacidad", + "contenido", + "contacto", + "intercambio", + "relación", + "trato", + "causalidad", + "relación", + "correspondencia", + "función", + "transformación", + "rotación", + "isometría", + "identidad", + "seno", + "arcocoseno", + "arcotangente", + "curva exponencial", + "fundamento", + "base", + "cimentación", + "cimiento", + "fundamento", + "conexión", + "co", + "conexión", + "interrelación", + "unión", + "vinculación", + "vínculo", + "compromiso", + "implicación", + "participación", + "fuerza convincente", + "relación", + "relevancia", + "transitividad", + "intransitividad", + "correferencia", + "conjunción", + "complementación", + "coordinación", + "modificación", + "modo", + "imperativo", + "voz", + "accidente", + "flexión", + "conjugación", + "declinación", + "aspecto", + "pretérito perfecto simple", + "pretérito pluscuamperfecto", + "futuro perfecto", + "hipónimo", + "meronimia", + "componente", + "parte", + "elemento", + "elemento", + "unidad", + "miembro", + "restante", + "resto", + "subparte", + "afinidad", + "relación", + "simpatía", + "afecto mutuo", + "comprensión mutua", + "entendimiento mutuo", + "parentezco", + "relación", + "relación familiar", + "afinidad", + "relación política filial", + "cognación", + "consanguineidad", + "parentesco sanguíneo", + "origen", + "cognation", + "escala", + "proporción", + "por cien", + "porcentage", + "porcentaje", + "ocupación hospitalaria", + "ocupación hotelera", + "proporción", + "razón", + "razón aritmética", + "relación", + "índice", + "albedo", + "formato", + "relación de aspecto", + "índice cefálico", + "índice craneal", + "índice de amplitud", + "índice facial", + "número de foco", + "razón focal", + "velocidad", + "frecuencia", + "hematocrito", + "inteligencia adulta", + "cuota", + "magnitud", + "razón salida/entrada", + "prevalencia", + "productividad", + "relación señal/ruido", + "s/n", + "señal/ruido", + "constante de tiempo", + "carga por envergadura", + "incidencia", + "incidencia relativa", + "control", + "camino", + "curso", + "dirección", + "trayectoria", + "orientación", + "sentido", + "trim", + "oposición", + "ortogonalidad", + "cuarta", + "cuarto", + "cuarta", + "norte", + "este", + "sudeste", + "sur", + "sudoeste", + "suroeste", + "oeste", + "noroeste", + "oeste", + "depresión", + "competencia", + "competición", + "clientelismo", + "política", + "alquimia", + "química", + "química interpersonal", + "reciprocidad", + "correlación", + "interdependencia", + "comensalismo", + "parasitismo", + "mutualismo", + "mutualidad", + "reciprocidad", + "interrelación", + "antecedente", + "cronología", + "sincronía", + "asincronía", + "primero", + "segundo", + "cuarto", + "escala", + "escala móvil salarial", + "comparación", + "norma", + "oposición", + "contraste", + "contradicción", + "contrario", + "contrario", + "inverso", + "opuesto", + "contrario", + "alteración", + "cambio", + "modificación", + "variación", + "diferencia", + "plano", + "vuelo", + "figura", + "línea", + "comba", + "concavidad", + "corazón", + "polígono", + "isógono", + "curva", + "ola", + "onda", + "ondulación", + "trasdós", + "intradós", + "curva", + "curvatura", + "giro", + "recodo", + "vuelta", + "circunvolución uncinada", + "ensenada", + "geodésica", + "perpendicularidad", + "conexión", + "asíntota", + "radio", + "diámetro", + "hueco", + "circunferencia", + "círculo", + "hemiciclo", + "semicírculo", + "arco", + "crenación", + "cuerda", + "sector", + "disco", + "anillo", + "gaza", + "hélice", + "óvalo", + "cuadrado", + "cuadrilátero", + "quadrangle", + "triángulo", + "triángulo equilátero", + "triángulo rectángulo", + "paralelógramo", + "trapecio", + "estrella", + "pentagrama", + "pentágono", + "hexágono", + "heptágono", + "octágono", + "eneágono", + "nonágono", + "endecágono", + "dodecágono", + "rectángulo", + "caja", + "poliedro", + "paralelepípedo", + "cuboide", + "ortoedro", + "torsión", + "tortuosidad", + "nudo", + "bóveda", + "campana", + "forma de campana", + "parábola", + "ángulo", + "inclinación", + "inclinación orbital", + "ángulo exterior", + "ángulo externo", + "ángulo agudo", + "curva cerrada", + "buzamiento", + "buzamiento magnético", + "inclinación", + "inclinación magnética", + "ángulo de buzamiento", + "bulto", + "bulto", + "bache", + "resalto", + "bulto", + "engrosamiento", + "protuberancia", + "arco", + "impresión", + "marca", + "hiperboloide", + "altitud", + "altura", + "base", + "equilibrio", + "proporción", + "simetría", + "esfera", + "hemisferio", + "esfera", + "bola", + "toro", + "columna", + "tubo", + "gota", + "perla", + "lágrima", + "cresta", + "punta", + "cuádrica", + "borde", + "límite", + "margen", + "borde", + "borde", + "frontera", + "límite", + "umbral", + "depresión", + "copa", + "comba", + "arruga", + "rendija", + "arruga", + "hendidura", + "sinusoide", + "cardioide", + "gota", + "vacío", + "espacio", + "hueco", + "nudo", + "articulación", + "unión", + "agujero", + "cavidad", + "punto", + "árbol", + "cladograma", + "vaguada", + "rayo", + "bolsa", + "bolsillo", + "saco", + "bloque", + "cubo", + "romboedro", + "cubo", + "tronco", + "cola", + "condición", + "circunstancias", + "condición", + "situación", + "condicionalidad", + "saturación", + "situación", + "trance", + "lugar", + "caldo", + "situación", + "relación", + "relación", + "trato", + "confianza", + "fe", + "conocimiento", + "relación ligera", + "asimilación", + "amistad", + "embrollo", + "enredo", + "lío amoroso", + "aventura", + "romance", + "amor", + "amorío", + "asunto", + "aventura", + "enlace", + "implicación", + "intimidad", + "utopía", + "aceptación", + "desafío", + "reto", + "crisis", + "desequilibrio", + "elemento", + "entorno", + "medio", + "equilibrio", + "carbón ardiente", + "follón", + "lío", + "pollo", + "pesadilla", + "íncubo", + "impás", + "cuadro", + "escena", + "prisión", + "purgatorio", + "rechazo", + "magnitud", + "realidad", + "tamaño", + "status quo", + "normalización", + "stigmatismo", + "naturaleza", + "etapa", + "fase", + "grado", + "nivel", + "punto", + "tramo", + "auge", + "cima", + "pico", + "alcance", + "circunstancia", + "persona sin hogar", + "caso", + "ocasión", + "eje", + "cosa", + "movida", + "rollo", + "apiñamiento", + "congestión", + "cargo", + "poder", + "distinción", + "lugar", + "posición", + "prestigio", + "equivalencia", + "igualdad", + "empate", + "condición", + "posición", + "puesto", + "campeonato", + "antigüedad", + "estatus de antigüedad", + "estatus superior", + "rango superior", + "superioridad", + "superioridad", + "transcendencia", + "trascendencia", + "inferioridad", + "condición legal", + "estado legal", + "villanaje", + "ciudadanía", + "nacionalidad", + "jubilación", + "existencia", + "realidad", + "entelequia", + "realidad", + "realismo", + "realidad", + "realidad", + "la verdad", + "verdad", + "atemporalidad", + "eternidad", + "convivencia", + "presencia", + "existencia", + "sombra", + "ausencia", + "existencia", + "vida", + "resistencia", + "muerte", + "defunción", + "extinción", + "vida", + "transcendencia", + "trascendencia", + "estado civil", + "matrimonio", + "unión", + "monogamia", + "poligamia", + "poliginia", + "soltería", + "virginidad", + "empleo", + "ocupación", + "trabajo", + "paro", + "orden", + "forma de gobierno", + "orden civil", + "organización política", + "tranquilidad", + "armonía", + "paz", + "paz", + "estabilidad", + "paz", + "amistad", + "calma", + "paz", + "sosiego", + "tranquilidad", + "alto el fuego", + "acuerdo", + "armonía", + "comunidad", + "comunidad de intereses", + "unísono", + "contrato social", + "desorden", + "pancitopenia", + "desorden inmunológico", + "trastorno inmunológico", + "inmunosupresión", + "inestabilidad", + "confusión", + "estruendo", + "confusión", + "desconcierto", + "confusión", + "escándalo", + "agitación", + "alboroto", + "confusión", + "conmoción", + "disturbio", + "lío", + "movida", + "quehacer", + "revoloteo", + "ruido", + "ruptura", + "trastorno", + "incidente", + "agitación", + "revuelo", + "tormenta", + "agitación", + "inquietud", + "violencia", + "cólera", + "rabia", + "conflicto", + "enfrentamiento", + "estado de guerra", + "guerra", + "Guerra Fría", + "sospecha", + "iluminación", + "luminosidad", + "luz", + "oscuridad", + "noche", + "semioscuridad", + "sombra", + "sombra", + "penumbra", + "penumbra", + "oscuridad", + "penumbra", + "oscuridad", + "espíritu", + "humor", + "ánimo", + "desconcierto", + "arrebatamiento", + "exaltación", + "satisfacción", + "calidad de vida", + "dicha", + "felicidad", + "gloria", + "transporte", + "nirvana", + "amargura", + "amargura", + "pena", + "tristeza", + "luto", + "inocencia", + "culpa", + "culpabilidad", + "complicidad", + "complicidad", + "libertad", + "autonomía", + "derecho de autodeterminación", + "soberanía", + "independencia", + "libertad", + "autorización", + "licencia", + "permiso", + "libertad", + "licencia", + "discreción", + "libertad", + "sometimiento", + "represión", + "servidumbre", + "peonaje", + "sevidumbre", + "limitación", + "restricción", + "jaula", + "pena de prisión", + "aprisionamiento", + "internamiento", + "delegación", + "representación", + "autodirección", + "autonomía", + "autoresponsabilidad", + "autosuficiencia", + "independencia", + "dependencia", + "debilidad", + "impotencia", + "confianza", + "equilibrio", + "homeostasis", + "isostasia", + "inestabilidad", + "movimiento", + "temblor", + "vibración", + "temblor", + "corriente", + "río", + "torrente", + "inmovilidad", + "acción", + "actividad", + "comportamiento", + "conducta", + "funcionamiento", + "juego", + "espera", + "suspensión", + "detención", + "parada", + "dormancia", + "extinción", + "recesión", + "pausa", + "acatexia", + "angiotelectasia", + "letargo", + "inercia", + "comprobación", + "bloqueo mutuo", + "punto muerto", + "condición mental", + "disposición mental", + "estado mental", + "cansancio", + "cetoacidosis", + "aneuploidía", + "anorquia", + "vela", + "hipersomnia", + "hipersomnia primaria", + "hipersomnio", + "insomnio", + "anestesia", + "anhidrosis", + "artropatía", + "asistolia", + "sueño", + "sopor", + "abulia", + "anhedonia", + "autohipnosis", + "acroanestesia", + "epidural", + "anestesia por inhalación", + "oscitancia", + "enfermedad diverticular", + "crisis", + "caso de urgencia", + "exigencia", + "necesidad", + "urgencia", + "cólera", + "furia", + "ira", + "excitación", + "cibersexo", + "celo", + "deseo", + "ansia", + "pasión", + "hambre", + "sed", + "deshidratación", + "polidipsia", + "normotermia", + "hipotermia", + "miastenia", + "infertilidad", + "embarazo", + "gestación", + "problema", + "embarazo abdominal", + "embarazo ovárico", + "embarazo tubárico", + "embarazo", + "gestación", + "atresia", + "rigor mortis", + "energía", + "vitalidad", + "esencia", + "qì", + "brillo", + "esplendor", + "fecundidad", + "potencia", + "desorden", + "aclorhidria", + "colestasis", + "aquilia", + "aquilia gástrica", + "anorgasmia", + "atragantamiento", + "disafia", + "disosmia", + "impedimento olfativo", + "disfagia", + "disuria", + "afección", + "enfermedad", + "patología", + "invalidez", + "dependencia", + "criptobiosis", + "meteorismo", + "linfangiectasia", + "toxicomanía", + "alcoholismo", + "cocainomanía", + "heroinomanía", + "cafeinomanía", + "nicotinomanía", + "convulsión febril", + "anuria", + "colapso", + "ataque de nervios", + "colapso nervioso", + "crisis nerviosa", + "choque", + "intoxicación", + "catalepsia", + "afección", + "enfermedad", + "patología", + "angiopatía", + "acantocitosis", + "achaque", + "enteropatía", + "hipogonadismo", + "hiperparatiroidismo", + "hipoparatiroidismo", + "onicólisis", + "onicosis", + "piorrea", + "piorrea alveolar", + "resorción alveolar", + "gingivitis", + "ulatrofia", + "acceso", + "ataque", + "crisis", + "erupción", + "ataque", + "crisis", + "ictus", + "rapto", + "accidente cerebrovascular", + "ataque epiléptico", + "trastorno metabólico", + "alcaptonuria", + "enfermedad neurológica", + "trastorno nervioso", + "trastorno neurológico", + "acinesia", + "estupor", + "rigidez", + "encefalopatía", + "enfermedad cerebral", + "trastorno cerebral", + "cistoplejía", + "ausencia", + "epilepsia sensorial", + "ninfolepsia", + "braquidactilia", + "criptorquidia", + "monorquidia", + "dextrocardia", + "ectrodactilia", + "afagia", + "amaurosis", + "afaquia", + "afasia visual", + "alexia", + "discalculia", + "agrafia", + "oclusión", + "émbolo", + "trombosis cerebral", + "hepatomegalia", + "hipertensión arterial", + "queratocono", + "hipotensión", + "aneurisma aórtico", + "estenosis", + "aneurisma cerebral", + "arteriolosclerosis", + "atetosis", + "ascitis", + "azimia", + "cardiomiopatía", + "miocardiopatía", + "infarto", + "nefropatía", + "nefritis", + "poliuria", + "insuficiencia renal", + "enterolitiasis", + "litiasis renal", + "nefrolitiasis", + "litiasis", + "glomerulonefritis", + "hiperaldosteronismo", + "linfedema", + "hipertiroidismo", + "contagiosidad", + "enfermedad contagiosa", + "enfermedad transmisible", + "gripe", + "rubéola", + "cromomicosis", + "empeine", + "onicomicosis", + "tinea unguium", + "sida", + "hipogammaglobulinemia", + "cólera", + "ETS", + "EV", + "dosis", + "enfermedad social", + "enfermedad venérea", + "infección venérea", + "neurosífilis", + "listeriosis", + "parotiditis", + "peste", + "plaga", + "peste negra", + "rickettsiosis", + "enfermedad de Tsutsugamushi", + "pertussis", + "tos ferina", + "pian", + "fiebre amarilla", + "status asmaticus", + "bronquiolitis", + "enfisema", + "neumotórax", + "abetalipoproteinemia", + "ablefaria", + "anencefalia", + "adactilia", + "adactilismo", + "ametria", + "daltonismo", + "diplopía", + "epispadias", + "galactosemia", + "mucopolisacaridosis", + "neurofibromatosis", + "ictiosis", + "clinodactilia", + "macroglosia", + "distrofia muscular", + "otosclerosis", + "oxicefalia", + "isquemia", + "hematología", + "gastroenteritis", + "empiema", + "pleuresía", + "pleuritis", + "pleuresía purulenta", + "pleuro pneumonía", + "pielitis", + "angina", + "faringitis", + "infección", + "fascioliasis", + "dracunculiasis", + "enterobiasis", + "micosis", + "giardiasis", + "paroniquia aguda", + "infección respiratoria", + "infección respiratoria inferior", + "VIH", + "infección respiratoria superior", + "sarna", + "fiebre assam", + "fiebre dum-dum", + "kala-azar", + "leishmaniasis visceral", + "dermatofitosis", + "queratomicosis", + "esporotricosis", + "absceso gingival", + "ampolla", + "ampolla", + "antrax", + "shigelosis", + "amigdalitis estreptocócica", + "faringitis estreptocócica", + "faringitis sépticas", + "infección ocular", + "orzuelo", + "tétanos", + "toxoplasmosis", + "tricomoniasis", + "artritis", + "reumatismo", + "artrosis", + "cistitis", + "gota", + "hemopatía", + "eosinopenia", + "hemoglobinemia", + "hemoglobinopatía", + "hemoptisis", + "hidramnios", + "hidropesía del amnios", + "hidrocele", + "hiperlipemia", + "hiperlipidemia", + "hiperlipidosis", + "lipemia", + "lipidemia", + "hipervolemia", + "hipovolemia", + "anemia", + "leucocitosis", + "leucopenia", + "neutropenia", + "trombocitopenia", + "hipospadias", + "kwashiorkor", + "marasmo", + "quiste ovárico", + "chalazión", + "ránula", + "malestar", + "mareo", + "adenomiosis", + "patología", + "infarto", + "macrocitemia", + "macrocitosis", + "megalocitosis", + "fibrosis", + "mielofibrosis", + "malacia", + "masopatía", + "mastopatía", + "neuropatía", + "miopatía", + "dermatomiositis", + "osteopetrosis", + "priapismo", + "desmineralización", + "azotemia", + "uremia", + "azoturia", + "lesión", + "úlcera aftosa", + "chancro", + "úlcera duodenal", + "úlcera gástrica", + "llaga", + "fisura del paladar", + "plaga", + "chancro del manzano", + "enfermedad foliar", + "negrón del tomate", + "tizón del tomate", + "fiebre pappataci", + "flebótomo", + "rosácea", + "sarpullido", + "eritema", + "eritrodermia", + "liquen de Wilson", + "liquen plano", + "psoriasis", + "vitíligo", + "xantelasma", + "xantoma", + "bulto", + "pólipo pedunculado", + "tumor", + "acantoma", + "tumor dérmico", + "adenoma", + "tumor cerebral", + "celioma", + "fibroadenoma", + "fibroma", + "granulomatosis crónica", + "queratoacantoma", + "meningioma", + "cáncer", + "sarcoma de Ewing", + "liposarcoma", + "neuroma maligno", + "neurosarcoma", + "linfadenoma", + "adenopatía", + "leucemia", + "leucemia aguda", + "leucemia crónica", + "rabdomiosarcoma", + "adenocarcinoma", + "carcinoma glandular", + "cáncer glandular", + "carcinoma embrionario", + "mixoma", + "neuroblastoma", + "neuroepitelioma", + "mioma", + "osteoma", + "papiloma", + "feocromocitoma", + "pinealoma", + "plasmacitoma", + "retinoblastoma", + "teratoma", + "carcinoma hepatocelular", + "hepatocarcinoma", + "hepatoma", + "hepatoma maligno", + "mesotelioma", + "cáncer de páncreas", + "cáncer pancreático", + "adenocarcinoma prostático", + "cáncer de próstata", + "cáncer prostático", + "seminoma", + "epitelioma", + "tumor trofoblástico", + "drusas", + "queratonosis", + "retinopatía", + "adenitis", + "alveolitis", + "angeítis", + "aortitis", + "apendicitis", + "arteritis", + "oftalmia", + "tracoma", + "balanitis", + "blefaritis", + "bursitis", + "córea", + "córea canina", + "vaccinia virus", + "streptococcus equi", + "fiebre aftosa", + "proteinuria", + "amoniuria", + "hematocituria", + "cetosis", + "linfuria", + "trombocitosis", + "hipercalcemia", + "hipocalcemia", + "hipercalciuria", + "hipercolesterolemia", + "hiperpotasemia", + "hipopotasemia", + "potasemia", + "caliuresis", + "hipernatremia", + "hiponatremia", + "cetonuria", + "lisa", + "rabia", + "rinotraqueítis", + "diarrea ganadera", + "tembladera", + "leptospirosis", + "hiodontidae", + "morriña", + "murriña", + "viruela ovina", + "mixomatosis", + "moquillo", + "pepita", + "enfermedad del sudor", + "fiebre de Texas", + "fiebre del ganado", + "antracnosis", + "copo de algodón", + "mosaico", + "gangrena del tallo", + "roseta", + "marchitez del tabaco", + "raíz rosada", + "contusión", + "daño", + "herida", + "lesión", + "trauma", + "traumatismo", + "estigma", + "roce", + "corte", + "corte profundo", + "cuchillada", + "tajada", + "laceración", + "mordida de perro", + "mordida de serpiente", + "picada de abeja", + "picadura de abeja", + "picada de pulga", + "picadura de pulga", + "picada de mosquito", + "picadura de mosquito", + "cardenal", + "golpe", + "moratón", + "petequia", + "hiperpigmentación", + "dislocación", + "luxación", + "congelamiento", + "queratocele", + "onfalocele", + "herida", + "lesión", + "esguince", + "síntoma", + "señal", + "signo", + "síntoma", + "amenorrea", + "melasma", + "período prodrómico", + "síndrome", + "narcolepsia", + "mal viaje", + "cabeza", + "exoftalmia", + "exoftalmos", + "hemoglobinuria", + "hemosiderosis", + "estornudo", + "bulto", + "anasarca", + "quemosis", + "edema de papila", + "hallux valgus", + "piuria", + "hematocele", + "hematocolpometra", + "hematocolpos", + "linfogranuloma", + "osqueocele", + "kernicterus", + "hemotórax", + "ingurgitación", + "congestión pulmonar", + "grano", + "exantema", + "grano", + "dolor", + "dolor", + "sufrimiento", + "artralgia", + "paroxismo", + "parestesia", + "pasión", + "dolor torácico", + "dismenorrea", + "glosalgia", + "glosodinia", + "dolor de oído", + "otalgia", + "clavo", + "jaqueca", + "queratalgia", + "mastalgia", + "meralgia", + "metralgia", + "odinofagia", + "orquidalgia", + "punzada", + "angustia", + "ansia", + "congoja", + "picor", + "remordimiento", + "proctalgia", + "ciatica", + "palilalia", + "incomodidad", + "irritación", + "molestia", + "sensibilidad", + "irritación", + "ulalgia", + "urodinia", + "secresión mucosa postnasal", + "pápula", + "pápulo-vesícula", + "grano", + "pústula", + "grano", + "cardiomegalia", + "soplo sistólico", + "palpitación", + "pálpito", + "pirosis", + "reflujo ureterorrenal", + "reflujo vesiculouretral", + "inflamación", + "endocarditis", + "pericarditis", + "catarro", + "celulitis", + "cervicitis", + "colangitis", + "colangitis aguda", + "colecistitis", + "corditis", + "corditis", + "colitis", + "enfermedad intestinal inflamatoria", + "colpitis", + "vaginitis", + "colpocistitis", + "corditis", + "costocondritis", + "síndrome de Tietze", + "dacriocistitis", + "diverticulitis", + "encefalomielitis", + "encefalitis hemorrágica aguda", + "leucoencefalitis", + "cerebromeningitis", + "encefalomeningitis", + "meningoencefalitis", + "panencefalitis", + "epididimitis", + "epiglotitis", + "foliculitis", + "funiculitis", + "glositis", + "hidrartrosis", + "ileítis", + "iridociclitis", + "iritis", + "yeyunitis", + "yeyunoileítis", + "queratitis", + "queratoconjuntivitis", + "laberintitis", + "laringitis", + "laringofaringitis", + "leptomeningitis", + "linfadenitis", + "linfangitis", + "mastitis", + "mastoiditis", + "endometritis", + "mielatelia", + "mielitis", + "miometritis", + "triquinelosis", + "oforitis", + "ovaritis", + "osteítis", + "osteomielitis", + "otitis", + "ovaritis", + "pancreatitis", + "parotiditis", + "parotitis", + "inflamación del peritoneo", + "inflamación peritoneal", + "peritonitis", + "falangitis", + "tromboflebitis", + "tromboflebitis superficial", + "neumonitis", + "proctitis", + "prostatitis", + "raquitis", + "radiculitis", + "retinitis", + "rinitis", + "sinusitis", + "salpingitis", + "escleritis", + "sialadenitis", + "esplenitis", + "espondilitis", + "estomatitis", + "tarsitis", + "tendinitis", + "tenonitis", + "epicondilitis", + "sinovitis de tendón", + "tendosinovitis", + "tenosinovitis", + "tiroiditis", + "amigdalitis", + "traqueitis", + "traqueítis", + "timpanitis", + "gengivitis", + "ulitis", + "ureteritis", + "uveítis", + "uvulitis", + "vaginitis", + "valvulitis", + "vasculitis", + "vesiculitis", + "vulvitis", + "vulvovaginitis", + "tos", + "meningismo", + "síndrome meníngeo", + "ansia", + "asco", + "calambre", + "espasmo muscular", + "blefaroespasmo", + "mioclono", + "bradicardia", + "cicatriz", + "queloide", + "corte de espada", + "dureza", + "miodesopsias", + "fiebre", + "displasia", + "hipertrofia", + "adenomegalia", + "elefantiasis neuromatosa", + "acromegalia", + "hipoplasia", + "apnea", + "disnea", + "dispnea", + "ortopnea", + "hemorragia cerebral", + "hipema", + "metrorragia", + "epistaxis", + "hemorragia nasal", + "sangre de nariz", + "hemorragia gingival", + "ulemorragia", + "venganza de Montezuma", + "mono", + "moral", + "ansiedad", + "sobreexcitación", + "nervios", + "nerviosismo", + "tensión", + "tensión", + "tensión", + "delirio", + "viaje", + "alucinación visual", + "salud mental", + "claridad", + "lucidez", + "enfermedad mental", + "psicopatía", + "androfobia", + "aracnofobia", + "ginofobia", + "fobia", + "acuafobia", + "astrafobia", + "somnifobia", + "fotofobia", + "triscaidecafobia", + "ailurofobia", + "entomofobia", + "delirio", + "delírium", + "encopresis infantil", + "depresión distímica", + "distimia", + "manía", + "trastorno maníaco", + "delirio", + "locura", + "melancolía", + "ciclotimia", + "neurosis", + "histerocatalepsia", + "trastorno de personalidad", + "locura", + "furia", + "rinopatía", + "trastorno", + "catatonia", + "afonía", + "disartria", + "disfonía", + "lambdacismo", + "agitación", + "alteración", + "excitación", + "alteración", + "trastorno", + "inquietud", + "malestar", + "preocupación", + "depresión", + "euforia", + "pánico", + "berrinche", + "rabieta", + "arreflexia", + "irritación", + "molestia", + "pinchazo", + "impaciencia", + "encantamiento", + "hechizo", + "trance", + "posesión", + "dificultad", + "obstáculo", + "problema", + "aguas movedizas", + "nido de arañas", + "apuro", + "lío", + "infortunio", + "trago", + "tensión", + "dificultad", + "problema", + "reconocimiento", + "aprobación", + "recepción favorable", + "aceptación", + "satisfacción", + "aquiescencia", + "renuncia", + "separación", + "distinción", + "aislamiento", + "soledad", + "anomia", + "secreto", + "unión", + "coalición", + "fusión", + "conexión", + "contacto", + "coherencia", + "cohesión", + "conjunción", + "asociación", + "sincretismo", + "continuidad", + "mejora", + "desarrollo", + "renovación", + "restauración", + "madurez", + "adolescencia", + "juventud", + "adolescencia", + "infancia", + "infancia", + "grado", + "nivel", + "clasificación", + "posición", + "puesto", + "clasificación", + "antigüedad", + "categoría", + "estatus", + "jerarquía", + "nivel", + "rango", + "standing", + "antigüedad", + "rango", + "casta", + "dignidad", + "nobleza", + "sangre azul", + "ducado", + "condado", + "principado", + "liderazgo", + "importancia", + "grandeza", + "importancia", + "prestigio", + "relevancia", + "acento", + "distinción", + "eminencia", + "preeminencia", + "prestigio", + "honor", + "gloria", + "fama", + "aprecio", + "estima", + "estimación", + "respeto", + "talla", + "mala fama", + "carácter", + "nombre", + "fama", + "mala fama", + "corrupción", + "vergüenza", + "humillación", + "degradación", + "deshonra", + "oprobio", + "dominación", + "dominio", + "sometimiento", + "sumisión", + "dominio", + "predominio", + "autoridad", + "dominio", + "reglamento", + "reino", + "soberanía", + "cetro", + "esceptro", + "suzeranía", + "monopolio", + "monopsonio", + "desgracia", + "maldición", + "bienestar", + "alivio", + "tranquilidad", + "alivio", + "calma temporal", + "respiro", + "consolación", + "consuelo", + "solaz", + "inconveniencia", + "malestar", + "bienestar", + "comodidad", + "salud", + "desgracia", + "sufrimiento", + "angustia", + "necesidad", + "carencia", + "deficiencia", + "deseo", + "escasez", + "escasez", + "hambre", + "hambruna", + "escasez", + "urgencia", + "apuro", + "prisa", + "imperiosidad", + "insistencia", + "presión", + "amplitud", + "plenitud", + "exceso", + "infestación", + "plaga", + "acariasis", + "acaridiasis", + "ascariasis", + "coccidiosis", + "diarrea parasitaria", + "equinococosis", + "hidatidosis", + "quistes de hidátida", + "ancylostoma duodenale", + "miasis", + "oncocercosis", + "pediculosis", + "ladillas", + "pediculosis pubis", + "trombiculiasis", + "tricuriasis", + "vaciedad", + "vacuidad", + "aire", + "plaza", + "vacación", + "vacancia", + "vacante", + "vacío", + "desnudo", + "desnudez", + "alopecia", + "alopecia areata", + "gracia", + "condenación", + "perfección", + "sueño", + "integridad", + "totalidad", + "unidad", + "plenitud", + "totalidad", + "plenitud", + "camas y petacas", + "equipo completo", + "tinglado", + "todo", + "todo el rollo", + "tratamiento completo", + "parcialidad", + "debilidad", + "defecto", + "error", + "falla", + "fallo", + "hamartia", + "defecto", + "deficiencia", + "fallo", + "error", + "glitch", + "interferencia", + "grieta", + "hidrocefalia", + "hidronefrosis", + "focomelia", + "encefalocele", + "plagiocefalia", + "progeria", + "escafocefalia", + "polidactilia", + "sindactilia", + "anquiloglosia", + "tara", + "enfermedad", + "problema", + "destino", + "fortuna", + "suerte", + "Providencia", + "bendición", + "éxito", + "en el clavo", + "desgracia", + "mala pata", + "catástrofe", + "desastre", + "tragedia", + "desgracia", + "dolor", + "pena", + "problema", + "congoja", + "fracaso", + "quiebra bancaria", + "causa perdida", + "fase", + "liquido", + "líquido", + "gas", + "posibilidad", + "potencial", + "porvenir", + "imposibilidad", + "esperanza", + "confianza", + "ocasión", + "oportunidad", + "audiencia", + "vista", + "ocasión", + "oportunidad", + "oportunidad", + "plaza", + "espacio", + "oportunidad", + "opinión", + "voz", + "intento", + "vía", + "anticipación", + "expectación", + "desesperación", + "mezcla", + "infección", + "auge", + "depresión", + "deuda", + "obligación", + "responsabilidad", + "cuenta", + "abundancia", + "riqueza", + "afluencia", + "riqueza", + "bienestar", + "comodidad", + "lujo", + "suficiencia", + "pobreza", + "miseria", + "necesidad", + "sanidad", + "limpieza", + "orden", + "buen estado", + "grunge", + "mugriento", + "suciedad", + "deslucimiento", + "escualidez", + "inmundicia", + "sordidez", + "desorden", + "descuido", + "desorden", + "desorganización", + "confusión", + "mezcolanza", + "normalidad", + "anomalía", + "anormalidad", + "atelectasia", + "regresión", + "monosomía", + "trisomía", + "cifosis", + "lordosis", + "escoliosis", + "ginecomastia", + "mioglobinuria", + "fenilcetonuria", + "porfiria", + "taponamiento", + "macrocefalia", + "fimosis", + "ergotismo", + "ofidiasis", + "ofidismo", + "circunstancia", + "contexto", + "campo", + "esfera", + "marco", + "ámbito", + "casa", + "hogar", + "alrededores", + "ambiente", + "entorno", + "medio", + "campo", + "dominio", + "esfera", + "terreno", + "ámbito", + "órbita", + "atribución", + "competencia", + "función", + "jurisdicción", + "poder", + "calle", + "contaminación del aire", + "miasma", + "clima", + "ambiente", + "atmósfera", + "depresión", + "ciclón", + "aire cargado", + "aire viciado", + "calma", + "intemperie", + "turbulencia", + "clima", + "estado de ánimo", + "humor", + "ambiente", + "atmósfera", + "oscuridad", + "penumbra", + "desnudez", + "desolación", + "miasma", + "exención", + "libertad", + "indemnidad", + "impunidad", + "imponibilidad", + "taxabilidad", + "tributabilidad", + "capacidad", + "actividad", + "predisposición", + "sensibilidad", + "atopía", + "criestesia", + "anafilaxia", + "hipersensibilidad", + "eosinofilia", + "sugestibilidad", + "humedad", + "humedad", + "humedad", + "humedad", + "humedad oscura", + "humedad pegajosa", + "humedad fresca", + "aridez", + "sequedad", + "resquebrajamiento", + "xeroftalmia", + "xerostomía", + "seguridad", + "bioseguridad", + "seguridad", + "seguro", + "Paz Romana", + "peligro", + "peligro", + "inseguridad", + "peligro", + "riesgo", + "peligro sanitario", + "espada de Damocles", + "amenaza", + "carácter especulativo", + "especulación", + "tensión", + "hipertónico", + "tono", + "miotonia", + "forma", + "firmeza", + "aeronavegabilidad", + "debilidad", + "discapacidad", + "hándicap", + "incapacidad", + "minusvalía", + "incapacidad de caminar", + "abasia", + "deficiencia auditiva", + "trastorno auditivo", + "pérdida auditiva", + "sordera", + "hiperacusia", + "pérdida auditiva sensorineural", + "amusia", + "oído de lata", + "sordera de tonos", + "sordera tonal", + "mudez", + "analgesia", + "anosmia", + "disosmia", + "hiposmia", + "defecto visual", + "deficiencia visual", + "trastorno visual", + "hemianopsia", + "presbicia", + "escotoma", + "tortícolis", + "parálisis", + "descenso del útero", + "descensus uteri", + "prolapso uterino", + "nefroptosis", + "ptosis renal", + "riñón flotante", + "hipoestesia", + "epifisiólisis", + "genu valgum", + "tibia vaga", + "decadencia", + "corrupción", + "desolación", + "plaga", + "destrucción", + "final", + "muerte", + "inmundicia", + "vulgaridad", + "maldad", + "iluminación", + "barrera", + "muralla", + "muro", + "sarcoidosis", + "morfea", + "uretritis", + "sodoku", + "acufeno", + "poliploidía", + "oligospermia", + "ureterocele", + "estenosis ureteral", + "uretrocele", + "urocele", + "uropatía", + "varicocele", + "viremia", + "xantopsia", + "hipotonía", + "prognatismo", + "urbanización", + "materia", + "material", + "ylem", + "antimateria", + "micronutriente", + "quimo", + "aducto", + "alérgeno", + "miaja", + "partícula", + "pizca", + "mezcla", + "aleación", + "composición", + "disolución", + "solución", + "solución salina", + "suero fisiológico", + "polielectrolito", + "gel", + "suspensión", + "fango", + "plástico", + "termoplástico", + "polimetilmetacrilato", + "acilo", + "grupo alcohol", + "radical alcohol", + "grupo aldehído", + "radical aldehído", + "policloruro de vinilo", + "poliestireno", + "materia prima", + "acaricida", + "acetato", + "etanoato", + "Agente Naranja", + "haloalcano", + "asparagina", + "canavanina", + "canavina", + "cfc", + "citrato", + "citrulina", + "enol", + "glicina", + "hidroxiprolina", + "ácido", + "arseniato", + "arseniuro", + "clorato", + "tritio", + "hidrolisado", + "ácido hidroxibenzóico", + "ácido salicílico", + "hipoclorito", + "ácido hipofosfórico", + "pirofosfato", + "sulfonato", + "adulterante", + "grupo alquilo", + "amino", + "grupo amino", + "alcali", + "base", + "compuesto binario", + "átomo", + "isótopo", + "radical", + "fullereno", + "bencilo", + "grupo bencilo", + "radical bencilo", + "grupo benzoílo", + "radical benzoílo", + "elemento", + "elemento químico", + "elemento metálico", + "metal", + "no metal", + "al", + "aluminio", + "número atómico 13", + "astato", + "monóxido de bario", + "protóxido de bario", + "óxido de bario", + "berkelio", + "bohrio", + "br", + "bromo", + "número atómico 35", + "carbono", + "átomo de carbono", + "carbono 14", + "radiocarbono", + "radioclorina", + "cobre", + "curio", + "darmstadtio", + "dubnio", + "fermio", + "flúor", + "oro", + "oro puro", + "hassio", + "helio", + "átomo de hidrógeno", + "deuterio", + "indio", + "yodo radiactivo", + "hierro", + "kriptón", + "laurencio", + "lr", + "número atómico 103", + "meitnerio", + "neón", + "níquel", + "nitrógeno", + "oxígeno", + "fósforo", + "fósforo", + "protactinio", + "radio", + "roentgenio", + "seaborgio", + "silicio", + "plata", + "taurina", + "radiotorio", + "torio 228", + "estaño", + "ununhexio", + "ununpentio", + "ununquadio", + "ununtrio", + "uranio", + "mineral", + "anfibolita", + "aragonito", + "arsenopirita", + "mispíquel", + "asfalto", + "azurita", + "borax", + "bornita", + "carnalita", + "carnotita", + "caspasa", + "casiterita", + "cerusita", + "calcosina", + "cromita", + "cinabrio", + "cobaltita", + "halita", + "sal de roca", + "sal gema", + "coltan", + "criolita", + "cuprita", + "dolomita", + "emulsión", + "eritrina", + "fluorapatita", + "fluorita", + "gadolinita", + "granate", + "germanita", + "glauconita", + "goethita", + "greenockita", + "aljez", + "yeso", + "hausmannita", + "hemimorfita", + "ilmenita", + "jadeíta", + "kieserita", + "cianita", + "lactato", + "fosfatidilcolina", + "lepidolita", + "tetróxido de manganeso", + "manganita", + "mica", + "molécula", + "molibdenita", + "monacita", + "moscovita", + "nefelina", + "nefrita", + "columbita", + "olivino", + "perclorato", + "biomasa", + "petróleo", + "gasolina", + "ópalo", + "mena", + "oropimente", + "paraldehído", + "turba", + "triosa", + "tetrosa", + "pentosa", + "periclasa", + "flogopita", + "zimógeno", + "propelente", + "propulsor", + "propergol", + "piridina", + "pirolusita", + "piromorfita", + "pirofilita", + "pirrotina", + "rejalgar", + "rodocrosita", + "rodonita", + "ricina", + "piedra", + "brecha", + "sial", + "corneana", + "pizarra", + "pumita", + "producto animal", + "ámbar gris", + "liga", + "cola", + "goma", + "mucílago", + "cemento", + "pasta", + "adhesivo de caucho", + "adenina", + "alcohol", + "etanol", + "alcohol de vino", + "etilo", + "grupo etílico", + "radical etílico", + "acetal", + "acetaldol", + "spirits of wine", + "acetaldehído", + "acrilamida", + "aglomerado", + "álcali", + "alqueno", + "olefina", + "alquil benceno sulfonato", + "efedrina", + "ergotamina", + "seudoefedrina", + "nicotina", + "brucina", + "latakia", + "latón", + "bronce", + "cuproníquel", + "electro", + "electrum", + "soldadura blanda", + "oro blanco", + "licopeno", + "xantófila", + "zeaxantina", + "biocatalizador", + "amida", + "antioxidante", + "producto antiherrumbre", + "andesita", + "antofilita", + "crisotilo", + "aplito", + "dacita", + "portador", + "agua pesada", + "proteína", + "actina", + "quitina", + "enzima", + "filagrina", + "nucleoproteína", + "opsina", + "ECA", + "colinesterasa", + "coagulasa", + "colagenasa", + "plasmaproteína", + "proteína de plasma", + "proteoma", + "ciclooxigenasa", + "ptialina", + "sustrato", + "azadiractina", + "ácido heptadecanóico", + "ácido margárico", + "ácido aminobenzoico", + "auxinas", + "citoquinina", + "megesterol", + "nandrolona", + "testosterona", + "prolactina", + "estradiol", + "estriol", + "corticosteroide", + "mineralocorticoide", + "glucosamina", + "aldosterona", + "cortisol", + "prednisolona", + "espironolactona", + "anilina", + "tinta de anilina", + "arsina", + "bilirrubina", + "urobilina", + "cuerno", + "barbas de ballena", + "caparazón", + "nácar", + "papel vitela", + "cuero", + "piel", + "cafeína", + "vellocino de oro", + "ante", + "piel", + "piel de chinchilla", + "piel de zorro", + "piel de caracul", + "conejo", + "piel de conejo", + "piel de leopardo", + "piel de visón", + "piel de nutria", + "piel de mapache", + "piel de marta", + "piel de foca", + "piel de ardilla", + "ferula assafoetida", + "ceniza", + "asfalto", + "azida", + "hidrazida", + "fenotiazina", + "bagazo", + "ambrosía", + "azúcar de remolacha", + "benzoato", + "bicarbonato", + "bimetal", + "Brioschi", + "Bromo-Seltzer", + "lansoprazol", + "Maalox", + "Mylanta", + "omeprazol", + "Pepto-Bismal", + "Rolaids", + "Tums", + "antiácido", + "antiácido gástrico", + "agente", + "desecante", + "borato", + "borosilicato", + "silicato de boro", + "grasa butírica", + "butanona", + "ácido butanoico", + "ácido butírico", + "butirina", + "cianamida", + "cal", + "grupo carbonilo", + "grupo carbonilo", + "carbón graso", + "ácido caproico", + "ácido caprónico", + "ácido hexanoico", + "carbamato", + "azúcar", + "carbohidrato", + "glúcido", + "hidrato de carbono", + "sacarosa", + "hollín", + "nitrato de celulosa", + "colodión", + "inulina", + "grafito", + "plumbago", + "lápiz", + "fulminato", + "cartón", + "cartón ondulado", + "cartón", + "carragenano", + "hierro forjado", + "acero", + "acero inoxidable", + "materia plástica celulosa", + "cemento", + "cemento", + "cemento hidráulico", + "gluma", + "paja", + "calcedonia", + "yeso", + "producto químico", + "sustancia química", + "cromóforo", + "serotonina", + "acetilcolina", + "endorphin", + "encefalina", + "clorpirifós", + "colina", + "acero al cromo-tungsteno", + "cromato", + "quilomicrón", + "arcilla", + "barro", + "arcilla endurecida", + "carbón", + "provirus", + "complejo", + "compuesto", + "compost", + "compuesto", + "compuesto químico", + "resina de cicuta", + "constantán", + "conductor", + "aislador", + "aislante", + "dieléctrico", + "fibra de vidrio", + "lana de vidrio", + "óxido de cobre", + "coral", + "azúcar de maíz", + "creatina", + "cianógeno", + "cianuro", + "nitrilo", + "cianohidrina", + "ácido cianúrico", + "ciclohexanol", + "ftalato de ciclohexanol", + "citocina", + "citosina", + "descarboxilasa", + "andradita", + "demerara", + "exón", + "intrón", + "ribonucleasa", + "desoxirribosa", + "rocío", + "dextrina", + "monoyodotirosina", + "diyodotirosina", + "yodotirosina", + "yodotironina", + "triyodotironina", + "diluyente", + "disolvente", + "dilución", + "diol", + "disacaridasa", + "agua destilada", + "dopamina", + "polvo", + "polvo", + "elastómero", + "elemento", + "aire", + "aliento", + "respiración", + "exhalación", + "hálito", + "aire", + "fuego", + "tierra", + "siena natural", + "ocre", + "sinopia", + "tierra", + "suelo", + "tierra", + "H2O", + "agua", + "feromona", + "agua", + "ácido oleoesteárico", + "electrolito", + "elastasa", + "eritropoyetina", + "ester", + "tricloroetileno", + "emisión", + "transudado", + "efluvio", + "hediondez", + "mal olor", + "legaña", + "deyección", + "excreción", + "excremento", + "hez", + "excremento", + "mierda", + "caca de palomas", + "estiércol", + "bosta de vaca", + "meconio", + "melena", + "humus de lombriz", + "lombricompuesto de gusano", + "meado", + "orina", + "orines", + "orín", + "pipí", + "pis", + "basura", + "desecho", + "residuo", + "alcantarillado", + "residuos", + "basura", + "chatarra", + "propanamida", + "conglomerado", + "putrescina", + "estiércol", + "grasa", + "mantequilla de cacao", + "plagioclasa", + "ferritina", + "fibra de vidrio", + "fibra", + "fibra textil", + "flavonoide", + "algodón", + "gossypium", + "fluoruro", + "fluorocarbono", + "plástico fluorocarbónico", + "fluosilicato", + "formaldehído", + "formulación", + "preparación", + "olibano", + "olíbano", + "radical", + "furfural", + "galactagogo", + "galactogoga", + "galactosa", + "gálbano", + "carbunclo", + "carbúnculo", + "gas", + "vidrio", + "cristal", + "enamina", + "enantiómero", + "glucemia", + "glutamato", + "gliceraldehído", + "acilglicérido", + "éster gliceril", + "glucósido", + "amigdalina", + "glucósido", + "lectina", + "esquisto", + "piedra de oro", + "piedra de sol", + "grasa de ganso", + "grasa de oca", + "oro verde", + "grout", + "guanina", + "guano", + "resina", + "resina natural", + "copal fósil", + "copalina", + "copalita", + "copal del Congo", + "bálsamo de Galaad", + "aceite de chía", + "gomarresina", + "goma", + "medio", + "goma arábiga", + "goma del Senegal", + "goma kordofán", + "fenoplástico", + "fenólica", + "resina fenólica", + "resina epoxi", + "copolímero", + "hessonita", + "gutapercha", + "organohalógeno", + "acero duro", + "hematita", + "hemiacetal", + "cáñamo", + "heptano", + "hexano", + "latón ordinario", + "histidina", + "histaminasa", + "hialuronidasa", + "hidrazina", + "hidruro", + "betún", + "alquitrán", + "pez", + "cloropreno", + "hipnagogo", + "hielo", + "imidazol", + "arcilla endurecida", + "tinta", + "inosina", + "interleucina", + "invertasa", + "sacarasa", + "sacarosa", + "agua de Javel", + "cloro", + "hipoclorito de sodio", + "lejía", + "fracción", + "yoduro", + "isocianato", + "isoleucina", + "isomería", + "isomerasa", + "corchorus capsularis", + "ácido hidroxibutírico", + "cinasa", + "quinasa", + "lactasa", + "lactógeno", + "lapislázuli", + "toba volcánica", + "toba calcárea", + "batolito", + "plutón", + "pegmatita", + "peridotita", + "kimberlita", + "lindano", + "calcita", + "caliza", + "linóleo", + "linóleum", + "linurón", + "lipasa", + "lípido", + "lipoproteína", + "fluido", + "líquido", + "líquido", + "nitrógeno líquido", + "loam", + "loess", + "tronco", + "madera", + "linfocina", + "lisozima", + "sulfato de magnesio", + "sulfato magnésico", + "bronce de magnesio", + "mármol", + "mármol verde antiguo", + "acero semiduro", + "megilp", + "agua de nieve", + "menstruum", + "mentol", + "grupo metileno", + "metileno", + "radical metileno", + "grupo metilo", + "metilo", + "radical metilo", + "acero suave", + "mitógeno", + "monosacárido", + "tartrato", + "mortero", + "barro", + "légamo", + "naftol", + "paja", + "gas natural", + "gas sarín", + "nitruro", + "nitrogenasa", + "acrílico", + "fibra acrílica", + "octano", + "aceite", + "oleorresina de Capsicum", + "ónix", + "opopanax", + "organofosforado", + "oxalacetato", + "oxalato", + "oxidasa", + "oxidoreductor", + "oxidorreductasa", + "oxima", + "oxigenasa", + "ozono", + "palmitina", + "papaína", + "paraquat", + "papel", + "macadam", + "pavimento", + "betalactamasa", + "pepsina", + "perfluorocarbono", + "permalloy", + "peroxidasa", + "peróxido", + "petróleo", + "sistema", + "fosfatasa", + "fosfina", + "fosfato", + "fosfato inorgánico", + "ortofosfato", + "fosfocreatina", + "fitoquímico", + "mineral de hierro", + "fibrinolisinalasa", + "plasmina", + "plasminógeno", + "uroquinasa", + "polimerasa", + "tinte", + "alizarina", + "eosina", + "hematocromo", + "alheña", + "reflejo", + "pigmento", + "naranja", + "acuarela", + "producto vegetal", + "mortero", + "yeso", + "podzol", + "polifosfato", + "arenisca", + "polipropileno", + "polivinilo formaldehído", + "porfirio", + "roca porfírica", + "polvo", + "llanura", + "producto", + "filtrado", + "propanal", + "acroleína", + "acrilato", + "propenoato", + "pirimidine", + "quinona", + "safranina", + "renina", + "caucho", + "goma", + "goma elástica", + "goma", + "goma sintética", + "buna", + "goma buna", + "caucho butílico", + "butilo", + "rutilo", + "agua", + "agua de lluvia", + "lluvia", + "agua de mar", + "salmuera", + "evaporita", + "agua dulce", + "sal", + "paratión", + "cardenillo", + "bicromato", + "nitrato de amonio", + "nitrato de plata", + "calafatear", + "bromuro de plata", + "cloruro", + "cloruro de metileno", + "arena", + "sarcosina", + "cera de escamas", + "parafina de escamas", + "scheelita", + "porfirinas", + "hemo", + "hemina", + "citocromo", + "histona", + "anticuerpo", + "autoanticuerpo", + "anticuerpos abo", + "anticuerpo rh", + "anticuerpos rh", + "aglutinina", + "infliximab", + "opsonina", + "capsaicina", + "isotiocianatos", + "toxina", + "toxoide", + "endotoxina", + "exotoxina", + "neurotoxina", + "micotoxina", + "veneno", + "antígeno", + "epitopo", + "esquisto", + "pizarra", + "silicato", + "seda", + "sedimento", + "roca sedimentaria", + "agave sisalana", + "pizarra", + "nieve fangosa", + "sales de olor", + "nieve", + "pábilo", + "sodalita", + "hidruro de sodio", + "hipoclorito de sodio", + "sólido", + "disolvente", + "agente solvatante", + "alkahest", + "masa madre", + "aceite de ballena", + "aceite de esperma", + "espinela", + "espíritu de amoníaco", + "sales de olor", + "espodumena", + "estaquiosa", + "almidón", + "vapor", + "soman", + "estearina", + "colesterol", + "sentina", + "estibina", + "estreptoquinasa", + "sacarosa", + "sulfate", + "sulfato", + "anión superóxido", + "superóxido", + "superóxido dismutasa", + "silvina", + "tantalita", + "telomerasa", + "tetrafluoroetileno", + "tetril", + "paja", + "treonina", + "factor iv", + "ion calcio", + "ion de calcio", + "acelerador de protrombina", + "factor de coagulación", + "factor v", + "proacelerino", + "timina", + "desoxiadenosina", + "citidina", + "desoxicitidina", + "desoxiguanosina", + "guanosina", + "het", + "hormona estimuladora tiroidea", + "hormona thyrotrópica", + "hormona tirotrópica", + "tirotropina", + "baldosa", + "till", + "tombac", + "toner", + "aminotransferasa", + "transferasa", + "betaglobulina", + "siderofilina", + "transferrina", + "triazina", + "margarina", + "tridimita", + "tripalmitato de glicerilo", + "tripalmitina", + "triestearato de glicerilo", + "triestearina", + "tripsina", + "triptófano", + "tungstato", + "tiramina", + "ureasa", + "uretano", + "uracilo", + "urato", + "tofo", + "vanadinita", + "vermiculita", + "vinagre", + "vinilo", + "vitamina", + "calciferol", + "colecalciferol", + "d", + "ergocalciferol", + "visoterol", + "vitamina d", + "vitamina e", + "factor antihemorrágico", + "naftoquinona", + "vitamina k", + "cera", + "cera ghedda", + "cerumen", + "cadaverina", + "amarillo cadmio pálido", + "naranja cadmio", + "cardenillo", + "tensoactivo", + "albayalde", + "madera", + "leña", + "leño", + "tabla", + "tablero", + "conglomerado", + "tablón", + "nudo", + "nudo", + "wolframita", + "wollastonita", + "xilosa", + "lana", + "alpaca", + "cachemira", + "vicuña", + "wulfenita", + "wurtzita", + "óxido de uranio", + "zeolita", + "heulandita", + "natrolita", + "blenda", + "zinnwaldita", + "zircón", + "zimasa", + "esencia", + "ligando", + "imida", + "metabolito", + "curare", + "xantato", + "etapa", + "periodo", + "período", + "hora", + "hora local", + "horas", + "actualidad", + "presente", + "ahora", + "al día", + "tiempos", + "pasado", + "futuro", + "porvenir", + "momento", + "tiempo", + "época", + "día", + "historia", + "hora", + "Tiempo Medio de Greenwich", + "SCET", + "Hora de reloj de una nave espacial", + "SCLK", + "continuidad", + "duración", + "permanencia", + "persistencia", + "continuación", + "continuidad", + "duración", + "permanencia", + "persistencia", + "espacio", + "intervalo", + "período", + "valor", + "valor del tiempo", + "semana", + "media semana", + "ocio", + "vacaciones", + "luna de miel", + "pase", + "baja", + "baja médica", + "vida", + "existencia", + "vida", + "existencia", + "vida", + "milenio", + "pasado", + "esperanza de vida", + "nacimiento", + "muerte", + "muerte", + "más allá", + "época", + "edad", + "infancia", + "doncellería", + "doncellez", + "juventud femenina", + "infancia", + "niñez", + "juventud", + "adolescencia", + "años 1530", + "años 1920", + "años 1820", + "años 1930", + "años 1830", + "años 1940", + "años 1950", + "años 1750", + "años 1960", + "años 1860", + "años 1760", + "años 1970", + "años 1870", + "años 1770", + "años 80", + "años 1880", + "años 1780", + "años 1990", + "años 1890", + "años 1790", + "florecimiento", + "tiempos mozos", + "mayoría", + "minoría", + "madurez", + "plazo", + "edad", + "vejez", + "día", + "noche", + "mañana", + "víspera", + "día", + "día", + "5 de noviembre", + "20 de enero", + "fecha", + "d", + "día de fiesta", + "día festivo", + "fiesta", + "domingo", + "lunes", + "miércoles", + "jueves", + "viernes", + "sábado", + "día", + "jornada", + "mañana", + "mediodía", + "tarde", + "media tarde", + "anochecer", + "atardecer", + "noche", + "noche", + "noche", + "noche", + "medianoche", + "amanecer", + "orto", + "anochecer", + "anochecida", + "crepúsculo", + "noche", + "semana", + "fin de semana", + "tiempo de acceso", + "distancia", + "distancia", + "período", + "embolismo", + "intercalación", + "calendario gregoriano", + "calendario juliano", + "toque de queda", + "instante", + "momento", + "punto", + "noche de valpurguis", + "noche de walpurguis", + "Año Nuevo", + "Año Nuevo", + "hogmanay", + "día festivo", + "festividad cristiana", + "festividad cristiana", + "festividad judía", + "Yom Kippur", + "29 de Septiembre", + "San Miguel", + "2 de Febrero", + "Candelaria", + "candelaria", + "Día de la Marmota", + "Día de San Valentín", + "2 de marzo", + "Día de la Madre", + "Día de los Caídos", + "14 de junio", + "4 de julio", + "Día de la Independencia", + "1 de agosto", + "época de Lammas", + "época de lammas", + "Labor Day", + "17 de septiembre", + "pasch", + "pascua", + "pesaj", + "época de Pascua", + "1 de enero", + "1 de enero", + "circuncisión", + "Corpus Christi", + "19 de marzo", + "San José", + "Boxing Day", + "purim", + "Tisha b'Av", + "ayuno de gedaliahu", + "Jánuca", + "jánuca", + "14 de Julio", + "año", + "ejercicio", + "año", + "año", + "lustro", + "decada", + "decenio", + "década", + "siglo", + "quattrocento", + "mes", + "fase", + "luna nueva", + "luna de cosecha", + "luna", + "día", + "hora sideral", + "mes solar", + "mes", + "mes de calendario", + "enero", + "mediados de enero", + "febrero", + "mediados de febrero", + "marzo", + "mediados de marzo", + "abril", + "mediados de abril", + "mayo", + "mediados de mayo", + "junio", + "mediados de junio", + "julio", + "mediados de julio", + "agosto", + "mediados de agosto", + "septiembre", + "mediados de septiembre", + "octubre", + "mediados de octubre", + "noviembre", + "mediados de noviembre", + "diciembre", + "mediados de diciembre", + "caitra", + "chait", + "magh", + "magha", + "santo", + "24 de Junio", + "solsticio de verano", + "equinoccio de marzo", + "equinoccio de primavera", + "equinoccio de otoño", + "equinoccio de septiembre", + "plazo", + "limitación", + "condena", + "semestre", + "trimestre", + "gestación", + "término", + "campana de barco", + "h", + "hora", + "hora", + "hora del día", + "momento", + "hora punta", + "vísperas", + "Edad de Piedra", + "edad de piedra", + "mesolítico", + "minuto", + "s", + "segundo", + "femtosegundo", + "nanosegundo", + "milisegundo", + "estación", + "otoño", + "primavera", + "verano", + "invierno", + "mitad del invierno", + "temporada", + "temporada", + "entrenamiento de primavera", + "temporada", + "carnaval", + "Martes de Carnaval", + "años", + "largo tiempo", + "mucho tiempo", + "a la larga", + "a largo plazo", + "eón", + "eternidad", + "infinidad", + "infinito", + "alfa y omega", + "instante", + "momento", + "instante", + "segundo", + "instante", + "minuto", + "momento", + "segundo", + "período de frío", + "período cálido", + "período de calor", + "instante", + "minuto", + "momento", + "segundo", + "instante", + "parpadeo", + "periodo", + "período", + "era", + "era geológica", + "época", + "era", + "época", + "generación", + "aniversario", + "cumpleaños", + "bodas de plata", + "bodas de oro", + "bodas de diamante", + "cincuentenario", + "centenario", + "bicentenario", + "tricentenario", + "cuarto centenario", + "quinto centenario", + "milenario", + "milenio", + "aniversario", + "cumpleaños", + "antigüedad", + "era", + "época", + "era moderna", + "entrada", + "mitad", + "parte", + "período", + "Edad Media", + "renacimiento", + "Renacimiento de Harlem", + "New Deal", + "restauración", + "tiempo de ejecución", + "era espacial", + "hoy", + "en perspectiva", + "mañana", + "allegro", + "allegro con spirito", + "comienzo", + "inicio", + "principio", + "umbral", + "juventud", + "punto de partida", + "administración", + "mandato", + "presidencia", + "mandato vicepresidencial", + "vicepresidencia", + "medio", + "conclusión", + "fin", + "final", + "conclusión", + "fin", + "final", + "meta", + "término", + "cola", + "final", + "límite", + "punto final", + "umbral", + "tiempo", + "pausa", + "suspensión", + "lapso", + "cesura", + "espera", + "retraso", + "ínterin", + "eternidad", + "cabezada", + "siesta", + "sueño", + "cabezada", + "sueñecito", + "desahogo", + "descanso", + "pausa", + "período de descanso", + "respiro", + "respiro", + "periodo de semidesintegración", + "natalidad", + "mortalidad", + "frecuencia", + "hercio", + "paso", + "ritmo", + "pulso", + "revoluciones por minuto", + "velocidad", + "ritmo", + "tempo", + "velocidad de escape", + "hipervelocidad", + "frecuencia por minuto", + "ritmo", + "velocidad", + "índice", + "flujo de radiación", + "ciclo", + "período", + "estadio", + "etapa", + "fase", + "apogeo", + "culminación", + "mandato", + "episcopado", + "turno", + "guardia", + "guardia", + "turno de noche", + "alistamiento", + "enrolamiento", + "período", + "período de servicio", + "indicción", + "prohibición", + "auge", + "duración", + "regencia", + "ola de frío", + "6 de agosto", + "Transfiguración", + "transfiguración" +] \ No newline at end of file diff --git a/static/data/es/verbs.json b/static/data/es/verbs.json new file mode 100644 index 0000000..8d19da2 --- /dev/null +++ b/static/data/es/verbs.json @@ -0,0 +1,10831 @@ +[ + "aspirar", + "respirar", + "aspirar", + "suspirar", + "contener", + "retener", + "emanar", + "emitir", + "exhalar", + "tos convulsiva", + "soplar", + "parpadear", + "aletear", + "pestañear", + "guiñar", + "ahogar", + "cambiar", + "mudar", + "descamar", + "pelarse", + "sacudir", + "actuar", + "comprtarse", + "obrar", + "encomiar", + "ensalzar", + "jugar", + "simular", + "agitar", + "agitarse", + "menear", + "sacudir", + "temblar", + "estremecerse", + "temblar", + "tiritar", + "descansar", + "reposar", + "moverse", + "dormir", + "dormir una siesta", + "echar una cabezada", + "echar una siesta", + "sestear", + "dormirse", + "hibernar", + "invernar", + "estivar", + "asentir", + "adormecerse", + "dormirse", + "acostarse", + "encamarse", + "acostarse", + "echarse", + "encamarse", + "estirarse", + "ir a dormir", + "irse al catre", + "retirarse", + "tenderse", + "tumbarse", + "aparecer", + "despertarse", + "levantarse", + "levantar", + "desadormecerse", + "despabilarse", + "despertar", + "despertarse", + "resucitar", + "despertar", + "adormecer", + "afectar", + "atacar", + "quedarse levantado", + "trasnochar", + "velar", + "mantener despierto", + "quedarse despierto", + "quedarse levantado", + "hipnotizar", + "mesmerizar", + "eterizar", + "cocainizar", + "cloroformizar", + "anestesiar por congelación", + "despertar", + "reanimar", + "reavivar", + "resucitar", + "volver en sí", + "estimular", + "catexiar", + "despertar", + "reanimarse", + "resucitar", + "revivir", + "volver en sí", + "tensar", + "relajar", + "liberar", + "relajar", + "relajar", + "calentar", + "estirar", + "extender", + "estimular", + "revigorizar", + "tonificar", + "vigorizar", + "sonreír", + "sonreír abiertamente", + "sonreír afectadamente", + "sonreír burlonamente", + "burlarse", + "mofarse", + "rebuznar", + "aullar de risa", + "reir a carcajadas", + "reírse con disimulo", + "reírse disimuladamente", + "reírse tontamente", + "morirse de risa", + "partirse de risa", + "reírse a carcajadas", + "reírse ahogadamente", + "reírse bajito", + "reírse entre dientes", + "reír", + "reírse a carcajadas", + "mofarse", + "sonreír burlonamente", + "fruncir", + "fruncir el entrecejo", + "lavar", + "lavar con esponja", + "fregar", + "frotar", + "afeitar a navaja", + "bañar", + "desenmarañar", + "desenredar", + "peinar", + "aderezar", + "arreglar", + "arreglarse el pelo", + "atusar", + "cardar", + "marcar", + "peinar", + "peinar con estilo", + "ondular", + "permanentar", + "acicalarse", + "almohazar", + "arreglarse", + "cuidarse", + "asearse", + "pintarse los labios", + "pintar", + "empolvarse", + "perfumarse", + "engalanarse", + "emperejilarse", + "emperifollarse", + "ponerse una túnica", + "emperejilarse", + "emperifollarse", + "almohazar", + "arreglar", + "asear", + "cuidar", + "adelgazar", + "bajar peso", + "enflaquecer", + "perder peso", + "rebajar", + "reducir", + "adelgazar sudando", + "llevar", + "llevar", + "vestir", + "vestir", + "enchaquetar", + "enchaquetarse", + "ponerse los hábitos", + "tomar los hábitos", + "vestirse con sotana", + "encamisarse", + "vestir el hábito", + "calzarse", + "desnudar", + "ponerse un pañuelo", + "disfrazar", + "vestir", + "llevar", + "vestir", + "fecundar", + "fertilizar", + "inseminar", + "dejar embarazada", + "embarazar", + "fecundar", + "fertilizar", + "preñar", + "fertilizar", + "polinizar", + "aparearse", + "cruzar", + "engendrar", + "multiplicarse", + "procrear", + "reproducir", + "reproducirse", + "propagar", + "propagarse", + "vegetar", + "propagar", + "inocular", + "criar", + "desovar", + "depositar ovas", + "alumbrar", + "dar a luz", + "nacer", + "parir", + "tener", + "traer al mundo", + "gemelo", + "parir", + "parir un equino", + "parir cachorros", + "parir", + "parir gatitos", + "parir", + "parir un cordero", + "parir", + "parir", + "parir", + "parir cerditos", + "parir puercos", + "parir", + "parir", + "parir terneros", + "parir un ternero", + "llevar a término", + "perder", + "aclocarse", + "cubrir", + "empollar", + "incubar", + "capar un gallo", + "capar", + "castrar", + "emascular", + "esterilizar", + "mutilar", + "trepanar", + "desinfectar con antisépticos", + "esterilizar", + "esterilizar con antisépticos", + "salir del cascarón", + "irritar", + "calmar", + "tranquilizar", + "aliviar", + "masajear", + "dañar", + "doler", + "sufrir", + "padecer", + "tener", + "sufrir", + "gemir", + "gimotear", + "lloriquear", + "sollozar", + "llorar", + "sollozar", + "berrear", + "sollozar", + "gimotear", + "llorar", + "lloriquear", + "resollar", + "sollozar", + "sudar", + "desprender", + "chorrear", + "herir", + "lesionar", + "pisar", + "pisotear", + "conmocionar", + "cocear", + "dar potro", + "torturar con potro", + "martirizar", + "forzar", + "tirar", + "evacuar", + "hacer aguas menores", + "hacer pipí", + "hacer pis", + "hacer un río", + "mear", + "orinar", + "eliminar", + "arrojar", + "echar", + "estar muy estreñido", + "agotar", + "cansar", + "agotar", + "extenuar", + "agotar", + "extenuar", + "fatigar con exceso", + "rendir", + "vencer", + "devolver", + "arrojar", + "expeler", + "expulsar", + "eyectar", + "lanzar", + "mantener", + "hacer bascas", + "tener angustia", + "tener ansias", + "tener arcadas", + "tener desazón", + "tener náuseas", + "ahogar", + "ahogar", + "asfixiar", + "estrangular", + "padecer", + "sufrir", + "cuidar", + "ocuparse", + "preocuparse", + "trata", + "tratar", + "yodar", + "atender", + "tratar", + "examinar animales", + "tratar animales", + "administrar", + "dispensar", + "transfundir", + "transvasar", + "curar", + "reavivar", + "sanar", + "auxilio", + "ayuda", + "ayudar", + "aliviar", + "dar alivio", + "reconfortar", + "aliviar", + "remediar", + "vendar", + "operar", + "dopar", + "drogar", + "dopar", + "drogar", + "anestesiar", + "narcotizar", + "sedar", + "aplicar sangüijuelas", + "extraer sangre", + "sangrar", + "dar una inyección", + "introducir", + "inyectar", + "inmunizar", + "aplicar tazas", + "transfundir", + "coger", + "contraer", + "coger", + "coger frío", + "envenenar", + "impurificar", + "infectar", + "clorar", + "contagiar", + "contaminar", + "infectar", + "gangrenar", + "llagar", + "causar un trauma", + "traumatizar", + "electrolizar", + "galvanizar", + "subluxar", + "desjarretar", + "discapacitar", + "incapacitar", + "invalidar", + "cortar el corvejón", + "convalescer", + "recuperar", + "recuperarse", + "recuperar", + "recuperarse", + "adquirir", + "crecer", + "desarrollar", + "producir", + "brotar", + "nacer", + "aumentar", + "crecer", + "enconarse", + "infectar", + "supurar", + "ulcerarse", + "regenerar", + "regenerarse", + "revitalizar", + "resucitar", + "levantarse", + "resucitar", + "ejercitar", + "trabajar", + "entrenar", + "rodar", + "entrenar", + "estirar", + "fortalecer", + "hacer ejercicio", + "tonificar", + "escupir", + "escupir", + "enrojecer", + "decolorar", + "descolorar", + "expeler", + "expulsar", + "bromear", + "hacer bufonadas", + "hacer payasadas", + "payasear", + "atropellar", + "pasar por encima", + "aumentar", + "engordar", + "hacer", + "cortar", + "fracturar", + "romper", + "dar", + "cambiar", + "caramelizar", + "rasterizar", + "convertir", + "verbalizar", + "esporular", + "opalizar", + "maltear", + "estar al corriente", + "estar al dìa", + "estar al día", + "mantenerse al corriente", + "seguir", + "arterializar", + "convertir", + "volver", + "hacer", + "poner", + "experimentar", + "tener", + "alternar", + "alternar", + "alternar", + "intercambiar", + "vascularizar", + "alterar", + "cambiar", + "mudar", + "transformar", + "variar", + "revocar", + "revolucionar", + "tornar", + "alterar", + "cambiar", + "modificar", + "convertir en mítico", + "elevar a mito", + "mitificar", + "mitologizar", + "alegorizar", + "llevar", + "equilibrar", + "dejar", + "afectar", + "conmover", + "repercutir", + "invertir", + "revertir", + "trastocar", + "alcoholizar", + "cambiar integralmente", + "cultivar en terrazas", + "dar forma", + "formar", + "cristalizar", + "redondear", + "cuadrar", + "caer", + "suspender", + "resuspender", + "calmar", + "seguir", + "proporcionar", + "readaptarse", + "disminuir", + "mermar", + "amainar", + "disminuir", + "caer", + "disminuir", + "desvanecerse", + "evaporarse", + "volar", + "acrecentar", + "incrementar", + "aumentar", + "ampliar", + "ensanchar", + "desplomarse", + "ascender", + "subir", + "remontar", + "subir", + "acrecentar", + "reducir", + "aumentar", + "incrementar", + "aumentar", + "adelantar", + "aumentar", + "alzar", + "elevar", + "subir", + "amontonar", + "contraer", + "aculturar", + "extranjerizar", + "asimilar", + "cambiar", + "intercambiar", + "rectificar", + "utilizar", + "reemplazar", + "sustituir", + "cambiar", + "reformar", + "remozar", + "renovar", + "restaurar", + "gentrificar", + "consolidar", + "hacer resistente", + "impermeabilizar", + "impermeabilizar", + "reformar", + "reformarse", + "ver la luz", + "regenerar", + "revivir", + "reeditar", + "modificar", + "actualizar", + "calificar", + "modificar", + "enriquecer", + "desarrollar", + "completar", + "rellenar", + "desproveer", + "empobrecer", + "privar", + "fallar", + "quitar", + "sacar", + "lavar", + "limpiar", + "limpiar", + "pelar", + "aclarar", + "despejar", + "retirar", + "solucionar", + "pelar", + "retirar", + "deshuesar", + "limpiar", + "despejar", + "quitar los estorbos", + "arreglar", + "despejar", + "limpiar", + "ordenar", + "recoger", + "retirar", + "rebosar", + "adicionar", + "agregar", + "añadir", + "incluir", + "mezclar", + "hacer", + "nitratar", + "incluír", + "insertar", + "introducir", + "meter", + "poner", + "inocular", + "introducir", + "cateterizar", + "alimentar", + "introducir", + "colar", + "deslizar", + "endosar", + "puntuar", + "enlazar", + "encordar", + "engarzar", + "animar", + "estimular", + "animar", + "avivar", + "reanimar", + "vigorizar", + "vivificar", + "animar", + "inspirar", + "combinar", + "componer", + "unir", + "sumar", + "totalizar", + "recombinar", + "secar", + "ordeñar", + "echar leche", + "raer", + "deprivar", + "denudar", + "descubrir", + "desnudar", + "despejar", + "despojar", + "pelar", + "vaciar", + "claramente", + "unánimente", + "quemar", + "escarchar", + "escarcharse", + "calificar", + "reconstruir", + "rehacer", + "corregir", + "rectificar", + "dirigir", + "borrar", + "censurar", + "editar", + "expurgar", + "dar el hacha", + "tajar", + "falsificar", + "amansar", + "doblegar", + "domar", + "controlar", + "domar", + "domesticar", + "entrenar", + "atemperar", + "castigar", + "corregir", + "moderar", + "abusar", + "fracturar", + "quebrar", + "agravar", + "agravarse", + "bajar", + "deteriorar", + "empeorar", + "sufrir", + "adelantar", + "ganar", + "mejorar", + "progresar", + "mejorar", + "ameliorar", + "arreglar", + "enriquecer", + "mejorar", + "perfeccionar", + "ayudar", + "mejorar", + "condicionar", + "corregir", + "enmendar", + "agravar", + "empeorar", + "exacerbar", + "exasperar", + "corromperse", + "decaer", + "desmoronarse", + "estropearse", + "descomponer", + "descomponer", + "desintegrarse", + "hacerse polvo", + "pudrirse", + "conservar", + "preservar", + "salar", + "adobar", + "marinar", + "apagar", + "humedecer", + "mojar", + "absorber", + "empapar", + "lavar", + "mojar", + "conservar en salmuera", + "salar", + "embarrar", + "pringar", + "inundar", + "hidratar", + "humedecer", + "lavar", + "mojar", + "humedecer", + "remojarse", + "quemar", + "secar", + "abrir", + "consolidar", + "reforzar", + "reforzarse", + "atenuar", + "asegurar", + "alegrar", + "añadir alcohol", + "echar licor", + "fortificar", + "enriquecer", + "reforzar", + "afianzar", + "reforzar", + "revestir", + "apoyar", + "morir", + "debilitar", + "incapacitar", + "inutilizar", + "invalidar", + "tullir", + "aclarar", + "cortar", + "desleír", + "diluir", + "reducir", + "atenuar", + "calentar", + "animar", + "azuzar", + "regar", + "regar", + "salpicar", + "destacar", + "crecer", + "crecer", + "atenuar", + "disminuir", + "menguar", + "mondar", + "pelar", + "rebajar", + "limitar", + "enganchar", + "distinguir", + "controlar", + "dar órdenes", + "estar al mando", + "gobernar", + "regir", + "reglamentar", + "regular", + "limitar", + "mantener controlado", + "restringir", + "dificultar", + "reducir", + "concentrar", + "oxidar", + "oxidarse", + "disminuir", + "reducir", + "ampliar", + "contraer", + "encoger", + "contraer", + "encoger", + "consumirse", + "encoger", + "languidecer", + "marchitarse", + "momificar", + "momificarse", + "secarse", + "consolidar", + "unir", + "mezclar", + "unificar", + "unir", + "abreviar", + "contraer", + "encoger", + "reducir", + "comprimir", + "comprimir", + "ceder", + "aflojar", + "reducir", + "redoblar", + "multiplicar", + "envejecer", + "madurar", + "envejecer", + "avanzar", + "progresar", + "recalcitrar", + "retroceder", + "retrogradar", + "envejecer", + "madurar", + "madurar", + "crecer", + "madurar", + "evolucionar", + "elaborar", + "ofrecer", + "proponer", + "traer a colación", + "elaborar", + "llevar a cabo", + "derivar", + "crecer", + "desarrollar", + "fortificar", + "intensificar", + "reforzar", + "robustecer", + "anticuar", + "convertir en antigüedad", + "desarrollar", + "envejecer", + "sazonar", + "suavizar", + "templar por cementación", + "hinchar", + "saltar", + "agrandarse", + "expandirse", + "hincharse", + "inflamarse", + "inflarse", + "ampliar", + "hinchar", + "gotear", + "dañar", + "romper", + "disturbar", + "mover", + "acometer", + "destrozar", + "devastar", + "perjudicar", + "arreglar", + "atender", + "reparar", + "remendar", + "apuntar", + "rematar", + "modernizar", + "reacondicionar", + "repasar", + "revisar", + "resolver", + "resolver problemas", + "solucionar problemas", + "parchear", + "remendar", + "añadir una imperfección", + "estropear", + "abombar", + "abultar", + "sobresalir", + "abultar", + "hinchar", + "hinchar", + "subir", + "reflotar", + "volver a hinchar", + "ampliar", + "ensanchar", + "cambiar de forma", + "reformar", + "ionizar", + "menguar", + "bajar", + "ponerse bien", + "reanimarse", + "recuperarse", + "superar", + "empeorarse", + "recaer", + "disminuir", + "mejorar", + "remitir", + "paralizar", + "paralizar", + "atontar", + "aturdir", + "bloquear", + "congelar", + "desbloquear", + "descongelar", + "liberar", + "soltar", + "convocar", + "agriar", + "amargar", + "arreglar", + "curar", + "mejorar", + "sanear", + "oscilar", + "variar", + "lastrar", + "desestabilizar", + "concienciar", + "sensibilizar", + "acostumbrar", + "soler", + "enseñar", + "desgastarse", + "erosionarse", + "raer", + "arreglar", + "limpiar", + "desajustar", + "descomponer", + "desordenar", + "hacer en serie", + "publicar por entregas", + "seriar", + "oxigenar", + "melanizar", + "teñir", + "teñir", + "teñir en profundidad", + "colorar", + "policromar", + "dorar", + "encarnar", + "colorar", + "teñir", + "bañar", + "mojar", + "manchar", + "teñir", + "teñir", + "colorar", + "batik", + "enrojecer", + "agrisar", + "hacer gris", + "despedir", + "emitir", + "irradiar", + "alumbrar", + "iluminar", + "enfocar", + "iluminar con focos", + "destacar", + "enfocar", + "cortar", + "destrozar", + "recortar", + "afear", + "florecer", + "acicalar", + "adornar", + "arreglar", + "ataviar", + "atildar", + "componer", + "emperejilar", + "emperifollar", + "engalanar", + "florecer", + "florecer", + "moderar", + "aderezar", + "endurecer", + "preparar", + "acordar", + "ajustar", + "colocar", + "corregir", + "ajustar", + "acomodar", + "adaptar", + "adecuar", + "acomodar", + "adecuar", + "ajustar", + "adecuar", + "capacitar", + "contener", + "dominar", + "someter", + "endurecer", + "ampliar", + "ensanchar", + "extender", + "ensanchar", + "estrechar", + "implosionar", + "implotar", + "estallar", + "explotar", + "reventar", + "detonar", + "explotar", + "estallar", + "explotar", + "dinamitar", + "estallar", + "oxigenar", + "crecer", + "borrar", + "obscurecer", + "sombrear", + "atenuar", + "ensombrecer", + "oscurecer", + "ensombrecerse", + "quedar en tinieblas", + "desdibujar", + "nublar", + "desbrozar", + "desherbar", + "atenuar", + "opacar", + "oscurecer", + "atenuar", + "oscurecer", + "ensombrecer", + "nublar", + "ofuscar", + "condenar al olvido", + "enmascarar", + "enturbiar", + "erradicar", + "esconder", + "ignorar", + "oscurecer", + "enfocar", + "apreciar", + "revaluar", + "insonorizar", + "alargar", + "encoger", + "ensanchar", + "alargar", + "prolongar", + "alargar", + "prolongar", + "ensanchar", + "estirar", + "extender", + "cocer", + "hornear", + "dorar", + "rellenar", + "fetichar", + "rellenar con corcho", + "tapar con corcho", + "acolchar", + "reforzar", + "bañar", + "hervir excesivamente", + "cocer", + "cocer en barro", + "borbotear", + "bullir", + "asar en sartén", + "freír", + "freír en sartén", + "embeber", + "empapar", + "extraer", + "sacar", + "cocer", + "dividir en tres", + "trifurcar", + "picar", + "majar", + "picar", + "moler", + "separar", + "tapar", + "destrozar", + "estrellar", + "partir", + "quebrar", + "romper", + "desfondar", + "romper", + "partir", + "quebrar", + "romper", + "romper", + "agrietar", + "resquebrajar", + "fisurar", + "estallar", + "partir", + "agrietar", + "cuartear", + "agrietarse", + "resquebrajarse", + "astillar", + "astillarse", + "disolver", + "proscribir", + "desmigajarse", + "aplastar", + "ocurrir", + "pasar", + "recrudecerse", + "suceder", + "acaecer", + "acontecer", + "llegar a ocurrir", + "llegar a pasar", + "ocurrir", + "pasar", + "sobrevenir", + "suceder", + "tener lugar", + "funcionar", + "pasar", + "ir", + "llegar", + "suceder", + "venir", + "asentarse", + "caer", + "descender", + "caer", + "caer", + "resultar", + "salir", + "repetirse", + "volver a ocurrir", + "suceder", + "acontecer", + "coincidir", + "concurrir", + "entrar en erupción", + "hacer erupción", + "irrumpir", + "comenzar", + "empezar", + "iniciar", + "principiar", + "irrumpir", + "salir", + "arrancar", + "llegar a", + "retomar", + "acelerar", + "avivar", + "impulsar", + "mover", + "moverse", + "movilizarse", + "ponerse en marcha", + "comenzar", + "empezar", + "iniciar", + "principiar", + "acelerar", + "arrancar", + "proseguir", + "reiniciar", + "reanudar", + "retomar", + "obstinarse", + "adherirse a", + "continuar con", + "seguir", + "cerrar", + "acabar", + "extinguirse", + "acabar", + "terminar", + "acabar", + "concluir", + "terminar", + "cortar", + "dar puerta", + "terminar con", + "interrumpir", + "culminar", + "levantar", + "cortar", + "terminar", + "fallecer", + "morir", + "matar", + "romper", + "romper", + "brotar", + "germinar", + "nacer", + "brotar", + "asfixiarse", + "caer muerto", + "dejar de existir", + "diñar", + "entregar el alma", + "espichar", + "estirar la pata", + "expirar", + "fallecer", + "fenecer", + "finar", + "hincar el pico", + "liar el petate", + "morir", + "perder la vida", + "perecer", + "quedarse", + "sucumbir", + "torcer la cabeza", + "estrangular", + "dejar", + "nacer", + "cobrar vida", + "nacer", + "hinchar", + "hincharse", + "abandonar", + "discontinuar", + "parar", + "romper", + "suspender", + "suspender", + "colgar", + "abandonar", + "dejar", + "congelar", + "interrumpir", + "romper", + "aplazar", + "puntuar", + "transpirar", + "unir", + "cuajar", + "enfriar", + "congelar", + "enfriar", + "refrescar", + "refrigerar", + "helar", + "refrigerar", + "calentar", + "escaldar", + "refrigerar", + "calentar", + "calentar", + "irritar", + "rozar", + "congelar", + "congelarse", + "cocer", + "extractar la esencia", + "hervir", + "congelar", + "congelar", + "helar", + "deshacer", + "fundir", + "arder", + "quemar", + "arder", + "incendiar", + "quemar", + "cambiar", + "intercambiar", + "relevar", + "transponer", + "transportar", + "transformar", + "hacer ceniza", + "transformar", + "transformar", + "convertir", + "islamizar", + "cristianizar", + "evangelizar", + "invertir", + "poner al revés", + "trastocar", + "invertir", + "regresar", + "customizar", + "destrozar", + "gastar", + "agotar", + "consumir", + "debilitar", + "enervar", + "atenuar", + "desalentar", + "reprimir", + "enturbiar", + "nublar", + "afilar", + "afilar", + "agudizar", + "afilar", + "afilar", + "aguzar", + "afilar", + "agudizar", + "ahusar", + "bajar", + "combinar", + "mezclar", + "absorber", + "mezclar", + "añadir", + "incorporar", + "interrumpir", + "acrecentar", + "aumentar", + "combinar", + "mezclar", + "alear", + "desmigajarse", + "desmoronarse", + "añadir", + "reintegrarse", + "macerar", + "complicar", + "refinar", + "sofisticar", + "complicar", + "estructurar", + "organizar", + "entrelazar", + "unir", + "concentrar", + "disponer", + "preparar", + "montar", + "armar", + "montar", + "aparejar", + "equipar", + "formar", + "preparar", + "civilizar", + "desnacionalizar", + "naturalizar", + "naturalizarse", + "adoptar", + "poblar", + "traslladar-se", + "colonizar", + "asentarse", + "colonizar", + "poblar", + "posarse", + "establecer", + "calmarse", + "estabilizar", + "estabilizarse", + "tranquilizarse", + "compensar", + "empatar", + "igualar", + "homologar", + "almidonar", + "poner entretela", + "constreñir", + "endurecer", + "restringir", + "aflojar", + "relajar", + "soltar", + "estirar", + "tensar", + "ajustar", + "apretar", + "atar", + "estirar", + "tensar", + "tensar", + "afirmar", + "estirar", + "tensar", + "transitivizar", + "destransitivizar", + "detransitivizar", + "intransitivizar", + "aflojar", + "remitir", + "aflojar", + "desaparecer", + "desvanecerse", + "esfumarse", + "marchar", + "pasar", + "aparecer", + "asomar", + "comparecer", + "manifestarse", + "manifiesta", + "salir", + "surgir", + "irrumpir", + "aflorar", + "aparecer", + "aparecer", + "comparecer", + "aflorar", + "aparecer", + "salir", + "asomar", + "aparecer", + "salir", + "surgir", + "abrirse paso", + "penetrar", + "desaparecer", + "desvancerse", + "disiparse", + "esfumarse", + "esfumarse", + "hacerse humo", + "equilibrar riesgos", + "protegerse", + "bajar", + "cortar", + "rebajar", + "recortar", + "reducir", + "reducir", + "rebajar", + "reducir", + "tasajear", + "diluir", + "podar", + "reducir", + "condensar", + "espesar", + "condensar", + "cuajar", + "espesar", + "caer", + "descender", + "hundirse", + "caer", + "descender", + "aumentar de fase", + "crecer", + "incrementar la intensidad", + "abatanar", + "fallar", + "dejar de funcionar", + "estropearse", + "ceder", + "desenrollar", + "desplegar", + "envolver", + "variar", + "especializar", + "acelerar", + "apresurar", + "perder vigor", + "acelerar", + "acelerar", + "acelerar", + "subir de revoluciones", + "contener", + "demorar", + "atascar", + "atascarse", + "embotar", + "aflojar", + "moderar", + "remitir", + "decrecer", + "disminuir", + "reducir", + "disminuir", + "quitar importancia", + "rebajar", + "cuajarse", + "licuar", + "liquidar", + "liquidar", + "congelar", + "helar", + "cristalizar", + "disolver", + "reaccionar", + "deshacer", + "diluir", + "disolver", + "cortar", + "disolver", + "disolver", + "validar", + "anular", + "descargar", + "vaciar", + "limpiar", + "desembocar", + "drenar", + "drenar", + "vaciar", + "agotar", + "poblar", + "desembocar", + "drenar", + "vaciar", + "llenar", + "llenar", + "llenar hasta arriba", + "colmar", + "rellenar", + "cebar", + "forrar", + "bañar", + "cubrir", + "regar", + "emparejar", + "hacer juego", + "homogeneizar", + "cuajar", + "cuajar", + "amargar", + "vinificar", + "apresurar", + "demorar", + "detener", + "diferir", + "retrasar", + "callar", + "contener", + "dominar", + "inhibir", + "aplastar", + "ajustar", + "arreglar", + "sincronizar", + "sincronizarse", + "enderezar", + "realinear", + "equilibrar", + "colimar", + "aplomar", + "incorporar", + "integrar", + "reincorporar", + "orientar", + "neutralizar", + "anular", + "decimar", + "anular", + "destruir", + "absorber el shock", + "eliminar el shock", + "acabar con", + "eliminar", + "extinguir", + "librarse de", + "destruir", + "ahogar", + "recortar", + "afilar", + "afinar", + "perfeccionar", + "arreglar", + "completar", + "afinar", + "pulimentar", + "pulir", + "refinar", + "refinar", + "precipitar", + "limpiar", + "purgar", + "encogerse", + "condicionar", + "prejuiciar", + "soplar", + "acoparse", + "arruinar", + "desflorar", + "deteriorar", + "estropear", + "manchar", + "viciar", + "extinguir", + "apagar", + "aplastar", + "extinguir", + "borrar", + "ahogar", + "liquidar", + "mecanizar", + "deshumanizar", + "semiautomatizar", + "asimilar", + "resumir", + "finalizar", + "acordar", + "armonizar", + "proporcionar", + "afinar", + "completar", + "completar", + "coronar", + "finalizar", + "redondear", + "rematar", + "completar", + "redondear", + "coronar", + "rematar", + "culminar", + "ejecutar", + "realizar", + "fijar", + "glorificar", + "justificar", + "valorar", + "contaminar", + "ensuciar", + "contaminar", + "emporcar", + "ensuciar", + "manchar", + "polucionar", + "contaminar", + "ensuciar", + "polucionar", + "descontaminar", + "contaminar", + "aislar", + "ghettizar", + "aislar", + "colocar burlete", + "poner un burlete", + "insonorizado", + "insonorizar", + "aislar", + "mantener aislado", + "poner aparte", + "segregar", + "abandonar", + "dejar", + "aislar", + "aislar previamente", + "ascender", + "fomentar", + "promover", + "cargar", + "bañar", + "calar", + "empapar", + "teñir", + "calcificar", + "metropolizar", + "urbanizar", + "abonar", + "fertilizar", + "estimular", + "excitar", + "inervar", + "pellizcar", + "velicar", + "fatigar", + "fragilizar", + "eterificar", + "convertir en jalea", + "gelatinizar", + "lapidificar", + "petrificar", + "fosilizar", + "marcar", + "señalar", + "abanderar", + "marcar", + "curtir", + "oscurecer", + "capacitar", + "dotar", + "equipar", + "neutralizar", + "tamponar", + "acomodar", + "mimetizar", + "ignorar", + "destacar", + "procesar", + "tratar", + "azufrar", + "sulfatar", + "cargar", + "aflojar", + "aliviar", + "desconcertar", + "mistificar", + "borbotear", + "interrumpir", + "molestar", + "interrumpir", + "perturbar", + "cortar", + "ionizar", + "destorbar", + "enturbiar", + "obtener", + "adquirir", + "asumir", + "acicalarse", + "ritualizar", + "convertir en bromato", + "limpiar la chimenea", + "cerrar", + "clausurar", + "descomponer", + "convencionalizar", + "curar", + "salar", + "poner en salmuera", + "salar", + "recuperar", + "aparecer", + "emerger", + "salir", + "surgir", + "irradiar", + "salir", + "decimalizar", + "bajar", + "salar", + "llevarse", + "quitar", + "marear", + "envenenar", + "exteriorizar", + "externar", + "objetificar", + "hacer atractivo", + "hacer atrayente", + "laicizar", + "romantizar", + "enrojecer", + "acarminar", + "enrojecer", + "hacer poco profundo", + "hacer superficial", + "perder profundidad", + "tensar", + "aflojar", + "remolonear", + "empinar", + "hacer empinado", + "mezclar", + "revolver", + "descodificar", + "poblar", + "conducir", + "llevar", + "atravesar", + "penetrar", + "romper", + "traspasar", + "abrir", + "desarrollar", + "hacer disponible", + "iniciar", + "ampliar", + "ensanchar", + "extender", + "globalizar", + "taladrar", + "castrar", + "emascular", + "debilitar", + "desgastar", + "segregar", + "suspender", + "hacer entender", + "crecer", + "embarrar", + "ponerse", + "endurecer", + "evolucionar", + "brotar", + "ensuciar", + "abollar", + "golpear", + "asibilar", + "demonizar", + "desvanecerse", + "esfumarse", + "animar", + "volver", + "brotar", + "entrar en erupción", + "hacer erupción", + "salir", + "asesinar", + "mutilar", + "cambiar", + "aclarar", + "despejar", + "romper", + "antender", + "alzar", + "animar", + "elevar", + "levantar", + "abandonar", + "cambiar", + "cambiar velocidades", + "hacer zaping", + "zapear", + "uniformizar", + "hacer simétrico", + "eternizar", + "hacer eterno", + "immortalizar", + "inmortalizar", + "alterar", + "desorganizar", + "interrumpir", + "transformar en verbo", + "transferir", + "transportar", + "trasladar", + "modificar", + "apartar", + "mezclar", + "romper", + "animar", + "acabarse", + "agotarse", + "fallar", + "reflotar", + "flotar", + "hacer visible", + "patentar", + "constitucionalizar", + "desechar", + "desguazar", + "profundizar", + "disminuir", + "alejar", + "alejarse", + "dejar", + "quitar", + "eliminar", + "quitar", + "quitar", + "bajar la fiebre", + "enfriar", + "difundir", + "propagar", + "despolarizar", + "isomerizar", + "evaporar", + "vaporizar", + "despejar", + "expectorar", + "sacar", + "queratinizar", + "industrializar", + "ensombrecer", + "ensombrecerse", + "recomendar", + "arruinar", + "solemnizar", + "doblegar", + "subordinar", + "espiritualizar", + "glorificar", + "transfigurar", + "vulgarizar", + "flexibilizar", + "reblandecer", + "hace obsceno", + "hacer obsceno", + "inmobilizar", + "ozonar", + "ozonizar", + "escorificar", + "sulfatar", + "cutinizar", + "convertir en dúplex", + "captar", + "coger", + "comprender", + "entender", + "apreciar", + "sentido", + "comprender", + "entender", + "comprender", + "entender", + "intuir", + "asimilar", + "meditar", + "entender", + "comprender", + "anular", + "deducir", + "interpretar", + "traducir", + "empatizar", + "conocer", + "conocer", + "saber", + "desconocer", + "ignorar", + "saber", + "conocer", + "saber", + "saber", + "saber", + "sentir", + "probar", + "controlar", + "dominar", + "aprender", + "instruirse", + "olvidar", + "descubrir", + "enterar", + "enterarse", + "ver", + "aprender", + "enterarse", + "atrapar", + "pescar", + "aprender", + "absorber", + "atraer", + "ocupar", + "agotar", + "consumir", + "absorberse", + "abstraerse", + "aislarse", + "concentrarse", + "embelesarse", + "empaparse", + "enfrascarse", + "ensimismarse", + "sumergirse", + "zambullirse", + "sumergir", + "sumergirse", + "abrazar", + "absorber", + "asimilar", + "digerir", + "empapar", + "reentrenar", + "instruir", + "indoctrinar", + "lavar el cerebro", + "practicar", + "ejercitar", + "entrenar", + "machacar", + "reiterar", + "inbuir", + "inculcar", + "instilar", + "estudiar", + "cursar", + "estudiar", + "acordarse", + "recordar", + "rememorar", + "conocer", + "saber", + "pensar", + "olvidar", + "quedarse en blanco", + "mente", + "tener en cuenta", + "pensar", + "recordar", + "olvidar", + "reconocer", + "recordar", + "recordar", + "conmemorar", + "rememorar", + "recordar", + "dejar", + "olvidar", + "dejar plantado", + "abandonar", + "renunciar", + "abandonar", + "dejar", + "olvidar", + "abandonar", + "dejar", + "desamparar", + "desasistir", + "omitir", + "elidir", + "exceptuar", + "excluir", + "desatender", + "descuidar", + "circunvalar", + "saltar", + "saltarse", + "atender", + "desatender", + "descuidar", + "confundirse", + "equivocarse", + "errar", + "fallir", + "colarse", + "cometer un error", + "equivocarse", + "errar", + "identificar", + "identificar", + "datar", + "confundir", + "entender mal", + "equivocar", + "juzgar mal", + "malentender", + "malinterpretar", + "leer", + "confundir", + "desconcertar", + "embarullar", + "enredar", + "mezclar", + "confundir", + "enturbiar", + "hacer confuso", + "mezclar", + "aturdir", + "construir", + "interpretar", + "mitificar", + "alegorizar", + "entender", + "leer", + "malinterpretar", + "leer", + "releer", + "elegir", + "nombrar", + "leer", + "comprender", + "entender", + "leer", + "numerar", + "dictar", + "interpretar", + "leer", + "examinar", + "explorar", + "leer", + "malinterpretar", + "examinar ligeramente", + "leer por encima", + "corregir", + "editar", + "corregir", + "revisar", + "discurrir", + "pensar", + "filosofar", + "meditar", + "ponderar", + "reflexionar", + "creer", + "imaginar", + "suponer", + "presumir", + "razonar", + "racionalizar", + "construir", + "desandar", + "reconstruir", + "concluir", + "razonar", + "resolver", + "solucionar", + "resolver un acertijo", + "encontrar", + "adivinar", + "atinar", + "suponer", + "contestar", + "responder", + "inducir", + "deducir", + "basar", + "establecer", + "fundar", + "construir", + "averigüar", + "calcular", + "codificar", + "computar", + "deducir", + "manejar", + "tratar", + "calcular mal", + "subestimar", + "recalcular", + "obtener", + "calcular la media", + "promediar", + "contabilizar", + "descomponer en factores", + "factorizar", + "sumar", + "deducir", + "extraer", + "quitar", + "restar", + "substraer", + "sustraer", + "multiplicar", + "dividir", + "dividir por dos", + "dividir en cuartos", + "diferenciar", + "integrar", + "analizar", + "sintetizar", + "analizar", + "estudiar", + "explorar", + "triangular", + "medir", + "averiguar", + "buscar", + "explorar", + "inquirir", + "investigar", + "reexplorar", + "buscar", + "conseguir", + "investigar", + "rebuscar", + "explorar", + "diferenciar", + "discriminar", + "diferenciar", + "distinguir", + "destacar", + "diferenciar", + "distinguir", + "denominar", + "describir", + "descubrir", + "distinguir", + "identificar", + "nombrar", + "catalogar", + "comparar", + "comparar", + "razonar por silogismos", + "clasificar", + "separar", + "clasificar", + "estereotipo", + "impresión", + "agrupar", + "aislar", + "delimitar", + "amontonar", + "mezclar", + "categorizar", + "calificar", + "puntuar", + "clasificar", + "superar", + "figurar", + "priorizar", + "ascender", + "valorar", + "contrastar", + "comparar", + "cotejar", + "comprobar", + "repasar", + "revisar", + "comprobar", + "revisar", + "asegurar", + "fajar", + "controlar por muestreo", + "verificar", + "demostrar", + "probar", + "desmentir", + "hundir", + "demostrar", + "probar", + "confirmar", + "constatar", + "corroborar", + "documentar", + "falsificar", + "aguantar", + "apechar", + "digerir", + "sobrellevar", + "soportar", + "sufrir", + "tolerar", + "aceptar", + "tragarse", + "vivir con", + "consentir", + "permitir", + "sobrellevar", + "juzgar", + "opinar", + "malinterpretar", + "sobrecapitalizar", + "juzgar", + "calcular", + "echar", + "estimar", + "calibrar incorrectamente", + "aprobar", + "desaprobar", + "estar mal visto", + "rechazar", + "estampar", + "coger", + "elegir", + "escoger", + "seleccionar", + "escoger", + "elegir", + "escoger", + "citar", + "extractar", + "extraer", + "sacar", + "seleccionar", + "asignar", + "diferenciar", + "especificar", + "destacar", + "programar", + "seleccionar", + "elegir", + "escoger", + "optar", + "preferir", + "alterar", + "enfocar", + "inclinar", + "inclinarse", + "prejuiciar", + "predisponer", + "inclinar", + "prejuzgar", + "evaluar", + "tasar", + "valorar", + "estandardizar", + "estandarizar", + "regularizar", + "tipificar", + "reevaluar", + "tasar", + "considerar", + "creer", + "creer", + "incluir", + "contar", + "descartar", + "eliminar", + "evitar", + "rechazar", + "rechazar", + "aceptar", + "dudar", + "desconfiar", + "confiar", + "suponer", + "considerar", + "creer", + "pensar", + "considerar", + "estimar", + "sentir", + "considerar", + "ver", + "favorecer", + "preferir", + "glamorizar", + "idealizar", + "romantizar", + "deificar", + "glorificar", + "idolatrar", + "juzgar", + "apreciar", + "estimar", + "respetar", + "valorar", + "infravalorar", + "ensayar", + "permitir fluctuar", + "permitir la fluctuación", + "revisar", + "repasar", + "revisar", + "valorar", + "decidir", + "determinar", + "querer", + "sellar", + "resolver", + "decidir", + "proponerse", + "resolver", + "concluir", + "determinar", + "resolver", + "determinar", + "determinar", + "renovar", + "aojar", + "predestinar", + "preordenar", + "ver", + "contemplar", + "contemplar", + "meditar", + "organizar", + "aspirar", + "proponer", + "proyectar", + "ofrecer", + "componer", + "conspirar", + "contramaniobrar", + "pensar", + "proponerse", + "destinar", + "proponer", + "desear", + "necesitar", + "querer", + "designar", + "destinar", + "diseñar", + "poner en agenda", + "programar", + "dirigir", + "organizar", + "dibujar el mapa", + "hacer un mapa", + "trazar el mapa", + "trazar un mapa", + "preparar un diagrama", + "disponer", + "calcular", + "estimar", + "prever", + "subestimar", + "considerar", + "contar", + "asociar", + "conectar", + "ligar", + "relacionar", + "unir", + "vincular", + "desconectar", + "separar", + "identificar", + "debatir", + "concluir", + "considerar", + "creer", + "encontrar", + "sentir", + "clavar", + "especificar", + "identificar exactamente", + "reducir", + "concretar", + "precisar", + "decretar", + "gobernar", + "legislar", + "anular", + "presuponer", + "presuponer", + "reaccionar", + "responder", + "responder", + "responder", + "acoger", + "recibir", + "estallar", + "explotar", + "aceptar", + "contestar", + "anticipar", + "esperar", + "prever", + "aguardar", + "contar", + "esperar", + "esperar con expectación", + "anticipar", + "preveer", + "prevenir", + "saber de antemano", + "comunicar", + "decir", + "informar", + "averiguar", + "averigüar", + "descubrir", + "clavar", + "enfocar", + "fijar", + "pensar", + "incluir", + "prever", + "presupuestar", + "destinar", + "reservar", + "asombrar", + "sorprender", + "sorprender", + "coger", + "pescar", + "pillar", + "asignar", + "atribuir", + "erotizar", + "volver sensual", + "abonar", + "acreditar", + "atribuir", + "acreditar", + "reconocer", + "registrar", + "impresionar", + "marcar", + "reconocer", + "derivar", + "obtener", + "suscitar", + "llegar al fondo", + "penetrar", + "profundizar", + "sondear", + "exteriorizar", + "proyectar", + "pensar", + "delimitar", + "derivar", + "establecer", + "formular", + "hacer", + "descubrir", + "dar", + "dedicar", + "prestar", + "resolver", + "solucionar", + "factorizar", + "considerar", + "datar", + "datar", + "fechar", + "organizar", + "poner", + "despertarse", + "analizar", + "recrear", + "descifrar", + "destruir", + "llamar la atención", + "comunicar", + "comunicar", + "difundir", + "transmitir", + "hacer presente", + "recordar", + "convertirse en diptongo", + "diptonguizar", + "encargar", + "ordenar", + "poner", + "ordenar", + "controlar", + "desear", + "dirigir", + "designar", + "destinar", + "predecir", + "tener un destino", + "decir", + "encargar", + "mandar", + "ordenar", + "dictar", + "mandar", + "forzar", + "implantar", + "cargar", + "encargarse de", + "picar", + "pinchar", + "cargar", + "imponer", + "infligir", + "inflingir", + "dar", + "mandar", + "ordenar", + "indicar", + "instruir", + "mandar", + "cargar", + "encargar", + "autorizar", + "imponer", + "mandar", + "ordenar", + "mandar", + "capitanear", + "pedir", + "solicitar", + "pedir", + "solicitar", + "solicitar", + "pedir un encore", + "requerir", + "presentar una petición", + "solicitar", + "demandar", + "exigir", + "reclamar", + "conjurar", + "ordenar", + "requerir", + "pedir", + "exigir", + "sostener", + "pretender", + "abandonar", + "renunciar", + "repudiar", + "renegar", + "renunciar", + "renunciar", + "sostener", + "ansiar", + "suplicar", + "pedir", + "suplicar", + "suplicar", + "suplicar", + "implorar", + "rogar", + "suplicar", + "adjurar", + "conjurar", + "implorar", + "requerir", + "rogar", + "suplicar", + "rezar", + "arbitrar", + "mediar", + "concertar", + "negociar", + "renegociar", + "acordar", + "decidir", + "determinar", + "cerrar", + "resolver", + "negociar", + "calmar", + "propiciar", + "solicitar", + "empujar", + "animar", + "incitar", + "convencer", + "persuadir", + "acosar", + "vender", + "conmemorar", + "central", + "convencer", + "arrastrar", + "convencer", + "enganchar", + "persuadir", + "convencer", + "convertir", + "ganar prosélitos", + "hacer prosélitos", + "distanciar", + "disuadir", + "causar", + "hacer", + "inducir", + "alentar", + "animar", + "llevar", + "incitar", + "razonar", + "reargumentar", + "argumentar", + "indicar", + "señalar", + "presentar", + "altercar", + "reconvenir", + "debatir", + "discutir", + "argüir", + "altercar", + "discutir", + "altercar", + "pelear", + "pelearse", + "reñir", + "disputar", + "romper", + "convencer", + "incitar", + "tentar", + "farfullar", + "hablar incoherentemente", + "hacer vudú", + "embrujar", + "encantar", + "fascinar", + "hipnotizar", + "magnetizar", + "importunar", + "insistir", + "cortar", + "interrumpir", + "parar", + "romper", + "suspender", + "abandonar", + "dejar", + "guardar", + "reservar", + "respirar", + "apoyar", + "descansar", + "resoplar", + "tomarse cinco minutos", + "tomarse 10 minutos", + "tomarse diez minutos", + "cortar", + "incorporarse", + "interrumpir", + "tomar parte", + "unirse", + "irrumpir", + "continuar", + "proseguir", + "seguir", + "abordar", + "enganchar", + "ofrecer sexo", + "pedir", + "rogar", + "solicitar", + "incitar", + "tentar", + "atraer", + "enganchar", + "arrancar", + "tentar", + "tentar", + "preguntar", + "solicitar", + "preguntar", + "interrogar", + "preguntar", + "espiar", + "espiar", + "investigar", + "examinar", + "reforzar", + "interrogar", + "examinar", + "analizar", + "investigar", + "llamar", + "llamar", + "telefonear", + "marcar", + "citar", + "convocar", + "recordar", + "volver a llamar", + "volver a llamar", + "llamar", + "llamar", + "requerir", + "convocar", + "formar", + "reunir", + "invitar", + "atraer", + "incitar", + "provocar", + "tentar", + "estimular", + "provocar", + "recordar", + "refrescar la memoria", + "suplicar", + "programar", + "programar", + "reservar", + "desaprobar", + "negar", + "prohibir", + "proscribir", + "rechazar", + "vetar", + "excluir", + "ordenar", + "rechazar", + "vacilar", + "rehusar", + "aceptar", + "despreciar", + "retirarse", + "anular", + "dar una contraorden", + "invalidar", + "invertir", + "rescindir", + "revocar", + "desdecirse", + "renegar", + "borrar", + "descartar", + "excluir", + "recontar", + "pasar", + "absolver", + "rechazar", + "burlar", + "dar permiso", + "dejar", + "permitir", + "sancionar", + "aprobar", + "autorizar", + "aprobar formalmente", + "sancionar", + "asentir", + "obedecer", + "ceder", + "claudicar", + "conceder", + "consentir", + "doblegarse", + "disentir", + "diferir", + "disentir", + "chocar", + "coincidir", + "conceder", + "otorgar", + "apoyar", + "respaldar", + "suscribir", + "aprobar", + "sancionar", + "refrendada", + "visar", + "exceptuar", + "objetar", + "poner objecciones", + "cuestionado", + "cuestionar", + "interrogado", + "criticar", + "entrevistar", + "entrevistar", + "entrevistar", + "echar de menos", + "escapar", + "perderse", + "escapar", + "atajar", + "dar un rodeo", + "esquivar", + "evitar", + "saltarse", + "eludir", + "evitar", + "eludir", + "huir", + "rehuir", + "afrontar", + "debatir", + "discutir", + "considerar", + "luchar", + "fintar", + "dirigir", + "moderar", + "discutir", + "disertar", + "responder", + "replicar", + "responder", + "contestar", + "replicar", + "responder", + "replicar", + "denegar", + "desmentir", + "negar", + "negar", + "admitir", + "reconocer", + "sostener", + "admitir", + "confesar", + "reconocer", + "confesarse", + "insistir", + "confesar", + "profesar", + "confesar", + "reconocer", + "demostrar", + "manifestar", + "autentificar", + "certificar", + "escriturar", + "declarar demente", + "adjudicar", + "declarar", + "estimar", + "amonestar", + "censurar", + "incriminar", + "crucificar", + "masacrar", + "tratar salvajemente", + "amonestar", + "reñir", + "castigar", + "corregir", + "criticar", + "rectificar", + "reprender", + "reñir", + "enfurecerse", + "amonestar", + "censurar", + "criticar", + "dar una paliza", + "discutir", + "echar una reprimenda", + "increpar", + "llamar la atención", + "poner verde", + "rechazar", + "reconvenir", + "regañar", + "reprender", + "reprender a gritos", + "reprochar", + "tener unas palabras", + "vociferar", + "abroncar", + "increpar", + "reprochar", + "criticar", + "reprobar", + "cantar en canon", + "cantar las alabanzas", + "abogar", + "apoyar", + "predicar", + "predicar", + "profetizar", + "evangelizar", + "perorar", + "enseñar", + "instruir", + "iniciar", + "avisar", + "informar", + "instruir", + "informar", + "poner al corriente", + "advertir", + "avisar", + "echar", + "informar", + "pasar información", + "entrenar", + "preparar", + "mentir", + "contar cuentos", + "novelar", + "sobornar", + "agenciarse", + "decir mentirijillas", + "confundir", + "representar", + "simbolizar", + "contradecir", + "desvirtuar", + "afectar", + "aparentar", + "fingir", + "pretender", + "simular", + "liar", + "exagerar", + "ablandar", + "suavizar", + "dar nuevo énfasis", + "hacer nuevo énfasis", + "delatar", + "denunciar", + "cargar", + "fulminar", + "delatar", + "traicionar", + "denunciar", + "buscar defectos", + "culpar", + "meterse con", + "acusar", + "culpar", + "incriminar", + "inculpar", + "acusar", + "cargar", + "apremiar al pago", + "insultar", + "despreciar", + "desacreditar", + "ultrajar", + "difamar", + "insultar", + "burlarse", + "mofarse", + "imitar", + "parodiar", + "abuchear", + "befar", + "lanzar improperios contra", + "mofarse", + "rechiflar", + "befarse", + "burlarse", + "cachondearse", + "chancearse", + "chotearse", + "chungearse", + "mofarse", + "molestar", + "pitorrearse", + "recochinearse", + "tomar el pelo", + "incitar", + "instigar", + "levantar", + "provocar", + "incitar", + "levantar", + "provocar", + "aguijonear", + "fastidiar", + "pinchar", + "provocar", + "tomar el pelo", + "ridiculizar", + "satirizar", + "bromear", + "bromear", + "satirizar", + "hacer el tonto", + "payasear", + "tontear", + "engañar", + "confundir", + "defraudar", + "embaucar", + "encandilar", + "engatusar", + "engañar", + "enredar", + "falsear", + "timar", + "bromear", + "criticar", + "examinar", + "revisar", + "arbitrar", + "criticar", + "revisar", + "despreciar", + "menospreciar", + "suplicar", + "vilipendiar", + "condenar", + "saludar", + "alabar con exceso", + "sobrevalorar", + "cantar", + "cantar", + "exultar", + "animar", + "activar", + "animar", + "dar ánimos", + "estimular", + "exhortar", + "incitar", + "jalear", + "motivar", + "alegrar", + "animar", + "divertir", + "animar", + "divertir", + "entretener", + "matar de risa", + "flotar", + "aplaudir", + "enaltecer", + "exaltar", + "glorificar", + "loar", + "magnificar", + "cantar", + "cantar las alabanzas", + "aclamar", + "ovacionar", + "vitorear", + "aplaudir", + "atacar", + "destrozar", + "condenar", + "rebajar", + "blogear", + "jurar", + "maldecir", + "maldecir", + "insultar", + "maldecir", + "bendecir", + "consagrar", + "bendecir", + "persignarse", + "cuestionar", + "interrogar", + "recusar", + "justificar", + "responder", + "incriminar", + "desafiar", + "retar", + "desafiar", + "retar", + "retar", + "cuestionar", + "disputar", + "impugnar", + "avisar", + "avisar", + "prevenir", + "prevenir", + "amenazar", + "acechar", + "amenazar", + "predecir", + "alarmar", + "alertar", + "despertar", + "aconsejar", + "dar consejos", + "avisar", + "dar el chivatazo", + "advertir", + "avisar", + "informar", + "participar", + "volver a familiarizarse", + "ahondar", + "aconsejar", + "recomendar", + "proponer", + "sugerir", + "avanzar", + "exponer", + "proponer", + "propugnar", + "aconsejar mal", + "dar mal consejo", + "facilitar", + "proporcionar", + "retroalimentar", + "consultar", + "acordar", + "consultar", + "consultar", + "estudiar", + "investigar", + "consultar", + "apuntar", + "soplar", + "afirmar", + "decir", + "declarar", + "exponer", + "presentar", + "proponer", + "acceder", + "presentar", + "proponer", + "someter", + "presentar", + "someter", + "informar", + "presentar una moción", + "someter", + "designar", + "nominar", + "proponer", + "declararse", + "pedir casarse", + "pedir en matrimonio", + "proponer", + "proponer matrimonio", + "ofrecer", + "elogiar", + "ensalzar", + "exaltar", + "hacer la pelota", + "felicitar", + "felicitar", + "enaltecer", + "exaltar", + "encomendar", + "recordar", + "recomendar", + "encomendar", + "alardear", + "bravear", + "dragonear", + "fachendear", + "farolear", + "gallardear", + "gloriarse", + "jactarse", + "ostentar", + "presumir", + "ufanarse", + "vanagloriarse", + "complacerse", + "deleitarse", + "regodearse", + "felicitarse", + "pavonearse", + "asegurar", + "prometer", + "asegurar", + "prometer", + "dar la palabra", + "jurar", + "prometer", + "jurar renunciar a", + "obligar", + "atar", + "sujetar", + "complacer", + "desatender", + "comprometer", + "colateralizar", + "comprometerse", + "contraer esponsales", + "desposar", + "prometerse", + "jurar", + "votar", + "consagrar", + "consagrarse", + "hacer un voto", + "hacer voto", + "dedicar", + "inscribir", + "consagrar", + "dedicar", + "dar", + "volver a dedicar", + "profesar", + "firmar", + "garantizar", + "avalar", + "pagar", + "subvencionar", + "jurar", + "garantizar", + "asegurar", + "garantizar", + "dar el éxito", + "asegurar", + "cubrir", + "respaldar financieramente", + "asegurar", + "garantizar", + "agradecer", + "reconocer", + "acusar el recibo", + "acusar la recepción", + "excusarse", + "dispensar", + "excusar", + "excusar", + "presentar una coartada", + "dispensar", + "excusar", + "eximir", + "liberar", + "alegar", + "disculpar", + "disculparse", + "excusar", + "justificar", + "racionalizar", + "apoyar", + "defender", + "respaldar", + "convencer", + "encubrir", + "mantener", + "sostener", + "justificar", + "mantener", + "asegurar", + "garantizar", + "saludar", + "saludar", + "preguntar", + "dar la mano", + "asentir", + "persignarse", + "saludar", + "decir salaam", + "saludar", + "saludar", + "aclamar", + "anunciar", + "llamar", + "recibir", + "decir adiós", + "despedirse", + "presentar", + "volver a presentar", + "presentar", + "anteceder", + "comenzar", + "introducer", + "introducir", + "preceder", + "prologar", + "absolver", + "justificar", + "liberar", + "lavarse las manos", + "cantar", + "decir", + "desear", + "desear", + "desear", + "perdonar", + "absolver", + "absolver", + "perdonar", + "descargar", + "amnistiar", + "disculpar", + "atenuar", + "condenar", + "volver a condenar", + "condenar", + "condenar de antemano", + "lamentarse", + "quejarse", + "acosar", + "gimotear", + "lamentarse", + "lloriquear", + "sollozar", + "nutrir", + "patrocinar", + "someterse a", + "arrullar", + "zurear", + "protestar", + "protestar", + "chillar", + "disputar", + "graznar", + "gritar", + "lamentarse", + "quejarse", + "renegar", + "protestar", + "quejarse", + "deplorar", + "lamentar", + "sentir", + "sentir", + "lamentar", + "sentir", + "exclamar", + "gritar", + "gritar", + "llamar", + "gritar hola", + "animar", + "jalear", + "gritar de alegría", + "chillar", + "gritar", + "chillar", + "interponer", + "gritar", + "vocear", + "rugir", + "murmurar", + "susurrar", + "gruñir", + "zumbar", + "entusiasmar", + "adivinar", + "aventurar", + "conjeturar", + "especular", + "suponer", + "adelantarse a", + "anticiparse a", + "adivinar", + "anticipar", + "predecir", + "prever", + "augurar", + "apostar", + "descubrir", + "determinar", + "encontrar", + "averiguar", + "determinar", + "sospechar", + "indicar", + "marcar", + "distinguir", + "señalar", + "señalizar", + "singularizar", + "marcar", + "registrar", + "mostrar", + "dar", + "tocar", + "apuntar", + "demostrar", + "enseñar", + "mostrar", + "probar", + "señalar", + "distinguir", + "señalar", + "sospechar", + "preguntar", + "desarrollar", + "formular", + "calcular", + "determinar", + "preveer", + "insinuar", + "sugerir", + "dar a entender", + "insinuar", + "sugerir", + "dar pistas", + "indicar", + "contraindicar", + "comunicar", + "transmitir", + "decir", + "evidenciar", + "implicar", + "evocar", + "sugerir", + "implicar", + "sugerir", + "denotar", + "denotar", + "significar", + "tratar de decir", + "denotar", + "significar", + "implicar", + "expresar", + "declarar", + "manifestar", + "revelar", + "escandalizar", + "salir", + "surgir", + "divulgarse", + "traicionar", + "confiar", + "cantar", + "vender", + "chivar", + "filtrar", + "filtrarse", + "cantar", + "deletrear mal", + "explicar", + "interpretar", + "deconstruir", + "comentar", + "malinterpretar", + "explicar", + "justificar", + "aclarar", + "ofuscar", + "articular", + "expresar", + "proferir", + "verbalizar", + "soltar", + "soltar", + "decir", + "hablar", + "veerbalizar", + "charlar", + "hablar", + "hablar de", + "evidenciar", + "expresar", + "mostrar", + "exuda", + "exudar", + "descargar", + "deducir", + "inferir", + "deducir", + "inferir", + "narrar", + "recitar", + "contar", + "decir", + "ensartar", + "recitar", + "nombrar", + "enumerar", + "enumerar", + "listar", + "determinar", + "especificar", + "fijar", + "precisar", + "llamar", + "contar", + "contar", + "enumerar", + "sumar", + "anotar", + "remitir", + "considerar", + "palatalizar", + "aspirar", + "vocalizar", + "decir", + "hablar", + "relatar", + "contar", + "explicar", + "narrar", + "hilar", + "hablar con entusiasmo", + "recitar una rapsodia", + "decir", + "evidenciar", + "significar", + "exponer", + "hinchar", + "calificar", + "caracterizar", + "definir", + "hacer coro", + "reiterar", + "repetir", + "resonar", + "imitar", + "repetir", + "repetir como loros", + "reiterar", + "repetir", + "reproducir", + "seguir en", + "recurrir", + "traducir", + "volver a traducir", + "traducir mal", + "doblar", + "latinizar", + "glosar", + "comentar", + "hablar", + "replicar", + "charlar", + "conversar", + "hablar", + "conversar", + "discursar", + "iniciar", + "plantear", + "denunciar", + "describir", + "reportar", + "señalar", + "denunciar", + "denunciar", + "anunciar", + "declarar", + "marcar", + "picar", + "informar", + "relatar", + "cubrir", + "publicar", + "sacar", + "editar", + "difundir", + "emitir via satélite", + "emitir vía satélite", + "sembrar", + "televisar", + "circular", + "dar vueltas a", + "discutir", + "llamar", + "declarar", + "designar", + "juzgar", + "pronunciar", + "fallar", + "capacitar", + "cualificar", + "descalificar", + "descualificar", + "emitir", + "transmitir", + "interrogar", + "reponer", + "anunciar", + "presagiar", + "vislumbrar", + "anunciar", + "proclamar", + "gritar", + "aclamar", + "gritar", + "proclamar", + "anunciar", + "proclamar", + "anunciar", + "publicitar", + "remarcar", + "subrayar", + "dar bombo", + "anunciar", + "potenciar", + "anunciar en cartelera", + "lanzar", + "proclamar", + "proclamar", + "trompetear", + "clamorear", + "proclamar", + "articular", + "articular", + "hablar", + "pronunciar", + "arrastrar", + "pronunciar arrastrado", + "labializar", + "redondear", + "formular", + "redactar", + "balbucear", + "acentuar", + "vocalizar", + "suspirar", + "alzar", + "elevar", + "levantar", + "bosquejar", + "describir", + "actualizar", + "representar", + "retratar", + "dirigirse", + "hablar", + "pronunciar", + "arengar", + "llamar", + "instrumentar", + "aclarar", + "explicar", + "iluminar", + "ilustrar", + "anunciar", + "colgar", + "exponer", + "anunciar con carteles", + "anunciar en carteles", + "publicitar con carteles", + "escribir", + "cifrar", + "transcribir", + "transcribir", + "transcribir", + "latinizar", + "romanizar", + "transcribir en Braille", + "transcribir en braille", + "revisar", + "corregir", + "enmendar", + "rectificar", + "firmar", + "subscribir", + "firmar", + "firmar", + "contrafirmar", + "ejecutar", + "aprobar", + "endosar", + "dar una visa", + "poner el punto", + "puntear", + "grabar", + "registrar", + "anular", + "borrar", + "suprimir", + "consignar", + "registrar", + "inscribir", + "exponer", + "documentar", + "registrar", + "grabar", + "fotografiar", + "volver a tomar", + "refotografiar", + "volver a fotografiar", + "marcar", + "señalar", + "retroceder", + "explicitar", + "bosquejar", + "esquematizar", + "perfilar", + "corresponder", + "escribir", + "llamar por radio", + "radiar", + "condensar", + "resumir", + "extractar", + "condensar", + "etiquetar", + "rotular", + "recapitular", + "decir", + "manifestar", + "declarar", + "declarar", + "manifestar", + "afirmar", + "afirmar", + "confirmar", + "corroborar", + "validar", + "circunstanciar", + "reconfirmar", + "protestar", + "señalar", + "acentuar", + "remarcar", + "acentuar", + "apuntar", + "enfatizar", + "incidir", + "subrayar", + "garantizar", + "responder", + "demostrar", + "evidenciar", + "mostrar", + "probar", + "ser testigo", + "testificar", + "suponer", + "aducir", + "afirmar", + "alegar", + "declarar", + "sostener", + "proclamar", + "hacer jurar", + "demandar", + "exigir", + "reclamar", + "reclamar", + "reivindicar", + "contrademandar", + "descargar", + "expedir", + "remitir", + "estipular", + "asegurar", + "decir", + "apuntar", + "comentar", + "destacar", + "mencionar", + "notar", + "observar", + "anotar", + "apuntar", + "asentar", + "registrar", + "anotar apresuradamente", + "completar", + "rellenar", + "anotar", + "apuntar", + "ejemplificar", + "ilustrar", + "ofrecer como ejemplo", + "concluir", + "resolver", + "arreglar", + "fijar", + "preparar", + "reforzar", + "especificar", + "generalizar", + "universalizar", + "generalizar", + "citar", + "mencionar", + "citar", + "aludir", + "citar", + "advertir", + "aludir", + "citar", + "mencionar", + "mentar", + "nombrar", + "referir", + "aludir", + "tocar", + "plantear", + "sacar", + "evocar", + "poner en consideración", + "colar", + "incluir", + "insertar", + "introducir subrepticiamente", + "meterse", + "reprochar", + "remitir", + "identificar", + "aplicar", + "advertir", + "aludir", + "tocar", + "añadir", + "remarcar", + "decretar", + "opinar", + "bautizar", + "cristianar", + "nombrar", + "apodar", + "llamar", + "llamarse", + "autorizar", + "facultar", + "titular", + "designar", + "denominar", + "designar", + "echar", + "enviar", + "mandar", + "remitir", + "comentar", + "pinchar", + "abordar", + "tratar", + "contestar con evasivas", + "avenirse", + "concordar", + "convenir", + "ponerse de acuerdo", + "pactar", + "hacer concesiones mutuas", + "hacer un compromiso", + "arriesgar", + "comprometer", + "exponer", + "comprometer", + "charlar", + "disparatar", + "charlar", + "indicar", + "señalar", + "callar", + "hacer señas", + "chismorrear", + "charlar", + "gritar", + "silbar", + "murmurar", + "susurrar", + "barbotar", + "decir entre dientes", + "mascullar", + "murmurar", + "musitar", + "gemir", + "protestar", + "berrear", + "emitir un chillido", + "murmurar", + "gemir", + "berrear", + "chillar", + "gritar", + "chillar", + "rugir", + "ladrar", + "ladrar", + "aullar", + "aullar", + "gañir", + "ladrar", + "balar", + "gimotear", + "berrear", + "llorar a gritos", + "rugir", + "chillar", + "chillar", + "poner", + "cantar con entusiasmo", + "canturrear", + "seguir", + "cantar", + "entonar", + "salmodiar", + "cantar al contrapunto", + "hacer gorgoritos", + "temblar", + "declamar", + "recitar", + "escandir", + "charlar", + "cantar", + "chirriar", + "maullar", + "dar bocinazos", + "graznar", + "chillar", + "gargantear", + "pronunciar con sibilante", + "explotar", + "bloquear", + "interceptar", + "chirriar", + "crepitar", + "crujir", + "rechinar", + "apuntar", + "comentar", + "hacer notar", + "indicar", + "notar", + "observar", + "señalar", + "ironizar", + "entrometerse", + "inmiscuirse", + "despreciar", + "echar", + "dar", + "prestar", + "dar", + "prestar", + "transmitir", + "llevar", + "expresar", + "indicar", + "hipotecar", + "pignorar", + "dictar", + "emitir", + "pronunciar", + "establecer", + "enviar", + "llevarse", + "mandar", + "remitir", + "disponer", + "llegar", + "convocar", + "invitar", + "requerir", + "compartir", + "discutir a fondo", + "negociar", + "desencantar", + "cancelar", + "emitir", + "expender", + "extender", + "redactar", + "escribir un cheque", + "lanzar", + "sacar", + "hinchar", + "explicar", + "escribir", + "afrontar", + "confrontar", + "enfrentar", + "enfrentarse a", + "pasar lista", + "denegar", + "demandar", + "reclamar legalmente", + "conectar", + "conectar", + "buscar", + "condenar", + "reprobar", + "enviar un mensaje", + "enviar", + "enviar un mensaje", + "concluir", + "competir", + "contender", + "intentar alcanzar", + "intentar conseguir", + "intentar llegar", + "jugar", + "retroceder", + "volear", + "repetir", + "volver a jugar", + "soportar", + "jugar", + "mover", + "sacar", + "servir", + "abrir", + "echar", + "sacar", + "afrontar", + "enfrentar", + "afrontar", + "desafiar", + "enfrentarse", + "enfrentarse", + "jugar", + "escaparse", + "luchar a puñetazos", + "pelear a puñetazos", + "recoger", + "entrar", + "participar", + "abandonar", + "dejar", + "desistir", + "rendirse", + "retirarse", + "tirar la toalla", + "demoler", + "derribar", + "destrozar", + "destruir", + "hacer pedazos", + "sacar", + "disparar", + "marcar", + "marcar", + "transmutar", + "dificultar", + "estorbar", + "perjudicar", + "correr", + "echar una carrera", + "armar", + "armarse", + "desarmar", + "desmilitarizar", + "desmovilizar", + "sacar de filas", + "movilizar", + "equipar", + "proveer de personal", + "apostar", + "colocar", + "situar", + "agrupar", + "lidiar", + "luchar", + "pelear", + "arrastrar", + "jalar", + "defender", + "defenderse", + "derrotar", + "enfrentarse", + "luchar", + "oponerse", + "pelear", + "oponerse", + "combatir", + "luchar", + "luchar", + "tomar las armas", + "ejercer", + "actuar", + "criticar", + "servir", + "dar de baja", + "descargar", + "sacar de filas", + "reclutar", + "remilitarizar", + "desmilitarizar", + "perder", + "ganar", + "triunfar", + "vencer", + "arrasar", + "jonrón", + "descartar", + "llevar", + "imponerse", + "prevalecer", + "triunfar", + "aplastar", + "bombardear", + "dar una paliza", + "derrotar", + "ganar", + "vencer", + "arrasar", + "azotar", + "derrotar", + "destruir", + "vencer", + "derrotar completamente", + "derrotar totalmente", + "abatir", + "derribar", + "dar una paliza", + "zurrar", + "acabar con", + "derribar", + "destruir", + "romper", + "acabar con", + "demoler", + "derrotar", + "cortar", + "burlar", + "sobrepasar", + "superar", + "mejorar", + "perfeccionar", + "aplastar", + "humillar", + "derrotar", + "recuperarse", + "superar", + "vencer", + "dominar", + "superar", + "vencer", + "expulsar", + "aventajar", + "barrer con", + "derrotar con trampas", + "ganar", + "superar", + "triunfar", + "vencer", + "aventajar", + "superar en estrategia", + "burlar", + "engañar", + "aplastar", + "adelantarse", + "avanzarse", + "recuperar", + "anotar", + "marcar", + "marcar", + "abandonar", + "perder", + "replegarse", + "retirarse", + "retroceder", + "conquistar", + "desistir", + "abdicar", + "abjurar", + "someterse", + "aguantar", + "aguantar firme", + "resistir", + "soportar", + "insistir", + "arrostrar", + "exceder en coraje", + "resistir", + "clavar", + "completar", + "ceder", + "neutralizar", + "someter", + "someterse", + "agreder", + "atacar", + "asaltar", + "atacar", + "asaltar", + "atacar", + "volver a agredir", + "immobilizar", + "cargar", + "emular", + "justar", + "inclinar", + "querellar", + "alcanzar", + "golpear", + "pegar", + "tajar", + "acariciar", + "contraatacar", + "minar", + "sorprender", + "invadir", + "ocupar", + "acosar", + "bloquear", + "cerrar", + "bloquear", + "cortar", + "levantar barricadas", + "parapetarse", + "parapetar", + "parapetarse", + "protegerse", + "defender", + "fortificar", + "proteger", + "immunizar", + "sobreproteger", + "proteger", + "vigilar", + "cubrir", + "guardar", + "proteger", + "detener", + "proteger", + "proteger", + "defender", + "cercar", + "rodear", + "contener", + "bombardear en picado", + "bombardear en planeo", + "aniquilar", + "desintegrar", + "destruir", + "lanzar una ofensiva", + "descargar", + "despedir", + "echar", + "descargar", + "disparar", + "disparar", + "disparar", + "tirar", + "desencadenar", + "cañonear", + "abatir", + "derribar", + "acertar", + "derribar", + "disparar", + "fusilar", + "instalar un fusible", + "salvaguardar", + "zurrarse", + "arriesgar", + "aventurar", + "invertir", + "apostar", + "doblar", + "doblar la apuesta", + "pasar", + "arponear", + "hacer un pase", + "pasar", + "pescar", + "cazar ballenas", + "cazar al acecho", + "emboscar", + "cazar tortugas", + "cazar conejos", + "cazar urogallos", + "cazar furtivamente", + "cazar focas", + "cazar tiburones", + "rastrear", + "cazar", + "cazar con hurones", + "cazar", + "cazar el zorro", + "cazar con farol", + "cazar con halcón", + "cazar con halcones", + "cazar con halcón", + "cazar aves", + "extenderse", + "esgrimir", + "practicar esgrima", + "desviar", + "parar", + "batear de foul", + "cañonear", + "patear las espinillas", + "cubrir", + "acaudillar", + "defender", + "desplegar", + "abordar", + "entrar", + "dirigir", + "dirigir", + "apuntar", + "apuntar", + "dirigir", + "apuntar", + "dirigir", + "desquitarse", + "retaliar", + "vengar", + "vengarse", + "desquitarse", + "sacarse la espina", + "coger", + "desquitarse", + "pagar", + "pillar", + "echar", + "retirar", + "expulsado", + "expulsar", + "tomar el terreno", + "superar", + "alcanzar", + "bombear", + "apostar", + "hacer una apuesta", + "jugarse", + "apostar", + "jugar", + "ver", + "consumir", + "ingerir", + "tomar", + "dar", + "disminuir", + "reducir", + "agotar", + "consumir", + "gastar", + "malgastar", + "acabar", + "agotar", + "usar", + "utilizar", + "emplear", + "usar", + "utilizar", + "poner", + "utilizar", + "examinar", + "repasar", + "aprovechar", + "explotar", + "extraer", + "sacar", + "explotar", + "sobreexplotar", + "explotar", + "exprimir", + "usar", + "utilizar", + "extralimitarse", + "forzar", + "sobreesforzarse", + "ejercer", + "agotar", + "gastar", + "comer", + "avituallar", + "regar", + "dar cenas", + "cenar", + "ir de picnic", + "comer", + "devorar", + "chupar", + "beber", + "tomar", + "sorber", + "tragar", + "lamer", + "sober", + "beber", + "emborracharse", + "soplar", + "tomar", + "tomar unas copas", + "beber", + "consumir", + "tocar", + "tomar", + "recibir", + "devorar", + "tragar", + "mordisquear", + "picar", + "rumiar", + "picar", + "masticar ruidosamente", + "mordisquear", + "beber", + "brindar", + "prometer", + "dar", + "comer el rancho", + "alojar", + "hospedar", + "ser interno", + "comer carroña", + "alimentar", + "sustentar", + "alimentar", + "nutrir", + "sustentar", + "servir", + "alimentar", + "servir", + "alimentar", + "alimentar", + "nutrir", + "sustentar", + "alimentar", + "regalarse", + "complacer", + "consentir", + "satisfacer", + "proporcionar", + "suministrar", + "satisfacer", + "responder", + "remontar", + "cubrir", + "satisfacer", + "servir", + "mantener", + "sostener", + "almorzar", + "comer", + "dar de comer", + "desayunar", + "dar de desayunar", + "amamantar", + "dar de mamar", + "lactar", + "cuidar un bebé", + "mamar", + "necesitar", + "precisar", + "querer", + "requerir", + "necesitar", + "requerir", + "picar", + "evitar", + "picar", + "atontar", + "aturdir", + "deleitar", + "deleitarse", + "disfrutar", + "encantarse", + "gozar", + "regodearse", + "disfrutar", + "mojar", + "disfrutar", + "gozar", + "irse", + "calmar", + "celebrar", + "festejar", + "cebar", + "catar", + "degustar", + "paladear", + "probar", + "degustar", + "derrochar", + "dilapidar", + "disipar", + "malgastar", + "prodigar", + "abstenerse", + "dejar", + "desistir", + "inhibirse", + "abandonar", + "dejar", + "engullir", + "tragar", + "consumir", + "devorar", + "metabolizar", + "absorber", + "chupar", + "fumar", + "fumar sin parar", + "tragar", + "inyectar", + "inyectarse en vena", + "prender", + "inhalar", + "colocarse", + "drogarse", + "mascar", + "curruscar", + "masticar ruidosamente", + "tragar", + "beber a tragos", + "beber demasiado", + "engullir", + "tragar", + "acabarse", + "beberse", + "meterse", + "servirse", + "terminarse", + "apurar", + "alimentar", + "nutrir", + "sustentar", + "arreglar", + "conseguir", + "proveer", + "aliviar", + "apaciguar", + "calmar", + "remojar", + "saciar", + "alimentar", + "dar el sustento", + "nutrir", + "acanalar", + "agotar", + "consumir", + "quemar", + "aguantar", + "engullir", + "tocar", + "contactar", + "tocar", + "inmovilizar", + "recoger", + "manosear", + "tocar", + "violar", + "cubrir", + "tocar", + "palpar", + "palpar", + "manejar", + "toquetear", + "meter mano", + "toquetear", + "dar zarpazos", + "mimar", + "manipular", + "guiar", + "pasar", + "recorrer", + "agarrar", + "asir", + "coger", + "prender", + "sobrecoger", + "pillar", + "prender", + "agarrar", + "prender", + "tomar", + "arrebatar", + "coger", + "tomar", + "coger", + "sacar", + "doblar", + "guardar", + "recoger", + "liberar hielo", + "romperse", + "romperse el hielo", + "arrestar", + "atrapar", + "capturar", + "clavar", + "coger", + "detener", + "pillar", + "prender", + "capturar", + "poner el collar", + "aferrar", + "agarrar", + "asir", + "aferrarse", + "asirse", + "apretar", + "asir", + "estrechar", + "aguantar", + "sostener", + "sujetar", + "sostener", + "llevar", + "abalizar", + "reflotar", + "apoyar", + "apuntalar", + "reforzar", + "sostener", + "reforzar", + "asir", + "sujetar", + "desabrochar", + "separar", + "soltar", + "retorcer", + "torcer", + "arrugar", + "encrespar", + "retorcer", + "rizar", + "agarrar", + "asir", + "empuñar", + "esgrimir", + "manejar", + "manipular", + "asir", + "menear", + "controlar", + "operar", + "pedalear", + "bombear", + "acariciar", + "acariciar", + "mimar", + "examinar", + "cortar", + "penetrar", + "profundizar", + "romper", + "espiritualizar", + "empapar", + "ocupar", + "aguijonear", + "apuñalar", + "hincar", + "picar", + "pinchar", + "pinchar", + "apuñalar", + "pinchar", + "picar", + "incitar", + "llamar a gritos", + "aguijonear", + "dar un codazo", + "golpear suavemente", + "apuñalar", + "destrozar", + "dar golpecitos", + "golpetear", + "cubrir", + "manchar", + "enterrar", + "amasar", + "trabajar", + "masticar", + "chocar", + "colisionar", + "golpear", + "golpear", + "rebotar", + "saltar", + "spang", + "dar por detrás", + "dar de costado", + "errar", + "fallar", + "golpear", + "golpear con fuerza", + "tumbar", + "echarse al hombro", + "chocar", + "derribar", + "tumbar", + "chocar", + "colisionar", + "golpearse contra", + "topar", + "arañar", + "raer", + "rascar", + "raspar", + "rozar", + "pinchar", + "aguijonear", + "espolear", + "espuelear", + "espolear", + "arrojar", + "lanzar", + "subir vertiginosamente", + "llevar", + "topar", + "cerrar ruidosamente", + "golpear violentamente", + "arrojar", + "correr", + "retirar", + "tirar", + "cepillar", + "cepillar", + "fregar", + "limpiar", + "rastrear", + "pasar la aspiradora", + "desinfectar", + "esterilizar", + "limpiar al vapor", + "limpiar con vapor", + "abrillantar con cera", + "pulir con cera", + "abrillantar", + "bruñir", + "pulimentar", + "pulir", + "deslustrar", + "desafilar", + "deslucir", + "afilar", + "afilar", + "afilar con correa", + "afilar", + "afilar", + "afilar", + "rozar", + "escaparse", + "fugarse", + "tocar suavemente", + "percutir", + "recortar", + "frotar", + "restregar", + "frotar con colofonia", + "pasar la esponja", + "rozar", + "frotar", + "embadurnar", + "embarrar", + "ensuciar", + "manchar", + "oscurecer", + "volver a ensuciar", + "manchar", + "manchar", + "embarrar", + "ponerse áspero", + "irritar", + "rozar", + "corroerse", + "desgastar", + "erosionarse", + "gastar", + "gastarse", + "raer", + "desgastar", + "gastar", + "mellar", + "hacer formas aserradas", + "grabar", + "tallar", + "cortar", + "labrar", + "tallar", + "cortar a dados", + "cubicar", + "cortar", + "despedazar", + "picar", + "trocear", + "picar", + "talar", + "cortar", + "dar tajos", + "despejar", + "cortar", + "recortar", + "derribar", + "cortar con alabarda", + "tumbar", + "mellar", + "muescar", + "cortar ligeramente", + "hacer una muesca", + "cincelar", + "picar", + "cortar", + "tallar", + "cortar irregularmente", + "revestir", + "recortar", + "refinar", + "pelar", + "despojar", + "pintar", + "untar", + "acabar", + "arreglar", + "pulir", + "barrer", + "adoquinar", + "pavimentar", + "engrasar", + "enjuagar", + "lavar", + "eluir", + "forrar", + "cambiar el forro", + "revestir", + "revestir", + "sellar", + "sellar", + "timbrar", + "pinchar", + "agujerear", + "acribillar", + "escarificar", + "aflojar", + "soltar", + "marcar", + "inscribir", + "arrugar", + "hacer muescas", + "indentar", + "rebajar", + "biselar", + "estriar", + "arrugar", + "estriar", + "surcar", + "doblar", + "plegar", + "fruncir", + "fruncir", + "contraer", + "encoger", + "doblar", + "torcer", + "doblar", + "flexionar", + "arrancar", + "sacar", + "agujerear", + "sacar", + "vaciar", + "desenraizar", + "escarbar", + "hocicar", + "cavar", + "minar", + "envolver", + "empaquetar", + "amortajar", + "envolver para regalo", + "aflojar", + "atar", + "ligar", + "rematar", + "encadenar", + "atar", + "desencadenar", + "desencadenar", + "asegurar", + "soltar", + "asignar", + "colgar", + "pegar", + "poner", + "enganchar", + "pegar", + "arrebatar", + "acoplar", + "juntar", + "reunir", + "unir", + "casar", + "relacionar", + "casar", + "cerrar con pestillo", + "reensamblar", + "rematar", + "acoplar", + "reunir", + "unir", + "machimbrar", + "coser", + "suturar", + "adjuntar", + "unir", + "acoplar", + "separar", + "apartar", + "desatar", + "desprenderse", + "atar", + "envolver en mantillas", + "liar", + "amortajar", + "cunetear", + "reprimir", + "aguantar", + "contener", + "sujetar", + "cercar", + "rodear", + "atar", + "sujetar", + "desatar", + "soltar", + "desatar", + "fondear", + "amarrar", + "atracar", + "fondear", + "amarrar", + "sacar del amarradero", + "clavar", + "asegurar", + "asegurar con tablas", + "entablillar", + "listonar", + "clavar las uñas", + "rastrillar", + "degradar", + "arañar", + "rascar", + "raspar", + "devolver", + "reponer", + "colgar", + "rascar", + "acaballonar", + "sacar", + "atrincherar", + "cavar trincheras", + "abrir trincheras", + "abrir una zanja", + "abrir zanjas", + "cavar", + "sacar", + "cavar", + "encontrar", + "excavar", + "arrancar", + "excavar", + "hocicar", + "hurgar", + "palpar", + "adivinar", + "buscar", + "explorar", + "registrar", + "buscar", + "cazar", + "rastrear", + "recorrer", + "buscar", + "dedicarse", + "perseguir", + "buscar", + "asaltar", + "escrutar", + "revolver", + "peinar", + "registrar", + "pescar", + "revolver", + "cortar", + "segar", + "cortar", + "guadañar", + "cosechar", + "cortar", + "segar", + "podar", + "recortar", + "podar", + "podar", + "desmochar", + "pellizcar", + "grabar", + "inscribir", + "acuchillar", + "cortar", + "sacrificar", + "envenenar", + "envenenar", + "matar", + "suicidarse", + "despachar", + "matar", + "matar", + "sacrificar", + "ser fatal", + "destruir", + "matar", + "aplastar", + "descerebrar", + "sacrificar", + "liquidar", + "amarrar", + "enganchar", + "engancharse", + "liarse", + "capturar", + "cazar", + "enredarse", + "desengancharse", + "añadir", + "coser", + "recoser", + "remendar", + "remendar calcetines", + "fruncir", + "pinchar", + "ribetear", + "pespuntear", + "volver a pespuntear", + "pegar", + "adherir", + "pegar", + "pegar con epoxi", + "cubrir", + "recubrir", + "taparse", + "bañar", + "cubrir", + "coronar", + "incrustar", + "incrustar con mosaicos", + "sumergir", + "descubrir", + "destapar", + "exponer", + "quitar las colgaduras", + "desnudar", + "desnudar", + "prender", + "asegurar", + "fijar", + "sujetar", + "remontar", + "atar", + "fijar", + "desprender", + "bajar", + "desdoblar", + "cerrar", + "abrir", + "forzar", + "cerrar", + "concluir", + "terminar", + "encerrar", + "encerrar", + "cerrar", + "cerrar", + "desatrancar", + "retorcer", + "desatornillar", + "retirar el sello", + "resellar", + "impermeabilizar", + "calafatear", + "enmasillar", + "acoplar", + "asociar", + "conectar", + "juntar", + "unir", + "ligar", + "comunicar", + "comunicar", + "desconectar", + "pegar", + "sellar", + "adherir", + "adherirse", + "asociarse", + "atar", + "incorporarse", + "liar", + "ligarse", + "pegar", + "pegarse", + "unirse", + "vincular", + "clavar", + "poner ramplón", + "enmascarar", + "desenmascarar", + "encordar", + "encordar", + "enfilar", + "engarzar", + "enhebrar", + "ensartar", + "ensartar", + "pasar", + "ordenar", + "enlucir", + "embarrar", + "argamasar", + "escayolar", + "pintar", + "aplicar", + "echar", + "embadurnar", + "tirar", + "enganchar", + "echar el anzuelo", + "enganchar", + "atrapar", + "coger", + "apretarse", + "ceñir", + "desabrochar", + "descolgar", + "desenganchar", + "pegar", + "desgrapar", + "desabotonar", + "desabrochar", + "abotonar", + "prender", + "erguir", + "levantar", + "gastar", + "raerse", + "roerse", + "romper", + "retroceder", + "empujar con pértiga", + "navegar con pértiga", + "dar patadas", + "atomizar", + "regar", + "rociar", + "duchar", + "rociar", + "velar", + "inyectar", + "irrigar", + "mojar", + "salpicar", + "derramar", + "salpicar", + "salpicar", + "salpicar", + "salpicar", + "humedecer", + "mojar", + "rociar", + "salpicar", + "descargar", + "echar", + "convertir en aerosol", + "derramar", + "desparramar", + "esparcir", + "sembrar", + "desplegar", + "extender", + "desplegar", + "volver a destacar", + "difundir", + "propagar", + "ensamblar", + "juntar", + "ordenar", + "recoger", + "recolectar", + "reunir", + "hurgar", + "avenir", + "concentrar", + "conseguir", + "juntar", + "reunir", + "unir", + "reunir", + "arrancar", + "coger", + "escoger", + "pelar", + "buscar nueces", + "buscar caracoles", + "buscar moras", + "buscar nidos", + "reunir nidos", + "buscar ostras", + "pelar", + "coleccionar", + "meter", + "agregar", + "conseguir", + "enrolar", + "obtener", + "reclutar", + "reunir", + "aglomerar", + "amontonar", + "reunir", + "embalar", + "lijar", + "lijar por encima", + "raspar", + "fruncir", + "plegar", + "arrugar", + "perturbar", + "trastornar", + "trenzar", + "apretar", + "comprimir", + "convulsionar", + "pujar", + "subyugar", + "comprimir", + "colar", + "insertar", + "meter", + "enladrillar", + "emparrar", + "parra", + "planchar con máquina", + "extender", + "agitar", + "inflar", + "mullir", + "limpiar", + "quitar", + "secar", + "pasar una esponja", + "escurrir", + "fregar", + "trapear", + "barrer", + "escoba", + "barrer", + "pasar una toalla", + "secar", + "apretar", + "estañar", + "niquelar", + "cromado", + "cromar", + "placa cromada", + "bañar en oro", + "dorar", + "bañar en plata", + "atrapar", + "aplastar", + "golpear", + "pegar", + "azotar", + "zurrar", + "azotar", + "flagelar", + "agarrar a correazos", + "batir a golpes", + "golpear repetidamente", + "abatanar", + "batanar", + "enfurtir", + "golpear", + "pegar", + "tustar", + "dar un golpecito", + "dar", + "aplastar", + "elevar", + "roscar", + "fresar", + "tirar al hoyo", + "taconear", + "hacer un revés", + "elevar", + "chutar", + "pegar", + "basar", + "roletear", + "enviar un drive", + "desviar ligeramente", + "alcanzar", + "driblar", + "llevar", + "congelarse", + "aturdir", + "pasmar", + "golpear", + "golpear secamente", + "pegar", + "fustigar", + "dar de vaquetazos", + "dar de varillazos", + "maltratar", + "derribar", + "tumbar", + "agarrar a puñetazos", + "dar puñetazos", + "cruzar el rostro", + "batear", + "dejar inconsciente", + "dejar sin sentido", + "cascar", + "pegar", + "llamar", + "golpear", + "zurrar", + "abofetear", + "agarrar a puñetazos", + "dar puñetazos", + "clavar", + "abofetear", + "dar un manotazo", + "aporrear", + "batir a golpes", + "golpear duramente", + "batir a golpes", + "maltratar", + "zangolotear", + "zarandear", + "batir", + "golpear", + "montar", + "batir", + "revolver", + "agitar", + "sacudir", + "mezclar", + "revolver", + "reorganizar", + "remar con pala", + "agitar", + "remover", + "enturbiar", + "sulfurar", + "charco", + "encharcar", + "enredar", + "puddled mire", + "altercar", + "discutir", + "espolear", + "dar un puñetazo", + "conectar", + "enchufar", + "insertar", + "penetrar", + "canalizar", + "entubar", + "tapar", + "taponear", + "descorchar", + "dar bastonazos", + "dar garrotazos", + "fustigar", + "atizar", + "remover", + "hocicar", + "abrazar", + "estrujar", + "seno", + "apapachar", + "hacer cariño", + "hacer cariño", + "besuquearse", + "joder", + "ir de putas", + "copular", + "seducir", + "desflorar", + "desgraciar", + "anotar", + "comerse", + "seducir", + "aparearse", + "copular", + "montar", + "criar", + "cruzar", + "criar", + "cubrir", + "masturbar(se)", + "besar", + "besar", + "picotear", + "rozar", + "dar langüetazos", + "lamer", + "langüetear", + "pasar la lengua", + "pasar la boca", + "llevar", + "traer", + "sacar con cubo", + "devolver", + "coger", + "llevar", + "traer", + "llevar", + "hacer desaparecer", + "escobillar", + "conducir", + "proyectar", + "propagar", + "enviar", + "mandar", + "remitir", + "enviar por correo", + "enviar por correspondencia", + "entregar", + "librar", + "entregar mal", + "repartir mal", + "citar", + "notificar", + "procesar", + "causar", + "producir", + "provocar", + "cazar", + "recapturar", + "recaptutar", + "retomar", + "arrebatar", + "chasquear", + "pillar", + "detener", + "interceptar", + "cortar", + "detener", + "picar", + "punzar", + "agujerear", + "perforar", + "picar", + "clavar", + "hincar", + "picar", + "pinchar", + "picar", + "atarugar", + "enclavijar", + "picar", + "escardar", + "trepanar", + "colar", + "atravesar", + "estacar", + "impalar", + "traspasar", + "clavar", + "prender", + "lancear", + "lanzar", + "colmillo", + "dar cornadas", + "morder", + "picar", + "pinchar", + "mordiscar", + "morder", + "dentellear", + "mordiscar", + "mordisquear", + "balancear", + "blandir", + "ondear", + "apretar", + "estrujar", + "arrastrar", + "estirar", + "tirar", + "tirar", + "retirar", + "cargar", + "transportar", + "acarrear", + "llevar en carretilla", + "llevar en carro", + "despachar en vehículo", + "transportar", + "enviar por aire", + "enviar por avión", + "volar", + "acarrear", + "cargar", + "llevar", + "transportar", + "arrastrar", + "arrastrar", + "tirar", + "arrastrar", + "acarrear", + "arrastrar", + "arrastrar", + "acarrear", + "carretear", + "subir", + "izar el ancla", + "levar el ancla", + "cortar", + "dar una nalgada", + "meter mano", + "hacer un dado", + "filtrar", + "colar", + "separar", + "recernir", + "retamizar", + "combinar", + "heterodino", + "sulfurar", + "mezclar", + "combinar", + "entremezclar", + "fusionar", + "homogeneizar", + "mezclar", + "combinar", + "mezclar", + "enredar", + "atrapar", + "engranar", + "enmarañar", + "enredar", + "desenmadejar", + "desenredar", + "enderezar", + "aflojar", + "desatar", + "soltar", + "arreglar", + "colocar", + "concatenar", + "concordar", + "amontonar en pirámide", + "decorar", + "vestir", + "descomponer", + "bordear", + "cercar", + "rodear", + "rodear", + "ceñir", + "expulsar", + "echar", + "superponer", + "invitar", + "invitar", + "llamar", + "invitar", + "recibir", + "absorver", + "acoger", + "asimilar", + "abducir", + "coger", + "pescar", + "raptar", + "secuestrar", + "expropiar", + "quitar", + "mezclar", + "revolver", + "caer", + "hacer caer", + "desordenar", + "liar", + "desgreñar", + "enredar", + "disponer", + "distribuir", + "dejar ir", + "soltar", + "activar", + "sacar", + "desatar", + "desatar", + "soltar", + "desatar", + "desencadenar", + "destar", + "desprender", + "liberar", + "sofocar", + "represar", + "cerrar", + "cubrir", + "proteger", + "bloquear", + "cerrar", + "arrastrar", + "atascar", + "bloquear", + "obstruir", + "tapar", + "aflojar", + "soltar", + "derribar", + "capturar", + "capturar", + "cazar ratas", + "atrapar", + "cazar", + "coger", + "entrampar", + "pescar", + "entrampar", + "colgar", + "suspender", + "colgar", + "colgar", + "pender", + "colgar", + "flotar", + "colgar", + "pender", + "poner en contenedor", + "venerar", + "cargar", + "empacar", + "ocultar", + "poner un velo", + "velar", + "desvelar", + "descubrir", + "compactar", + "comprimir", + "hacer bultos", + "pudelar", + "agrupar", + "envolver", + "envolver", + "lubricar", + "desmontar", + "enrollar", + "hacer un bulto", + "hacer un manojo", + "desenrollar", + "enderezar", + "estirar", + "asignar un peso", + "cargar", + "sobrecargar", + "descargar", + "descargar", + "desembarcar", + "cargar con bombas", + "sobrecargar", + "cargar", + "descargar", + "dejar", + "descargar", + "cargar", + "montar", + "cargar", + "recargar", + "cargar", + "enjaezar", + "enyugar", + "enyuntar", + "ligar", + "aplastar", + "aplastar(se)", + "machacar", + "magullar(se)", + "majar", + "moler", + "triturar", + "arrojar", + "botar", + "tirar", + "cargar", + "guardar", + "meter", + "aparcar", + "asentar", + "colocar", + "poner", + "situar", + "acostar", + "hacer dormir", + "poner", + "centrar", + "adjuntar", + "colocar", + "sembrar", + "desparramar", + "diseminar", + "esparcir", + "yuxtaponer", + "embarrilar", + "entonelar", + "apoyar", + "descansar", + "proveer de rieles", + "acumular", + "amontonar", + "amontonar en almiares", + "amontonar", + "amontonar", + "distribuir", + "amontonar", + "liarse a puños", + "luchar", + "luchar en lodo", + "atraer", + "atrapar", + "invaginarse", + "arrojar", + "arrojar", + "chocar", + "colisionar", + "estrellar", + "tirar violentamente", + "echar", + "tirar", + "lanzar", + "conectar", + "encender", + "apagar", + "retirar", + "impulsar", + "arrojar", + "lanzar", + "tirar", + "echar", + "arrojar", + "dejar caer", + "despojarse", + "librarse de", + "mudar", + "quitarse de encima", + "sacudirse algo", + "tirar", + "vaciar", + "exfoliar", + "armar", + "plantar", + "catapultar", + "tirar con honda", + "tirar", + "emprender", + "poner en movimiento", + "botar", + "inaugurar", + "proyectar", + "chorrear", + "derramar", + "derramar a borbotones", + "echar en chorro", + "lanzar a chorro", + "salir", + "salir en chorro", + "dirigir", + "forzar", + "envolver", + "adornar con guirnaldas", + "enguirnaldar", + "adornar con escarcha", + "escarchar", + "enlazar", + "hilar", + "entretejer", + "tejer", + "oropelar", + "trenzar", + "destrenzar", + "deshacer", + "enredar", + "enrevesar", + "urdir", + "desenredar", + "desintrincar", + "develar", + "reatar", + "volver a atar", + "enhebrar", + "envolver", + "devanar", + "descarrilar", + "desenrollar", + "desenroscar", + "apretar", + "inundar", + "rellenar", + "atascar", + "atascarse", + "funcionar", + "operar", + "marchar", + "encajar", + "desplazar", + "sacar", + "encajar", + "pegar", + "arrellanado", + "empoltronarse", + "enterrar", + "hundir", + "arraigar", + "incrustar", + "imprimir", + "manchar", + "salpicar", + "lavar", + "limpiar", + "quitar", + "limpiar", + "asear la casa", + "hacer el aseo", + "limpiar", + "limpiar la corrupción", + "poner en orden", + "recoger la basura", + "remover basuras", + "salpicar", + "limpiar en seco", + "lavar", + "enjabonar", + "lavar en batea", + "lavar a máquina", + "lavar al ácido", + "lavar con ácido", + "ensombrecer", + "manchar", + "manchar", + "salpicar", + "absorber", + "absorber", + "llenar", + "recoger", + "incorporar", + "integrar", + "agregar", + "añadir", + "derramar", + "desparramar", + "derramar", + "desparramar", + "salpicar", + "caer", + "cubrir", + "vestir", + "sentar", + "sentar", + "tumbar", + "poner", + "poner huevos", + "poner", + "alzar", + "levantar", + "yacer", + "estar encima", + "quedarse despierto", + "yacer despierto", + "descansar", + "reposar", + "desabrochar", + "borrar", + "anular", + "eliminar", + "suprimir", + "eliminar", + "suprimir", + "tarjar", + "afear", + "deformar", + "desfigurar", + "manchar", + "anatomizar", + "diseccionar", + "trisectar", + "marcar", + "señalar", + "grabar", + "cortar", + "resquebrajar", + "socavar", + "herir a sablazos", + "tallar", + "rebajar", + "cortar", + "cortar", + "hacer una incisión", + "sajar", + "abrir zanjas", + "zanjar", + "partir", + "separar", + "dividir", + "partir", + "separar", + "segmentar", + "segmentarse", + "hender", + "hendir", + "cortar tela", + "desgarrar", + "morder", + "mordisquear", + "empalmar", + "esquilar", + "trasquilar", + "podar", + "cortar", + "romper", + "terminar", + "chocar", + "chocar", + "estrellarse", + "separar", + "terminar", + "chocar", + "caer violentamente", + "colisionar", + "estrellar", + "estrellarse", + "chocar", + "desgajar", + "seccionar", + "segmentar", + "silabear", + "silabificar", + "cuartear", + "partir", + "arruinar", + "destrozar", + "destruir", + "arruinar", + "desintegrar", + "destrozar", + "destruir", + "destrozar", + "quebrar", + "extraer", + "sacar", + "plantar", + "cercar", + "rodear", + "ahogar", + "apagar", + "asfixiar", + "extinguir", + "sofocar", + "asfixiar", + "sofocar", + "instalar", + "establecer", + "instalar", + "reinstalar", + "apostar", + "colocar", + "fijar", + "oponer", + "situar", + "ahogar", + "estrangular", + "decapitar", + "agarrotar", + "torcer el pescuezo", + "estacar", + "impalar", + "tensar", + "empuñar", + "partir", + "aferrar", + "agarrar firmemente", + "agarrar firmente", + "asir", + "apisonar", + "empacar", + "digitar", + "presionar", + "nivelar", + "situar", + "redepositar", + "apacentar", + "llevar a pastar", + "pastar", + "apacentar", + "amortiguar", + "paliar", + "suavizar", + "bañar", + "empapar", + "meter en agua", + "mojar", + "poner en remojo", + "remojar", + "sumergir", + "zambullir", + "mojar", + "cargar", + "repartir", + "levantar", + "derramar", + "cucharear", + "abrir", + "desplegar", + "extender", + "envolver", + "encapsular", + "enfundar", + "envainar", + "desenfundar", + "desenvainar", + "forrar", + "revestir", + "encapsular", + "formar un capullo", + "enterrar", + "dibujar", + "trazar", + "construir", + "inscribir", + "grabar", + "hacer ingletes", + "cortar en cono", + "dar empujones", + "empujar", + "deformar", + "jugar", + "asaltar", + "bordear", + "enmarcar", + "encerrar", + "rodear", + "embancar", + "contener con diques", + "contenter con diques", + "cercar", + "encercar", + "enrejar", + "acordonar", + "rodear", + "asignar un distintivo", + "sacudir", + "agitarse", + "encrespar", + "hojear", + "fijar", + "poner", + "sacudir", + "arrancar", + "jalar", + "pelar", + "pelliscar", + "sacar", + "pellizcar", + "extraer con pinzas", + "columpiar", + "aplastar", + "hollar", + "pisar", + "moler", + "triturar", + "soldar", + "soldar por ola", + "soldar por puntos", + "soldar a tope", + "peinar", + "rastrillar", + "versar", + "lanzar", + "tirar", + "lanzar un mate", + "realizar una volcada", + "carambolear", + "desconectar", + "alambrar", + "carburar", + "amortajar", + "proveerse de carbón", + "acorralar", + "llevar", + "transportar en vagones", + "balancear", + "equilibrar", + "abonar con cal", + "lancear", + "lacear", + "lazar", + "impulsar", + "envolver", + "calar", + "empapar", + "fortificar", + "apoyar", + "entrelazar", + "atrapar", + "montar", + "poner", + "cercar", + "rascar", + "desnudar", + "limpiar", + "quitar", + "dar tirones", + "tirar", + "tironear", + "cortar", + "cortarse", + "esparcir", + "empastar", + "retirar", + "causar", + "crear", + "hacer", + "realizar", + "seguir", + "establecer", + "introducir", + "hacer", + "deshacer", + "recrear", + "rehacer", + "destrozar", + "destruir", + "autodestruir", + "autodestruirse", + "barrer", + "borrar", + "crear", + "hacer", + "producir", + "customizar", + "hacer un borrador", + "hacer a máquina", + "golpear", + "elaborar", + "sacar de sí", + "confeccionar", + "confección", + "confitar", + "hacer una antología", + "engendrar", + "generar", + "sacar a relucir", + "expandir", + "generar", + "comenzar", + "iniciar", + "originar", + "poner", + "generar", + "producir", + "arrojar", + "dar", + "provocar", + "traer", + "agitar", + "conjurar", + "despertar", + "evocar", + "exponer", + "invitar", + "invocar", + "llamar", + "traer", + "lograr", + "sacar", + "arrancar", + "sacar", + "renovar", + "formular", + "idear", + "inventar", + "proyectar", + "concebir", + "idear", + "crear", + "idear", + "inventar", + "pensar en", + "preconcebir", + "elaborar", + "encubar", + "pensar en", + "soñar", + "urdir", + "inventar", + "maquinar", + "tramar", + "ficcionalizar", + "llevar a ficción", + "recontar", + "ver", + "prever", + "visualizar", + "concebir", + "imaginar", + "fantasear", + "creer", + "figurarse", + "imaginar", + "pensar", + "fantasear", + "soñar", + "soñar", + "descubrir", + "encontrar", + "concertar", + "urdir", + "diseñar", + "crear", + "diseñar", + "completar", + "hacer", + "llevar a cabo", + "perfeccionar", + "consumar", + "iniciar", + "introducir", + "introducir por etapas", + "acabar por etapas", + "causar", + "ocasionar", + "producir", + "dibujar", + "desencadenar", + "provocar", + "inducir", + "provocar", + "precipitar", + "estimular", + "provocar", + "hacer", + "hacer", + "inducir", + "impulsar", + "ocasionar", + "armar jaleo", + "evocar", + "inspirar", + "ocasionar", + "provocar", + "forzar", + "constituir", + "establecer", + "fundar", + "instaurar", + "instituir", + "plantar", + "fijar", + "dar", + "establecer", + "organizar", + "realizar", + "engendrar", + "generar", + "procrear", + "lanzar", + "montar", + "presentar", + "montar", + "reponer", + "entregar", + "poner", + "presentar", + "incitar", + "motivar", + "impulsar", + "comenzar", + "embarcarse en", + "empezar", + "emprender", + "organizar", + "preparar", + "disponer", + "dar", + "producir", + "comenzar de cero", + "elaborar", + "fabricar", + "partir de cero", + "construir", + "fabricar", + "componer", + "hacer", + "preparar", + "hacer balsas", + "construir", + "edificar", + "reconstruir", + "derribar", + "derrumbar", + "armar", + "juntar", + "montar", + "confundir", + "desconcertar", + "mezclar", + "configurar", + "componer", + "forjar", + "formar", + "atar", + "reforjar", + "remodelar", + "remoldear", + "construir barriles", + "forjar", + "formar", + "fraguar", + "amontonar", + "alzar", + "levantar", + "montar", + "arrasar", + "exterminar", + "expulsar", + "imprimir", + "prensar", + "enyesar otra vez", + "remoldear", + "dar forma", + "enrollar", + "hacer a mano", + "elaborar", + "hacer", + "cocinar", + "guisar", + "preparar", + "hacer sándwich", + "poner", + "preparar", + "improvisar", + "coser", + "confeccionar rápidamente", + "alterar", + "arreglar", + "modificar", + "coser", + "bordar", + "ilustrar", + "procesar", + "trabajar", + "transformar", + "rehacer", + "emplumecer", + "volar en bandadas", + "constelar", + "estrellar", + "embanderar", + "adornar con cuentas", + "adornar con ribete", + "tejer", + "tejer del revés", + "tejer del revés", + "tejer", + "tejer", + "anudar", + "enlazar", + "entrelazar", + "lazar", + "hilar", + "tejer", + "entrelazar", + "enlazar", + "trenzar", + "encender", + "expulsar", + "sacar", + "adornar", + "decorar", + "embellecer lo perfecto", + "adornar con frunces", + "colgar", + "oropelar", + "emperifollar", + "estucar", + "empanelar", + "enjoyar", + "emperifollar vulgarmente", + "acompañar", + "adornar", + "arreglar", + "ataviar", + "ornamentar", + "reformar", + "decorar", + "embellecer", + "engalanar", + "decorar con plumas", + "siluetear", + "fundir", + "dorar", + "corriente de aire", + "esquematizar", + "hacer un borrador", + "ilustrar", + "pintar", + "pintar", + "crear", + "figurar", + "representar", + "captar", + "recapturar", + "recaptutar", + "recoger", + "mostrar", + "pintar", + "ilustrar", + "trazar", + "representar", + "retratar", + "hacer a lápiz", + "presentar", + "encomendar", + "recomendar", + "delinear", + "trazar", + "hacer con tiza", + "dibujar", + "redactar", + "proyectar", + "escribir", + "estenografear", + "caligrafiar", + "poner en mayúscula", + "hacer a carboncillo", + "hacer a carbón", + "borrajear", + "garabatear", + "caricaturizar", + "copiar", + "recrear", + "manchar", + "colorar", + "esquematizar", + "trazar provisoriamente", + "acuñar", + "componer", + "escribir", + "escribir poemas", + "hacer un perfil", + "escribir párrafos", + "parrafear", + "pasado", + "deletrear", + "escribir", + "escribir sin hesitar", + "adaptar", + "reescribir", + "adaptar", + "esquematizar", + "hacer un borrador", + "componer espondeos", + "narrar", + "recitar", + "escribir sonetos", + "vociferar", + "cantar en contrapunto", + "vocalizar", + "anotar", + "citar", + "hacer referencia", + "nombrar", + "referirse", + "componer", + "contrapuntear", + "adaptar", + "hacer una partitura", + "transportar", + "armonizar", + "armonizar", + "orquestar", + "instrumentar", + "instrumento", + "transcribir", + "bailar", + "bailar con zuecos", + "dirigir", + "elegir", + "escoger", + "cantar en contrapunto", + "dirigir", + "representar", + "ejecutar", + "hacer", + "deslumbrar", + "actuar", + "ejecutar", + "interpretar", + "leer", + "dar", + "tocar", + "representar", + "poner", + "debutar", + "estrenar", + "inaugurar", + "estrenar", + "leer", + "representar", + "actuar", + "interpretar", + "representar", + "acompañar", + "entrar", + "salir", + "salir a escena", + "protagonizar", + "aparecer", + "actuar", + "dissimular", + "adoptar", + "fingir", + "hacerse", + "simular", + "reconstruir", + "simular", + "ensayar", + "practicar", + "entrenar", + "parodiar", + "satirizar", + "parodiar", + "ejecutar", + "hablar largamente", + "interpretar", + "tocar", + "tocar", + "retocar", + "tocar", + "acompañar", + "cantar en conjunto", + "improvisar", + "cantar", + "cantar salmos", + "cantar en coro", + "cantar", + "solfear", + "cantar en canon", + "cantar un himno", + "cantar villancicos", + "cantar madrigales", + "ejecutar", + "interpretar", + "dirigir", + "dar", + "hacer", + "tocar el clarín", + "duplicar", + "triplicar", + "cuadruplicar", + "reimprimir", + "republicar", + "fotocopiar", + "imprimir", + "reproducir", + "reinventar", + "captar", + "capturar", + "lograr", + "crear", + "desarrollar", + "germinar", + "desarrollar", + "improvisar", + "crecer", + "producir", + "cultivar", + "labrar", + "jardinear", + "cultivar", + "yermar", + "cavar con azadón", + "cultivar", + "copiar", + "imitar", + "escribir", + "publicar", + "componer", + "probar", + "indentar", + "publicar", + "republicar", + "llevar", + "imprimir mal", + "garabatear", + "garrapatear", + "copiar", + "programar", + "imprimir", + "imprimir en negrita", + "escribir en itálica", + "imprimir", + "litografiar", + "estampar por serigrafía", + "grabar", + "legrar", + "rascar", + "raspar", + "grabar con puntos", + "grabar al aguafuerte", + "hacer al aguatinta", + "hacer de rollizos", + "flecar", + "calar", + "sacar una muestra", + "parir", + "causar", + "ocasionar", + "producir", + "reproducir", + "diseñar", + "idear", + "crear", + "hacer", + "producir", + "preparar", + "redactar", + "cortar", + "hacer", + "recortar", + "graficar", + "tabular", + "representar gráficamente", + "bailar el shimmy", + "desbrozar", + "escribir un guión", + "rubricar", + "canalizar", + "afiligranar", + "despertar", + "estimular", + "incitar", + "meter el dedo en la llaga", + "tirar una cuerda", + "buscar", + "reavivar", + "reencender", + "volver a encender", + "encender", + "fermentar", + "conmover", + "alimentar", + "calentar", + "determinar el sexo", + "encender", + "excitar", + "prender", + "excitar", + "revolver", + "sobresaltar", + "picar", + "pinchar", + "arrullar", + "distraer", + "inquietar", + "perturbar", + "calmar", + "tranquilizar", + "componerse", + "aliviar", + "apurar", + "inquietar", + "preocupar", + "consumir", + "fastidiar", + "preocupar", + "afectar", + "impresionar", + "influir", + "predisponer", + "fascinar", + "barrer", + "abrumar", + "afligir", + "alterar", + "descomponer", + "molestar", + "perturbar", + "despertar", + "provocar", + "llegar", + "exasperar", + "sacar de quicio", + "conmover", + "experimentar", + "sentir", + "recapturar", + "emocionar", + "entusiasmar", + "albergar", + "acibarar", + "amargar", + "amargar", + "carcomer", + "roer", + "supurar", + "detestar", + "odiar", + "abominar", + "aborrecer", + "detestar", + "execrar", + "despreciar", + "amar", + "querer", + "aferrar", + "apreciar", + "valorar", + "santificar", + "venerar", + "apetecer", + "desagradar", + "detestar", + "gustar", + "aficionarse", + "agradar", + "disfrutar", + "gustar", + "adorar", + "heroificar", + "idolatrar", + "reverenciar", + "venerar", + "adorar", + "asustar", + "espantar", + "aterrorizar", + "amenazar", + "infundir temor", + "asustar", + "espantar", + "temer", + "temer", + "tener miedo", + "temer", + "aterrar", + "intimidar", + "infundir miedo", + "dominar", + "apocarse", + "tener aprensión", + "horrorizar", + "choquear", + "espantar", + "fantasma", + "merodear", + "obsesionar", + "rondar", + "inquietar", + "preocupar", + "desconcertar", + "enervar", + "molestar", + "morir", + "romper", + "asustar", + "espantar", + "enfadar", + "enojar", + "alterar", + "exasperar", + "fastidiar", + "irritar", + "enfurecer", + "exasperar", + "sulfurar", + "enloquecer", + "enloquecer", + "enloquecer", + "fastidiar", + "incomodar", + "irritar", + "molestar", + "provocar", + "irritar", + "descomponer", + "perturbar", + "inquietar", + "herir", + "ofender", + "picar", + "acosar", + "acosar sexualmente", + "asediar", + "atosigar", + "fastidiar", + "hostigar", + "molestar repetidamente", + "perseguir", + "plagar", + "provocar", + "confundir", + "desconcertar", + "perturbar", + "aturdir", + "encrespar", + "aturdir", + "incomodar", + "disturbar", + "apartar", + "desviar", + "distraer", + "avergonzar", + "avergonzar", + "desaprobar", + "dañar", + "herir", + "ofender", + "sufrir", + "rabiar", + "picar", + "arrepentirse", + "sentir", + "arrepentirse", + "lamentar", + "llorar", + "atormentar", + "cansar", + "abandonar", + "fallar", + "traicionar", + "atar de manos", + "despreciar", + "humillar", + "desvanecer", + "abatir", + "rebajar", + "humillar", + "contener", + "dominar", + "atormentar", + "torturar", + "frustrar", + "acosar", + "hostigar", + "joder", + "jorobar", + "molestar", + "burlar", + "engañar", + "controlar", + "manipular", + "congraciarse", + "añorar", + "extrañar", + "doler", + "apreciar", + "estimar", + "valorar", + "animarse", + "ganarse el cariño", + "antagonizar", + "incitar", + "provocar", + "tentar", + "tentar", + "atraer", + "irritar", + "rechazar", + "aturdir", + "chocar", + "matar", + "callar a gritos", + "anochecer", + "ignorar", + "aturdir", + "dejar pasmado", + "quedar pasmado", + "anonadar", + "asombrar", + "sorprender", + "chocar", + "consternar", + "deshonrar", + "escandalizar", + "horrorizar", + "impactar", + "ofender", + "desesperar", + "inflar", + "animar", + "avivar", + "exaltar", + "inspirar", + "revigorizar", + "apenar", + "entristecer", + "alegrar", + "regocijar", + "abatir", + "deprimir", + "espantar", + "alentar", + "confortar", + "consolar", + "solazar", + "aliviar", + "apaciguar", + "aquietar", + "calmar", + "disipar", + "tranquilizar", + "descargar", + "agradar", + "complacer", + "encantar", + "cosquillear", + "excitar", + "complacer", + "gratificar", + "satisfacer", + "decepcionar", + "descontentar", + "desagradar", + "disgustar", + "ofender", + "arrebatar", + "cautivar", + "deleitar", + "embelezar", + "encantar", + "fascinar", + "raptar", + "transportar", + "alentar", + "animar", + "dar ánimos", + "envalentonar", + "recrear", + "crecerse", + "alentar", + "animar", + "impulsar", + "incentivar", + "desalentar", + "enfriar", + "helar", + "desalentar", + "disuadir", + "abatir", + "desalentar", + "descorazonar", + "agitar", + "vacilar", + "vacilar", + "disfrutar", + "gustar", + "saborear", + "agravar", + "exacerbar", + "exasperar", + "encantar", + "fascinar", + "interesar", + "galvanizar", + "sobresaltar", + "aburrir", + "cansar", + "fatigar", + "hastiar", + "despreocuparse", + "ignorar", + "destetar", + "gustar", + "placer", + "envidiar", + "desear", + "querer", + "apetecer", + "desear", + "preferir", + "confiar", + "esperar", + "envidiar", + "envidiar", + "admirar", + "anhelar", + "ansiar", + "desear ardientemente", + "doler", + "adorar", + "disfrutar", + "encantar", + "gozar", + "arder", + "brillo", + "mover", + "trasladar", + "atascar", + "desplazarse", + "ir", + "moverse", + "viajar", + "flotar", + "buscar", + "recorrer", + "volar", + "pillar", + "subirse", + "tomar", + "andar en cámara", + "viajar", + "volar", + "salir", + "coger", + "ir de excursión", + "viajar", + "ir de gira", + "visitar", + "inspeccionar", + "visitar", + "frecuentar", + "viajar", + "navegar", + "navegar", + "viajar", + "ir de travesía", + "atravesar", + "volar", + "volar una cometa", + "quedarse", + "apartar", + "retirar", + "llegar", + "venir", + "rodar", + "desplazar", + "mover", + "levantar", + "bombear", + "extraer", + "sacar del grifo", + "sorber", + "succionar", + "absorver", + "aspirar", + "chupar", + "depurar", + "trasladar", + "migrar", + "permanecer", + "arrancar", + "encender", + "poner en marcha", + "dar un impulso", + "reiniciar", + "encender con manivela", + "detener", + "parar", + "cortar", + "cortar", + "hacer detener", + "hacer parar", + "detenerse", + "parar", + "pararse", + "frenar en seco", + "pararse de repente", + "perder velocidad", + "calar", + "calarse", + "detenerse", + "parar", + "frenar", + "frenar", + "comenzar", + "empezar", + "iniciar", + "arrojarse", + "cambiar de dirección", + "dar una sacudida", + "sacudirse", + "agitar", + "sacudir", + "conmocionar", + "sacudir", + "menearse", + "desplazarse sin sentido", + "girar", + "revolver", + "rodar", + "aplastar", + "pisar", + "revolcarse", + "rodar", + "oscilar", + "tejer", + "vacilar", + "retorcer", + "torcer", + "serpentear", + "tambalearse", + "temblar", + "deslizarse de lado", + "pasearse", + "desplazarse furtivamente", + "pavonearse", + "barrer", + "resbalar", + "patinar", + "patinazo", + "menear", + "temblar", + "tiritar", + "empujar", + "apretar", + "empujar", + "empujar", + "empujar", + "echar fuera", + "lanzar fuera", + "sacar", + "apartar", + "sacar", + "levantar", + "subir", + "flotar", + "agitar", + "mecer", + "oscilar", + "tambalear", + "oscilar", + "vibrar", + "aletear", + "estremecerse", + "oscilar", + "parpadear", + "revolotear", + "temblar", + "vacilar", + "aporrear", + "golpear", + "latir", + "dar golpes", + "golpear al ritmo", + "agitar", + "tambalear", + "deambular", + "deambular", + "caminar", + "tomar el aire", + "corretear las calles", + "ir de fiesta", + "vagar", + "zigzaguear", + "desplazar", + "avanzar", + "inclinar", + "bambolearse", + "cambiar", + "escorar", + "inclinarse", + "ladearse", + "agitar", + "batir", + "aventar", + "revolver", + "deslizar", + "deslizarse", + "resbalar", + "resbalarse", + "dejarse llevar", + "deslizarse", + "rodar", + "deslizarse", + "culebrear", + "serpentear", + "deslizar", + "temblar", + "temblar", + "latir", + "temblar", + "temblar", + "agitar", + "batir", + "sacudir", + "sacudirse", + "temblar", + "convulsionar", + "convulsionar", + "agitar", + "convelerse", + "dar vueltas", + "moverse agitadamente", + "reducir", + "sacudir", + "trillar", + "vibrar", + "rebotar", + "sacudir", + "saltar", + "brincar", + "desplazarse saltando", + "arrojar", + "lanzar", + "tirar", + "arrojar", + "lanzar", + "tirar", + "chasquear", + "revolver", + "pasar con rapidez", + "volar", + "bailar", + "danzar", + "bailar bebop", + "bailar bop", + "bailar vals", + "bailar tango", + "bailar foxtrot", + "bailar conga", + "bailar samba", + "bailar paso doble", + "bailar charleston", + "bailar chachachá", + "bailar disco", + "bailar mambo", + "bailar polca", + "bailar un paso", + "bailar rumba", + "rumbear", + "bailar estilo mosh", + "bailar slam", + "slam", + "contonear", + "menear", + "sacudir", + "zangolotear", + "contonear", + "menear", + "bailar en cuadrilla", + "llamar", + "impulsar", + "lanzar", + "aletear como mariposa", + "dar un traspié", + "chocar", + "caminar desgarbadamente", + "titubear", + "trastabillar", + "tropezar", + "vacilar", + "flotar", + "pasearse", + "jugar", + "bajar", + "flotar", + "nadar", + "andar", + "caminar", + "andar a pie", + "ir a pie", + "carretear", + "sacar a caminar", + "pasear", + "girar", + "invertir", + "revolver", + "volcar", + "doblar", + "girar", + "invertir", + "revolver", + "volcar", + "saltar", + "vagar", + "deambular", + "caminar alrededor", + "dar la vuelta", + "atravesar", + "cruzar", + "andar", + "cruzarse", + "arañar", + "trepar", + "cruzar", + "correr", + "cruzar un puente", + "pasarse el semáforo", + "transitar", + "chapotear", + "escabullirse", + "arrastrar", + "andar sin prisa", + "deambular", + "pasear", + "pasearse", + "rondar", + "merodear", + "rondar", + "avanzar a pasitos", + "chapotear", + "contonearse", + "tambalearse", + "pasear", + "salir a caminar", + "marchar", + "ir juntos", + "ir en fila", + "salir en fila", + "caminar", + "recorrer", + "dar largas caminatas", + "arrastrarse", + "chisporrotear", + "despellejar", + "encaramarse", + "luchar", + "trepar a gatas", + "montar", + "trepar", + "trepar", + "montar", + "remontar", + "bajarse", + "saltar fuera", + "pernear", + "desfilar", + "ir juntos", + "pasear", + "salir a caminar", + "desfilar", + "exhibir", + "marchar", + "vacilar", + "descarriarse", + "desencaminarse", + "desviarse", + "mochilear", + "correr", + "recaer", + "apuntar", + "barloventear", + "ceñir", + "barloventear", + "andar", + "marchar", + "andar desgarbadamente", + "caminar con afectación", + "andar pesadamente", + "conducir", + "manejar", + "conducir", + "manejar", + "cruzar", + "navegar", + "pasearse", + "dirigir", + "guiar", + "maniobrar", + "balizar", + "conducir", + "guiar", + "aparcar", + "estacionar", + "aparcar en ángulo", + "andar en bicicleta", + "andar sobre ruedas", + "pedalear", + "andar en monociclo", + "pedalear al revés", + "andar en bici", + "andar en moto", + "andar en motocicleta", + "andar en ferrocarril", + "andar en tren", + "hacer patinaje artístico", + "andar en trineo", + "andar en bobsled", + "hacer esquí acuático", + "volar", + "volar en bandada", + "continuar en vuelo", + "seguir volando", + "pilotear", + "volar", + "volar aviones", + "pilotear solo", + "volar sin acompañante", + "volar un jet", + "planear", + "volar como cometa", + "planear", + "surcar los cielos", + "remontar", + "flotar", + "remontar", + "levantar", + "flotar", + "levitar", + "andar en tranvía", + "andar en lancha", + "navegar", + "bordear", + "bordear", + "remar", + "jalar", + "tirar de", + "impulsar con espadilla", + "andar en canoa", + "remar con pala", + "hacer bodysurf", + "volar en globo", + "andar en taxi", + "andar en bus", + "andar en ferry", + "andar en transbordador", + "transportar en transbordador", + "llevar en carretilla", + "transbordar", + "llevar en carroza", + "transportar en balsa", + "transportar por oleoducto", + "navegar", + "transportar en barcaza", + "embarcar", + "enviar", + "mandar", + "transportar", + "fletar", + "transportar", + "echar", + "enviar", + "mandar", + "encaminar", + "remitir", + "reconsignar", + "transportar", + "transportar en trineo", + "transportar en chalana", + "despachar", + "despachar", + "enviar", + "enviar fuera", + "remitir", + "surcar los cielos", + "ir", + "montar", + "llevar", + "andar en motonieve", + "montar", + "agacharse", + "apearse", + "bajarse", + "desmontar", + "liviano", + "andar a caballo", + "andar al galope", + "galopar", + "andar al galope", + "andar", + "caminar", + "galopar", + "cabalgar al trote", + "nadar", + "bañarse en cueros", + "bucear", + "realizar un picado", + "bucear con esnórquel", + "saltar", + "irrumpir", + "hacer saltar", + "saltar en esquíes", + "saltar", + "caer en picado", + "desplomarse", + "desaparecer", + "esquivar", + "sumergirse rápidamente", + "ascender", + "subir", + "aparecer", + "ascender", + "elevarse", + "nacer", + "salir", + "descender", + "precipitarse", + "pasar", + "caer", + "caer", + "derrumbarse", + "venirse abajo", + "romper", + "bajar", + "alzar", + "elevar", + "levantar", + "caer", + "alzar", + "elevar", + "levantar", + "subir", + "elevar en plataforma", + "aumentar", + "recoger", + "abatir", + "derribar", + "perder el equilibrio", + "venirse abajo", + "bajar", + "caer", + "botar", + "desplomarse", + "descargar", + "tirar", + "volcar", + "inclinar", + "caer en picado", + "embarcar", + "subirse al tren", + "llegar en coche", + "aterrizar de emergencia", + "derribar", + "apuntalar", + "desemarcar", + "desembarcar", + "tocar tierra", + "alzarse", + "empinarse", + "encabritarse", + "alzarse", + "tomar", + "enderezarse", + "erguirse", + "pararse", + "erguir", + "incrementar", + "subir", + "tomarse la pista", + "erizarse", + "sentarse", + "acostar", + "tender", + "tumbar", + "yacer", + "estirarse", + "tenderse", + "echarse", + "caer", + "caerse", + "dejar caer", + "hundir", + "asentar", + "hundir", + "sumergir", + "sumir", + "detener", + "parar", + "colocar", + "situar", + "cuadrar", + "depositar", + "sedimentar", + "caer", + "ceder", + "colapsar", + "derrumbarse", + "irse a pique", + "romperse", + "estallar", + "explotar", + "caer en recesión", + "establecerse", + "hundirse", + "ir abajo", + "sumergirse", + "surgir", + "brotar", + "hincharse", + "manar", + "sumergir", + "seguir", + "balancear", + "balancearse", + "invadir", + "ensartar", + "adelantar", + "retroceder", + "retrogradar", + "sacar", + "avanzar", + "continuar", + "proceder", + "seguir", + "irrumpir", + "desfilar", + "ir en procesión", + "marchar", + "seguir", + "remontar", + "retornar al marcador", + "preceder", + "encabezar", + "conducir", + "llevar", + "despistar", + "guiar", + "dirigir", + "perseguir", + "rastrear", + "buscar", + "alejar", + "desterrar", + "ahuyentar", + "echar a gritos", + "cazar", + "seguir la huella", + "seguir la pista", + "huronear", + "acechar", + "dar captura", + "perseguir hasta capturar", + "regresar", + "volver", + "alcanzar", + "llegar", + "venir", + "llegar conduciendo", + "coger", + "entrar", + "llegar", + "lograr", + "llegar al tope", + "topar", + "acceder", + "llegar", + "pretender", + "inundar", + "marchar", + "partir", + "permanecer", + "quedarse", + "batirse en retirada", + "dejar", + "ir", + "marchar", + "partir", + "salir", + "irse", + "marcharse", + "salir", + "tardar", + "desviar", + "transferir", + "transportar", + "trasladar", + "transferir", + "aplazar", + "desplazar", + "excluir", + "partir", + "despegar", + "levantar vuelo", + "flamear", + "resplandecer", + "arribar", + "entrar", + "hacer su llegada", + "ingresar", + "llegar", + "dejar", + "partir", + "salir", + "descender", + "desembarcar", + "entrar", + "ingresar", + "moverse adentro", + "embarcar", + "embarcar", + "coger", + "traspasar", + "aparcer sin invitación", + "entrometerse", + "inmiscuirse", + "invadir", + "violar", + "asaltar", + "merodear", + "plagar", + "alcanzar", + "ganar", + "alcanzar la cima", + "cumbre", + "lograr llegar", + "encontrar", + "culminar", + "superar", + "avanzar", + "llegar", + "lograr", + "lograr alcanzar", + "lograr ser", + "encallar", + "tocar tierra", + "perder", + "quedar", + "conocer", + "encontrar", + "cruzar", + "intersectar", + "convenir", + "reunirse", + "reconvenir", + "andar en tropel", + "ir en procesión", + "ir en tropel", + "acompañar", + "acompañar", + "salvaguardar", + "apiñarse", + "apiñar", + "meter", + "meter", + "deshacerse", + "separarse", + "disipar", + "dividir", + "separar", + "divergir", + "separar", + "dar guiñadas", + "torcer", + "apartar", + "desviar", + "encorvar", + "flexionar", + "ascender", + "descender", + "descender", + "ladear", + "volcar", + "disminuir", + "ajarse", + "arruinar", + "colapsar", + "desmoronarse", + "romperse", + "venirse abajo", + "circular", + "conducir calor", + "distribuir", + "repartir", + "hacer circular", + "emitir", + "dar vueltas", + "girar", + "orbitar", + "circular", + "girar", + "dar vueltas", + "desviar", + "torcer", + "revolver", + "rodar", + "girar", + "empujar", + "pasear", + "girar", + "pivotar", + "girar", + "revolotear", + "girar", + "bailar ska", + "girar en espiral", + "adelantar", + "alcanzar", + "pasar", + "pasar", + "pasar", + "comenzar un ciclo", + "dejar atrás", + "pasar", + "bordear", + "rodear", + "entregar", + "pasar", + "declarar", + "acercarse", + "aproximarse", + "subir", + "venir", + "acercarse", + "cubrir", + "juntarse", + "desplegar", + "estirar", + "extender", + "arrancar", + "cargar", + "despedir", + "disparar", + "sacudirse", + "acelerar", + "salir en estampida", + "empujar", + "conducir", + "manejar", + "empujar", + "conducir", + "moverse nerviosamente", + "salir disparado", + "desplegarse", + "difundir", + "diseminar", + "esparcir", + "prppagar", + "trepar", + "recular", + "retroceder", + "empujar", + "inclinar", + "doblar", + "doblarse sobre sí", + "acurrucarse", + "encogerse", + "llenar", + "inclinarse", + "lanzarse en picado", + "desviar", + "desviar", + "pertubar", + "desviar", + "partir", + "salir", + "correr", + "fluctuar", + "fluir", + "correr", + "crecer", + "fluir", + "correr libre", + "derrochar", + "rebalsarse", + "girar", + "correr hacia abajo", + "brotar", + "escupir", + "manar a borbotones", + "salir a chorro", + "salir a chorros", + "correr", + "fluir", + "derramar", + "echar", + "echar", + "derramar", + "decantar", + "servir", + "verter", + "gotear", + "drenar", + "vaciar", + "filtrarse", + "percolar", + "desprender", + "emanar", + "deslizarse", + "esfumarse", + "pasar", + "seguir", + "transcurrir", + "trascurrir", + "derribar", + "desvanecerse", + "volar", + "deshacerse", + "escapar", + "escaparse", + "sacudirse", + "tirar", + "eludir", + "evadir", + "evitar", + "rehuir", + "desatarse", + "escapar", + "escaparse", + "huir", + "librarse", + "echarse el pollo", + "escapar", + "huir", + "volar", + "salir pitando", + "deslizarse", + "abandonar", + "arrojar", + "expulsar", + "extender", + "acarrear", + "llevar", + "traer", + "transportar", + "devolver", + "llevar de regreso", + "regresar", + "traer de regreso", + "introducir", + "presentar", + "interponer", + "trasladar", + "enviar por metro", + "entrar volando", + "pasar volando", + "canalizar", + "transmitir", + "transportar", + "traer", + "traspasar", + "retransmitir", + "cubrir", + "rematar", + "dejar atrás", + "distanciar", + "sobrepasar", + "superar", + "resaltar", + "salirse", + "saltar", + "sobresalir", + "circunvalar", + "dar una vuelta", + "extender", + "tender", + "abonar", + "extraer", + "envolver", + "atracar", + "trasladar", + "surcar", + "balancear", + "mecer", + "cambiar", + "chocar", + "moverse ruidosamente", + "girar", + "volver", + "hojear", + "girar", + "pisar", + "acurrucarse", + "agitar", + "agitar", + "batir", + "sacudir", + "agitar violentamente", + "sacudir", + "llenar", + "meter", + "saltar", + "saltar", + "saltar", + "acostarse con cualquiera", + "ser promiscuo", + "subir", + "subirse", + "girar", + "volver", + "apresurar", + "esquivar", + "derribar", + "derrocar", + "volcar", + "arrojarse", + "lanzarse", + "tirarse", + "tambalearse", + "caerse", + "salirse", + "arrasar", + "interponerse", + "bailar", + "danzar", + "moverse estruendosamente", + "estrellar", + "teletransportar", + "ascender", + "registrar", + "percibir", + "sentir", + "percibir", + "captar", + "recibir", + "adivinar", + "intuir", + "leer la mano", + "experimentar", + "tener", + "cobrar", + "recibir", + "dar", + "ocurrir", + "topars", + "soportar", + "sufrir", + "morir", + "notar", + "sentir", + "disfrutar", + "exponer", + "asolear", + "solear", + "sobreexponer", + "subexponer", + "exponer", + "sobreexponer al sol", + "insensibilizar", + "adormecer", + "aturdir", + "deslumbrar", + "atontarse", + "embrutecerse", + "hacer el idiota", + "idiotizarse", + "sensibilizar", + "estimular", + "excitar", + "llevar", + "emocionar", + "estremecer", + "acelerar", + "despertar", + "percibir mal", + "captar", + "soñar", + "darse cuenta", + "notar", + "observar", + "percibir", + "poner atención", + "notar", + "observar", + "desoír", + "ignorar", + "entrever", + "vislumbrar", + "molestar", + "frotar", + "picar", + "rascar", + "restregar", + "quemar", + "causar urticaria", + "picar", + "picar", + "doler", + "sufrir", + "doler", + "latir", + "retorcerse", + "pinchar", + "picar", + "oler", + "heder", + "oler", + "oler", + "olfatear", + "husmear", + "oler", + "olfatear", + "olisquear", + "olisquear", + "respirar ruidosamente", + "aspirar", + "aromatizar", + "incensar", + "perfumar", + "desodorizar", + "palpar", + "tocar", + "escaparse", + "perder", + "descubrir", + "mirar", + "observar", + "ver", + "presenciar", + "ver", + "ver", + "ver", + "cegar", + "mirar", + "mirar", + "observar", + "ver", + "examinar", + "inspeccionar", + "mirar", + "reconocer", + "echar un vistazo", + "echar una miradita", + "mirar", + "contemplar", + "considerar", + "contemplar", + "estimar", + "mirar las estrellas", + "parecer", + "cortar", + "sentir", + "parecer", + "parecer", + "sonar", + "sonar", + "hablar", + "reflejar", + "reflejar", + "enseñar", + "evidenciar", + "mostrar", + "poner de manifiesto", + "mostrar", + "proyectar", + "hacer justicia", + "revelar", + "destacar", + "resaltar", + "indicar", + "manifestar", + "mostrar", + "proyectar", + "exhibir", + "exponer", + "presentar", + "enseñar", + "desplegar", + "lucir", + "presumir", + "vestir", + "posar", + "desvelar", + "revelar", + "descubrir", + "caracterizar", + "describir", + "encubrir", + "esconder", + "ocultar", + "tapar", + "esconder", + "ocultar", + "esconder", + "esconderse", + "tapar", + "buscar refugio", + "refugiarse", + "esconder", + "ocultar", + "tapar", + "cobijarse", + "cubrirse", + "enterrar", + "enmascarar", + "disimular", + "enmascararse", + "acallar", + "cubrir", + "disimular", + "encubrir", + "tapar", + "exhibir", + "condenar", + "sentenciar a muerte", + "mirar", + "curiosear", + "ver", + "visualizar", + "vigilar", + "explorar", + "hurgar", + "escrutar", + "buscar", + "examinar", + "mirar", + "acechar", + "discernir", + "espiar", + "ver", + "descubrir", + "detectar", + "encontrar", + "observar", + "detectar", + "percibir", + "desaparecer", + "lanzar", + "producir", + "sacar", + "empañarse", + "velarse", + "ensombrecer", + "disfrazar", + "disimular", + "enmascarar", + "brillar intermitentemente", + "destellar", + "titilar", + "titilar", + "pegar", + "balizar", + "irradiar", + "brillar", + "brillar", + "lucir", + "enfocar", + "bajar", + "aturdir", + "deslumbrar", + "deslumbrar", + "resplandecer", + "pegar", + "picar", + "quemar", + "brillar", + "controlar", + "vigilar", + "divisar", + "echar el ojo", + "matar con los ojos", + "contemplar", + "admirar", + "considerar", + "contemplar", + "mirar con hambre", + "divisar", + "registrar", + "revolver", + "examinar", + "supervisar", + "considerar", + "estimar", + "estudiar", + "juzgar", + "recordar", + "globo ocular", + "mirar", + "ojear", + "explorar", + "reconocer", + "cegar", + "observar", + "oír", + "escuchar", + "escuchar", + "advertir", + "atender", + "escuchar atentamente", + "prestar atención", + "prestar oído", + "escuchar", + "aullar", + "chirriar", + "crujir", + "ahogar", + "hacer ruido", + "resonar", + "ruido", + "sonar", + "resonar", + "sonar", + "susurrar", + "sonar", + "sonar", + "tocar", + "sonar", + "doblar", + "repicar", + "sonar", + "tocar", + "doblar", + "murmurar", + "susurrar", + "susurrar", + "estallar", + "sonar repetidamente", + "resonar", + "hacer eco", + "repercutir", + "resonar", + "doblar", + "tocar", + "golpear", + "castañetear", + "chasquear", + "estallar", + "hacer pum", + "golpear", + "murmurar", + "intervenir", + "pinchar", + "entender", + "oír por casualidad", + "oír sin querer", + "oír", + "escuchar a escondidas", + "ensordecer", + "definir", + "amordazar", + "censurar", + "degustar", + "saborear", + "condimentar", + "dar sabor", + "sazonar", + "preparar al curry", + "especiar", + "echar jengibre", + "catar", + "degustar", + "probar", + "detectar", + "discernir", + "distinguir", + "reconocer", + "sentir", + "resolver", + "discriminar", + "saborear", + "saborizar", + "saborear", + "rechazar", + "causar náuseas", + "dar náuseas", + "enfermar", + "amargar", + "colocar miel", + "echar pimienta", + "salar", + "perder", + "venirse", + "recibir", + "rastrear", + "seguirle la pista", + "seguir", + "vigilar", + "dar", + "donar", + "otorgar", + "regalar", + "escupir", + "soltar", + "soltar pasta", + "dejar", + "dar", + "donar", + "regalar", + "dotar", + "beneficiar", + "distribuir", + "entregar", + "pasar", + "repartir", + "dar", + "donar", + "regalar", + "rifar", + "conservar", + "guardar", + "mantener", + "sostener", + "reservar", + "poseer", + "tener", + "dejar", + "guardar", + "mantener", + "ejercer", + "poseer", + "tener", + "predisponer", + "tener", + "quitar", + "tomar", + "recuperar", + "redisponer", + "conseguir", + "encontrarse", + "apropiarse", + "coger", + "confiscar", + "quitar", + "tomar", + "liberar", + "rescatar", + "adquirir", + "comprar", + "llevar", + "comprar", + "llevarse", + "alquilar", + "alquilar", + "alquilar", + "recibir", + "aceptar", + "adquirir", + "conseguir", + "obtener", + "sacar", + "tomar", + "robar", + "adueñarse", + "encontrarse", + "negar", + "conseguir", + "encontrar", + "retener", + "negar", + "rechazar", + "reservar", + "deducir", + "recobrar", + "retener", + "recortar", + "anexar", + "hacerse con", + "consolidar", + "pagar", + "absorber", + "asumir", + "financiar", + "ayudar", + "financiar", + "acumular", + "juntar", + "reunir", + "recoger", + "refinanciar", + "cubrir", + "patrocinar", + "respaldar", + "transferir", + "pasar", + "transferir", + "arrojar", + "descartar", + "desechar", + "deshacerse", + "echar", + "expulsar", + "olvidar", + "tirar", + "tirar", + "abandonar", + "expulsar", + "tirar", + "deshacerse", + "quitar", + "remover", + "tirar desperdicios", + "jubilar", + "retirar", + "conservar", + "preservar", + "motorizar", + "motorizar", + "poner terraza", + "poner friso", + "recuperar", + "embalsamar", + "deshacerse", + "destruir", + "despedirse", + "relinquir", + "renunciar", + "abandonar", + "abandonar", + "dejar plantado", + "plantar", + "asignar", + "adjudicar", + "asignar", + "destinar", + "reasignar", + "abandonar", + "dejar", + "entregar", + "legar", + "iluminar", + "recaer", + "acumularse", + "recaer", + "pasar", + "transferir", + "transmitir", + "reproducir", + "reproducirse", + "dejar", + "heredar", + "legar", + "transmitir", + "ceder", + "dar", + "entregar", + "pasar", + "traspasar", + "delizar", + "entregar", + "pasar", + "contagiar", + "transmitir", + "transferir", + "transmitir", + "actualizar", + "llevar", + "distribuir", + "repartir", + "ceder", + "entregar", + "librar", + "vender", + "dar", + "echar", + "emitir", + "aceptar", + "querer", + "aceptar", + "admitir", + "acoger", + "declinar", + "denegar", + "rechazar", + "pagar", + "aportar", + "contribuir", + "adquirir", + "conseguir", + "lograr", + "obtener", + "obtener", + "extraer", + "contratar", + "emplear", + "reclutar", + "reclutar", + "buscar", + "perseguir", + "luchar", + "pujar", + "vender", + "realizar", + "comercializar", + "transar", + "vender", + "repartir", + "alcanzar", + "liquidar", + "recobrar", + "recuperar", + "dar", + "encontrar", + "encontrarse", + "tropezar", + "acceder", + "entrar", + "salir", + "recuperar", + "recuperarse", + "recuperarse", + "restituirse", + "compensar", + "recompensar", + "remunerar", + "anticipar", + "compensar", + "indemnisar", + "recompensar", + "reparar", + "asegurar", + "reasegurar", + "coasegurar", + "abonar", + "pagar", + "diezmo", + "pagar", + "compensar", + "atrasarse", + "inclumplir", + "deber", + "deber", + "acordar", + "ordenar", + "restituir", + "enviar", + "remitir", + "adjudicar", + "conceder", + "otorgar", + "asentir", + "conceder", + "permitir", + "conceder", + "otorgar", + "apreciar", + "atesorar", + "estimar", + "valorar", + "cambiar", + "cobrar", + "liquidar", + "amortizar", + "liquidar", + "rescatar", + "cambiar", + "intercambiar", + "reemplazar", + "sustituir", + "reducir", + "cambiar", + "intercambiar", + "regatear", + "entregar a cambio", + "trocar", + "comerciar", + "comisionar", + "convidar", + "regalonear", + "adjudicar", + "conceder", + "otorgar", + "adjudicar", + "conceder", + "conferir", + "otorgar", + "jubilar", + "pensionar", + "entregar", + "presentar", + "transferir", + "traspasar", + "conceder", + "conferir", + "otorgar", + "conceder", + "dar", + "otorgar", + "atosigar", + "cargar", + "otorgar una mitra", + "bendecir", + "favorecer", + "graduar", + "abonar", + "arquear", + "cuadrar", + "hacer arqueo", + "saldar", + "calcular", + "contar", + "fiar", + "calcular cumulativamente", + "ahorrar", + "tirar el dinero", + "disipar", + "gastar en baratijas", + "ahorrar", + "dejar caer", + "expender", + "gastar", + "excederse en gastos", + "gastar menos", + "llevar", + "arrojar", + "desperdiciar", + "malgastar", + "hacerse un cariñito", + "parrandear", + "colocar", + "invertir", + "especular", + "trabajar", + "tomar", + "reconquistar", + "confiscar", + "embargar", + "incautar", + "secuestrar", + "recobrar", + "recuperar", + "secuestrar", + "afanar", + "atrapar", + "birlar", + "enganchar", + "guindar", + "hurtar", + "quitar", + "robar", + "robar", + "robar", + "asaltar", + "asaltar", + "aprovecharse", + "lucrar", + "sacar partido", + "aprovechar", + "capitalizar", + "lucrar", + "conservar", + "llevar", + "mantener", + "preservar", + "acabar", + "agotar", + "cansar", + "gastar", + "acumular", + "almacenar", + "aprovisionar", + "avituallar", + "almacenar", + "almacenar", + "ensilar", + "retener", + "mantener", + "adelantar", + "anticipar", + "avanzar", + "comprar", + "sobornar", + "liquidar", + "pagar", + "devolver", + "reembolsar", + "regresar", + "volver a pagar", + "reembolsar", + "acarrear", + "llevar", + "encontrar", + "recuperar", + "notar", + "sentir", + "descubrir", + "localizar", + "dar con", + "descubrir", + "encontrarse", + "hallar", + "lograr", + "cancelar", + "costear", + "pagar", + "concretar", + "perder", + "perder", + "dormir", + "perder", + "birlar", + "perder", + "ganar", + "cobrar", + "ganar", + "ganar", + "aprovechar", + "beneficiarse", + "ganar", + "obtener frutos", + "sacar ventaja", + "beneficiar", + "satisfacer", + "despedir", + "ganar neto", + "liquidar", + "dar", + "devengar", + "pagar", + "producir", + "rendir", + "compensar", + "ganar", + "recibir", + "sacar", + "embolsarse", + "embolsillarse", + "obtener", + "entregar", + "librar", + "entregar", + "adjudicar", + "asignar", + "distribuir", + "repartir", + "permitir", + "compartir", + "juntar", + "comunicar", + "transmitir", + "licitar", + "ofrecer", + "licitar", + "ofrecer", + "presentar", + "brindar", + "entregar", + "ofrecer", + "señalizar", + "ofrecer", + "ofrecer", + "aportar", + "conceder", + "entregar", + "extender", + "ofrecer", + "rendir", + "extender", + "ofrecer", + "vender", + "ofertar", + "ofrecer", + "pujar", + "doblar", + "declarar", + "aceptar", + "asumir", + "eliminar", + "prescindir", + "perder", + "prescindir", + "renunciar", + "capturar", + "caer", + "arrebatar", + "coger", + "acumular", + "juntar", + "recoger", + "buscar", + "recoger", + "acumular", + "amontonar", + "reimponer", + "cargar", + "hacer responsable", + "multar", + "gravar", + "imponer", + "agravar", + "sobregravar", + "valorar", + "aportar", + "contribuir", + "agrupar", + "combinar", + "unir", + "aplicar", + "dar", + "hollar", + "devolver", + "entregar", + "regresar", + "devolver", + "entregar", + "presentar", + "referir", + "rendir", + "restituir", + "depositar", + "ingresar", + "redepositar", + "girar", + "quitar", + "retirar", + "sacar", + "retirar", + "aliviar", + "quitar", + "aliviar", + "arreglar", + "privar", + "descontar", + "rebajar", + "reducir", + "deprivar", + "desnudar", + "despojar", + "desposeer", + "privar", + "desnudar", + "desvestir", + "heredar", + "heredar", + "desheredar", + "desposeer", + "liberar", + "renunciar", + "ceder", + "conceder", + "otorgar", + "causar", + "dar", + "conceder", + "dar", + "otorgar", + "reducir", + "depauperar", + "arruinar", + "quebrar", + "enriquecer", + "robar", + "descontar", + "incrementar", + "rebajar", + "devolver", + "cargar", + "cobrar", + "cargar", + "acrecentar", + "adeudar", + "robar", + "sustraer", + "afanar", + "quitar", + "robar", + "mangar", + "robar", + "llevarse", + "proveer", + "anotar", + "dejar", + "prestar", + "aportar", + "contribuir", + "propiciar", + "instilar", + "transfundir", + "dar", + "inspirar", + "sacrificar", + "inmolar", + "buscar antigüedades", + "abastecer", + "entregar", + "facilitar", + "proporcionar", + "proveer", + "suministrar", + "entubar", + "dar un billete", + "ribetear", + "escalonar", + "enrejar", + "enrielar", + "enrejar", + "alfabetizar", + "construir un desembarcadero", + "uniformar", + "acompañar", + "asociar", + "poner pelos", + "encabezar", + "titular", + "calentar", + "poner asientos", + "poner un asiento", + "desnivelar", + "poner vidrios", + "pavimentar", + "encasquillar", + "amoblar", + "cubrir de tablillas", + "entablillar", + "reamoblar", + "alojar", + "acostar", + "alojar", + "dar cama", + "acostar", + "vestir", + "poner asiento", + "envigar", + "equipar con herramientas", + "dar llaves", + "ceder", + "dar transistores", + "amordazar", + "amueblar", + "reacondicionar", + "reparar", + "armar", + "complementar", + "completar", + "suplementar", + "vitaminar", + "vitaminizar", + "estirar", + "acaudalar", + "crecer", + "florecer", + "fly high", + "proliferar", + "prosperar", + "operar en bancos", + "dar", + "sacrificar", + "traspasar", + "compensar", + "devolver", + "pagar", + "reembolsar", + "pagar", + "premiar", + "despojar", + "pillar", + "pillar", + "piratear", + "plagiar", + "importar", + "adoptar", + "adoptar", + "seguir", + "tomar", + "empeñar", + "dar a guardar", + "facturar", + "reconsignar", + "comprometer", + "consignar", + "ingresar", + "internar", + "confiar", + "encargar", + "garantizar", + "liberarse", + "librarse", + "valorar", + "manipular", + "emitir bonos", + "extinguir", + "liquidar", + "saldar", + "amortizar", + "acuñar", + "liquidar", + "poner vigas", + "poner cornizas", + "enganchar", + "pillar", + "enfondar con cobre", + "encortinar", + "embargar", + "secuestrar", + "comisar", + "secuestrar", + "indexar", + "articular", + "juntar", + "cablear", + "redisponer", + "hacer", + "lograr", + "tener", + "invertir", + "colocar", + "confiar", + "dejar", + "alimentar", + "encender", + "recordar", + "inundar", + "añadir", + "devolver", + "ahorrar", + "economizar", + "sujetar con cabilla", + "dar", + "permitir", + "propinar", + "tocar", + "corresponder", + "tocar", + "exigir pago", + "pedir", + "dar", + "apalancar", + "apalancar", + "sanitizar", + "poner un eje", + "poner vergas", + "poner peldaños", + "poner sombrero", + "cobrar", + "retirar del mercado", + "proveer de granos", + "dimitir", + "actuar", + "hacer", + "satisfacer", + "despachar", + "rehuir", + "acompañar", + "corresponder", + "acudir", + "ir", + "proceder", + "realizar", + "proseguir", + "librar", + "brindar", + "levantar", + "ofrecer", + "comprobar", + "correr detrás", + "estar tras", + "investigar", + "verificar", + "combinar", + "oponer", + "reaccionar", + "in en contra", + "oponerse", + "comenzar", + "empezar", + "iniciar", + "iniciarse", + "retirar", + "jubilar", + "jubilar", + "pensionar", + "retirarse", + "retirarse dignamente", + "retractarse", + "asumir", + "tomar", + "reactivar", + "reanudar", + "reiniciar", + "renovar", + "dejar", + "renunciar", + "abandonar", + "dejar", + "instalar", + "poner", + "invitar", + "invitar", + "caer", + "despojar", + "despojaron", + "consagrar", + "ordenar", + "ordenarse", + "socializar", + "preparar", + "educar", + "escolarizar", + "civilizar", + "educar", + "sofisticar", + "socializar", + "conectar", + "codearse", + "iniciar", + "readmitir", + "coronar", + "asignar", + "designar", + "delegar", + "traspasar", + "transferir", + "cambiar", + "intercambiar", + "alternar", + "alternar", + "rotar", + "asumir", + "ocupar", + "tomar", + "delegar", + "reemplazar", + "sustituir", + "delegar", + "ofrecerse", + "subrogar", + "sustituir", + "cubrir", + "empezar", + "inaugurar", + "dedicar", + "designar", + "nombrar", + "designar", + "cooptar", + "dar una permanencia", + "ascender", + "hacer baronet", + "investir caballero", + "celebrar", + "laurear", + "favorecer", + "preferir", + "preferir", + "votar", + "elegir", + "reelegir", + "regresar", + "contratar", + "proponer", + "expulsar", + "dar aviso", + "dejar cesante", + "despachar", + "despedir", + "echar", + "finiquitar", + "poder", + "despachar", + "despedir", + "echar", + "despedir", + "eliminar", + "rechazar", + "excluir", + "recortar", + "alejar", + "apartar", + "eliminar", + "quitar", + "sacar", + "quitar", + "retirar", + "sacar", + "reemplazar", + "reemplazar", + "suceder", + "hacer trabajar mucho", + "laborar", + "matarse trabajando", + "presionar", + "luchar", + "preceder", + "conducir", + "manejar", + "carpintear", + "explotar", + "contratar", + "emplear", + "contratar", + "continuar", + "seguir", + "trabajar", + "trabajar con latas", + "botones", + "mensajero", + "paje", + "ser mensajero", + "abandonar el trabajo", + "declararse en huelga", + "estar en huelga", + "contratar esquiroles", + "servir", + "esforzarse", + "trabajar", + "asistir", + "ayudar", + "machacar", + "entretenerse", + "trabajar duramente", + "ocupar", + "ocuparse", + "colaborar", + "colaborar", + "seguir la corriente", + "gandulear", + "haraganear", + "holgazanear", + "divertirse", + "entretenerse", + "recrearse", + "jugar", + "pasear", + "cultivar", + "labrar", + "trabajar esporádicamente", + "liberar", + "libertar", + "redimir", + "soltar", + "descargar", + "liberar", + "dejar", + "permitir", + "refrenar", + "reprimir", + "tiranizar", + "oprimir", + "reprimir", + "ofrecerse", + "inaugurar", + "abrir", + "concluir", + "abrir", + "encender", + "cerrar", + "clausurar", + "instaurar", + "establecer", + "fundar", + "instaurar", + "lanzar", + "abolir", + "eliminar", + "despedirse", + "ordenar", + "repromulgar", + "aplazar", + "retirar", + "retirarse", + "suspender", + "suspender una sesión", + "prorrogar", + "convocar", + "aliarse mal", + "formar", + "grabar", + "distanciarse", + "separarse", + "administrar", + "organizar", + "territorializar", + "reorganizar", + "reequipar", + "remodelar", + "revisar", + "aliarse", + "asociarse", + "formar", + "incorporarse", + "unirse", + "afiliarse", + "asociarse", + "reasociarse", + "reencontrarse", + "reincorporarse", + "reunir", + "reunirse", + "desorganizar", + "manejar", + "tratar", + "disponer", + "cuidar", + "procesar", + "tratar", + "alimentar", + "emprender", + "dirigir", + "guiar", + "dirigir", + "gobernar", + "presidente", + "presidir", + "dirigir", + "encabezar", + "controlar", + "mandar", + "dominar", + "dictar", + "regir", + "controlar", + "manejar", + "supervisar", + "vigilar", + "presidir", + "operar", + "calentar", + "declarar", + "certificar", + "licenciar", + "conducir", + "llevar", + "ejercer de veterinario", + "pastorear", + "hacer el internado", + "gobernar", + "hacer de timonel", + "dar una concesión", + "aprobar", + "confirmar", + "ratificar", + "formar", + "organizar", + "excluir", + "privar", + "cerrar la puerta", + "admitir", + "incluir", + "integrar", + "participar", + "tomar parte", + "compartir", + "evitar", + "impedir", + "aguantar", + "contener", + "retener", + "dificultar", + "impedir", + "frenar", + "retrasar", + "achicar", + "eclipsar", + "empequeñecer", + "embargar", + "estorbar", + "impedir", + "imposibilitar", + "alejar", + "atajar", + "capear", + "desviar", + "detener", + "esquivar", + "evitar", + "obviar", + "prohibir", + "favorecer", + "privilegiar", + "apoyar", + "respaldar", + "controlar", + "hacer guardia", + "mantenerse alerta", + "montar guardia", + "montar vigilancia", + "vigilar", + "observar", + "guardar", + "proteger", + "hacer de canguro", + "enterrar", + "reenterrar", + "desenterrar", + "exhumar", + "honrar", + "hacer campaña", + "solicitar votos", + "enganchar", + "albergar", + "alojar", + "dar alojamiento", + "domiciliar", + "hospedar", + "alquilar", + "alquilar", + "votar", + "voltear los pulgares", + "votar en contra", + "elegir", + "votar", + "ganar por mayoría", + "balotar", + "dar el voto", + "votar", + "abstenerse", + "eludir", + "evitar", + "esquivar", + "racanear", + "remolonear", + "ahorrar", + "excusar", + "guardarse", + "firmar", + "cofirmar", + "boicotear", + "echar", + "largar", + "usar tácticas obstructivas", + "pasar", + "dividir", + "partir", + "repartir", + "separar", + "regionalizar", + "seccionalizar", + "dividir", + "parcelar", + "seccionar", + "astillar", + "dividir en párrafos", + "andar", + "inscribirse", + "apuntar", + "inscribir", + "registrar", + "inscribir", + "registrar", + "indexar", + "echar bola negra", + "negar", + "vetar", + "echar a perder", + "echar abajo", + "frustrar", + "vencer", + "votar en contra", + "votar", + "dotar", + "confirmar", + "armar", + "acreditar", + "reconocer", + "autorizar", + "nombrar", + "nombrar", + "confirmar", + "inhabilitar para votar", + "habilitar para votar", + "inhabilitar para votar", + "liberar", + "libertar", + "manumitir", + "cancelar", + "derogar", + "borrar", + "eliminar", + "cancelar", + "anular", + "evitar", + "invalidar", + "abrogar", + "formalizar", + "validar", + "sancionar", + "proveer", + "suministrar", + "distribuir", + "repartir", + "retirar", + "ilegalizar", + "penalizar", + "proscribir", + "monetizar", + "despenalizar", + "legalizar", + "legitimar", + "confiar", + "integrarse", + "mezclarse", + "asesinar", + "borrar", + "cargarse", + "despachar", + "echarse", + "eliminar", + "matar violentamente", + "quitar de enmedio", + "asesinar", + "ejecutar", + "empicotar", + "crucificar", + "ejecutar", + "linchar", + "disparar", + "electrocusión", + "electrocutar", + "freír", + "electrocutarse", + "colgar", + "ahogar", + "ahorcar", + "salir", + "tener una cita", + "salir en parejas", + "salir", + "citar", + "invitar", + "invitar a salir", + "sacar a pasear", + "reunir", + "encontrarse", + "reunir", + "reunirse", + "darse cita", + "cumplimentar", + "hacer venir", + "visitar", + "detenerse", + "ver", + "pasar", + "casarse", + "contraer nupcias", + "desposar", + "enlazarse", + "llevar al altar", + "matrimoniarse", + "casar", + "tomar por esposa", + "volver a casarse", + "festejar", + "jubilar", + "volver a casarse", + "festejar", + "entretener", + "divertir", + "entretener", + "ver", + "visitar", + "embargar", + "liberar", + "confinar", + "detener", + "encarcelar", + "internar", + "atrapar", + "someter", + "liberar", + "libertar", + "recurrir", + "apelar", + "multar", + "castigar", + "penalizar", + "castigar", + "imponer un castigo", + "victimizar", + "dar un escarmiento", + "escarmentar", + "juzgar", + "juzgar", + "expulsar", + "suspender", + "admitir", + "readmitir", + "forzar", + "impulsar", + "aplastar", + "apretar", + "aterrar", + "aterrorizar", + "horririzar", + "obligar", + "fastidiar", + "molestar", + "avergonzar", + "calificar", + "denunciar", + "estigmatizar", + "marcar", + "tildar", + "clasificar", + "declarar tabú", + "prohibir", + "limitar", + "restringir", + "emparrar", + "localizar", + "cancelar", + "impedir", + "suspender", + "controlar", + "abandonarse a algo", + "regular", + "estratificar", + "beneficiar", + "dar ventaja", + "perjudicar", + "perjudicar", + "dañar", + "tratar", + "abusar", + "maltratar", + "confundir", + "andar", + "figurar", + "compensar", + "corregir", + "desagraviar", + "enmendar", + "enmendarse", + "expiar", + "pagar", + "reponer", + "comprobar", + "controlar", + "verificar", + "acusar", + "formular cargos", + "protestar", + "pasar sin dificultad", + "ser campeón", + "lograr", + "arreglárselas", + "manejar", + "pasar", + "salvar", + "catear", + "suspender", + "suspender", + "pasar", + "conseguir", + "cumplir lo prometido", + "salir adelante", + "tener éxito", + "triumfar", + "triunfar", + "acertar", + "tener suerte", + "aprobar", + "ejecutar sin falta", + "funcionar", + "alcanzar", + "lograr", + "alcanzar", + "encontrar", + "llegar a", + "culminar", + "abarcar", + "promediar", + "conseguir con artimañas", + "hacer trampa", + "manipular", + "arruinar", + "fracasar", + "fracasar", + "abandonar", + "descuidar", + "fallar", + "fallar", + "caer de plano", + "derrumbarse", + "fracasar", + "hundirse", + "irse a pique", + "zozobrar", + "buscar", + "ensayar", + "intentar", + "pretender", + "tratar", + "intentar hacer algo", + "probar", + "afanarse", + "esforzarse", + "luchar", + "procurar", + "jugársela", + "ensayar", + "examinar", + "probar", + "experimentar", + "exerimentar", + "probar", + "comprobar", + "constatar", + "controlar", + "examinar", + "investigar", + "verificar", + "dejar", + "renunciar", + "renunicar", + "sacrificar", + "dispensar", + "eximir", + "perdonar", + "festejar", + "buscar el favor", + "cortejar", + "buscar", + "cortejar", + "flirtear", + "perseguir", + "abandonar", + "neutralizar", + "manipular", + "influir", + "teñir", + "traicionar", + "vender", + "asignar", + "colocar", + "dominar", + "alimentar", + "criar", + "educar", + "formar", + "ser padre", + "crecer", + "asistir", + "atender", + "cuidar", + "servir", + "atender", + "servir", + "representar", + "representar", + "cumplir", + "obedecer", + "anular", + "apostar", + "arriesgar", + "arriesgarse", + "aventurar", + "aventurarse", + "correr un riesgo", + "poner en peligro", + "atreverse", + "osar", + "arriesgar", + "honrar", + "premiar", + "admitir", + "reconocer", + "dignificar", + "distinguir", + "ennoblecer", + "honrar", + "condecorar", + "abochornar", + "avergonzar", + "deshonrar", + "ayudar", + "hacer de benefactor", + "favorecer", + "socorrer", + "acelerar", + "apresurar", + "incitar", + "instigar", + "cuidar", + "conducir", + "guiar", + "cuidar", + "dar cuidados", + "mimar", + "mimar en exceso", + "sobreproteger", + "cuidar", + "liberar", + "rescatar", + "salvar", + "rescatar", + "aplazar una pena", + "librar", + "redimir", + "salvar", + "devolver", + "desfibrilar", + "restituir", + "promover", + "alentar", + "incentivar", + "estimular", + "favorecer", + "fomentar", + "impulsar", + "potenciar", + "promover", + "servir", + "alimentar", + "apoyar", + "respaldar", + "apenar", + "bloquear", + "estorbar", + "obstaculizar", + "obstruir", + "suspender", + "impedir el paso", + "frustrar", + "bloquear", + "arruinar", + "arruinar", + "destruir", + "estropear", + "hundir", + "detener", + "parar", + "aplicar", + "hacer", + "efectuar", + "hacer", + "realizar", + "aplicar", + "practicar", + "usar", + "cumplir", + "hacer", + "realizar", + "hacer", + "completar", + "cumplir", + "despachar", + "cumplir", + "ejecutar", + "establecer", + "exonerar", + "liberar", + "condonar", + "perdonar", + "entronar", + "ahorrar", + "contrariar", + "contrarrestar", + "llevar la contra", + "llevar la contraria", + "purgar", + "rehabilitar", + "pecar", + "caer", + "joderla", + "meter la pata", + "pecar", + "violar", + "cometer", + "violar", + "ejercer", + "llevar a cabo", + "practicar", + "exagerar", + "afectar", + "traspasar", + "traspasar los límites", + "robar", + "condicionar", + "atender", + "escuchar", + "defraudar", + "embaucar", + "engañar", + "estafar", + "multar", + "timar", + "victimizar", + "birlar", + "descuerar", + "estafar", + "hacer trampa", + "trampear", + "victimizar", + "copiar", + "engañar", + "chasquear", + "dar un chasco", + "embaucar", + "engañar", + "hacer bromas", + "jugar una broma", + "engañar", + "adulterar", + "desfigurar", + "falsear", + "falsificar", + "fingir", + "hacer trampa", + "manipular", + "acorralar", + "atrapar", + "entrampar", + "pillar", + "tender una trampa", + "celebrar", + "cumplir", + "compensar", + "cumplir", + "corromper", + "depravar", + "desmoralizar", + "envilecer", + "pervertir", + "profanar", + "subvertir", + "viciar", + "prostituirse", + "enrarecer", + "envenenar", + "demandar", + "enjuiciar", + "defender", + "representar", + "procesar", + "demandar", + "litigar", + "proceder", + "procesar", + "cometer", + "cometer", + "hacer", + "renegar", + "frustrar", + "negarse", + "plantarse", + "rehusar", + "resistirse", + "abandonar", + "dejar", + "agitar", + "fomentar", + "convencer", + "encantar", + "gobernar", + "regir", + "imponer", + "mandar", + "reinar", + "transmitir", + "descolonizar", + "animar", + "presentar", + "enseñar", + "instruir", + "representar", + "embaucar", + "servir", + "vigilar", + "ocurrir", + "pasar", + "suceder", + "corresponder", + "cumplir", + "lidiar con", + "satisfacer", + "suspender por lluvia", + "trabajar", + "ejercer", + "dedicarse", + "conocer", + "conocerse", + "asombrar", + "sorprender", + "mezclarse", + "personarse", + "agruparse", + "congregarse", + "juntar", + "juntarse", + "reunir", + "reunirse", + "componer", + "crear", + "hacer", + "reunir", + "juguetear", + "juntarse", + "unirse", + "tomar", + "hacer una reserva", + "evitar", + "salir", + "usar", + "acoostumbrarse", + "habituarse", + "barrer", + "hacerse cargo", + "existir", + "haber", + "coexistir", + "ser", + "comenzar", + "empezar", + "iniciar", + "acabar", + "cesar", + "concluir", + "finalizar", + "parar", + "terminar", + "concluir", + "acabar", + "resultar", + "resultar finalmente", + "definir", + "delimitar", + "especificar", + "ocurrir", + "suceder", + "asistir", + "ir", + "asistir de oyente", + "adorar", + "ir a misa", + "rendir culto", + "venerar", + "faltar a clases", + "hacer novillos", + "durar", + "existir", + "vivir", + "vivir", + "disipar", + "vivir", + "deshacer", + "olvidar", + "vivir disipadamente", + "vivir licenciosamente", + "ser", + "existir", + "sobrevivir", + "subsistir", + "vivir", + "respirar", + "andar", + "arreglárselas", + "ir", + "salir", + "viajar", + "durar", + "perdurar", + "persistir", + "sobrevivir", + "aguantar", + "mantenerse", + "perdurar", + "resistir", + "sobrevivir", + "aguantar más", + "quedarse más tiempo", + "tener más aguante", + "visitar", + "sobrevivir", + "sobrevivir", + "superar", + "caer", + "constituir", + "representar", + "ser", + "hacer", + "componer", + "constituir", + "formar", + "separar", + "conectar", + "unir", + "conectar", + "conectar", + "conectar", + "hacerse", + "llegar a ser", + "originarse", + "surgir", + "resultar", + "venir", + "aparecer", + "despertar", + "emerger", + "surgir", + "brotar", + "tornar", + "provenir", + "necesitar", + "precisar", + "requerir", + "costar", + "deshacerse", + "eliminar", + "librarse", + "obviar", + "excluir", + "ignorar", + "impedir", + "imposibilitar", + "prohibir", + "contener", + "incluir", + "integrar", + "comprender", + "cubrir", + "presentar", + "tener", + "tener", + "emitir", + "combinar", + "unir", + "protagonizar", + "coprotagonizar", + "exhibir", + "carecer", + "fallir", + "faltar", + "carecer", + "necesitar", + "requerir", + "ausentarse", + "comprender", + "contener", + "incluir", + "suponer", + "constar", + "demostrar", + "probar", + "resultar", + "salir", + "resultar", + "seguir", + "suceder", + "resultar", + "contener", + "comportar", + "implicar", + "suponer", + "comportar", + "implicar", + "presuponer", + "suponer", + "exigir", + "necesitar", + "dejar", + "implicar", + "suponer", + "morar", + "permanecer", + "quedarse", + "quedar", + "esperar", + "permanecer", + "apoyar", + "rondar", + "alargar", + "insistir", + "tardar", + "dudar", + "vacilar", + "rondar", + "vacilar", + "esperar", + "aguantarse", + "demorar", + "aplazar", + "procrastinar", + "aplazar", + "suspender", + "aplazar", + "predominar", + "prevalecer", + "superar", + "sumar", + "contar", + "importar", + "merecer", + "equivaler", + "controlar", + "dominar", + "mandar", + "superar", + "poseer", + "persistir", + "permanecer", + "perpetuar", + "residir", + "vivir", + "colmar", + "llenar", + "ocupar", + "rellenar", + "empapar", + "atestar", + "desbordar", + "hospedarse", + "quedarse", + "ocupar", + "habitar", + "morar", + "ocupar", + "poblar", + "residir", + "vivir", + "poblar", + "sobrepoblado", + "convivir", + "albergar", + "alojar", + "dar alojamiento", + "hospedar", + "acomodar en barracas", + "colocar en barracas", + "mantener", + "arrear", + "albergar", + "pasar la noche", + "quedarse a dormir", + "detenerse", + "acantonar", + "acuartelar", + "consistir", + "residir", + "yacer", + "pertenecer", + "tocar", + "acampar", + "vivaquear", + "infestar", + "estar", + "haber", + "alejarse", + "mantener distancia", + "mantenerse alejado", + "albergar", + "amparar", + "cobijar", + "esconder", + "proteger", + "acoger", + "asilar", + "dar albergue", + "recibir", + "coincidir", + "corresponder", + "parecer", + "comprobar", + "inspeccionar", + "aparentar", + "lucir", + "parecer", + "verse", + "corresponder", + "obedecer", + "duplicar", + "hacer un paralelo", + "reflejar", + "cuadrar", + "acoplar", + "encajar", + "coincidir", + "concurrir", + "coincidir", + "imbricar", + "superponerse", + "concurrir", + "variar", + "cambiar", + "variar", + "obedecer", + "confirmar", + "corroborar", + "sostener", + "sustentar", + "descansar", + "depender", + "depender", + "equivaler", + "ser", + "significar", + "asemejar", + "diferir", + "discrepar", + "compensar", + "contrapesar", + "contraponer", + "contrastar", + "chocar", + "luchar", + "chocar", + "topar", + "ajustar", + "corresponder", + "encajar", + "quebrantar", + "romper", + "violar", + "vulnerar", + "desafiar", + "conformar", + "superar", + "exceder", + "sobrepasar", + "trascender", + "bastar", + "servir", + "ejercer", + "servir", + "decepcionar", + "satisfacer", + "equilibrar", + "desequilibrar", + "exceder en rango", + "superar", + "descollar", + "destacarse", + "resaltar", + "sobrepasar", + "sobresalir", + "destacar", + "copiar", + "imitar", + "imitar", + "parodiar", + "recordar", + "sonar", + "copiar", + "cubrir", + "atañer", + "concernir", + "referir", + "referirse", + "tratarse", + "centrar", + "concentrar", + "enfocar", + "afectar", + "comprometer", + "implicar", + "influir", + "confundir", + "embrollar", + "enredar", + "interesar", + "preocupar", + "interesar", + "fascinar", + "prolongar", + "sostener", + "continuar", + "mantener", + "persistir", + "preservar", + "seguir", + "cerrar", + "cortar", + "dejar", + "cesar", + "dejar", + "parar", + "terminar", + "romper", + "dejar", + "conservar", + "mantener", + "distanciar", + "anular", + "interrumpir", + "suspender", + "continuar", + "seguir", + "dejar correr", + "dejar pasar", + "proseguir", + "continuar", + "abarcar", + "tocar", + "ir", + "pasar", + "dar", + "ir", + "llevar", + "llevar", + "llegar", + "ondular", + "encabezar", + "liderar", + "bordear", + "cubrir", + "barrer", + "imbricar", + "imbricar", + "clavetear", + "constelar", + "tachonar", + "alcanzar", + "ocupar", + "estar fondeado", + "fondear", + "localizar", + "atravesar", + "antedatar", + "preceder", + "cubrir", + "delimitar", + "encabezar", + "coronar", + "rematar", + "coronar", + "rematar", + "situar", + "localizar", + "dominar", + "aparecer", + "surgir", + "amenazar", + "exponer al peligro", + "hacer peligrar", + "poner en peligro", + "caracterizar", + "encarnar", + "caracterizar", + "definir", + "determinar", + "encarnar", + "dar cuerpo", + "personificar", + "adecuar", + "ajustar", + "convenir", + "ser adecuada", + "ser propio de", + "encajar", + "casar", + "combinar", + "fusionarse", + "ir", + "contener", + "llevar", + "portar", + "poseer", + "soportar", + "sostener", + "conservar", + "retener", + "albergar", + "alojar", + "aguantar", + "costar", + "valer", + "acomodar", + "adaptar", + "ajustar", + "acceder", + "ceder", + "someterse", + "rodear", + "rondar", + "medir", + "pesar", + "pesar", + "durar", + "durar más", + "alargar", + "arrastrar", + "corresponder", + "pertenecer", + "dudar", + "brillar tenuemente", + "hacer visos", + "relucir", + "aguantar", + "desafiar", + "resistir", + "soportar", + "sostenerse", + "aplicar", + "colaborar", + "desafiar", + "rechazar", + "resistir", + "pasar", + "pasar las vacaciones", + "vacacionar", + "servir", + "pasar el invierno", + "veranear", + "divergir", + "confluir", + "converger", + "bordear", + "limitar", + "cercar", + "encerrar", + "cercar", + "enmarcar", + "depender", + "recaer", + "anteceder", + "preceder", + "seguir", + "orientar", + "exceler", + "sobresalir", + "empujar", + "abundar", + "abundar", + "acompañar", + "acompañar", + "cargar", + "llevar", + "colgar", + "caer", + "columpearse", + "pender", + "colgar", + "anular", + "compensar", + "contrarrestar", + "compensar", + "contrarrestar", + "compartir", + "bifurcar", + "tender", + "ser dado a", + "sufrir", + "tender a", + "habitar", + "radicar", + "residir", + "viure", + "seguir", + "seguir", + "seguir", + "decir", + "dejar", + "permitir", + "salir", + "surgir", + "constar", + "figurar", + "interpretar", + "formular", + "introducir", + "plantear", + "presentar", + "proponer", + "demostrar", + "ilustrar", + "favorecer", + "ir", + "venir bien", + "estancarse", + "paralizarse", + "abstenerse", + "refrenarse", + "amenazar", + "ir", + "permanecer", + "seguir", + "encabezar", + "dejar", + "estar", + "topar", + "tropezar", + "parecer", + "decir", + "permanecer", + "persistir", + "quedar", + "seguir", + "contar", + "deber", + "gravitar", + "preservar", + "alzar", + "levantar", + "fotografiarse", + "retratarse", + "aguantar", + "durar", + "mantenerse", + "mantenerse fresco", + "pesar", + "ensuciar", + "convenir", + "caber", + "ir", + "facilitar", + "definir", + "descender", + "provenir", + "pertenecer", + "pertenecer", + "ajustar al tiempo", + "sincronizar", + "encontrar", + "encontrarse", + "recibir", + "contrastar", + "lucir", + "encarnar", + "tener", + "defenderse", + "colgar", + "exhibir", + "aguantar", + "soportar", + "sostener", + "dar salida", + "concordar", + "tirar", + "representar", + "significar", + "brotar", + "surgir", + "aparecer", + "surgir", + "permitirse", + "ser", + "admitir", + "permitir", + "ocurrir", + "pasar", + "suceder", + "asonar", + "equilibrar", + "llover", + "precipitar", + "bajar", + "caer", + "precipitar", + "azotar", + "garuar", + "lloviznar", + "diluviar", + "llover profusamente", + "chispear", + "escupir", + "rociar", + "salpicar", + "congelarse", + "nevar", + "caer aguas lluvia", + "arder", + "encender", + "apagar", + "encender", + "encender", + "encender(se)", + "inflamar", + "prenderse", + "apagar", + "extinguir", + "anular", + "borrar", + "obliterar", + "silenciar", + "tachar", + "abrasar", + "arder", + "incinerar", + "quemar", + "quemarse", + "arder", + "brillar más", + "agitarse", + "titilar", + "brillar", + "lucir", + "relucir", + "relumbrar", + "resplandecer", + "encender", + "resplandecer", + "deslumbrar", + "absorber", + "absorver", + "recibir", + "tomar para sí", + "chupar", + "tragar", + "reflejar", + "radiar", + "despedir", + "emitir", + "brillar", + "centellear", + "cintilar", + "echar humo", + "emitir humo", + "humear", + "arrojar", + "despedir rayos", + "despedir vapor", + "echar vapor", + "humear", + "quemar", + "soplar", + "soplar suavemente", + "alcanzar", + "alcanzar la orilla", + "flotar suavemente", + "haber borrasca", + "haber ráfaga", + "haber temporal", + "tronar", + "nube", + "nublar", + "abrir", + "aclarar", + "aclararse", + "despejar", + "despejarse", + "mejorar", + "salir el so", + "salir el sol", + "empapar", + "mojar" +] \ No newline at end of file diff --git a/static/favicon.png b/static/favicon.png new file mode 100644 index 0000000..825b9e6 Binary files /dev/null and b/static/favicon.png differ diff --git a/static/global.css b/static/global.css new file mode 100644 index 0000000..9410a73 --- /dev/null +++ b/static/global.css @@ -0,0 +1,24 @@ +body { + padding: 3em; +} + +main { + font-family: Times, 'Times New Roman', serif; + font-size: 4em; + font-weight: bold; + margin: 0.1em 0; +} + +a { + color: #ff00ff; +} + +::selection { + color: #fff; + background-color: #f0f; +} + +select { + padding: 0.1em; + margin: 1.2em 0; +} diff --git a/svelte.config.js b/svelte.config.js new file mode 100644 index 0000000..eec59a1 --- /dev/null +++ b/svelte.config.js @@ -0,0 +1,12 @@ +import adapter from '@sveltejs/adapter-static'; + +/** @type {import('@sveltejs/kit').Config} */ +const config = { + adapter: adapter(), + kit: { + // hydrate the
element in src/app.html + target: '#svelte' + } +}; + +export default config;